From 13e18d1d6582a9a51554f5c5a90ab41a63859428 Mon Sep 17 00:00:00 2001 From: Noisyfox Date: Sun, 18 Aug 2024 19:30:40 +0800 Subject: [PATCH 01/35] Use a 2-pass depth based outline algorithm when selected --- resources/shaders/110/gouraud.fs | 87 +++++++++++++++++++++++++++- resources/shaders/140/gouraud.fs | 86 +++++++++++++++++++++++++++- src/slic3r/GUI/3DScene.cpp | 97 +++++++++++++++++++++++--------- src/slic3r/GUI/3DScene.hpp | 12 ++-- src/slic3r/GUI/GCodeViewer.cpp | 8 ++- src/slic3r/GUI/GCodeViewer.hpp | 2 +- src/slic3r/GUI/GLCanvas3D.cpp | 16 ++++-- 7 files changed, 262 insertions(+), 46 deletions(-) diff --git a/resources/shaders/110/gouraud.fs b/resources/shaders/110/gouraud.fs index 6f354ff9a6..664ed4e144 100644 --- a/resources/shaders/110/gouraud.fs +++ b/resources/shaders/110/gouraud.fs @@ -36,6 +36,9 @@ uniform SlopeDetection slope; //BBS: add outline_color uniform bool is_outline; +uniform sampler2D depth_tex; +uniform vec2 screen_size; + #ifdef ENABLE_ENVIRONMENT_MAP uniform sampler2D environment_tex; @@ -44,6 +47,9 @@ uniform bool is_outline; uniform PrintVolumeDetection print_volume; +uniform float z_far; +uniform float z_near; + varying vec3 clipping_planes_dots; varying float color_clip_plane_dot; @@ -54,6 +60,71 @@ varying vec4 world_pos; varying float world_normal_z; varying vec3 eye_normal; +vec3 getBackfaceColor(vec3 fill) { + float brightness = 0.2126 * fill.r + 0.7152 * fill.g + 0.0722 * fill.b; + return (brightness > 0.75) ? vec3(0.11, 0.165, 0.208) : vec3(0.988, 0.988, 0.988); +} + +// Silhouette edge detection & rendering algorithem by leoneruggiero +// https://www.shadertoy.com/view/DslXz2 +#define INFLATE 1 + +float GetTolerance(float d, float k) +{ + // ------------------------------------------- + // Find a tolerance for depth that is constant + // in view space (k in view space). + // + // tol = k*ddx(ZtoDepth(z)) + // ------------------------------------------- + + float A=- (z_far+z_near)/(z_far-z_near); + float B=-2.0*z_far*z_near /(z_far-z_near); + + d = d*2.0-1.0; + + return -k*(d+A)*(d+A)/B; +} + +float DetectSilho(ivec2 fragCoord, ivec2 dir) +{ + // ------------------------------------------- + // x0 ___ x1----o + // :\ : + // r0 : \ : r1 + // : \ : + // o---x2 ___ x3 + // + // r0 and r1 are the differences between actual + // and expected (as if x0..3 where on the same + // plane) depth values. + // ------------------------------------------- + + float x0 = abs(texelFetch(depth_tex, (fragCoord + dir*-2), 0).r); + float x1 = abs(texelFetch(depth_tex, (fragCoord + dir*-1), 0).r); + float x2 = abs(texelFetch(depth_tex, (fragCoord + dir* 0), 0).r); + float x3 = abs(texelFetch(depth_tex, (fragCoord + dir* 1), 0).r); + + float d0 = (x1-x0); + float d1 = (x2-x3); + + float r0 = x1 + d0 - x2; + float r1 = x2 + d1 - x1; + + float tol = GetTolerance(x2, 0.04); + + return smoothstep(0.0, tol*tol, max( - r0*r1, 0.0)); + +} + +float DetectSilho(ivec2 fragCoord) +{ + return max( + DetectSilho(fragCoord, ivec2(1,0)), // Horizontal + DetectSilho(fragCoord, ivec2(0,1)) // Vertical + ); +} + void main() { if (any(lessThan(clipping_planes_dots, ZERO))) @@ -94,10 +165,20 @@ void main() pv_check_max = vec3(0.0, 0.0, world_pos.z - print_volume.z_data.y); } color.rgb = (any(lessThan(pv_check_min, ZERO)) || any(greaterThan(pv_check_max, ZERO))) ? mix(color.rgb, ZERO, 0.3333) : color.rgb; - + //BBS: add outline_color - if (is_outline) - gl_FragColor = uniform_color; + if (is_outline) { + color = vec4(vec3(intensity.y) + color.rgb * intensity.x, color.a); + ivec2 fragCoord = ivec2(gl_FragCoord.xy); + float s = DetectSilho(fragCoord); + // Makes silhouettes thicker. + for(int i=1;i<=INFLATE; i++) + { + s = max(s, DetectSilho(fragCoord.xy + ivec2(i, 0))); + s = max(s, DetectSilho(fragCoord.xy + ivec2(0, i))); + } + gl_FragColor = vec4(mix(color.rgb, getBackfaceColor(color.rgb), s), color.a); + } #ifdef ENABLE_ENVIRONMENT_MAP else if (use_environment_tex) gl_FragColor = vec4(0.45 * texture(environment_tex, normalize(eye_normal).xy * 0.5 + 0.5).xyz + 0.8 * color.rgb * intensity.x, color.a); diff --git a/resources/shaders/140/gouraud.fs b/resources/shaders/140/gouraud.fs index 84bce5c035..d3f8cbffb5 100644 --- a/resources/shaders/140/gouraud.fs +++ b/resources/shaders/140/gouraud.fs @@ -36,6 +36,8 @@ uniform SlopeDetection slope; //BBS: add outline_color uniform bool is_outline; +uniform sampler2D depth_tex; +uniform vec2 screen_size; #ifdef ENABLE_ENVIRONMENT_MAP uniform sampler2D environment_tex; @@ -44,6 +46,9 @@ uniform bool is_outline; uniform PrintVolumeDetection print_volume; +uniform float z_far; +uniform float z_near; + in vec3 clipping_planes_dots; in float color_clip_plane_dot; @@ -54,6 +59,71 @@ in vec4 world_pos; in float world_normal_z; in vec3 eye_normal; +vec3 getBackfaceColor(vec3 fill) { + float brightness = 0.2126 * fill.r + 0.7152 * fill.g + 0.0722 * fill.b; + return (brightness > 0.75) ? vec3(0.11, 0.165, 0.208) : vec3(0.988, 0.988, 0.988); +} + +// Silhouette edge detection & rendering algorithem by leoneruggiero +// https://www.shadertoy.com/view/DslXz2 +#define INFLATE 1 + +float GetTolerance(float d, float k) +{ + // ------------------------------------------- + // Find a tolerance for depth that is constant + // in view space (k in view space). + // + // tol = k*ddx(ZtoDepth(z)) + // ------------------------------------------- + + float A=- (z_far+z_near)/(z_far-z_near); + float B=-2.0*z_far*z_near /(z_far-z_near); + + d = d*2.0-1.0; + + return -k*(d+A)*(d+A)/B; +} + +float DetectSilho(ivec2 fragCoord, ivec2 dir) +{ + // ------------------------------------------- + // x0 ___ x1----o + // :\ : + // r0 : \ : r1 + // : \ : + // o---x2 ___ x3 + // + // r0 and r1 are the differences between actual + // and expected (as if x0..3 where on the same + // plane) depth values. + // ------------------------------------------- + + float x0 = abs(texelFetch(depth_tex, (fragCoord + dir*-2), 0).r); + float x1 = abs(texelFetch(depth_tex, (fragCoord + dir*-1), 0).r); + float x2 = abs(texelFetch(depth_tex, (fragCoord + dir* 0), 0).r); + float x3 = abs(texelFetch(depth_tex, (fragCoord + dir* 1), 0).r); + + float d0 = (x1-x0); + float d1 = (x2-x3); + + float r0 = x1 + d0 - x2; + float r1 = x2 + d1 - x1; + + float tol = GetTolerance(x2, 0.04); + + return smoothstep(0.0, tol*tol, max( - r0*r1, 0.0)); + +} + +float DetectSilho(ivec2 fragCoord) +{ + return max( + DetectSilho(fragCoord, ivec2(1,0)), // Horizontal + DetectSilho(fragCoord, ivec2(0,1)) // Vertical + ); +} + out vec4 out_color; void main() @@ -96,10 +166,20 @@ void main() pv_check_max = vec3(0.0, 0.0, world_pos.z - print_volume.z_data.y); } color.rgb = (any(lessThan(pv_check_min, ZERO)) || any(greaterThan(pv_check_max, ZERO))) ? mix(color.rgb, ZERO, 0.3333) : color.rgb; - + //BBS: add outline_color - if (is_outline) - out_color = uniform_color; + if (is_outline) { + color = vec4(vec3(intensity.y) + color.rgb * intensity.x, color.a); + ivec2 fragCoord = ivec2(gl_FragCoord.xy); + float s = DetectSilho(fragCoord); + // Makes silhouettes thicker. + for(int i=1;i<=INFLATE; i++) + { + s = max(s, DetectSilho(fragCoord.xy + ivec2(i, 0))); + s = max(s, DetectSilho(fragCoord.xy + ivec2(0, i))); + } + out_color = vec4(mix(color.rgb, getBackfaceColor(color.rgb), s), color.a); + } #ifdef ENABLE_ENVIRONMENT_MAP else if (use_environment_tex) out_color = vec4(0.45 * texture(environment_tex, normalize(eye_normal).xy * 0.5 + 0.5).xyz + 0.8 * color.rgb * intensity.x, color.a); diff --git a/src/slic3r/GUI/3DScene.cpp b/src/slic3r/GUI/3DScene.cpp index 86ab5d2239..c8cb2dd82d 100644 --- a/src/slic3r/GUI/3DScene.cpp +++ b/src/slic3r/GUI/3DScene.cpp @@ -423,7 +423,7 @@ void GLVolume::render() } //BBS: add outline related logic -void GLVolume::render_with_outline(const Transform3d &view_model_matrix) +void GLVolume::render_with_outline(const GUI::Size& cnv_size) { if (!is_active) return; @@ -435,37 +435,80 @@ void GLVolume::render_with_outline(const Transform3d &view_model_matrix) ModelObjectPtrs &model_objects = GUI::wxGetApp().model().objects; std::vector colors = get_extruders_colors(); - glEnable(GL_STENCIL_TEST); - glStencilMask(0xFF); - glStencilOp(GL_KEEP, GL_REPLACE, GL_REPLACE); - glClear(GL_STENCIL_BUFFER_BIT); - glStencilFunc(GL_ALWAYS, 0xff, 0xFF); + const GUI::OpenGLManager::EFramebufferType framebuffers_type = GUI::OpenGLManager::get_framebuffers_type(); + if (framebuffers_type == GUI::OpenGLManager::EFramebufferType::Unknown) { + // No supported, degrade to normal rendering + simple_render(shader, model_objects, colors); + return; + } - simple_render(shader, model_objects, colors); + // 1st. render pass, render the model into a separate render target that has only depth buffer + GLuint depth_fbo = 0; + GLuint depth_tex = 0; + if (framebuffers_type == GUI::OpenGLManager::EFramebufferType::Arb) { + glsafe(::glGenFramebuffers(1, &depth_fbo)); + glsafe(::glBindFramebuffer(GL_FRAMEBUFFER, depth_fbo)); - // 2nd. render pass: now draw slightly scaled versions of the objects, this time disabling stencil writing. - // Because the stencil buffer is now filled with several 1s. The parts of the buffer that are 1 are not drawn, thus only drawing - // the objects' size differences, making it look like borders. - glStencilFunc(GL_NOTEQUAL, 0xff, 0xFF); - glStencilMask(0x00); - float scale = 1.02f; - ColorRGBA body_color = { 1.0f, 1.0f, 1.0f, 1.0f }; //red + glActiveTexture(GL_TEXTURE0); + glsafe(::glGenTextures(1, &depth_tex)); + glsafe(::glBindTexture(GL_TEXTURE_2D, depth_tex)); + glsafe(::glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, GL_CLAMP_TO_EDGE)); + glsafe(::glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, GL_CLAMP_TO_EDGE)); + glsafe(::glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR)); + glsafe(::glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR)); + glsafe(::glTexImage2D(GL_TEXTURE_2D, 0, GL_DEPTH_COMPONENT32F, cnv_size.get_width(), cnv_size.get_height(), 0, GL_DEPTH_COMPONENT, GL_FLOAT, nullptr)); - model.set_color(body_color); - shader->set_uniform("is_outline", true); + glsafe(::glFramebufferTexture2D(GL_FRAMEBUFFER, GL_DEPTH_ATTACHMENT, GL_TEXTURE_2D, depth_tex, 0)); + } else { + glsafe(::glGenFramebuffersEXT(1, &depth_fbo)); + glsafe(::glBindFramebufferEXT(GL_FRAMEBUFFER_EXT, depth_fbo)); - Transform3d matrix = view_model_matrix; - matrix.scale(scale); - shader->set_uniform("view_model_matrix", matrix); + glActiveTexture(GL_TEXTURE0); + glsafe(::glGenTextures(1, &depth_tex)); + glsafe(::glBindTexture(GL_TEXTURE_2D, depth_tex)); + glsafe(::glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, GL_CLAMP_TO_EDGE)); + glsafe(::glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, GL_CLAMP_TO_EDGE)); + glsafe(::glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR)); + glsafe(::glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR)); + glsafe(::glTexImage2D(GL_TEXTURE_2D, 0, GL_DEPTH_COMPONENT32F, cnv_size.get_width(), cnv_size.get_height(), 0, GL_DEPTH_COMPONENT, GL_FLOAT, nullptr)); + + glsafe(::glFramebufferTexture2D(GL_FRAMEBUFFER_EXT, GL_DEPTH_ATTACHMENT_EXT, GL_TEXTURE_2D, depth_tex, 0)); + } + glsafe(::glClear(GL_DEPTH_BUFFER_BIT)); if (tverts_range == std::make_pair(0, -1)) model.render(); else model.render(this->tverts_range); + glsafe(::glBindTexture(GL_TEXTURE_2D, 0)); - shader->set_uniform("view_model_matrix", view_model_matrix); + // 2nd. render pass, just a normal render with the depth buffer passed as a texture + if (framebuffers_type == GUI::OpenGLManager::EFramebufferType::Arb) { + glsafe(::glBindFramebuffer(GL_FRAMEBUFFER, 0)); + } else if (framebuffers_type == GUI::OpenGLManager::EFramebufferType::Ext) { + glsafe(::glBindFramebufferEXT(GL_FRAMEBUFFER_EXT, 0)); + } + shader->set_uniform("is_outline", true); + shader->set_uniform("screen_size", Vec2f{cnv_size.get_width(), cnv_size.get_height()}); + glActiveTexture(GL_TEXTURE0); + glsafe(::glBindTexture(GL_TEXTURE_2D, depth_tex)); + shader->set_uniform("depth_tex", 0); + simple_render(shader, model_objects, colors); + + // Some clean up to do + glsafe(::glBindTexture(GL_TEXTURE_2D, 0)); + shader->set_uniform("screen_size", 0); shader->set_uniform("is_outline", false); - - glDisable(GL_STENCIL_TEST); + if (framebuffers_type == GUI::OpenGLManager::EFramebufferType::Arb) { + glsafe(::glBindFramebuffer(GL_FRAMEBUFFER, 0)); + if (depth_fbo != 0) + glsafe(::glDeleteFramebuffers(1, &depth_fbo)); + } else if (framebuffers_type == GUI::OpenGLManager::EFramebufferType::Ext) { + glsafe(::glBindFramebufferEXT(GL_FRAMEBUFFER_EXT, 0)); + if (depth_fbo != 0) + glsafe(::glDeleteFramebuffersEXT(1, &depth_fbo)); + } + if (depth_tex != 0) + glsafe(::glDeleteTextures(1, &depth_tex)); } //BBS add render for simple case @@ -847,8 +890,8 @@ int GLVolumeCollection::get_selection_support_threshold_angle(bool &enable_suppo } //BBS: add outline drawing logic -void GLVolumeCollection::render(GLVolumeCollection::ERenderType type, bool disable_cullface, const Transform3d& view_matrix, const Transform3d& projection_matrix, - std::function filter_func, bool with_outline) const +void GLVolumeCollection::render(GLVolumeCollection::ERenderType type, bool disable_cullface, const Transform3d& view_matrix, const Transform3d& projection_matrix, const GUI::Size& cnv_size, + std::function filter_func) const { GLVolumeWithIdAndZList to_render = volumes_to_render(volumes, type, view_matrix, filter_func); if (to_render.empty()) @@ -953,9 +996,9 @@ void GLVolumeCollection::render(GLVolumeCollection::ERenderType type, bool disab const Matrix3d view_normal_matrix = view_matrix.matrix().block(0, 0, 3, 3) * model_matrix.matrix().block(0, 0, 3, 3).inverse().transpose(); shader->set_uniform("view_normal_matrix", view_normal_matrix); //BBS: add outline related logic - //if (with_outline && volume.first->selected) - // volume.first->render_with_outline(view_matrix * model_matrix); - //else + if (volume.first->selected) + volume.first->render_with_outline(cnv_size); + else volume.first->render(); #if ENABLE_ENVIRONMENT_MAP diff --git a/src/slic3r/GUI/3DScene.hpp b/src/slic3r/GUI/3DScene.hpp index 4479c24632..cd89efa36a 100644 --- a/src/slic3r/GUI/3DScene.hpp +++ b/src/slic3r/GUI/3DScene.hpp @@ -39,6 +39,10 @@ extern Slic3r::ColorRGBA adjust_color_for_rendering(const Slic3r::C namespace Slic3r { +namespace GUI { + class Size; +} + class SLAPrintObject; enum SLAPrintObjectStep : unsigned int; class BuildVolume; @@ -322,7 +326,7 @@ public: virtual void render(); //BBS: add outline related logic and add virtual specifier - virtual void render_with_outline(const Transform3d &view_model_matrix); + virtual void render_with_outline(const GUI::Size& cnv_size); //BBS: add simple render function for thumbnail void simple_render(GLShaderProgram* shader, ModelObjectPtrs& model_objects, std::vector& extruder_colors, bool ban_light =false); @@ -355,7 +359,7 @@ class GLWipeTowerVolume : public GLVolume { public: GLWipeTowerVolume(const std::vector& colors); void render() override; - void render_with_outline(const Transform3d &view_model_matrix) override { render(); } + void render_with_outline(const GUI::Size& cnv_size) override { render(); } std::vector model_per_colors; bool IsTransparent(); @@ -465,8 +469,8 @@ public: int get_selection_support_threshold_angle(bool&) const; // Render the volumes by OpenGL. //BBS: add outline drawing logic - void render(ERenderType type, bool disable_cullface, const Transform3d& view_matrix, const Transform3d& projection_matrix, - std::function filter_func = std::function(), bool with_outline = true) const; + void render(ERenderType type, bool disable_cullface, const Transform3d& view_matrix, const Transform3d& projection_matrix, const GUI::Size& cnv_size, + std::function filter_func = std::function()) const; // Clear the geometry void clear() { for (auto *v : volumes) delete v; volumes.clear(); } diff --git a/src/slic3r/GUI/GCodeViewer.cpp b/src/slic3r/GUI/GCodeViewer.cpp index 0d649b9a6a..88aa496129 100644 --- a/src/slic3r/GUI/GCodeViewer.cpp +++ b/src/slic3r/GUI/GCodeViewer.cpp @@ -1244,7 +1244,7 @@ void GCodeViewer::render(int canvas_width, int canvas_height, int right_margin) #endif // ENABLE_GCODE_VIEWER_STATISTICS glsafe(::glEnable(GL_DEPTH_TEST)); - render_shells(); + render_shells(canvas_width, canvas_height); if (m_roles.empty()) return; @@ -4023,7 +4023,7 @@ void GCodeViewer::render_toolpaths() } } -void GCodeViewer::render_shells() +void GCodeViewer::render_shells(int canvas_width, int canvas_height) { //BBS: add shell previewing logic if ((!m_shells.previewing && !m_shells.visible) || m_shells.volumes.empty()) @@ -4039,7 +4039,9 @@ void GCodeViewer::render_shells() shader->start_using(); shader->set_uniform("emission_factor", 0.1f); const Camera& camera = wxGetApp().plater()->get_camera(); - m_shells.volumes.render(GLVolumeCollection::ERenderType::Transparent, false, camera.get_view_matrix(), camera.get_projection_matrix()); + shader->set_uniform("z_far", camera.get_far_z()); + shader->set_uniform("z_near", camera.get_near_z()); + m_shells.volumes.render(GLVolumeCollection::ERenderType::Transparent, false, camera.get_view_matrix(), camera.get_projection_matrix(), {canvas_width, canvas_height}); shader->set_uniform("emission_factor", 0.0f); shader->stop_using(); diff --git a/src/slic3r/GUI/GCodeViewer.hpp b/src/slic3r/GUI/GCodeViewer.hpp index 0d730bb0f9..18073c6a96 100644 --- a/src/slic3r/GUI/GCodeViewer.hpp +++ b/src/slic3r/GUI/GCodeViewer.hpp @@ -893,7 +893,7 @@ private: //void load_shells(const Print& print); void refresh_render_paths(bool keep_sequential_current_first, bool keep_sequential_current_last) const; void render_toolpaths(); - void render_shells(); + void render_shells(int canvas_width, int canvas_height); //BBS: GUI refactor: add canvas size void render_legend(float &legend_height, int canvas_width, int canvas_height, int right_margin); diff --git a/src/slic3r/GUI/GLCanvas3D.cpp b/src/slic3r/GUI/GLCanvas3D.cpp index 6365b88a26..ae0b24f588 100644 --- a/src/slic3r/GUI/GLCanvas3D.cpp +++ b/src/slic3r/GUI/GLCanvas3D.cpp @@ -7228,6 +7228,12 @@ void GLCanvas3D::_render_objects(GLVolumeCollection::ERenderType type, bool with if (shader != nullptr) { shader->start_using(); + const Size& cvn_size = get_canvas_size(); + { + const Camera& camera = wxGetApp().plater()->get_camera(); + shader->set_uniform("z_far", camera.get_far_z()); + shader->set_uniform("z_near", camera.get_near_z()); + } switch (type) { default: @@ -7239,7 +7245,7 @@ void GLCanvas3D::_render_objects(GLVolumeCollection::ERenderType type, bool with if (m_picking_enabled && m_layers_editing.is_enabled() && (m_layers_editing.last_object_id != -1) && (m_layers_editing.object_max_z() > 0.0f)) { int object_id = m_layers_editing.last_object_id; const Camera& camera = wxGetApp().plater()->get_camera(); - m_volumes.render(type, false, camera.get_view_matrix(), camera.get_projection_matrix(), [object_id](const GLVolume& volume) { + m_volumes.render(type, false, camera.get_view_matrix(), camera.get_projection_matrix(), cvn_size, [object_id](const GLVolume& volume) { // Which volume to paint without the layer height profile shader? return volume.is_active && (volume.is_modifier || volume.composite_id.object_id != object_id); }); @@ -7255,14 +7261,14 @@ void GLCanvas3D::_render_objects(GLVolumeCollection::ERenderType type, bool with //BBS:add assemble view related logic // do not cull backfaces to show broken geometry, if any const Camera& camera = wxGetApp().plater()->get_camera(); - m_volumes.render(type, m_picking_enabled, camera.get_view_matrix(), camera.get_projection_matrix(), [this, canvas_type](const GLVolume& volume) { + m_volumes.render(type, m_picking_enabled, camera.get_view_matrix(), camera.get_projection_matrix(), cvn_size, [this, canvas_type](const GLVolume& volume) { if (canvas_type == ECanvasType::CanvasAssembleView) { return !volume.is_modifier && !volume.is_wipe_tower; } else { return (m_render_sla_auxiliaries || volume.composite_id.volume_id >= 0); } - }, with_outline); + }); } } else { @@ -7289,14 +7295,14 @@ void GLCanvas3D::_render_objects(GLVolumeCollection::ERenderType type, bool with }*/ const Camera& camera = wxGetApp().plater()->get_camera(); //BBS:add assemble view related logic - m_volumes.render(type, false, camera.get_view_matrix(), camera.get_projection_matrix(), [this, canvas_type](const GLVolume& volume) { + m_volumes.render(type, false, camera.get_view_matrix(), camera.get_projection_matrix(), cvn_size, [this, canvas_type](const GLVolume& volume) { if (canvas_type == ECanvasType::CanvasAssembleView) { return !volume.is_modifier; } else { return true; } - }, with_outline); + }); if (m_canvas_type == CanvasAssembleView && m_gizmos.m_assemble_view_data->model_objects_clipper()->get_position() > 0) { const GLGizmosManager& gm = get_gizmos_manager(); shader->stop_using(); From 70495a3bf9e3daa4875550eb535fc404df5664bb Mon Sep 17 00:00:00 2001 From: Noisyfox Date: Mon, 19 Aug 2024 23:00:23 +0800 Subject: [PATCH 02/35] Use `texture` instead of `texelFetch` to make it smoother --- resources/shaders/110/gouraud.fs | 22 +++++++++++----------- resources/shaders/140/gouraud.fs | 22 +++++++++++----------- 2 files changed, 22 insertions(+), 22 deletions(-) diff --git a/resources/shaders/110/gouraud.fs b/resources/shaders/110/gouraud.fs index 664ed4e144..e602d6067d 100644 --- a/resources/shaders/110/gouraud.fs +++ b/resources/shaders/110/gouraud.fs @@ -86,7 +86,7 @@ float GetTolerance(float d, float k) return -k*(d+A)*(d+A)/B; } -float DetectSilho(ivec2 fragCoord, ivec2 dir) +float DetectSilho(vec2 fragCoord, vec2 dir) { // ------------------------------------------- // x0 ___ x1----o @@ -100,10 +100,10 @@ float DetectSilho(ivec2 fragCoord, ivec2 dir) // plane) depth values. // ------------------------------------------- - float x0 = abs(texelFetch(depth_tex, (fragCoord + dir*-2), 0).r); - float x1 = abs(texelFetch(depth_tex, (fragCoord + dir*-1), 0).r); - float x2 = abs(texelFetch(depth_tex, (fragCoord + dir* 0), 0).r); - float x3 = abs(texelFetch(depth_tex, (fragCoord + dir* 1), 0).r); + float x0 = abs(texture2D(depth_tex, (fragCoord + dir*-2.0) / screen_size).r); + float x1 = abs(texture2D(depth_tex, (fragCoord + dir*-1.0) / screen_size).r); + float x2 = abs(texture2D(depth_tex, (fragCoord + dir* 0.0) / screen_size).r); + float x3 = abs(texture2D(depth_tex, (fragCoord + dir* 1.0) / screen_size).r); float d0 = (x1-x0); float d1 = (x2-x3); @@ -117,11 +117,11 @@ float DetectSilho(ivec2 fragCoord, ivec2 dir) } -float DetectSilho(ivec2 fragCoord) +float DetectSilho(vec2 fragCoord) { return max( - DetectSilho(fragCoord, ivec2(1,0)), // Horizontal - DetectSilho(fragCoord, ivec2(0,1)) // Vertical + DetectSilho(fragCoord, vec2(1,0)), // Horizontal + DetectSilho(fragCoord, vec2(0,1)) // Vertical ); } @@ -169,13 +169,13 @@ void main() //BBS: add outline_color if (is_outline) { color = vec4(vec3(intensity.y) + color.rgb * intensity.x, color.a); - ivec2 fragCoord = ivec2(gl_FragCoord.xy); + vec2 fragCoord = gl_FragCoord.xy; float s = DetectSilho(fragCoord); // Makes silhouettes thicker. for(int i=1;i<=INFLATE; i++) { - s = max(s, DetectSilho(fragCoord.xy + ivec2(i, 0))); - s = max(s, DetectSilho(fragCoord.xy + ivec2(0, i))); + s = max(s, DetectSilho(fragCoord.xy + vec2(i, 0))); + s = max(s, DetectSilho(fragCoord.xy + vec2(0, i))); } gl_FragColor = vec4(mix(color.rgb, getBackfaceColor(color.rgb), s), color.a); } diff --git a/resources/shaders/140/gouraud.fs b/resources/shaders/140/gouraud.fs index d3f8cbffb5..bbfb76f7a1 100644 --- a/resources/shaders/140/gouraud.fs +++ b/resources/shaders/140/gouraud.fs @@ -85,7 +85,7 @@ float GetTolerance(float d, float k) return -k*(d+A)*(d+A)/B; } -float DetectSilho(ivec2 fragCoord, ivec2 dir) +float DetectSilho(vec2 fragCoord, vec2 dir) { // ------------------------------------------- // x0 ___ x1----o @@ -99,10 +99,10 @@ float DetectSilho(ivec2 fragCoord, ivec2 dir) // plane) depth values. // ------------------------------------------- - float x0 = abs(texelFetch(depth_tex, (fragCoord + dir*-2), 0).r); - float x1 = abs(texelFetch(depth_tex, (fragCoord + dir*-1), 0).r); - float x2 = abs(texelFetch(depth_tex, (fragCoord + dir* 0), 0).r); - float x3 = abs(texelFetch(depth_tex, (fragCoord + dir* 1), 0).r); + float x0 = abs(texture(depth_tex, (fragCoord + dir*-2.0) / screen_size).r); + float x1 = abs(texture(depth_tex, (fragCoord + dir*-1.0) / screen_size).r); + float x2 = abs(texture(depth_tex, (fragCoord + dir* 0.0) / screen_size).r); + float x3 = abs(texture(depth_tex, (fragCoord + dir* 1.0) / screen_size).r); float d0 = (x1-x0); float d1 = (x2-x3); @@ -116,11 +116,11 @@ float DetectSilho(ivec2 fragCoord, ivec2 dir) } -float DetectSilho(ivec2 fragCoord) +float DetectSilho(vec2 fragCoord) { return max( - DetectSilho(fragCoord, ivec2(1,0)), // Horizontal - DetectSilho(fragCoord, ivec2(0,1)) // Vertical + DetectSilho(fragCoord, vec2(1,0)), // Horizontal + DetectSilho(fragCoord, vec2(0,1)) // Vertical ); } @@ -170,13 +170,13 @@ void main() //BBS: add outline_color if (is_outline) { color = vec4(vec3(intensity.y) + color.rgb * intensity.x, color.a); - ivec2 fragCoord = ivec2(gl_FragCoord.xy); + vec2 fragCoord = gl_FragCoord.xy; float s = DetectSilho(fragCoord); // Makes silhouettes thicker. for(int i=1;i<=INFLATE; i++) { - s = max(s, DetectSilho(fragCoord.xy + ivec2(i, 0))); - s = max(s, DetectSilho(fragCoord.xy + ivec2(0, i))); + s = max(s, DetectSilho(fragCoord.xy + vec2(i, 0))); + s = max(s, DetectSilho(fragCoord.xy + vec2(0, i))); } out_color = vec4(mix(color.rgb, getBackfaceColor(color.rgb), s), color.a); } From 2a5e260b3117e6dfd8ee0d777e3679c640fd37d0 Mon Sep 17 00:00:00 2001 From: Ioannis Giannakas <59056762+igiannakas@users.noreply.github.com> Date: Thu, 22 Aug 2024 17:01:30 +0100 Subject: [PATCH 03/35] Wiki updates v2 & adaptive PA documentation (#6491) * Wiki home page fix links and readme update to link to wiki * Update README.md * Fixed developer reference links * Update linkage from slicer settings to Wiki for layer height, line width and seam settings * adaptive PA documentation * Update adaptive-pressure-advance.md * updated screenshots * formatting * Update adaptive-pressure-advance.md * Update adaptive-pressure-advance.md * Update adaptive-pressure-advance.md * Include adaptive PA link --- README.md | 6 ++ doc/Home.md | 11 +- doc/adaptive-pressure-advance.md | 176 +++++++++++++++++++++++++++++++ doc/developer-reference/Home.md | 4 +- src/slic3r/GUI/Tab.cpp | 34 +++--- 5 files changed, 207 insertions(+), 24 deletions(-) create mode 100644 doc/adaptive-pressure-advance.md diff --git a/README.md b/README.md index 3f492a5835..415d0d371e 100644 --- a/README.md +++ b/README.md @@ -13,6 +13,12 @@ Orca Slicer is an open source slicer for FDM printers. - More granular controls - More features can be found in [change notes](https://github.com/SoftFever/OrcaSlicer/releases/) +# Wiki +The wiki below aims to provide a detailed explanation of the slicer settings, how to get the most out of them as well as how to calibrate and setup your printer. + +The wiki is work in progress so bear with us while we get it up and running! + +**[Access the wiki here](https://github.com/SoftFever/OrcaSlicer/wiki)** # Download diff --git a/doc/Home.md b/doc/Home.md index fce4bc3480..998edbe409 100644 --- a/doc/Home.md +++ b/doc/Home.md @@ -8,13 +8,13 @@ The Wiki is work in progress so bear with us while we get it up and running! The below sections provide a detailed settings explanation as well as tips and tricks in setting these for optimal print results. ### Quality Settings -- [Layer Height Settings](print_settings/quality/quality_settings_layer_height) -- [Line Width Settings](print_settings/quality/quality_settings_line_width) -- [Seam Settings](print_settings/quality/quality_settings_seam) +- [Layer Height Settings](quality_settings_layer_height) +- [Line Width Settings](quality_settings_line_width) +- [Seam Settings](quality_settings_seam) - [Precise wall](Precise-wall) ### Speed Settings -- [Extrusion rate smoothing](print_settings/speed/extrusion-rate-smoothing) +- [Extrusion rate smoothing](extrusion-rate-smoothing) ### Multi material - [Single Extruder Multimaterial](semm) @@ -30,8 +30,9 @@ The below sections provide a detailed settings explanation as well as tips and t ## Printer Calibration The guide below takes you through the key calibration tests in Orca - flow rate, pressure advance, print temperature, retraction, tolerances and maximum volumetric speed - [Calibration Guide](./Calibration) +- [Adaptive Pressure Advance Guide](adaptive-pressure-advance) ## Developer Section - [How to build Orca Slicer](./How-to-build) - [Localization and translation guide](Localization_guide) -- [Developer Reference](./developer-reference/Home) +- [Developer Reference](https://github.com/SoftFever/OrcaSlicer/blob/main/doc/developer-reference/Home.md) diff --git a/doc/adaptive-pressure-advance.md b/doc/adaptive-pressure-advance.md new file mode 100644 index 0000000000..3528352b4a --- /dev/null +++ b/doc/adaptive-pressure-advance.md @@ -0,0 +1,176 @@ +# Adaptive Pressure Advance + +This feature aims to dynamically adjust the printer’s pressure advance to better match the conditions the toolhead is facing during a print. Specifically, to more closely align to the ideal values as flow rate, acceleration, and bridges are encountered. +This wiki page aims to explain how this feature works, the prerequisites required to get the most out of it as well as how to calibrate it and set it up. + +## Settings Overview + +This feature introduces the below options under the filament settings: + +1. **Enable adaptive pressure advance:** This is the on/off setting switch for adaptive pressure advance. +2. **Enable adaptive pressure advance for overhangs:** Enable adaptive PA for overhangs as well as when flow changes within the same feature. This is an experimental option because if the PA profile is not set accurately, it will cause uniformity issues on the external surfaces before and after overhangs. It is recommended to start with this option switched off and enable it after the core adaptive pressure advance feature is calibrated correctly. +3. **Pressure advance for bridges:** Sets the desired pressure advance value for bridges. Set it to 0 to disable this feature. Experiments have shown that a lower PA value when printing bridges helps reduce the appearance of slight under extrusion immediately after a bridge, which is caused by the pressure drop in the nozzle when printing in the air. Therefore, a lower pressure advance value helps counteract this. A good starting point is approximately half your usual PA value. +4. **Adaptive pressure advance measurements:** This field contains the calibration values used to generate the pressure advance profile for the nozzle/printer. Input sets of pressure advance (PA) values and the corresponding volumetric flow speeds and accelerations they were measured at, separated by a comma. Add one set of values per line. More information on how to calibrate the model follows in the sections below. +5. **Pressure advance:** The old field is still needed and is required to be populated with a PA value. A “good enough” median PA value should be entered here, as this will act as a fallback value when performing tool changes, printing a purge/wipe tower for multi-color prints as well as a fallback in case the model fails to identify an appropriate value (unlikely but it’s the ultimate backstop). + +Adaptive PA settings + + +## Pre-Requisites + +This feature has been tested with Klipper-based printers. While it may work with Marlin or Bambu lab printers, it is currently untested with them. It shouldn’t adversely affect the machine; however, the quality results from enabling it are not validated. + +**Older versions of Klipper used to stutter when pressure advance was changed while the toolhead was in motion. This has been fixed with the latest Klipper firmware releases. Therefore, make sure your Klipper installation is updated to the latest version before enabling this feature, in order to avoid any adverse quality impacts.** + +Klipper firmware released after July 11th, 2024 (version greater than approximately v0.12.0-267) contains the above fix and is compatible with adaptive pressure advance. If you are upgrading from an older version, make sure you update both your Klipper installation as well as reflash the printer MCU’s (main board and toolhead board if present). + +## Use case (what to expect) + +Following experimentation, it has been noticed that the optimal pressure advance value is less: + +1. The faster you print (hence the higher the volumetric flow rate requested from the toolhead). +2. The larger the layer height (hence the higher the volumetric flow rate requested from the toolhead). +3. The higher the print acceleration is. + +What this means is that we never get ideal PA values for each print feature, especially when they vary drastically in speed and acceleration. We can tune PA for a faster print speed (flow) but compromise on corner sharpness for slower speeds or tune PA for corner sharpness and deal with slight corner-perimeter separation in faster speeds. The same goes for accelerations as well as different layer heights. + +This compromise usually means that we settle for tuning an "in-between" PA value between slower external features and faster internal features so we don't get gaps, but also not get too much bulging in external perimeters. + +**However, what this also means is that if you are printing with a single layer height, single speed, and acceleration, there is no need to enable this feature.** + +Adaptive pressure advance aims to address this limitation by implementing a completely different method of setting pressure advance. **Following a set of PA calibration tests done at different flow rates (speeds and layer heights) and accelerations, a pressure advance model is calculated by the slicer.** Then that model is used to emit the best fit PA for any arbitrary feature flow rate (speed) and acceleration used in the print process. + +In addition, it means that you only need to tune this feature once and print across different layer heights with good PA performance. + +Finally, if during calibration you notice that there is little to no variance between the PA tests, this feature is redundant for you. **From experiments, high flow nozzles fitted on high-speed core XY printers appear to benefit the most from this feature as they print with a larger range of flow rates and at a larger range of accelerations.** + +### Expected results: + +With this feature enabled there should be absolutely no bulge in the corners, just the smooth rounding caused by the square corner velocity of your printer. +![337601149-cbd96b75-a49f-4dde-ab5a-9bbaf96eae9c](https://github.com/user-attachments/assets/01234996-0528-4462-90c6-43828a246e41) +In addition, seams should appear smooth with no bulging or under extrusion. +![337601500-95e2350f-cffd-4af5-9c7a-e8f60870db7b](https://github.com/user-attachments/assets/46e16f2a-cf52-4862-ab06-12883b909615) +Solid infill should have no gaps, pinholes, or separation from the perimeters. +![337616471-9d949a67-c8b3-477e-9f06-c429d4e40be0](https://github.com/user-attachments/assets/3b8ddbff-47e7-48b5-9576-3d9e7fb24a9d) +Compared to with this feature disabled, where the internal solid infill and external-internal perimeters show signs of separation and under extrusion, when PA is tuned for optimal external perimeter performance as shown below. +![337621601-eacc816d-cff0-42e4-965d-fb5c00d34205](https://github.com/user-attachments/assets/82edfd96-d870-48fe-91c7-012e8c0d9ed0) + + +## How to calibrate the adaptive pressure advance model + +### Defining the calibration sets + +Firstly, it is important to understand your printer speed and acceleration limits in order to set meaningful boundaries for the calibrations: + +1. **Upper acceleration range:** Do not attempt to calibrate adaptive PA for an acceleration that is larger than what the Klipper input shaper calibration tool recommends for your selected shaper. For example, if Klipper recommends an EI shaper with 4k maximum acceleration for your slowest axis (usually the Y axis), don’t calibrate adaptive PA beyond that value. This is because after 4k the input shaper smoothing is magnified and the perimeter separations that appear like PA issues are caused by the input shaper smoothing the shape of the corner. Basically, you’d be attempting to compensate for an input shaper artefact with PA. +2. **Upper print speed range:** The Ellis PA pattern test has been proven to be the most efficient and effective test to run to calibrate adaptive PA. It is fast and allows for a reasonably accurate and easy-to-read PA value. However, the size of the line segments is quite small, which means that for the faster print speeds and slower accelerations, the toolhead will not be able to reach the full flow rate that we are calibrating against. It is therefore generally not recommended to attempt calibration with a print speed of higher than ~200-250mm/sec and accelerations slower than 1k in the PA pattern test. If your lowest acceleration is higher than 1k, then proportionally higher maximum print speeds can be used. + +**Remember:** With the calibration process, we aim to create a PA – Flow Rate – Acceleration profile for the toolhead. As we cannot directly control flow rate, we use print speed as a proxy (higher speed -> higher flow). + +With the above in mind, let’s create a worked example to identify the optimal number of PA tests to calibrate the adaptive PA model. + +**The below starting points are recommended for the majority of Core XY printers:** + +1. **Accelerations:** 1k, 2k, 4k +2. **Print speeds:** 50mm/sec, 100mm/sec, 150mm/sec, 200mm/sec. + +**That means we need to run 3x4 = 12 PA tests and identify the optimal PA for them.** + +Finally, if the maximum acceleration given by input shaper is materially higher than 4k, run a set of tests with the higher accelerations. For example, if input shaper allows a 6k value, run PA tests as below: + +1. **Accelerations:** 1k, 2k, 4k, 6k +2. **Print speeds:** 50mm/sec, 100mm/sec, 150mm/sec, 200mm/sec. + +Similarly, if the maximum value recommended is 12k, run PA tests as below: + +1. **Accelerations:** 1k, 2k, 4k, 8k, 12k +2. **Print speeds:** 50mm/sec, 100mm/sec, 150mm/sec, 200mm/sec. + +So, at worst case you will need to run 5x4 = 20 PA tests if your printer acceleration is on the upper end! In essence, you want enough granularity of data points to create a meaningful model while also not overdoing it with the number of tests. So, doubling the speed and acceleration is a good compromise to arrive at the optimal number of tests. +For this example, let’s assume that the baseline number of tests is adequate for your printer: + +1. **Accelerations:** 1k, 2k, 4k +2. **Print speeds:** 50mm/sec, 100mm/sec, 150mm/sec, 200mm/sec. + +We, therefore, need to run 12 PA tests as below: + +**Speed – Acceleration** + 1. 50 – 1k + 2. 100 – 1k + 3. 150 – 1k + 4. 200 – 1k + 5. 50 – 2k + 6. 100 – 2k + 7. 150 – 2k + 8. 200 – 2k + 9. 50 – 4k + 10. 100 – 4k + 11. 150 – 4k + 12. 200 – 4k + +### Identifying the flow rates from the print speed + +As mentioned earlier, **the print speed is used as a proxy to vary the extrusion flow rate**. Once your PA test is set up, change the gcode preview to “flow” and move the horizontal slider over one of the herringbone patterns and take note of the flow rate for different speeds. +![337939815-e358b960-cf96-41b5-8c7e-addde927933f](https://github.com/user-attachments/assets/21290435-6f2a-4a21-bcf0-28cd6ae1912a) + + +### Running the tests + +Setup your PA test as usual from the calibration menu in Orca slicer. It is recommended that the PA step is set to a small value, to allow you to make meaningful distinctions between the different tests – **therefore a PA step value of 0.001 is recommended. ** + +**Set the end PA to a value high enough to start showing perimeter separation for the lowest flow (print speed) and acceleration test.** For example, for a Voron 350 using Revo HF, the maximum value was set to 0.05 as that was sufficient to show perimeter separation even at the slowest flow rates and accelerations. + +**If the test is too big to fit on the build plate, increase your starting PA value or the PA step value accordingly until the test can fit.** If the lowest value becomes too high and there is no ideal PA present in the test, focus on increasing the PA step value to reduce the number of herringbones printed (hence the size of the print). + +PA calibration parameters + +Once setup, your PA test should look like the below: + +PA calibration test 1 +Pa calibration test 2 + +Now input your identified print speeds and accelerations in the fields above and run the PA tests. + +**IMPORTANT:** Make sure your acceleration values are all the same in all text boxes. Same for the print speed values and Jerk (XY) values. Make sure your Jerk value is set to the external perimeter jerk used in your print profiles. +Now run the tests and note the optimal PA value, the flow, and the acceleration. You should produce a table like this: + +calibration table + +Concatenate the PA value, the flow value, and the acceleration value into the final comma-separated sets to create the values entered in the model as shown above. + +**You’re now done! The PA profile is created and calibrated!** + +Remember to paste the values in the adaptive pressure advance measurements text box as shown below, and save your filament profile. + +pa profile + + +### Tips + +#### Model input: + +The adaptive PA model built into the slicer is flexible enough to allow for as many or as few increments of flow and acceleration as you want. Ideally, you want at a minimum 3x data points for acceleration and flow in order to create a meaningful model. + +However, if you don’t want to calibrate for flow, just run the acceleration tests and leave flow the same for each test (in which case you’ll input only 3 rows in the model text box). In this case, flow will be ignored when the model is used. + +Similarly for acceleration – in the above example you’ll input only 4 rows in the model text box, in which case acceleration will be ignored when the model is used. + +**However, make sure a triplet of values is always provided – PA value, Flow, Acceleration.** + +#### Identifying the right PA: + +Higher acceleration and higher flow rate PA tests are easier to identify the optimal PA as the range of “good” values is much narrower. It’s evident where the PA is too large, as gaps start to appear in the corner and where PA is too low, as the corner starts bulging. + +However, the lower the flow rate and accelerations are, the range of good values is much wider. Having examined the PA tests even under a microscope, what is evident, is that if you can’t distinguish a value as being evidently better than another (i.e. sharper corner with no gaps) with the naked eye, then both values are correct. In which case, if you can’t find any meaningful difference, simply use the optimal values from the higher flow rates. + +- **Too high PA** + +![Too high PA](https://github.com/user-attachments/assets/ebc4e2d4-373e-42d5-af72-4d5bc81048ca) + +- **Too low PA** + +![Too low PA](https://github.com/user-attachments/assets/6a2b6f16-7d1c-46d0-91f3-def5ed560318) + +- **Optimal PA** + +![Optimal PA](https://github.com/user-attachments/assets/cd47cf2e-dd32-47b4-bbdd-1563de8849be) diff --git a/doc/developer-reference/Home.md b/doc/developer-reference/Home.md index bdbb65e07a..ab08f2cbfe 100644 --- a/doc/developer-reference/Home.md +++ b/doc/developer-reference/Home.md @@ -2,5 +2,5 @@ This is a documentation from someone exploring the code and is by no means complete or even completely accurate. Please edit the parts you might find inaccurate. This is probably going to be helpful nonetheless. -- [Preset, PresetBundle and PresetCollection](./Preset-and-bundle) -- [Plater, Sidebar, Tab, ComboBox](./plater-sidebar-tab-combobox) +- [Preset, PresetBundle and PresetCollection](https://github.com/SoftFever/OrcaSlicer/blob/main/doc/developer-reference/Preset-and-bundle.md) +- [Plater, Sidebar, Tab, ComboBox](https://github.com/SoftFever/OrcaSlicer/blob/main/doc/developer-reference/plater-sidebar-tab-combobox.md) diff --git a/src/slic3r/GUI/Tab.cpp b/src/slic3r/GUI/Tab.cpp index f529b09c13..9ac8e4bdbd 100644 --- a/src/slic3r/GUI/Tab.cpp +++ b/src/slic3r/GUI/Tab.cpp @@ -2010,23 +2010,23 @@ void TabPrint::build() auto page = add_options_page(L("Quality"), "custom-gcode_quality"); // ORCA: icon only visible on placeholders auto optgroup = page->new_optgroup(L("Layer height"), L"param_layer_height"); - optgroup->append_single_option_line("layer_height"); - optgroup->append_single_option_line("initial_layer_print_height"); + optgroup->append_single_option_line("layer_height","quality_settings_layer_height"); + optgroup->append_single_option_line("initial_layer_print_height","quality_settings_layer_height"); optgroup = page->new_optgroup(L("Line width"), L"param_line_width"); - optgroup->append_single_option_line("line_width"); - optgroup->append_single_option_line("initial_layer_line_width"); - optgroup->append_single_option_line("outer_wall_line_width"); - optgroup->append_single_option_line("inner_wall_line_width"); - optgroup->append_single_option_line("top_surface_line_width"); - optgroup->append_single_option_line("sparse_infill_line_width"); - optgroup->append_single_option_line("internal_solid_infill_line_width"); - optgroup->append_single_option_line("support_line_width"); + optgroup->append_single_option_line("line_width","quality_settings_line_width"); + optgroup->append_single_option_line("initial_layer_line_width","quality_settings_line_width"); + optgroup->append_single_option_line("outer_wall_line_width","quality_settings_line_width"); + optgroup->append_single_option_line("inner_wall_line_width","quality_settings_line_width"); + optgroup->append_single_option_line("top_surface_line_width","quality_settings_line_width"); + optgroup->append_single_option_line("sparse_infill_line_width","quality_settings_line_width"); + optgroup->append_single_option_line("internal_solid_infill_line_width","quality_settings_line_width"); + optgroup->append_single_option_line("support_line_width","quality_settings_line_width"); optgroup = page->new_optgroup(L("Seam"), L"param_seam"); - optgroup->append_single_option_line("seam_position", "seam"); - optgroup->append_single_option_line("staggered_inner_seams", "seam"); - optgroup->append_single_option_line("seam_gap","seam"); + optgroup->append_single_option_line("seam_position", "quality_settings_seam"); + optgroup->append_single_option_line("staggered_inner_seams", "quality_settings_seam"); + optgroup->append_single_option_line("seam_gap","quality_settings_seam"); optgroup->append_single_option_line("seam_slope_type", "seam#scarf-joint-seam"); optgroup->append_single_option_line("seam_slope_conditional", "seam#scarf-joint-seam"); optgroup->append_single_option_line("scarf_angle_threshold", "seam#scarf-joint-seam"); @@ -2038,10 +2038,10 @@ void TabPrint::build() optgroup->append_single_option_line("seam_slope_steps", "seam#scarf-joint-seam"); optgroup->append_single_option_line("scarf_joint_flow_ratio", "seam#scarf-joint-seam"); optgroup->append_single_option_line("seam_slope_inner_walls", "seam#scarf-joint-seam"); - optgroup->append_single_option_line("role_based_wipe_speed","seam"); - optgroup->append_single_option_line("wipe_speed", "seam"); - optgroup->append_single_option_line("wipe_on_loops","seam"); - optgroup->append_single_option_line("wipe_before_external_loop","seam"); + optgroup->append_single_option_line("role_based_wipe_speed","quality_settings_seam"); + optgroup->append_single_option_line("wipe_speed", "quality_settings_seam"); + optgroup->append_single_option_line("wipe_on_loops","quality_settings_seam"); + optgroup->append_single_option_line("wipe_before_external_loop","quality_settings_seam"); optgroup = page->new_optgroup(L("Precision"), L"param_precision"); From c6065d54fc37abec1992e7366d600251785f6517 Mon Sep 17 00:00:00 2001 From: SoftFever Date: Fri, 23 Aug 2024 00:01:59 +0800 Subject: [PATCH 04/35] New YOLO flow rate calibration (#6479) * update flow rate calibration tests * more tweaks * add YOLO linear flow rate calibration * update name * revert line_width changes * Make it 2mm thick and change some text * Update YOLO test: Normal YOLO for 0.01 step Perfectionist YOLO for 0.005 step * add space --- .../calib/filament_flow/Orca-LinearFlow.3mf | Bin 0 -> 256455 bytes .../filament_flow/Orca-LinearFlow_fine.3mf | Bin 0 -> 440536 bytes .../filament_flow/flowrate-test-pass1.3mf | Bin 142970 -> 151525 bytes .../filament_flow/flowrate-test-pass2.3mf | Bin 123202 -> 142301 bytes resources/calib/filament_flow/pass1.3mf | Bin 0 -> 151500 bytes src/slic3r/GUI/MainFrame.cpp | 22 ++++- src/slic3r/GUI/Plater.cpp | 91 +++++++++++++----- src/slic3r/GUI/Plater.hpp | 2 +- 8 files changed, 85 insertions(+), 30 deletions(-) create mode 100644 resources/calib/filament_flow/Orca-LinearFlow.3mf create mode 100644 resources/calib/filament_flow/Orca-LinearFlow_fine.3mf create mode 100644 resources/calib/filament_flow/pass1.3mf diff --git a/resources/calib/filament_flow/Orca-LinearFlow.3mf b/resources/calib/filament_flow/Orca-LinearFlow.3mf new file mode 100644 index 0000000000000000000000000000000000000000..8be217beb575eb277abefb6b63c1cfc06d1891be GIT binary patch literal 256455 zcmb5VWmFu&5;hD3CyToV0t62Px8UyXF2UX1WwGGy?h@Q>aZ7L(ch}(dZSKA2JMWM8 z&%5W$PE}8Jb#+x&&1}!JiZUNy8KIz{5FrN?6rVUT#ryw0=up^DtfF68O>ON>&1{(d z^9>D!4y7ZB@gG@%E13VBtGe`RbvY9lA9MkK{n1@=U9+B9Sy9~9QpG<2bSDg%Ri*)2 z-)r0k41TJeSG?W+QvWIRO@S77r}fN>Myd_h{nSwO=STRqo|g^(=dEYXp6~uIdmXuc zFUM!sE}qZ(kHcsJzBg-e{*T9J1_Hj%=XZDh??<`sN8@CEPy3J0oKWu%;~MtwJF}&^ z?++ln9-oJ}1G4q^>%Rl;WZ&QZjw@{Vc|Bduq8Zq1yj;Ew_xL@(4V3oyiP9VRJRI%Z z;GLLpcehsAZ@k z58|yh$=kKBEv$5BJ715FN3mcJpZ~+j@Bx~@>%-CGu!2v=GhXT|qt`u}LBZE`|C_hj zXHJ3c_pQgumiG*b?|%(WQVl#%7Krl%UT=584-6hS8{hsp^L=)>$LHm!R-otcJhOJa=5Fq7 zoap%#GRld8!i)X$qQCF6n2{fga`4a?{fm4|c2B8k%f_$zz3YzVyAHR$>yA6f;noj1 z_doqR1dc*;yWge{&~hhoQ(ER7dqP?LL@8g~2d}ofa9g*!{9kTz-_H!Xy}VzaoK7!t z7u_#5dfuPb-p;(bz2DCkTiiE@rw@F=spE_HL^B|%t9Jpvo0pc_^}AHRw>^Ogz?L08 zJ3bf~_n!YYaI>)v)w7z*bhiQK^nX7-J9~1O>v`o|@me`CfJl6H)~j_NF-SXc6Ht#x zGG71s94QnwadYIyd+{ToO`qw0sxzat?T6hkoY&0{Qm~`WRZDc^U_V!7;{xhX#>d$` z`U}ej5d(sflOpD?a~k3+x7WL`is`4HExev&nY%9NS*?*09`7a(q9uTjp2!UB3sRDi zyq}5&yGWFcXOU^^Ny4#NgQj`pWRdvUNmr4veE5BjTph?c*E7j^4-TjukvTBZ7h^Y$-*LX19ZDaEZU-vdPu;SMD4mJ?r&bX*wKkCm^PoO1U|wSeVi?vM!Bou_4Snw+s2@# zU+O3f@gLEn&7vP$MA&PRh6lA{o}^wUd1?e*YX?K`HJKxgS;ypJ!{0tJ5#V_*K4;eE zI_^r0?LeU~EfpH(wK5Je-90?v_pjklnkjyxu|rAt2C-ovkECbZkU3BDgDVo&gA5*= zG<>M>!ja?)wztuXF3k-yYOPC?x^%9En1YrJwzzOy5+;+65>Ds1vO4{}IDxtYIjGRV zbBynAmktB6zn?APcaW~TbKg*?gQVw~6sHQ(1b05-z28UAXMOzQRcN)5j|vM!_m# z>U$D|Q!4K3Yt7<<21e3&_C(sZ*LR#(>1EKs%&80@@64oV-SKMBrgT2lNIDfwtr`o> zLcAF?eBV9^(ir-nPx90PJ$cDMvghPM31s+=z{`-k_Yk_h16HJAgV1f1*5TDC=u(wHv#9IKEX3!diHm$RV4NP1Z{L7LEki`1RvE^#q~k z7|kmofc)-tNFUlcg4)A;1+(`hW&vT}zR`nuKy^^H#Yo(^Uo{GgKP7P4q(3ThC7Rpf z5LD$bMC=7OVWj)JWAb9I-|TLp@99!@>|869z!_hompGLrp96WjDY71A)@gTGquewFs0tbKDVzc>TiA95adu*!7 zF2=i`nHF~=pFQ~(Dzctu-P-n~J8A-Ih=6;t-0q?UzBi(eyODK{s;1mmegY{}rNpMJ zEjn_<#+!NLphn1T{vq`_roWz-qbi~n7p>$X!Z6gZo>)F4%-JrKCb({_RXxXJ-HyAZzX-kF z#8zQ9iNb6*V)x#xWAS`xlO$E9VhYn__{_@$poHT(+(~5u<(_s+a)bMY^k9;~y+SQ| z6z@SPChjoqwRK%3pLk-gStR{!!nU{_b79OADr`$T9QZ?+cTqL(1C~lkQ*8X@PiKDS ztlb>XwUpo+mI^oD6{GHQ=71mi7sUA4ZFUG*Z1)pjx2`I7X^J32RmqrIkNvY%JMX4X zu+^^Nw^TWikElV@e@Hz^Q+4R>Hsf7tt(&@Tks4OAC`^RM+wF)sfmW#>2BYV<)5qJg zT~Bc9AN@ppoyDF!DJ_{J1V0&zLtFJDGAo-@&*iof->;4l^;f5HB}2u0Dez`~qsn<` z)%<{A{W^Cni0SH%sKl;BBY`F6Zc)GtC5KI28j(i4K4nevbvX{-O{Lq%yPqapEH!gA zh~3=EDZ=wKOgjRXAD2NwSp}crbn*Gt2IY_IuoVl|5%b=9?9Td&Be=zyt~gZcd(cs_ zs3grWE6*$2bMKMIEJ?*4@ADyg+xj-hz#xumUGv@T|odT3b&O%f~l&{}?EKNK5A<=C$h zg?u$ij$Z^wRfa!}nO-AYM{pkVCrk;Nfp88an)R#NHAh!hPN7?Kuow%L2LSsNLQOa& zdWndNNMY^_nsyNkjM4PY3cFCbdmN;>iHSt1tyw2@vq(3vUCZ1HVc~qto+JqBr&fOh z^P?!kRXvMhgzkRlu;OBFxM3Z)StVt_w@T`-NJj0Es)Z7}m=)7n?u^je) ztyD_OqHqd}j^;P!ltYDg010MB?xrP@x$KFHmIx%1^uzA08uErB>VU49+VXf6&M(-u z!z>NuRc+>sQimc(!uOi{>;6PWYF7%Y%3+WF7X3|syN=bo6M@%c=zoL} zkbenD<+M*e%^1yXDEe13R>{bUd>Vx{L_`aWq+)9OV}i@NGL1N}KO0^Sn-`El<3`A) zbjn6U(W!mPCYxqlD#YTrM81wUD_Z}xB*Mu+77Ns!Mh*03k;8sA21by~d!V@sN8dYq z8T3HYzygt;hu~jqSrse|%!?}7=S3E*3u1|N1yTdOf{|EiIMdK~ygrEeOk{MI#rzgk zA}Wk5;1I`RK@@Fb0n%8Tuqn+A(NMVSZF@0*25}{I?!h94ut&}bhYTv%G*HAJq(KGNQNtymvuVX|FXKpJ zEb(vq(vW6UN#^Gx7ZofO&F~~gP}3{_HGym3U8a0uRmSKblv6LNYep{mT`yHt^1pGG zZeS&&BoZ0Qkbb^I%JF94(y{jh)Dd_%3 zm)Ygp%cyqs-DrOmK_lTP>G)V~)jYD99i!EJ{=9seTvXn?;!?&DdoyjbF^sCp*1E`? z6+7KRoMvUcRy~e&lQv4?q)_F{5i}vnrs94s4V1fFfjaHyiDDrWvwEChWh@)^bC|ck zP%*sCLd(`R>>PM+rqw)b9R2XcEDiHZ29JqN$1_VtYmJlmzpW^cxm5A-0GZW`KTQ-b5_FP)RwZf-@13-- zascw4o!^{QD5fz?0H)9~p|-8!Z#o^Kyw&kYZC8tA*OMqwoz24l@rZR&SL1BnpMc%SVHAqoeNU0`>+->ODGm&3sy}G8D5_RZ-S7`eqVn)9>XNu%-m_x1dS|8BW^05 zPb$EE3aM`J_!_W{c}^kN1dV$qF>}0%`(xS4hRFt`Ur86mJEc_FgtC+|N_di7ty!s7 z8-*TFtyGIM2Dp@j3RnLuTLiU4Xl7<>GDk=D5gL&^$ukUbYyqC;p5@2PN_~~)$2`cw zakW@I&PGR8%;$T;ZaP+MmIn+v20)zU8nUHgUafw}$k9(t&ln9em;%a`4Y1N8fTl~r z31QW$G+Wz_-BZ90(Ai2-LsCoz9Sa5nnaW7OdBR$#)nmqT{(rUAwD=ekaeDKGwU`9e z7Wmb1{RgO@PiF%R%r5|Y*n6U$gc?;Yu zp-T|PG{d=iX?07aNhoF%A`NVl6q?@O-}z{~ag8P*mm?<~-13q^VSd zOqhnGRL|9v1$Bdz#Kj>)gj2Nz6pK+_Wwu@HonHrO8h;pw0HNxwI{bP#CNbu!HyR|Y z(d1nwKCBLYge?<}rop|b-U5Qi0~L**CtZvxCr!rzM7$Bz!Ze|ba=&XdV=qf7f_WoG zklh_z(d#{~MmLS4^bzYFoUjjDgDZdM*27(uQq=QCq?x%ouzRum-c=|zaz|(ReY|P) zmk&hJm7Q54*CvazeM`7RLfQN&vr}6_0LqMcnA>NqFM(P9=rssn}R0pW28J{SaV?|#z95_W(iV>^v{ z4g;;5!03|1oxGG85mG)+VZJwV>>rkH9?SA&6Bt>VF4Xao&bp{LxR!`!7}YoCN-^k9 zcO`)lOH4GCDMOwUOdL5SV05#kikKN(jVj8PLd#zTfv7c8Ns=C#-aZ|n2)2b`C)a(< zu&i>JMr&6~IqVa#?;lSyq3F_uql)N=J1$8>@{Dp~nW$AsM0W%D0UN}krn!8Dzv_DD z*)ViU%zR}xfqKnLS3IpeIg(IUr3H~dy@&QdY6!1Fp=WxQ+>KRxpnr^XC8AjZF$b@H zx!-NeA3 z^5EieQT1YH1BN-KbAfbpZWt<|s5MO4l0BN6vDYozaf@Tj-M;*m_H5*VVDN`$f$Sv5;;!x4SdK*F$SdHGhoKC6H{dRU;oGcR zyl(v9Zwh;!ypx~p5jGL8>ML$+SZ(?6{OX>~i%x?W8Ig9)Yel&FmTmj7IJn!Ashl@% zIGG--8HioFMJ1=4-5MZZ%k?0(2B#Mg=uhF`II%msp#=iVi{(sXyUgehzAHm5}A z?>5nr`yDXQD<{v)2A`J@snCL(@O#OO~#+g_Xbl?d>9G zwec+t8>IS}4+}VH0N!GsD^>n^sheqDx8ft6PQ9Q;;&okx9zTY@BNm z<;-Sdsc&?VDkw^&9@6usq}%yr^y9MRguWS3a%j;=2947zV$!m`pt z8#d1TVX4E}JRfu~GqU;0$YGN4F}h$b11M>WIZYoA$ksk$XXAViemg-SszulIuon&4 zw_os|Oh}?^%nZ7tjc+)zE5@m&m>T2vY3_Q;O8}Y!Vs!p&xBRuR&BL5D25d`40)6^|Ufm+PLfHyNY#b~# z>%h7$b1z)lqi+<&t9|o$SRjUl9M4qApv*P!$vi4X{M`0IgqnyFf<_0rP|IVohDQZP zeXzB~MAE!R`LCF^c%=H^vs*s8a)Kb7W4=6)ojmP4OXIYS=%jr4yr&>NnoB)nP;cx$ z^jbXK;1Wqa)hD$915i%G>m3Y9$LN^t1>T|NaqOKdeXL4&w{4FWn1lpv^Fzi}>Xr;P z#*%&USy=3sUmx1tp6KYvPFw!Ci41Sq32K;td>e$nu=8y18~DqF-a+T(gE$zvwN;-R z3PZbjSJ-J{Q@2vS*mvarm*ePktgmZXn-Sh1IeWtG_}hBD0It~y@Gbci!F!i^>%(hL zeb?ZCwjj_L;~%+lZgFqy8atv8v32gp7qb4zE&Gf~AQ9Y>piysa(bFY}!h5A+M(tGxfQRmrVZDE{9( zY{|yf6M&_h5mrRc)s1U2{S`JHBP%7ITHyZft_O=I*#Ydc^_dxCC1BLNl>tX%87aX` zjZpn_ToiPdtwfaSaDW>C$o+E6j?(JWW2Hzb4&Qj9L;3X*8acHiU+lt#4QF~CgVnR+ z)5>XxXC3#7#9|mO%E>&IhqZ*rm6GX+#RW-yuR&LkQxgOHhB7gjXl9+aKoq;BLe=*< zuv4vw7rya67IMpxDX||<&sZ(^%Fo}x(MUtqEOSo^#!bJ3K2uVe;{&_bNrPi?+n%A% z)T!L+)HnJXP8=rTL9t^2ZoC-JdUvDg6z(DeuoOgp*I0BlRJw$StNJxCE3#eKWIx$- z7s}l6TqYoJOHqEauS+_ui(gHy5^{5FHg2>TMXu z5p8_DX(rM>?D)q?tacllx)~GwnQK|vA)O&L5o?+{em+i-&nogP*~|}U+{gttC+s?&CRpS1|jzE(n12wrPS@y ztXFk5&EHXJTY$r3P-d(4q#wQQbL(ewj}I%a3B}%l@ZLCua>J*LCV$Pv0!|;paKoEV zy$h&Y3ae{aewqp{dg6SC#vZfnNp7ZJsrUqOCs!i)RT+D0Ng|$f2C`$*EXS?`K2J6N z-g*UbubQT~t-H&O3V+>XbSg4e59btvPaU+Y3agJ@V(t70BzEBjqjA10%+{N@ zk%&NcgSi&{EPnEL#fs}MTav`0M>9Uwv!;6WAxm7M!Yd{C7R`H^`h%uNCiU`?#%@*n z<&~P8=1Bgp&(%wYVwHc2W1Dx&k90)kHb8XjX-PV!npc*O6<9J&+F;|m!w$`VsWDQw z!bx?;*ma7MYm4P3{L6frccp+zgcDph($?A|>}NeN#wLYfNK4nUn1 zi;kL@e^zjx>|BXcXxP|<#c14{DiUZYwI@iun}D_Aj0pJ6dY_%7up4aa37a-7)JPbw zgFm##*0ddeq6dah(g`e81WO-J&s=@97hG)ft$?p6daF9~D4Da$V_>wn5sDumnsHVC zS@D-{lrNDo_OAL*CFM;(b9+PCfiL6yZ;Fn2`Z+#>bC)`moaAWd#1-uKg{}HVVfJjPo^8*ji^$NB~Yd!E=Gbi!)(RA&sMP z?4haaJz>HG++dy`Yxz%)BxbD^%_yHWksU_CN!r3pN@-@nE0D7C6!G`^O{_XWkNRh2 zW&hJ`S=3s})l0Fx2(;sE|s6YYW#f(yf2)XU}`lb zjXb%6`%7Y@cV)nOn$HdVEpDsVjC)ON`m1l zy~PK%vv4Hz6I>(?uSxzqvf|cQG1PDk5P7!ITNwLoMmn<%62%mLSx-`mI_2fg6v-MA?o7L4p>-G{2%1@G* z^r5AcfadWaG+(nk@$Mh!crK-p`T#?Xr4&D|^k^%GNp_2H;O;EyX322i~Qo6zY zuBQnn6p`V27y|ImZhyHPpRZBg)z7~AKOOi#4UoNE?%@gWy3K!TzIeR5_2u924aV49iyhqV0H2*4xQ}x_griMg^sI4Zy-m0op$qum?{H50??}DS z$tS`WbUldLKZYOlbV0wZHSm+*z1`nUZaA)i9!>rGHr|M0_|I-j*P(4HRqE3{W>h8l zbIunlv$qr!7fYYdI-QL)%Tu3)E~J!dsq0m0@1H~aD8=}jcZT}P`EFM)@R&rD=gwMJ zxz%xw{m#|*6AQKpQ+PGFLxBLVS$CjU-#80`Y8l>Y{$$@*3DCl4P7TSm+?oTk1IHTT zraSNa_P`gkauZR4NekchkOXA;va~d;dy$FA4*vZ?bzEoT!dUKlG_kBRTDRr29e6=! zk7#u09~}{8*E(E@lCW6ExZWMj;j_lU!;DcN`l;wk?afwWYGU{bOhLO+IF|ia_HYc~ zFTnQ$pX=BKVidVFJX}-&P$YAonc6X~%wfX8S~A9UvkyWESuwLJa&#uIXWHOH|Yv zirBrXv7oQsLw}pW<>#S-1A{CZkz^Wxi{rad5lsVC6&5i(|5Q6lI9B{9mn7-}f@|mG z;|lzbO8)7CBHgF>V8fk6JR`ffhCP_MLR55~HM+mf@OlURj5(}-Etx8US(i|`BKtmM z^@;aMMJsJS=oI?*N_`Byob5XpAyAL$GrT+mx3%@&)z!&4`@n8KCn>V0m)e-o%AC{^ z4}IV#gBk9sa=;A4Bfj779~}&C5(P-Aa4qz!HXAhtq3SA|EvEV3RG;Ybu+wb&+Tdy$ zOWM83$;TnIdA@x{K-rSzE3*!!07rqGO$#?2C^S!@meKD&7Pk}+t`9k)%@N=1W7b|} z4Kmp4Nb}LWevqdoWia7``hta)a<@>&>G17p)5unEijR~}7L8P|LucfNvpSk{{O~5L z(RW!NQjxW!BPP)=K8m|Z+_Fc##O=0Y#QSlEsN&zuV$a{}C?N0rO>uI#xgY?7(yh3G zi!5%~5QKvq=J~X5rC}mV(RAVy-17qi)@PEF2>S}`m6ZcvYX&3*zz^P=QdF!7jb+Rn zo(Wb1Gg+%+E-cLn)gN;Rfn;BXkgV9ya#g~o`mXy;u)}h=U73*-ef1LxP_br*#U@|M zgCB!=Cers+8a!1>H?AIM;vpz#4(B99C%#(3V)OzX;Q&U5 zxJssm5aGnh;d(Ay>nSR^zN9~6TkJNZVqrn0;+_(4#cq{Ae|Dt8$mHwR$6p+abrBBj z`KMNQJ8b;oNM%RuA&Y0C%V6i&N$$I6g?7et`4+OTG)Vz0ZuxnTZka+khtAWfm#=ga z&DFBmbJ8(I|BFG@dg+`|^Iu~Of&A~Hk$Bdga(d+|K4Ar3Q)ftf$St~EFy#k(hDV?E zND{wfeZ7l*c`4`A<(A4|vhmm<-w5f=TW9)W-^XYbbfD`?_G6p7NVqTN z3E97?v_Q2l*K57T`%l=Jp1a@2JVYOUOY&uRPZw=k3J?!HCETb|$7%<>$_g3S+wBUEcA1T#CG0ycsU-p16tURz3 z2*FU2Qk|AdtjsIvxtm$)sLhgawwtj>M?@@v%gQ8+KGFj0(HtMtUV+`*WwYjTUlhno za)7fYca-|54R9IpY#LEQuVTfVgnySnPxbM3Sq z`f@Jowc*8^?hSl0=Q%7qTDHJxz-m%hD$zIU)`%h{qm=tBK%y71HCaa7YgkVyY&SpS zL!88pOb_Y9s!NU+h=eH{`O4WD2{9TR#88w}dVYWNSDEGPIB(t24&=_n@;It;;ozEe zZDBOYsu$_kCD3PTFLIDq>ttlxCZKl@{-gKWS`_7Qfmo7iO-31K*7K)X8D>KXG?lJ= zrjemOg?=H4sduJglk6pjHpu|!S^n6ne4!4xZeTdjoi_j?#f2OI2ZArw|QcH zyh4RrymnQNJ8cM5jTmoL%=KEEygIOg!NCej{PKk2+Skcr84*=j&kR+(am#hL z?^3jWHdL3?3nsZ&bql;o&ur|acR5yqQ4p&el|#&<{y32~*qZUvS9&U3ir*-_+PQfr zhfP$umaA8V|KP3BK(FfmM`5z3OSrY7pr;JqdRC`v${9PGSzl^GPA4%?6+`4mE$EQ zGkTRw?bx=kyg~wpiXd#-3;XIClc~tL0RM<)ZG_&>XXJ zFcAzz7P%Q_D+l&?!5?lKQl6I6znG+66zGe7dbv})+a^zX@v@gwLg}-%ytAq`uAX0n zJT)fhuc6_oZr!#Fiwi^rxRdwUU@LDi4fBjvozt_P2hi)+n=itXODPO@`48NTQD@g( zdE<7S&=tCN+Q%RXGQwyow;fw-dZ8i9z-%_5nFyFX_&pyIf`=)uMHg#6{};d(y*tUy znY^zuJ&U)Rmy>$xAa;yH+fcHVXc?K5AqkpU-AEp7caTGvMNsUHe%7Bs;m3rU^)%QnLN_&seF!!mHTMefA3-1={ zs+tCJV%4g5D-PJ~;J#+HRfW{YXV-dBU5p1!2Ny1I?K6%z_@kph-Du8P7Rd)^PSM@N zhDYk|lUSi)_UJ2i-sF<7dK6-9L-6Fe0j0_)>W`qHNYY zuMg}L+i-zgC$&qd`2B?LS_!Q9e6D@WT5#fj1@brls*o3ivqy7Fvi1Z42PWn-6hHVY zC={1d7e#)e;6+f?)lbmvX)wUR1gj`~j2|`oP%i1OVZF^p*#Y{o5aMDDus*?pzxA;Z z&T+m-BpXDWz)Zxz;4>Z3m6NUP?59M1jz(sm=yzdQ&2Jo(44+#5>egbO?}VC6#^vEu zc1JHgRgWq;Wq7H2>NT&5v*4n+3ofFhx{NFe7~UG6_0+vy2+`&L)*&{4#}vOZx@t*0 zrkrj*^xq>iuYhO{xi*f+yq+ct>S{0HiHC{rLq9P-s ztrg5I4lO_tZ`IU*?IYb#kc~Ln+<5mq!N)S4rs^aqL--F(?Y)|XRCx5!Z>{+Kvxl09 zCe7)qTAs4&!DE+ct~@^PMQ3TtD!)+d>{NB@4vsI{^D6(`P*d77{Ok+MH`0x)-^Ddo zoNc8w;a2HLrTNXhBqn@aGWGhXS~BE}@tY$L-Fv*lc-Ulkm#ft1Jk2P$TFIWXN?ln# zeD718M-o3yANJO7T#OrcDjWnuD`6s~?XZG0(`0z#O*q=hoiMEx_h*gUma5Ap5a4MZmr8*AsD5%;H;c!k0D@#-IsbMQtjp637=DOd3QU*@* zACJ!jU6q=QP8}{rocAXDCD^vxmw6F9r*}DS+dtFCoLlb4@fVq1ldAIVovNDtPDEi< z#K2>g#tn=o>?9lIlBE+@?YSH+5Oo@ZJC1~{tj&n;l!#^GMET;n#<-}mFNcUZdi_D! z-9yV$V{mIP_D@t6AQ(7u;+R&vKBJWaghmjll6WWT7iDS_1nhjaU}8?Vm)twxFcSp% ztoejmY1gyBVg-JTWceY{MzCclyVm;XT2kT>eShAz8hE@$}hvsURqKk0_V6&nu)j=E(V z1Ku`skhV13V5k*T?I9gB|2G^ z`Y@4#Mi11XpbxkSQ3EK(Sk#d*z^}ZYfTcG0l={B~}TG<&dWb4H9F};}qGvls|-NJI%||EqtjlI!85r=K3L*7FCc2I*2$l(*@_Q zlE#D9vKqdb`rP%p(RxM!J4#h$-Mp>{vRd%mr^^ajy`_C==zM5k{77!|NgbtQPB4C` zD#dXX58XzvR+O=3D~V+vB@r&BPn8u+xrpQ34ye$nSW}^zEMF=L@D&1|wg}Yb(5x$} zP;yn2erp8LuHWV}`AGBE1=(78m7(M+@3cF}`D)?4A!~$ZYH?U<{Bz%|=kJ{0e?9i_q@BMD&`C^WkFP4nZQq>?V#ATAx9OV#2P5%LfVP zCS<;F(~wa;QdD=t#Q-mm(DgzL1#}i&+kBX+ycg~WCwzc}tarL>TQj5x@|?PJm}!eP zOi?oTpg9QfchpbSh3Da6J#$sZRWs?BxDH4lTF0a5Vp%53tbL*_#c_tyAlD#-Sv}SL z_crL;ZI2a5KZQ&s&{ZQX`}Z7Uav7OdJWsqmF+dSLJyM?I094 zJ0FAsn)EwcdB}P|1dtTUuUH^!DXSz$2}EEgwda77I|*4mzaA5`#cvO7-jWFa$Fo*& zWeOAme?78Rv}PDf$JCbmRL$%Q(NK{sznaHZp&KjfWFqbe-ht3oKJ1}I{pcXEFA&*7 zQ*j);Y{+a1u;h~O`yd2v1_90oR?I;TfRWLu$IetVo!x4>@`;kXtlz`j)ewo4nJ-ps zc^y>C!pocrNu(8b62^6im#4`4KH(q%IkAV6LNpZWWa<{URXlQex5~uV}?>DNYjTMjEBN<)gpS3hx^ldLs``#ywr}S zQC?YT4fu=tO%;1idsO+j{N&bn@kUV2gU%jygd|7Uhyk^E>kq1b1&*89hASU9Kp09g zmsjC_TXPVl;+&ZFGMa9Vtq?est`sU|K_{NRgwCGKDV_Htle_?(+mjUq*r7D$+QA_* z_$uDDt>QO9sG7vftK7BjOcs zXGlwgueO!7nnba;Yt3Vzh#l!zR!(@6K&{MDI)?X$_!`THJ63uwhsetPKN1X%8K`E` zxQ2BJom-#OoM5Iq5*=ne3WbACRWpXueg@UP0s{$YH+H$DbiX-CSX6`|(k=8!iR>bk zb!;#IJM3|7l>RWN%*qJOXMcuUP%ZyIJyBMkHD?@hMjiO8c=Ryt1tC`Z(MTc#cIs+x zh*DU zT8NxDqbkd{9fbv{1KS}4YPwm>#Y1>sEGjy=j39aQ1(GiRnzItKltA30kVO7cUVfdm z3(3m=v`EP%|L}z*`+~bT&JSO9wVc~*C6Lwzq{Hp}9Lem`WoLWI*v&B{cWb{F0{;&p zgYH5%O?ihG4^mSO`jZGZ+L#N0|KplW^RosTKH=!^EnBskM)#T6Svo%-EJfu5 zANb1IBfn;e%WZ$*(2CdWlnW5lOw_CtlYAMZrgzGOfk15I@FR1VOvQ{}arry`@&7;M zb|hu_{|R!t^ka@v4o^;<@{}7!UFF9)&~`{}0hgo|cwa7G|4=ziwvks5RZ%1xy9`G8 zVC27Z=1CPVgarcuwWmT~@$%CLi0qJF)(!gosI;~zwr=`C8lNLnna%ST*PVgP zLVd4c>UL~FHsGOYqQIgOXG|v;#@bd983wSrz22}WR9S)~SX*E95?Q;axZeu{P1u-$ zaxeDT;ufaaoDhP6txkhtm)F}V>(3RZVO@)dLcLX_$_r8afYXi)O+2=cuR%@y0s0~F zAM~~X^^PB|OfkhstePiDIv9%K75N{qvwDWTIS{^>F;DHBRbKlavev-5wt>e*Mo=mr z>dM-7zAc?STc{F(dgT!Q{&Q@l0^{2~kwt(2LE~LY!n_Uy7g{eDu%h#F=R+xYt7*4Q z&AzGVCN*=ce>*0}akA8kvZ_nSwqPBs-gS)(mJFy^?4paBL)5-q$*b4Tgi@>ZuF`lL zjNPjikOFWekrI!1sdnYeH)4?wv zyh9;yDa^jvLfz#_7!!l`WV&q+wmXUA0V{SqRD(k@K#T>MQIg| z7aj~(5=nIIUgsyPRvMijm5#$t48heHkn5^Mp9ZzX5F}vgE@-Vo8?5}{ z%}$d33$<21)I;2yu?mT_MAcyhAVRMqF7ue~xqR_p%tTUxI4w@DLui>tCuS!=!F8E1 z|1NS}5N1Fz=olW^x+mR=hzqwMu>L>^q$q`{BPkLa+dbIcd&ivNBRc#V*dg-Sq0mcDTgpAbC$VQ}4e*HSl%)TPy|*{9AbQ4%dA98sO`>^HH=3V@YW1Ep>}VJ6E`ojq0}3XI8LP0<(R74zklIi=z0`Cp=gTmQGSRHeRyj_8YPGM9AHvY2S^^)Rhs*2drUn zg~2hVVnnrbc;vAo^RKo6hRCSEMz%IowjmyY4B74WD}&udnoS(1&7=$@pqILNLLQf73N`GZ4j+ zOuq#2xK%+mhLn<7FaWGrxSBt|j1sEDy}~y$l5-FvIF6et84oiVpB`;m;ZVGTa;t8Z za^M`!x5a89pl1%OP`B>r*TAJh;@m>w~n|eG_+Z!kQE_ly@Es=9VP7;U%JPf5xVw2J1PKA4?;J z!iz^(mS(f>2tExA4d7!1E|A-LM9-Tq%ZzONRTR_HN@-!8!YD79}CX&uvn=-n)9bx}({k2ZM(foq;%0nWWQCuR4)N%0Ew**b&dp@F|a^TYbqe^_M7j3NR zFo2Uew>Qir^FX0^3#d0Z0*0t03X2gZIUB$Sf5tV?RtTs(U_l{cvqAFu1q6a75t04{ z{>B2u4Qw7fXxyaLWIp`i(MdR{U?WTyw6Cm|F0@2vmjKwPl2%N%og~$2hmD_1M(W zqQJYbi|~8Nbakty$ZZ=t^$^RdqagPDAdulH_-9H13;)nUqvNLoB3Fkh%2m}HOk(S? zZUA?)&48$31z>dubM+bBt^0MT1i__hdy<|8-lghr(p?zdWp(n-@=QW%aK&rK{_9MA zB>3tM&*JyVgm9-|l->PW+gl37MbJ2}exvP8T-jIN40V|g*rOEB)gyWkY}S}dqny;KutYb?sla2s!ZO~-z+qwx$q9IO1#k*F;j!H&oX_St|Mkqlol&V81I+lhjcA)!v7yrUl|bP^R=x~k}61-lF~|tAP9)GARW@Muq?53N_R+iOSizn zlG5G1OSiz%A?bVb`#&GvPdht#?wK=Z&di+a%qPqk2iUR#p$r$@YvJt0S$GpU$POZs zl}V(}Rjod6D;+!I{NAq&<~IC!4Z_7LxiCJhWOpy!hav&5X8Ov+8*0f*+td@Oa8&)p ztmLzlP>jGvLzK%&T^Z9%g{oVs+Qf`=%+Jd>E{LEZOcMGYB@I)70W(UZJ~NGxw#y5x z1btq$GZaXLjyHRc*ZzeQ^M$TuQ_lJ^HSKq2WiZI`>l=ZlF?Lwa@srn$ZuXMv&t9iy z_reld=UM0}>f?hUNZV+T%Hv;kIM0`lI@Ce-$nqyY^H#Ilb=O3axHfvEJsoO&t-sM( zRe0L(U|9X_(wX~p_bGC&eo%hU{wKwllXac0g};j)!n-IbXYJSR7s8w2>z?t351jrL zv2%>#z6=lai_=u?K;eiPp`cM)!>Kz7QH>-TyNV9!RW< zK?TyJ`Aaqz)j74Q%kM}{4yAv0N|+CsK2@Xgn!`2R)GOG$Zov~0aw%&uxpcs^6&j+} zU#8=T20t%ZNR%nW{7OC-M1p-LL5PV1k+^Q@WZz!WmQ};4)+04l!ZnjrfatHTAIZ6A5RzMJTdHaTv(~dt17Mi127R1J1;e`~@M|-SpX3YqAzIHp(NIeO&dA zG{sb<1!L(Y7t2rsN*@KAcQyjD!opGN5bCOLRso;8+ktf!n=^*Zc7BWvEF_7~?-+hj z-Mz-vx#TQeS;mTwwAry@c7_;*RDkiovB##H`{q#Cb zF}|LP+}d`)5V8q>i@~1qC1a95gN;9-;t$KJTul~PNli*U_5PIEbnQ6v<=me=I;^n` z_+jZ7V*V>o5gpe~p9*_Bv!SQ&0aMCYUdLwsT@Z39x3JjJU@}w@G>n-uDIPmKXmMN} zWL(|A#p7S$6yWDwXgJit7#0!7XohIzr#y2l(El6@*y@IUjc?Wz4 zl1Rz#;RF8c1+ldGpQKIdLhi&hFW8i0c%uahXvqUHF-I;!}vhRwW-h~;#KI` zbA9oG_8I50!|BV4{Y~~?#ruXbnr*eZb@a>C=#{c-pqM}1vxa(rP1fxMVSY3OH|vn1 z%=uU7FzL;(doNFPX`jV2P(4wMHtpE3(owLuf10LV1uSx)kI5MwvljeipTA6l&`d+U zmwJ7a(Gt{b6H>t11JhJFsdd9I@g2hKW^K&7dv(nu=d~{o*EL=`mq0NlhD#(fivnZh zqs-N-4G18bXRNHDn2vRWMrkqJ2*uO&9UN~n;DD3 zCbVo7aq#-2%;+Pgn9nsaxnxrNX<%v5Xw`BV7dt#@!k^wgaC?f0quk=8XFXvt>zirO z3;PPJQP`?K)PcNtS*ikZu7}*cstUk6u%&aDx%T^>O(V55bOBX(=3QlgqN<~2zZrRs z?BO`d;RHYh-bd@cA>2o;UK!Pa@fN!Z8I@77g2~QI9!#AeDi?x5HXcu2bYCvR0#| z5yi9LFC=NJqdoL3I}tH=hGRB{$f>{!*FgDz@>EXEM~}dTH-#&RP2=DZXGHcERM&?O zk1~Ry;16X3qPXa|4gz}tcEOaw=b<5Qz+@sgd676uQ|;XH`=wrsh606-bSylg_@m=f zb+D=$5g`v=mSKDvewmTcM?SH{aQsIk-3H|sgG0*{QRS`vLP+z@>JRhj-Afh5s9M|X zb&a&$6zUkfDh&1qeA9(3#oSkY<7wo;FDfu|6@BPp8hZ++dI-iZ4o8-1ljHNBWBeiw z!XaAJ9@D?-dhe?w_hPyZUS+Dh#I-b#c^154bgR;NpqPnCjIpP|11c#RsSSDQgr$k~ z0+-Oh=mFJK?eF;ZEqb_me0jCvTA02Rv=M;6g$KebiOO5(?DrMDpU!@s89#obO|blN zgCL6X+x`SsYgUqt^{wRC^hH{CSyWUfhFG@_eR`gmubhnLCd5kC5-b_llxt?BD08z? zk=Ow%sDrV&_vd)2(j^|v#9CHChH%cz*<9o%#*DR)*7_p3kV(OP`Ac1{Vnmk~pew-l zbO*{&{Eo;LGK4tlIE|Ez% zkT%g=X?LU3vya8S@4UiyCdX-%rBY46GD%*qIiDFi*7g#a>vt^Wunu90W`;<0&L~-U zlo%0N(y~E+!9*8x#x9V!wN-J>baP0JO&wjp5Ic+)Uks}1Wc=OGAPjxX$HqJKL%=mt z$TduIZiYV{^kD3rm*m{IFoX+1%9M1%=6}knZUaXBhjX^iK2=jsEla`dhWWXSCziaYqI0m#P&Q+(*sW$qQ z6>(ZmS0A0kN+(duaRySy8#Xeye!2rv*RkSAVSot(q5`x`M48FZ+e;tFz{|7?=qIc; zU`Fex#BMk>V6Cp|m!?Rq5F7SwDk3j0&47+3@cKf_te5~1nry$~Us@5jYYF`Xk$k(s z&*wmH=u9G~O0O%!=GD|q(yfc6Lo_K3;BGLk?osGm5oG*c`jxYqy{bFmMmuJuxHewM zuJi_5lTZcOI#AUu9Rrw7+Db#L7{?ebUwr($_HHJXJvKy0ifyy58+$pHUga!NOzs@E zxwES=jnDuSQmW01zyyJTB14WHobo3ILp7IK`!WPu0>3jm?^K?&-ALMM_T-<4B%}or)r6qa zIqv@Y`j;lDqcek23u6P63&xNY2AzncJF;ZkW^1do9`Pz$&z6Qy{PygYHQ^aDykc?` zy6Q4FbJ+x+uM|sX7|vTZ#+*oC#d|Q+g$6JSlBf{nVc4O+mC6{ym&=Q^vIXQJZ!;Zh zkK{ju0SG%XcQ9!A)%?__Bz-1DSqdHM$UPA4WLJClu=8;lM5Yva5>=2h**Z{0EF?U#`?0>41u0e->OpX(&aqOBO}jYT*B3p2@RZ|h|ENsX zOE}x#y3T2pEoF}Z*pQz&(gE46IH`0J%S}_*1|wx9IY!@n4Gz4M9p=^|wyn_`N6ej# zsvmOZLSzKufA$>0P)*?w=l|^R5fwCJ)005@jH+dmd+NsreboM^k*#!hYoKk~H2{YI ziXTniG;ryrRKa=nyGn36V5MI56aE?P{8BZzip$en01wrd8;9jxOO>Jq-O2m_+e?q%E)A?e-T+XAmakr|)HX}f^`Vwp`M9}-*bO6g|Dl4Y{e4tlRL0wU{4j-0 zALq80O}QQ-Pv&rESD-lyPUw0NUxjdW8D~#oeX9c|5V&{;c^B((lEc8OcA62Uf#K&N zqOtCFqYpW~nVz0u=)F=en=E6D>mo_LNIY(Iy}W^y_fNpwaV-(#PPV^t~|#NBm`YLfK@ent?5 zX%#OV0GQ+yX0(ZBmmdfNSgLu&Giv+W5;eQ8grgyEYVXVe^KkaJP~i9mXAHQ2;r`KI zUXt59QJhmgAUYxYAoDtPnvyK=15fF$9cyp$8#X|;y_IFAKF)Md0IDOSNz;e3JaIR1 zda;{1)|WWL$~94=Uk~56Iw#L3%g0 zK(t)lF|`>FC?g%}UCJ@BZv#um#Uk>*f9-meJ*T#6H3=VJ~?|BSrIjROFW zblmV&X+sB@UXN2S?=NbdR zC6KOu`P+v{8@YUt)QL|@5pw)1Z!ugNfA4^=tdygqjB8cO7ZVF$mLj7%FlU(3!X&!; zrM`WWTW4-`k@j3mMRv}#*{cUJpr*Y4P1HycaVu4R5A;r~rOy|CvBv9T;-)~eunQiR zrat!g8@-)V?=h(yl)zp_5DA}m(=4nOrkSv~3qZ|O>gqkFGx;p9Nl5?T0SL|np_+h{ zKV7}@36;D5p}W{F@3oM_lK_vMGjDP-_7JJm7`7!W6+@7GvN0L1#M*HAegw&j4z3s0 zAg9%drSXGqR-Sz)xy>ygZ%oVL15sBCD;(wdxkQ(|zDv61bCuo*>6R^oGqW{YJ1n{+6j<*^j171;b%7ZoqGu+}XQT0p~ruJvl(=+QA;ZqhVF=sQav z%u!-Go(>9L&rN%D8>ba^?*M~?^8O$P4RL>ZgUW$4dAxNUe2n_W9u;@^t$nhBM=gog zxmNRNKX<9un+Hza66T)u7{6PExvA)~8US1omsdnnjSX`p6pptG9-Qsbe|_M?+n)>0 zmJk8u@bRYEf%%NgZlyK*?W6S@e29x*kn=|uUfB`@nq0qL0LO;RFEBzn%7B}$H(&3@ z?*nMNYlRM<3U9X%;rt7gz>^mAQ(i&P8-a}3jf!ucMF^6AMIW!8_|;Kg=GUnq9`dE8 z->YCad;tRvOu(U#q(eqB;VA!L_<9H|8a+T*LOvh0YZ-iGe1m#iE++6cyA)^{bKqg? zSgW2H1SK-H)xJ|z&*#sGhyE&SrPNW6satyY<#;V1gSS>aEYP<9tzSL+rs)q|&6x2s zAI?hf&K#vqq=959;Dn8)EpW8ns?+!hQz+SXx%JqF4S&cIzT-p*LwI{OM0@eic`BOl z0W~<3g4e{@KxfnPm29Ql@U*aIIEVBouuF{_-uBlBy2X*Tni^8yb>~Y|zYen1rtf+c z`m5wRG5^PN+hSwu@Kk&VI8{70>Ozi8Hy?dRqhD));B}}~Q+Yn7<9m{Nb$yvqxlaaY ziLsyJ7+~!%XB0@ie+R6|=JGRRPEKedv@%yjN1fZbc9f3?{)8=xSC(5l9DwCSWUjwq zj4Y5a^3VM62NZK@nUW45{d<*l9BWI8tw9Eb+Rp6z)C6V`7x?8GPMJb%o3S&ebXM*? zm3h-86?uF6<0s+3Qn$d8pByixF6&Gm1Uf&4Q&08LDGHVnp~5!72o-DBz%9FW<$@f1lkY3#5XZagRyni-O5j0(l+Nd1 zCC6Y8+XYW;6;b5}mTvDLlIsJIa7<2MA)o`}TagaJ@^yw;Z@fS}nQiPjTd4Z|2 zWC_s?&BzHH_1GLAgC!F?*2)Ykc&W4WrAcI$yKTvTR?E(Et%!lo(YfA_K z!NY4$=y-XzrphEGt9JLWN}6B5xTT7{~%8d zk&3`q@iR<=b}GW*)vd=ITNlBjC=cWs`;1RTO|N7b_kKNHXkPaTxw}p;y#{c)zzGw85KUBAZWR`0K%jo+ zOe^$HR-MU)U{c1f_Fx<%z0N$6m5PZNlQq(aBaTDt+fD>yf<)|}Jbu)a-6U|>MA7BM_NF6Qx4n-1K+-!*DRMX0YiE+ZLUve&68 zL(MTFfCrkb*P5ojE$>5ts)Z>4w*u8Rg170vje3RVM2ztTvjNyUhQr_DC*TS9%+k_6 zO5xNn0oj0zzrv`aN$X&(!g2;dOl96tA0|L){vLd1V(@zcFZSdNj)g$L*ohK|Bgx2Zp5Uw zh8~t;W*+*CzvZCKrqp<;DZ+WcmBuc9+C!n#Xi;e?*ni8t*pK;f?}@9I(-IeHbture z@6hAnBg+<|-np8^YYW{&aoYz50(MZ(Bo2Yoh=VQ5ch}aJYS&h0FWnRY4FjcE27l1* z8eI0y6!Q5j*Q5G~0p$z8{l70i3sspMmA0kpefOXsc2E5g`U;FVb+iat;}zq#S384~ zwmHc60yUu#%RUvE&S7CJ;NmmDlYpza6$fxy6Lfy&F~a{rx+OHiKt^{rx|N>0^CC@l zZAa1c7V|-&WEAFzQ530`dVQz*znJ7_ncv(@6;m@psFr-3xk!ku3J>F~t$)?xCxw@l z04E$h;Dce?NW}X}w=jL;oAR@$n|#4S4;=*Z47Hx$cTNBhUcGF0?cLeK6s{Bi@ZnAV zoUNc&o6#xNITLj6K}+2iNN@EwR3w3~W*ZqyoGJJpbQ@!>ZrDEC0dB{}3#d+k1Mo6N zFfyJ;A`2!8px$-d{8P?Dmf|rVG=9^yQS;>j*X!m9!-wq@b-<)v&jzsDRQGtO+Z}Bf zfvDI~ls0vEA_;7jmJH2Bb2kgs9!k3U*QsqdD--R+0Vi40Pj@`Nr5%2@VWo3T{Ogr0ljNRQBdq;%MXgS@xCc3!%YK zVvDC-=WWShSa{=N?ld))C?Af1{YO!XmRt*zFe1Pd^D zR#nH?tC;um_NFevF#^iQbupQmU)zNsf!>H7<3rTxV_GSJi!dgz3XaN~`ja*1i{U%& z1PF^6u(LfDT;>+Shww42>O$>uTOn>15R*4}<4!%}W5Ipt^R~|*g9wtggq-;DFaBjO zaTy*oS*HzHSUd~DLM|~9Z~Q(HpJOYPqf&c7L%}9svc`6)QL~nXqc{{m0lEyw+USZDxH3!VJGcp@HBY|k#z#1h11w0RjsrM>kUf`A zdmUu^XMAb4TceFzS~n&f@VwxWb)FbYwkxI9kxq@O@f%ubjqlPz8Y`T_y;z{{c!Q3P zIQANIUc%>e!|>uO4Ji<;svR(RLw2|O$drcWYea8Q)ThEAP;_b(&`M$DV|>$Nsq$t| zKE#+t8=>sPmC9`zEpPp=TF#3x?2YzTGiBFSoal8bvUF+C?#54TZs=t2DwEL zO5HUO#!y=Y06#NOkWDEc*aG*+VCW}&{{i;?rF>|hij2cq!NM=}QT%}e_E$Po8C=u$ zO!f8U0~=*as29}1#Y;)3M_5fP6WLC$0S5uqUf)XU@bszYMoOh1P1qNNj4>bKwE5?X3lVXJx!>325HKi4C`rB=SghYrE`WSnq_#`J)u+3WH_l=NGn2Xz0Vh4;hH zd=V+JMO>(6Y>&d6Zf9|!jE}X$CBxf+_%PqPobK3mf@UoP_vf{pj5!PYAL9VOTd4TY z0T+G6?)}R7jr628=%l_mqFUUkAV4}`(U3mqpc88!# zOnb)fTtk=KxTU$#49B>)!Sqiawyd!s9idPiKil~z(>HJrqz&^&f85Ed+LCTO%nOd0 zyVk3TYROs8tM0;R;0=LeuH_H^XJB}{`pm%lxbu|jpV9aGlkorZsXt&akhSc2iNCai zN~2x=cXT_Av~BzMr%kN&-`VY95;K$bhr2tA+x2I_3k0`!NP!Rkjz_=W*FU_M5d5s_ zy=TJhBC7M`*5=>E-O0h;v);|c+1Z=Bw98SgGtV3RF>BJ9qf?jvbGZL)Ny9#s_c>~I zJ36cNW+iq8z|SKoSC$tu?IsBSwRoMn6q&(A=a-LW|MjTHptu$Z<}~uwI9=p3$M^0g5q-4mO4d}rV_%QStfVzOyMp?hOf%C{3c5&l2x(i;SV;=%T(4hofE2)RT+Lt zG0m~@{gX7Q*Gxpkk?&{Kc5GrIhc)jIA^ZB?^tl0JCF`ko%ojN!4jy6p{9CU7(ilah zLPGq-P)v?(^<-$cgz+|**~!^&4HW-q*tKaZtm>8kUn(M5WMd`ZTYb?*u&{^tCFw8`Bf|HW^?caY? zAJMBtd7k)a3Grf;Kel^+UjVpG?-ZSU5*P=d!mS-y9+SDt1GsRip=5H-QTwDQSBoU+IB8D3ZmvM^Q zNX*INJ!6yYR1kk}`Sw+8P)hJC`1>73AQ1KHDovBH+@BqKA%$jJq)LO5C@T`GPmxM~e%`xvUrru?l+G|KtQ zp`MBTJh}UHScHY>wRmpST?X`ZZYAk{hH9r+?RFlTESU2XJEM>KvG_pO(;qvyPIAp# z#$Bo(q0De)*6%uD-;)GeS7cMjs^cXJE{Hw@f!bs<#9((wzI3nLKv#(TWOW?jyS0;* z1Mt9NQZHEy(^bGbt|e9D04~X#lK?t#Xysrj6+_w!W7_Ok!VKJrx2FoJFFtqTCH)L& z_v7W{l{k@*(h`yldC}T6B=lO=>4|07XZQ{7L@W-weB=w7OV!sA3_T$T<&dgSL+n^Z zq*X*;pxKWh^dA_7bmDS&k6z8c?;v_ooPhD!=E=Eis02O(&tuw0EAZ1*2e*h9u7zFK zPkt^tdClYR*UV#zF1=qxV*TanQ?rK7r8umQTMSU+?*}R?!_6(SXu}KicBbTAoo)e8w^77xRZr|br( zds9dyYzOLmQKxasEVEC{o++$bdkjzq+w{Hv)WI?v>_;Kp>m#^2fH4#=f?zPQ!dIb6 z<d>*2QaR4mY~e=8&i-kS73=ne!oi&%qov0| zleO_I2&wfFR>&K52 z_~8vVl$2`R58lIuF@O@>;I9i+;|>rN&);aMp*#35!Ce+kGxzdN zu}Pm~$5D_LtWu`(h|+(Lmf}vBJokKim*H;U`4kbAsCmG4OAdNPu4rX>i=wA;($+FnGxHAox8`N*!bW9(fUi&^LDI%7%tK&vKL+|eRg2`&P=d=;_mVww5d9xqU|ts>h##L z7k@dkBZ%vj)}oeRy6eHQqesMO<&J^fc$WXajtZrvkT~~)1e+-@+6!x}Xz0SJO?&h1 zZnOTV-an{h35DI}8u9+w!Y#a~WnP^#A-s_3T;U+h_MfA{??-VFnj33xbr+*e%R1FO zha=lImW~&XfQL|M##Ma_K zVVyYBBars^Q!guz7^rF{HM_q-{NUV%D59rj*|q9@eko;Z(&x>Fio|d)BbMG46Dq1} zkZ5_bNO#Nn+7|-Pdp!`VK-Pw_TaLT%P`x~~!f%^%hv=K^F86ZM z236?7jTLPyXn~S9W0!uz|9H`LsUFcFn4J`ca^-BTHOcw~Ug&Q1N|_)YQJ6#TgbPp^ zkBD7{{ZdeRmEqB1ZZd-U6J%RKaOzBTTpit!Z`$*6PHbyq)GSm+Y4nmgBtoZ`lPBtk zX`P4k&tPC2(Ra>+q~T%d>fgPL{7E{&9fF~*3FmhrYo~7O>H3;&ENm8fZ@$5M{!|n6V(q8>4!s9}?_ne3q@1-i@wAIs2e_?$ zQ%->&xccGba_&jf6*NWeJu-5?z`}ONPK!C;k3-2ygEQN>B37Z9>*yD$vWm32NGlzQ0FrT2gC}q3t9*G@t+{isLhpMN_BPQ+L z)y%?5DEf4Vnr9LPj)9}sYu_`%m7f-x^&CgoQ#G%F1NzUo(C9S=Ma7mcP>E^u5}I1U zxw@%CF3k|mZ!sR-d__w#TC}KbQECCZU^ru$!YHnue`)$p{ny0C*rfv)d_puT=4ww) z`ZPB)8>(KFTX;HOA-2p1Cn1|p)8omPH|pfNuNOoLgy3)i)1LhApBvRvG!^Oxcwd>t zJw;uF@_QVFO^tDoBj3?1+F|;1wMDA7%>c#%saoiJv`OD24r<9mHtrpI2+m+ed z#G&!4aIF=_b*qjThZkr51q>@Vw=tcHo>H%s=PKlBZXk$D9$Y+Dg1x zyP*@?HlgMmfu`hGP}Ry^KM{EMj9sb;l0I8TYcvvVw*ck7A$k(!rDT6_Ll*t~hsQs^ zaQk=lGp{ba^>rgKT-tBBH*Z!r8mz zb;R3$hQA-TYP#BKj0&P5P6I+vZ2b7IJ`FIvBd*ETxp{h1QkmSlh9u$WZTQeGUhR?T zb>NH=3cLFg^ePs{HsXe)p=}6BgS&R$FIF?oLC~~ob=}26GeW+RN4YvlYp@Vk9_j7N z(S6iJ3TD2gm?wR{SevJX^(=W$+ zoKo(l+^Q&+1_?HJwEtx{<^f`+t#{H*G!85q(ZuJylPZ{WIbrj5Zo8RC!0w;@DcJE3mv1+)I|7V~Pg%E9k=qZN& zC}krhrHeKvf0?Z#)m~m?ooJs{!Sz!QajkopXeA0;cf0=zbFC+gB4F!AtHywn|2^aF z(|1^~@m=y{wg!gF%j1RMyZCc#+0|QzYT;j9F@JD^HLAAyr!n5aOhl^62a`2@H8;;9 zydtR`cn;~Qj3f@Y;02vpJ@^v!`0-58i635^OrM=4>sq)@G@qu*rgbf$hjr=DuHrrY zs5EgIBlFQqJ571*&C^forq)=%3Q~Y%bYq;W4ip%EbA{Q9Q{2Wd>q+DV5 zFP_#&G(_n8;P#3*jzxhGXOGtcWOfU0rNhhNRQUQyhq|u3UwE-LXMMjt?P;%sW|0lx ziY)%0*#7Doys}@y2=1fUN>SM--Phk^!BnankzZkV8`7)4M@##f6}X^aiiE8Wvn^96rVmm|VWGpjSS3!LK{AKK zaM?qAmELtsM<=)$m@8%utA6-Od)b@GWHAh#+MIIuyS-ZERayE!x~rNM9%9$_>sEG^ z&pr4Ic2%vkJqBt$7MCO`JFUiz6Fv0o^EFq(?2lA-rq>v5NmKk6-eaBLKHZwNS87;_ zTYu5uI?%G|`-fuQjT)Zp0n>S!e({O>O|gYtwUn(_!1)vI2)I*ye}pPuG^G}8&WZ@R zLpGa&I^u8BJKMxrVyxB+y)wq?ubG|(bC^WCy>H?6f2>wVa6 zn=9&wxbUkKadIuP&Ez=`yT6AE6$M$4}Xur{V3Ug zDIL7_T&0vv{2s@6_Niy7kGbz)}kxeXs{J_aiaXG+cl8> z>q0Q>cy~@FvN`z;^t|0&sYq`dn(%785#;vm7*EO4gdW4d_4U)caAbzV-k0~JBA!(p zOgyomeyW#Sly3&Rt()wt^%M1;K{L^|ZP&T<(A|HYnbiWmqcfXZx2^|K z6iXz`t2fDR+grCAxlezUm#vJk_H5V09|nfJv%Zoa_(gxE}B91y^2&_KYr3 zJYtem5ONI}Y`%T-))O>96-Dj$2kV-9XmxCL9m9Ci0uj^6t^Q~d!BP{!GP&t5;UknD zoyi@%9%M*Rn8&O@f@Vmq!P)VO$V<%x881W?$uxOi^Azy>we+PIDe$d5@ZA*FIGDzk zFHQ7vb*qjvDUGqAL860Rh-AcDwqqf2L*3$Z8_~ZbeA?yU#v-NfGy+GziAciUI7=w~ zaka`I82kHA+P8M6O)Xl{g?*kl?ZqJeb+Ngg_3k7d)=woi8kKeC1Vc_@XRM^|YA=f; z9LQY1^7EZNE4niDEhI31Y$f*5S6GX_$eB_~!%(EaAV~X*=uG}nLg88Ip>HbfqgO|E zpZ}@n5o~h{HcwwnzJ+aH9>oOzzWNEn?5HJmNYk^y8`ZDkT7*KiPM~dq0s_G)>rY+c z<`WU~jY@X*%3gz5hPz?W-P_v+>tc^oap%J2M_7*Z+5`31+g6lbjobtbeXSUqjwrnb z4G_cLt+S@3+s7oH+(0 z{tz}R@Q4Ogu|(zt*JBILnza$feA7((go*;aaTy-Y%K!w;t3*=V3rqp$@t`b`PN&iwcL9_{2cyk#>9uAG_Q z!{p+ufB!?kt3Bg9Cf2P-y)o5Zop!ikfZtrtEG{)X?TyOI`5x{aa*Thn%QD^+*jXAb zzrD)Oyco<>kTWwYbQwu{lP15-#uZaGUXf!P^v&eGlc_VV?>XhvvZ5bMTrlWh@a5af z2*(*;4lcdyh<`GZE(J*I!57Og zi@U5>*&&#ST?*J3Pa{el`8LDECiJ>wUkcVP@b9%(@1>-neE&R#sPLUrCHEi6!) zytxOjzksDxg(!YVauKaN2jlVBbqqRW-2b-cLLmu1mk-u1ON_6RGSp6mfaPD3gZ*W!ZeM$f!ES>g4PmKhe! z{ko9`t4ehTCzQ|DF2a{wbDChNp~Ts+N4*XWC__D_r;p3CUZRr>q;vo&B%d7KWxcF> z3#0{(>**u;HtB>Ww&J*~n#}dg`STDJK&#G{6%{Cetst`zrB=iidg`S`@Z`Qwoo*nF zb)=z0!+wCcE-bYaYzw4$h^&_&bcd(w>VYa-GVIk+7G=RriFBmVr6t{&uCDlWS&ZXW37uI1Nv`5Dqo$D)|Al%D!DM5y3XsbK35TXFEtw zhIVHV@l-TA826~VqyU*XVYKi)f3!Y!O|E0meiG3KW(Z z0pk0{^%mM+9f$*8Mg1A51I-esv&A(PObXo)5 zmOR|BOHc#k=obKTTmiK)F9W1(qyeOO0-54$foe_^;cH4_{rOxWB20{=t=R|3>CkTK zIG`01Rp@c+u9(vBU2rwtB*NRJcx%a?ga;Usp1@~8E=eN|4JeN0CN+oi#abYHnln(_ zB+!dC2%t&b_nToJ;T8+(3;!3=bFw`KKBYF(emY|Y$Uf-~WY+<6-fAvrSHL4Ek25xb z*cwkDHc_6_xT!Jj8}xj}*DHY7T2se#U>r1)C#H>f9`tu^P}W|%Dqh(faS zR9y290#U=<>&D??w?KGsk98s1m2~_FlE|XznPvvmbejTQZ7VOBJ@~f!5bhTEZmxGe zoJFqbHEB6OyzH0?L}e7{rT1EHfBmv0kRaLnm!LFflI*hJ}_Ww2{lElMAFbEDAMv%L{4tDmcrRf7qob57SbBLYKUn-yM`4 z4E9$)ntNOKjdB5Wr-cD@7pz5;wiXw`=R`=BhogE#r^S1DHzNGW&+-h>uDkd-=j{o4#?$aar4OD0 z-q(7^!@De`xcAN$tl**`TMb~Mq)h|eZeF*Q*{ntF;-!ZCEwp!>w!y<`LyFxdD+UZi zEV$yH3BI*E+BYJR4c5Qon zN37gT*NSBX4Z(Yq2k-o&cR9%nL_^W3lLMi6KS+srB+CW|W-9Xym&&{p4Q5^Y#cY(Tt z8xMKwu83U>g_T8Op`JoEurqAj-JUmqw%xA%@1o}Db};MyD(l|oU+eAJant38`^}q+ zXLklmw~Z^DO*cq^whF^+zE_3$b4R4#S$F#c|3h;lDd4}b>V9%l7 zG@YZ_hf}v`upG)jWJ;~Sv6e8plU@`1<~h3fbM*eG0L>EbCN$qyvi^8aKRf@tLJ{B% zynA2pp`8Z!7xM)xDBJI6jQi6U3?dT|CRjaon6eQTjJaf1KlVT8L8!^(NEvdni2J|j z1OIm%F!phpLlx0b8Zlq!l_VIId6M7pukg}L85WX|J)gpBCJV9GryL{8R>wr=LwkkU z_{?p3F-$q$C%f)Rmr^?(zKb?qS@z>ln-(j@NM#AWob%s3PQpBAMvaUhM=r7=r&nSz zR>3{elIr!syssqq)^eUuWcgWr1Um^eUEwy)F3N$n`IxH0d=DP`QMd&n)W&S){d!dQ zFe#p^@{Re3Kk=h+s$ZL=tli?vS;V0;WpVX7vytwiY^LzaKM5qn(TUdh*ks?EK|zeB zk42NiACC7_M^}RTIV+7C7#XIlhB^q?{$cB zZTSx_hN=#q>>sx8bo#|<{hqF{fi5{c`dnfjOMw4Tlqj(6q}Ca~^_!7P#++odn<5NR zHq8dl;GjLk;5lM)L1gr88xJc_mE(b>F=L zCH*edK>d{}p?06?kOPsV0hgG( z-@daI^%Rl=zWUaI4k%y+Z4mnTHjuX(z7oTjcI^)s^S~t3DV67b-uN7E>Y5^}Ph7JD z16%KZlnpmp4Tk}=J}Wa?nGYle|Lyiw1aYwc`CWs%r;W=dhEX}n>5DNe2jVC*&Hi6h zj4x*yF(!IB9~=2o;^0Oyp8ZeHDSLhOw5+kMwp}t4 zwK^ELoGY7~0}a0qJ(3i}_6-9cLzibRn`De@$5^_q6fFLES{#kA*%@SQqNawC0HFkl z`&k8hPp4APDiKmp&=9^Ivq6`LB=iZ=Y{p^THqL&G{Y~Vo6qeNIL5M(gH?RwJWRo&YU5?H*X4-T=vZJ?{T|=ME z>zx%@W-$TbBna`5>LjtB-m)(sxB0#PPc5t zGzYVaxn%3Q3@a~rHae01GXh#3@CnIv&CE15N3ZE83wbvz*^@hM%He>h{>Y^^m<%B6 zWSCj`L%*#vjMtgWt>uO=#YOedd)GAwG8Ney|26;hI4=&Q)=Z9QNkZpCDEYk>oH#h$ zrjgB*Q>NqjSj(M=wD}~~>g8Xt_;UAstHgQ+Zl`RnnI#h>fRs^MWV}vSl6p#DNA$ih zUN(1~E5|?a(D2p9FfF!YR}(R$yCd{dm9qE#^1vQk2Nh2>Cdd+(1EZEq2(let$*g3|l&kFS$A*+8sA1K?sm1&>!;s<#9#75v87u|eRI($LNuGr=4% zvOUJPEeBE?)<5i`6rsW5A#A^9F0P&G9=eT`OF2TODO}iv1fpM|C>@8f2Q=DZ`aAan zm{YUKn@|3A0P%% zYg1*1x*~2ZeZ~TV)}A4e!x+s@>fs%pz)2K;`WyOS`rTOB;r@6=LWK2=GAPnh&r!c$ zq&3EtiQj~Mo%{%gdU1%`_T$Jh|q7DLvB^`MuY77=)?ZxQwJPdWM1}n%ZA@_a3UR@r9q%J z4UVPb{D+}P@idZ;;kASS>9bY`$A}&RM}+|@dB^(L&@e6jUsAQ?^3&CLj{BQQwVQl( ztD_df@{Y;weIn!b1nV@^oKb|lHSt#He_0`Mq2m(7gLr3?TGhK2$06$5UEO^`23Fsn zyX?icYzPcU?QpuAv?oAQ%Vx%%(=_~HXrwpbK%-ek6!hBG8=UTV*17Mguv1ap#3Hj<|EVdDwwhEG zN|>>(<@}+Kjq_kUHJ{F#Yy7qO#KBIm?zAPN_!liiXE_&9xgJ^8?Hi#O4eUF+J>wZH ztmTr~UTJh77XsjjZ7uIcXb+>l!LO3TUEsSJP*te)uX7jRE+ zAk)K~$Hw|hox#Sgo8%OjWXt|>QtMQ6wMqF?W3^))LAX~kg*#%FH&s^%8ulcnN1J44rT*L^WqS2O$^B9QEYWwV5nF(w2o1t^52 z6J@dD#SCf!PWsq{<`2Oxr@g&`F*6NQ359m!PW4&ZOqDk_IU`IS5?9xOAE^^yDjx%R zt!$OoG%a0;q6|sej6X>jgKRGK+mzQfmxS~%?&+!el@o$-C2m9mOEq*biy{3} z5`oW=>xPb`AnjY5S}2w&%W=H;k6>vfoQRuxLb4^YvFk*hWU?z17Ay85LGrl~-)fU@ z#!WqPGvW)6s%I6bA^8vNc$oQ99*j{fGVr_E#ffP}iNr1qX;WERyWiSxq^#JrFFr}5 zu;T7exAzQ)NygLCQ*Kqe=TNXRefo_o9%08YENruzJq}vfqEgBasL9isP;#E>T(l^+ zlsd-Ik6WR>R9BdLk*nA&yVSiQ?_4beD5{s~@x+1`^HPQuXAAs=>f*mpl^U-k=Tg!* zYPMjmG%1aWN|li>dt&%Pgvkdt-mj6}ik;1%w$Uq@B(cVE@qa!rR`Oo4`6eQ$7{=m6 zbxzG`*WmR|^qL)c^*SQ2d(w$7eI*S4WbvZs(7-V%0p`+(K=32p>ujEc_-eU48?LwJ zZ5x2Ute6(k*F2b)J;fh`2XDbr(CD5}bw9UHkVPO9eW?UV@-q@(vv57{o??tqUWZ4G zcAMPOInVrEGy&aIj00@FUkRLMHoc6z9KPOF?YC8Op-IiA>lD1aNds&Dcp7TOel5hO zx0qk7yl#wML6+VN^dExnjmrvK3o*I{Qh?v&16&;dFtH#ZyIC z$(J7)-(L&!g0}u~wc@0#r81ew^Gp8Y_zk|9!gY$e&o`Q~(TMpPsZl3WE8IMzTfu^) z-vuVrv6wo%r-;@L;S436@k_NlsN?3svz|jDm{K!huqhW5{Gpe9-<}N@m|#_=kA=5al|_aFLT7d?g}3; zI#y)n?eH$-zy<|S;2dc#tZF)zCuk_S))X?)1(s`$Wuhw7*>!rCa#+Eb(|<}h{J@U? zV#_OTYbH?S3D$f`vF_;L=M6dX8U{)_tS4kTjXmvItZ3f-EiI&G*6g%aQDB&11ihf@Vx*Nb-wZ}ft&q`EW zg)BW3KJ1Phm{}>rCBKojdC1u@$)W#;XbVj`TN)Me2QrHxAdG(A*Mbt4!nc z^$ScJBmy(E@1|wAI{imxDBK<1U0g!n1Q9=aM67!}qc~ham8DLL#&XhKW@>R?MyV-L zsq3S~LM3Jwhk53bXoEQ`$r>(0K=8CCvv2SO)>)ig9-lxeE8U8z#3b1rkQKfL zLV3wRC`-OH5B{{O%yx~h{wEwqE+aIH82g5aMWRqtm}|igtT?Hy1{oc$6uEQq<|!(R zzjSIMIXo#TQf&IQpV>@R|3$M>)+s|Uy$)K4LMAHlOe9>pyW-{wl+JYGvWLfLrs-kU zLj{BGY;R;9KP4JB>{QZ2MRZ?-mi_ZP;*nAzN_| zG>p-~d2`?`C)(eMhHSe+{0*ZLTR=9bb~o%G+GKN;Ie{G0B)SW~kT11eLw2mAzq=PQ2!ZyzT@cJfi9t9?5 zCadu=IxwqYx@p4BX~qk2_s4o%Y358ko++W*m;AxAB)HGXF_4MEf+Az`X+Y<5cg|v3 zH!dAH0*iYZu;k^dGuc$)q@l71NDz^N+RjM8$I3XxJWnlb>)0{Iyn7~r6Xnx26WOVt zV&kCQU-JgeaZBS|jL+)n=&+5$L=|l+GISLN@z+K9WRZTY@rZ}S?4)x-b3b*;I;id5 zxT0yW$k4-xGJpud{HprAb}EH#M35r0wm#RmnZfp${)p6k_@aE!bIk~P)1i_ z%@WxZnz>o8+$J>q^kn63NgdM=)Y13a9>h0 zxf2U9svww58;3?4et>f!5f?x-8T}>N+N--)4TseHMm&kwEP~F$l{<L*L3ihLxGX_puK>xmz-ZNeCiM-8{7HZem6c27xe@aOP)KAP_~{5hv7 zkb&>77>?avMnY1!)V~L}@cjBQ)e^fRrqB*{IOv4EwQz;Klgt{^eh`XEZ<3WZtVDkx zG~eV`>^lFF8}H=`ga0&>=%3)Q?l*D2sfbXLg}-y5gB?s16yi}g!1aGZYslyd{tVeB zxy>}d$b784tlGFwt^$uB?x`(w09VNlD@Vz9bWxHOH#@bLb_&K?!0@TRuZ=lE-a zu#yw=xN;_0JCzwbza)7Lu~K_GL@B|`jYnFrGWh-p`YJS1iP|0mvZ>6B@u}oDv=qF? z_u%Vilq(rOf(*#&D9mv%Jx9QId&Rm!#vo6&K^-i`r`GO}8alLzi6I_o-TK<6YsKV;hlI5ugq0-#} zM@}Ip1|kgK^7xvqmkBP*OSGpx)JAs7;QhDu3s74h_a#{|oHi=!)m)F7+pE?*gq|1! zErJFK+zDPBboq_IAO=5ut%qm4vVv0MsR9-V+cy_JdxKyzZ2{7*{}F3r5yY^OpSg`? z>WDN~zDMVrHJNN$YAs7ttX_|kUcS+Vb6Bb-vlaebe1f-iINTst&*uABg>?{YpMjYx z0l~&-1SP}R;y&B4u;OQsG1RP}WwT6E3}g;UAs@V`ry`hu+>$AYlqbL9_Jbs_4}Jzs zmCyb$Ra6q!DO%TTSH4s>ANiIJMRgukuArg2u0Jy^cCqg|{>OZ@f!1a~$9%eKA@9y> zfImk{VF?}Ur>pQOkpqm1;8br2nCnaZ@G01!*<7^oVKlR%<>+kCL9u^bq85{n(gs#j zk%^*_tKdvvM;M7EoT&U-67HcRr+92LW06{*i6c2z*YL}{HK8XOB24fRprNqdRHC0f z281~DThkIe5vKc7&gQIX$wHbnU+->KR{^{;XSG$zI$jC13mJGt|E_FY9S79Poxt7% zp)DTg^|Bht*y&d7+DJ{y<`o1U{@XVfO9h212cF5i$^W6&VNFJVDdZJ*eD(>w7TO@N zrwJ-Klttq~i{SG5aLK>8DjLN|0T1~ej{ItalTc}cvNU1JnnwfZN}j20{>6db+t z2GfGXprFO<-6-Xp8-<<#XHG;&==)<5`f@nqjgm71I=`V=li1hkri4?(x!)TMvfxj7 zdS@9;7k&`D_k%qRYow=op7lUDqgJldv)~=9v-^7n~{FMGPrfxVU8u={Sp;*Wpva!4y9?2N4BHF^fM7yQW_iOdAfm;3Es0!F;`Ky z)Ko(st5YBsdGth}`hjujw_oo=3wg3VKUhe-tB>m1knqo!YO7Nc!bn|i6QA)p-bnns z12u<-#M5yr3Ns%%3xVCW?LYtG_@!M4~C>!MQWUh%x}m-vR7 zA-_bu)QqX!TQ;p!@hoP>B190zs%m}S4QCa;ke+o_Gte6eM5QiD=hSO~{&6bi{>1@X zvqu9sXy=^cM{5lzEb#E!lQ2*Q1>L|(kDj46OGm7{5ZHfk`MvUnY9 z?Ui=p2q=ED-dWpQ>SYUyNJzAoWWQrxYy;Di`<>xB37u;cK#bGNBBm#b1-BJVVmPV! zp8^4T`%6-j5ant9{c_}Y|2olkzr!?EVLfkbVL9pYz3SdIp`=bB^EpDd-2$zWFum7XP8%`$#l93x2`4e4CJf2xn(c)ZNu$Vvs1JmB7nB%8} z=%pqQFpje}L7fBW3S41-T!owbi1VoDS|E+J!OxwdP@|+LIA_aQsJQpjSpv|}C^2!e z!arSQMTZ9x0mEa#tsZ3%OXD(j(3ph)p!W^r?bcU{Ds*OT0NYGAIDm)`b&<`+sU zN%#km5|30T+51bGd10_1V1*#gMxXc-$wvC+zw2iTx=!hHV_4be2!a{VID9vxWBxO>y z?3ly??T{P>m^>pVmx+=|5gNG%2=)bVKlprhY5Da75P!V28M~kMV1#owOs3D>e3-)` zpvHO@2@F9s1L;^WomnqGK#ddcj;fxf$ZQwAE>i_Dz&~a(1=vBXLjQ4%ZEx`&pMP#r zQOVqT1Fzs>*dl_!vxJNyWi%Tk(WJGEC~^V>sL;Ca!LSUTC~cAk1I5FnRt^; zz9CzD@}G8wRAWx&Nm8Ty@Bkxjn#2k(AgjG>)7*g$ZJ;~P6`Taj{jvJ{J*GZ|4O#H8 zHuFXQ52HB;(GfYSXa5J{o^soH@;>Quj4XAT_|P^fNx-<<&dywz!aKgRU$QI(uA`*Lm~V93pp z$ZWr}Xl&YK)Gu-3i4R2#^b2i+mzTz(W~&%1kmW9G=QmA9qXEKi4KF$AoEwIQ4oahy z^A=e~a&7?6#&VQ3L({EzV&4!5w>>j8so7aSjApleByuAVkYVC!1s;LJgpM)0AJhUl zcj#^@#LxcRl$XVS+N&0bzuz0FtqCeAMrFU^TP zX|z-EV`f+jMjPYh_Miuxhz7YlPG|opUo)w2d6k$owz`vY1eWZK zhQv^CKay}Wex`#$^i>*~Xl<_ET<`#rwaqh$Rcn&O+3EH?Inb&p8E$mD(G7o3hGt>h zB0o1_M=VNf&aM7i6DwyCv@s)Q)#j|PQl~>BC%R)c11JLGs+*rp$sl@93nL10gM38O zUe?slrZS!*8K=Pm38#sArT*KT7i#y@-1Ry&p0hr{R8Y4}w1giKtmgEM~q$!5${j0p=bxRrCt4;XMdn#Ix zw9ibL-wuvwWgdL-2#AdZ25w>>TIPUUM4PGs z&zRYTuc>LUx#%zu%mqAU7t*Ao4w`{NdiEwuXCz?klm@V>Aq!It;K2Ceu;sYL;~PrQ ztls|gG`^+U0LCjmwdh!((ysF6=Ul$H_2e;&B$;-#A}L_Bjn|+!8h`=!tnS@-O*Q!nB^kwKg+3^^nbI*+R_lR|F zYszx~8Xn#is%*@I;JBZ`$#GV&XU4l&?U0gYeN%B!E8Ch@!jJ+mc}J|156}}97Cg7g zi^F{rv14{BzFl^9Fg_J(PGA7ylVu+-zsU7Tldt;zHrKQlz=>K@f5-=Y29$N=I}C@Ezee_x|+ ze!w%f$hv4zPntm|Z(r-&M>n2y^2VJiB%9DZ^NI0#^oKYUa+*1&y-S={glOcfM4qml z;F`O*TN>{w#P2erU<#cZ{~;!;R2mCCRYR~jrB`8tR~aG8&k1{2BO?sBRs^^!+h&8! z+$65XR~g&<yQEd#6B!c=c_mALkcLtRgLq4dFVj?9Rez!w4Ig(XQvBgx^jsa0SuDu#eD|P^ zb^)q~I%~oX`^!kL2Bb`kR@wfjXglMiX1oeAK8%#ca;MxBAG$dp{`C&6SvhAKGdi{& z7}LL|BLk7dFCTpBuTZTD32J#8VFEqDG`XN#dDIn7Zx7+F+Q+3XI>M$Vm6tU&rq2B2J{RoKg z0jn05BVz1=(i&Q)m;y@FbHP((Oli}8EAyMjI2l^o3G$1OYz}@7o^GvI>E@Yg zOvs_dTDJ`jD>sX8O+{jS%hGxU8B zUrtU!Q09hv2Z~;m-kHgoSem>aO2vhe^}a^>&b_G+vmDCw&U-w_>1&Pb3d}i)zkrKjlv;M4A~!!d-1A-oz82^4X~c1j)$pUF^z>-SeR4&Ors+mdF)9KZ9nH6=>ub&J39TTc%Fnbh5^dFmOG%WRzHr>Xb^s>mNcqsCt(*u#cE0= zJn+7@Om;eBoJP*Qe^gFRDE#e42L0Md1Xj|K{fG0dOV?*pzZWA{;y|UqwWGi%Vm(L= zxU^sYr6a5{dH{$V-f&-B0^u~*b2G~|Af&fe)a3UK@GT;jhTEnB0spKHpx_V&BYtKA z*x~o23Cq8B9g+kz9xBq>J=MvpxS2>-OBq`X%i4O6@*IV1P5HruFp>@8ed6Ah`v8Tx zS8pJJ<(ISf$K9EzYoV8BmoJ|0{%T?+ZxwyD8vNy2^T(YGkc`W=_hX#jS_2<<-c~H= zhAG40>y&Qp9rJG~Iro499I}HhEG2XLzfuUeA`m(M3iy6{{!F=m96a58#zD;^RLT=2 z7+Z|a#^GgKQ!E2bav3@+YpNnXzZ^`5k7gNIImG_xA9r2@YL4Wen5R#5QVN_recARjjW>I?Cii3v^(}`mUZfsn5OJ7|W8)utj^Fmz7(l@r| zmslFbjywQ+N>eYjU>U(H^wRlZBNzi@o^N-4b_`Lf(vi>1r${~fI#b* zS%DB>c**G=fw;92?9X=Q7>5JWa^Yhj&__};F}pb)^^#Uc-Q{|~+MBuRDG6gIX4mGN zmHDaaddeP6IuE|_+rT4^Q(N^sxOzA;o98Qf^2H0Gaan7V#8yS%t4OIf+IddcjO4}T z^GAEyVvqWO5L(G41wsC?x+-G9pYf(+`n4HSX`vpom{^cFh%f^AT+DkMvIL}r7SMErXJRB zZFHDcCpt`>J)}t|Xqh2SDsA!-q@6iZE{C~z;b5OeC9{;va|(^D?UpZVw1>LO) z%={Cbv5c`giNAv8+&NarwfjFO11t5qD!Vm6&FbNLY5#zl6BjEFL;ZN?8Q{D!bk2v> zt~NW0JA%3gd1SobVoK=YpOC}l`+svDHCA?9{On!8@ZbojytnPAv}Hs8@nnm2u>ZKG zaBqtR-+wF|y)@vhX|G35-2?nd=@0&DvSLE4f;@lR{t{v|N?3&iw||uUzVnD*aWP`+ zIB_rY!vuL&?!#6lBphwLj}U2@(j_+{$D+u1yS|4LSc&w`&M9iutMO1~t`7AtIwL}b zWkX$!A`FV(|C7raT}jb~wB5nk@z8|nANsk)bXTXBJ`%2ZOCu=|V71FnlNtUSY_7ZC zY)_}#%RWybzITgQPmdp;4k>&te`G!ECAB}TEjz^ctY@W3m1J{7WI8fqIjIymNij+I?eL!@_l@aYQI@^ZNCPV65okFoju)C z{L|j{^f=T0xO%eK{+^=h?{V_Y)w1`)P`&TfTy^Jp4-~dNb0vnX$FPy*a~HCFe@wAT zBP29{p?SBD<@-2f=gXpW=L?jIB0s_p*W-MBPR^bJx7~Fq++1<~MUags-0m`-2R z>yC`0)W5M+KBP$+KA6PwHQ2x zgq_x+E@^YR-+8Bn?%mQ3Q&=~On4;}&*F~=)5a!!XXY4L`QrFskC;tdg;Vu{{CzRt3 z!j^SFPiqrt)BoVl#@j1wXz;mZGEF3jZ1%Ed9p#L{Zx8GceUJAwME#a{R+HzdFdw!i zKc?X@n-=>-i(Jps^wxO~%veVoOkqcE9YE2gDb4S;JR`gJ&4nWj7nc`uO zse9~wNmOdEV?`(m_-UyVMde0F?IpNGWTl#`r99O9_Nr7gRoOdu^Mhpr6E@hG`!*k2 zvFE(esA?QmhIMxfA|2)f`^wwD^8RXHpmlVsiCLMuyG*2;Qae!L*MiCw}W`0XHSnL~@IcOoCKgk!pAg?+n^fYSPF_S*rABupXi^tQuA!=NUm zB(bqe1m~$?L1H~BqQU(!18toL90nw=iDYR*i*2QBx|{Dc>H4xOD{=xRUc zQn10o54`Q5>!vNz+n0Q7#U#N#FfVfC1~z={%wmzq?)C@1_D>W9HJcJc$>By;K`huC z-fh!ch5PGg?m)U8h#gAYe3B6j?7pXFW&9M46fsA~_7_$%>e;V*@GYW#OWg#{jCWrG zFR-~4zLkjIMSpO15pL7Hg!2bWBp802#+ED}Ir!)&q&P!mcJ375@N*E-xNIC1)*rNd z--W4&j?lCys&9{~V1;nMwZH$)_w4%HSFL^eKF~YAYwX9ZlNYky%s2D<2p+eJheA~U zY-KbxJhX^hu0s`7AI%Ue6byOG(UsnkVl@eKK-<-AHiJl29=C2BzAWPZ#zR~1X|)&1 ze_0CZ{CkG&IoZIHb)3p3Qa;txOG|F0et9oud;3oK;>NEziRYbXF!DN*<yl8iP&AM6K?XmnH=Sn9(qXevE++JTdWtp@t3 z2Ya=yXOZ_=TygD5e#D@clXY@H4D0k5)Z6#W)DL`^-i`z5cNC zNCQa<``U&%ztxm4m5MvE%kC04hC*K+$kME3lz`_hKI7!nShp z_d+-0Re-;^ za}8xU!Jv02lbP{vyT{7tC9Oh#mCun7)!n_CRM2+nrr25bi(Nla(NBV5Zl=;*9TLlV zsHI%@UAYz`I}&F~BHud-J4F+Vzqf}Sk}I-5Xz&G+X-Wn_JyH7AXJ-;U^~`T2{%Kvn z6{SIub$jZqElV(vc46@0C0fFEEq`P}C3AmW^WCC$~7^K8sXbdl=W%_sg)tzpx{#sXM@bSG9-)-1k9eZcx2e&)1r5(Ipos3m7 z@uj({T*j@Z9bG$A*S7l801BVC-LY{r48q2|n#P1yjEV<0WhCUPx^e7Vq`K;OuF)>R zF)*EZlNa4Tbx!w0d3rxpj0%LlF^KU~oy7Ph$Sg34k;9<;@f6G;9@^89o7|T2o1>Sl zFBGd7vGRZjbIa-b#^~V6Tl5==c>ecm+t7ckOR8S`ym^$7Rw4ima!pIJqRRy4wld!1 zUJ6YU`cMgzQXPV?sMn(F3fb~)*9!xd&O2tyUmatoOy+}!vcNAhmPYkO_Z%m*E2dZh z8DUdGtv{7QW^$bnj}nU}M)U^h@FD%IL($Kqt_QKThbPKPh9C{&li#?8u5>Nol)q%) zL`pNllO``SEnYUxhbU2}3`{?2f%-i~gE9E7Mogqm8MeP{PpSJa=^bhuT&olU?w}aT zM5Tml4{z2=r!icj6;jf2Olo$$)Zf@)eV36wc;K2xeVuk0+Lv8&?kL>7N4=>@Vk+fD zRD5z5vMN0iLtsPW&r?fj5)^Mjs;&!PU&j0sZ`XC}$&-Vx!e!06;Qgc)IPra)_%@9G zu2vnT3Ca31OM&T08RhB}9e1y{R#_ZP;Tm;@1&!?Sm%~`J5MHw4p*SvSd8FOS-<{$N z7+^(?&LFlhl)}jGU%3iuj6LyWJMfF%@l(f3ZB?~J%W0{gT+^|aTc#q{>Ryl3wRKVF z<_aFV^y_yLTp6mT?{eWBNp^h@sW@Efte{*Yp0AlDcN4)s1KayWD@fH$t*#>wj2t(0 z;RV;!bd)i9s+f$pV+|-z5^4rfBI7WY#V``~S)~a~l2P=dz0~J)xy1YPaPZDHRX-e? z(lGEJq9E$d?@eDu^o@Oj))?buCO-tQ?y)Q7kUMaxCmn-8XO;_r%&5x?M__DnHaY^T zmh_kY2!i2SP6G;33x4w(8`$HxohP?b;s2-vI2ko-kGy%yf_xRL!j;2eQg4feqZF}wj<{oY3#3s+)6#( z49Qx=>BSNzq&+S4m2Iz=&I@U`(jkV$m{9O#n6vO zvgT>NrLBUFbjD*DhMM(z7j=e{@*!y*_4is${#~0n@vhg@Ax#&NUhV zLhgv5kNw-VV%gO*ewO#LsOu@-`OUQ#6f#7L*E7!SRg*G%Oow9* zG13ScM`b@T(WTc-WX?)08rb`{G8#b{UTfm09JG@cHxCwmNMThXt-+C$QQX7&8V0qq z`5j((J+8?5wzzlm*2;$vjNSH;92CN+Ye>8YRtC}agVD5ghfpi->l2E~cz41}J`t0-SV)qq)7p0c#w}y>gNCsxHMT&b=MR zLw01xreSTW`-EbmljDA`cAd83_8Gh8aUH{`m2u1M0HNINiCyp@%@W!Z>)*RV??|Z0 z7ghMhu!0-24dvtSV>gGdgibSai7#IM(|F9C9-6z-t?^O?Cbc*;g`@IQTLg<`b&8YG z4?``~TCT{q%)ZY6L;xDqxlWA+Ngpykughvah>LE{Z3+`EbD#r z@*#0(Vq=~w<73B$zkI1&{RiVJo9}Pkr2mLdkNFyv1{&yc5F*aMo}&M=#y8{TBXyk& z=V`6Uvf8#9$MF#=+hdro%f)1FdsC?RpiBOXfppQ`iq0lT5N5XU^Y9A=2N(U6j(&)P z(7RmIDH3$>w~BJL-#MFYQFD!1U$XAOxK;U=hJ3L)H}4jVgfl>j%tUX3E8Ua^@l#XV zp)bGvUcNVb|GA(EfAVuk^+iTI)Eqiv#dZz~5<7mGw>e|<@Y?3p<+zTKJHp>u818MK z$T-f6o?L6=A+~L<$E~^Daw^hazTg)dtY?dq0c8ODt+NXOj1O2tQ5In954iB0J%e#K!ai1hn#mSd!(r}uA zT?>%@WEMEL3`_Ja>h4P1bPmKTZ8)eNt0mnbv8};D3;9jubH7#F-DQ`^oK|8at)s3LyI!N_`O#b+W@9- z@OO-!s?b4c5BVfoS288*t!H`-Z+IK#P1djCWiWpJmyDD#0+;X8EmWH0o53u@&0t{&Fk|(cvauW~pPzcnwOl8a zUM#$Pqn5@e+_6E2YR{ww0xeI0>DX{q2Q;B-U_~hvzLY+scFu~{J-Rs5mVS1ZIJwC& z6K$K{V7efgIExfDzLb`isfzpWCTUt;h{)bQ)K{0L9=C+6t1c^|yO5|yUrj_Ohu9*6 zW|l*JN2%;iEKY>XsW~oquezbUTU2=z20J+z2s4?M623>sxHdl(KSJ^%G%H4sY=$$W zY3*=rNha+6(w5DKXLHRhq@BCk(X|#L1Bn~@aBb*BkHOa}bqYCqgRr8Vw}~ zAG z7y7hBwBy&gPI-e2#6S>-aHDi7jxBUthqhgThI~IJV zTh;W!PKCU1jONGF1&cuQoo9106Ck`M@iM~HbTHj~-TunR` z&bOYk)Jz&2>E9;W^4%8FlCKp*^6a!z7tNP(gdR3+&%p{RdiIkOssz`GmCY-K1tqM< zEP8dJcDtq0UJ4p4jzHD-#>8Wk!r<*fT2{vrOE+BwgYI>08G)pxw4KTl02G$M|M%6u z=>GxlFk3A4!Vv6Io7Xzvg@ycMycg10d|5oJt6uFMMsrrvcQA zm!%bcP)?MsvQ{}DNS<^9iY!`y#@tJKDo(_I3rmC|Tqmc<##*c_G0m5Fc#ye)cR@%6 znsv?t%~lS9XC7ZxmI%06rFBh>`0c?9x5Vmfh&Ov)U#Pl#5A5^Gz6EMO*`(b%Z3B0m z+&@$J2;BAl33zy>T^iLlz8O~FE&dB0dR(Hl93q46ybim-lSxfI>j0Mlz{pzsi@N$J z;%Jf^&>R3fJpThUx&Raa+%Es?>fssvUtqRy)|ZoyY7zJ`wM8Bt0Q}F@|DfD14Rt^T z0C;%*d)2$r(@A10NR7?CJPnzdTKEqzOUvc#)g^J8oYMObFi$i3ZC!~01IN7OO8Nxw z>;D37X}P|})crIChQFz!u1elcD4PHeo`J5q+ETE`B<^PwcalAzjATzw#RPU1$v;ee zW>XAws!ehI?y|1u6GXhyW{>S>tHmDce?T309W(8AZ5`m~{~Hu@F|ongtSnh!Z9wDy zfO>F^CGV9FAWD2?{{cKaz}3ItKV{OU7Vdu@fo}iv+&%xjx(Wq)0b!o{H#I6i%>RIO zLI7PSYyj`~a{%(!&ta`%az30#Uti*TzEN1>`5(~3`;eyfaLDm2fd2~svYEqO*)s4B z$6>kSzHJ<=a`pcOF;-!*mJ3X0CGXavwIb1QJ_`~T%wLY^w#0>%#(H&PYh zFG5%kvH4Eq}ojA;S3_vrP7-VFLTgGnaFI%FD#4U&Vd>RZ|#C<3`RudJWi?gsr8%nFs|^vBr#EFb+Z&VelZ`vTCJfm z(TUa36|9GR{FIK|;V*MVDZMGCi`Kf*+2-y-#1a#(+3YjkaGtl;c)^kp=%v8N)K)Nw zxIAHzWd%KxYOLhj{un+ObfvDrO!Bug_uP1za)B4-EJl(kfgG9 zF*ioMsEkM4Ue)RlaHi$P#{4&+7lm{q-+6eX55>)wWF~zJucZ2bo;=pzB(<%80oGj?~&vXSq^Y++^~P+M@VnL>NJ_I z^izq>M)YwnI6`3tJCBxCDBa8xF|*Ok13K?ECtv{UQ{zM4I)3s{VAJV81S?QeE>A=Z zf)(;m+GuTedoDJJi1KoM4ms6!-fXqDAcF`9*OitFuGZ}9aYGE8>ig$boA`aZ(nymj zWH2y{JkD+9LUa|_DE~{V1Iz0AHlMD8GD*V?>!|5`WWztWt*al1mkM;l`qmTQw)|qu zdV?%@th&B-57jU}lWr+C((>xKfaYam464y+_dRU9Yh%+lvWuENPb8u1Eod74KitO- zi^n--Su6%P@vqoaZobPU)^(VFc++?0UM|hU4~vMa$Mz|rV{Y5_uS2M`i|Bo+BVkuV zuBVGe<=D0UDv!2S_51!uniy;@vmpZg3~lWfJt(`)1xXd_(+$r5eKx>l$0%eu$Dqh= zk`MIxrpvG%t_k-l#)-%kN)2Z|76%Q5r7BVv%-1!WcU}sCWBgPTJTKr!Si1TZ$$-J* zZ9m(Z`S5x@*KNeVjW!bdtV* z#v@bP*2|ocz+!Id$bXFC7N6_ga`_EpB8PG)*2yiN(q4b-Yd+{G@oA}P>SHmxb3ov+ zHR)nb=8Am+-&2{*i!g=eN00r4N9qkF$7H`w{o&xPrK?b-HC7imBUPQU9X^ip`99X# zp$5qj;=b>)P#=63HthpyS?h8AOHcl(Nq;?oY9qO~Tl|>6~ zv^VX&9M-9#)L~9>WZAiedUb&)gLC=9=~-X>BpPUtN<@}E6v%8u@_j$ErkzPKn{_={ zgA;ni*@i=U2YU?TF;aO~gj$Qp$j9>NW7*DrqcUHWv@Iy`i) zxvj;>G>%xK5QwU49PzP{wsr*!44xie9@Nxdv8+?YT0@z!Ft=I$(Ay43k0scNu597% zoW#=gJT%jjXCFNDgd<`mdcBu<6=FLnB7hd@DyAzc39^UD;)KbDSDk2w*+F03x;+Sy zd-@^h)cmrmt#$*wP%)}>Ua&KY2vmcJ{OaYy?%UsMqrD%c_V!x1xFm+_SDKb5o)jjw zn6*Iv(P-pM>I~>T+BHW>5?E?KX@_2=iA>ghZUbSJRsH0J;9`5f1NnL1Xuc`GapPy6 zHJK4PKbz~bLXFhvnId3q*WkwdlN$-FK<%4bMIoRY>T{C_O3dXeckZy=0*~Q98@(v@ zb!>evhT0#Gx7+V8XGHJsL?0S_uZbS-_t<Lq#Sy1UnWVZTovs8{T|* zS`|a={eXu5vl83;8eML}-#)P1lPpdw^z+Z=Wrx*=aBkugjI3-uXNKt&&`9wWYxIeQ z%rxZe0QHY2Zj7=tm$SpUFb)MCC(J=&TJrqB@{h0Z(s_kB#6-+!VZC!2mAKR|iy(e~ zU&y+LWol#gFH=X9$Zgat<=e)sBvEoj8r}&iywz(5|6b{y3_ML;XS5YIRn13_PfGR` z`ad^Zc@Zm-ZNC`nb|FY{YdByp&x-n4EmCFxX^I-Bf6C7M)buVti(Z*ysLnn@cdaJD zG(?zeWGBtaF!iHuWGkSv#tZ@JG&H>>)a^kVrZqI=A^lvX>W_ekf$Cr38M%3VfkL_p zk<*-A0rJE;i|k>4;P329HTnxdlI_adkeGeL+f*#fgBm4d=+`}@5zm9rQ{^NT-bP!$ zPeKKe)YPS!orP_Mf555sHJf%bpL@g4WL$Pc%WEx!NWdkB5@~?d`k|UAHaTFaQ|7x7 zacXDH9}UOx8b1qWlGd3i?hcv1#=NMkh>;k{v1o?Igp`fR?o8HKX`b9DL?qa*C}_=T zl_+y8bNqbGjOXu)Um++q;|`-LD1I9WB*>D`hb|7wn|_0bM95Vb<<2AR@HBuSvgJlzx`8&hn&oRW~fiB=aD|M?B1Pof3H~ z5;T_Em?f<9C0kNb?#K;8*uN#bPhqv&-Cix4iaJ^e4l1U!ucZv#2T z>S#}-kNaTeX|sf~W>eBR)aUPR`E!gnB;yp_fGvS>Qr*B}YD15Mf-$V3M(WadO4SxoDJA_gwABTHYRW?k=Eph=56H#towu5AnWYao2f5+G`~*# zgIEltIHm~b8kd8O&z|$k%@23ai@E-Vr$mP=69b!AiM~wYR=+|xC_uYJZvM!chH|A+ z5>Lh>*QUy7=rH3Wz>PrKN0dh{QZUxejkq=X;{RdlETiJ+0Y=>xic7KLQruhIp}0ef zyUQYryS2DeU~$*Qtt@V(xE7biwMe137w+(W_uljU;GCUICNq7*MhLY zO3nU}H!}9ulvb{^S0k@TioGY>S{)|~QHfqkce9wse)Wjt$YHEyoAW}LPq~YT)!>|D z>az7fZp40FPNNui8yh0T&%C4%cgj{9h?*c0BXP1ML{zDrRAz>^Q+m_c7bZ6-EkgB; zUs!=%kiWcA;pa~U78+xXpte|~?tW>o`?taPglMeCa_jKGBj(YlqQq#?Q^fB6&_c4j zH!eZhAA)94$x31s*+Y&f_Dm0mZem05?73Bl^KRU)ep%R349}oESjy1Wad75K(X013 zS_pK@Y$f?e8eY=Z8Y!Vd2 z9i^uzD#yX-S+m2)7v#9EN94zyD9o_a8qCi)A(XbRm+qYWOK73;7(-2NQl7zqjFMdRe($08xf z4#Oj+p61)`&2Q6kL;y5XUz#q}3b%aHm(<`RzZIIDsLYdvC&C;Z8pGSU#!L|hSM-AJ zf4tw3DxysoXG-fgT=rkkr9(6o+oV;COsNg+4-6!L@kdr21YJSFf7p2YC0pkCaY(|W z72rj^roY+!N;Q(a2>|&_b+y<2U>*X#dCxG%ln1VoTSOvgYmH#oF=~fUU_apC6p%AG zB>Ih1q~GKwk+hPIZ`FIy1JJ{&*~X_~{c70?^yO0Z0s#Nu(lOqY0%<&?!jRWq+6wB} zv7%MAA%^x7<4X!nzPlmvCS=8i8zMU^L5s#5mFXj^-JK*9k(ECVO}oZ68bGB-axF#) z-l=h%kxC9tbjK7by{A+ndGT*hjgOBXY>zZYi`^`O>)-own3tEMia_bxSaO_y+O}L! za#EjjZz5+`0_Jgmq_oz;o43}qio?ON)s)zfPuorXG8j;6bNFeZ`3F+YW{*Pb=#XW z0bkcMrKz(DW+}!Y8Yi_1Mz=l@nvNp!;0it^ZDRyPh`V}!>X_+7>W@suWyLlG4<*#ykd;=8RVmvS``lZ=DHnt^T+{2bcFxZz5zlpP& z7cBFNzp}I8u92)sWXgp%S@OWL;?liOKURPkS}AS=wG2XBi>=(YS&`vN=1S_J?F57y zf}WE4?6!Ha_vTu-Fz2VJ3yVOH0?($_cL+0(qK+R!k{*%KG)nK=#_;g(I%K8I^4Fe8 ziu^;Pg^{RQm-#1jIQU1|+N7ZmO4>4;pi)QvBm{TGSHL@$Kqah(v!kd$t!u|T78roc z+{+@xV6aJLh7}JHblC3_-DQK+ZH4mh+v_uRa@I-#!zYR&mv0OJr}O&K;I%3`eFLYJ zr@{*s8-6tp%IA_gIm;_&DpD!b+7Z-XSMh%)o~V{OAOWmn5ArTQsUps*FDF< zCN{1l&Bvy`t?9iFwT2 z999o``tbfn)(w_au{eirqs)i8r%(9z@9}>Vo;Vw%uMgBOlF|q9{RO%Dj;h(g09shl zQh{7aB_wXM46W*Cd3U6MQav_|bj8UXFespRe?qOG`P?GG@jz+{U!0cmK$j# zFpj@@s{DCk@61Z|47q%xH?oYz6cz#vFvl0tx|H17LmmN=={#)E*j3fz$|Fu7%(8&x zfY?#dE~-P)U7Xtwsu9Dr3L&rBm=t^?v-}FecOyu<5^86DNd*aRLPa)2;-JZ7$lXM5 z$Ed7arf~RFgu3gPws!b%=PpbyROq^fUv3?=W|))fE7pE)?Nx|Y0(V#Yywr?n6=15< z`Oyr$6fSUhbS%Q4bn!xe-@Q{f*Y(qI1Hc5{!q%V4d(fkpj?oY91B;*Wa#QBTtO)> zx2i-lP)X-0B6GxS)_2B$A@$QXdD1t?>w}uEh(VY|Wnv5Ih75p+$^jmdV$Qw)Xt*CB z$~ogUd;59p7LL$6W`8+YL0!m3Q%0`{YLRtSvHVRhKWI^D9?M4#8r!sD2x}_*j64tp z=hv8n#^ZU<&Ky-@-Ry7KUZSsE(VT6DBf z%VycQF{ujMw}FOIX*x{dOywJRweQf7!q%ySnuoOyUm<6I=?Qg3BI}|EX(MUTiQf?m zOx8U?(h;!=Ddn5*Vk|=4?vT;R<&3B@9lTHvQwPQ81As7Zf|rpfxV=eV=aQ z#cM+HKWgry!w8uV|3izt=G2}@ z%v!u(apg<3Dc&m@p~r-oN!MSuo&P{et}gU`Qd=A`Nd@&qRj;bFFc_f6T5Y5QptYPn zNVwZTAs%2Ik9kW_v;8vp-83ZJxZm%-x11`}3etN&MkdDmZrk0kGy&8PXotw{x5w1l z>B^ne3Qr?kC>1qvDXpw?))*c0Pw$|_*`3TZjQj$lSkLp%yVdrZA_eGS1;py+(epGj zBLGBPYcAnQ>6g|@rDp5LBKiTOc86qmh??8&E!pN8gV%Zw>9HUOyjI5`Pwy?j8|Rk> zkpgDLkL0GgAB7yJgk85NR&7SJ#CkN5hwnCd!iLHzPmeHT!~GOhkTTGhCmbP~zxk%# zW;6{EK3Ygz$M1d6bq5@KLU*Qf4S>)AZuGxD|7a6h9 z)|4a?V4A*1EY=Z80`0#@c|PT5N)dfih&&b&XBB9@sCX+*F4sNHR;;C5TmZlT&!{<| zZM#@+%?9wpj6c`UsHfrQ&izULNk1Fhbv!*Sdk<-B2ggK5fV4vvoltU`W61Bu*4c#JoI0I3#4kMT@uPj+@u3Jp=##sA^ zD=#?(IP{V)6AW%X1<9x)3F6b=c-Z0QFS!JFgh;ab5|87asc=&yHOu1RXZ@+;Z7x)P zb88gok2}^NF5kAKqW|#|y-YemLQK(N+6Y)qlfC^4_x3|Tk zqqvv>E}eUf!HD+6yaSLvNEsdm*+4eWA2OPw$(?6xWWhxMd$``PxjE%2d z_LcvK{ds?EKbWb^UztPc^u{xn7n&qdgrEth&C;xq$A-VO10;&E#Y0FGN`C;2!PYx* z$u?i!ApR8kcU~WwWZ@!L&R7yA^zY49OA*_P-c5#AW@xJ9Ay3hwZo7K~Sm346s`|4v9{&!!3Kz1yt9 zPpL11zIk@R1DPF(@}9NFA*&(BFG-CEc(SB^4+87Fs=EO=3QqB-)&8n7+B))*!gh|< z;vBc0jn8c|Z8=0F5q={gX;ZkupDT>ez`UVY1bd=4g#Q_bc9fPW5_uCS9?)$_tvM%F zM983bk!$chH*QLTitVabhCvzahwDXw606J_KOwGGtmYKHl9^Sy!opXW@YUbXh-1 z?uo!Glp{4MX8+#9t2cfzKmq_jLwuX1hP+cj6qC?6y&&bO*c03w*663{Fxq+n8Kzr` z#hk%&YuXl)5=Zr5@km8K)9epZY2$WvhURj5<1W<#!ayq*>b96sn^3JlnYNVpvoM^M zLV$0@F(|N1HTd!xocc-=?A(^|Vf$#Rf|*F=qNn)dGZ8ygQ6z^X?TkTV7 zaM^9IKjAUdE#>MN<)QnF)_cUfE%_A5zqHvsZ>6ze^^*ek>W7*mKuBfW3bxbykpP$w zz>@&L%xOEvELIvMuu8cIk_`Vl38WX7t)1I&-zl*QVCEN^mA6>1meH8!nt!wU8LPD< z4lfs!|2~8`r!g#bn5{&YK|LWEntjyy{$k4ToaaB=!|+H0yhAt1GgedsRd50t=h+&? z(mFEv@)_(LT5|YF4F@HoE#QtVl`Ftk26mIR!pl6jnkFDpj=Q#r&nKaC3|Cl{ER@23g$7|A$ovPL;#2<4VN>smjB>)>{*wyY9YPg#Zn;+;k3Q6nIjc|aE5xFd=j9N zSEGlzdFBa}ngRjwYm9jLD|Eqldd`(h$ii;fujP3=V`~80K`~RAs0Mw<=hqTlD>}~* zc#KLL11D>&N;EEa-M52s23Vcq&JkXRz%O3l`7~LUs!0OEA^=0}v;}NJ<96jUPOW*< z3(w*P<#hJ<ywUVZ^?KM*mQ{V)GjN`2&5Bw+Il1dMwL80V zy(em%W0l+u4F1IJ9<307*`Mg9y#cTO8=iHFAIi}x z_p@z9oyx^3Fak~d)*_p|M@+B?^RX(xn*h-8cl<45Z|p6fup75=Ms~;Z>)Kbh)xk}kA_z2<002vZP#; z*Womw@qZLDoy4^2_PpT$TuYKCb@(brm znBHyi#aR}NIXsr#L9U8q2bVO^lz_}#923+0ERlFo2URlxJOR zqOgj61sj+RBu27N>xkuvaa zjU%msf97o)jRI%i6}J+WXxgMoip5_mq=)#l=L0T>VH(jrdGEGGp2_lc0p)Dm|3G>^ z<8qZqs^O&>rtETI1(<)39Z(Zy2+{%VOMt<@o2ffHbxJE65+L>%*ehKP$Nr`XsC$9; z72;Yx4DGOd+c_*f14sniCIx#O&H&XJM}zBg0?e6LS1dMw^JNe6?jI?kbnow&Q2c z%hNNBCrhM9W0p-CsFH8MtCsp2ONo2HCKAv{EZ0=gtca(*?0wz@NYS5-qoEwm1ZTV; zKoXKUo0N!t!T7V@Aze7tA7&<3tcs!H%k71_?ey^k8+I! z+*ikrCpMAsUioOQ3|beraBKpy~9Y*3Fw4W761YN|@~0NmE*HZbPGxZ z9Y(-+iPo8&g8>r`i8d#WPxO%07r|)-zN;ddJ`^MNaD4SB@cwlAwu&e{y$Rq=k&Xhx z7!}5RSHYufFEH};J`$-4KE;FpP}>= zlc2d|-WB2ke*Z!GP-@63!$LxgVC*Yb>|q<$Kf}PdjPF z$9V0DJErbOz<|*<6j>lkxMXKsPL6@msVpLO?A@S-d^L5$d{m+g@=A+xJVL;NRfH3P z`s!GO602gUZ#?Rt9%>A*eaix_pROF7!G^%(VLtvd_MeI{Gu~qrZQPl0ca}-O1Eoj` z(#_C^fRZPp*crvmG2vsBAVO>`SbK;5Y#CZUfm>~A9E6Ja%xd!WWd9ON4_qPst4B(T zwGH0UK@vU848_`}b-0SWn{Lg@VepV*;Tfd&LDoBsjHEbcW&75`8*8{BwdkUiPe77M zU@M==VB$ClKNr+GIDzNG~!M+AQVlc@*@zWh272?|Z7q;WE~2V&kOF ztVm;Ujnq6B-qY52MC{5L1BY{RIRsm*aUVj~MO#Gf^-wxRYgC zt1Tr=xT{zQvAA~xH!j`|GOv3qCuPl~q!9EYkhhT*YlSjWGY_^gXdRR?z^1!VxK}~4 zS~b9bquJcrfOd(B#s@jr&=+gEyY3keIj7>FfIQ_#p~E9@C!PnY!%M|Zb2ZHL4>%Mc z$kX`n6Oc447SSEaRD$&1oDBe--u@L9a{hp$q7s93FgoxtbJ;xSjey2}gPWG61S$DU zS$ZI^_q};uLl8%aKUVgdK-v%N^tASWAt~V>(r-}7(eLw)sxxMp=qOz2;1=TNO6o#c z3UGJfw2}&X*ra$i8lamvw?P0O@SOX>ySWK(c?C=DH$!;2^3F2wfaVfsCD6rThzpz( z?sAd&PTpOtC7=>yaf9a|{01x|yLcAJtNSQyDVRTIP?@zK!n-PayAarTPa8F-`!U#v z6JmU`FnZSXD&u2YIrb4M?Ae+}=cN#Ya8xb|xZ{~pfj6znb98T;LWw03wbPI;=E_7b z0e!OJ2m@YDrw11@Yr)WdRoxh>LP4_h?9Z#xYXF*6OEryKFph@?vG-%uF=#!~7XCVS5=GQ3hAi9rvN1w8qp7>eh&Qr$AoYeNe8#} zSHL$<2BL8k;d43r#AZY4eYkxzWS-ds8UmE>7CN_8r@*bG*Q2g%K}P;GKR3WY{o9NG zql|jq1avpgdoQ;+g;0R@7(;90h?H>x40EYvR97zm9S*qkA*d@yXPnkHHT>vHpb|v8 zD(Yu38fGgDutJHijr>tj0?AMOF*AgxQp+n$WSNkIj>-+JRKKn*j0EzY&0+m4_Q@U5 z@BxP9t0p;oW$^?txG#GDl%MDqX79n5R6$=!js#^oVV-Wzq;XmN+?@#!DOsG490*3` zx%(?8dDd$DGz{B#fYQCp??^Nem_+)y&yF0zl1&JEXCWyNc-jQHf!lTcz8l z5;S^P`ZR8p{fOmU>VJ=a50x=ntigIociy=`Y^x6uYV-<#)i>?uH@O-S%3kAHs@%ll)+-;t@wMtI!?y;*t~|KI}-LsZHlQFsjAM+4Y(d z!QQ~1z5;)~#w0MGTZ#T^I7=5JO;C8IGd4K6d|FLL4l9dF1^`XTvy0&W!hbQEODkS*k& z8Ka_NU1KIAQl6_8VIi^SRvx^~d(*L&)EG3iHr@@M>QP#YYauu zgcbx?^{h>%&rVWS&? zTd^>vybs4PNx};m%SzSJ&B>hNQRbpX``Q11mzjb*7v0^)FBBew=l9KW9hc?^>PBP< zBHc>Sx4(9HC8jKqv9`)M|8nGq$B1u6Ci(LXKpQwPD`ST6wZ+nVuyx&>Dhr}ciGXyM z0zdIoN4YJdvD9UpFE^sn+^*}GaGlcgvei($sjAgj^k^x5RrqL9puak8FK|kVtZJpF zzxrRo|L6l~Ow(<^-Uv&v`!>9pz(;7I1zKy|5g7UyC4zeSCk&Ep`r4sUVeb`R6Q0;~ zFth~i_BF3fdZ4m-d6ms@ko;O!g?9VUw)RMU8Vc1UE;7P~gaQUdkSk6I?lUeg7?|UOV25i>ZuxGNBx|ouGos zozxPV7~@~Kq$Q`h#C#m5D|4ji%BJihNzj5Kp*9l^Fly@Q&P18KH(iy2q*vdq_EY(g zPU~yZS)BLRRZXr7wUke&?|^Msu;Ek+rGWyNnW2}}R$jiEooj`5v1 zDF$t;-K^Oj6*+e@1FSUIeTF@ue zHVlbj(+!e<_b*vTWP-H4IVYmfQp~*GRw6P~pV1b2y-j{&_-%)0qO9(6`9lhYFqI;_ zVN7*zX2FM^_>hj`&+DTGx||8^EDCnEDqrOw{=W>jjKLwD07*tA#3Pwu_$6?GXNHO=YRqO5^E6+WXgDXTRV?$`usAiuq6h`JJE404(ks_M)D+| zlkFvQAAM|#BBry|=TLImoN67N2n(p62s`5?5t;zjad9`WNygnwbr7v1;EJ4EoGoSz zV1WTmkiHnTJ;X`v7XFl%HiIF>Tt!DPg@8{Coa}^EuF*lThE6vEE`)4Bkc@1maFtt_ zAL$oPpxaY_=UDu^yXinfN5Ck?Pb--LuDONbmZQpl|Y%@+&Rnp&#b4k(DOvQzag0x+^^NSg(wL&Z@i&h4v&dK|Q3ab#^>;IJ=8ccOp z9&+>5Vv%cvGVydKHZ}G_eP;B`!;ebmlEc{m@fr;$v$?WMC;1WzYWdV^?plP!kx(n3 zM6zXBF+uehDkLUYi{eoYJCf>IOxbhlUAK^!ckL;=91jW8#fN1w7NjQfslH4CNzX)j z5X^Yze4S4St>L_uXbgV2Efp}K8E{VYa`G(rvysthHo;-L8WX=W=xsUjkyIvWo?gD- z7&-eaF2OAgMWgb_%ecPLL8>A1}6ME9P@aziR`h%Nbtz;IA3#y(hOF1N; zQIoe3t=>^vv8G0*dA_!;7u3XiQ8qB~PuU;V)A04uw~|dDuar*4V|gyX-%QGB$?G`# zJ@b?g5`ife*G_zj909(vnMsEs$Gdfz#YDhYAc;(k(-5qR0wvplW;^EwE^9JSJvQG2 zTnVoHb_po_Z+s` zm=aeTUcfbTEZW5|>0$Z{E3Bxg-nP50%EBm3}S7-Kf}-eS2y4IKYB9JD=YQ=n^Z=wYswM z&{YZ`G5&Y<|7XztJNf%`vG%xOEq1?H6L1SSYyN#X z|J!x9L;1Ax^l)<61^WW)dU|N;>K2GMet5uMdwLB2^3d1yc>L|@`q$diPWaR1EzZGB z>eB<>#{@f6a2H1k0u8A2Hj#!K23|57pnHs`q0N45~K^+Y#wS(HD|-bBRLaXkQLo+yn)wdpMg zsvD2A<$fZvwDITgD-7d2sN4`D9!r-`d*@AxNTvg&aqSgdc!+UdYhsD??8W7fK7n?? zWniDDJzMGi`65-R_0drudsIdXX!!|Vc6FXUhQR0UH zg6l~s(I|{B{W|{Ab%Rqi6kh8J7==vV-<|#{hJHI_A!`UAcyA_iJFGUXT3ecqQ_uIu zs-dQ4KKh#F${4fCz#(dEng6;FS}JJZa2F}yenIff;iNk;xwGJBx>%ucpOCjAm4cA#(iwuid(JzRBXPzAqs^(H58?dhG)t|u{GxC z#hU6#V%5rI6YcW>yAM&uv5Xc&iXoj_zf8RDrSKbOxXo_f$H;QV%reZ__3`C1p=pN2KS|Q+y)XD6q7E zo&x$0KL2rw)85L*9~wY`5t>8wGLzc!p`KXsg0AOm{M$OcC1Zbh_~EbnYnJFVP)em7 zF(bgV#2#1#pa(^m6GH%JhMKusr|Lrt@?yW)Yvogwu?+nsF{i3+7Qmupj-+RC6B!Lr z2lNSl*{jQXA5VRh>JT%`_P;ZmD(wq%NngrN4{YH))I{uG`k5Z@r36D!*tPpELM^nK ze>_$&>ibvq_ry;+ZG1u%_UYhtHmM5=b$n2I()8kS(5Sw+1iQZ;=^kOMn1t&C*$|fm zPYl5>dZ4CD?nG6b0*@I@;?HG75p|&n>8VL^_mz8}J%U<^uqi3M)E{`1#~6ot4Vns+ zb({*b-W?@lP}=2RoCaP~43rZqQ=WWKeEBjF9b0%rgf`}YYt+vUV{6wXE{r~oLBqLW zpKuqm>}hMOSIEY$bN_4SmTnBk@AdSghN6=|>1FhTYN!zIe8otZ&Qrrl>CtBDjbGo$;bQwvtkiRF^Feo@eQeGcdz8duyXa(9+R(b{`E{w7`<6W= z^V}DZIx>s`WhG+{>(wZmr@OE9lwDCed#;i{ZK{}dF}*gA=|shxW=V{>^=>u)6dk9_ zN@3CCJNGGm-N1yH!CAtHUm1~P{R;uj6*k+y7m` zR#J+apUPOIcW`))KpayO^Y0y$s)3tdH3msbTMZRsoB_+X#w+q)_VoXQl4)S zP#r$e=}=j(nAZbl#$q@>EsSx%{RLmj_AgKGZ1=x8xS0ePqe*&j_kDlox-mLaz4LQ2 z>0JtJ|Mcbiy0?7N)8xLii6=DeWWi0oBjW0;bX<}rA5Ree8RO%{5yhS0Ch(->DMDz8 z9Z*dbh$iWiyvDk}n$niI^aaM_IG8cD$8>kIoRlf!Q2uCRzarqEo>O1pBd1J2(mU(9 znSHP1UKWv7CT6;?*md{t@mKSR0tY!|9Wso&D{NBSri4*AXbVt~%p{Z#M6)jy$Yuznf~QkxLJ# z^8PY<@QcAt=)Ojxe!Y)S$?6B!1~X%&n@ zU}VOh(dj|tNr?9i_xn`lg)sU0^Ja%oRaO{jSNTwg8*ew7ajgI@w(&Y~M$OFja1H zek;KNGjogoV+(IZt{W7>Yg*RuP_Y)nvV04-BJD*4OW<<$g&2sYq@d%;PH&i#kV(Cb zJ|ruBLf0oai;#<@A?R%UaNiG92-EY-JqcW6&O0^Lbc7SyH}npq&bIxyOpW|+`w+j~ zB)4ILqFztI?=Br5PVSng?#+o)w@A>h8;Ed}aSp8+mC211#a*Dm8yLQ!JC#SfU(|V8 z{HwH;MLTOfFa4y(tT3=L%2oc((a21fJ{=x(y_=t?K+w*RncbMtXmDat);(O9rR*Z1 zb5?vuNEC-Q!Y|U>*=e?B#?~&SKI?u3WsTRLH09Rhv2h$0Y)O_sJ2k7V;UT}fBi?ag zNnpwt*Mv;Mw8vHyZhFI<2ckA|Co~QUp%oapwMS*m+(dE3+fivi(78G?GT^XNd&lY`CNHAS8dYY zZLKJe_l!B3U}X}&lZlW;EWdzMc|Vi8OLY3okuC;$p^S!-wxJXKZ!)P)6QlWra#oHW&{^~3%tU2n~Haj4F!8>~Qc zmWFw))L53%7Ax(|p>^NKDrrvm&mS}!)04MIzZt;1=c7Pe$}cQ4b;%3HxYq!6AXhp4 zmTIf`W5vEOTG&mAJu{z#@fEb0PdR~oA6asSI|(u8Rg~}21^C5k%thn=ll75)3f+)1 z%RC#`KS|vqp?jHT+1?Iwwkj(w%DhV*vF|)QbMNhvFXhfJU7ZFIrW^^d(xF4t2jqtK5&k$zp>70Y$%*)(e-)a^I3gDc8{Pnbrp zyGTyUtK-E9OTL=lR>b%bbOr=#ch|UVB=~;`)_%F~*S%*etQgpWVG0+hSzFiK)V^hq zZ#ZW4UrfH(!sYrB-JX|Z3;t(ij}5;GFlgK!SZ!LUdx(!nKUg5y3K@O1-Zb# zy=S7Mw8BqP=dUlys>Dp1=5-bK<~YqG%O6Wr)0-|zR$v>rBKh6x=wZ2>pY=1#G2t!C z(sq8AWynW?D&)N79D+|O71)eTJV2s)$iv_xgdN!TAT^Q(iY5Nt@fAA8;?Md?G`2Ty zM*>JG+DGHauJxdmJi1ks}?91U&dxzWPTUz`@7(#DlgeFf#&qN))vD) zsN{kCpgpBOT5Yz=TupH2Z^$*1ivZ79dy?VXA_-p7ISp?1oH82=|CwM#D)nil3SpAsHj8W&cqG9Dl6Wj=6s{QTpQG~Af4il%rh+F7MC4DoM9t67 z4|egSUXSr;KQd8jPJu+t7DS7?6f$gDP&1frs``J>Uk|UPr=;DGN9w6!PkB#o;&SW7 zij3)K6@bI$9y9tGtiC+@FH>t^kZLX3aptZg z53{SNJlI}I`#k!ZOA=?yNOOanYhKUfL|gY8dQCf*k~5xfM%FocIsfVVC-%5ij;hK5>23F?!?lzR1}&%dD+BSACn?z#yX)$HhM^Rt%X2d%BFax4E} zugltU8>!r{r{5MG2f(9dmR0o=GVX2A)jY+<5(5rQ@QknmWBnj>vD=>z-M|nR?5X{N z?Wh@pB!h&E=){zZ>9&AY)mAEZ?HIzM)wc@-y^p`T!FR3yKz+D3TwI(?;76%KjzG& zZQ*)4YHM?5;sK@B{=QBbxVmg?DQ$aK0mR<3 z7C#{Q2gEMSeO+dEVJIVD_{{cQz5`pw&RlGgb~{ z6zU?dCDBMNEnsZahIyWy5zi)nNN)jLiJT*lm3!<3a6rOp)C~6& zkgSXk`jn#GTe6L@*!S8+(9<0tyc5W!{#4*}H!k96q%5Sy)pE*PBf#N)EmR$&EbULr z=(CA;oi#x6*Y3dmbqcC2tH^|XW!vzP!8V>*8N`a$l8&NxZ1j>rXp-%cy@F-eRgdnMEA-o!x| zFq^&;=7H2xxii;Mxkoiq`TKvQ^YMQ*#kX*EGQ5*Qy=i4#j;P0!A3mVP zCp^mHgHp)wkv?{!%(Z5PUd~xHZGIi(7E>wfWg~{NE>GCAjc62Ka4#zW@`rhRf%=kFML0jJYy~6|f8Mj{7*Y^ChU|m7&7@W;ro!IH ziVOx#M9N+2dlHd*Q2AcpeXe|!TI!2M72R8WAqWTN79K_9)OpB5E$aT!Jq|gb+&&Ry*<$d#&k*$k{}EgTCYwr`Mku zs1V7geB@tHtU`kAz1gsj*em&-vug?LG7G5fRPO)l3G~U*JAYqoK-JcJgL+g|^C=R6 zIX@nK#b-j-twI680dw+&nBT;;0H2!{T;F&jGiUEx%?W3DYazddDh~O+Sz6W)bTvLD z;19@qU?S{T`6ekBNGsy=Qk`~)Jji5G^HsyUJ(d>DQCu+b=PyZiSZL?9=qvZLjAc>1 z22Zo4(z5zf9;cJ@K!bU5#NRFJ)qYDw#N=J2yL3LaXy@|DD_@puh6c#iYoqv9Q@!}s zp}Haz$(aB95D**o7?Pavb_pmI7tbG2Y$p{tuq`F%;-O1=t`q14IDS|Dp;$DOU74vL zgS#ic^3PDd+}*8_*)gs@_#EG`cu9J%Eo&>we|$Or>b=~`e@|FPtp+!aJ7Xk0ZU`tf z9NyBlg7oj@3GM@%y9XW)ssM`DtC|Ys`@vTUaK*6DMmbN9KWtTGy?ga`~{GME$ zTq}KU3jX*E_pL#E|2W@u%^nsnAMhIp2I6nKiXUY7>8Y)idWc7D@+18a!D!(wH;iwU zX#n;Dfd?eBdTNM1%`S;cVXCpVY)tIgX;vdFQ*v1`W5dOZ&nMRhvI7WGo3{4`5@XX> zGkDF3*~3=mNYqKqgV_UIqv;J04Z}ErnkhSBza(rU@pOl?)Qvxd1|CKHJQ@L&j z?QTksyi`zNQQDf5$yOt$jCTYC7IXlI!hmWm z@+xSCN7gvLb$1WAeKLO_{X*dSf8V_>J2dE`3gt}BJ`{sI-f4e%x@)5RaZwN8o6&$WLB%~279SSfjMzXe&!ZXy=m9bp06n4DB5 ziwV0;LLc}CbTY0{Pk(%;8AEY5!O*DXE~E%XNg=n{twS(R38LGrCn-p?t^Ffc2qq^| zAY`orSL-~dE4SzRvfVSK>Dz?&hu99U&?6;=KO`9D_Ay(?X#EdhIicE1BEMc1!`e%H zzupL=+6E*k{eS4ZaU;y$LcCNQR+J6Z{WK~ec@2+W+!|D>8;riVxhsRJYH(-_5KAvl zBoF9x4;N#Nc(~@TeO!u7uiwzZ<`^ZWE7R(*I_J$l)N&Bzw_HwO*~f6y%8H<-<2*2sTBSFAspwkgofj#fKbHGgy}ptPU5~jon@(o7vVHf0&ZJ493LaZonJj@MR!|s z-BcD6>B!^IN%h^YY!VZDo}m7!>-G5SLNY7Yxni1!(fi@p0~f=5xjPG_Y!x zn&NatB9;HA5GQT(9F^bS)8SjUm{81a$#oyzO`O*$B7J|85Z-l?KYSIf0{CWPiiW%1 z!uWSCr{D=*i#InL+yx_~M8ls{&kBX|VY}JRMC*DqpPU!h*dIv|KCAZs=&wXuOpzCP97@f>a-Rd+i+S zD(usU_k^@WhL7Wkj>uvwALYVC`xsgHUMWUl1qfOa^3s#yirE!@ll5z<7WCz$U5Isx zvEP$I7PBkvWy_B{qS(~*jqt*^H!i~=<;19+Zdm7cjtlB_$pCJT<7bV}u91I=qjfH3 z_z_;Jjz)T_1Y&M{Y8o`nYC!^wa!gNRM&QUtd%TdT+l#D&xB1pen)`j3UkF<$5nm|x zE7{0p+zRpP0q_at3U+W@X_E!n0jb_(cMZ9{_N{*JKHZiHQH;>dj*P^D10`S6{dzSG zk*8CVTdG8_(@WAcqNq01qZ@mquK9lMT0@r2Hc;rB=Wpv2$9agzjI_t=*YLB!@P%6Z z&TI%jEoMJz^*|L}0=?5rObYJ6!n3QO$SeGqaKTFoG;j8(5=hSJcH&!Qk3brQ&q>5) z#ff=VfYcTk+w;?XgZ>nDUlzUzbpk%Ynz`rQCoLPy^n=)Xu~JUs_`xj58ChmUsMLbg zJ!YkjF(fs6dJqRRCFH;QB0G43VVv6@ryN^m3e*=i4>H1bj!bSzv)YaV6NZH+`>MfM zUDEO)9uzU-dqIr@cub!2^O>$~7kS&jOdx!x6)6`6c#M3dz!6)h2LlhnO17Zw!XeIf zt4s?Xn46an{^qOC<{!@BV5xyXb)Itsas*1jy`WsLxqjNoei9;S=)a#_vMRJS^X{wZ^UHcI7+iM1%q2rAUiIDkr!hYJJKNg1Z{XHZ~h1lXHJ)wWJ zH5rd(;XEfwq$t_WvOE&B&wP}c$?+lN*P4}+tMRyH?-D)oE?qU^Ye4ySo&TyO#YStuH2z^BAl^U&b)DIUs7bo+vNpVj0SILFl z)_y%wnIF6*6z%aC`CdxkT9(}G?3fwd#3a(fi>I3#s2p#J>!-z=&P2a;C-#t2G$%&9~+p5CL-)xwUK-3n?-Qm_5VU&PPHROl^idKJccdRfw% ziHzPq-pX%-rz$<^Q~=DxY!;a1$0g+aV(?T8U@;C{3 z?_fe$yu$^ICMW7~*~rOUNS{Qkj7aR%qQ-R9RB^#F@dx5=@Hk@e48h6$cUfA+0YGVA zkEa#MBo=SgQYg?Ij{84ky#-VqG1vFoQYccSxE|cCxVyU+hvM$;P`psw-Q6kfT3in9 z?(Pod4$t$x>-+A#Yn9c^Op@8jBpEsT_urxAexO zOLbeqE~{Zftxxhd>H>}G4r)*-W8jNG1v z#1Rp+;;d`JC>jBhK`SY^Fcnh`zP9uLG37eWQwudC$m~Cgpny`5B&gfIyOCjLc>SpY znFXEMHDPo`W$_Oux#o0wf%&%}dRSTLW?AaBKh`-0GJ%C8y1CN>I7p0c(+K)54Qy8= zOwK`|(vtzTsg{DjHS$F4Ex%YS%?hS+DE6{rCVJG!me9Wg!J#8L&H5-}$N=Up^$3S}quRMNLxYzgff16lPg9=w?o88SYbMU11DNl{0f->NNImiGPd`oeP%Bi1HH7h_ zfy2!a1V*uBJR+6Xg;xO}L*X+&HmDCk*zWB=bTVntjo`w%Q$FyYjKKg^&4Sz~?ttB7 z(0eRas{v!J_y)3(2GpO3NwH3^V%uw#6!gnIb+7{>W{%~(9ZuFRM%qx@^2UJp5D{0|Fbox?q{wbEF!pAP&_j!L% z2clP-p{7-v9o@%gn4}k*OMt7q*YB&xm z<}kZC&3!_8+kM1aKDGmjEBC~Ol^oK3lW8qPbF!|~v-??fD#6%$CQh?#u;g+M#e&Ua z8%79IwRyX2jR{HkGtP9Km?eE-uF@R-KA1rI(2D(6x8})OLoFVQ3&`XLYG^BM?Kq*4!>tw_Jx*cVlFUTd5QvD~TrD zRB;t8@{hZrd{%4EC6RkJc_jNA_)vbS1O|LFNv8QvBw=lov1*c6vxwx|G_mQVwC&+0Ih7H7YMo)6fxWR5-nNG4X><H zSiWN2O>VnbP{IjBPaVl{&LnWl&rBwf6@#Cl&a`%Di_l@($yxa`()30Ba08(F#x%Vs zuYITpma7DKy#vG(xX z2-p#FUDh|r-B~r z5mo*3v3<4Vq2R*N*mRs0EygE;`8M<{JnGuMMr>E`Y8GChU2J+P=_N!Bo4QkDMj?a< zZWR@D4l*OzfOsMv#X=kLwTnI+$coxNs;@A3hA%?bF>-Q{Yvt+ma|1WX>p3qoz8pU> zgh?u6;Y>JE0udu|#5BGsKsM*DYj`!eMc-?-sdeavO$1@0%B5$633XrwwrA+7~THemC&N3}(v1`S3y_kxI_xIrr;i2Uz(UiL;>zY$&q z;%5}Rkkf)b29t5-4tynrf%@`*!nU)rLqg#I7zP~(PJ zlzAIvY+0R3ZW$H$tiQ`-3-RA51xt7c_=MCappQKQYG@~{Gn%0@yU6|ANL3T}@5b65 zaDlV$;9OpA6bjP5hBCUOnIs;3-nMZsTnq8y=>NmhXsC)@jgm_L)I~$nF5Iw4G}jL~F0Siaj%UZ)aAC5=)H?s)Nju z6tQ+dgo1-QmL^oCg0`Bfg#)FGbz&Db<>Ct!*Ft`@ z%#D8EptI7%kMCqS+)3;IZiu9VtT64@n?gm0C`?qH*48(Cm7X%S#LrJ8Gt0EL}HG2J|X zUT~uo+ecma>kio1Oqub~mEla!@zc2kV7}-fd=t>mtqXL3GdpU*H4N#41vc|SK=&iO zORMY|6Gip%U$_yF#X-%owZk?{KSZmJ70?!&#u5-|6|FE_<8Rq=jKKvmjKm_)w-eBQE@u4C7 zFtLA=NxA%2M9x9tK8o_Yk)!bzHqOGmWQFg3@+nlH+(VDx_qt4un3RXv7==YGnGErI zgY*rjLe;}1If+0thD^{o(6ws7D3Nzm9Wsp!I4V+I7cz z&f?4k%pFZaeHF6p>L#o(8}}m4+?`r%tEsb3%XH@~`*FZwrs<`t&#L`Kh!hjFy{CF{ zE(8nj`BHY6rD&Ne0($&T6J1jchj{#s`**6n#E4L|xjjIgm<{X`IjdwR-7#j+0xX z5ScKD-HUip2tY^A++@0cD-IY-S$hW=^iPJKLfqOB*`Q-S0j8TeJ$ld`w{Z`Ln#eWR z&0qypf2UvEM3hD090*8xOGY17y_`cMPknqK(^N#%%@$x!jBX7TY0jxc*QCG<-Gii^ zEH&GVkqSk8{sKHV?=c~nE_KuFvW-NI#{r=Zd#{QugnF+N975E>Q|3MX_BNx?MP(jv zZ0O|G!=>CQy629>X&07je=pkZ_hb7ahR@L;ynuC{(W{0ZNl!L81RZsT+w#Ne`h!Wf z&h6)b&14W;2x7DAT{1v`vDcAU8{>6*ni}%tSW>u|`SO9ese=4mIDsfYnrHEbN>x!Q z%UEVfZp!5O1@fHa!HphSHg&hJ?nf%upW{}BybbVDi9217-Y$~AVh~(g(urJ$!Bw~ zewJ@lsOp`f(e1c!8fN^eM=cjftFGZR&PK^8><-R%RmFis2Rpu;$RYvj?dZTkSQ3_%QCUtW6;q^t=*o4(?yOC zMh&`SILIF`C;*Pc?qr-uD)1-P4S^=Z_H>e1W)gqmqKs@9!Je_jGP?{Zz2-9c>*Rpn z-0rFCA5J>v!A2J35C?ubR*AYxD=8Wv!Zd5bYAV=dFTp4cT(4?eX)Avqj-$9sk9%Z{+le{ce?k{<6 zC<>i>q*Vpt|B6EuX>tOZ4cp8)tz%h*bMX_Yq(W)j08S4aF~=SNZu8(hOJ!6|4}-Ic z%(lv5WEnuZ(eDiZk)_c^ZWV@0<;Th7X0A}INE-UZcN6Pu*)N;0zzZ17eM$Yp_x9UE zC8_uKvHH^@i{+tM%Ycypgu4FaJ{1a7Jx2c%Wjq)2Nt|<$G}PF*5D?~?2|s_1@%3Kx z&i960BLtU0Yo;&n`ds6Za_ASaWCP3b74l|>p`6s5%&iHBF7GMe=Qo~11JMp3qr zq3^hSX0rA|2@S+P2Tqw<7Xa!dKZ>Nij+eyU__1*oz*bzcwdTb^pT&!qB{74{A{se8 z`I|S1ZF9y_P6FrL(zfs8(iE;Rmheb{D+f+?cZ8TQy-9VCx036maEij8SfEl<{D#^? z)Ohz7qk{Kd0H}H>VkDt)^4xC@CUvSR`XqNK)FU^SH7c^gWmGO#7I~q>YgQnwZ6a_^Ta3P9N^o~k zPUSL#+|dQGZjZ^~C)v4|bdGHQ`FFONUd5g6@I?4Rx_vD(tA| zbaicoRBfCpZjMZf63v@mr6mnu3sD9Vq-=M6A*(ct6N#>?f&iy%2Fci-=#3tqtGkAb@BMU%SFkYLKOSsV;JyS(p36S&Zb%g?hd zbTAUKT-URhlABG5F)shh&P3LbQJQ+ zXrO1Yu7SLno$&x;{vs)B{KuGe86ea=pk7l(1AIl|_3#pDmNieRfgBj6A-Q63mwh*m z{G2(*IElRKQK2xF_OMg7!vc_Wko|F;^H1pU*8IK#_&CwZq7#oloDyps*ZRYi9ANs5 zf(efH`zGwz*KW^z-|P3eD5N!e=HZ~L5aTCiA5T$}-0B5r(-Z%Wl(xNh-Ko)w0ID^x zIzF@TS=!Km93UcL{`XRkIIYb%>5gvq^b=a`HNz!gRz2gShxt0wOls_4m~6(B@IEQ~ zZs+6B^YGrg*3G!&V2R{=jB0V7)?C@4^MFvRj)FPq`$Rw?fn^^7DT96Gp=AaYP+s}Z zc9cFh$lLLUBOnp5*S4913i&60jJqnutVRBaFuXYZk)ayPHph0{a;oc>Tx*~PTH8>` zrJQuxBvOXg$^oCSO``)1fTX5fr@jj?&@?(68!h%PKXe0P9W4oI;vez4BRiTYt=?}%dPfHL~l*t&a7{a*J%L`PSXpj9!dVBbk)?1@VWST=ssn&?DPmwVmQfl z4qj#C?*0=2D^r>LIPm_)clMUEXg;8E^A*=4)-3aTLTsR>@R>`x=oQ)4i){P*Mw-o&A zS~h+muUnfEY1f#YK?&NiUSr~5jTo!XiR>X?mOy|EbLky7$}F2AujY{s&!r5H-B z6=^MB2~2!rcZK^ zQ)7O}dF2w@*A-+sjU7I+x!e3*dLpJV#XZBFY-#u6il?Gre{k8XeEbM#pMyK1#Mk-9 z4Ca1VYgM(32=XQ4mn*9}vg<86*KsG*F&>=)3a*bfLp)b(%vIC7BFyq?S8}|Eo@$wK zNe3_;#VSjOso}brO^rtQyFiZGxAz=UD2NfUPW(+OL0~1{=s@?Dutp0EO{Q-{MK;W>7hrTRN>z)CQM|jL@gp z1+0t~R7@`Aq>XCK+0>)q4D`8q&Zd(+Z4w{(CGszpB#=m-;mSmE(Hv_k(eAjg`jjq7 z*Nvpdpw@>;GG4J+3cI`@Kj|}>YNSahEQ3;DY%dZ`mrJ_57^uW}OT15HZ&TS<<2{o- zWchwGrhuKT-V{PIMb<}8WX#OVOWeE_uU16^)9i)NcI?lfK zHM3Bhz2Cc}M;W<4kD0~;Y8QJ1oJm6KqZ!Ar6$#5TYkc_uMnjiuw^pbv=dSoRd&WuZ zv$d{+qp1Q zpkiiuxt$762&90$TAC$yw$lQeEpJCvo_DAb+N;<~+^lv(AnpMdVMDcb!9tT#d z)uYmO8jXhLK;#5lY}!XahX|9`!evRp0TOhs2fK#41Uw>!$>VdAJZv1>NXH(4TJhRk zfsfm*$UF5JSaBZ|R*dWDKEAS#=BAExYc*`&A$-bcFtqxC-)zlJ3Hu{EKHu{h zR_9#IaWw@jR#pdrShpMpUpFV+NFm9>PT@7eYwB!+jYKrnZrTuy(=5ey&4+BxBSp@XVu|(aIIRr3}4Ut{`2Ct5dMOO%#qzm(B|~ z`aIJB8NWQbD=^TdjKa>141YmK@|D7tBy?`8Vf6D-c~X&u;J_+jQl6^Hkw7c1Lg-v( zTGGuIkQL^`W#TC{+Rh$p8EeZ#TRT$mfqhG}iYI|X*d@N};HZyj%jWzx>W_i4ow*|} zx3uDHosL!s1D7{LdJR=v60G@NYRMUjeVICLXuJa(1glKN%RNTTL0%hy**Wl%oi@1g zI-+Br+s3AOoV|?;qwU%!wZs$`_@yr*Teak{!_qoQxU31S|0Fr1EAWilk9S!ghtMtU z^`#nce7CYw94nyC8?ZJ~PFv74?sKE*weU2l?tAoSs}HSE`8>%RtXK3~>5O6E%hC*d zqbjyq9U!fOlu7$D{F2Q%%9_&OHL`KUw+zE6du-hD#%?1PB{umXpVcs%^eWY)Jso^y zW%A9Ln%|9j&gj!m3zs?!q`FWUEgHXQZrj?Fm-`anpO$`FtVG!;%$>}F_xJCKh-}Yz zUq;TkFt;c9sD87jcQ9y*>xI~$$sBl8IS%?$IJMK)MOFMDE18$_(d8?r?Of@&_x8}} zVO&pmx~=m0U&ofq{(rsSd@g_Mz8%TyzMcABzWKhE0ns;neP36jPQRVLbv|$2 zFZ>{xdAqj#cXON7@zzW5cIEr;E{&k`-$dg#d))JZw+EVkm-4=kuk-vqZ>zd*%bhPH zZx82hH?QYDZx3Uq$EWw5FQ=E6&$^k#TW`CzzHd!$SFexD+qbtby|%uXTJ@c=j4n{V zubUH{Z%^;#mhW}4)(3kecuot2CheN-@M*deFJ|@d@JVd%{uRV z?!+qfVv8qoLzsGgML$-h@aA1#0PFp}*^U^2lhoB+vm>BrTSKJc^L|0bZjhsJ$ zSa?L{pO&1I3NZb`-5JI-cV9eplrJv=Pt=EaSSGz7sY~E?KZg9z&DTdnWEG;p((`5awOUNaj~9+7#1f~U`R652Z>&mfmlLHiado-wJ|+JjSMHL8mO^(L>p^fl zxuuyDQjO^KB_nsj8{|+A62cw-?EKL@U&o+E=;v*eAW!h6{~oOEYJ0qy!AlxavH4CW z7s5Wa*)#WMQtnp8v_e+(S4|u)Quna?Z!^mYR-2*3FQ=U(&()o%^ptICMKK@`oQKQ> z^O!vn-ng9Rg6TsR2gzlY`w=D8F(e;TCK#{;-OIU5uxlsnkK6On&xklBL9ZE$F+WW- zE05MwKp19)&ZUKueFN$NCYsq6II>2YejuDW4U~FoijvuFQPF)Wd?b~VxV}8Yep(l6jPii_HEUChnQD3%Wdjp zVdZ(2z-sZ1B6V5e3yIb>bj{a5t87KIUGpa)fzoD=Iu=bBuCb*7L-_Z) z^nJy9oNz)d%uRgl0>#sx!%Xg=0iVz*wRZl>%kD&e zH|>{?KH}tNYy0+>(AhC1S~z|jMckIKYd}@02)-8*6bt5TFCWdweSgvw2d}k7EjM5s z_dExg&`|#UDwFGH)QhVvwqZDet^FB?l!^cPUsSqNIJ1P&ZlZ{#0LkJ7B<5*fl@*8o zZ{(jwy-4Yto3hmi>~@TY4+#aBZfz#ts-<%u*U;e)`*>w^$TErUM7ikhcjL`#fn4hS%vN($z7UyzbOtTQnZY8hw)3)n-^g zJ|6B67LpFTkm!)fC&8{IO*lTucPQuX5_xw3+1p`YJ=#xlsWW6v^KF7 zmWb-8xr;L8V!Zt6HhRgTu9vi2)|XOkJxXF96`Vg#41^gVc!>fc%c-&e*eR-sP4S0Y zsDha&vraj`7<(__Qzd>Ojo91~+0wpcOzqKKm8|-%huP;>lG2c;s$5oh&eQ0Qc0=L$ z3GOpn-3w>g^vVXugoG~J0o*j1dtKhOA6%S2iXmMB<{Aox4md^c(l zP^suS`><~?sOWcPNW7i})PgF81Q#NrkOmM-JC9F6YF0#j<5hh2U6m(PVpyG0L@p8p z$q|QYImp!H>X8gjFDqyjn`(?bCs8%mWyS7WA;bSrufqi0shF&nZty>KT$e#h`I3tU zB3_pjYUL|z9_r|GR#ARkAQpW-4s}}p5yR6IwLozGw?EzH)7C9%^^cm1+goH+2@?w)v#qP{x)KaGsnmM}B-@`4!ot`TN^E>}@lD0s?H* zuWzvD5f_iUk0MDJ;nHs^PCScWgfGgf)8>shi$AOKChL+4dW2l%ONm^d+Sr`y)D${u zw{#6$-Zh{fv?Cr|#5p@;+#n{^NQar{2R@c5f*VLKE_Y8u1xohQ7&spmc$ST;_HX|| zJ^kchqksm9oOwd5cea6DRml7wR932+Z8?)Mm7=4h>w*;x5l$kz?&l+Ha*(D6297(> zgE!R9n^s~VdY=s=&P9{ISVK^0yHFELtm~e)o_h=gJ;QI<>Vj*0ZB>x`CcRy*WG~n} zk7*=(Vej07k_0A-c|9ZOrnt*GIeQjB2CNJCn=lpyvV`7zW*ywu9)t^7ko~7g?cRuM z={%K3M{IVa%JJ92iy zaZx4@3E3>#)9TX|>mr#YKlifR+K}L3>hOa%6YUUHtg(KoTe=UT>;eU1eVxMsxcv(F z+lQcCHn&azq1~Hg8b99-tP2af_}m86+*GG8l-iEbyfAc_AlFVpiOGyS(;VwUQO$*F z>-Ki*jjg<>B=0Zih$=iA(bip;4V0z8L5V5+zFZ5FshP@I@Q6fawBXoW#NN!JjV17w zZy~vWK4Io1h75*1t2&xMPBBQfJL_QY`9<~>X+IM&pMnWT>)Zp7hY#DwfL$ZV>Rr4> zf$;%@nO6MkV5uT>ltcnG#G@{*+&XRhQDAPs@fKIT)jw=5=i)w1xvsEH&SB=TxZrsv zI{Nq_j(&m8Ep9(0glLb#OmA|*Lw;Uo7dDUfX^V>Q2bDCq_6r@mieBO8IF27TTC1*s zJ*oE5@j)bQWwLIZO>31X7Y>a`Y||QF@JL>A5f##URP?RaB3`qg*;-%Kkm4o1tb&O+ z@VmJ(M`ry7Zx-Oc)mXdLe`xv=o%Lt9C;tIL$^=Hh!@zni ztVh4<*TkOgUyIfRgwQd#C1KfK$VX(|GmdFy1K)ByPR^*PZIZ<0dMP~JY#tKfpRNFM zL31aeJK@4yB#(%q;+e7pEFrX9urGK05xbFHW_?3MvI%Zebm!4qQq*K8`7-s^9W>ex zL1;LCxMl2Q!aqD!twjZRPStnSFb1?(CSR!SVB9r4b_H`Ge7o!+Zf>+A)D)gSSs~u6 zay=O#?2GK0pm4zx-k_MVvrYbrWJr+sk%wpN__bNqqnBf7Mi6e8_cmk#=tp4j3d=aR zLG$UTm!a54&xbz4w#5dq(WuKiQot&OKb(=@bcqi*xS~(LtZ1j!6a~o1TtEGb?6e-I z@jpYBTJQAAHhx;`@zaGe?(bE1T+2+O$IG8ULNss0tBcq=?Er~}yUHeXrC#5SSM6BG z2n9?ZM1rHoL{YB8s_bRy@ji|g-XkUaL{)?Q)CljmpyenK1`@*o<;u1lcOc4Z(9<@$ z&D-H{_d=R-<+An(*%Ek~s;$^Zwd=zkDbu1+G_ObHxZAz+%6Dh>@Osam# zaOXAnx!WW7v?M>WY36mnptQYUe*#sXj#r7s;!L^|6T5i(>({v0I7{Tm4I=hcoN>aK z>O*@}iA$n%odkiaOqw9b{>6vN_FRGUtIBh?Sy{gt_RiRbz?bnhu@BKcSm#fXv57!m zT#i{)si*3;(twx>NtAyBY|ljfpXQye-)EiP&N@hFbv|9%W9wV#xYQ<5mbSbcd1{ro`rK}Bvmu6GRuV`c zTSYJsw;D>BZw$}lCXUi6LsJQrk2?6Fx!(XQguf7_!RHG?Q5;JD#@kkZ77MSRr*}A7 z>+Nw0kU;|jcwhCJRchn^b`ukG&n(J97zVOWkP3#)#ntZi@mXK%sAv(b&nPo-_Xd`; zu-j*#J^vZ|Nf?G-X!xz~mpZeniV#)XzcLE{zV@I`{L`)!88-r??U=!Ofi-EVXvihO zV=NwN^Fx5YD!XuHQy|u2-FJ~0No$j414GBiPli}1)Snswq+)mIxpOrut#xm(Yuhwr zH#_n7Ww&P9M#y?}M(Wz_+>x7$1oBDLv{xI=+-N%`o~4}HQY8vy(axIjzFLm#_E%OP zbo1MaY_@U7>SFocz?(68DyGfrv!e>nW{@B9{1^?$BECVbh5IVAwrjvz`PCQYWy8vg zIU@4K4hi4ELBXeXcMeg+vMMH^d#8;^x~6`Q5YCrhJ+WIi=!e0N`!+}kdx>c5_T)WP z^oC5lXrc9KX~Lzx27Pv1e-gx*c-L=!7g&|%wpjtzpMp7L3ObK*SH^x2Lt!(P|81V| z>lz(7Ew5T&)1ycsv%RdOd#z)Zsrs?C2qpGp;#upjXPTe5O^PYFRoMOm(O4kN`Yn?= zC;;}O@e!fuU=uD9$r5%^0HX|yY@-l;V3NEM3c6GP8dSXJ5*kGgfg$%V;R39p3f+k4 zFMfjxeMsqp=Z~Ae^z0Dx=ul|+mGHC*@yk5oqN$OWH6BXehlbQ2ISwX#ov1=3{E_aT^TUwjk@0_|At@ih5HAw6nY^mbkSpVUVA!KnAesXOAqCMs8vm4M{e$R zXcQ%q(u%mj*whkxPUzQ2p=&iolL$8-+qW>{B~R|Be74Ohj+P}dQMB=+1i3H<+iM<* z%HLk$4n!yN3|*dasHfbQ=tN^Q5_!}Pra!U>+|<&449zI!hN(N!L?9~BaxVOKw(hAC zYkrF?;h&8Dh`{X_BN9qoTHc__72P3_+KoiMkFXe=5%eh^W>aIu`P}ItTyK`j1y3b4*bofcxWQ0?diW(|PAl=+>o4Oi$5_-++8C*AG=5D& zdVAjwM(OC>T#^Vxie?zP1`Nb#A)@|DPC4(Kx3u2C66}!eUu-p7R_<>PDtP<_#0CWc zD7F<5T`{5rr5z-~Xtvlzi#@tqpiZH2D2H{PMf*Ew_Y0W$ zaVL77Kl!mj^J!Tk3VkV`@e~Wmgt{Z4Hc!?Q^+enYT8>b6x(eiG z@}SIF2}9mItFaw~`FxHO^uWy(t}8k=;q}K~!I2ppFd=s4;Gvc;$bQdhuLajkUBLd5h$T~ z(u!9Rr+rI1=wQ5k>9Q58?EHrLWmwub#L~76s=z#^vG4@MmwIO%1+Hh_Y#fE7EXo9B zugpOzlp=`4xoABLl&qmfIB0DPmh9oL@_Dvq6d>w6R|k^c;PXpM^{G`>d@?E$d)216 zCuFq-0o-dvum4QFvwF;rDpcJiE-&1}U2=eoTM+@sxU@kUB}df7*eBe*FG^Ow#G&-H z`^`ag*}oRtxvdTEe_sVZ`p>K~=tf^P#PukgaO{tN1XwjrJplHD29VwTpHPSTTtej% zvf{r0><^}fm=#2Xk)O5aygoDe+T--3{zC0ipR_Zza%cz?@dk=OCjt1`#vgzW)CNoo z0AT0(d5!3nJ1&4x`!NtB763Ipr!N|op=(pX_il7*10rz7Ieo#SB`#VCeJ7H*ixQwg z@oEL8nC}^)TTqjsO1S+1y!ihlu%yFyFTMD`_+~^w001+ko#0XA|4Go5@Wa*RH>ny# z)&j|Kpc}SNfGYl9iLGByB{Y%1>9>G}QAGl$!9kIRTkc3a{XwmUkzd&bP|I*$Knwnx z0QT5f0(%<&lMuClYoslyA_O=_xE^#Wxme~#xOFbIuK?W#wHY?^9Z1-_7nc*(<#+gl zV~J&Fmjj86199DAmUj#{Yb2syOB5W-xG}| zux$)r)s-gz-J8HG9TqF-hz{VHl?Ig(V=6MzVMB~+jC52j;$2fk(KMAFrjx*x)v3_| z0P}`-vK(MF&pZIKT<08}ih5}eIrH2D07-$ZlIG)fVpi97;4)R-`=b@|trz>@L>7Jm zhJzE(oK!?$a83IG^dora_bBQF-R#snN zFzkH;YIp%4^VCjY)G22HWaJTmQpzcF8EC85SJkgfe z{!fDH8xX#X03b^*w}JEc0HdHk3NYru9^h5^HI?#9WpF2fGm%(Gk~Ffhs{hi`SN`vg z7Q(+7$&-W()QLrfb%15@E`ViI^b(46d`s!8)u@@NQ|~P35>QymQZgpskk{lOL~(?b zT@@I^{lkf9D(lI!E7RT<<-l->NB}ITxdJRuZOE6PPi9*MYAo~w=8@Aki5MG@tA7rP zW15XLj?Kr%ufTVkANzO5fR#P~C%ROnHPs}m+o;=^-$C*Q$Pw%SbSz!QJ+EDwfz4bU zFn1pTzV!WwcRnyzTNX+ZkFR2a0Ss26H*Cf$ADFCs9l+({@2DXb1*xwP=6wm793xl< zrc;zHt>kf3DKJLGRe+(H2PgtuE22w3#fe^Bg=PXZhyd5dJ9i+q2PsYd2GBjA@Blbl zRNh3i<)`=EQr4}gRh z2wPCBb^4H|)~K^7Fu_9M>?N*i{}+%?=p0u|%=$k-{$GZO&uzt9ZTiBkWhhOGG4pcB zew!$7KbCb5?7SEy?~N{35$l%LX34#bteqZvGwE}e#-v9hofu{0HlV2d3muYG^GzHu z@*lneYS36o&XcNM)9j#!t0}Yt(W0pKJqk7#JR%1ctM7m) z1KMPaK{9yC`G&6tW_wyus}OiLakNqZ=h?-Fov_A!qWWoA5J0@;^D+nWxygBO;}
);j-h88%hA#g@g=;AB18jQ{3h?(U z5e>5;MtlOFv*}~d#Pr!M=121zStWunb<)iQS8a~(TYY13C#t9jPr}2X#?MMl$&%Iv zh~`x(A}y33bA&Q2|+s|29L^0%%6q@lm*o2PKFAYGKK~55{+6 z#2KzRca;?5C{D?ky=>MYnMJGfx zH3&8bKb=-OP5QA!&^Mf&d!EkMOsyi`*bu}8AmyG10iR^I(mpDCW;FWD>bFmMcS&b6 z*Z81An?3aJWfF^>liWlkiihK(s~>fl@2i1IGVs1#_|G7`i+haw&y)m`i9#BpO~w+# zMWL_*`c^b8pRC>AU@X?bk`jy23b65TXCj+~5yTN1AvKr_tCG36R|~|OGPeRhn;*-f zZEY%pql~OwN<|C?qg#;sTe$%35SwI-d>aQmsGIO z0@f!PfRRru0p>dsK$Ual18ZAI9dLh+2INCPQ@{c!yaY^Y3CH|uy!qXUm|$jBoqxd6 zHnI-veFT;^dS9R@aDcejIfELgQ+XFSPztPLatVnuuK$xjqf?e`oJFT%V!)o+s?$Gf z09LQW=931%kX2Qn&~ho+?SB%6)nvDz0AP>dMc9lJ{0{()?*{5;T!?+DoCgxOOaGhj z0JKhi0Eqg$rFhuxaJ?>YXS+KFa{PBq0uDUiPULs~n_chxcRE1ebAP-3?~&kb6Z7Hv znBeWM*Y@8_mG7u8*4x$Ux@{BB8}Q4FZ)ct?=%3?8)k0WAWyt>m>lL+Lvl2XTiJ(yH z@3+e!7|4RYyY~M-uTC7N@ah5$A(;3X`zwH)UoV5O(hWUEp99?hdfgLg(>_#tnqN{rV`cP>O`#5i*~xL^7LsAMjXw_PkmM^idq?6VSfOcS$=Tho z5XIt$G(_N^{+G1wqhU-<@nYX2p*w%VwRI=$ZhxZc>}gmy7d4T>jGLW(kX?)_^)qd@U{_ z#E-EIS+iu8F*|@@IaZ|6=OLa)6Qppfb zV_X(vVd6vrc#Xm3azFXh6=6h+Q~ddAU|9pm%m~VB@yp#rG+5PfAz&;%OGDgra~%WK z5_Jg&)ME&MLnh1V1q2MVdw;@_#ZTvpL*BIS;Y3kd68Hfvf;}bqTBH;7;k{)yib$$L zhG0U=nVo&qRz z79B-d6CBWDII!ul#)K*l+{Yi@aBPrYXU0?s=G6%15yqsNR^-`eaNqM$6fC>0+;HQ0RjeRMR;zhp$-qa@uv^g#}@3*f!dZJ4#P7; zNG=w*y3%fxI!jf&AvJI%eRsqkoR5$QXN(Z__B8kp2Vf);f%{J%VJnd_(f%+Q{X#wf zM``{HbeUyS{G9iDV=1SRQjVH58k-?9Jf#9tqm+LEE{rdmY*_-oZzlJm1HoSs+3pLs zq2jzIGh#b=6OG&VakO)cD0+3gC)=N`k*(Gajd)kTsrm<4E&E~5EPSeFdGJ|7x$o{8 zKAol7xO80>GoGn`$DT!@XrgIdgdE80Z!(pK9;lI-FL) za9=-@9r>5cKi1wq0iC&3|4c2QruyN+cqn<|!6$|b4z#pIOZ!iYvi)wSaq#cd>r8)s zxqyLf%u^}W$W=W4@}O%p0m6MuXkNv{e!na!%zVzh!7MF#QoynjptK*@dXBE|gFTb7b#Vl2PxMPpX6_EB%;`5d zABfPFprw`bkPd~$O2%TZef=#S&+%X%E_>xcD+|Jv{?0gQ{RkJcN$hXW+XFi$SawQZ z^C0o4skc)9`PcT`q{%>{o(&9U?;UDK{ooRtJj#5f!Ov$+9PR^yU(L;XBhIuQlh!|5 zANdhf=c?dYsh!??bg#3FG8A=XjK8BpE25@6 ztBf^%%LHR>V>y%a=RI#g% z%wag(b?eI+WNl&lx|^i2y&P=tNrqa&e&#bu6lGv_6Rle0@&{K-rsiX}87x=Yuv);N z$T!$fOGBl?G@$2Bezxv{>izoi$n6K#8oE|fWiWX0S%D5;hJaRq7j37e+?VsQrgZ6A zy&_iD#e#`@V2O_WJ6p`^MsfS?6Y`w(byII3nmB%6Y6W>?4&!hrpG-Jw4y$kBgRs9D z$ygR;aOEq{&ew$#cj$&zjJi~+kd%ons07NMkXLw)@-qmwfBxMskYbiFz1ZRY%z`;i z57|#@O_AhJ&Nz0z{BW&hO-$XXZUk_XSaVt@95UkofA_0e@>%9fjHPlQ za`rb;8_stWFiU(2(~ z^X@I$r{Fks#F8>z= z#KFHC`=E>2Nkj9sh39dW`w*I;Tjtcg*#1Ph=E_Rh3ysvK(EgJ(_cEcPY8(oXGYbkL z2aSBEGv$lz-f5?h%(avjo~`fC&qH!-OEL3LC3W+YDszI5JJ>ch@yY&Z(Pl~09}t{n=6gn4YKL*ZZc_0)csgG(v?OW>16%by3>x( z$ED;Ze7LN3YL$(Mv?rJW;>r+M` zu+cf{`L?l@Y4$FWOlhF5xh3Eo&P*ON_87?KSYq_`uQju7)n7A5>b0vH@@41Wrn0dj zxRwfY2-b0e{j6hv!@Nq>&vWQG50nrqq9KXv)M>`dbe&1^2wrd-=GU_L673DMm7iQCoAzPDD-| z+@nD2=>vB3L9|!?v-1S8S?hcETdK%ahHZB-f+H5j6y-b;cI&OZDdF4?+E@ zgLT%TJ$pf7rm;&dXelUw7rIecRrTGXei%`IpE2F%mg6D)$cl&Xxh^AUcVT_%G_{%E zh=$fKh^V($8ryUrrxZNV_5&g6HL+Np8&n(}Ba3F#u^pw+0?yeT=3zRPj$?g5x2j}1WsXo1#hYDYKR%6c$?Ksd z)>Vdx?9k`J#=yucOXQ%E!WFe*y?(u0oMc(c!)dC-b?8CX z?9sM1Hk-(v02L#-oBo`fpCf16IkeJre>_lQG*XI{qwueGx-3h=5^Zsdu}BZhez>KUQVNob(9@u(ry=yHR_WSd$;vpPG)6k{3de$zLIkFkf2SP6O?VO&sgtBSd#tJ)Ih&eexcAn4uVp5UAz)$s;yN3&O+t(%bz$;d@gkErQe?i?vDkpa z{rdSUne7;vGW=y?;YQj72e-@z#WOm|ol{v8{aCGk+_9gfn-erRXf^+7nK{+5wxNOo zPz?=o#Q~3f2Jdr<9jH- zlw>_5SXZ%qMQJ` z>V2}wL|mHHc1(JUZ^{v*6N|b#9ycS=8h_x{Tn)<6sUd2ag#b)HU1y2{sO43-wPXs+hV0S6pB+Q?(PnS;_j}+-L+6C99#}| za45yCxVyWUHHTAYQ$+t>CDAjBs^3q9l6?0f|wH2^&Onr zK+?RGK`wfsTZb=lCA5*k#HCk>LN~#(W@I@$+~bitB40?V;dBP8g;K|hVJB17=+GWc@k^peJcV^e`!@I*UPRkWQu7?;>Tgu18KZqLp-ILjwcsQhf|D<%} z8<$?nDRyK4eXxucPX!(;Vdll3?xjQO%9e?w(`{aLG$unl`MDY;ULab!tAJ6)mrHMZ z+23l%UQk>S%LJ)k|EkXQF!hFb>9zfsCv=?9s?REEzxM8Qea7tj9rYRT@b|$Y3jg#@ zt;H-SQc^t*6Xlr#G*J{V>tz`S4v7Qb`sI2M2o+Rs1aW3CAW?aYhGMuN{Avb^E-LZ2 zxWa9tLv7zxBN%GjCrhi8lI91Om2A038Pi7FXPWI=O5nm-)j*{ut_(f1V+|+-?;Z#8#72~n$njjg(b5ZYIWh| znnxW$^o9+cCvyWSd~_;2KRIuR!bO4vMno3gxOcJ5F@R~vgsf8WYGLU_IqIlXS3Ey> zLoD2WG_jyJQH$__3k_)j3bdAZ$8LI<+2)*X8yh7KR_Eq znTL{;vG4Z-g3lXhg!@hB(Kc3ZP!dFX1*9Hih+1^vrCJ=i?IHF%&OKD70ed!?^_@@e z9u`z@J$-yxEUmJqfLv+ft=2CRm#vk}>CHqTN8-Rm%GSKYNy6Lpg9I;`1v8sBNDXJc zj@f{>-pDcICs^A{@uu!n)FLehgKvS+o31M*gV6w+50g(X#>ac}GPwV|5UXTBRpKai zCczl8yB==`^+HhVngw$(gQq^uoC2x@Z~|?SULt@ZfN_%AP|flRa?5os3W}p&OrEyq z0o;Wj5MsCf`kiuO;hyLF3SzT9b2*{_5NsQZwsGPXe1Y0bYF0x?mkEA!CaH37<>M>2 zsyHu}!#o38H;G{SQj)M!b5>RG7Tu_Xd=dtDQP}foE*C%2MHk-^4#Gjwr~ydl!a%q- zfbNL;U?6^EBHAY^6;UqT^bw-5K6I8?Zu~c_d4x9MQ$~;*aPRhtDht(iUicLk_oD>d zWPKRqwvoPzJGhKt!&Jcp;@6S2qTr$;ych7`i%by0v)~E@ZEurraxUDw;vqz`>d2L( zYL~fwlk;+9k(Bm|18|7X+$#>)6piH12T^BKVdnLY*+8ac z_8xPBy$J0u5@|q#(sy4HP-$7WwsRsusWO%&qb|6yNzL9itD@F}Mjrfst#QTIQnVzb2lf2&a^L{O&Et>PA2>D%?AKjw)C60G$34QchRA3xd|qoV7=Oh9a50U z#RB#bD_Kc!n&$=7%M1kuKmmcjXV8w>aIKMYF*Rs3Bk;P8mn<~~LXSt{>niU8u?Qaq*Q*w_k zmt%`jxm~xXq|y7EuGMnoMZDvtu<6+D@BnCr?vjw}VX8$&lg1Zr0DKd_DU`5fFL}qZ zg0TwJ6HO87Y$;DEpUz1R$-ksHN&XlGIHxDfPva%CM0f!&TG~YWq7pwkGe(wAHpu6o zCCL%)Ru4fnVpY6l%y5=?%X5oMRJcc2xBy5|)p!o!i9;zNKrO?QD&)E%IAe#~1mH+4 z^J%DGH^#$BvmrI*acLW4Mmg;6f-a-bMqvQJiwBr>VP4S@UUH@Fg%>Y~dIyFuJ%^^# z)`M{J32%_AEsGtBaCj$5Qi}jSF0-URr#Grw_H;cTnq2ZlU{E&lgjgux^9SMkS;y(Q z>9!Jul+>V>`()aC_}@(WjX0Gsl!jC(oHn(h56g-)BY@tYI(bX95U`S#5Hrrt7CXub}J|&nsB=sK}WL@H8(89{a>L_L`%KQVEOqXmXQudf2y! zmJ?$|*t&(?9Y$VnE(M~~u^9${;w_VU{SRpU=*FXJI&_cMsyG9eCyD>4rvpZQ*T(|@ zBWa1|JPn-X|=QpqO;q8aiopc{AE!(Alm{EvpEfj>26w!qdx`W2LSOv$>n$LfWEBtmg7~k>?Ll$ z!h{#=kR55xJo4Q{<+Iv!8@K8w1PXx}rf+{C zu;H8uQJesDtdgq$^1h=RYr-<=%1cT$Y985j$|=xJSY>GEY80KYiwfj@GiwT67J3lLkhb#syLI<>#R*! zvTO7qRtX{d3K9fJ@gNe5Kbu`)a&TywN_N>Nu|nk~B3FX2EIFJB`e-xSbO-~)3axr_58U`OoP53 zoJ79QmR`0Ay=0yl@&N|_moz{=m@xVDE2L0=o9!Iu-VQ1#x7+$oaDBH0Odj#MH?{Ac zC289a1~_s8Qdx-u&O@(dKo^_vzYECPBE4$0B#o=YqM(6a252hjuM65hPYhWBsS3n4>xnhJPO=$IG&Pf0 zGXgBEKGfFu_L^5j?%G>u3Y;Rwr|*=&E?`W{U|- z7*^e{Jd|MtT8c!RC;UNHp!Zh5De;{e0tG~mR7PqO!Saz%q**w??umlue{fHrF%PUB zk~K0NsbkPXmz6RK;Fzoj`A`!=Yt$cif27_Hmp-MMlV$}i5$Hqd#80B*2gVfNQ#D;#K8m6{ZY;eu#)$3B-OlXT30uZ z$S3xT2$0aQ1fps?kuB~LDOuI9wGMD)U2HFMOPR%{;qJ3PWXu|HkK1YFqhf>1bJwH+ zN<#HRH`k(MtCnz5L;{qgW;2wfZe=@qVG3TH{Bis26TAFkEBZhSzCW!+0sT63SwO2I zXS_bC*yXAfsY|h^;wIT6${#V9^)Omz`w^BhIYrbJ-guHjXov=F+0_#yOPN?bQxpE% zIOO-ryfSSv9+@qGqjdrAt`RNaEkLqYylvI2hBk4})0dp=MIvb3>>Y84FRidkoFXXO zf(EGcFcZB$%2$F5(0ikOU*Mb#^qDoG2z3yC1x=-+>whz%>k@HUqdlas*UERYi_tZ{ zKl@dU&~d80kG8?5U2#tWRtumfRlEx1LG*ZH^|C%WY9|-WuF^iebsz8Tc&T1(&q5Wl z{9e8#^wJJ-qau~T=pXzedjzjo-4Us&pyR}A_I!JvSr0(j{hw%!`2V5{6aS_D->B4n zkUF6?KAey$(RAxP#`9wO@BbD(W+a;H>3qDG@hrR=aZS0^nf4e?sXF7Ey~tPp z+m`#>K>v;{{Pc4*3E;J{`4yZYW8XI!E|*n50J~7qf6>=1E!q-@_9&?2cfam%t0N09 zuSjD7*#CnxPRWcnj+NO36$$}2hbK*iK`F1BkkWYsaJO_gDIND(l!^hsB~dpkLkG&y z59?+L*vG*KaH{T$o)8EjaJVMNr&T=lE6Uj{^CIy(GLKBu<1JPGI&k|V>H;044mUP6 zt#S5>*lxN&FDfUaR&URrD1r~WB`56qASW+}nH?$VSENnh*`y!{Foon5+Ikjg2h-za za-*?~|20-AJy)$6yey;z$T)%R@FYC5XxVC&v+J<_ITq08fA#Zv5q31wx>Cv~6lUzs zti94aKaH4DM0hlzJqiHoXD3}jlGRbbKzA#>9J#tL3-V)A9mMNcCW9xa7BQd zL@LaSpJAvY-$@6AQ!Snf8&kwD2%=|_kzJs96CyJsvYC-V18RWXcr1amL%>Wve(5tHFSXmCc zbKO>sd!vL2$o0GRswc3$T8=9K@OKYSCP0eo`+so> zeBeq$jU(1<%077sAJB;@Yx!1LcCr{M3Wiw}C&Y`Z$(LImd{UxsqCm4UDkm4JJ*w6r zZ&%8YBu3>IDTB%RyjaKW5WbXJEs_Hy0FeC!c<7NKyf)j3n`F^||WN+pM6GDr8 zHK>80YoM^6=7>+~A780PRA>X39G1n)<;Eb*GA2FuJ{ma-H+lckJ!@wPf3exy2s(wx9Uq$j&ovagyos#tYA-vlY<>ZHeJ|6wig+QiL?hC<5a<|kUb>-OuJTQ4ao zAZjuu=D{TaZ%_&A<8JAaSI)vfp2yH|X`LI>rrx4i1|s>ri>nbY*5^?BJ=zxdMoDS@ zW$LZtSY>O#-}bH*$mM)O`){`n1S^&Qr&RU9BI|h3+!C)P*%0T&X~c{Us}IUaSFZc0 z{1NGS5dFkqt@7C{qL%f5=t@oA)_{JFf`)%iyg(qNw^Lb0%Cv`G9Ms@)MYS(HuKic> z7`lBy&M{GjH58N>!hB}vW^8GzQcIyU+#5x`mE8Y8ZEg}B|IW9lb}P17Za8sS8FR$y zN1S^-^{ycuUT7Wr4T1bjZG}(no_h<9f>Yl?oO>x17VpPjyV@pIFH&?#u#mqA_6tu^ zIa-Jf64tiN9DX!X)~T3IC)0uQyI!(?X@R=y27`_d_^l1Y>xS>=XX7X&#t)k*tG6d- zZYy~-JUDT7x|5Tivd#7m6pEWgwYaVk=5drG0VZH`~b*hJ5 zF(7-(oOkK+)#|K1GFXntF31#~bBT#J;W`_5=f6y7wxYgr*y!JBuJ|%egnbAyUrpiw z7SH*$XJ%7P9H@?+%G*=JM|4g-&3y?0stP7=f{wgXXUrEsVeEcc~V69Jr5g$r;dq69K3=Gh#> zh*HCd4sIvkF864SSkXGjKDFk>iVH~h$0;QbX(O|%MswQ#)mdQ3tC?HVfiw)$V<1_C za#qD_F3X=R65^Pa-KYa&?^f=y<6c z&=d*KNdfFQr1r>l2Q5BB&@if%-$dGX$aK4jp<%4Ca^ft(@Xqz z6Ghx?DA`~=mUxp#S*|1iNm-32vTU9@E^!)c7=jsCDbU%=#hW)6DsosAm{aXVn%CPtv7QkukIO_@gDE4Z* z8dE=%LekV@BmsqB1~(Q@;U+%k2RJ|1Hqyy*FZxO8LZpErr8zILa<#%y4AGt-oT!-_ zzAr+wU5S$tH)Vk5#kAY<2+4uh*5XmGSF=!St5N0{v?W)Xi_JfF6O@Y>{thCXFbFT71vUd?qXfCgG zJ*_`IA-4~Oz{c5hN4)H81Vi*zJx^_4gL!=0Wt|6LFT)BJm?{5P7=MtzC%`hkAAHLG z^x-yQLtxyzdB%Hv0Ie(NDEXKO<)d3+C^VO21;oj6uEKKO-4q3;tX8+fS`@-A6~dD^ zXOKe%Oak^QDo-c6P8OhT4#0PfSX0aYfMykHURaV%1(=88+gr*f-9-Rs_3t=XZs_Fr6oMN?lxqDV^HN=b74Kivmt_ zXS4GE3afVWi;ZS{j}dLnzh{~JyG!gv+ZViv*SH69Ds>3ov`kMOvS#eloSNdn0hOc% zml;_C?zdO+k6Gj`*j8Xr(EG?S(-Kfw@1y`?#a?fK%WRwTTt$sjfta&5IhpSmU_>J7 z)5=@II8;6sPd!s-m{9pHso+e|5YYb6gUL4tD3VppZB;_~+$Gg^IvqAu^VcG!)h34t8qUG6#B%gsEt@&L}) z_fHS=New51-)&_v^-c`oA$@dbiRMCp*(d-A%O(0O5BOB6DidI~(eX02N~fweUs;m% z+2cRz*$`{Zn}~nqdRu;x$^XSfEFJG|d%={Bk6OKu-%>At)FivIUA7hk5ZC#^F&*ve z57IXe6Aip_Zar`Jr*qXGbR9c9(2axjb*=ZZOCPa%Wjru8rK_`I3)D`4&| z@2x2zpUW)G^SznB_3081^0o~N;0hvHCyz_mEz^FxG;)(H5136(c5Y8%MKZ;+_e@@% z00{0Nym?7>X|ZM-C|5&BM>FHJXlJ=1M4U&D|nsP zY@VY~2h8~WI<4>oJj$V%P4)!l@&Ng#vW@wqMkb*8qf0){`m~|x6R!}z^FX$V!b*<& zJo=XbnUC2&DV=+P5=S4{Thu74FZtp;flrqvBpdkdnVTY##$h=G3O7!YoT5R3!;HZD z+~LllrPGZnT&%yyQm9o!$>Re4=d9lwfq`}hgn;*Ykuj(l!3Egxn!?ccv%8;$J_9sD zsmi6nhh82sI9_|o}tnhT^Wyx;JYa#R3Z^`?Q+pVb<-pR@dIJ6;lh6D6& z@lk@qd)=>=aeVZrXy*PV;A2`_Ft{<8Cp-d^bdS^8W0nu*E9`|)}&in-Rog=C^VuZt)yf6%A9Z!(~gCbaqLe)UEcV+ z7OYaV>Y=JaZ%LVKfCP+ce~@{cag1{uLX=cKd0arT#7$|=Kx{EGI$Bot%2d{3R#%-U zx{-`~g2gv8-XY!;7Pk~xI~n)S)@sPvAk9KOQgubLX;)oabVb7M=o#y1Ux8I)Tw12T zDQcDtEfz=zJM}5Ok*G*WbZA~%r>#Dx0?eGG!A)|gTCr(j0d|feX4QoYTo$aB#JBO&mZI z2~hlPak$T}s|$;*n8Q|S2d{}l+{hzONE`Pr4mXoUsc(v|95ZZeb!I98M-kqF`TT_L z7_LYEyq{?w&yQpGrg{L1KRUOGh#bkkzp+!LaV1K9WXu@!89%5@KYWB-(aq?fRvUAE z5}>WMr(j`OVeDfW7oc^hVQ2tM{zP+=&G(TeZr}}%#**M`KHz1qImN`NwJ1S(p@3nI z9);}jTf`i4zNQKBDrjEX(7bMUaz#JIrT6!-^xga+rK#*#_kB<$`_VJt*6zq@8m4sD zk*W`9`)y*c2919lkjDZI;Ne{4qCOEzOdCo^R?X2%klQYPZ`B-0qMBiwrI!#nUiyPl z!huSNd;GYBkvkZ*_8tB?XKW#B0v5CzGFX9nDPQKEwak;n+EvO;wYf6Di&iawaHzzD zyxgrq-9g~JSsyR1$_DCq zRS9Ewr>yl)b&|e1*_B?U!l!ms2Xz9UQ8WF)f9%*_=KnC`tT%VAp^ndFZ4NAb9nO== zsJ_qk7*cXmO?7B`V9nKYoC!K!t7f|RaP|2_a7Evafj2j(g!m*0$|e8xPfZ>Q5#d&u z`2!gdVP5sNX8AHVs9}2IFT>keV=2X5F8hR!UXyldG46H-`z&}C6tPcVu^qw|))?TV zjX6;^#o2FQNb3+i^NXn}tuXZv1dmXqzOi}`M2^_b3D0#%c{d!qpIymcPO8t^SZaZ! zFB$JTWYiH#yWCW&6xIVDy!|C|<`$B^s5)HD)`}&uPub{QQwVoMJ*9p3-}V-^@3OmY`t-7_VSA67wNU5D zr-N$uA#oP4U%HDo)o#Ti^SbYHd>Dz;<9wDLML#MRdc3|Fb(?ue2c`)G`LpAwC zHCIo(bP(nv|A3mk;OHgQY5`X!wf}P;akQ3HX8B#;@!jsu(#(bp{#+U=HC30Uis)Gm z|2va&AHS3cM=7Z%>oOQ{JdCEYGD_;f8;W#!XBQc1D-&rxo<@qT-{9Mkfd)nzs%6+M z9qvm8%V@2yKQY6P zNzW8XNeh%o8N)qj<+6}hQa+{ytCRN<*~B&*EUU3RBpEcsd8jpYIrKsBrN>{?n^a=@ z*<4$Qag>@TpJEvc0lr8dLy2TTt*q`0&DciH0xDyPX|Nj0s=<3ANkQA=wCh7XlU z?b^qgo{#+^&r#z??O+TKAWivm{`cG_R`;qm2Dw8x2X2WPxteXespXmPdDg^Qh82bN z+ol`+0DHn`#5yc&!9-JK+?esB%l5k+1{4T?A;q`Oqad`(ww$|O)xe;Ds!xZ;#vi4`@qYRQvu!fz z$U&O#KqltWjPDy`Q-pEl8${bShVsv`9acGiRizPOMl5u zo{juz`uE8JaI>gi5q^XqRj<>W;`s!G23U!`b+7T7$m5UfOPS`=rI$^*-E>L5nW{#b z+CF?vu_0;uTk9JmTZ>=fd+?N3Be$&5SJ80K1~M{ib(E zmKm%h^Mz*kz-;BW#N<^Ilv8YlUK*M?|E|kP>y%a;HQEYu3NsREIO;gf2#92D+?J~q zz@?^G=yw32O|_}P&v`w(S+Zm5~Jy5jL5;CFE}bkXj8gOWI=| z?Ye+6wBJ_>Bxv9$JMDjQbWQ9!r2{58v9IK_0pHfUY@evNfyO@mJut}c)=MjZF5Joa zghaqerDJ9is*gI{rQR~?E&bdFSOP26JbzU7^!aB@NM$LltJsx{tj1o0CL(BqU;3Z~ z>~ggm>c-Y`-H#zrE5(<~%{SXgdln;u1TR0d_)M>+>WSjab7m$o&dP5(NYMu91qjy{ zREmq%-(r1&6~=_^kN~~IT@9PHYv@7gFSwqfCb@koqWnj*q_M=l2gV&`-3tCo@$=k6 z45KLb+{5>4qvFHJhO1A46Psx5H=6@xkmyaea`SgnoQr_U z8NHZcjrGeVHBCvz`Z{jPXqVPwZ#6tJ-Dk^}kiM#Y4iQkC%oJM3LaX%( zESNhIBKYi+=4vP8heg4e`GFqW4aZMsIw`xMz$Oa zdXrsu*?vW6VD6 z`21NgY{n1k!x*ny!fH3t-{fFZGmo2+#P1%)Ne_ORQ#Wf3r8x*qq}g27s%~~9$r)i) zFlB;*+cwb%MYsFY*L>v!`dD+>P~B^8D+wA!%)z&zvSq`qwU@81a zWC{Z*VJVg*lWY|`Z`Ay;nDpDctq`fR>uS!r?Ttsb^JpWa74^&cxC{DmTyax|r)i=; zUFC@131_de(0W|q?`u4aAP7ZzA=#ak@fwIOzL?*_^0Pv>$5zEXpFK!4A?!Mch*!(I z&s<|9=>?vNwwmbR6NWd=i zvCY#@FK>px56fDvG~y>F_PERi6?M5icL0r!i^`OsBH4+1<=c$g_TV_D z4vcS-?^SwM5bg9MI<*1Qu3VLZV$QLM+J;j49vH#il5-t^*=ia^<#HCqQ%Ocje^_4&a;hI<(M7yZy*%@I0DGB;Kvp>Jb%kC~eNyMFSTX*M4YL>MA)Lo^~Q8~t|6EQmHmgJGe3KVpaCW~4Rc zYhdwCKZ|MXn##xLhH|{Md_Ur&H5T{aw!N7BnY!4Bx-jBU2ITbVS92KDz2$q!_Sr`8 z8(CjfbPuA{J5l!1ZMiJ5`s)Ra!drQp^zc?R{Aj)e7Lsm{3?cN|wX&uh-`l@y9it?Y z99AI-AKjXlo@!QoKEKzAw=H2t$K1!{^>6o2n4?6~6;wTBn2nBJ$4A!3A{cLl{~1)_ zz72QY5`-S_CE&V&0oHU&^d-@~5W`@Pz<5*~NfpPR4aZod)DbsmwW8YyooQz3*)S;& zb~PNZCW}VGI1XOyOKmz13#wrEyn3P{4}z+EZHWxmn>V=XXQE~q3aUx;!+MBlm0U0Q z#{pV@1Sz77QA2DhC276(xzG5kXCqem(LvOXNP~SNjeAF2CooXWb1{(xJxYxa2(A>!vk&LoJ*Yh*uG%4==4JqQ_xvN**GDcnF*g9V(I(6+8Rk z>$oUStzc1dvqGusd%${^VrQwz2z?)5hy#d?$87trU3Y!p4m@mjt%|2{$6&&HIcewl z+UXK#?8SxPw<3Q|?H``@at{kk!swJjp+Vo@loM-pMxj1j+EkCV>2wic-&w{z4y#sy&fP8k!|?|H5%UevzcS?BGc2il zG8cy{YWl`qk*mY$cTp!!hCb|dt%pFpCLCT_Hx65J)$6|A6YfO*&KfJdb%TrKMs3Np zUA@&IpmGE?iyxh&2q5E{qeexxFcSfdm5iFb7uz-c^JMN==kq1-N3i~dp$I6qxCo&O z1ZUC1u&+y4vy45;o2Y`>%VAAr%b$W5``+Op*i6ipqG#%JX)lJYpTTKsUX6L0UT~l7 zDyXXXQ!P=R8j3k4GoJ~^dji%v{gWKRJ^zir-eW?m99n{<5&n zb!zwb+4!ftiuls*3~9Mu)1Gmp`-0F0s`Ck>ldwQZ?3_|(91g8fv)U{&S>!G`d=A^P zGeU7AYekl}BpHoW6w9xce?wv1%}g)#zL2WM7ucrGXuD{e5g%PNN7ZYyx+l2imvNE)M3XHwHww3+T_JKMMWeH#MvwDS?wOcUv;$uV~kPz?gS&t5%O6)M||TU zGde|IJb|TH-#xF3IByOs#veY3##@sxMP&ObC7Mh`T={eWL1&>M-&JKN2G4=GNSY}B z@nMj?=UersD%lW5mAru5$|ExzmPmkv_c66Z|5&n+c^RVJa9n4Gp7U$t+-2x!_I=7& zvvTIF5B9NI$kUV}{Sa&zS%SPk*t1JMEA~E+R{f`c52>bz8n}t$ZOyL%X(EIM-R|v=*$OnT%pI*EfyQu%V#-vevw3TM|OXRAai3 z#eZye1uv;L1ZuY@u18>=6I1NgE}^8ZtbM+AfLKx|eWWdm#bie{Q0>zi~&DSjzUs0g1?Xsp34fpI(3NEJi~v z-o(%sVPgM|AjL@MqS}oI0!0@5b+XONNwW68|mFrw_Op?XA|2tQ5~g^oW{7xCY^Pv zex=z3&it?*Qk%9&=q2RwqvQw78o;~CI4qWe;pEqdyld? zNUvB(*ummyg)JdI#bvDrTcmT!Uy0N7iUjSbaJsuSd$*rX4FMtdh(ko{D0wt*{^sf0 z;jeQgHBIVB%Vsn#-|7?z)E9kTT-CL6T<7ZHE3uJDnSH;YVxA|;Pr<%Y@;k=9OZc)} zEdqJahoUBTSVNgWx+)H;v`tsIDt@egS@d6$ea)A%<5Ay{ke@!07a)QmHtFzg?$z?3v z%MvG#b%9)?GfHHTJbsyy6?BZA247o*H-mElO(Ft0)YS>4`JPbDyIo`x@4 zkw1Grh_Og?*E$603ru-#Y*JU8rQcfVA~GHEwlj$4e;Fcj?D{rE*Ylfx%Ul(?j&D#` zlt7w|7Wj|F36^-^1Y@Kr(PO93_D2`R>y1*ieZVIW>O7$a;zMsr;jfcryV4 zhZ<2>FnDxmT_0f`Ga;SMZ%WaQ+_ZjK5g+l0`a)?zah;M<9z&-aj)xJUOjC6o5`!M) z0RA39mRzWZ9W{oRWql7IzlowESq3G`;r3+}x$nHi!AULl&rur?9De z{*g*uIXj$tsn~=0k&^L%;p#WKwxP$L^VHB~8DNpcD(jq|ouwk+6x!-{G@|7z^{^4i zG{ly!xk;wTScq9lm`SEscm6v6buxweCPjPRCgJa#v8qE&O{S*!u_QRE(28XAZPQ#t z3(VjHcw6Cd8%e`7LE~qY*`Y|0C+;t&FQn6pga1FVJA&69V&s;`h(7BOUL;n{8JaqL zwsjBIL8||wq7x}uyBS`*drDbP6JTrV`7BNx>EuZ!^tLb~0S|E%^!1VZ41r=YM+S-@ z?Lj=FAS~aF5&!j!3+2CgLNM6>B>(@BeB~eWv&lccxC%BY(#7~CyE=i~rZ48q(PI z-bJy_+ge+d$t6Zypime`4E_uK)(vrN%^hYN2)7w%p+ZDjS-qdqlp$dGg5ksR9RXvS7Z!X1~r~lha-E ziaC^S>S!jCDRW)(O50b=^m(QB#x%CR@kC~Xy_dUv3RiMKD_^7f<-N*KFAkl-YWPtM-0gDJRZebE@Vn$qB`lNoXC2~SxQxtCwm}u zM7gI~;`D#jCMKJHHq>%?Gbj|S+Zb50A zsSe1Rq{9jRrmJhU=i9slC{U(48)`=*VYPpbH%}X-IYeg9>JvcmYSp>jD5Vr}Brl4i zCsCMe<;R-;qF(ORCxG&b0hP7V1kC1}GN9I$Vw613lR;(Zrw;n9?=91r`lO4B5_v+) z?mt$_%1ePsZf(scP59%Qzqcacs)j=n#AP~CJU}3QVFd`wpTko!r40f|teo9FP zO_~fLl0xS};0FmN1)xhb6an3+1_uLA58#4XovMWIsy^y|?;g?ZVn=y{ zQ&+pSRn%?+F>iu;iFz_=UQXTppSH&Q@1}&F&+T9Kgq}m%Ix>YGfk*ct{!dIV{Ld!O zV<*pEk54DjHz)o#bA78X#EZ#o8Mjms4znOkTd^F=uXX{FC+B>UIW&!j-*jL4{hD9` zJ|}S_kH%PpG4h=+y$di*a*q;Maao8}1RvJ%p}%*tjCm`PL}Ur%%-z8yz7Xgj27dY_ z8x>jPYm&r1sW_0;oRE)Mf~K+C!<;NETLQ>jT?!+%mm{*7BnG__#UDoqI#s6jj`}eLT3EOIQEXYhsz?qVn5d&$GfVIA6f2YT7mFE$eX+l zE=0KFy6-AIKET7aI3pq#kjJ0}s9Q|voZb%$(Lwr!LslAe5vu8oOfxB+^7zHd0=JP* zhd%8l-0)_xSY<=+(8aM3I5&|jVkn!V^!Y9aw|KL%*C(ux*>gcokpr#0?F<&jh+>hQHKsvTjs<`IFN91Pm5&@XN)(CS~_;;d7u{TAovwXM#6(8v2L{|Ut z+|e^!zU$O?)^8vTfrX9qn$s#j<9U0Oc{M6@u*?Dc4T&^Wz_ZVl>;@ydjCk!pu;qf> zTnm{$Ta;=23@Fp${v(~&Q)~Fv)e}nn(F1oLH_;Tgp4ha_mvGpM34)JC6fU`U5rx3L ziEPGhEmmqYZ(yiY&U(V#8%`LaE#7z6{&flgXOG&m4`%6VxFkBK&~>RY)N_Xj%|WAv zPb192ipZUQkZcQxSD-3&chcfnlr>P-MtyDRepg@YNZ<80N{n>Dv5(l`ZpV>F(xHNw zaHj}Qt`wlf!kbD%3V`W~a-Nxn#y!E|m?cg|nSIvXMYyKhNw)1cf0Oz(l~Y`j{?pI! zc{~c%?LRc#l=OBaAKRCOho5O6)Em3ypiT#tcD+5Mrcx978o0?=fAy7r|eC&k-=&ygehD}v8m`(t3v(fwO#On`WS zCxSXRulx{eNraSUS_w}3+Iwb?>_@G>?EQ{PoYiLRj2~mW_G(^O5n+GOY&10{nfwW! z_BV_ZGKFj2qJQkssM9nSMXki{zej<|Aq=!PJp1SRc8Mr>K}THWpx#7jkL?6#&)Fw8 zvcqym8$pF@!ngim?;x2VQA*lFqxCz-##O;`g0_V%aX{!du}+Ne^#uM#3f<2T>hrO1 zKm1P}yb`=_${_0cfgE+0L!);OSWA(swj-uQ6C^xQ7CxPDMWpVDmOnb2$}XYO#4xD` zEN$CjIFE%41iV`g8(b-~QsF9JYB}T^195mTptv)gQgyW77j3N5`mw;j%+sE+dzD6! z&;;{;j@JG&33R@YV3nSVK^#p-Heh}}q5vT2`h#rwXQcNnz8CQEzl9-@*L zA)Hj|rJVg%2(u*$3}Ivy{F{2(Ui+`k#CeWCW|@tEB9Uu99wyELrJPjx(XX$ue7|4O ztDhqY+n?#4@bBQ&8xA|@36eGUQNLhW2+v1Tf|{(eFv*oEzlB;uXDXqXuCH4-5zRT* zdYzEflW%*qS}Q~*zH_Z~Ne3M&>Je}EIc4DQ=H)#ReIeLA;?A~j_5M+tiSCw8ZPe`WK zP+{thul=R&(3K&nWU==JzIL3n09=>9-F;x5m=p^bLHOyW<8p%w^Aw71exC5S{4e#h zpP4w5O7&s*cbHA`q=8Kx3&FM2>t%{>=sYa5r{ing9a4M}eKxZ5{|{Af9S}wL2L2i# zCAl;LN_Th1N_QhADcurM5`s$#EZrp~y)-P+xd^Be zx6PHIFSSubwk|RU$W{C;mW{5RLU1g}BIT1?P*^ix@@22hoTzI22GMq+^YskmD3y2e z&$qdt^1mSO-ND>4?;V}+{PvThRF@$#kV!&vtoQ^ERB<)(D)5!q8G72GEB$HDtDn^| z1evz9AgXQuQ>WxgAMf(G*z1NUTO9Lg95f>T92@8N6i%kLYplhV&AHvZUsP274TtPg zJ+pqUimX*$?^w!e!+dw&^U8E-R622~^Y@FP!XCxyo~p1TMye3xAG&FAlpJq`@lene z$YbJX_B-T4PHtuBG99=xKIMWt0(%!?Tl8tkq(}xibpA5{Ej0Eiu3DHJ0){CvuQ4!Z zHBen~CJrm>QIszjRs51zsr%ta((jtx6S3Bp@FU_$Dpd{HO_AxALKInZuYkBrq8B6( z0W)ED%`gcS9sEWE{$${z8v`PPRy;gfuykRX*G=-nUMeq!g^#sJE!XtPD^|?K=$Vvx zS&KaKt?g`n2k|g|4gh?Lx!m)c^XQOQ^R6s!pT2$B!rvr*489QFyM3XY)>aVH&^>15 zdh8^}I2$OlNgfrYEtyA2O*vQ8pHR*GYrzu7v2v#WYZK4N=YwJ2ulp7#U&K_BfB&?f z&s< zRJILLDKgFp)koaC5{xNS94ywfRus=wsST}VWxQ%ssZQm74Otz{{jUCn>p4&Vt7$_i z&eqMs-OSZaCBOkMG!WT1c3>>tH+g}s@lwP&zbK%N9ZsNINZvx17`%}zx$K9cb10{@ zlW|mlvS6XSW|ix~F6>)dpYLnQx7WHuD4m&!uzMb<&^S)E6)^}m7&BQc7WTF>N^F$t zr+cpgdgZo3Orf##%+Xk_JT#XXt;VNbW$CHX z6y*ec{fnq;LZ$N8gm=n?onwR(b%5l&fI3MidOkvw)h1A9x~%u&r z_$Il^efcv4_#60b#(LKXKD5x2X?w*&GMi?L=;iqHGxe$P_ErSedsWzvPE>KI#UMv% z4MS0!ZdEBGrtGTl!XI*~)dBHorvS@Tf;r$tMpyThSVM+)CvDAYkd=^yI_AtMz+9fl zMKg4}J?>m#;_o|Vp&?uDF>`adNqLFuz&5C#|-xR)y*N?|%r)Kt`vWs&!cNZr_ zT%micqU2<_6PSdfqbQRbYvVUulH!({c3w02SkR5e%z9#+1m3Eb6%J~suiCX06RbPTpis#XfKFF94L~PG5b{!qr{4KNV z9ygm9YE8q(Qm8L9ZjfFwA6gn}F52c{ya}e7q3ppCUxql^I=)(CupAVKjjf#hD<{7d zA(}~*x#diCVxXnQcK{x!v2(1{rCsUgX$Y23Rk6#(u-|Gsn6!?@kxkBk8>LX&k_bmN zFt`{V&5iVeD&hq-$IwD^mQc=gGfcz;rAfv8w{ECWWmxoM$gZ0QI`KL3v z16<4FNI_3*A^5wqqzVk;T*Ej7COaw?{i@3|B|L^dq3D<`UJsWwmkD7wi*l08TjrgB zw@L~VX^WVsFi*a%IFNXL-2M%A0H3r&okIy$MhB&hW)Pa(P(@m-x$N7xAd@V>ecZph%#;X z=JAy--CCxt(6Nd--!FAo)G{|OmsQuUq=D?Vz@StPLoL_uOQ?oVI-zufrsanTGYJvd z(o|x!2GxJ_1DT+6KH)OZt3EQy&5hAj#J8+bVRa98;m&~43sb?a-(2WYKbdtxOK|5slMv_^<$F|3#QldgFN_`cJAg1-GQ%<$THDd*w(r8&l#z3^ z=DyZOH7*h!%=lcqa{(h2vlwt}u-hHRQ*E$uU?csj0~+4*);5R#DuY&bQtaZxdR`z|#5vqhN-G`|q0s7+xQ zdm^E*&%n@>0mt|iW2Kyh)`G3rOta!kMy%@Tc%l^d z^a2502`!qhz!(+Ho>K;Fya6c~vehx=KOm!L_vCrc@)pkBr7tv_Ro(|X#Q=^Gh~=J; z{pTKOq?;$+F2g5>|KdbiQX1pbEO+l0%BsZfA+w;U8<2BM| zv|)l{4BM+(Xh@sw`rOtJ9V!!Ob3(_)Uuq8gF`9C3$PXi50zODeapKLMR>;0c z#+I9l;X>R7R>C|+5h+(-R;=3Pp!&r|3b(vBzVW)CoCf$2IjMX_${5$8l`8)QzTylr@V@}bbW$T?{Aq}{kClu<5?rFUpn9H4+6pA-V z&pqkgavKQ4Y8{iVD>DX28wwdJ@{CfufVVMwq%uY-%6NY|bV!+b_W7Q@1smW1qC7r{ z8Te;z3FNk|FPCzw1k82>Jbd1Gth0aTf3{}+Gdd~4ur-V3uRDnKI^!euY=jMm?afTW zYYR;1zo3fmPK>0C=%B-WTV(D=$9>QnhOKf{mDY)z0Bza(eI4Ld!w~JyU7YCe4HK<4 z1blny?33#C0x>jA^!4291nlwx|U{DaHN~buZzM$SPR4E#TGEW+;xs zCx{1y)V!#$0lwTFASy|kpWC)xz6;O0>1^PNhO@uBMmT!s$LQIqPb7b8tariZ0l&#v|OGSxQNO~14P&%42VaYg)Vow5Fb4sw|Eb2Fn{AzGTT@_Vb(QOjB3N3~ z)ed)Zyk)kMhF2;0beJx`j`3Z3nX(TIAT=TEdWys^_{SK=9i){*Hqh56$cBoBi1Z!R zc+ym0YkOW>BA4bVu;FQwqJW6}z5!OlTb>AA#~Tc%w(qg!hpsLc$c?bQiEKaV4BxGQzOW|6EQQyo2fS(l$5~eB+=e zS{_`i)Md!?%TIfXcPwD2?MRCRIrVAzYLg^BnHGf8)map|u-jUSf+}kG82|Zz+IDia zV4P8t+2F0YHp9*a1`y&i1Gj^;H+2-rqIMdf{<6n89#;^1QeVyOZq7WeROdI)uJvj! zokmG#hyyscjMagmwKA8z`2{uzR^p#aZ*DP170DG!f1eY z4-uCQ1vGo)&e6d8l<9QAzy0t7(MsVT$1$20$ORFVgYNvOyz}01Z?)% z(p(au!Pr9G!iI6A(;lnnwdcE{R08Rm^JYXd;oLi9fclCOCfgR3UmHRZ1cWIAL@F#0 zII;dJLons0Un=T^^di0mL7{M>!8BXYIPj0m)>K7Z$Z*V6WNj|9bAI)uoG7VxZ$N&% zXbXbu-ABv+S_aZ>w>pbrB?f3g}dkv~|PZa$8vf)d2=C&|I-t zvwQm=w;D}6GNZKajr)g`6)&`!z zqa>y5HUPyk$CMZ>;D#`ALyR}JzOH?gaFxESm4h72iRi30mcoG022Hi4y;e{2g!#Ez z0YX}}@)q%vM~UZp80_rw$d^`$ zpo(&pu(R(x6}I}#zK>_Hy0rP465tIh4`>H2s8=o{J`Dg^Fp+}Yi(tU3aIn83G0w1V zE)zoqmVes_xC9F1nd~{7_f-Aa?r|Dbl;hvgI}|?c0VauS!0C{OMzA>JTkhz4W9)5I z0Kc(`-8f3|j(a=RdtQYHsK3Xe>rPu9QKAjfre5Oz2?u}qzKyogg8s|tRS z_IQJcK>!9bPy+>UQ9wQ13{M1(TpIW*5=>f>m`Ntqz+QGVM}jF;tg|NnvTRM-+7TGf z<^~$a+JrN&TsXW!K_;AV#30&ZXYyLV+kzcDsW~uDxm1o!rd}i9Kb@=K_tofzN0_W| zDk2M{?8?Q-?|Y!y7DlT8yKJ=0Im;pjZm9RD001>fo2tTuT1@&4$S;y! za+(nEJ!k8`T9?vZO{_8=Tj210m!99M$4`ryM(RMiS&3j9@Rn$e1uX@C?<>v>E0tYD zuuTg}ynfr?Utw#1OSQ0<@ZpeIB$NIonTW!HwD^i$gVaC6H`{49L($`nOCoApZY#AF zv20(X-YfPW18@&Xq2o92a=-bD!cN1a70$7j3o~DyetW+^BR46Jbr%l;;EcF9uqfPE z$0TB=XgI)-adPrpLtAKnxo2Xu6&FB}W@{!k7X8nf;FawQOu)_2r1uBiF=C8bnA@_{ zKpN}rEs|kH&^`AZSKQXT1IHHp+&ob4I;r-mrZUnRK}8vxX=W!D<~|Cf`)@kr#OFvzNSUm0Fe31)aE2@ zLy?;tTat@$%0c4m=Zr;cVZk<;9PxsF_V-4nzo8sWQ1Nk@AgCf$X{K#&ys|J2`)NPi zV~&iBo;_6_R%7vY{T+G?!AQX03GWNX5ido0rnr&!RKjinxO`HXiY#Pe>|#KER=7@n z5$gO3E32>4bA-XW^Q0kr`=^adJv}pWdfHe`@rm=1@_~P)c$1UeX)t)g$YO!wB7>9db_H?6KN?K5= zTfSpAu`5cGr^m7_Gb(wNWJ@y1cly+vK&B=)dAxQB0};HTG}q4mYjoRpr{v0K&V z#xzc4wFht1$wE*LAp7P0b5?D&!1{VTVsO@I%$)dDmN7%45>M^0)JgmIXdnmtU##a6 z%7STN2#UI?86%@`x_Ga?8f>t=o&Web;!_d^BNkxlq5PDbf1~!EIXG=j%+KE60o#1{ zSWm#Id9_{#ou8C;>?gu7Cn7!B#TN*HV{x88G@XJ;7_$;%Y}qaH5x;2|<}h#!B2cYNCRfROef}976+~^qqMCbf0fd}rUU5LoY>7!i|LBAT};D%hnWLLq?x=F&xeGc}$++(;YykdX=NdyIz8&kDL z$A2*S2R(peQuLO))J;0Rj$UUf*c)@i!cc>iT6wX``{hzIfC8k4BUO7_jC8lAtrH<> zijRyWo-LQ}T_>!fvq^yVQS+xDd+k0$oF4;6d3an9bUz3gbMDRad-h{+(aK_D7?5DI z;}GdLjFfwkL&z4!v9jR^m663Hr-}pTleo)$m5%z~^k0t!(jKr0{XOE<)uN}Y>`IC5 z_)ObQNVP?zjNZ7;AOJHDJmTA7fck0m@H}oq z3eogMHSASDdD&iQA_e@|ZXct%;t>zIf57&L>f&t$RFj2qT;As#|DWJ~b2RD#`<|W6 z)Vf=YvnURtp>I%XbEmU7-w1c%WW|UElC1*UFBV7qi+5TB+e#QDoKrG@-u1p^JVPnV z$mf5KdB?^2yO`w!pYVRo&f+^ZSgmDGh;NP@DUcm5p)WY8ZbJw~*1_)AaolR#f7TDgu1Phv{UilP_<~#l!4TQ3BKg z?Ipl{zQE&x@JPRg5H?)car9=GZ=9$77c5Eh)9ZXDak=y)tZ7OYNXfQD?bJmK>G zZ#iYvRbAW%Kp%5+R6f69l*!;-V8s2P&zEC7vi7)|^!R?W=Eiz6>2If|`?&g=Kl$`8 zd+IpaYX8k+&?-PIZC4sDIxAk$oC_!^b*z5&mcnf8@{(y_WwkJYD?IfDt#{cdUxL3| zmY(IR>1H!f1J4BLi~djf_e6C#FDGZVep}_&?L9{{8vKUKrcDE+w>4Rqz6m55P!1C9 z@ThG)R_=AOCqmJxmn{)aUmx$n+cCSvvQF$<)WN6~&v-XSjNZ`@N(TT=+!qvkY}@^g zP0RkF2%mIvZAS-7W}tvX_K=u;6_xg)4LlQA!`=+pI%ImDcE{d6QX=IB6M?0h=(V}L z1Xvnoqo1hRmHl;6JhfQ5ZjTW*4qC8F$CYZWc`Vrc`}9xN_jOH2Qrj}*xb*`lsO*cR_?kHY@E`{ZA-J$+%acD9X%Rf_^P$IBz-Zo|7E9_L;%J`q zEDw29H|FPxfv6@i^w$4H^r1kb0ZC}dtjxQ`Sj;oz2e5FqiTh=nb8#D4QXgy3d!z#w zZ!K(7<=6u6Opg4Xe`85uO>^2^QSxy$`ZYiV`NFTEpmFg&`vowxAU66Q#oML3x8oN; z2F7iHg>)_!?OXY7{ONn!+L*SF5Ic~MnYGq!t*t??Rj+~7bgmdWt z1Y;wx+j5t*nJmmi0z2KQ0#J5_KJUH4Sjjq{WkXzno1-5 za?q7c^m>^_<2gcuu!DzsxR^(2n*QV1WBN%^)LONU$syvW?xg`qaQc>c3Rk|TC+yva z5Y8Kpya*E!Wvs+Ez({h%FTo!)kK|j&rd7JMQLg~tl8>!PS&J5`Jl;6y`hHFxiA$ob zC4nM+TEl?cEcMR`4s7~*4(PWge+-2`0P6Vb?_J=KUyw=v?fg;N*dLgRxFqA*KqC$= z`N{!%7rQ(wW6VeyR^+B#Es}~hAJI)3+xBP==kv-{Z5T@I7h%0#R&#um!pG2Tu}SmC z@trgb^n9LJXDy8I-{!#Pmxsj(&^>9TR69DgCcK~501YH6s-^c^c1Bt~v0_4M*N8V) zx~}*<={Yt+@d^j;Cb_8jMA`aK%z%m=HnjG&davLhLO32Uy(lL>Khx0zwH6{;K^H*h zXaT)nmlD@mj!i3upybFjp6U$rSQo`sIc{4)-%E(75BlYr5YK>j=KtFL9ZO91C-yh; z^~N1f`1KXA!_w+k25?v>%#9ArQrN~i(;PfXT>*h#4P%|(xz^}_6<*sfDGyI=wK46T zR-<>!W_8Rjg$Kot2lgH9M!=%J-mIo$8mG{M;QdLBAyenlK5Mn6KeQrdi0Jvbq62>u z{@Txsvp=Zhoh_8)tYI=IioTof?Bi+p`_thvq`MNXvnB|&sQmIKHfLKtDp}y?(|mzC$Sdh?9BwW8>-&} zA_l`ybQeXn{-@wut$pX-nnGmvB|NrLQ^-o`c^M>AOV68V5^X9T|k!VkZq8 zO7Vht5+N%C>?R2Xi8s^uADy=oZk1L82*;_m=ByMY7)4(2Uwf5vaTJ#@a=T3e=EQ=U zHjb8a#BH}uh^(dGs}Qm;7@w>t8vaNfn=D!7o80GKI+q4R-Q! z5yUgT%<@&huN1ORz_y+Pvywb_YGbIPFlRHWr5^7KQujpuq ziRTk@RF>{GKK2Vy*zqC5Y%f|wUu=oT`k!igw)n(I6X2L$^sAyY0yp_Oxkz`^#ma95SkaFx5sDZr#p1 za=DwWuPao7lXZHk_`FIpzo0sa)w;7Y%w}-|^H#Xhq`b0pzRF9+A$&W60{Dj zz-o83+Eb?=1|PVvW`Df#BSUGQYVbUu>Bk>P>=&hh zxp@^UqgCK5R4KT5e$goP@R+`TmCI7p9Ml&1{Kp$ME82pf8EaSfrs)x|{4~AQir09H z!vKd7(#DfPL?s|LAs4*CPA%}L2PN^o0 zF*O9Ickvj8iu1!J@m}2hVgDT(89RO@(0Dj~K7L{T!#uxqYghDP=s*Y;*u$mH>xQTh zdz$6=XV_x>XQLr?Fc|B`-6(%{{^vT@9P>`VTWjV#_+H?{7N9v(Z$!IEdrJbgsWHG_ z0DN35)0cf~AFX56M~pHH&%>4tm*P!gH(;vz4-5X7>pWOugn2JyKk#raGw;6_E&wKz zDX{kKK#+<2cfr)NrI3BSTPNqU|FlT?9}>UEA#b9`mkE-*(tc@SgHHk7^N#YUeX?)GS9oex1qGSm(;fOr#C z9@U_K;;>L*Sow{>qctCDBA3dV*jP&^kBpe%4#b6>e?~I6_X)Vu0L7#KPjO(Ad6$&r zQF*?3HLn*gY2NH%uN!->N9dWa`e!8rW848KZ^rRBKNZ~DFq@oLTuto$d(^Xfs5;Ud z5paOe)!g`aK8rYHOWFX(oPkKp-*?&@lL8}{ATIAr+|VKE#zr0`UdlHP8Ys; z&;#GRxA(Ty4Ql`tEZ1GYJ`c>D>R^xZSoi`?fUT}}a9N-_>^I0zR{LoneIM)15M(k_ zujcAI*Dgh5_8B|w_=}{iE&~Bg0_@I%oBeBq$q>#$1JCZ<2)2q;|A0Dd?f@MKk2eZ; zymH7vbrKp^Ds{4+Zj67ONZWZ4A^^Ntg3wAzvYWg72ACGg&T4X(&+En^N&eHLA%MD* zZ|Qyw&S;kQZLd2RGPTcLkZ_vz$7+&hP(#b$(Jb$>!_QJaEM0h*@ZK*cKCKQnUQ~a} zp8awISP{>0ZtZuFX)4Nn02{pn3=^Bz?YXTFHf!vAqJ;c(B@00@faR?wWDq0NqO)=4 zt`1nQwtru>`ca;KRNzv%l2G-EwGHCcN?U<8*T;BWx$8aaRWO2q)mL}m&(>e&eeUGV z#l2+SJ3mzIvN{8M+(HmxTp(`}R9Fkx2D`U$1f*p&I%2`m(mBmO1nk__ipOEYITN{i z0mZ)&Hn$eUx#cYCe=oiYK63FQTa3VsJ{S*hUJ?b2HPb~Zz_zVKO4~1=Y<|+`eKClu|J8{T-35#E1@(1m%Qm8)7)(k3^Rb8`^@>?5pbR|MF zAITq(GAl~s>V2P!=B)BZ+8kxQSC?*#goXh}h;&ONDAj;*&ceU>I`kz@owW5FroguA z^I>q~)^v~Xj2!!pnRj|2N<+ocaJ5+H(-q?#JsA@jQLjKo&%{Rrm{stvYSr#FeA z(!phFsxXKWTPD+@z1mNlw_-Tqy8kjg&%ERqcASz2E2Wc!PGp&lpk_U)&_vxttH;hcw4 z+=pwk`>T|o8})}H$y)^S7D0W#Zx(pf_>dU%(2cyCdRTq9UZ;MTxF5g2ZpM?;~v5v?ot3E5pdp%jvJSU;h_6p4|5OK z7ac(zv66wS{Qo+{J032t=XQMVj~h9~pl6L8nL+-y$8npIckZ`GIiGEQUFJWW1J_yQ ze7FOyb9OU2{vLh)?kq*}VO{-!$>t{L_81w2cDr*O97Aw_d++`5{NdC6lH_641KMKH zttBRZ3po_oq>UeyklPm2*5QU3di7D=_u*3HFt@Yt_7k$ku0%s(pfd2}=I%aH)%6R3 zOY-q$y<1c(kC~f~Rvux4W?2qq(WL`)rCsJ~pT`cGpbx2ylhrVlxY6eb<4>T%k(7^4phV zR%O@BC)7vj4RvR6gt(_QeP6tn8&a>I8#;Gz$5OJ>*%mAg%hoPnfex2^)*{!zmQ1XV2d}zcuu>_rOLOdJ766fYWO=9%W=7Ljt;MKkqk8 z5Z4(2@rM~v435mQAe!_UxW{-HJ3W8i&ES_#H++6nWv zfmuE8Y?boOT_WYt#u$F~;EGAgJ>1nKT(Og1fYz%{NF)VPxL(I&u`q8NceQO=>EszF zbLIXS(`8Dbf62s8rpv^?{Qi|x>0pTrv*7RlBGzrlix>*T*DcxTMb~S!>k+2loQ^+jP6<0ARm$(x)ge2ZwqmnigWA6Hs$J`LK-I3D1L8T}PNlZGh!)J)B~ zQ$U$sP00pJUwu&y87m=J-#N>MGC6+d#XSI37l9pP&U$9O^FPsWR_q3WpguDk0^wN% zL^3zR!}o%me|Em8h^#|U`ic8yv{y<&hGajhTo{Ctn*vrVnw@h14u)}1w6Y7m60|MW z&31mJnfJSFG85;aAm3Bep&jU0W8gKas?efFSOSi@j;pXwET*$v;M)y3$Xr#GUm#;8 z(UHzab&U4Aa5HLxE`I;)jwB{^u~8AeWg&H?7MZKA8$GOb6892iW7u?|yQ zDh2((lbxNLXu|667-s5(TI{HD`_v^k7wPGTUur$vWSSokH)!FY@q?p`k`4VjqTMh! zE`x)Ya|Z=l5;E)}mt+g-veualJGedyr|A*mQ!3;o1PDaSt|>=gjGM6%@y1**e@XTF zeTD*A>D3#J71+m5s>a_~KB;P~bgogYe+~%QH929(y%j;4$H&Zpsz#yBcbBSGdlT+T z1lO0NJE*_I+mxWxwe217o%z7%&6v%FE_bDlt2|jj_iy&;zqdWJp0B7!{x}^>fEPBR$UM!p{1WoFaNsK zUl#;|tV3mU*`TRE9U4O3?^D>lvy_v8aO-i+ zx!=TGfsjS6$2RzGKJlRwBfzwbc>p~4`1Y?>~dMW7`(FMG}4giy_uzB(p)VnJVFBG8muTp zgBto!RcPrnK;wZmMsI$h-4Y7p&|G=upEG=zLGryJ;XK%gZPkvlnkaB{O7~9n2S`sz zY{@8H|1je)@ka|X2z1O`!6gMjdH5)%dDwKFMKT|Ov%$^6sd7Qz{>9po5_zYguoVCx zXqv=3IQk5(y=mT5tgT8zCU7!~-ufZ|a` z-w#@Ap0ZZ}?1)bo1{5B0m>3JX!?82)BSxc6uXdi40L!y*qlJJ2ybj+k7h+~J0Q4Y_ zsU((SFgw01*m3mXEZu-1<;U)IaL&@s$(?9N>?{s|asuY4X*u8aDj)zgFts%cKjF_X+u-P zHrhg5`wV~kXsj%^z|AlyMGo7X2XRd#sSIc!_R*;4gNX|9~JP1`LA2y{p`7?HTg%X54-qKgAA?=Q!+%5J1K;GoZqNgj~EK1^i zu)wb&pqJrK>7 zdUd-bLuTsEW+cf0MPwKr0-0txs7RsW=15V`k#iE@ElDLYs`8h9)Vwd~H+Z)30#Cqn z^){>qp>K5Zziu5pCwaxZ-Od2+A~A(Je~Lo(bU)#$i*&4++-1!rCCVf)MfPT~PBwY~ z_bmD>f}T>Q1~wD*n#Biz|~;jG7%=d^qVZv^I?F1~x-7zNeb1Z!@GZ z^i7NurEm7NS>&$I2?H@zcFcK)9IdFK?c~v8VmWJmC?>vpLT`GE-fG_g$#USQX-l({|Dmc@L*bayqWG zRD7Nj;$U^7XtwmBD8G@=NM4mSP|RX%m-_w25iPP#+@f##<3Ol12(PRZk>j@TVK+Wk z7T3V{BmI~5vU7m_p(ci5Her-W_4=@g|KrHHS??7H>MH&l*PNVVpHk{dZouaUDSpOg zwtH2hkXh%VoZ$-tq=jCo9W~Q0VtVI$VrA7nbfpdmf5(rPfHzl!h35qn;5K;z<1|oa zyg!tn25pAXi!xQu9tq*4yxk}aOJ%OYY^-|jHZ8$2ZPNS320&Z8>)#Ul(e;2X{{qsw zW+3mVhl7Vhm@o)*7UlUp6bb%&xFYhj73Wp8Z4Tmx99%|onV37eM(r|0|Jvf#TK&px zA5Sw_kbqn191S0d5y*(hk88`` zjQYx5^hJkZD?^NIZz*;pq5~dO*$VC5s)a}#YYNpMV;)Ws_r8%B&Ox$Jv{uyH-6i5a zt+U2yOnVZDrnJh-7aAFqc!3|z9d6WwkjHJ$W@2r5`JVP$*MqP|ScNvTW+NP9f!AG` z;xBpm?{{u=jmbg@G72TIWMqT{+2zbFN2%~hfaj~5+cb$nZ$;omREtV4U{k+^HmT+& z+rI5IVr_=rn*^Y0|1(*5pzjKUQ8+>eEvC@DFnp%`(;e`_9*;RBdl~RA*O=;>4 z#B{FHw$OQNPvdu!6Hn8@ZBJcJaIw zXMO!{5JG5Gh>)g(&oj#DpFtK@jgxRtIetmo22o~aV0#nqd>kWBZ?{2sz>4%zK3bG^ zrqMaZa9>}Zz==fO>emTX=bD4kEUM20C+k9Q0%`SMF#8cv<0|cH2vPG<$06L=ab664 zr9acPpZ*|Bfe#g`n7B@s$P=hq5_B^tGN$sWMkh;|1o%&QAzq$iOku`K_X14uxv#4r zAH^)Zio{(sRw|{b)qU)DKQ#r;+fy@f8f%YjQ~ls4@QzybU7+p2#fOa*|MRBlYV2`Y zE^*K_aE)TmRGI-!e^8c+h|`{2&GYBd=)xw}U#+gK@{J8sK>5TRuqk+o-MigdEJycj zGpg5^YKwxfvZ_xSf>3t*6?I1#ZhGLijU?a1rEr1;_Qa|eJujMdWw(JP-XwxNTGOndkgV{a+!b)#|c1%qfaqq8F3thtC4;!wy1W_I{m=HX{b) ze9md{p>w853Sf<{%1>fXq0{GMt1k3}Pz9l!azUYgv-Yo`J`;KpPdhMDekT4Ha-rE5 z-Eh=cnN_o+j6;S+ndwEN-%h&kNnwNrN{!v3l(XlV5c zd)TzDBTu%zjeLH^zh6@&&fL}7cz7K{>2OM)e~GxEix<(p7)VR|)M$sQ91`7J7H}*` zd)b>t*8CD>P5uv$cPN3W$2Ce1N@T~?i4Tp;Pu)9HnLlrOqmQx%hDxl1 z1l#}Oh%>o0nM68-5H!?+G2JxtiLX%C?Q^~czSc90oDC-ED5)Fxn(;o7SOP}#hJh~n zsK7#mCLxa_+tW);Y)OaOuxGU#(?$8Ci z_aM+m2i%B?hOCpg^{+W^k_^A+-wl}#R8E`Sv$Cj+2fl52Pe;7@M8o=YTA>gt8C=9f z4)N?vJS8WT=K0w9%^%8pRmwD2HK+WCFs*iDm%yV4qXEeqAIazs0(u3n$Sfy=sAyftX0L6 zGW|hO_uKB5mjpBBH%WIIAy!AXQH<5m>?c_NRVB8So5AFe&ZE-UznF15Ry1(EE_bmi z4$f|$lwdm>Yi6h2!sAFlpx?(rA0On{q2;<->8g9pn%*#1r4evF#6yqI8UuFRSS8RS zb4Z03XMJB%oLJH67$u#|V#t1)eZ*KivPuSkS+Z;L_>Q6}t*L%pszRw*PbjV7JOEoE z=_>XZUlAslwrSlr;3hUt$U={#S69_OZj#jaYAk?BmLS!;C99aiTJ%#=mPlU-zM0s35OT_$I zd6-Ac05Irs77k#af@3u*`FvlnU0M4L~My%fxVdwJyg{}mumc|0qQO6B@gSED5`4JPi23vFRf_xwLa*J`gIDTeq$1p%E~*9(0dH z^~7382r_Zcu!y34!k-rQ$GAvoiHomtwI5f$U?8dFX z{@KYsx$(;a)$LO?6aY4L?}bk&*#37a9+r>HmYl%HQ2%OL>u9uU8M1!c!!q0j#J!Dl z;VlaVfuYZ|oZhCo<2@8(lug>WiD?g&`-5dOLk^xdQ`v094|QYz_=6}mF%_F4B<#PA z;mq{^M^>>}`($U7S61&1l>JzY2fup4&khZsO8@*?+Kv-Fho~rFwgn)8Vj+4-U!1eL zW(-N-#`LGxTxN`+yv^tys$`2&ZlLgcS7=k6rSqZ?0Bb@ZG5}VRZyk`)1<1I82q(Y-uMa)=pY&<=wO8Ht zO#?I|?njhTAAnkmsR1(oF9c-%4$yz*J%Q1g5eroJ{|;$x2vSng({yZvR|41c1VAj| z`{4xIhF-GXvUbi}B1#4g&3QXat5ysh)BpqOqFWG(&U&3J|5X6`UFJ{tgw9t$DiP)X7Xmm$cmURp6>O+v74>UM6;J)L zga>FH-98|BXd1{&RtNRLV5%Z-1R_^~Nc(vpGGn`_|YQj z`057b!vJCHqoFe7inodbASL~^W-qEB2E^mvkpFXF{pV@F`LURpwEN`1DR9|;zbKTz zsL;}9l-DKqk9l)|yc_L6JNW{9B>Tl=f`SlOUEr#STJEI%B2eKkfwFdGV*s3s=o)}G zeF4}>`gs65Nq38#-jk_HrlSB%qgsXhd~{nPfW&A0K;lneYTP#OujiegEgfR{WHlgb>K^7hN7$eW+-0FeaT(YH=n z05_>&6ev(pS1^K{oY6>c{0Q{Bq#^)0WNioFmkfbnpr6cE6u|Ew3pok=D#LQG0cnJDqKxR~gRv$TAfT9b~qY4`fGOI%0gq$BGWEb_2 zvjzR%u|S2k4V4B2f?|Lt)X~=j+>PbDR;*G2DbdJG-E3YFjPsK-6Cx@b==pDdVbi;> zeI8@qi6apQs7FAgQYO>rtkwWg_G2Gt@~r=Z+cu?d4y2V=0|j)af%*}7$&z73o3f&P z@T9J~-Df({4+PR#JAm{gB#>V33)Iy6aG}Ech+ByNG2$jzG9sR+7j~u zXqql3<~`Q=r|`hNwXO)-UcjLa#Iha0+Qz?pOxv;wm&Rzz2s-|4Q+X{@y5 z?kn|suW)~9;_Vx`#$G3B7*?hq6wH4!bX55N`<>x)g8R**v!!Fjz7B!% zkc@@)WU=OeUl(Qq&;d8i-tFAzs*JIKLP`KKoe34BaifosPZIg#0G9aD6yq09pMwX*bD~Zfpopk} z27!j*hQ*RpU&(dxcD+{w&8@{nUvxmqV08=^u>`*e&dG&y#g2re6kT!--*f8tq^9Ey z_vbS#p*sE*z@Ze;pl>J%KqrjNu**f+;hzZ)pz&^8sE9#=4QCUqS4CGfx8H&^;{E0e z>S}u(qT@68=?G`_Md&+S7CGA(=h`rudZYPV;EsWygLv~imi8|n08TKY9_dkGZ*Ev) zR^$DyO9+8z%T-pBznIzgX-!kSAyOjaqs=X6@sF-iow%w_fm?marQb1X5+dtyW@P|H0D6l z@w`V=BkgK%bDr!sJOT==a-ESjrrvyiE*}sb7g0Ng8m>l6(Lp6(UQ4e&5pO(vUjnTZ z?aA$NZ-XhtT=8aCP)a;~Y8ZHSFDMP+;W!bbHemQO$pAni&qX7@a3-z>oLdtMVe3PBV#y4!Z3xmmHy!ZXf3n*+Z4&i zz1j1e`_-UJivNqLw}6V{cl)i=J%9D)mM(npJShS|2%dN;>6ho^Hwu+zan6^HuBbu=cmDZ!Y8fAVq5Ser?ZJRD>-} z7;zgt6AwiN3?f1TR9q>Oix$*-R90N+b4F%)DJWd&BDu|>LZ*KRjVPLZWu}q2z%jD) z_fR{>Z#6Pc{yWJtouy^gtTU|BF(abIn=J&}#?zv|?}Lv{+zg(`9^HGE^FB5Ahun$% z$W!{W-MK^%WJ^f4^9hRC@`j7YAq^{hq_S5VEBf~rE-!TDs%5Txn~?10M5OwWzoV}7 z0P-tJBQ5|ddQ6Nmpi4|UmJ^&0aHI0_rI7?KM_GK?aNysy@4$Z#iDg4L+b7DqpCo}8 zoN-sDY}p1ANT4CL%o5C4hkA&oK5IqF4%gu^?Qwul*z}x2%nEA#meK=mYRs#sOp9r%{bRvnQ5&$F23dnj%v# znAyZ1B*2HWE$+EzXqA5jAK+X9bNB9l5a>_}kMSdGcd^ek|KeY)-eeUrm{JnVUSlg- zqkKDoO2|HoG~&&{@uy2GkYE7*d&{gTg`+9`u8u9OFqpgxX%UXFNO!4*#pCS)vjlCU zpk^IL`oi&?N*#bZO56KVXPdEb{7Siw#GF*{_)Fbj=E5=SC1x(goUKfLBI4jc z<$W#uf&TKI4e!@3e5x}3g1aN%j-#gA&;F?S3Ty$?9s0^})BO^EEUj8{?@Qk?U@_1=)UWBmJ2W|t`ucxJm2wNS z*Ani$m|f|OFf&_~tqB z13V-umYz#t$Vygb|IU9JdkWg~hFr3q5|a|xAT-&EDHz~j2t zMqLUP-4Bkw+h1!endx8>RH93l6;&8G7N$HgLHHWxZv-e5RzG5PAPbn9g}*}9Ipd^O zCH=bV73hrU-5W!5v1`G?{T-VH1!$2bK(rsXeJIFAAp;<_gD|x#KY|ku%RdqpV(U74!l$SC%eZ+su2* zIH#6hp5@7e@^cf`&2uFY`2_lL-q?Ie!E{K}pNv6tsL!za$u1xO?KQONaR(y?lF%J9 z6~YA8dd-%8gKWwn#e-VnVJu+?Sz6MhuB!S3iR(l6JK08dq6L~NXCmq9YQ%?*~g*@6=ZrtIhO*h0#-UC9I4qp zL~#m9bI{sH#?bL;(+D+&k&FImrp@#1npiW4i^=R&4}_+g_FU&PGBaCjBzpUV`o`Q=xObKjfH(8^T<32EQH?j`)>NR%w}6a!{9n3k z07Yiz)mn{U9ZzwdKW##+!{oIX#ri6TYjie=fN!u@{LhD}YoaWJKst5mAvxL2Jj))r z6khS@gk^EEblaHJgY@h~zQ21^j_-bP5NEnjxVAi4(TLS4oF7pZz>ghj#8^}U!k6Ek z?FIh;{XpPx%>Gwd-MW*TWuWfO>Y}~!3(BdK<2g_neKG*A=*pn5+I(!w&-46oTFt7@ zTfdfQ9Ba0`r)|Re$Kf$K1r$AWC&P|N0l}QSnNrk-c_7+-a(~NYnzc=Nc=B3IAs_MH z^3>_OLzO)$E;`cNfZtwyI_X<1jcT+K1v*)O1w+})C8$hc{o2xuP~!bR+}2QDE$Pbq0v^%uO=onar7k@xGm-gZ;DV_$UUiEX=8zWamRM z-I`3X6FNn@(!VY11&zFNTR8&v$_$WOYGv75hucj>sCr5SO)32bj-3yG!~F0NB4+^huR9?=8sZ8t5t~4w?{5+f=0D> z@D9tXfyoNoSVXQ~z2VdwubUG!tqkD3X}tIvmH<7+ePjK` zl-=h#%{*7FvosLvA0=J$_4-M__C|P3s0funT8#31X@GC9$vOGT<517LSim`$!=?I# zFt;TG5axo4(5dM|hgmZavikc6)B+8WDR2c9EjS>O$SZrjxz(V*xv1>fXoKqwnVx4Zw8jAXiiVfYRoVQ)@gui+ zw}(npOfzh-v0pC7Fp^`^!2Zf#(aIFoV!j(+l-ygs$}107bZ)7Cpr6?^>Smc9N@3n& zKiFGN{sJ1nN_Sa7WbrfAYRBIB8;_r-6n_?&EE=x3p;(q^@vvs71F#ai2E^<-FMd>v zHiC}ab)X-m2XcG0mASn8$zQzX-Bl;_e6Z`&KGNwmntfhZiH>os&uj4*=2_aHLgYdJ z5#HzDdl**Q`FoR9SbBbRKj0Ao-$1(BtS&K`4T(q~6$8!on1`M7$6(CGB2vhf?`y#t z)TQVHE-=bM{{;R*IExIQ6z&GqK=XKw{TVV4e#0Vw6<58vtg3ALfaYc@DSF5!)g9yf zU77}x^QU=E#a{bvnvb|K4p=B%=(bZ^X_4e$asre%JSRHy0`+bK=+`B-wJfPP3tI)4 z<#>0j34jr{=iz_R*ZYTq0n^MqjqKx6{wCZwCdl+2;agfXAm*(3qinx&`sTSq@iqI> z!Z%(aeBGP{M~@U#z3ON(^i0y#UbmiB#a|%~hdOJ^r?icv(ggD**STjA%y?sN#>U^&nlm3SlE}Tqy0wDyyMN#L61BG=8YD4aQy?fdh zj2BhL*i5;-#+w%6Tm6)h(*d5V3j2>Kq>Z^2TC@mG4A>=wiQ<8*at`7nwTf&z5sm%s zvYd9TNkd{IO^P^wO}Xf0jKVz>#}w|5rzZwCI~7kOU!@L zzY_hABaaiH5eh=fX^~RPB4Trfz~=gw%+;v6isgz+zo^e{aom8U;e~5BjvxsdPAjEE zjemC2FfXNjBCDpk_PkkEc3#IsgNCKRVvaE-1(soAU}7@&X`X;EyDt{dx%p80f=w(Q zQfuAD@vJVtbBDWH$Jw1#b=m#WxEjA^GjRo9X#k_07g9%yLlvOw9IUIrZtXZBz*B*r zH4?QwXGX1ehI@Hr8>7fowTehbTie5P#d2v=>F{ySr0_<8V=jfGXTgGxMLW-299weC zkn=kwjIqG~njM2~(&E$CT&3>$LInVIkxsJ+X#8(@+~2FZ8fUuHm-*J_Zks7amnvw} z>P;rbf``CB*XC?sX*HOgj<79=kuLlg%)@HG+@zk3v-)ddz$w2WhE3ObzA2|DibhLC zZlLzQP0N(Vp01mS!OL3HxW83^`LJY2N&y@HC{e3cFc;vohZbKbE*J3;=3IQ3!o_`2Skdekt;~E@`u{NjO;^h|xGsc5fHo z)GT)FV@&l-J14L&XbZ8FcO3@TM+`-8A@t|u_pqx1BT|}wyX;8B*gtBa?xGIC^uJIW z82pPCSzmU;U154hdqZ}rBM8nH*w%dHO})huGKq@sw$D#n69M(U3>qY1nGSvS)vMCn zpeSRThqWfAs=6=Qe5WMV5P`054xGSU%++rJdC@&7v?_|c z21Lo_?J0{`VX*~Ntx<2n0X1ZgfK(#*>`Jlm3k*3@I-&KrGK^j0b_Iq;Z^ui+nvq3!kAOp_?GLn2xv#m+{CREB zR+}a4G93=6gYF^tS*Xqpo!k0F-84U!d2rs56=|+F4!Ijk8dxTqE~!{^CZ~U-qjOZ@ zm^=>x{)H?%s;>4=Y5e@}7X5>G*6`9Qs#Q+{wcXoa~M3A)VC;v#7#PRf+Mhod~$yX}?e~;3FiYC? zz5)WD3})%Zh8hi6TwlV%wiFW;_D9bm>&BXsa2~fIF~8G_U;ZN@53=OTQl!FZ)_=nz z?>PNcfEg$d*KW&jEeFo;N*E%eLaXPsVfsA$t!H!HP=&c=X&-a*eX<|~ScXcqc;9XJSWlLI;Zy@yC&v_Y0R(KOor|@S z!alr&7ZYNlt|%0Xx3}ZMuz$=xVlN}brE%|=n+}>;w0t2Zea?f*jjngj!)xkD_6;^# zj@qF_2?unOPiHSG>BN%%yaWzrxBa{R@Z(HCWrKinj)VODyHxEJc2G)y)_#9 zzho6ukOUgP5YsW{xnkGzbGOmy;c)>NtzByGtV}Z-O7xfePa6j-i#YauaCBw`Ea;S) zs&VstVcu4IZ&C`u$@7|>cd;sg;F`m|k>zy~>%c&K@bot3E>M~NL*Ve?m54ePYfj#% zPi;F2tHWc|e3P}F_zg`24mN~7XGzDtCxOXT5ua3t@Tn_JXsTkQDsBvYi|dj^UC)5C*^P2$C~Y!CWtxKcjNH^!>@~|8z_5FGeFexX+^6* z*W&?=e>wh!B&imf%?A)BypzHiRw9<_Mu^C?0WhaR=UB;bh3)cT?LP;hb15K5yeX`V zNnqv7ok<9&lvj45YLc{f1{KUO(}lT(aiN)Rs~7-#KcFKZ_GRnbjNnM04 zio=uOi@_F6!Tlet5jz06Fu%DgvuI^ASaDKcJKRUyPMLGp=9=$=`sG}bks+jq)tN#N zt)a2IH1SJJ$H3nVH1ieO%ArQuF2_FR!Sq|kK5qS4t^M$Isc&NemXCAwCod|~l)3*j ziRn6%#}@tH^DR}9R}(_W0(Retx8hg z+wc~R`~g7_g~m!-I1lbzhK=S~l0cdBwjLp%z7%41`l(%`gAmBUuE#x@$99&4>pM<8 z2;sUtw$`3Y5&p(Jz)GdeJJn(KXVD$JF@03%qAUT-igu}i_J9N>Xfp(eDr5XZ^d?KC z)1OsFhcya0=%8CGur_ApG;3k&sp^+pGI^H;#J{lUjbE@*{vT5dAx|?FlPs!OR^U8u z?kou-S`|5~KXf0UeEI*I^Mn^y>WrqCLG2d1uxU;_QPptbIK*3J5(mrf{~%9JE&yeD zM_oTT;!j%YZ%VoSHI-NNqN7`xa!hy{Z=3@-8-3kx!bN3WMz;K5iavC7Kp8btU#23i zD~^UEnJ2m}dq+}sWTXR3LprNMULOF~0bzRA)ZDx2)g;CBThi7a$x<%S>HNLXL|al4|Arn78!p?LDhb&&zLJNx^Yb zn57|2Yo@jP4)Xy2Qz(y(Wc;?u~clC4G zZW=uieRcp2z&5t6rWlUJ=b;6}qY1TeduS2$$qGIMW;m3%8nbf7Z%=qcbcb99C z(NA)dD+7&UA7trXmm?;@+px5h94u2wCbEkQ!l0=UNXD1VV=K8RL?uQo_;?_FpNxX3ylOttM2%6G16&b`0;mH2m7!tYS<`ig40EM(W;@~s}g z)$-h?Y9(47w6a@o-UAfIi~Vu)K4LPf9Ln`(_Up|z!&5_HwJ>`Om9(h;P*YW&KRJoE zZx)GG#SZ#kPlUx+Wm?I?ADMb=8boxpt+l#H@Vv0K#;1u!&0x*_<8>_oF@yRqTp9LO zM*TLoe!j_DZ~h4xWT^B*zZ~Nje@Cs$Z$Suc!nf>K(>7{lqiCQ^Y3%y5nhWOiE}^Te zr3WDb0CRjsN_UL$SOelb-#qlor7BH{evq=m))|&iWi5`pVb2NBD=gQr{A8XPWe^$Q zhT9onx%bh0gOZX;)*K*rf%03yANx)n1$qVO^we7ECkHctPONxYj8lj(vx&^CzF{() zfd)d$$a~>K1n{u>seXBuo`2V@ zZ{UIim1dC{UlhwA_&3VGX`1FknnBU*1W$HWIWx6&Ac8;@5vnsfLbw zp=U1LKY*aWF2dPT5b%YTRI?GJ{eC-C&lsaD+v)`YNJk&Cf4_UbL;?V&_QkPXnEt)P zOd~M~?w_rk}%D zQYcAQ7*f8G=`^)FqP3sqy-U(M6O>$-wtQY>YbN6H4KNOzW|&5E+vFH0@zxLox}eCPCz*P;t;@5%?;vL zaGy_ScGN@zpJaQ=ivh?R4nTJUb|FZI!@MieJSmoW=DH_q^tpUwi(3cm?LS3}@c(01 z)jb)#^xeV%MQ#O$974T4<(-7}y}ne&eP0OnX)l zNyWVzOC%abkV#y8c)=}3htO4#R|902aJ&EH{dXSpm5bRfC{;EP`vQc9UElQYuYqb8 z9R;|hKy={%y6FT7TBx%qKreeif~gG^4NKK3?1RGrBLP?pWu~Ee{^AksJ@SGXnkm9| zk*bdG$cb=lC=!)GR(iPxNF=o=-|4V+2mvYG2`@sv!=i78d{n(=AZ)|_I3x)G@p2ez zvz*jm030!um7w(?HiP?A`e*fT_W?T>oF$6&XzI&PHv5@1045V42Fzqx_Z|HQxdPUL zu<^Hz0bGr9-S+Ks{1vxC!ggbl9e?*p?q0jd_Txwf|A+6~8J@4I=q}Z-tR>>foWlCE zi*kY_$>VkLuoknSE}AfS>QArVqXbg_Ebbj-8krafm=Y;D2)zn~OlJWTHei<85Pmn?qJ{%MoKh z?Ih}2YcXHB?zoR8&|)z@$`E7aZN?O`s$|&pU!rVV8Xk5?Tzho9Jq5^~1`PSH=YtL- zaNAoa{{nopM&yR6ZMG0B=%me_Wy)Tr3-flIYriG9U>Y*UI+=tDa$e9%{Nqu6U`#SWMxD3{5{bQq^a(5D z9xz%*@(~Hdg6C5Hee9EqHf7{jbIeNj1mZlImX3Gvadi@`jq;K?KolWo+hn7=&2O2&+<{X3w6Mz=Nl5G7lV zcbzUFr-Ryxob1|rFvZV#1d0<_wij>q5*CORJ;V5Aa`t9Mr!%wGz}T0^S8%Raq3?H2 z6%ke7)bMoE#YJ_SIP*cy8Kj*A%}ggNhY{F&wkhBe+;wm_!2ehzpn%LqfSku8VQ8Sf z8cS_&G2T`#&zv<458jvVAnO9E+xWVoMTrc#)8}+msbSc^(#PyvT_FyPCO6Se=tMtpi0s8$z}vOC6FW~ZL? z+R48!rJr0d{Ab^K{Kv)Gm+8^4;)bUI{BRYpnssgSj}9(EYZaJHgS%Vvd7UdO^H3Sv zq76&)f93IVwyu&HUWkB8sy4u}8O)OLW0|L<5cY4iDp7`|9TCjvp!s1{J9&Vl&N=jZ z(N!Juzyb20JMBx$U~lhDa_79cwx@T1g`E~DzxOw_W@UjpUwL>*ToVOsn+udY{C_1c#c`Y!b10?R2yd|O zI0V||G1pSXB!eNUf-{{HlsF^Q@*_>Wi%S`R>Pd6sDR%K*X#0Btw<1G#a^hxL^{$Tc zhWhWM3Y|Zt^J?}&zw0=|iLo+CzyUvn=b~-V*NYE`G zs9bXlPue=1q3l2wvb})L8(JBwzB=xD!QELQeg0E|Hfh`MbLORGRV?qC zq;WeQVH+dP`2-$gp4DTFMgQb^gK)HA6OMgUByI-_MdcZtMT_3|#Cm6P{EGb|>`ZWd znwXDVX(4a5ao>=qu^ZEdQ?|h!=@CbpF-XoQrgwX1Y@b1hWbTGl3x>FCP^vqBoW#2pUoQK z91cHQ*^@xCy6xw;#R zuufy0|ISb9M?(aZRVbztKc!GJ4O_sRJ7~*iFTr``EWrduv8;d4T$dZMTXUAsB@AV42Zl z_?!CqctfcsvTOa205-6Sz1Zhfid6cJ7gJ8rn0|S9~LW&Gb7mLpizg z)QZ`VB&xi_F5o*efi0PX=@=Z@aYFnSr@P>iE|w{)LiaCF?%1kYS`k&g1G1)OPs=PS?Hf585X*S1 z*8+>=jt!Otb`-3nwTI3zwCxV_2LQ3Q+^nu#lyl!DZ|!|i<+Ou@hr|F!1OyaggsqvC z=vam)<%grw=m8!Kfp80FJm%Qu&&1xdIgAC!aTGOpvRiU*d2c$KRMR^@3;SoXsEu`< ziiGl|y})1l39>kvZLGL_6)k1Qq@H*wQl_~f7V=-rZAut@`LReIVCeFnN-wcLR`B8rLJtkx zD>eeE!jI}B<{Ni*puBOdn#D<<6;C@1qZ=6ykm_~e-CVLrlNn!wj+AfGhfx&12o^TQ zJMCsyRAbaLMhTzne~_1>^4$G)I9CcwWksuB;!f0ZAOpD8O0z-BnC;C1(=k{@(sHAF zd+!8vk-VH;f0G&d%sL2hboTAVTC8VP86vwxD}pvVZ!1nK_r_+^hNn&T>MfDv3Ur|>wY^5Ax9 z_J$#SQ74(eYh%Am05CF@dtm~b%E{7>sRqztfeDb_1dR6c26zf~9#rWYyRPAZvYqJY zOqmTsJF)G{7-GN#wl*p|Q#Y4SE>syE1xCq{AL$9?%k@kh4Dha`T%9#Zm=5Rm;B(FB zYfFwKcpwKSM6lMg`H;xBe>G$*Om5uJVLkhnl`ov0W37N8PrKxFP|m0OwmI7H#ZEL2 zKfckDDaz;7ett=N5SiM`iAh@wD4$shFlm`GmvY?Z<9QnxCd!_60|(4v&Oe4P1HTH(kmXIjxB`WF?<_Fhg6u5oHl z4)_e;{kcwSI097q%9B+1@7`}Z$E|}lb%AW3T54dk3jHoFxx^&>^K^@K{P?DSF>RK* z!#J36wd5MdH3chPMS0DMA3y;4aB;Ys4swhkAv;1<`$S2(LC+v-Y!?H^jmzTW@DGbc6+7--}(`+jQ<^`!+F+^J7mfjqxj&+1hEXFX6g1UuznZ4466e1u!B&B7O@3f z4Qu$_QaP#e(V?N(fTz`8|u*iU3-jmSsVjCM_PCF%4T5WKE&U{+Cf+yh~$&(W3A+W=T* zmSKNM$3RLiAtjBkjMp9vVOEpFX*`z}P99smB5Fxv7Nzz#6}bm{%<}m)QAWdFs;)CB zruW=r_SSWzGp?%F+7*j2kd)@m(j}~qZ}JRxR(BJxKPUiO=bUg|mSiw0ZzA8a$P^Wf zd0C0cRx38MD-P{t4l`sK+~8zcu_%vyCUe*cRlgYbAKy%vYO21SgIRKW+4?L(QWkwk zA?NnLE3ZEnvg*oU8(CgEh>ehp`a%l@f3vQ5y71TAZU{n`W2KbqO*Na1cgCrFnf6NQ zBI8jUyi~Q3hsHxSuMMJjV}aue1@03#>v5P*qb(EkWujnr9@X z(r~u#O_h~-;A|6p((Oq)Yp_Wch#F&7ig&txeNr~@bfFds9g;rR|1{avk7x}gykWD# zP!2%N&*5b6CWcAGgo=!keTHwT{7!YLVozDr6BTuuZqNrA*^HZSV%i6yO4Q%ap>1nQ?&u}a zBI=7Whc@F2E?=`gDR0K!Mk{Th$Ca6CoH(TijTmB#o%NIEq)#ZXY&Fi1&N}dsGTXjm z95$yR*}H7s+X1|ghLByz&U(zbZlmQZ$~W_=XAdZ7^+>5pB%M=lB4H8Kvw0uoDeEJP zQ|GV^EmWhQjOweQ!_%4FB+QCv*2g~tUGYwTF;*&k*7r=uj|!qrZy9}9@#cQ~ieid& ze5#KT^CzxJei<|{JTqo{vn9bzq+MMC{i}l+so#CTNcsB&B9zcALaIfzcaEj_KDd{_ z{)%!uG^sWGE6V|Is8d%{V8Oeu5fxr07?J3SU-a{8Hslv<*=eoIFX>ci;G_Q8@E82` z5cfwKvvM37K0=PFTI`(>!6+kpEdbIA+VNUNC{8D3>MpO7FkwevetY^lvnBMxoEhu1 z8^UvF^VVPr-jwJ%E%tE+ZQop~gHdL7c{)?<*mSTk?a!mRL3FmD=1uDqX?OMx$p&rc zF@cEe^uz2&zlVzxzsDlK+a9pr^FZfwYtG}LRVP5=>wLU_-hlc28}WM_dw#lFq8Je! zhWS0+!%S)rmY$}oo^OsQd~bF|9}b>xFRJ_=u0)@2ZX$4Y2A&^yA7G+S2PYkm>tQ+1 zOMdr7es>hl!aGl}FNM$EPa8KY9giCiM^6)-9>x=}rw!iwE5V0NFYoW(@adT*NY7XI zqL0T*eh)p^KPgJ3l-_^3P67Enon3b(RsZwzzWIc1)eE!!TpN>DE$19&n$zI{$~|(1hpwmjYRl}D{Q?UorYW{-=8UQ z;Gf4p)tg~_kcf<VwLLZ$u*Vt6WaEDh*?_$=x5dS zrjK;te5TWL_jh*f@-HKx4v+y>>kQcEFzDRgtL8joD!uc!V&Xt}TCBaXXU;F`+gHF} z>murA+d}GQ@*?V=GuBS=GZN16kcHAiLmCNGtxuH)JwXqIpUS73VbPDJr2$gef2&wF zKqJ?I#+9rk@fbTP@q>f}@so4v@n0osN{l|q48+Id%sjyM`aZ|w&}7Qq5`?Gyq)(@K zq7~Bopl0QP$CsYU5@ZfCbo{hDnoz$TWG**r^gaNy*Bh%#jPhg;5nX{P%R6iANCyw< z{MS5o5cuI0JvH<`ZmEVEfxBzVjX7K@d?&})Nif;`v<^7TPED~Y^r;j$-IIw+J$poi zcd3S$)W{r%(dcJFPG;F7HBdQu6=d#s4=ELy2r}=ws;cU`60iMouMIalDLN>Is|Zc* zx;kURn|3+phKhW8YfnMFa#cmMlV^}-X+%LiFwAvvhl4?l-uOKEU^aC1F~;4s z`h8s2qB8k1A8^I9q=^`iB84q#JmS)`s&6dwf(VHLydQ=|?5M+YPi&C6?ftwk^ocRN z|GQ@O!J@YhO$n~HNaFiR55jm)x*(}d!%sVssCWTr;Y2!J)bbzVQj=efabbJJlbf=p z5kd3MVvKd!w^ZV3+;OQ5t7(efPz!e(Ir+RN7VsSE3N$B@j~$idi?wc>G<%<>^7g-k zZxa#lqTN5Fsd!fpclEws@b-G-+A8#XzWZ^jEr(Q8|0Y&Q)b#0n8gSEGc``pM_;i5l z(ZgLn@Us8!M_2rR;s5(DVdg92C#~Pwt=<_d523iy`3h|FZTp0_KJkj4r@)lhIOT1|RNfIRpf&7( zEHNxQB?jE1$0O#Sh29-&8EW_X7m_IBnds&U=Vfp+;Ujk6~Zv zZ76%VQvR?L!<4jv6m^x+hVlZ~3}`__(Ay*Zlz^1{-F{X=nH|K(qSZx0n>b^d-#!dEm`)Ljf_wKFT>AcF# zSQ!|f_oI;=bimE1CPPC8F{QfvCz>LS<3IYuD)_#$NUbaW?301b!t(ji+C0hSEtbyk zsH+a1Y)Hp^vCj#wi;3F(7pAsN8s7_zv$WHTT+^j8jzE8Nzy4o2k0V zHg6SX+18E{WZb6#w0?ipl7V&(f!~f^1Spa1(5&8FqRIWLC<~cq;i55=me) z3C?Vn7hLZ!QnTeKY`dbGt$>K>y-U$qIjB6LN$YNllI#or&-uRQSRCSdhs zQ$0R~o2(Vcp6{{^B(R|%`q4s#ZS#%(FM%0X(Q=2;dxnbZ z@IB5#)gvHEoZSqD=S{Cv6X`IrIwUL&Q^gsTkMZ`n9yEF86wf)fS;2eoB0<8}Hi)gK^sdL{t`dB~BgG1a+S>aZ5W z$K`pZ_V&(L8n24myifnc*X=GtJvM!++q??1AVCUsYv^trCuM+sRKTc+IQ=wmwOdI0 z5MMa>bB23G0~}3ur%u$WSol(pX=OCb+i(5DmiDQx?e6B|R3@33OD&RJIG*P2)YA3* z!ELWO00~e9@8id!cm3)nvfAeTD3#9Lfw+z3WBjPJ{3qu94`GC1on2;6wy0qy-`WK_ zPTsFym`Jci>$?<6f0zVeIYc@W>$zMKHqH&>>{Ahql zDRsf~uI5|h`Bd8@1Sl}glO}q+l0FI^BRg$U5O(=f`>}&w*Z1Pvmv0R-lDR_iIsSOr z0vk2l_XspQxYFDpW-VM$xqKx2`-opg#viTw^vc6wy>;agtCSPLe&wS~lVA@axdVdH zoF)ken?`K;VD5+#s)7Iy_mZspc~Wi4t70T^__pr!RmyA!&xCt)#J`caRQU?!JKwQ3 zxf8D!yt|_frerITCJZX2Kj$t}@Xqt(N#epbLXQf`yOX($f>bXulP&SDiTTJ-~^r`t*JIYlebAFi8^1-Ni0*!^3PVv}!CHp)$2`8*!a(QP8;F1bqS^Ms=sq zVzEu!8_c6Ng-WMYun7|`4Uf&FwB0H~q7KBBtXqW9{ezY-zAf}z(%Nc9{G$yF_4!OD z@Y9qjr?ms`o=7K-A5%=24<$T<&tZSP;>k5LKRO#n=Jb4LyrMj?5C{Dz_1GLwMVOeX$x^ARUeOT|5%kY;=n60Md`2cILpM z{K}$f=vXP%U-tr>>%HP2d-mkzaMJgWj{YO{*nV*vTeeQ6WMH#J5Z;B+f>RWlo5!iZ zD6|EmAn;v{DZW%cpK3#L76J`c+7Na-#Q3ByYVX2MlF`^MY*4OCBIWWeG>lHPrQT!o z+qbuE)#HDcye%kXSq_B zO>^Mf-aw07sle|ISyi&cVbuiYbl(C_8EN95~Y|It)w=8$d+QYcdj`S)(Pc$ z_dUtf*qdvqXc(}JFMj0Pg`7<(AG(%r69F8Rp~(%8@}qU``5l5ioOlX7E7^|k-1q@d z?_StBz=_qVv(2f2r@4>vVoGcS(2Z?F+_n$sCSy>v_d6VI`;fc0lHF085k;$U!WA{B z=aM>otd*kcn{l0`KxcKtsJ1o?B9~32=7vigbL?-e`DBsIFRH#rF>wg#ME+jM7u*`ynlFAerl9v;|@p zWcye{$?{ux+g3vFu&TWBsODPPo>*m6g=n>b7?t4NaK;*MO+@eS4HAp;ayt$D#GA)i zSZ|>m;DdVhv3O^*(*LQoEzKGwS49T)#G2Brl0hnk;NHZ z(|RPQF+DcZ`g0^(D1koQV`v#n(;`4V69@UW-Y z)70u>YexUkYD8vsQ3I`qrLLpfh~IV#wFzVcF3kmjEA8m+SS-HKEDRhnB^6awSfArVXu=SX6K%I8-4Ei#Zq@)zxPa5 z|L+%#>Za~f$4b$&3>_VXO}M9AOj(&J7s_n&<$#vUojKf4)&M7#_irqw@MhC%ts zKkglwNGKX$hI$$gtX@ji579?gv@CB|yq~Nn+TkPWATvR%wAT;v^FW3Q))?hn57BdiWhP)lnIioyK zvvAz%R4`xT^s3Kc-G91nJiJ#$Ext`id!Tbi*zt)x>ut4ucV?Fcuxaf%U+w7Mf%dShb4K8GaN=qwgt!A1hpOkTj@XHQtsh zb@=NLnZ5?S=J#1{uNLxddn%b&c>My@gEBslFy1E+?^!P$F=ycnc8?l3xK*|KHI$y9 zEb924P0a2V;emDoy<$&ZaDF2=w-=qTr=y3Ito_&7w*n-m&trC`#5KvCeVF!fX>$*N zIq`ewvprs-2a_u#&q}v_)B!OOrPEF^np~o5HT@?5-YfUf!1=`*BmZF8iiF-7u1Uqs{dutTM7kq`RG?EP>>Gs;P$szcx7oOy=CE zE%OVXh0E^WLzFaczZr(bF6xyL+%Vm@tu>@*x#UK@F*{j8MtE(cm1n_|zWYw$8gUt05@x@#z<#3+6SQw^0sf zQ4}4usH50@8=}o!M$l>?hfB@4h5B%pmKejL z_Ajzy4Y6WFtMJbnD=>`!5K|;Dj%B4eKVQEA< z7Fjx%PU%iL!}oo!bAIQXKe*VLXP$Xx=AOAH@6X($KwrpNsyRA$*VwWZiKw1nER=sC zy7nG)Stwsail}B74F{$derIO!3uQV_s8=|*Jd#dBmn)ySem%_Tu}BlWQNkLYJWj+C ztd57|wf^MTcS8-9rNi>672HJNt;51-k`cSk9=jGJ1%he%>hb>=dR(MNf@5IOU8eBM zA)*Qw_Y9@YDGX2=MZ1 z5A2`Bz0B%CY$dA6acQ$ddoD_=`l+m>tnAH_)JY{&QCR<3E=4z;~uyJjNd_Kjt+4*cTvoK|v4)A77n zG9)@DVy6whIGhGuOw#mQzKj-M*@@P$i_0>Bz!P!;wF@K5&7Y33g6Oc{##4v)g#VGQ z-|py|OyNkEsZ_4*FP)F<+0!_r?}eE)W?CA3EZa0MO^unBX^>?$`ACMhsZo5Zk&xYn zxmMlcgNRTul+&|~d?|3v6ARC95PdNkK*NRz{O z*vMg7gy7Ey{O!b(37pQ{_6mDSXBNh6pZ@k@62RiTDOLYcz#hEd)S;dIA;#1|g`5*m zZ~fxOWlrR9d5`GJ#3pUN+|MbpnkqU@GL2nA^)o!u`=^aEC(vWmvvES$AW6B(_GOGC zH=Eozr3LQ4kMeXGku$~0oiW9(Wbm`)UPwUt^S7EQ2V6C-vu9U@A-7Gwe%KZ%c-ES66+ZbUO6skeh0iam6D)HsB=Pl$734nJWE&65MZ3?W}$x zCCbX*bE`}6EBeRI=U`LeYO5z~)M_GibA0MgL?+XND5ioi1($v>;qN-*gviwlLV)xm zL}G6!hPbngG=N|3iXm0JT+Vi$UoKKx4UZoiN9060=(%9J^e%|d`mQgtaBSaJLJ$4P z-sZ0pEo1?}xwuDmdco?0sC5#sQTxOa56+qwMDzy;Z_4 z!B@JXeEF&G>6`Ko-?nzgI>NmNk(nyi*sia9R#^AR@<5(TMKRjAITnNl!>2^51aS^+ z{`BCxi{@HkD4wpmV5V40Ez8(yCMA~eLuHov{QHYdbAcQYd7Pdv2KCq0@rGaJw)wQK z^qR%Ix-Mz=B{H&NrrwiGP$g;ZgMQx3=Q#H4ZKNmp%GZo<`(LA6rK~*RQh?Ye6>>4= z`kPrLFg@bYMFlsT!;Fxn((#RbPS>4Bs%!JQUq3;(6&p3v+0k}ublW*f#l z)I?dne)Z+fvp++(=fjnu738!}UJLVDwG`1Srjnz-m9`iiP^j(btlW1w&edG4~*z!{QvW~UEBQIORCM;%Gkrh4oVAOuLYo0 zL>+;Gi2SC$gqAmed3h}WtwJjV-bSjhV0`l8xi?3YwiHv*9LS!|$7f^;R z-_?@;$IDhRC?$!G_=^M2c?m`xF_OS zJzJ4!AT8~x01dbUKI?ZL*k70U0)X0pKwU`C<{N6h6My!40T&Ro&!yHtN{fG{zpui~ zu*?R(e^W3e9HJ>aU&}xavn{L;ekv){pvaxUyA`d(g1PeCJnUn#5J z36NlqGm!i8w;=bnKVwS~Nw~2WSuL6(KJAzDy|+M-&Ln~|5d^6wi2wlu%z#{2lhl&W ztU)i}!$;ngONsS)JUyk$14^MFNsX>G@&En}0)h7$lELTD10Z!9ycxW1!pba|DHR|v z`y3G8M5o4hN-GFuSqfbGJsNZSTE69@f!v#lMZ!6H@BAh?ELj~~SsTslK?)O7Kw6eK zko9K08gn-^d?#i=to(wYx1s)~Huo=gy|M|!V)q^dO$Bx5NCil~J_dXX*9rXPoq_-T zR6wVc0fix&Ne&y_vv5O!FpwfpfLVpemXr1Ke-j|+B~a$Ip8%%P&>g(<@Vi+{QT=m*UP-`9UJHfFzDqfZPu1K)gwy#9uRk5`Rt( z>UaVn$clv&2$hS9?WkHnXsNKwzwoHv;#A2FM`(c%0&JW}A15FV98IeFoR>K3&d$;b z$eoij$X%B;>wJ9H{uJl~JkUUu;fjFB+-$%b%A*>;roRU=#9jrYv{4MCRQngGn5iKR(_q2I zDHkAyO(>9<8_*}{S{0V82=$}gnfTQmS6#&r3S(dNHjpW&2&lVv47;|rv@fgB9-vm( zT}7F~$#`z(YjZW6;`0U(QC*3i7$^gD5NL(}r~j3lRaqQ9lLVV|>03?0`EdV->_Nhc z{>76~rGW|oA~?8;;M5RymfZqMpY>%1F9PPRdQxEWZ*d~c@B9J*b~MHRT})rx_47TL zPxHI{D}K@aWc+gFa(UTr?B8tg#s%0>ESuluI$!=JeqZjqEZR4+CFj1-P5ZdTRQerO zJspM!s&|dX{t{|1n$_;F#}7EzcN4GsKka6hpVRzV_$tx-aDw9Y4SgzeiC<-O7=-Sd z_Yt!%HwbrtOPN&rjkDHI-g?^9+wl}uZKc=EVm~sr@%+tvYziBeD7Qk16S_7#TQ<3J&>>LAp36?v-CCMcewnOX3|`B zVM(N$lQzka5l!ALzIHn{!dpS6Iw;DEnTM>YXEU&3v8qG>;?K1i2}1hMcs<6UpT<_7+y zwf@)}dIq^p#r9pY;2LrA-)qE-Rm1*Md)QDA)^#}a+Q+4f@f*3R70am}?BWy(9 zYpq26{cz*T)ui*6FFUbNDUU)Hn)2A{W zh@cbXvufb5zwv#EJ|lwUYuW_8Mg()3x8Dyv)4M03CSXuuQZin0r)?_TqY-9YJYEvT zr^>-ER;pi7u5;ra@74&D#Ks8w7AU3bEmPmLHjD^cwfnZi6w1F>m~7>b-+67=r;96b z+{Po+$K0jIGfjf@&3y0ZdJ;jK+xL!3B0vZ4`^m31=0h7u5d|I_FG(fFya@lShk#$~ z(=|7U9<#&&e#zsCie56_;>e^9s(TUft0VbbCHY)Y*Zx$&hKYPQB?1@*Z#G6d#5KT% zjf`2$_H91lJj$t1`HJggme;jhstZVNSY5X>Lh4u7@WQndgmn{+AFPov7mevxUrQF8 zcDYR_pu4sqK+&6Sgvf^)??w@<>R$a#fx{2? z)7fT)tE7iN&qZ6l{PhK7->rC@m})Y>rg%K;W`ND7-Rc&Z>%Lz$$7zS|J$&qDYfo5V zGh}S_Xs|cG$_SsWn8do+FGCR?@xbM#pa8f;FXKB)QQfCFg8hy5XS( z5w<*<4;ot$0=Bs1a82B2jQqW$f&_lPhU%`_sHLr+9^J?B6HlL8JN4tN^*%~%IqW}` z@4gh^-TZ1SIf8AaPh*8f+dkXBAEkXeTHwX0jm#WwA=a*0r&a9x&p;WMZ5q4Tu=+5% zfbMf`59;^?TBdJ9f~KS0Z4?h9;BTUs+gg+$=MSf_SW+IQWUI<+>d{sD&+mK97;m`q zXwo+V>mA<(Uvr5OJo&NUCl7#mx}~1Wq{6E}a#X44hZwUiJ5-LR}*o2KZL-%RLSPJwEigN(pg zkH&D7A@5dX%ry!-oj7;zxe|{A?e+)xIoDPxQaE+mSHGt- z_w1UyeBD&bdw%E759ptSl*hU`(|8D=C_OAT-hWbCw2MD9ly85bPG;5$OWonF`WU4D z!_fwI2k$d~QUIr8JTmS+3_K+6aV}F0jEI$H3t89jAT)ZJmU$8$eLI{S99e>2TWHgC z5vmy@DTm4|R|X6`u22ocDXsIR7l;dmZEPD_Sx8H}#L%{Mt4IIHaIz6h_6@G0Q6wKB zURm?m=9b|i++%0cfmQg zW11u5g1BN;bK$5*nIv*@jB!8o1NxZc#2;kM`;#b`?*GUtc+%psQ_Zkbw67pLe|?R@ z`M|d7$DefkmVfqeX1CifG6mS(q~-B{hbl`&fJ1#jZRwU-&3HKs6n465cd76(={$AW z?7u!EVt-^jsV5W3Iv+TpWucSAX4HoG%gA(bf{@lnG)ss?6C(LAc zRKvZBcp#i0W(9Ak5Rg|iD={KKA3qd*75}WWfit6^ZEjVc-fc*-jHAw&o!Y>F;!MVh z-As+eO*Tu)?PgI__5eo0{WA=OA86>i9nTx*}uwa+m2G_;WrA=B|l;d`TQv+q{UOY>G~aS8qPM+Q3g z2FySxUAo@XIn0-IC4bt>y(HER0s$#;x?swoL+?+(*FVIQP?dzpf9mR(k6#(@>Zs3l zyi;_8vsnDa$`arF^9<%Tn_X(dF?Z_A`holHdakI|rud3`$tC2BMGI(Bg$O-`AMkLC zX`U7==hr}xBWm<0qbZ@f0u%VHj4X0j2ue@~R zNRA<(5DYQ-^l%Hazx{zEN{VdW`J@Omd%23SQMnCZ<5uvO3rTer8wNiht>e4vTyi0fdfB0MN3lwCtH|aXl@LfNv$clsNo}g6BPfh+G18&vHirXWkD!(SJL8$p|7WWakgr=>d-c%O^1z z&bK|mJkHQgMMe5dw;GeZoSiwOjLfyXXm(M0#mRxo?4Dq8u_%>dN!L%=rA}etEml$0 zCtX<^-VU=1T>@vQsm?PQ97(ffe7?#s+3Iu>uyc<2Q`9F(9pD)gFTW@-_hm0CT*1T^ z07EXKV133t!&%N|2X(vmY{2dQg%<+3I#kQmFr1wHw1%(T#5K38Iz!;mssJi9)3~>B z$lR7~uLmP)DLg80x}QnNKkJ||u7C2~LSRLWVb>nc6JC0_NKPz}2-672N_An!PFn^iO*h1}RB*Rk z#NIGYf{{&~`}4mYFK*_pwN~5SubDLtxQyVZG;+*jP+F8rOBCU2^a%#$OGQ7bY%Nk# zT$vTR8Rh+ni<*>2h>Iu_w}{_GuSopDVdV;Vw_H$3Q#+%!5XIDY&E4D{Y1`@2`wH^Z zCdlf%EaiotZq7TcJ$tj0#^!wz@_$HiDLT}J+sJ8xf`K|oLUtY6R9s_FtR?xM>PR)^vXF z+EHPEakGBn#`)RRk|LA9n6<_lD?F}sGn)J?W$YfX z8^KVi9flM(X}z608O~=;MPv28=bX>jkx6^W14yB(yWWScvqawh;vRq`DFJsBwh@3l ze$yG7r#>@W)_#>{rJW#C#4CInzyJ)q$X}*g2s7ECc`hGjHP3zSBiBsDVxbSp%B1Ymsvw1j*D2(0!sO;PlG)ICCzO5tbLB@lc7o9)#C0dJDpqs3K#&s~i zVNO5Hh%D&!I(Y`BM?yt*^YP#cg4}8sG)J0ksy-?Y9z&89>pSi;O(@u=LwR2Mkb-?Bx<`Y{IKTgAr*!_wcU z8B)5M5r&ul3}*ejHFHmFzf-GfkJ>O7w!`?+oX25Ys5FU7F7=-KduF`7LFM~dY?@+| zSmO*THmNq^`Mi6??0npWIRQgWP5Q0XPLzSp^0}x@5y9}cB1&w!?BhYL$Q`SBXcZM& zKiGy+#aD}nht>5xRP87e*F&S(AvV#c;BgC$x>^K5 zNtD9eqy)&=EAzCnVcC()NL9uf)tJ{h55FY#DaWX2`WBjDtU5@FZ<#uNfZ=_IMSWwE z?Qi1yes@u|Mk?vmE_?jD!jL0EZ|Dc3+3g1&t4mGB3-bc$f3HEs4ZWEdLxfU_;R-+- z6%H`Y?uOGcjUc(BJ~0^BMT@O&`nw&x+*fmQ4nNqTQ-{W$x2efTHCu&l9B<(J2#$1c z`y8TyVNq#}Lcx7yfuu_A8dDkJMJ|#@K<}eM0^Ld7lO2#|s3SlbML2mo zo5spOtC$p|m&w7UyeF>0)Oo(=gRJ)=bo;yb`Nanc($tDJ{3dsKE$?ZXbOVK|pPZNXq%Txosrc4&&b&CP zR6YeNs;D4@Is)@fr{b%j;2XuU@>^~2Uw6l&@KUfRB;9-WDd(+CHtv2> zG>{c}Acfj{D3?>s412%gsx(|p%Zd$pv_Lcr(OrFm89W)BSlcl49qJhXQk`6Pa%_w) zD$x7h-FaHoo3*hXF;;2&jzX|hlfCaR<@_4|_D9!^dGA|rd8WX{`iGSB?>TJ0a|{V4 z{>-@lR|Q%*KRb1jQ#3GaDYPZ{^4?VG0P%A-nGNq3In{4$iQ1_Xb6l_SdvR_gmi-jD zNZNNG&_xPRb8=XH5z{fB*%Vrxv3_c)Drd;O@JJ_gM5-TebtZqGDX%p>g{)hm=XY*^ znFX0o7*}VFGPERo9>cMi*pvBSNTO%=WBaAjt^HT$lCe6H7vcT$Zc#Z#92 zg&sG)lXaUU-9`o2pp)wD?CjE}Op?S%v~wQtS@XBgRBMZwQaZi!F=GBome4-4c$krO zM*L-@QGjSxq9busmgj^|;qcOsSMte@C9n7R&Er_mZeTXs#R3n7Vj>TZ{AdJK*# zJ1sNeV|9M@Q`HAJwbeajNp9bMbYU4PQ0>8Es!IOM?R|wv`IqLuww+a`s!m_40}A+( zzW8f(!hF}w%Fz=|L%T|{cHWsU50J8A{SYJ0KSsM*Y%^tpgrfXhl>vWYOq)6^ zV^S|BEt@TT`Z0nZHC7^~{jQR*p7MgGPg_#8{7)}X)1j{D4C0miteml(WiY_W^a$4P zpTe)nU$tVRIJJY1dpp2=vlxi&;y=Fww*b~Bt)F~|pR_dgDw}y^AR9kx<1TJ6%uI~& z_GLlmY0U^!YQS;s@w*XtqzYAplDO)Z`?UjAkGLi0S4DP;U0stG>A(b&E%_)5>B#QB z!r7ebj;HKsruBA$qh_Cn|&?p(s<+fNp!=oPuB$7nc|@)@+eGe-85-*~h0cMS$TqSEkOa%4*l+ zlei94R#rlEscqD1XE6gJS0c37RVY1NT-|mWTO7y1_UXIxKFp64p2ZB6*7&%nJ+TUZ zq>jc$jhNGXJ4nyOk@ayY_Mgv$ic`ARRzK5vep~8Ma9(bh z-oAw&YlwSiffJ(qC+9ce@%j|AEzrllXF=#E6wmZ~z-SW7wYCB1Qq%`>?Xqbt{Z1 z`?m?_+2!OJ=*!mGw}n6a7{tJI&;n+zS$j!d65ahu4ePc-FXEFl$g;E{5F%+*lAFPt z3c4(fX~WYMWvU#LBw|<@MX3ifb^e*v{EUn^ru*EjyM8TbX@J4xBpiT2mL^B@ih9a3 zFid?PbkbUAZJ5x9CObdf?Eu#VDs13mYR%Rg-@Y8Lwx2#mLD;A>^BMQ2>n)Fd{;2_ru9E2OKT5f@^yCt_3cQ^;z0@0*hXZLc8WW zF4av9`Lx8TRlK5q{Cxj%dT~*VoETd*QuqOStXZ_;xtC)}vSZ5ekF2cu5PpY3*F4qu z9Tn`1Ovzi{n;MwVY9rZXEm!St=ThNh42 zuv*E522e$aQ~wm>*R+WxjOEV%7x%H3#7NQ^H=iRgcLPJbv%4$MKPK6)V1YjfP3hYf!TMCVzZ`?9&iiW}+VfY6BCd_5H zEM&N}nT#w)-b-}*$^T;vA$Y!M*-_SEcMck>Uy9F&;#j;QWmI=&^ZoV}Ues7XHL779 zULH!@w}vP$aI_*_(y+hauKsvc`Zgn96m=@gGL-$UEMY<1z?{!$w4K8OyS5d??@_7f zf$5!C_r43)Pwp%->54ZQAFJ(&zzlhffW8ofNqYsASY(`tHrzJy=Ydpv`B=3t+?RgB$-qh)djneLnZ(d_%(uS@j2Nf(Tf&fCm=5mK6kTVFXlKA> zTp)OEaUNvYn0}pg3%Z4x=qm15L#{xf#26dqWdOwNBz@g=e2~I1m0t|9%rx(o7g#oZ za}7jRq#cxZpHsJ3qaa=BWqg9K=d4GO4!e_G-|20nD~izD?`R=)>s@U?sMLcdPX+NY!0i#1?83yI?qK-KzQ zt^vwK%5xXrZ-_gwI#Tr-)zSwn=yP-@y-C+y0oWgamTrO}9xKUFGdeBjFHv{Mc&Nj<*sd#L{G~zhN-D9x7Il3~CUtBW}?0Nat(Q zI7_$^(CU_Tf@=BnFT@kLSYt|uXnKLMn6h~n;uA=^ZUljIMR!h!(v^`q{3w18U};Wx z-57QZXN|Eb`j9I$ie-JXVzOX7SUOn?Dafea&e%w-_K%FaiO4wl=EfbbE8qS@31Ee8 z7}MTj-mq(8NC6*~^Uz;F}2DoYx|{uiwt*^deP$qS7xg5)_Zo(1Db9yN~SSg_^=YO6P`;<hEsn+LXCYts3|k+N=0pn^$?`)X#uuFy zYX!%gZDkL1Zy_F0z%j;MjI01lUG$GS*(D}#az;iWQ3T0wqSViQ2YHQ~LBG?1mzVt+ zk3#G`%VP8bF*+^N4ECAU92&dgtzzSm7UZfOjbGEdm(XdyV;J=#Q=c%YQ`v&3dNE3W zLQuY2T4sq;mf&+8dvZm%lXI%^bIqyFt6EV`#=QvHjEv^Bd4YQ^G@xNbX=b&?XDC*g zp)ZgG(^wADFjBy^O|bu+#4`Q1q1*^^=`dP}n@^I_QHhN6Q7s$XW% zt})~4z1`ybuUWw;X8xIh1#d!~Op1rRFn_o}0f(kS=DbvaUKNOv)KQ%`Q$HqYH~z^& zELk0f>MJms)oxTxcrr*rDQV7F1>6kL0eg4qV4K*<~U{$FRs(`cP zsE8TI7QZgfS~OEW_pu_VdSLIkfH5kZT8!Xl_pfv^CKBkJ=n)>5-h#*2S$VA>-^Ty| z)v&#HxSdrB-EF$k0P2Z586JH8Uqu!FWm0@errqacMwb+~;LNyIOH1 z@Qt@tPFaNRrkwx+Cm3wlf7Z9eK`if;;}V0eJfWr0vs zXJPETc+-7XfVV(eQ{ndo_N?WB3huL*CSX!1HnE;fxO=7ETZQWijbn$T-zPkc`myo! z=i@lB;h`jJf{fU&8k==-cFS2=#!T|UPmqDJb$f6h-Jt_ow;hVwo~)0|2zcwtU4W2T z>66>H-(2(pFb%x4Y_im8Db)_{1)N<(%_-s|j2%;#WjI9biT3^3t8s$@=iw*r<)^DS zVH{DD;nFZ`Rjjlia2V3(wU9v`4(ZcwOtW#P`gPv zDwwYp@b$N4y%0>9LwefM;9Y=E%dTXGJD$o=N1lfvo~$%aj`F0_{~}W8segE-o_I~Z zblb|myVn)txRAR1?7Jr)Dr2hF2_H&x$78u6zfm}6k66`7DsURcKAYJwA;Y7ZYRjtH zB}sM^J$VI&f-mI(s+fY%ZqR*;D>9U#Q`zGG`t)W2tj0QbwZ8{CPC>=LpwrkBbB3;ygPsYwzrK>V zJr-bjYjATy5}#Pqp>hCxYuU%yI*3CtEfHYsQjDqme*cvoWv1|{qWlS*OaB%+n-vxS z=K}Kq0@8t4+^)>w;QXdzy@wS9cInlUOL<=C;|Er&2*6?m_>9)2FpTC=SH+0>lwm%k z=*%E($@U&#a7fka0=7xH;y^$R*4!Qcp(%LVfQct)Hwm@P-es|>U zhj3uh(?sBM05e#NQcW#}?*IOM|E23NGX#=K{;y@df7dXoHgoE4;}y)~&^QhHTsD3X zL0&`(A{cY?S*sh|wk`#nD8SO#Gz%VyNkJ~IPEr|2a*kGzV2e1QSt>?Bm8OHUIWsAf< ziK71RK(Be_I{#l52Y|P!CmvEqj0&>U8K=q2h4}QZ_rnWa#YjYNIwW#jmS1(de!<^D z8OnGAe69VKXJRa0?pn%6131W&;%p7!=o?tq9+fqo1`6B|mz&caIcah&_Y^F4Q$~7= z$?I$#WG^p{KIf~~yU;|@&u_bI<-K0ukFTU3KBx8+IGFwuG3;%n(j{841&hZ9)aFf5 z0nC=NRyyPj*a%BC4*FtB+68bS2gRpbsjP~J=nzkRDk&UTb8g?!vXGmvm+$4H{*M@P zVfr6akZND^thM&AIxTxG>%%AvlWot0z>h15Ya z1}h0?BzE3~Y}u|mIE+x@J9(Q1UYED3+MZF22f}N|8lq9)%vYq(T;JQem+?|t*_%6g z))XIC2$ZLk@S@OHQimQ?6|fyp`gI!Qd18Wa%EatKaXMXGoKT6_+Dtd6@#W4kHh`3V z2uZ(RpE4k(n##xU`N9tSc5T7f&R3wqQ8ks8A$L2-Kl=jGridE~J<2^z$#n5uw(47u z!SUX)E}Sj0Zm!QrMdqke&hWh|OZkss##q8b49i~!q|&BZNM4(IV$aK8nhEw=$V z@pFLe98Gs9ZVCWtl8xzAUY#zCnch~JT}PN%L5w*!C^O`{3>!i<-M9H&>H){&?RFcj zjFTpAS6ga}>-T`~OUZra`$`OTcUVphnH{eHi?W+n=s^ED02;IhKrqOyP_b&v+GjAs z3&mlGEG2Z=8!#a}VE)JMDZrkHXS}h?UjTp`SI!|l{F*W34s-tL)9#g~slqqkubT1^ zv#NH%6?DjE2#k~nKPfnG=dq=vT3zefSl4i%cyx$Lot)S*xY&X=?m64A(!vRC?w#_F zJ@lQ|BdTvt7PVUZa4UDkjq9jrK>G@)_xA)SDzf|(7@0LjM`z!j`yE)qsO7-(zCK0`&P`E6bT!kZ8bX8&u;I#&!iqk4U$^xlLUoW~^J-trNkLRL** zjn8XO7PJ_mkd*rnuq(Cv&wM1}tT;ssp-I|=_ynMtgA0@SomO>j<-vgS*P6|=tP@A9 z&n@*u)Xcbd)3c@>9NXJ zo6z2JN)dj20?>Z6WftXH18hTQlNqmB4XD`n?F|%EVgrdk|En~h=z0K1y_@?fpR52q zH(V!5a~7m?C8bLSCzS#?igEI_Yd)^;_CRIo4<~83LQ=WW>bt;hy!=P8ywBH}a2WLxOwyp*6h;B0FC*3ykCY=xyI20o2Gdt;Urz zgTTWqS(!0}^)Xm4?4?&MfUQX4m?{%|-B2mj)HRq%S1yu++tn4j2BEaV<3$4tWAtA#TnGbX9+FXaTH}y96+mAonP!O z{v`HD5nEkZ`L-gtY!;`_5^VPoJ+Kv&y%vq$>F9EZZRVE&>uS|WK}$l(w$9L+!>6ik zJ=it!7=Ke&wsQp`+h%|i+@I0v;}e_JPmqarCCR2S2ockdme~{elLdBDs-+or`AeB1 z-AdyqHdHE6G_Qr`evA22!x-}%Y=wfzq6^L0sK-;qtdhDM?=mtt@DM6WWX0Jr>36pC z^QtDA7u{8%@!;|pgS|`0@Qju5oYSf4f+hqoE^M4DJjU~2=jKCGqb5D)G2~48>~SH_ z+tsAVG)u+~Z%~bIaJiwZ9ji>D!2IB(j8$17>`0y1M!L3srIJ9CAKBz(B>02gas7*bNU_-Vj&I`{u7@WhoD5 zW+gS;R?t~f?eZ^?NYQpK(0TSbsvj1oET3}TsmUj#nk~nIE`IDE{DY2&Thu978 z;X{pRt_GCa-0|};8EQlcn0oNnb{AbQr?Dr(u~(!+>|7HJ7vVz1GB`DVTNO=W8~K!} zMIC_pV~+x$d+jw>XWN@O(Sc^^zVZ@^xD%r6p}PrLYBDLMT17_k@~3oh3{1?hOt>iM zteqb>5sVKypr|$+AFwU(Z}AetJ<{UF9m~u~0ftp4WPLmT$^@>Lt=b7)RGFC|7B_AecCg0p6|RsghhdM=*PM+w2Fa<@HjlK*W20o0SB^9 z`ar5cYp8{si504}gl}h^KCU0RqUUxqG!x-N=(3zOgci{lJf{>E#8pxwd{B ze5^x;y;||>{+kKO6*#(l#4&rkpmyrDvAnKd8A??uKBLrCUgM0x!X|p9j$oqrnZTXS z32^N^H)yfSVIt|xK4p!2@cIo%9I<4k6Z*`oam^mpW8F)i$wbxKF4bG#Q-qMcAOi5M9um6+?=XdSdCy$PDXu zy{GiU8U63!>3iYZ5J-~@JT4^mxagGzHaH{~5dLxz!qAs2>oK8X-;g)K!MnY4JGtO* zpCe@9r6_NvXE~~l8Cx+B*?4K&Gr3<;qsL0x%kZa2O*u+EK zud(h=d=sYXb76d+avTU|z7#%*2fZKSgJ0})V)~x#2NHZ`LGJ`WrfhLxBGLrA#VgH) za$7-5QFP-ZG^YF}l}=cxCl1%FBH|8(pGT{)c^=xS`YI`uXUs3IObl)rHU^ zQr#E<`dokLink{u?64v-(?l0pHbSo6-)-MlxuN^Zb}05r=ML_u~0W> z;qW2P?*KJhe6@YD%3HbmG=Y1z;2Y8fwPacz+TfxQ!SQ9%W7rhn?uy!iGUfaRBmm(P zvPeWirLLE(?*tC!051az+ywEJt+b~`r5eun}Uo*G(h|BuFR1G9yqdZi7U|X zOqd`+A!FL!We^)`h7p=dq0Wu{kx7b%UM&Jz+V>R`0ZOo|YhF^|owPo3G?g~{7ynzH zS3TAkQf@iBQ{4#uh;ii%UQ9U%1ZYlMmv`j>bG6dh_p#6nh? zyeYuiyB?buW#Q<42ptmOWy>q0RLHJt^Ew zICPi*g_YcBa6uUpw%pTboPa$w@u*mFNTgOGWz%4LOMKRnex^icqZgtIMUb<$Uds%x z8SWhH%!^f4a}wOuB3svD@kzdk-}vbs#ID}}zs9u2w!XMfKR#i% zejsHZNfJ+g$~*f=s5FkKk;QN>^f@HCs>(}7VONZDq1gY3g4%#}Ywgu-wxXVjwf?4{ z4An3OXpi%bIb^Xn=j(57Pc`^NK+WS5Q)1O^en$CEj2XYctr%BaT> z%`VaHpfw7Gu*fIklnQbbNBL`)l7Qq7|K1Lo{tna?SNNbABU*$ip>+WMXC+CTIb z9S_R#{dfAaOdES^l>$xTuj+Oe%^&>Vfe% zxNnV-KUH9)#ugbRqwv$T*VclT4pQ^}?*gk^y0Y56G!~a;61D?iws5>WeR-;Sxf_hQ z{1@qW=_Y_cX8-oKTSLF ze0zLr=Zn+j2EuPAWp4uEix*j4KRtm^!`r4#4{)LhKSfVpuDVVCn}6c#ey+x7eO{L^vh-Q+cU^|NtiLd@kkRUzBr$$=cLKu@09 zT<8rkq6(Q4_r0;~^c!i9U}Lj%x-45qXZJOgGFmKm%TT$dUM&F5cE_r5r7CV(rm#kq z*O*29&UQo=6?<$IThJ~=*Ts&z{AjJz$>{q5$Bl`-zdOD!K7P}rHPM^p{=nII@=Iaw zCz1jd?t{FGP4HZS8|>-EreCIXnYHx1>bs+#w!pA@4gA5E8S<xdTW^#6sP5PS9G zP65N8I4dS!C+Rvc&3<} zuNMB^3AxL)_3~@S$fM|LYJw1nPcnDcOJ2oF(Y@sCd~^1)UWK{gZ!S$= z0JuA*;H$cw-TSjKQ}8+9w2gdj`#VEHwtC&yqHLST;rv^f>gq~Z2C#pBYk9fe#=7{T z$uD9o)-iEeGOyHRH3PdKo_)58h={+;I3*R1(!D#uzbOX~Be0mHILPqdgW9Z8A&`ANh3_njUVf&_dk#xtVD z84n4e(dB&sK9Xk}IrwG$ZCcY8eQqy5BW0?DS2o=IbCH3Zq_N_%^O8dFC;yN-syT4R%P;C3)7Taxg+>LFyx()2J}* zyV94#FqCfu9a;-(f6e;HZb1Pm(+qwwijCC&%_UtP)D&D zK30}?`97jlm#pQYzD_F{X=HCdI6kIOBiRc@+p3WyUxQ&(HPf!a!k?l@W0TW#Sc2g+ z;QvzWlkS~#qi~H4DO?0IU7qB48n^HVNANzk@Thl(lEIi`Qq--p{p1hRv6n2d(LPYN z^uaKFmLU_xSSu2n;oi%&_4ktPe|UNo0#PN;je1+zbF=$@`=zga`;-;uDD8jKa)1K1 z{xRS3neU#zU$Mq_YLrp`>#g=v#2nQKOD9MFYnJwsgQu^_`+7(2sGDA5{vPPrFH_61 zxKzq>1k+ckcbD}`ZxN4tMNP~2Jeqbe$P_6lQ2c^lyYy)_z@Yr{gvj-CS-S~ zDs!${!&Fdr;>2@SBT25hKI1mh)KZMiy);+nmSk|{$l>SRb_y$#5eJ!Yr6||tFPq)5 z?Y+Ww?2P$uq#x<}lE1s={#*|!^4{K6o&0^sqbG$$v80n@)uSpRe>)Tzh!*ER&2jGU z8;$S%JqR?eQ1_T2KI99Rui3j^BR5}C(thA8J9g5A5K|e{505Q;oT6!pYi^dUczq}N znvX7WL?$?*7;5IU|iJE_`M;(mKA%8zEzexAbW z&~BU21QzkrL(ds*@~!#!HWS34?{kg0piX*wYWB+OpK{twPB0^c zjUgs^vDDUr3F9Fm2Oc7)9G}kyJ$}6Xm!fy)`|aA~#@3?w5g|wfY!zx;7#Rqn3n~`o|(g)IrFf5GpCgaiyZGau~YXgIjGl}Zih=R9ro{c7o z$@gNbC@d2p?>TYNZ2@FOG`zF^-QVdnl8!i?9;cwT{&{Ap)ePgEQLf4qo_N2%k%f>v zkus{7JCg`GTXrXvM7I2Ws|dZ(wLISnvsb76W}!3gVVXTuciqZiqPd^r^E3@>nu)ux zB_}OW*WUx+v8&cIrU*b7kt5Ra#4sbK3h4LuOwU^h(>5tk`$uo^!BBjB94~ex<@vkk7fbZnKMqr>*5IrW^1=dj_jzA^dF5o) zdyA1NJzM(g!{X;8VLixJ5`HNn4-CtLHs{6#Wz#Kc%OSa&Z_me#T$n)ZUowmJ-CjSc829x9R1;o5Ssj;@*;=kWohp&g8-Ce#vI(J4})%e~+ znnk zwFhv2eS-r~FT2tD)QM_r8mIbe(j}LC)FY|kR`rk<4ZynBWj!BNH4n7b!STb5mbDTz zdG~i4R^0&g|BI@(j*IH~9{&{tL=lh$q>)^3>Fy561w^_ViKV1NU;%0AZcvn5Sh|(& zkXll5m6C4xU0(0c|7{bm9EJH^w4 zEKH(GjKQH{V;%9Yo4#hO)%%exds4h-c(krINF147hq-y}jpXNKIj`}|Z2;*%RFyUm zHG^&&pV_Cfm?s2OVS=zoy&(aV8IRN7#$Nx;N@tsCWv-#sz^X_!O}`e*<;hiPk>3wK z;0wnukg)Z^dY~-!`=_n+%|^X|Z79*uZb8oLtMcD_XQ#gBb~j;o(^<8{%A(I#Xrj12 z{pgHS?{Alh{IbSP7}fiHY6@1RA=4}+vQV%mXV zx3@&cCvsa83ywWZ2a^**$0iM}>r}Su;3iT76F(L=GEp5i$RvGCr<=UyGZw^_$rRmg zJHtxBp?@GDo*baG)e5XD6zSfrP4b#xi82SB&txqv&dN)jidU+N3AG9M|cl$GUoUm4YhymGUu zr%yHfO}G1`z7F#QYTef%KgSC~W3&4(* zm32C($VLJu$OPp#$K~<%l*gER-6Ek48L|d9%>FFy-jI&SU7q6yVTo83(H)oJ1f{;w zXs3v1JxXZIYMj$=9$Ur52B+xj*FxqOaq6t%a6OQd$&|$KBy5+uZl$|sSMR9dudKJa z?)BLx(xDQ5h$!t}GxngTgQX%SN6h)%){h^Q| zt-HOj<*&^q#b)@SoT#~Ofh-x6&1A-tAfNv=_$QzO62?|#58kwibDzCdoFNfmp(W7H zD@U`lAl|{aD$kKD%B_NYRTeu9hwMlm3?( zr=CdXhOoGY#$hO{Gn6jQ)Zi(NAd(>Mn0PPR`*CI?l7oS1k~j8921{{n5g8G}BhV2Y zuqODcRJd6sx%BHKjYuJd72gcob=-Uzzyp=j=s>B*Y!PzrztHiH-V>{SzU=py8d)zJ zLnDJ9I`eQ(mcVIl$uJ5g9jU4{6dOv!y^~0b0k{aZdC}HsD^~S(*4p{|PHiDePK64sZPJY_ISg7I?LA zdf2^7C|~Ymj7@D21G6;gLKVb4IZcg!Gxq**vPMBAZgonX2p)23I8QHVeQc%uNnG;p z8{wki?J;s|i6C_r$-ZODe>Y0Ww3z_+B$KOXnBQC>!vTPt=$*ldY6EQMLCTi@eNrcV z|KOG!{!ArW<~aY!JGl79Q28R>e+!^5@E*kQRRfpVAM!Y+&JcT-;ncy0np$@(&%3BM{UyaJ3z($6IW4T~4<>@(dki=>9P z6ZDY!R**9*xG3b3CCO7E<9s}ZhxQ&v1P4CtxSMe-1`g7@GGp((zwf?O>omc@ zDBE15ByBTD>(S?Q?5MJ8Jk0uQHfQp=!mRB`L^;qy9`cIz-P}5u479U(dlDYR_6rd})}?kjVUUJ5+u{OM=d=*Q-iD3N;|e za|EHmQwg#{)+xvsg#}#mubej(k?oAlb?RM@xN;te4i1!(*@Kfm|3?-Am{9+5p{T5P z^;YMr`@M+w{LFAX*+mDad1eFwXa4z-cIQv`1oY6Ji>q*Rp!p_^$BjJn+l zoQR2XJy77CLh4yU^<88psm}9o{2sQCdp#xov@8kzx}#*Ge>7hrh|YfrnrqK-K`7#b zq<^LP`)jN0~#r0#7C9H_@!#8RVUkl{qxQeR#U2R5PVO= z@y-3@*CTIvh<{gX^3wriO_2r5c>D&g@@ba{+9xHf++-{W`H-0kA2nHfzkX#0R;T}D z)lyqI&R5VUI2;m zz89qY#uh-9ya%qA)*}E0^(vk@`SX#TLWVAl8jITIL<~=rSWR-h1%TCgwFUh3zaMNR z759vtC}G9Oiy3WSU{p)Klps@bf!clp_@)2-uxCZA4MUQ_$)Z}9-*_%6Wqg2IS)eRx zVMjo%8UPmM$tEC2IRL;Jydt+Y(FYheDW`xOHG#l^Gos4fW|pL9Eg-r$q8$=EtOmPVOUs`BzZfanR0hm%gj4F}oB9id{J7_xr0M3XdmfW;TK0F4+t+H>z zpo@mlMUyDght|bvIyED?M;#m$CEWqAi=sdL8`m$dwX9!`D#IH4q z6PSd2|1hu`fCB*;87l<$EUQrc`(xmf*(pG$YbOD+j1Ec*RXYiwXv$AwcqAbJ0n4@o zp#I=|fTiMuexZT>0Z=tcw*aL^3!wkx{mj$A-;--USmy`@>YcWbiQI!S&Zz7^+s^DY zWCuE{6Ac_%27rG$rUCHJ$~%Ar(_kyz450ix;{uw;90pJ| z4=h>t+QdN0i`$t?Sios(U;<8~lM*0QeKF7sJFp49{|A_#EzLkNV`G3hm1gbreuU-t z|1x-$H$X^?PNj>(N)8o!SX7pV#jo*EWPsP3MWA+KTh=`_*VH3-_Wl;UtG4PlgD3ym zS*?A4{7SA_`5I!-av1*Oe@ULUUoL>qdcq~Du<~rJ!s2f;p#^RMtq3>ejAcE0pqes3 zO2qI5NQ07Ni3vde$e~ zWFex;H`zkh62M;teE)y$rCL8|&^#9Y4gDY7OE0xf)Js};`4$)nuOQ&$FRjE8Rjrxv zEr@qWnvd+PJj=ZK>>~(V7af#*09EN3U~3Mrfpg&%3Y`9>d~&8j*QHuG#l+##OBM14 ztIwRwddk=TV|V?>_X1KFy#S==128n4X23LlN|rj=zQ|K_4q#AZ!m5j0} z_q!Tm=T%N_I;X^!G;z)VU`Y+YNTwMAgD}Jn8XVJ&lQ3~cB(LnSd&*vmlBOPA&ss>B z=l}zimSU4k8*qJCGx;9~5y;aFL=!qo?RotkVUavJTemL3-Q0#K(sDxdm4{m|qs;(t z6McFKJU+hGujCJrC@(E%2rvht%~FY47+Ewbzr0=l*Zx=tc?a0<|3f+1Bsc0Q35Iw7 z#v?xGRCZV{%DT1rN3#Uh6Ry$nLJ_ zE-&xS`Z|KP{v6mOABwY0J_O!v(v5MMmU809C=uJw>QcsbKotq?s-f3JX5D&XVMwzg zdOp$JvxqjhfmEt)T=y3<{REBV-3AEZ;~KvH4p(i8Bn_AEeq{p}M^xlfcH9YzsdB_>{ zCf4H3)VAbGzRkyP#m`?MP8FmrS|_e5zG=-J7vDa6m#l;VuPkR(!V@WYit#uz{==eH zjGs%JyILf4_o1}Ac$;N%VeKoAvG=CqAK(vcB@7N(8wKnn3~Z^{rQ?liA3b}F)%gI7 zNy+Q<7zm%}%$>f#ij}wOeXDW$AsCzS5#dihNG7io0Yh0n-Q)1pe!ma5!q7e-!f7I^JdDJEZz|Zb1E3q{@QF>T z3Of@$=}~@(*zw0zMEaE4Io7`U2D{Hk4DW$Oi_iHVz9Z;=ATr7W*h?o5N17zc-bFiPPeHAm##iwlR<_ozfv`%KnO@r( zK~4szOK=IB2{AUVDDqgO-hKxdLMMYM)wmk`JA?cXfFY#mH#or~t|1D+@8!gI49y(< zCi1sD=X6*UBB81CK6T=uE6Gof)cm^ITp!z>FNCW)wj)@CCjz$ySdU+yl=1%f#Qo^8 z^aJCMd|0tRiXz`Z#-F}+iA@&`=Anvs5Ym2R!*Ay_134(yoh}zjro|Al+bhQ&;fFNJ z*|vSNX>$X557&9Gf6rE`1=vcpCQUZ?jTlFmNk5PtvEwGit9<`hHU9-5dzb)3?BV7Zb;_?(t2~dq<5d`|OpH?%0@uDbzeX=pas>rmaFTCeWT?t@3rdX8KLCY{p zl`8R-$*fbI;Qa>_(#PuwaR>wGMbp-g;70CDF?O*v|AQC3bpo~Z+@EzXfW3t6b|)i#Rm6QL5UV!F$4yQRi6bG_yTPa zR{#YI|44N0ITD{?ZT#b{+DtA$oEifmoekSMD3zZYs%H6}ST$OraJPEw_8C;{M#)pqCQ!4cy>ZZhx)02xSQ13p;h)`PQ zuh!yW)-jJEiV0g%E!4#R?m{dsy$NOH2!A;G%rUVrQ%}=E_eu!kBOGB79lk_=E`X(5 z63@l(0~>CviD(=TdIx&4bn+|Gu)8o?d^)!(k=-ica&0K zqahh37j)tOBvg}z`<#%cQg895=|QD(2O%thw&goq^U3Jn*P`9Q^or<|*Tbc3jHILs z-=3~gyeFsYKe&5;CZLkGA>@YkwfgL3w-cZf^xTzx^wLV)z`h74{j{!puv~Mi|V7eU&xniY;L_O z-!T`(Kj41nR#o^;J!I?ul)N@}rLV%c+OhF*NHHE{ZF`!TouTLbVmN=`$3E<02qw2^ z=fnLs#fV9}cX$pW{8>Os8CI^n{mg$zf)SAsu=>CY6SwSDZz#5+rpK;LeF)}a%Ca8o zvpBf*OJ*s_PUGJ%)FnRQ{>08aIMc}k^KN<)xbf;xs8NZT3)X_ERx3|>mF->VqO#8{ zGFgOZR@2{iA`n{pR7#DOOQbx7a|gZJP_?MHMMniztq-=~q@>RvEbSbbnK4O!p9uM4 z{qlVm^;x0OQjj`-rJjiF9XDrWe)Q*S zGuPLvTBGk;Qhl*@UOX%JFzM^#FZ}O$V@rdAH-jIXHd<=tuh9$(KQTbK#7X;Z%e2zXgBIH7?Q9U9(^X zA^aHivo_@5XIHR5RthdVM8N&ocEKmJQH$v8euvBquQfSOdx4sA{+~hjI`O=K0b zkc}In6A@E-)S*Oj1m@)h33%=Au{|1dq_NZBo&^uJ-ifeeq_>Spxm#l57Vhf`r#dn? z6&UMT%Xl5QcjK2;tJL$Oj^5g&2^Z9byGRIl^)BLtrau8g3J1|O> zC5T)&c-+RDuB!g$^rf=3Kns-}Ll^E6)5iugWd}3LHiDwDE+xEo=As}GQshQUJu)Xl z_Y+JBt z(z@1TLRsYD$K@x@V~pPH*9;{HMjZJeZ>3t!GDQ!d zZHG>0_M%l9ZAGzx+Y;>Es_hJ`I=>^wSqe}S%v08KH-%g-{-h^Awd5Kur5p~uFVpTb>co^oNu4h3tbD1lu*SOmlzM| z38uF#QJtF+QbHoIIokWZ6xY8lCkiYq+bsmRmVaCs_ly{&!@J$emnp+fqV28E&#@Cj zy*&~ycv#rmJZ*X7TvTxysT3^Rbw@j1N(KX}aqP1qa3-J7S%5Zs&*y;Xo_H^_C)irS>&Of|owr zY(m_&pB){LB?woQisBqo)>wYcXolJT)(Zvon23H}s{%oH&9rHC%9Tl2Ev!@4b`td4 z%LvTc!82jpLEvuHU*8MxiHtPK?UuxZRon3wUi;-AJ|tPmc*2NON&OY=R9ul&?_IDo z4p1F{`LbT-y?X-$zv0(VqF)EDFIE%rQro4Oeo6oR`BBTr##~LsK#L(F$xH!uNbj({ zVD&>Ccp^~Ab;%n76X6X0b?|hktB&rKR$ZC*}*o=6qZT{UMYI z9XbP|_5?`%3J9m~xPY+swUpOb?~8nh`bL>&&NLz@j0V}Vx62$S=30nA+DDr6B%7I% zu({DAfdS5b4K>m+%f)43fF&eJyg0bm1OdSFdvM2mA8k?!hoh=XEmnI7CqYlTgUZmG z6gg4#vo8VO7R7nTGeai0yT^UIG}b&`e>YD>m8Se z?LkfjBhBw*95zNO2*qUS)ZqdLdy_p~LOwwl76b;0v+iuWB{Ot`%J$px+k&Vq4+|NUGF5mAxe(m}LtC5tc>?t0 zS8G7-H#A;=;A|yNM^wpb)1O$DH{3@VEh%<3VR@;4Y`8Ln-rEvs7#c~k`s>R17}KeBOG>3f%_+^8 z#L#ok{PD zI2P^m>tU*ABgv^$G_1Bz0$HdoiRK}<#&cT1R3QC!!|2JI$MTe!S?sfL_~&^US)!fM zCG5thsBFEma4pfYrx7;HUmoteC%Ha7dQ#kX+1dRFr;+kQBx+(vgP3{`J*b_`Z^5XpXF6YX>hN7y5UMK0uaV(g9xZWBW=5UK;-+qbw zPSs=M3%r=+W&WX%^8oJx8XKG9oq_+afmROAV>fH%klH(lYO8f){xz9U@ zp6DG>58|>@+kqa5d9b;=jH#kdJtm~2v-Fj`>{1HJ?08vejyy5<;<~V#Av@-zP{$(G z^h3G!ost>&{#BI0zq-~Y-y-13!)Yk~DfDoly8j0?;bvDwT)Vi4PEMCnVQiY%#w9jt zm<(hvmF>FcO{ksycrTR%bICUL$FQQKgDERALy*}cPY9nka?4dqlr?I?)lRJl(@Bh( zCMH4kYS%nI3EP0?d*h{SWlN3>)`|^A#&`g>@bF@HJu|G}$F}aWV(lAI-NHw)@teES zu_=4$zt6{$QR)RDK&NW}6N+M<<0=3GZxUh~{_&;CWW5}a+L`P($2XW$Xa_lQ#Hs>} zg$$$P(kQU@i3EN{lebLP{9C&6U;(;vO8{`f?Bc;<6zXM8cR}WpRxLSR!w1q5CSIf) zP*@oLfC>_+J1|ozre+>#Z?N$RhU@c`gz}vmKnfoJTveV7l+Twy^<3hccsyBBN`+& z{rW&8>FD4-HuGh~HjkX49q1x&JoDkm#A?@-&xWDh|AcBN97Pnf$S$i;h>oi-7nF82 z;Im#Xm9#QR2X^v+BTZ_Cg2P>2sZYu>qLjEM9=_X=<~7~QWlSn9ykiGP3g8<2AaGNW zTHwwuj;BVaG?@eBmH{8z{8(BmZMGA}2@ZQFAWC&9mvLgzS%W$KQpLyN?I*hi@BqKu z2caY9H12T&SGI}(VuSi?Y^;a4@3P4%2B$^ReCd)(jC-XhD+a}J(|nT!!@nk;uQK*c zqRlE*$&2Y%Y}jx_uv4TP}v7~ z?Xj|HvIOp@4l-V*r(9n@0Y0tAiTR`}*h5mpC%u|~fnrZ?wkQc5QE4l#dd0gCat7$_ zY52a*4Oaw|U^$z9FWGEw{`FT^dZdz>56j_gSGK9$^pD~JsGZWdwzNO`h*v3`Ure?6 zQVOzkW1eU^*INbnFfiltK$fo&1hFJEg~2k*zQ~@U>nO|o5$iM@D9*AyC1AJo5lx<< z+b^?5)<;IR0%*3-Rx*HEd|wbzIh$xjIpiBFR!{=o%A5*4Phm-tqij({;=9spH4`qB zf-#*=RDi98bmM>K$ZjHhDBKaW?NwEj|m zIZWYaG*CSAHl54|LKv7aoi-{|x(TS~C5Jge0qw5P*If$sc${mhe?UpoOnRdscWrL5 z19%C?1fWeY(^17zDX`-&189=7whZ~Mh%N92L-Z7@0d?U z&&}95c&LiZ!c$w-lF?l*1lEaYUvZ&=YhS_x$m~@`W~R3Z!XZWeeCbXq>*JX$E*l6H zvnd6Xk-L8Glq~3e_=7@K%u~j}W7wR9hKqDhPWEq#B)MH|oRWtxn&?L;cxz)Jrev}Z z8_8c6DSWDq?1t{`52yHO`Bb&RX zVj@*1;~0s1Pk8mqnApnRC~!~glcMw? zKr)iGd{<^haZ4ccg3|lHTjn#t+>Z{&2XK_!u=%#NK!8CIJ&8D5B%rYk>&={Mz-6bU zZ27Cjd<1UV7SP3^Y0A?jXKa|F{yi4Oyf(6v3F?_QICJ$ciM&9tdvHytdQ`M)xn8F} zQ$h9CvZ500(n_z$?DifFH~o~=EKC)Bs&2&d8y?3R<}XV=RD~yBqAHS!TXc@rcsMDL z`uU^jkTlbZdWd=4hMb7qsBwk}g`G{dfO^c`=xg;#OEtNycu2>DjfpN(Qq1*66e_z* z>+*D|R=wM5cv1T7` zMN^lLm59aUzMXE&5%+lJ)UXdKv`?gXX`*st3qE7yI66h+llyr|a>rK(P(mo&?g_PE zXA+rE*vwRZ$ut^=AlT-_el62+y+68MB_n5ii319nwK6PPniw8pZ+DaNY7tX2N^*+z zRBYji1vM{h+DA!MS4`~Nkvg+orqWso5f`~$PD0-fylyc>+0&N;$^k%cTph#rQ#~{LxfUp#=1W-7+yyPhxmy@uKvl$fTB|U7 zGz?8;`~TO5juvYl4>A8ng&X7x>*)7-K_mn?e2SyM1PiP`Ui21`-#dfmRX3sl198iC z+u8*=#UpN{SYQwk;y6mFo+F5SLcY2{(wjcMG^y^s+*yB?LOp^(!n9%@M>XV}_C*+G zwm^C1V)ADD*`uC6hsab?W?6Nsv{46aU_EF|q2h3ger=d)GY*bdTpnjG3{Ws!m-GA$ z_%}lwYD#5EZ@7ei+v%8<_iCZpro0szJLGVb#?_G!VQm)CvHB)&W2RfC?Z=qpU{ z{xGB>{blcyMb^|CGm!PTfMv#ZTI6T^7pB4mEhEQ{b#mwA)fw{r3wpA-lLECbSH>?A zJsZO1L>>B%*FK|*js5Dyn$-FD+cy~Hf)iji(x|%Lt;-v!mWzBbO0{qX*p`pYa}6AF z9Xxd-KFwqQrx0vZIaER7(T}L&*og|O!c(QE#EJE?UgG3-FVu$13BpMRl=k=)XK<3X z`XeV^RnX8z3S^)e48wxI=R3{3Wq>hHFiQv(Z1Ruzx@=r?X^>?%UYKbV=5n1V@+}7P zr(!N`hnG;5lCm)F`8tycYpBjYLq`AlN<}4&3{O$53XbbHyi8fjL;f{#vG6p>a2FVV z?gO#+BAEE@Uc5JM=b%Fsq!AJaDP;of%-1q%@ttir!}&7Kx$ zGWTw!$fw%95FWzg4-rZ#-xy@dJgiKFdB-!uD#{$=@*H#Nke?zWv$^l$kxk@y8R>2= z8BTK;&c#kMp@UYAbbN&)Phk0Vaqsz@zhl>nSt$}$jVEJ zw?v!T?OWtH%OqeiJOW@zluM~@J*AE|=m2}LEnKG51?CNY7JqB?m(PH|K(_65OKvpO zdMeRMc9wSlzE88p#}I@s9*IRN{8gNiwGIK;2Sm|^P42h!-O)EDyeg-8y+O6?z+xXl zB2v)P;6u2p&B3A+uBz7tyh<$?KZ1;ikG#t9UOtuLROEFWVp@}F&vz_>rM*PVGq z0g7$lYmrMJsxO^@6wR!nN%oI$U^2L(wjai7Zp$OIlP6UVwV|{JqqGHuQfxDk=a0FG zvsKYFZQ^PI?DyM$drwN#&=LpPpFhz3rx=+Qn2|RPU!7fedNPgx?aKzSCd!v`e(QXRg(&J=?9JU;rU;ruAmN6Uo=-RXsGJ zX;W)UaTaJgC~iF`yr zS;Ou;{S*$w#K-I>ZRW`^FU~~(;+^9HIx+(delw_Kcw9oAqd@?m91^HZes+%#B00Frq(+4?o~4Rc#?zn4MgVL#j5NjRVnz?@}cb`r0Q|C4?z z?s`Dm8?cAxV)spos8~LcwD;o6%jdWpolt7wBhps=+V+mx(q3U(75T?G$DEV|92Hil zTcPBKo8xJ}g*2&$ zar{i_sX9f_9Cakc0v*U5HBc{bRHM?sGtvTT4)e-vCcQVNBnQmOeB(wQi7;M~MI*Q> zeA!Z5|Mg!gAfj-=`tPSCU{=Y`tDv~yfKL9)XItdxCwt&LHo~Ae35?mO0(2?-rBWqy z5kDY*Dhikbf7X(c?uYGLH^JcRfsLi4=j} zhe_%Kt-$6>r1MlAUjl0%opLs>_UcJ13$dg70@PV=yc~OrI6r^xyq`$Nmq7C3kLr5M z%-sDn@^bVv;VXJHHJOi5q7&vjj2_zPuHAb!0uFeB!mKbfPa7CEqqKjzM?;f2z7)lo zr1`yG0hn|H%J&Wrr+Z)cy@PYW40#XuJFTjog#TS~1cFesb6VQKJBxdFsOA4X`1tLP z7F4D}7AGV3$$@)@;~_SEvtg!eZN&tDVv}x6mhU~!v`=FO1>Dy-JkN4}O^FK;n(JaGlJ{WnjDjSLK8+fQB|sD~A_c4;YzzD_)l zz%V@PUU=_J;2sWGg;C{YmIoAkF{hME0=*o#&?0YlqcN{kaEP5R+ZFuPol z1#gMk19ltI0PG3=4_x5-mt_ZiPXK- z;Ow6w>0sK}5~-E|#Hbn3UM~;S5tX0ld7I+n$yY$Va-~eedkiVS2va?Rms2Z)j2#?v z+tuvS<&^+$2G>caO{9a$u3?+Tu3}Gjv}vJ$ufr`8RMBB+Xb@=q;X4J=YZKQkZ05I{ z=wjPuvERqkI4M3cOL;>dZ_K@#x7f{oc_nQQDsH&yM)gmUDrA|z{pt*O-_vlm2x>kH zC5NPs*C~#c_DHp$D+)>3V<=6Vh@1c~qwQ_LN7CMBsOJk`tqL2*-~y(?;{{wB3v;b& zZ`si*>e;Q97?B7ovNU9DghsYgzHzx%zGdP|CrkS%=6XWziQXuZui4|hp4u=QnI8!4 zq9XL3RExWFPHcT>-Kyv)n+XB3GB%yxdRZdI2<(Sk0ufoWp>!LF1%#m;6 zC=>D}XG%9ynB6)Ntj6)VdzEk&%uNEU2HZR4jz7lR6|IQOi@sGF+Rj#Dj*R22eaDsr z$}!^1`BJxDzUrsMEOtYWn)BcK^$a;NH~d%?d5nm}CsYJ~FDOy9c>FtnXs^8BfYP9p z#Iy+sd(Br=iUqcu9@20a7a*Z^>zKl*rGvTWS;;u?*AkgKJsf?n&L|C<%@&I6p}Yj( zKCi8xLMq)0^#{9Y!0P#>u}LUdRWz5do0g$#Z-DyJ+2KUD-b-m5!~9Rk9sO4f8X$_0 zDx|X43bTi}inX@0%xtZ8FAf-)WENcVm%o!EtSwS9nFQ-Ae0XRt4C z8M)TGY>z6R4AFf+W5R6qcnezM+lJMi0)7Q`TZU>CF7*}_5Y+wSn}|%J+VbhHvT`hF zzV)kSjrHdj##F+t$WTUwKqykUr`a3VLg8TlkvXtbt>tV#GJ5qoT-DPngljypVg7|_ zbB}alY<^?)1V1n>cD%@3r0`H|O!L)~w0n;>MXx-v9pG^BE|i zPoR#zSghuA=LGf{4&s)FBd_79w0wx_XgaPyYekrIh46TdO46w-tD8dNVM^9OL^_am zpIWo{?Q^s=ku|V>pRNsUO5c^fKLzQNQoKgQmgLtZgHd&9^h$%>R)0ScDdw7UOjgbk zW?7h1PB}S`r+LO;I_)PJ`QGsWRSaa@SDCkA;dAjx@JCbunAriil+OzhdMfL;9|1VoM7o?`sxOlfj?cq!lEen+q6Rho0&Cq`?F zeQdyW!Zg`GQM1L!vS`bSTu#(VQbJi*Ac}vE+uQSBO!iJ0Db^;fu~+C{V%S{3ewz z8=-g4}=;k5>&71xPTXq>yW z*r`_wGF5+wdooDjBSRTfIDG{VpZaE1n9~UtsQ;l@V#(Ij#;~Hmj8b`qT=+7uW&bC6 zb&$h1U)S>v(5j+!*RWs0aU}^2YlN747T%Z@8GcNt$q=8e$mn0J_dn#aCN#Axv3f32 z0FT#cq>{r;U_6sk*TOt)dEPSl>*U-oIyd9GY8uB%`u55FI13G#jwUsFR7~rcsFSrFb; zh6}cpAzFA=eqB%2)>X>Gsuv&?FuU4|-0>y&Z4vAtJ#gQpFe;fsMB?Rzz|;D}7)sq= zau{zus8_#la8tGp$BeHGSu5 zuRT%l4QxVO)T0n53kdI`rNUt0*tu_#T65-M9HB!H2mFFB>n^yiJ<}MQU_A* zDMSX=iBH1$8BvdX!N5LPL>|eC2w8y3dy?$*A30|jdA z?HEY=CJ)#{oE!NfE;LD+vRPv?H5U(w@QI?gBfynu1I&&ur5#9*mf+N_WO%|g8-ADw zx|9a#!48gz*d4eQJ{%IW>FRbx%0j9o#FZU@RqR?f+n0sw)~<$n58$~3l;c)G4qb;D zC7xH@%6n0SjXWxX3HcMpmk$ea$`NFl&SZgq_eJ31Eix?1ROS>-#V@e7#~$0B1(ShyOvuNsC2 zq-HbuTD}+^mAiklz%!C}*J)KjxBu>Lruv|+?w0`J!1VC$-xL5L z_y^Du_D%1GByWBM-NAzHt`A;|_o{@=rsY-j&2q+@N=UZ*FVU=Y+}!Lmtf$4B21#`E zi2bW7#xuU2mApM}IJgt_ci(0q$MCxQcgq=cJH=^He@DA=cYg5U&h7T3>n`xFLad-RA>yB1v^m9R{^tW@dpeuigb3I6XF0@#yS93^fEFPN59h=(+rKQa6HrTzq zxw-k602BABX*tUx+*T~!t;;Q)99|#5KJFVR zV`46IE>0_HPvtvCR>U+f;kH|}&43fMDOkdPrwjdiL;EV;y!MZqfcRy+m6jJPPX4}D zoaa)Bc15$w*S_~@8X*N&NfYTDDPcOsF`}i-czFo1t7|Ar&-cD)-!$sC!dXghJ8EuE zE}JFRV-Q}KH{RV3A;{YOquu?2_tGLOw#9WQj#B%ZsHe3RL%||vOT5z^GK5>VGfa=W zF(&>!(GPxG&tWm;dHIoGUmZOGcLgKjIc6?WY9nvzhxo{|e-nyX77g)xba`B+gYi8Q zejFKxADO~<75F)5CDoY2IgTEk=`zbIq}j)n23fnkK=Y{Kzkh)Uag|Q9*C}mLoqE`; zIwd`^X<1*5=KdU9)3?!GC3tRnGMD@Hj@T z!<=_?vwu0U+3@XY^Nmi4T-v}vD8jFU*4UzvF6ZKg1am>cy%}a){IssF)hjqie+MIt z*eCxYg(;1=gD8$OfXVjZPS5yeL$j_&0jO_-Fvgt8W2YOaPn`r!4_yh|43v?15#X{T zV=fhV+PJ%P;*LMXX4Yc&_o~Vx&AAy5dPmu;S|4wH*S2>cyR@#WLq*%Hx=&)fzXZ9@ z=QvlVGG<;-OuPPyasT}SVGm!FxM(Q9{0m9ivy=oUWSNr3iNeLOJ?n-L7S{(c1y6N9 z%zP>uNaY3TFf3|_+X}x4` zi&vAe-hpMSUz*{<-BJCU?uP1!_sVE`c_ZuHp@l$Bpd&p56@?5%l%_;Hfnl=qq%&wY z$z(LoyhQUN1n+;czKi7OczaniG*m<)R zv4?w_OH5$mmFeN{zq52xxUJ{4e3t!_Q2Yxkx_)~@Z`?gI(%Da4IWl(&?y=xLsdhqq z;F8fG4knR@HkFm+T83Ros4U%V{S|OwJV;78_}x0=G^P|`);1OO=ku3C^9JB9@rb$l zagWp3WYN-Dwg-9%@xQN*`>)61b&GA&blZE*fyeCqr~4=VP(l6W6aT4&m6I$Oq}i(~ z@Horn)??uqMg{dA>ClWAcRvakhubr^Z=S)BDPFYkE7>z-f*qFvRdQp9$s=(@$&@dv z*xWU0e$;xRc2Q#GjLmDpOMGYK#CXgX8ZcYCY_M|rbMTebb^BoZ4(r&IuX?6S?RS@J zr|T?JBeKPFkBPr6xj{wnc1Pw_*Ym8O@H;NKz}aKiPYIWy=QjkHTV5TkhR$cgFm0IM znfxvcxx4ClazhujA2fwE1@ntrIwc71X~~`1{g8Xqju>d)5gx%u3s-2t{M5@RP8f4& zBpR>P4kI+Bp-0Q==CGhz{Fa3kkBRfFxGDVK5g(iP>?{x4w-@|R3_ZqrGj3tc`Deys z9h&Ezdn=`WKt-y+i#ZFn?|*+?(w;)upZ~5S&E(qC>D)uEpNcq z_mt$U3q88{UAIo5POwwNQ2AYP^t3`!s&5;7WOVdG(&bH1#rk$%pnO7c@2kO)ihpZh zn)e^Aa+ePyWx~Zh-XF*2_4mbv$hR@jAoXv0p~Q-D$bZX+-p;O2H))}~u@|P{_SCdh z+qJfC7p~o(k1?%fU-r#BX9yiRLvgm(GboE9(?ejRY-f5VBYn+fd zj9L?O`*|IOPT*nZx|=xl>M7_Oxqo+CLrNT_)zmB&`r~y+G_|S5^hb^NI_9sU0dk0o zzL$p>ekxec?9|8q=qli@C;n;lMF~tSj-b6|UL>&f69%$y!-Z5xAcn7dnft;7(YFq6 z%^X#H=clO68N-9qu;P6KXYA2koF9%;_Bc{*XV7vvq6s{>fFsKN8ANE}6&IEEs3mFh z62$$6UWqvWrMB;1=&Rc*Kg%=86Q#-te6G}6p4zH8WJJ0Thvp|a&FcDT6JH$q<2z#4-`^0v9|m8Q!8$I4a;r*|w)=qon+-UulWE1a z2**wzuQv_WgoVvN&|0$v0G_;8{+&(bM`syZ5}L z>(cXNPmo5kYmk*0lyV^A7+}Q_T z=++;8f|exC#}NpX^&1YE%CRGQ?DsFcsWgoXYNPs`({A2nBgLy9_s8LUds!*8vDckU zCQzCi9}nJ|2|N6ln_g9z4CT7M`3?H6pXhMXZS?BWj5;b;r9LK?mIXpPyR!gW6EBKi zUDffc|43E@YuMU`Hin%ctdh}}-`^>=?_Yvw2G{rgrmS?Q{7xfHc<~dLGqbXkE%10w zQlF2l{rEc(<>}KG9Uz9WBgcyE$SQ=%teDr%WrE$JrSN1{1F4B+{^5^eLJ;?@#Dir3#v82JjsBUJ|;eh8Ea>BWP?ea2EZ=ZI%k?M1e1!n%6`3N z_EgI_^t;abwD(t*#qfN0{y0#Re9`&EOy`wabzD%T9j)*8u0BlPSVO#l_AUO2pgv1$zgNgf{{X(9h_7C);%(y0_Z_l8{&;|Kh!IPXm2Ya8UUxEnN zc!+8nc-Ka)UWlMm_J=EF<++^NLR}MH;Nz|5X@Z7hnD4Dq{pcSN2_70iFS=&G9sJl_ zT_m*pxA^yOcVb27iZg9%&{7~sJ?mFgie~VKi*mc2%R>XB5KHaV2$rN}5anG-fTVAG zZu(jCLFjC2HP|rQ2f^hnr=NA9cGA6NqqZKDjm7Y~{`2AUHxb&+&`y|y=CD2v7Z;=21t4I-)! zn{AMt-x<+)X>_e#zU;Co$U)kW>y1S;^pgY@lB=gIKOH>-a_=du5UV!96lw}E_m~Cj z&2vsXHK&ft%cdYX{b4_dEc9X^y{!=Z9cK=sas+sLwV5%+^ts{KsWFbP^W!0pDspbC z?1!8_AeZZ_Y?)wAyonk(zR{E2)L3`IpZ%r_4CZ2pCGBE9qEShNltB`^=U4w(Hb!{s z@isz8R0@_SG__lEdxQIyW9EDF-22shg5{>zCq%OdGSlftiy7YsIsFQq`wgITV2qF{ zn90Wz&RARTBpeImW!7V+$~~;-VQ`i4UYeE5$Pe?A`%g?j5Y~}abfn6YG6|Y1{Mn>M znTWKtPl&1c=V^PXBbw6MX7UlA>?1~Ge|~Znfj<CRX;BNo@DOIvM1}?Iafx>vjvA(1O zEPiK6D10iFjZ*y3{I(N)CH0dW928yCa~q@#>WIuu-$AsPQj&P9wSRjd&Y-*PzK15L zxs{u^Ghv|fT`QXP_t%>Tf&V|M-a0O-Cv5muX{1*`QbkHB=|*BHDd`63UAkM85|)&1 zBm|^u=}@|3L2BugMv%6i!QcJ9&vXAXpFOiPbLPye%`%S-nWMO5&nKC&;FR^+sb+4`>=-X4ii15)7Jt4 zKdRUHtl=hjZ9UgKR(G{S5=;|Grui(yT&DaEwr{1smFfsmSx0D8l=!&pg-PVDi@ysz z>OM?h*zWZa>t=fTm9$if52h?M4g_c7-5GR(o0}8PABDk3h}Lb#b;tT!N!hq_;w;ZYl(YB`y4v@Tp+ZkSLjrt9G#?KJ z&)i?rZ4P;MTyY>W4jH;sgqT!K7kJz`{}3*9R$7}Y)6p4^6KVA4M|e_pFT})MaoyrW z^jg&=`B^Iou3?&PRfGInr;}rnv-BgG7}0Z0@e=xFsvwgMf%uTT;j%{KDMRSyj_=>9IUD{FjDNv zvc~*1(P#0ab9?!B)IE5g5CyF`sesYhD}`SxZ1gJi3V3n^J|oN0q%ridVfN3f67;6L zGXunUr{tSF}X>q~n^Sjky#N+PE)q=`Yp5A0Zus>aqUKjsfKviNt|!BFlr*hc)iU ziLV}zJJUQu%Boy`LA;4Ak&*8IB?Q103vbcY9CoDYr_gRIpBa}{61E*Sf>Y@9`L2^{ z5#w=2f4-?9RTs-E$v*EOL;GPJIV`&oLinGnEGa9GGm4g^?^P;4>-*)5eyOnYKgVux z5p+5eB!%`tN0y=YD88w`{9JbwmFC&)R6X{Gu=aP+d8d|M2K~(-g(h*ecV@&iU2IhTAHx_Q3)l>O8Q&L`&(YH}^dw~OG(fABk z;d_;`W-gP*ycH9lSZe-KUVxc_KhzcK!eS?1-x+`Yy8BOppZ2!HMkm8zi}eTffbSf- zw=%-&^hvZe-qYmxt5^!`3t{L@7<%7cx(_F7CfV$6wjH<#{QxCFe%N`)#ZRHZCW2Yp z8KEP;P05_r6RD?um(VX}>*_rXMu+)aRZg7{tL$iO3>!E+;;Dpxil@ln`e8YIT^VXh z5kT5!8w;r|=#B`!sM{c1pjlWQZRwR3QV1|g?~#_}_9%3&N;f~*JV=Z*40cYb8Dgsu zm^l;>bCJhNF-J2#D1O2HhYkOG)O-Lgx!~$UKkgWq?#Bo%2Qi|8$LL1nrJmudHNp4t zvlr9DYNk=Gd5@DrSE;*Fcd(}gV)`Ar=pF4!VeZ}6ZyYKkV#Zj48PzVb?gYd&z^Cusde_Yo_vI-C!vh5ZldrV1 zq(}C3G5wteEkDC*@`VzQo`#u*aD6Lf)3u(n=*aSFFh^ea2Sy-F%0-Z0!~M z1fQ;vtC2E6fu{V&v9c`6HiiydoW0%qw+9N!5AGh4n&nuMUwnDLU%#9|_^iv5{V-bfLkh?dueDe5q!?Tqi0? zi*xn8RJ{73g`>IVZK0u_1%^!Zb$dfmu5K4kBO${Lii*sOBeYWhG^RJAeNFUnE@ME! zoKE+>6zlA5yo|4DnCA#mC>Xf+t7>-4<%23sjM*Ob+%;fx^eMMfl#W`UHJFp)GH*B5 zpEEExc*$5D8)NfPys{sMu0f$=L%uhNWz>8|M0$$ESy$dWs7@45 z&sowmkuTVe;0~Q z7$sf4rBuNBiBNWx6_oqC_V+uNvM?f5>14eg{75HMLritJ9*@;81|EoZ!Sj10^ASC! zQ3@&seKq2}TnrUScJ>>r6^mrj@{I2AuIK{SkL_i{JCC%L8LlGxjn<-ETYg=-(2{!i za9~MEyS+b5`y39A8{gI4ecBp&Zv}$)N2yfG00(nUWNn&aw36cYu6^uw_#Fx*jRKr6 z;mV&I>s#dIH}v45Z?o>+2?en!GJjO@apvO+^mbzdJbY+Tq;SG&YCCJJ5q-9*&L$be zooANYPnXF*Yd58qJENZu<5RUpcA0JU3B^ZU4!k+7iOhQ7Br^RY{|L6#ml1RJ>(Wr9 z{mB=VK7-r-eL{;b$$ve#w^C?Peycs7+j5yy)5oe`kj_r#oUYoam|)HWNpw|caq!+) ze((Kjd3N2WVf!NH^(8FRprmf!$?9x9P&TCW2u7jMp0EFK(Y=gPL6B|_D}E0~*$iT~ zuVbup_e6SK3yij#V?38vMblsRsr30SuZqYq-oA|v_)F4atej#ODSQfL#d}0uac3OD zuS~(q#Lyl~?r-=!$Hu720By1=7*{^19HZycozKu17)kZZ^ERot+Ct@?omz~uh{K7;FEIbs{mSqd%TVWDSUM|Xa-W=x8Z;g=fH?Y6AGGY?;c<68;=A2o@KVqL zE_;8Ss;A>R`<9DbNQbV4jZjuEm6hRzobtUtzE-87%iX;gn~x3DXf?Wf&XbIrk9;0K z>N-$Sdz{;nefFs_+ib8uekV`XlGdg}$;G^TkU=XxK6xQi>bi0E+SV{jUQD&motIx`=W8{R| z^QnlIQLJx|U|OSI(2oLKHjj@nu0oY&81o#D-mw)~R2Y`+g)BFckPIr46?qcWER@iS zoQP?B4u5}SAbZ;#+OI8tp_e0`M}!LUL(*kwag>6gv)UNrDdZ?JjlUwYMzgx9^@U*W zsRF%W`qnt<%)RS01@=^6F03*{;ur#8?66 zW1USqdcn&_BAjCQ$XM_?2))kIlXY2-4idlzD(O!Rs);_dlO)9WJFDMW|9(_C~5XJw`$jXQ7?kt*>6B^*KVxUH9M?#`2wtvA6!ZtD(W zQOYB1;vDJ4>g1a)ng}*vMHB148D?pQ_$@hpM`xd7gZ6O?z9=ke>hPO{3?1zL7cp~= z6dZH%WiZlO6#Kjbcg&v8{v@uw{NL~8Q$E2l2Q|aCmBON86X%)QivNOFe&}l=(6TCs zjO@bQUKKS>kM#;0V~=%^tl7-3cWBs(JPG_2F{q-}eN_7NDX7lVr}ahUs}_D}Y6*~& z@Iya3=Rpb8M-?m-X0ko)pzxk{5No~+Vgrvs-2#t6;a|K#X|Ist4zeTQ&%7<; zvF5xj6}8OII^_JI+3<^R3jGTHlHLXR9!;G?3(A_;fXLE3J_p&o?flRY4d5|e`Gazv zweRWcK5GY6yARrlyciS^@fAF1#8*&?tnK{dw9Mx{{h9v>cHq0Y%V%YK{{{2e_4LgL z2=(I9V-Wejf>XXqwwvzOZQRrUT;V(k(cSiVfKA2g^k4K);~t`h!qaH=duXMb;KTqrJOWOd;Ed;DQM+0DLKmxVSP#ZhdbtnoZ1x9i38<9)B< zPr;4;3y=p?Tmi{kiu2ieQ?HneS_uMXAYLSqDIK6g|8F3;1}+8Hj(n$`x8CVqPJ-q0sJsyet-SAZT1J-@EZGEy4FS)x8*c~YwM8!D<$kiJ z_U&boow{iGsnU9|RGPgan7{u*C$Ux>YzV6J`6lin#n;L4?(rY;a-FEhTD0Q3PD1v) z#dIIdt(|!)&$E#QeU>fsT9_v|kddWHlpL@N7W|ADlw_SQ%=VV1cw%Pv`6>|q__r!~ z0OaTXF-6F4mHk^U-}`D^cWaj&PtU2S8S%;m{@kGOBL5+he1PERKWr*(7iV-=K8gVz zervewbY6+YjZ|BI@TU3&>G*osAr1MCy998#eF$ghLNvQ0Y)#6R{GrP*!yAmcLT%(7 zI`u0Cryoo1ne-}B^6a-#zTUdZ^}eMz)8tZ$|JUf3>@a@gDe4^=9ruCFYr?Tz79*tf zJ$I<@%r4g&eUH|QtuM97c3q^zQHqoKFEDm%D!nTjptOl?9sN1hr{F`X;jwZ;#NR%l zJj|GgSnt&wWvoRNp`dNtMdP1x_uM<|^H#%I4k!yEaN26gm;*?)rBgB~#Ml$dK2u`r zs9nyKiLbUFORB7jSC$DT8S*I1S}f=tned3H^8fnHC819z5*oa0nhrbWVSRy$F+RK9 zp2CMiSFLuR{uY+F-0_<}+g90#JF|=5LMqm@qsg%(K4+!6C<+_sm2y$NQ#jer*L8IOr#bwWqixb=UYLnGC zx-W;~TZ~#O28G>K;Ra2zfxdq?oJg-Hf!bhJ9wDH-&xZdtM(E<8M_zh!WrIRA51*FD zAzqukHrby@N2jrlS4YR2@by=|KgTqGFT>va{gd+f&rZtG-*eNyKi*u6{<`S<|Bp{( z{_VSb6L4`fzx-EXY4`Ht_t6{T_CLSBJU6S%AFjR@U`)5(;2=qtkN=)buE>Wq5Yzo^ z=~m!FMVLh>RP+75!alFlTgmr~$a?9#Ckmd7$PH{{xNfidOkJ9< zN!gVI$>CMLddQ$kKE+w4Cq(KyCMj*_p@`i~PFvS5r|GYQX{JL(g4F2*=U;RZ3(6Qt zY{>{t1EVXj_)K>2V69WtLREO>p-gn)vqZ(yoe`HbRNG{F<7Kn$3AP+%mN|FXUbyIx zZFfeDERma4VY^gGllzsiWBzl_rHHNOoEU(z10K&xZ!5TTjgj~mpj;{?wLZ9JL+ zzd|C%D=K4j)ya|cvz9rrI;{!@iaDj8_t1t(Z*$H_pqVTZZ0BB59#XYr21ERx-rJ_w zbz?>V%RuRtDxLcz$YeX7@l9$QL2?Y^iZRYIa%{}<&8N>v=8xX*bpnp*{fHo4j?+9X z!QyEd67q*K6{Hq=R+2CKFJb~EFiBrm<~+K7^>Cww^|sWb<)Eh*oH->2s@+J?>VF-69=wPuqJApZaT%ZJ1p0cRFP0E1|9bE_5!sPLS>~nQXHQ=VGE0` z!Ja)akHh{awdWWevL!cE@$n~hQ@dDlt$xXdpj4Zu*g*#0(YgLr8`w(9RaI5)3hYFm zUodZ&krFyAQ~arY6;we^z(RrZ_U=l>+NuLv=Z=L4g_9Wj+m__8*a}=6ao2@v<;Er~ zFInOuQ?p=tJTLanpCIiXDR(8VSM9^L`!ESM*Sm+i?a$)gn>;ouwH}9mnBkWw{1Abt zI5y1W=j*KVai-2+XrAbsvz8Uw9??sD){JA9ZJ_t`J-x8NZDlIl3o6=JgV+qSx0{$5 zuSzL&y%%Z+I4I&mS&{9^`xIu)hR(XzdbT=x`X=vwGX(EYEF}HWH#FgM`5t7F;NtKQ zV}a1pte~Zb)atR(USV=it1$VBP;6;C=Y2wtA(Ap-8axrgg(Qj5p{Jc4taw9`YXn;q zH(5rafuDF*g@9^pm5@rLGIR9X^4ufO5ZN$fgA?`6{NDUBsnRX!LSn zl&Ghh*}~0rxRR`%NTnp_LilYiMA4Da(ihZod4YE)^ zfa#i7Oq#qYOH#k4_X^8)q?a*WK~Jxie}Xwiluu!HmUVzJdJgg`7RNYnV%VK&I zH;Pk1FPYMYBy<70(J-5v8BK!cwNJr9L2jm>t;!$8y@MNmYM$eQSH;Xew62f)r8m{P z5E^6U<3g?B!ag*KP-J}*n#7IQ(i42#u;S=*H%uLnozyen<8WKhTK6Gp4XpV3CbX+s zv|*&AH!%sSXz#fk7kl-kkT)P`vVa=WU(vvp`(C3SFGO`sgff9CvrY_QZf z{MVs}Zd)(BF0Rrcd&t!_9#;Dd0IdceIW?G4F+PDnoJK4CF+V9*ou4<-&oT<-+BwD2 z+-ZHi!d^*CNn29`+cLC3D==)!T5Kj6hH-|ybGR2i&iO|$wGew?R~y(f{1`kEZ&vI6#I8NzNYLG% zP_QzO6^CS3;fqkCLO#cA5O; zgQ())15i;^T`yphh_H?rzj!9YL2Ue3FJ3WEKXgqs2vgl6x+-D z5#l<%v241h$CG)gAMwyvrGY&9j27;eqKG%`Mx8DE_x6Z6Cetz^=D9SE$^eM+kIcGi)g8fa551NueOv{?eCt8sd0ovM^K$@6Cn8nhMP7RnOLLw(?p4Ven!KE zH(Ji^%N|c{aQqfFRs51xi_d2C$ z@=9vuZ3xEmeI%7&)+sPS4_lA(AWb0PYmcs6yYs~TC6a1|^NOgBh>y6vzu{QB*;+Vv zuc?t+Qq{7DnIzfFJ5hRDz)8cM1-V6+;1%g=_nXbbCFu9vG-Y6u@5C$vP!Hws2@`c% zwaotc$^j@WAxFez!Xb=>drH?D#$4;XuWn;HQg!RTcukYfvzQ?F+*_g2O7mtk9xtE# z-Zwoif5pBl>LJb@2B*51OOhL4)szwihCa>HM>uX@bC(fvi|48NkXI zUzDNUdX@Ok5N`|SBYnY-Y0|*?IUYpJ%*v{YP$&I)frhZW&R$lb0Iw~JF%G4$B69ts zpMchyy=PO#*W%!!soZ6ePxC4fkoo=wvY)e`$7iJsx5d}c7u#PUxb4us9L#0>r2Mt7 z_`o=qC*ISFsJfN-U?T75u=u!jJ5;uAw84=oPb+Elr~Ij-wXQ~H#ZHt>#!z)G4fv3*?jsOaP|NRYd9piLC~*QU;pDo59LGknkny;m>JzF+xh1HcdZRY5ye$RnhiX2y*1)Yhkp|j+D$~Ln zddz6ccvV<*0pd;mn#msB&3^@s zJMcKtQp0g0UVDn0%`$B`9BNjV`#eAipt|wOefppXJ^E^tDw4`)kxS-vCnp55XwJXq zg=Vf02E3*%`sIp9fA0|0%&(%i#kM$n?mA5HFe8zJ-O64C{yCS2PHRvYWM(5GkZfa% z#`WEc5*3E{$S6 zDzG!rA6WXnN`DzupoF80e(~K8biw?mVCnUyigd_36=@3}Npfl$vy=#@cb3-3p?ePt zdKFm-;4|5TV|4s2-FE$iZHcw-0ZB{N<{VRsmdC-p+DL5SMxp?W7-!5P5)_9zO{N_90+`?Le5fg+-oiZEw7G zs8yqR%ynwEmJTuC;huK>$j^G-SXeEcFY+1=4^C)(0;_OX4st@yNWvTB4GJ%@V%%6X?HFR%Q%yaM+NYFS8(C;`c3b_|?Ff@Qn1?#z9$N zQ|Jct;_(a*Rj7pWg3X3F&#ikr+?3T|GTAYx>qoecZ!+&DCM#xrm4bL|MPfulb`Zip zKa5i=QU2Wu^oS}j{~Cr+e}KX9e0%L&gq%e&py1|maYoyps^o-3%=+Q7bjE%DC;WJ} zOWYoxiOBzm1TkI-aPJ1{e7$<6{tb_#63%dpqshL;mL>_Iwln_n;M4Y_C*Wy8i zGPin8omnD|pc!stVlQXpZE{931;(j;+*E^bV!`Cy`-ZL4_fyE8+3u^=YB3Zr2PD;L zr<((^idC7(NjsMT1E~bz9nq8#Lr=+t*(72ev<^oLUQ?$xOmrn=s;Iy zV=aeey#7oKMCFHrF>WaT9wCPy*`7uZPUBBWH)tL?`A$!xeeW2tv!Ft)tz{Zvc+e^J zs)0KA8>{x~=2}{aXtMBi4~*FP!^@Ef!^o`UA8P7f@x{MP-2Ell1N|i+e5mJjvHG|9 z`qil6N&RW#~2v- z5!seMAGhX5P>y#aetjH(c1ET>&l?fm51CeW^u#7UAV90^-}kBQ%pO0!9VoEZ)%tcM z@sA>4am%l=)qxh1((~@?bYWM-lx`8hjNVCxkQU{gKp#m+ffz$2L zPMg|1k67(Z^i?U!vyLP)ekhBv&RwaZt#!o#Uv10stOG;)gae7dR)%qy3_Hx>utdOBWeaKmWwe(kei_I!;X>GFmQtg7CB{Fj`A+LJ8=r#@^UC8uj3m4kdu}wtTs6 zkAfYOh<1@_<~-~% z3&JyUI55UBSNjktjHY(TT^#hzv4S5e8{gg0u?x%m5|PoNzb?iI?bxbdYvz~r66l-Ap;2M{fYf^W+eMa`6oB`)Lj*yN>~{Hs}aNPAx!c` zCU%9&Xq+-vp4`2-H~pL}r$K;f#nwUM<}HA&6XXO@qw*swOgUzw6oS*>PI#K8Wrol& zIIt?iMRS!mL{Tpn$>?luCF(m!uxd&AavF3bo=mn_j{{hq&|X?7V$7)n^X z?11lLXO6-G=zG;-Ni*Ez%!V*&J5}DZ0M$jh=V_Lhc-e85TK$&NUUc0*SFjiPlNn`# ziUv3s3YZfdMT-Wu&E`eXmJBM}?difQo4E-`N!{Dq2>jSX(zrl@z*kiigQnGy9hp{j+Q8q7o-;)=*7AD7*Suf_$am;w9CvxOkb zBy;eYuu8y*FtD$lx7zLxWz6W6PE5kY`R{K?ma;`I|9u}~cU*~a(l1=X2rT$^0|UAU zQJz4C66<;Fz1adl2L(rE8VtfDlJ<)fyukZSEa36;phasEEL?}*6MF_AwC{mSR zMmv8<3cC-x(yNtu-o(uUW|JRTfNy4Z{-a2hPz_|-GP1p4*HNtxklenaKxY=Iz@l55 zDm`6GRnQ0lu!zpW$hHm(*u_Q{x0T8(sgXI1Dyn8BC?lhdiI9x2^OPdbs3K4rf?XM= z_^iG)sdslHm{AxbU9*fAg>C_PM+L5D0|g{>L{BwawkI<&0LCrG4F7@MVGjXcLu;Ub z=wev}>V*_0df|zMp)*hJ2(>inXDDxAF?Ckp^!0qEQkF={U?!_>ftj@3@~hDTRoNVa zHFC=}M=8~9+=&p(k*0g|>6oJEMXk(nZkPD_TI925F{<({G;fO5f)B_T;9YYR`3ZvL z^H%LNr)hDSMrm@$!kpLEjPfwA=g!i0j?ZkK*<_b|=coUEaEPM{8`0Pz*cxtZJ11<# z&zvmbWuQ8_zTs}Fa3)0Eu#K5+1$N486w-G_wg7U;AK)D zd>D$Uxl<6Cfabgi|Iu!EoCIn18yQ--1lt^osMaH$38Ic;Hg2;pWzO}ux$}3P4fEIr z4KPl(>|TKh3iP652GIE1hkXF4`yj@e!RAQA1>U$OCc}MEw@wiyy6CB|w2)i3#p0V7^vb^%^J&x5B5xp_O6!SvF z7OyJPfkXnbAse8JXgIa))R2B8wm@c^zr3reP&~lMQ7&g%g1Kz+4!>O`BnfE8#ttii zF)J(%OVD>*@4PKGLOrLFSb&ILIBUIs&J0LvzhC(Lyv5(1YZBVZWun3a>aD-$=Z-Ew z>18EY7TD_=Ur__2{Knrw31uk@FYw(q>`n_blL9@Hd&l{#7+MIH@Kq}U4}WZ0jnd4@ z(QSMSa?&mEmIgX0&o@FKsrgMsDvKu(I&XylmW<{GQrPZpqFDsFdOKvLN&>FEGQMT- zB(=g{af>v=1JV*=u^B`-2;U?kF#yHq_$X5Id(_sv4Ee#$yrb}|VD|bnGwwL}2Ik3v zOUYsnSOxy_B^#o%Ou*D$Rf5yx1t3y$lzyZmASu6^$ecA2^G!olnD2zBwv_#TH7)4S zqW~x5zh1iy5souX=dDz-F;UFmS7u8iKyE3yZFy{7i|)ClYR`sD@7s>Ha%TC62U!j? zR`rH#Sze))gwcFP5KM{)D_HDP%d)u19is1m@ zD2xylI?fxyUdA^#9C0X`YE7{cBH|x=C@`kEL`L^8z{(f*7h1e|{?~-C7w_GhTf@Ux z`xP6^vrAI8ox7c2ln)XsZ3DqEA>OfC4j8d}_boP6zOfGk_plvmC8(%~5S}P#xtak$ zbBt`m3i!r3(}jTWj3j1Gf8x2(-OpI7P3FLJN4_3k=8e?+zT8|d06am@N>C_AWayuu zdVS&;{|DIk7zb;?XjyD}E%T#y3GUsP=#Fai% zvtKyH@M9L|k&Era&uO|kc`YLiujt`3fBY;zaf`|0i2wzkBNYcg*sQFL?~Y*|BqhW` zTke}=`y)ZJ3?F%$X9!R3RSFaxRQ5~;u_-yw5Hr} zQ|qYK(Y$}8HHt;)H#ej;n{9-(R%N215cXh8Wt>mDY2MHDax8oqW=={io4*{Xl>YOX zp|n?r{8UAyLS}&^CmfYc@pdTbHysU#P%CS>yIXNi`7DE^ir}71%Zq*Wujqw~`*kpLO1>qN zCRc=KTR z5^DI&$>@d0MU)mbo=N;bNJZVQhN@MbSAx^?T;2eU4`Zgvw?o4o4&3)?A2W>F1RE8x z7Qe~p2;Ku&(pErM59aN>p9{`u%EtfbDJ_#$%((A8l{2}MnY&W|ZR8xfr{UfC2v+J= zwnuRqif>m+X(+^21~~l(UbC=h#g=TZ-n~Af`sExhpAS0Moa4+H z$pCF-jH5qQv1aJz0uGCz&)P4|Pn=-n4Lp*yCB}*^mER3^L?;B=UnJR+9qg_HV$2MQ zu2E5i(5ki_kTPYOUa>L6xb46|Y(BkJ6s_$AgnjmB2Bx+ZOD(U-a``Z88nE+Jtm(ns zBW%gQw^vA>sSFz-EL`jAfjUkA>GhQBW|v}M^D|NcUN8%G6wgmWrWamKYp3YED0ilT z-_TSSCo1%MlE@M-P!1bimRt!MG)g0c*3rr@2eO4umbeG4_bSiTHROkwE-M4kcbe4$g!7wT_!sJlk_%9gNh!s7drPU9DS71)Gpp zV*ov4cx<-&LnsmQw00zNzQ+%CCM>$D^~oojJlWW2^)u;t_g8$QH&b9EC}627cuJU5(jGaq;bbN2Ad6T$^s zh`UVf(a5@`__K|v6VG^{p_NEGYi{F<+|%&8~|jf=39aw z8n!%f1yrX6yp`vf(t5$dE;jQtV9a;kK+GT)Y)41V77wl+903AtB!#q{)zXz4DJ72b z-vO`{K=o=c9j6Blm?+MyRDaA(GqSeud2DhnuEEBhgeWVEPXw+z%gj(kvRm}+r4H2?zb^+e(UbOS-De(cndp3|bg9`J}{si9rA+j0$4b|q0)xz$A+i=@BeiHc51VMTtH4CC*Mq4ey zyzs!J1;~kZ|8&s@HxO*T4`10f>4wN$<2`p6?{nJ9{Yd&8@0mBr`6%;_cpD`vcm+qZ zn_YTw?!rY!?RHJ%@)l_##%^AOLn|>4uE(ZE?oQ8DVRKfEW75oOR^thbGZLde84Xwt z)d0OtAf{ma@N5`38>v=v8;iV=wJly^EbicYcI%JyK`Q0}<^+S%8?1HBWIn=n* z)B}HNzJJJF!zY_<1Sn6Z8i|`x8kwV^HV#Ap>>_zTVdzOf!9EWKK$!aAYR@`Xq9r^i z*-YzRrzdG(#3dm4)?d53u`SQMPS3hEpRO$8(7t8(y1?~nKH)QX+m=YdFmUW?nWJM$ zf4JMwvP5gPHOie4zNt#A{z@8knG!pRbAD?ReTl*rF2ckFFW%DTd9BuyM-1EKE#Gtl6V}_s}^k4 zr5md-eoLFvYgSt`3H&f#vxd8)Wt!Gx$Zjj+!*%mgD5&}&B^Wd+P543Gm^H4nJV_KaK93wE-~nZFgG^l8%4OytVG-(dqe5F^0)A8u;2nM#6hkM` zo$|$b1F5{E0wCG|a>e+kxRom2{^Z?267{^zOcoBYSr4-lAPOFVwh+!r1yIg20tGNc z0h}+OhLy2g3g$L(x)FzpS{m8uz7Yfog+)BP3h^fbEb$m4UA^xc2JTwWSTUSBsxsc( zzI6d?zt;b|J;S`utU|k;(=wn^(mz-N6$0ojYw=IRQP86;C|DcUn7iHir4>M~SYOTe zWAlcbi1%IdN?SCR`BB1RCO23)rEFoQCZhEQCkU>K?aQ+8u(?H;4MV{K!Yd*42FcId zwOTy<7(9=_zx*oix-=WqJPRL(w5m{aO0q3~gP$ZSAb8ZVV`XZ=o)5~&N@zc?ErUG+ zkRBsc+Q$+YyEwH?-30XoZm7kZjQ1ZN#4M>S4JQzgaI_#ZF$bvHGWm-`y1 z2Hl=G)M+)eQveU@EDfG>f8t*=7jJho{2*!mnY_KI-vypSC3`|MO`Z`DJg0AJIV!{Y z17@?PHfwdcZTmVNw)s;`C7bMt`jY!dV$Lzkpe7mz?GjWkh;I3DKFGunF0yUyXobV% z>-EPEj3?%l?c)81@f&*S_UM~=v#VE`5(A*B*k${$8)^G|HEQ=CpK7ZxFQsa zqYM63jOkzh`_S6^<+rtXB%KK1=4Cf#z2)I0Yij{a{r_7}ahH}TC}^!6&pV(pp-YRL z7JzEY@AE>-mf9y}t&UgGL9kxm%(}8pNiDMR(N4UkH&+{u z2N5Sn?6ker?#N(ESkgFGf?!v@;HhKYuN!9g(8kCO&wG0jdIjV?GG!pc?4K4>qz9&$ zn)Brr)#~%%6_;;}gA7WiH;JSDBhMXGtAPs&F4KSS(v8A-4>%cU@lR`|`loGXB<$fW z9-LU6bSf014wJXW?fv94TGLW?$qojI&?5t9H**mW%gjHI1dgf|EdQ&l4d0u!bZSIe zMk4hA0HglapqLwdZ14RcWxyGH?K@b^l)Zs}awQyf{YMJDpn_R_Z&hw5o>ws3UbHM# zzR`>XerjM7E4n&9J5yr@tzh}RRg1|>*K^!ap5^P~Eo|mIXZGAXN!hH1RyKK4gx3Z8 z4S@nzBwU*^jJ{s^yr55twExqVw+(MTH9pWt43FUEd=QB;W@1jiT z3r{9DEXTJ>N0qs&NBxQ%gt|BI=`?>Dr_QQZF_=n#KDWTp0_1(td-XEWT)@u{wey&%%Fq?Zsuz%q;1aTYoTVW1KKMA<)O@enZ{~mRRcI=qCy;c zIL^W+m$Q=L5;ER_N0`8dGK)EarMe-AG~dWuaI5E8fMaSV2r|NU-8@4Gb!1KiM0S*H zq?zjiG*;AZ68NTDo=DIe?_uhQYWi%1u&dYL`AB%AJ#m;_P9FBC*~CSR9Lu4{Od4mg zsdTLx;mL2NfOuRfo)akoaIFWnoyyzoF;))A8qBYgZLy3llX@raai}3nPflpJNAVtC zF|jP#)vrC{7U3-X2no?S4240vY`rH6YJ6Kt^UH9IS{eosVY`D1Unw z4#0OUYY1zH;7)pcOKHyFKXU9S-?d~mHy@N!*ppk5{^^; zcM)ICc=xJ87t2Q=9j1%0k`9ykh-qhzaVxe_5EA;Xy$m{@n-FnLq02} zWY2OAA#NY6U?&NGsA|**4wFIk$-&}pWZB6CCw4rT?or{b}Y`d8xQDo;FzRFvIfnH485XTk+8NW6tijZ{oc)AR|w?!O|?bJQ1kM zL&Gbwp_eZ>)9yHo@|y0=E4HIgS%n%JzL{;8!*MbpRfEXh0z z)mB-zwU5fQB84=&ioc}X+kA&x)@E{yWBr$09>8i@s9=t&{fKI%&H08r0VoY|Zf$;` z0C!B8tu-9?%q>4k=89T_#?awM~^8ni`;}McrncpZ0a!Z+%-^6=8 zu~PhJ>Unc5a;1T{JBWdAjcY@#aRSo;T4rN$)bp5se2ee7QyLLcn9#SEJ|;hZ|KZ^e zd~qs2$y}f3YZT?P1Wsc2wp-z-in<=%iUkrXSjtp4X76|VR!n)c^@iK?=Kyu<-e)~7 z;L&jM2e{y}iN~YUeDVF@1V{fe(libDAxXU`$S#>ey1Uus=sJd~z#dC2TGPN%c9OQE zy5$+n3bd7ZJ}Pgh8J+3~x)v(Lpb{3MpE_l^3pvcMO*}(sPy-(Ph|RRTk|-m(yEF0mZ2WK51T-}>`t?RypKgplff@(P0j` z)ff&sW?alvquV13J?Y~o_SWTB8Y2Yp1kW4OTJ(TV7!9u4JZrT54mfHO{fkH2V|M!TaGRsBbMWUUY+|WQ#bMQz0uf=v(r|ed9!G{(69RRU zU}U(bGVrjpDrG>0u^^|dlq?b`ZFCML1+6^121u`zJu%?6$v@5Z$-i0h&^0T~exx$7 zbwqeT>8E*oRNQiwJUwh+KJ(~3Ss%~u2C2{P?X`r+K0bu*vCQqm;7MEbR;5`W*D6f6iz`m zHGm%{PWO}N(mn!*Q=A%j=wMe;wL{);oZ90Wm0?0hE3g%yRQtnshnZASpxw+hDV7c_ ziR|~4+@DE`$35U{ur?te1$rf)=qY6bn%9@N`Ydqk?Ab0tU%ga>P*H<
    L=MgecO zousRYrfd&_)OuObFr~sY+tv&Er6-maM(x1VyS22f#7z`$&r>`DPMGM}oAYwX8VXE> z%ndJ&-YAF{a;5}Kq1oS48SMKO4l-}FDZ0~$dI1rG52-C#H%iQOLQ2V`J;6$XlTAv_ zS0SLM{)kzVpot|@nAey21d#8Z`XBu5MTTbGbuM^N9AMn!sW=Wr&Wr^^fWN+L0ie@v z(O)ZR%PYiRJB&_(BM(Y$#J>wf7-%X}!&*o1=5F@2IieHO{|^A`Koq|O)6#16OYy3W z*TBKa%k46hS(oU|oRE=H<3x7pb{Wc^Aju|g7*REo47BXh?J^W++nCZwd7D{kpk}2`ab6?$D)!FRDOjtcz4izX#gs$v~%889fB)-CHx;0z8UHO0@#3Ho z?M6NZ91?7Tr%d1~N_mGHc|*G$Omf1l3~ATiKK)?Z_yjt3DJ3W2EQ1r>bY5EfOlZRi zgZrc{k8Ez1=bEi;e8{(vpjLQoD--CImFa{wTBTL*gf@Oq>+cB-XIsfzJAnyp<_7Ia zCbW}@v`X2X+>2G5$mUzXjq*0upk4HYHWJi+exO|pFVPI35>#?N1Y1XB)pV(Qa-~B>rS@ zDI{oSz*8&gQ#m;v9ZULIAA7MrRYm`RG0 z4fsf`nJjs&9asgk>*YYqjuUWm6%ZOUJ`kfM&7m`W65Y}WLH+2A?iLK{>#B!J!KQh%c zHq|;AXmi@TMH}U%?Cs5EVGOkRHuuFgUK5M4h~*^tUgBh+p^T-h#WxqP(1^{{lVTgc zQuoF9-S@QnI%hNMoFPG`&6AT_i#JsP*;F5c<5h8zV>!^ZB~2qAN*kP*dxdOkBj0U) zjT6pvN>djF-)AoXauFeZWNGN1neO8y3(){Lg@jw3IuYdW|*MI)U zKY#zX|N5W*)8GBw-~I6q|MdOe{s;g5;~)Oz=l}Wrm%qk8{`iN#eE+w9`CoterQ!bg z^Z)wOpTGU?U;oQL{KJ3$Z-4*$Z{L31z8$aQ%l^yPpT9i5zRoXSfBpK)mur7~|9pIX ze0x9{8_hrc_4_~luF?I|H+p{&`TBXB-@YEdetCWW_K0-=k_ ziPtgCZ^!p97e408<75Bj%jehg*Dv3$$M^Hw=XHJm`g1`AiXbXqe|a3gd>qd&U%y`X zqVK;xzI?vE|NQ0G>-p{5x352+uV+OCN-8QZTxR<9>-Uc@Uyth>-p_FxOsep#(W2v zuh*CB3A+37>-Y2eUU4%^_#3M5eC+#|pMQP@4^W)1CuH+8bPoT0JU$UdDn4ow@%iiH zXK2aimtUScMEvywWIng&mwo&8>#yIDTmJLUzZPU-nviTBD17k==JE3o3$zAgzI{Hv zd^@jS@xPxx_FuO~=8u1%0l_3-Z~yY``=9aG{|``00|YGq000O800000hvztO|NsC0 z|NsC07623gO=WapWMOn+FLY>iZDMX=X>2ZVZf5}i5C9Ah0RR91008Rq00000008WJ ztt*1A<1U>~WlOThnWU&M0UD0K`>xc7(7und*`@h6yY5Zii|-#!~5{iQo|?_M9lF~io~B!$U82ozaQwi|Ng)F&xGLfNzC70AT)>mey~LTUX2`3 z`1=bC731Fzmy!S8dh5mjUH!PY!tQXbcn ztj5YFqQbH&E6rdW6T_D9{R0%#C&0}amIW8V1eUki-KMI^6~a5B{fd~%v)rc-@*mq@ zTK)~bw!#fRjtOvv*?W2#5v#Trve`VRmB-4r7s^{ZSxeSk=ZM5;JU+Z?mPp^IYUeVQ zr(Ac3_Yfm5Td2+nxU}Il{0Nt@-7UxCxpDZk(XHCmIzj$3Dz7x|)E7kTr=_-YcHX#4 zQ&CkVx3;mN7U5kc-Q78?9Ys7EBZD1TG;aXhR{fbWit+JmGz&dD{PkMev{`D?#De+P zYImUxVL~A8Evv;vSZfWK8OH0H@QY{Pl$lrOg}#!9ncRsV8h07CHpUM~4n>iqZk|0X zCMG60BM#pjfc-(f5f!QDjF+pquWM&#r*r;D#;XFvrxb_BClvQY-7KBO9U{yg z+aGw69WdivCCWu9L##j6%@$O9D{Wt|WvvFHQ|-JyA&9~}Wu&)Nhu55)oXp=b{Z{R% zEZ6SIGn!(7-w)k@AJ2p9#%74b-o-_ide;S}qWA8^ZY_d^z!nYsQ9>YR6~H)O8WyXW zWsuXM>A!5nyh`lZT(S!GmKY*BYiXi_YQwlX9ZURlnwy)atw~M=@q};BlxC(Ey5L)J zrJKP`EANQ8 z8pQ5SG|yZSKCuhYsE`PgtwzkV(ZZ<*G^?JyENtcOR@*FkEVGeShHf$Pobq(Ygowt94F2 z6J3&>OdoX6-fixm^MYHO*Rd{DcQiCKUfnqRjt(Y$8K$33mD+#98jH(jbe+7lpWXFh6@rJt`Mp`yGOVzVM6!wGqO=z zD-*RVpXFgdHry~)zT;ta-FQ3}HZy8FI(=Y^=D?q26lzp$A-%`r^G0zD&qAls!8NHi ze!e@K`4PpzWVpCXoU#(vTPDbm7);n^Gpd z|8kG>((z8pq<>^jkRS}7kYh!NTZ36r0{q50Do=Oad8XR}2oPpP4n9Wz3DX2@5$>DYIIvN{JjnkjwfO7V!o-CMnMtg1S0~GnU5czHVYMT^yu?p2RTH*=CqVT>R17 zMh2g!u+hOQ?ptZ-Ep&H#dm?1Gnz5wvV|#oi{0qzEVnkUce9e?f1~H@iTxNOKGjcL;D2N)$e%GEmiq6r0J1FPdzg*3 z+wbhS-34@0nXFSrmTB%}YUtKfQrKz(|E<;E!NSwK8+cnWSYb{DIGzGWW_Bvi6$&I! zR(374;D}1->(`B{=ev8#ZoUv&9vJ!Bb6u*ZyK4{? z-9=W>FjC=}A1|5;Fpw~`c)vWv!&V-94$o-_kwOy-*w;c|f4VI=CZ8vdZL3|_bViMr zY%|2lql%LqAB!LTB21oF;5J>6_i;!ljQuv^kHZrNw%bTjkkc<6d3jm<5FC~pa5w9& z-rne{MT_jmt}gK_ul?oZ>zZtQKQwRc|5efGWN$zGIc}lFjr+0%VK2&&rFGgmy#CLb zNE#S0Q9VdY$@B{D=OD^N-oJmZb?a6T)MPmKrHfdqz!2s+W}>dc6TZqFJbCZ>^#li2 zGK3ra`FOC#M65~pwE%9e!0abKZOc#nxz8CG5UV!9Vte@%`$G%gLDb|t+iu`OF{CGh zvts&|ZVtXJ1-r#PCsb6?*|5S8>XUxx{>EidHAJL8-dVmjr<;$GixRddNt;Pzc4t0V zv`ffVqpI>e-s_4}@8qDO*5t4+!HQ6>P(nk4!$*^c9Ps?T9;thAw_A2hujlvaNuAEa zjf}SaS{)lUDgEvH>3U-LzrQa3Io*dKP4K=kBM6tG+G&X{=6$v!*C54~c`T@+n+lFh zm+!3P3vbN_yKm>0E^M-X_lh1lcp^57eeMXo#GkX+P@WNnuST@qdCKH6aQSMTJ9my! zkP@G@@}G3bUbVURCdb?_4Wd!iBx2zo^x6!=etLF&!xEX@{Pz6EH5Xdb@&nV7A#2}#Pt34b_HKs#iCo<*s)7)L zy}hIM<-V_@J`H4(s7M#zD&aK?3nfL?`4*n7_4n7yg92o0+Z-u{FF}NovyhNACAlYS z47|0YS`Q|1L9Q|)HDrH(oTfiM6enGCA+3Xl{+p$hxB9)_mWwuY)Dzdylp(M}vKbG^ z_vfv>zDu<%CV8xW`!mjHeN+DLDTQ=bT)x-;H>cmBT+t9hxvbhq{vBVT05_hSTii=d zthTlNa$7%lo6woXZT1tVR|w;Gk6U8zywJFlkyFIOA);sZiq0CI^oJIEp!i9Cs8|b) zaWE;Cm9al>VLBVNdV}gx(PxE^(s$Yxn8NJ`FmE~3zsg!Cob)iRj^rm^`h)xQ-FzV5 z^FY2250FB?)17=+O%f_IEtVBfk#e)d?U3o=glai^T6|-j^>`89e^pC0hc>;|vhh^Z zjU;UYh@{aY@Z&u^|3t7~fV7mj&?O%j2J4OoFSmZL+4hrZ$ih*=d;ffHf0!achhRP` zK+W{*A|>gFG*XM$6Gi1Y@8WrJc!{h_mV#KlQ>R}|)j7v@NE0h`r!}aMgbQ#8E)Og& z=1ECOrLWw&2}u!~ScVLjtlDm8aoq#SO&o#0@YV}Hy*cT3P z5Rzm>RI(xM-M{HrMaOLT3Ei_$(W6MzR7!MMz3O?l)yNk!Gc(6xVmrFCdLJ08h)Fo7 zPq|(S^ji{EvG2{bJ^~LBGB%lJMlh<7Tf&oX#=9RJkC>rrON9E-)idzPp>z`jqNVTx!&KmJFIr+>P}0AmrW4|^3}|wb;jtP%~o!V6btX5uWpr{zx3v7 z^2FZnw}7CIkB9&iV~_U zELh`F-B_4P#KEe?vqgIle^d~J=W50t=a>|!{%>?iGtN`EFCn^|EPat{(|66J*E7tV zOa77yJhE$-2GOFYjJ}9~-!q-x?kSwM?lLd4-(P4=Pi4-2@0#SXc1q?7M4x@ELP!-# z&&W_|fB2;%h5=D%J`0F1d(YeZE{@cU&q}h7CJ+0T09kao<=Q3=D%P~c8jU-!83<|Klt`F0G>$d^Z*^c<&s4cH}iRC@C56~rjDMTud( zm5p6eQjfGiYRUJBzi8=JkhK40~n>E;Z1YvLP-MrWmwYF<-tRlO%>co7IqvumR=}S+JTIkyLu+Lt? z#du#GY~?x|3hGVzWp5aLM>(-7%Mb4@P8c)DtuPC7Lcbs*i|27TMcH8vHhF&s12m>R z|7fmXSd-MA(98~8XF>@Pw>l2g!ZpxV?(_3Z!!1)q(D?jtJlxXs{f z9;9Euv{-$^c_2NK-?=jk@2Oj7fqqticq*F>FMlvc>va_$4i}&tu=uX&5f!Nd4KQt_%I{T8YRB-d1?6}^`!lozgKePf_`r`J|3K1P z{T0;vCBrL;bC|64&ElLWV|rJgSi;EW2B(slg(VAzvw#jQ^&)N{N6dbKZ*x{%)1oJCq;fhxAXv0NQ)1ne7aNPcTloBsy??e+<|a5d)*xcbywH{ujUx9Wz<%yCycReZw5Vlo1) zqIzB^e~1e~!YKGl0BVBjKI*EHJ&aJ*S}|Z?XzWu3kT}?9qh%HZvjGcJO+7TjvS_m! z^7^!&*f19cw(Dh~yaMkr9m&%M+=tRvZKx0oHGENl6B_Z({wylxx?1-}L9R4PTmEM( zUIm6UAt51O2e`NgVKGgtqv$B*3|h3&!w_~_2~SoTTwa^eR8$KweSI<^8~FWR;PpgR zXGrHiA&(%hj{WZzE$6OR%=*E(OJ4;PpoObwEM?>hK+{|BO`cbEV|GqX9z_Be zZp6H!Xl0+E1$p1iq;^$jQ09y%a@5!A<^p7krrMr9={-%bl%Ts&R#rZr@|wvX z{cOh{pI!IkzHUVF-&7WO{R|r)HPY}3MplqV?CIYxdkN+0Fq$!SYKtbp4r;65Ag6)k zX&Zrr7*)U`z{U)VTfFcByYi9LFOj*$a3ty$m@v#HDfA?1CVfUR$&zn!- zPS+^a`=j44eEXZSgoE_#$M51LZA){ld7$J#sRgus-0kUt4H{$kx++t*z3?xQ<=;T9 zb+{$Cdu?{1J@K3EYJaO(3p*ld*wr;~1VtdvE8|}`adRJe*#_Y?%0@~5Gqba5@n2Y< z7|H@ZfJpCDRH(W*<+RSw*I6E2fav}BdjKX@y7{3_e#31QR~@=5&5z{aXVWy}dw%@* zk==^QO)Uj}3|OKQ8~eVd_gUSR6ZoIA48J^fFvwm=h6)joqdf3&&(yjb>V#j1ld+2X z{7{Oi6UkGNxngLJMZp+35xnb90pFZx^+6Ny*?_$qKLcd(`<_TDnM`)u^|2ER)r59q zY_`cv>S=<8!S7Vk7;-75$W+DH|){UJed+ z;Z54%P%;voDm;74ibh)*x=BdhfatB2e^E2E!}(FQuoDumbH_skOt#uic25E?j8g|ubKTkfGxVFqnK;+tg?i)fH-p%QBzS@++@Eo{RMu_(2ej~|b{ zys<3A#9Jg^?XHsc+171*Dr=QNK?Uf@bcqVhh_1CwtAV9W!$}#N(HMOD?AS%K;gY$s z4M>Ch>Dj5VC$>*UumBwIef@7^7*MzfazNK^KGSeUdu-|J$Cwz_6lIB+`xX~{UM>my zKh}n9H$$Ferdwn9nyZJ#=)$88$A%Jm#72^E{^XT zx##28jiHM;DY3RRNPYP_oaSdNa_MBUzu%;27I3is02X;SXS4tIN;64eavh?rGHGw# z9Io6WZ|fJ{mEa7U%}9&Wfriwna&63ey?pNq*5pCS@olLbqx|b|*0%cUoZ4rxdq&PX z;~IX8--61dTe}gp^MV$|>h?WDDH_e}tN&Ly@6M7}Ge!!4pE36)y^r(uF3GjPUK>`q2j2Mu|oCjkr0v zm6K0aBX1kW*=Ef3LSK?{7NVp&#)t~(`ue0N*T8f**EPdQ6J>i-Xs7Vfx_g5FljnnN zr81nC)d;>rqJp)%Q_g8hCQXS}(a z!nf{TfX=N6VRp-y zj&h%j=S;tAB$u+I;5NML?tIn`2`iTIr)WKw#BSV+C0+w4U+ELqQ|7+W;;jyou9k>z zFU?@m=g5pS@z-O5LFt)(IDsTAGXnb>?j>T%T$D8-wUk{8_jAdTSCF%!Ddd=&CnGo? zqAaw_=}=Jh%@-4|y3XuK<058GUQ6l#Vv{d5JGJNa8B*R6m9^*mhN*N&IwviHsq4R3 zsN>#~Th`5$pkvJ(obnEM%giuJtW2#3EzhuoJBn5RsR&)~uep;yopL9uWoEVDj7aag zySA>J=c07TkgPc;Di&A%t#`=37}u@UllT6W-zO;Xq;-b(&SDr~kJt<%5+sdhci3%+ z5--O?C&=cIM?@@)Lm$#^pI>NJ^QvBcULCv(zU}L0;fr9 zY)qjynyv$UQpoAa9k@7Um|Kws9RM9Q704C6Ln{K26r}BHSSG-IY=2}5?1VK{k$?Nt z%@(F%7-K|>#;!V=+>KSsY%xDG@gOKP!gEi^(uMak@E*X0Dulv}GvDtk%38Mrxck`H zAcBXm!kgk$5>7@|cCTAHSgt+JJ!Jf_6vtY-6&d5Ycjo6uE&$O9>k#_-KYwg(G#zzg zYqO5_ddhh)==lD?C;sMVcBxKmrC5eBS3n;lkd>Qow{iEViu3C={*tD#16VbWnkaD2 zWWs-1*6LU^D$etxZ=FcAPA$FEGt9-Rft+%}G)rEaaFFibu40QupaA+l_xU~^l@*~4 zi453z5982xd`u7Rhks{`g;?|OsN~mYtl}O2AdGnaZ_gudXWG{ZfqIkh90EiCvjLnB z>sH}tXt-}*8ao~n6Vqu;wISjB698AQ9e^Ey*S@t|pJKK?(67rS-S~Z^E?h>kF)VpT zz6ClL{u41e4o_5p#cHV=R8#;iBf>ye8;V^~AT++0kIw7_-yC-GSLI-r6cLF4=yygD zY0MmcOEi*)KN&Vp+-h;;4`go*&JRGefRn@Qzf{$NetDwmbe3$_{A60+(N&-%ZxzcY zZ^ua3_zA!Qvbd9jvpzP2#SZ>{fbX_=NQc=y8MBh_lzrfy12^Ky4vR-s(@PSr-$WOB zSO~YS6=#oUdk^=G&mG+y-BRwgL#a)(wEZRRDLtk4lirr6jnwD2Xx=plq4TrPyOWP= z0p9jlv|8C_w|UJ{wTc^*N2x%mwe_pA=D7;$9fh?!NofY+XAQh==TF>1Fb!v+Yt){0 zC)+R}#j5cM1bY`=krn(WkxItVEl}Aa;tlhm@V;hFmdBJA^pbiTOYyn{ zoFt#N{{x8&UzGlBVnX{!FFP7d%_WKW?-)rLxwsZFLSR+iiSMRQ`Q-NiiuzDm4^5%wZ^XCYQP?RC69!+Rrf;@0}u{Bb#w z_-JFrEFRc&%e*VHONo7Xbp;U=Rs&=J?C4g}G*Q%l=Y1BD3(f!r1rcIBd3V9W+cl#J zQ4qOC8=jdaU+vpm7Q6P98NDRb97#i=)ijP%#iPp%w{jjPIbUR}_Lrt@^1 zGbwG#SwTCrSRLf_zfw7b`^eVy;XHmhi9+t4YGgeiJ_AYuVRxYNm*4d6@Pe!*F{@Ng zg3G?wu}xvmsi??Fg@Jl~uNF^~hq?YKPx8{(Q4f-LMw{PdOQ0uB zjNXnWoP4U&Wa$5ZSRP@Mv-N>!`w$-*?L_NqCLJGc&2!hd{sC6NB`V|#=rTb62QSA_ zDxKa%$hbT;VQc(7*A+4S>DSI!&J@-U+HO8Dv0DF`7wiV zd%sV`73a(NV?}$bsB# z-9%q3L=l^gt~#)`t=FJa0~ac!h(rAs$q^KyjGxtMUA+I|%=%tD2o6)&(nEx%C1{f# zUj2wNuBK48ejD9eeF_8-B4pI8j6|MgT?djjkcXZ8e#v?{{uwEpADU?ywooA6T&eV1 z31sT0)=*jAX6x$d`Q7pZ^MQ=~tsmn@3 zz?ghx^f1?RbnMRtEZ^$Y1P~%*E$eXLJ1%ScT7pB5Vfwek7ts6Kh8{XSg+JG*nrtW` zcuZZ2{jiPIhM3FPrhxH_(7ezN?(DZimy$L9=l|EF$u@6TU>t0wsBr}Kt=H0+ud*# z>NU&1f3wWZ^8W9Tk!WCNCJM3T=x8yIYo5JG2bRuPf6?OgH}m(L*zOOOp^ z^i!eamoAhP3`$4a5(Y6XRotzoGxSw;1qqUpD$|j4>wyo7b!Z73(v7N3zUG;;U-2j_ z=_g`m8iQ8c`5xq=WH=4cXdLLrMNcLi2c+}TMhlR7>0PS*r)CMER*XY=TBJ8_=Pnlr zca?+a#Kp9H4;OttMTx59f_>9;;u9Bi*@yV?k%u}No0KvAf-#+@0MJAKASB*oCyByS z7MDbeL?LIVXb#LXEs#c>J@8L`1-n|gEoxfUUjJcS?f@Xdc_~RT@;(q#fU@R7e}0yY zs7;iJixce$lR_6xd{q5?dhHQbS=G<{to=z#21ZDt3~$zP(N@W+qAoISqa^5t??ORi&J_k2(D442E=00SjcNj(E`47m49u19w#c^x2gz?Q$Ddf58M4IP zsaa+491UPt%?}&?%(Y{wwbzS|QQu(rxiM@Qx=U5iO(J^kT0YHLB(1!IYUCMwMUTP2EhWIO$; zY4zZ3!QDLwc2Q?DG)39ym6#dCdzpV5m4ag#{^bU4ryFZF%du z1QB_FU2)c%AG%_Dcht9_d99_Q&>1yYO#Iz{lq#7WH4236PStZa3#vv{o1Fe4F6Uk* zf)7d>*p{TEu|hldPa2H#L|c4{>vnE}=`Iy#KRJBCdE`C$tKk-n79mVW;Hr3A?n=o9 zu?xr35g)@h{V4X4rOA$u-F%teA$<#UxsX|z%t{eEsNzr(6*}L$ugq_0@DE0L+@eFi3ul)iT!)<&urcu zRO;&GRQ%COBC>&Byg-T&r|iDA1TT%okJi zxWh}Sf3*ed796QJuGDJC>7zuf2Xt9ZU6=6bE5xSdbdv#nMr1j^ZC_cTQ?FC?#YZDY zAAx4;Bsn#gXEqavyIO+6u#4>l@~+bkn=@N(Fz|YqD3or~jO!BOZ<}|-qt|9ZF5@l* zRIx2K$K>=%*uV|Ecy^{w(=TktZ06ZB#2Jt!Oh>BFW6HUhntFUfxlD?Cs?DX`CE%Ex1VhzDj@ z^}fXLkhK*K%U@c+qtE$xO!7OpZg@{qAt4iY7vjsp?dl;G9;5D=D9Anelpt;EW($dr zugnHjB@OzzmG(+iV{;A}(ey1cMPWloN?Wk&vmiz!>#mb!&2?j(4 zI*Hm-oSX)?Zp|#z>@@DO>e!d7%lY-$&tGH3wjEu)-;DZ2+>m$(9ygF0x>@7aXWb?m ze1P0E3d^)fT{+=VcvZW2z;Ux&sg{>}NQ?IeNac@|3sq{Vv&oDt(i)YW9U z7VXsa-j#p12MQvjPJ0=H?FL#*UZ8$MepTe%{&af&(yy%UWhbRa3UYHyH#5HSBG}O|h{IFk$e6(JT zZF5poO2YjNkx3xI2paJz&|U@jDN5t{VcvZ|-47EFh<+O0>CGJ+eTgWP9md>%{@8$x z3SmSnF{HY!$jlzpC(=`l33`OYpBfOo>sfAyDdegK`MW1D-S3yYq?_chZgudvi8-yY zC{wvOlnO@A8;wXKo=*%*q6Ew`DLpo5T4o=svelwfc~qE1n|CNQnfvTQcaPv+7N_@D zzn%hg?N(w0gw4!Asak}M`*gI!Nh5vRTvdraL{deRP^F5Rvq@%(nl9R@>`?~g-x9-L^wgpR z+B zaHDCFbc$1SW@_pu09nDJGNy@6c7@Dgf`ugE(^rQqs#q$F-v+vh9=-k|*W@FQJoJ7+ z=Y(0!u(JYVUVrJaXP}b#ji4+SkkM4PL*asm5#BS5(kpBFHQ>_EwPHwpU}=ctvZjCY zVN7NI5>H2HB$Yo-czEUPNrx^4yi@BCDO!jB#QpqB)PG~m?$rwQ8Oq=GoJf9EL-9r@ zit_B+x%0G28>mI(o#Ov7H8{(m2i~i%7j8B5GuNq-imb5oCr_QK@8?SBLPm#5nM}Mp zHSX>t%{<_|6)US4dq#26vsyh+ygvIxOZTA&n0o>ObH4T>N4Bt6Ybp1TON57JGrO9z-%F=kBirQMBFs=RaYd$+&z>!!NITjcaMUmLtRN*-i4T?s0 zZ?EArcy2YzGQ!UB+9?2^ouTVI(^|EY7CG{cPN06duCbzOHyE4iRQmK=?FZ>?wT`0l zEJL)oUp^(1uFXh;2dJWe-SjE6B^2`6-`=>)c`Saa7f1G?Jmck!)oL1+ck|o1f7xwt zg8m`67Z>rjBW7luJ7rO5bG4{cq1AbLHCr-zx`TZ$3M%C0%eRpA6mu->Ixg;wvbaeu zgX?;l6wlN&D$~-(qipW8XTzyUU=i(FpeO>uYn~J6BXX5?RgFg}a$)se{X8Tgb>7zjN;}3}a)YT)FDGx1e#^ z`N|`sz{HrT-m%}QyV$7~{QXy6Ro_nC7ReOX_7h+68T2YCVkUFK$7_ba^|rTrjS09S z>%yHXZ;se&&;R*;PimJ2!^DVaiIO+s>ehOdg7#6J;5eg@QQ`J9F0}AyX{%wpQ^Lgz zzNndj6so@x)IZ=qr|5zydk|G!BO|#A+~HL}^G0@SvXRj@^DNVhiiiwv{Bn|N=DHQk z6g)azA$^*fGd}W?$*dMz_m01&ZVEC))m&Gls@OW+h#k;uBUqs}Hb^r?Ft(OYRnfg*z!TaQI5RLc)nSTQ9w_ecs|pRu{Y2 zM=q)i3=|m4S@?OEqQR8?vSp~B8X2q!cAg~>S*9mroY&QjX!50WsxujBs9CV|00Ut&T(YF;wi<+;MiFzDeBh&M6Pn?U{SHZ%H9lu`X1CgHDRt!Xf1lyW_#Cut~0n# z&S|<&HfbI|7_>HEkL@1fD5p_Er?lph9eNOjh$unRR4@Q^08Lf+6d~v_Bz*jjQLo`z zWb)m*4^37-lLooErVHh}r`hD5BMM??!E*ES0Me6Ps@51aoJqNQH%7c=KQ;6bol4eJ z5fZ}hR)%ea`**`gN2-%{S{Cjq5HH}8~ zg0M9+;?Tl9`fs4cR2vg|tTf;LvZ36VikkKBE3`=Faaly`D7-=8#~rI^Gn%n z1-}fv?D9_~S5668znl0$`DDNvsq)pIdEKs8M+ofE#}w+W-@lsBc)DIc*qyxc5{&m# zQ*C>z8G~!>dmHVsoCwpk%>D~Tgs958N*%mom5Kt!h)QH$U z5SQ}n-}hvbl8pHg5kXUrtOfiRZ8-ZI4PdT<=W8jt@C3_@4RZ`oP{8}GU(*0*$*}!G!zrXMRC0{dIe# z*cw#Qeds7@d z&kJ{W!A-exvVdaO`IoZHCt#VMSKi%No$l;7GQA*%PPT4zYTjOnhIyi}q;rB69$B@T zv8zUCB&JvB`S1a%Zn`nZLsgFd~ae;d+9^9KW)`p(Z`iw zf?Ba-LNeFf`Ck8ha|nD86B`ogIYl=qpH{l<&BkOSbi~R+#`#+2#+n?xe`kSLpxKNL z7o3_VJWJYTSS{Ze;rE(j%j=s1sL}WCufZ5arb>7P$v+jWe3}abANF1$b#afEa!S@J zcNyGPnkAZ>))oX>>7(_F7H0lICMIPRqmy&%xH=O*7!Un&F-p`*FJPZ~3~DY12M4?t z()J%pz07Z7p3X0nQg@EaW`R;wMw*PVeJ#piJ#fF;&!f*1>^+9?3W|~Cex&;)bigig z33z;kc9_g^I6!H^jf+z2ucsRg-DbK@RX$nmULDqRrlT_N@8;)V6u4T@#*e+{vA(a& zng@)bfBiRa?Ot(+`)~dd1F|vwR*Ae`mmLONCsHD=vD4EFdLT*_I0%o56Ec$&xD_a( z*9&-R>EowlMY1*3DWBUmhc36_Zhc!bw;P=ZG^^@3Q|()^I3O5ubafe2a9$op$-f0u zAMBn1Rm1P-5*Q=*T@eivZGZRc~J7T30Dk{iN$qO5(i?fKX@P5!!$uCiID97gm`g4)RrmMvxF z$BJgKkgWMHA$5yq&Kj;R&em=d1ntw`gPvDltpRq7Z(p_$N_Zko8LS#A*L_ zjEuUsMEdIJR4DJ_{a*6ivVvnBeZcP zoUS-cueUNQ6(cL+LR!{@*V+ucUF{-(qyjy9>Sw#*Gz*4W?*gqQUG-f^N^GZ2Y0GeG zGI%=X2u_EY8eBIx`+*a$+G&6|odJKH5X>$Z~~SAvOmjrsWOkBslI;_ zq@eF_qBDBU087War`^%{#wsq+5T^4-Dov0_8k)Qgm{nNmfV=#`Zcm4E&iH4)Ry%9r z#(E&yuFJOZX}lHB5jGClL@wN8)d)svPA zmpAw-FX<=3n{AMbB9i~g1fX_KY&7SVhy77?C>n26q`(xdY@q-Jv_8^ZseM`!Nk-n| zuh-q#2$O!MbQrv)QRg`}vxpCMSNyiVx6%=0TFh168gHAc%~}1NlO{7&PL@8yjJWU_ z?F+mP_Q|VGbm0=z2)CwJ7<1D(#=ezkACR8G96ZIMm1n|2bwXz(UJ2}S;1rs==p16d z!dmif%}2i++-_nL5^50u*B&OIQ6urvlE*+L42(^XuA|TWe-vHIGZXVPhyK2>2&y2M zFM%E7*vTSJ9gW|7AceS)d4(blK1Qmc@w=IW8_^b>IIm^=)KT=}rCwYZ ztK`NKtS60Md2m&*Q<$N^DsAOyE1G@OF3+|rk=VL$_t1^>4R+1hQ6^!&Hx=&=B4pyY z7{$vsiyt&G9p8`uK-z4geKba0tco3i(8!^|m3dJl>kp1H^>`UoolSNNUDH|CwIKB7twL%{ zleT^_yfdn)V^^Qs8$B;YR4p^UMf442x~2$jL+)Lw%P~HFNG#F${}^FZBj~G096S-x zU3<~!MDpIEV@->h%T8{ibKn~&Q6O?(Df;(nx8 z=GT@fwh_q%NdtRh1;NuIcGr;b<=s>LVrBpF$3iO?dlZqprLPi!$6wAu-JE=%d7W)k z|EO)KQ|ZDxTY9RRbs%3IMk%iBB$P9_JRsAd5!Xmg>Ia-k9x~)eV=k`ENffwjpB{Os zMrW~U`y}^rdTrUpGN;n=-lv;r1Sy4NDD<-*wz6{Wx2f~2&o+x^x}LW?MVoBwUHV1n$3?6=}Cy=%2s)$W=E4Hykh&KDhOG%mA$=Eo~Y zXR`j|5c`z)!IUquK8p9PE?(G9O;O?QFZ#9=W_E=8i-JS=+cqQm_+h8kh8IU}f8SF@{hjUBf?mJ<9I2xNcftBxZt^xgSC zbDn#CF>foFg&G4;pa1-nU9uVh%Q`{$Aw?Z=54wwxS-6(~;dL&$wPW-%o8ZAD2ZoT4vy8d>XVLp?!1V2vkLv zZVmJD*S0KfW6Re5xe_Fr_qUu_smjWHte?qO4aXC-i1$`2T#VWuf4-{GwK2?h)D4G^ z7c*A4;70b=X8ZJLH@0b+At672bZ4g>qfTJqepHSw&dpIL(L9iUezM%+3K}!pi+)CV zX{&JO1^0`gr<6zAybHv%)S=P@m=Mh2y_2s`OW&hGBjtg|WcNktSUFdorN%Gd3Y_Rn zP{a_grod4iH@AgnymwqgGfy>aSkL(!|L5|@;x9kv7e1)V6eh0pGIbiH@iATQ+CV)-8?y`9CiQEL_~Vsi(mVUld}9~{#hc5bQU1~+H)S! z34~E9(=R3Lq}aYL`bicAE1H+%H|m7DPl`zQgngUc$+^IBMYQFC1pyn`72K|Bj4>b` zRy?%+XXO=}-qH2dadF3ASNC9|${x1htWSBk!TSBE z;WO#NT6(riv~%(TYdu}WEz7fxJqe97KLj#&0GduIFN?%xM zX|-<{Mz3DeH#AJbV#6L#(Y_heqQY<&U>Jm`%^0VdwdG~uN~f4MHBR*l5lvz!kGUVrH9d<%`1fAwnNhHc%#J9rI@L^Dp4 zpQLEZO1^utvAD%TIHMu#$(831OS$s58SAMT&u%1A7Wd6pD;nJjz8oS;c-XxQyJV!I z1!h|lx<=FGMvm!lQLnAC5S{d1>5Yh63iMDQ5{|v$`f!mcuai3bMc9lH?nrLq_j|IR zaGYO$Qg5ETkKH(huf9UI>Q2lLpnbzdnUsLSP<{aY11denJnCuVo!MT}%KTstAN5rC zyoqDBMcI`xR}nrYZZxu;bb9t;&7r^+c?YvkIPel8AF=rX)127bhi=$V*2Cz4^%+Z_#uJwm zd$k$+c8%Z!JWR(HX`R6+{El__8SR9e^jU<6$s zmwTwwmllfynxpnC=!-W)oi3>F4@H-#4sVyb5*#i^@UKj*F}(O0_LGa-P=!UESoCNPVYMtN?y_%`kN|kmXkX!5>+i;x+@kZpU zmc2HnpvSc+@xW^v{T%wdZw62;=o843p7B;*gGGjLDe77sNv@Y}iMcBh=bn#WXt=H* zq{{XAO4=a>GAzA(I-+n$yjmTNh>Kq?cxFduj0B#EGYWP3?SY;b&CJQ$WLWjblcE!5 zzwaj_VZ|N|1&E6OyZGP+heYA$d7oYQdTsd*uC8N<@AJxWf!zOCk(&iX|Kz;w>vS-I z!7KH-L+@Y+MFx(=;YHj!p<&@H+b@P)f+>G}a@1G1%I25qNO&!2Jv~Yy+x)E9U z`@B#SJU=@(15e4@&sf2TkP9BsRNH~0R|ysKu$%ufI9 z+%D76oG+VUL2|~`qv0$V*(0kC)#y90a&03y*ORY%-+$4ra$&vhAQ>?m_FH~vB>Vmh z(|I)9mX)$IG5?lP(bLnPB_rNP+-{yxu*(uJK4-~U$`!Y1Fr3=Vo}cM-v#YfzY)$QX zcQ7*flREo-f+N8Zx4;c zzZeSXRP`hsp0%lWi@g`fXsw1DoPRo~e-=f(xL3O{@s#`QWzK)N|M|6~_c^iZM1X=8 znWL~G01}_B>&)`Gr`#em#}US}w;2Dg+;t*hWoh_QBQ?Sg!nVPS-$#E&y7RY{`PepD z)jo?}^fXa^GU0I;c`-FY6+w6Y>7yFmNV>)4q_x?egxd0u9V(HKsFP35c-F&vvsH(x z$+?k3uX^nssQLdu6GI$LB^rahpGS?|Yvp15{Gh8}D>&7r9<3Y^G$-y~Q8=8?I!eeOgv!-vepw-s))?ZsGt9hPcXdRbI2BSNkXRmxeILr?B*> z+o76cEros&G+O)c$IWoG!YPIq5P)(xjIv9Yy~*UayvsH4($ zw#He)W9MoP@ll^Ycbud>oLQvZD_ZV<)a-l3-4MT$0EM=9Uu)ywb#%!gAy$AC?cKvn z`024!HG~f8li{CjYWhGU?*_|}T~)1fQD1hZ?#Q&~OIsTwkU8v(E`;xZr%dG3 zwXYUy*GM(;F+*)%CJy&MtDZtN#|0lp=!1M8It~U0vy#&i2^zGNC&KpAZx3Ma^A3!FKymGA^yXI9$9XPNc@4C6}$(OWR zt&r(D+tBa?o;0FsI^?f3({LZYDjv>V&=@Q0R&)49i>{FoZ~0=J zl-P@2b2N>F^N@Odjn7C$DX*|a$hO?fY1BO%8+y%MclM851B`?n(z4b6V(Tq{qI$!(;iXX;r6iV=E@#d)VgiABAILt}lX>%oQ@hkCa?YUzYZ$f^NOt2nul#6eK+f~RY{DaHWwJPBMocK8 zqQZ-3sydc9L2#`hF@$O0?ns2LNwtR=pZYp-2FI8FTue*bjihf+FQA~{jab?-m}S8Q zn{T{Nxs4U&e0WobE(C|!QcePYcf!XLm6oCOLaso`)PUcpfR!^NS-n2u9F(q4pq{UF znR@SS&M!3u1spVf!Fq-VkzJ#CeThZ)=shM2>NszJL`3ndJ^2*O1Jlz0!zK3&UO2)- zebL@MRB|?am+rmf$9K^xoAQg!2Qn{$Kjf}FY&H?;hsx|v%Pc|}_06Xq1fH7XUtr{h z8C{Sq@wTpExE4;n6}cCI$Ipp@h&nR_P(W@xkrLm(Crv9Q^2(nhyPDS(4I3}fKy{51 zT+5E{&Mo!Y&x7TDDI`{tqZ@g53aKzWo{QcdNPs~~*Kr1%kL+j1Fg0GXiO;$h@X-yl zhQMUxeOW1JPos$F4l{;TfN!{i^avvG_}fvAwR1E1#Xc2(#O8aS>NazwD?YGjDh3#9 zG7~Po1E7H&OQVb_L+bg&)RYOmXHQRuz>(c>d55JXbEhM5Y1CnZfWxA};II(*J-i1K zq4oq5OgS*!vI-lh!ciNm=bzUz9-meWD@Z8<@WFqtCF*z`j@~U-H~04k$JWho-MBEV zyEju|4TU?O7Bn@Yc`^$dNS3bCs~FuIR1Z%6W^_zU2!q{2@ZrNq2lzIb_mzJ1*BVTA z2~}IJmD^IvuP~4P4y%*kB3up^u;E zAH*T}{-8LgUH&sj`v@4!kOz6Go!8TQX01%!-EmQd zmCSwAWA$F_iCktO)ak8E{hg!_u!XUTk8{)S%v^K8#-JDTmH3LJ>LM`-qb_788BFu<^@yuy;=DCFlPA zPnrhG6ipRC=Y~F|jYHQaHdO=NT`?ZJ0QLw5xH{=3sTnR^eEf7j4$29~g`|J$`>G&$ zV2?#AleXbU z;0cNer|-{D0Xv9`gJf+UC<}}sqw9CkWW0}G}n}C68_0rA7kqKBZFTcml?*4 z{}|05$XY+!!- zpK&eqa$FqskcL5nt;TL4LWYrpeNOv9`)W7^C;~xWy#7pBYs5TJ3=tfG3}bq2w4V_5 zAg(t$d-kuD>xI3J%Gh>B+UGuIZxcxlua9Lo(pNNB4JXLBB~VfKM%>b~ic4ugg_6pX zJsm9QkH%+S`nQBQ$!-UZEG|ZY1ZF}Kf7e-J@jvu=fu+n8V_e2lY~Vks9tfogC8su~Yr-MYK}ALSev=Cl<_ykE9=GUgqM0^NASOAuw^)vH zEQV<iJ6U90i{^98&o$^lHO5jEIUd8_#>1 z*N0i5iBF2HIj##cTIXjIo1A`A&F996nd@%LICpB*;DH>Xab8apZm8UwU6p;RzKHl4 z`HPvFo|dCG`s5r-d8xR9)Wof@2_RkiM^tiSo{?H_`$kw`WBy~_&*C^w6)$d=*#tr@ z`+W0wz3iDRu9tjZ%_2xOn%ef$a4^2yjp+HZHcixRV*9n z?s>bEjuSh1mn6ov$QacT<65;9paWaNA5QoCbiE%X?im)EeZhpZdoVFB8tk{8 zE7Uzr6dfhU7To%Kk%1AiMOn6}=HYXYp~dCgl(VLk@hU>;RZT7vODwc0OPjYfB}x-mA_Y&KFZjpoakyf;Enw7sZkWs_S6Og zK(059n}B2SjCD(EIjZKg_@uN)fq__aZfdCaGXLYqy`qnDc3%0q1Z8A~J$Xqdo7piZIFaU$%U z!DCW|iDH9r&~q#fixe9Vlv@4*X*~uG$4HFag<)~S?i_{n(vs1a+tMaX@o~>qbsxSH zMm4=v8Np#9lqKvpgzR{a|N4{0&0&f0s@s!>mX`X$_b*f|gbZ%M!@}LDe3P-=vD`=l zYU7Y!*uF<3rHWEE_FKsKAKkK*rR(xjS#s^>P8k+QIWLx7QMR$eCW|aP>tj7FuXII& zl&tNxJHCi6b^R>Vsr2E%Hl;z2ll&_{4=(qN-l0Cs(3pYB)E!J^kN(uL&J_4Yvdtd7 zd4|Wx3J&@_Ufy%$`VAcr+djdEr>9$K(6n3pRLLrBv~ByxTHm1F-ffTLBmLy$@AuQv zh+AJi_wVata}+}ai#T)~9H6NL{%?@h+N<>?_tensWHVc4^4{pUAN_g|*AFm_k85Yc zMqp2tAO3MYU#Tma=dF2cVtA@L+-W~({H zY2sbDdFtJFu1M39<%hGdJZrXx<9oN0UftXoeP+z9K^S`<_xx8^3Rrv>H^+CLY-tyN z{6*oe4$5P|8*twJ>b~+t^>%i~4<;z4U*>&1GTF5||3;sM)>iSa?$16g=GEN>2)`TaXSpN@)JzrCcm_}`U?{UU`fs@Tv>k)lPW81Ywk zPQ1+>t;JR>u!|22mAsi4AHor9sb^_vADMpdyHgVFk7yWT%mhUX6?>h5xy1Iww*$$Q zjNPjBvfvH5qFDvB6z^a0OaL0@)MKww@qL-slqaoIN2;X&$n&%e`+DnV;rZ+oid-ow zP3E|U{=4^YyLe;HxRA26n{+ump0aZ*F>)kRQE=T7nd*p7el%9h{I`bsD>XekPS%+J z?FGP|BkB#YEiD-C?M~6~t)K&B-;+-_y*7E0E&VT3k+PnFa)(Q{jnbX!Y-+v}qs;_> zfCHL9W}*Ir*^?J9P39(_9zmVGRbIzLnnf^%Sc3^WS<|GeSBnV|@Lh>(+yqMs`yc9g zc#iF}H}C0j)+$RU<%S6s%C_&2$0l^{LbUcbEbZ9?8@mBj$C;kupi6N=;)`tZ69c6O z+dFbv&f$%jA`*I5M>$|0L?X9tet?N7_I@W|W!*LDE( zW!FRl0|RxN-aoW&xpqsHKISs=x>ow`x%yhIVGoEvj!RZj->+7`IEv9Z-o2}QlXlIb zg24>OLzs7K{7P4FUqxO(bF#81K|x+|NJ-SX|LwO;5`to>u&#T}WhfZ%Iu55!kSIO9 zR)JLYe4=4JI~Ui#rrqjqbjE&j1#zfnmY0()op*_j9lfWZps0NJhgkB)n@SP6F6g-{ z{%7!WFs!%^O00xIhckNEA-K)^%TXqZbHC-rITd;(n3w0UJf6YVJ!%dc*xXlvrPSLO zKldn;<{47Xv1fVLrQbxSzV01w%zM2A*Ky}}+nEnEzKywOjCurlUcR(?VV)}KNe*Ig z>Q{oK0rdYcRbpmY87Z2$_eaei8-hx}6xHad`~83q(sdhR=7C8pwtUJr{AX@LrBS{w zj9}HpwDa#-P6{P;$Bq*4w|nAKFZ!o-6B3AmgJgYGx|bq0%bb*(r4 zjgK9r)je9;cUQaat?RV7kbw+Q68EJh0dkG$He*c)e)ydOqKr|0 zG3vMR;g$`oZDNARL(*+i;E8C;8KkE+`>Wu&m=LHde`J}eJzYS|?LN^;75v*^`W%;1 z?pq??kI^KJ6&C0dv1%CHCb|NBi~e4O=k!xi9jswBb@&zEBIjsV>v=>nopL>fqW*<6tS$qp97St z?+YciEmHBl!2GdGk)~NJ?lw?qjw9P41W%$Bov5pbnY@WKUM8%&m4o$W(@(?*6HhUi9 z-e)h}Up%s*Jw=XSTSrXB+|Gm!BU-z+)zG)qODYbZpR{5eBeQj^yp33k~zFTCK0f*A$*{ zy76GR%2_7CeN zvfsVk8;Hox#`#{0jMpvCzE=|WD_IZ>`CSvU$Fs%9M5?zQ13JssqX@d+_?ORU!-vcv zB6SsP{MIvrrve#sIFO(RvbF7)m4yu&>a$7Oe1072%a5Pk>jx(H;IXkWTWB`ZIc6&h zul}=DLo~*ihA%Vn8GA~+-Ff9}`o-qK)M`fEL7F(IU&POL9vmW{UN-^(VQ`cBG3g8f zT@y{?)(D9T2r%xCP*72+aCYw81hn6QFx%CG^O%E|x3iQT?iZfKXSQ)t=<#QU?=Hnc z=$w565z(n@Wo5MUQ_9wO64S*e1jLMK8ILkD^U9nw|?h@-*bbp4MzO< z$G_eCVfvsI5CKLUO+j_N$QV`%#vjZ-{n2K_1Yd?)F0vxUP9EELllu2i3ggBwhBPj_ zi=v2DLIoCm{`w%tH87_IY^EOq8f;#_nVQ5SiG?m5&}627D5x}_O4XCzQd@p@VXm{| zy>l5NI@M6LlODk<08YK^*Y6q(I?*gFh~FaO*)?8wF2L?I9`$j1oc^5B1e1Y92_7=+ zTl0iL@0-Q{FuwQposb)m&SE})s)eHsEAP#G7ujVPF2aIZVXji4X?9usoFd!UsAJJH ziOsFO$VeuBWkFVILbKDYpMM(3{24)W3BaXDW}TKRm0OQ42!hAi=;{1!$*S;~K^5fY zAo@o5bEd}nrh!Al{XuQ1y%Q?kfu|$YO!%fd({%(NDw*EsO}V7 z?w*Kl!SlKESh#5u`^qVB^ApNOBfS&tl__^!D!i0>|oir zsC)lL)^rRLBBzJn1ClO>W!t-LTm;b`$=7vH_LHV2KK&+%u`bG3+8142wo~A^>p!&( zet#V4PQ&nKrtkX2+~2-vB4PN>CyMg1Q|qbZ*YwX%@s`bdzSUDuw>aJc=l=*GSDTxg z2^k*AuJN;C04&9S-pTLlH)Z5Sub|-mYp~y;TNyI3e2u}^f=!h=KD zw4cmtbq;l>bB%eqilsO~Hsc`9@pY7WR9 zAijQ@c?^kpA}V7aO;mOCu&2z%yAl^@pVV|m7$F@r;6a)4{`W!ugA2}U;a8#tjUHsg z5QR>H|Jdnr#}&ix`$7!!^{xchSp24rJxTeBer{=WCcjsOk1JomiSx$+40=#zkC4Z8 z@h9yH=cn(EN^1}h68dnu-HafREqGa5TuhX&p7z+)wfa`~Cy6p@pvZ)bjvjmLo{BoI zc0C0Ik0RFs#P$_L==Q+Li{KOU!0i~`qn}Zox4W&3LHX=anDn7D1*kE^U~z)&d0HeAOJFT?ba^&t!M1F0eMvie+1VU z|GUd(vEGH|`+RW=+(Ls7MT~L{*PDnW93U8>$?k4ovq29h8Jh8zHzEhr)zVTl=tYD+ zDRz1FHBp?qx5Ux3f4WZzh&Z-H0v^E?f3LhM>Tu<$3tg; zDqOuCLoraq(6STG7%*D(1;>5G8vej+DRUp_?yYTFR$`Cco z8x_?sYLdg1mUyP8Wn}TqfpBMlZ^Rr~5?b~KL)1Y%r>lVuP5peEQnCk{>fxtK)y4{T zWECWg7cBPwZW{eeL5+q+HWLN1jc1q9&l7PVYb2Rb6!G2~ zZ0cY@=4u`Cu@_jAksPlm4^fB^MiJha)%`$YHDg3 zpe{X8Rju^#z>d{HD@>#vJWupmv5wRY->Rt_b;qJ@T`-c`25c!jlC^Rk86xgQx1#ie z{1yU)4}V{p_}d#%D$7*QwUuHH{u}weVWCH!^j9Qw9lyC7kv)8Y5DC*x4@>xTKrFCb z$t?f{#}vJfVP^qT1!AFCqo)G$X6GISCTo$)wu)_P5?uZ^#sCxz@&S8WrDesu1^hZm zPFV&);@(mj?$=NQ$PDp`e+MQ>31t?+g`~{PsUzfw_dAcU#5kIqsQ&WAZ!`k7IdS3qV9grJsFu`lq?AOCmL0DH8C zz$4#Jw@%7vq2tMk;hZgViIop_y?eg%3ChnvF$3j|JU_iZdTT2~JISPqDpk zc=aGWcm>H%P~oGj=hre6xrWjA7!vu8ZQ>tR43JH@bs6MpEDwn7zF|4E!hcHnF`R(L z4piVHvo%SqkV-Vyw7a_t8oB0^1Df}zwwElv9BDi7J%GbOmbC3_Nr@tes^%Sry}m&A zUR~MfXRp{Hi7A|le!2Sb6rg80P;){|RL6~%Z3f|f4gFkZw;@HJgD55;1tE!VMI%3& z3U&;r%gEjxotS6VaCl>Dn=4onK!~2NJ*wxqzvk~OPyBVq3uX_;9j?e>76ya@m0#V(TwYzA}6dO z8YaVMAjE_F#)n_1GP?TtPM;*QZqJD#$MvuJcY{vd>rTAin5}kDPWgV(W|r+G+O6%i zl204!#H6@qB&Bc>^+Ea^iZ$30BEPYRJhyLhA@u%FgY5q$@CF zD5D@xid^RU0&$+20VVjiwqa5swH*5mG4yJqJNq^S`IW2rB^9E?{$62QH)+kb18(1A zg!V$ogP|hhTE$u@OEi83H1%YT1nx9fZ<>$QR zpt|hV@WOrj-2T(n*4wJ;>KU%XHCNPgLKTe$$t8w`>FKW*&d>Xz(>JEmDtI70U>~_I zjkhkM4zEx$L7KfFe3Nc?E(BU%B4jzk%+F49lPx>l{!UZJHAOZ5V9MaTAd8hi1B|1) zHLBgw-!Pv;wJa^qMH;}l?NYTbf=uNvD2_6qTqy zV_*2lmyfC=mmBKepM<^p`nSvg0(ui0R!KFJWIe}3aahhp41c#lV<>O3p7oq{iNB5- z|7mY^_G;rGw6gzY1loW2@;CX#I>;ltQJ5p!*aiu1rl&^py@px01Xh~@)~{(E(18h{+V%|?h3hD6+Q62zI3qAL%if_M_!$HaE*>Oa~H3=kb~ue zHmT9(PY(C~GaFKq_?Ca#oJ&8YlsI%jNdo%L*y~&(RZ*0FU2Cmjq|i(Bi5j6`6Wffz ziLW}qH#~X>lnVZ2!~G&ZA4S}^qZh#aOeRz{>sTvPdq}09v5G6EUS#pWYjeUfX))!I;xc zoiS|>VF}G&0IH_|bB1y-OvYOUhZh-d9ywt^+NLSE=8)m_1Uv^bWnl6GUMI^<>r>JN zqL__K&1j~xKDhw|62s}AH!+}6>=dHLWv5h>g=(Vlsm=lWzNO?XVQZaq@qT1pYzrqg77+ zw*H9*JW07=$6ojybM$5X2b9-Jh^JLK6P=S!_r~q(bWbfH;tDGl3!EKUcs9pce^GOg;C%ljJfl9Zv48p|w{U#wCQ81EcGH?N?c{<;j4=(aiG-e99{2>( zl(q=cZy8#m)BSaeQAw?D>;uSh zx&M)2L{*sM<}%~l-FgTGA$8aWUJ>UjQCutWK81cR0qH=l}btf;SP zVziL91pH!kJe&rH7<@7%dMD(`p14?_!whd>vdH%53t`5@NX*n<$4w&y+%MfDH?)_t z>ia|hP3=q0nTh=4(h$#dZ$&9tQFlK+d{be&H?cP@Ko-+@`K4GKEF!!S2@yxYdVumU zp&?4y*MhjqT=|=IENjPA+6y>8E$jYBg?~%nWMIpjA*L+8(zWQNXWP+@Xig!pj2B^m zdC06PkOq^vbhl(;G^9AGe`y@&@H!TIK{}&>F>GTijxYq255UvmI(Ry{{ZIP$IFk|W z#f&pU*7PaPzZnI7p^0fvteQvqdBLdC+fJ&`s!xBEV6i zR{?40+_25=HYkv<2pHhbWK1)88HkZHB@aSvy=VQqu7qMAk}O|&L}mj7PsEy!@d*Ile% zI|4h1E0&fhWX3mbJRf_9X3T|zggmxN=SGktiel@-Nl*~(J2!C!pKIaC&Fq@^WF*i8d!TeL#+?hiAB6C>l(C-kKP)|HI91s`~Pfw@^F zowotFon}P$MR@67iDU}mA#er@R&>p|B>qX{w zxV&SvE_}Y{bVrsn$E?Raz9VMoN-95ynmpR2gEIJ6iyPCKN1FP&t>jk))*X%C0fXQyY zF5U&x?2E@EDZ3{qF1R{TwdT9L>}-Dvj5k5RD9ens_Di?LB_{zVxf-iudpMUF!B#xk z{lC2c)YV#3fKRlW6PfD@7%eLI1K8(35^~&NzoVn&=aEGBpX#ky-q0ajAzCvJ*(-qR{IKwHjf}PYz)1+j)u!_9>qaBSyG0e0%Lm_k-BF2UsR5Ul?q{it_JG7 zHmYHcH*!sN(rF0*qt_MW{m%EcYygCn==^&ZZEFV8)0=Q$yMvGhK`srmv9XC4<-tEj z(=@rU-qhPk_8tojDJ)o?Y3XyjVey%B`Eu<&(=tLx46roCoOXf}GHo8$?;h=<4k=Nq zKUB~AgIll|V~321xFFV6_xn2d&19_Rp@<~fgFr=eT;hV{04N#h>w|y1Dg%S`0wX7D z)IS`tn4=)9urM&VfXZT>xX3t6Q&3u$h7@#>GG4vwuvbm!$k2HJhxjrLE4!5(w^V`$ zBP=}8_W&Y9Toi8DmQwWqVdrBmA#PV1Iy?+X~vP%fBFVc;f7PT)~ zBQ~&`)<^uRsL5`d<&FRecY+T=Q<^`e3pCLm+oyfzST>FQU?o1q_vhHp%M+Q@==T?# zyVc-hT5m{+-akzYalw!^a){=PBO>W7Zk~#a)5e&o(gFwE_Sw!Q`Cc)tfh z$*{@cC+|A=`V%@M@Zw=w?XSTERM zzs!}7fi+eSZH>J&3!yg)HcaH6l~%P(HRU}829FATkW>nri|nCAl@k#Z(8>!pp0BeJ zfZ=wggMbUSYvY7?i~8$5`n0&IByWc1WbVs~-webSl>5Cm73Fazce#G)Qi;S6DY|0* zXK?j7!V76-x0$5tRp3~OU!HJ(Hke=7!2h<2iiGy(mw=4j!4fIdyG#0I7HS&Wp6(QO zaku<=S8NCii@Dh4QD|xsXcKc`5ija&9`bV)S3hss&LZ>du}l$?Pv4JM z+jQd?K4;RFW^MzV{5104CRahAS)%B`2vfKpjx9)cuQBtxJbTt}(NYiHbbq zMq+;c(dC5^6L0UkMrHgJ@L8nt1$RQ(RzG}b{;IbGws%4(`&DX0Pc#?-Ac88QAat*~ zE)DUG9xL?;cBl)s52;ev-S;bqBC>D-?^!^xBXld9Uzo<Cazi7b{AM`AqpGd2;L__Kd>(}g0INyINp6Fo=eNiZRpV%et!^Z_uUr5NCgXIV zT?73*x&Yv8tD2rn2@smiLmr94CAx1*@aa6iYW(?IY0D7NhXc3KX9w>0gdxwxzX8VQ zz>}7hm8CsolR!)MmH>{X{)354936ENpNj}jDATO8Gwr?G-mz!>rx-mCa6wJ7 z8loV*&uaS1Kc6j+IKJ>-9C`M+N~VMA!F1#c^$`+!fiJD{06MX!3>o8VEUQH*>g)<- zVj`+XL`7n*iCf8+*8r1N0t@F>yD4?IVEXLV8ixBHD{K>XSLQ+-R2~1ZXFWqG$RDr3 zwO0{kb7O3$k7X*#{cJ5V$1?e6m_bINjwNK+5TWcBYbV38uL1TnY zM0XW}Y+Xgk(c4M_V_M7U=qgF8FJ8!ea#bU7%XVpE=Jx0TL3T*qAIb~&l%Zi;&rneQ zzVF6W2U^J9Bs(AxM(HuQTZO|y6`eZYx>S4T_u7xwCC=-orF_MC&ng?e;Av+!N1GG= zv_^{?f90#*GWs~`)}r}1Ppel{TeBNDw;Pv{^QNDr(!436ACi#94Gs?wVZ+{8C&>h4 zPZ(Lf$2Vi^QI0PFqmc^Bu+&_vhb~=v&P{RrW}p)xNb$ zxCMok>f4bG^P}{f2<6Ql1K(&+lo-gmJRRiKtiJ&fkEe0M9K-EBj|!)tjP&MM#ne_O zV1A!6RD4KF6uA850uF&mUUG+6dJ@#38fNAhvX3qlPUv9Y@7q;RF;S13K+8rb@@YbC z+?)%W_4N?Lr3*+d0De!xZKoB;69VpgO7C{8p^ZQLD}8hWaDhu~{{8(o^FbhxLln(k zKZacJxkCRPOk7~*`X4n>2?W6sKJtcn8p+<(taU0zO8igaO88-IW|1vf6#ZtjXXFbs zqFC794F=G;R7ZRYum>xLJP%JA4;{tR0AN^g5r4PVqe&-?WCpH+54j5vAX7V)FaM7? z=Xi|PU2XPp(f)!xUUU*}^~Zkzj2tBVK#BlQK(N23(DzJRj#U2tABIIs-k0>-N4~^+ z|DI&^ukUcExzgp@{=;3ERh)mTWexahM`pX>%1&wJl9PHN3SX zs8PX!iviR7j0&84!wBs!UPyKzF(h793cOB+*Z0Gm%h+h_4QMs zRm@uZ!5*}Cju6C|uJqNg`lyc#KTKp3!;J{0x)3a+=WCMZ654LjiMet- zL+1cmD!;P!;sQv~3|ux?>ZJ0TC>qEk9n%YvaDIS-CH9+1Wbb~#xvm*JKdY_jUZde> zc*J)zq|nMZh8ndeu)*65#5w7tjJTx@23X} z_Jf{weN7`&Xo4~PzbbE_9?9`C4Q5jsMPhh!wuNt!4BA@YGXoZX=7TcPWaQmYg-}t- z1Zkzibgj!$?k+;T8O_%IdkN8^;%za(NDOi`ef_MJ5`}ogGL65T$%B1D7dP*mVq<3_ z84`3^|6NpJ(W2Y^67R_0@X6QH$VE+QQOL!`bPJm}$;FwZP^4>eVp&zyU0~v#GH_@D zd?W*Ha+o5OvK67`Vm;?YE$-|!MuI>Kg!5L346x>dnSPKaU2(@aQHSRh%YQw zk%p-6VYKdYg9StCCu<#cPl5 z9^F^w(-B1dsmnKWL4lA_^l;Q#pBg$N=9&^qb%3acA;`bbK301BA5cKzL=7O$?titUMF7C^lZ1pc0!X`(VwL`bs`&s1#`XL7!@|bNh9J&6?W>DH!z1R! z)q;-kB{(^MvkTqQ^`bA}fPQW6!)T7ZB;58M1IaNjFAoFKEYuBturG~z{vE$V6L|uT z5RR)3<^^$`%_d$|z1n{8LQ)f#lSU>u0vu`jsT#^XINuq)}D5+_IIx&^ra5`fC1%}M3yt+?kFUVi032FuK55`fGyH*X98SRomvNn%4cfgC z5NK+~dURyX0Fs)oDbSohBcU3+fD`ShTbgeslBjVAAH9J3T-Y z@K){3aIedNoe$stD|fzW_pf53AP}mA0gubS04G56!0%r4j!I?K0!;` zEePY$y?fhAASn{cwfs~+w*;ex1yp7@fWtT?P(FK4SYtl?=jhw+a^ddzaa291^T9(I z9eEa9vbXp(%Kt?@T@_s|*+K~o3X<|^d(Z|tNWYy#{A;0aHyL~Vo>0a1L!05QLh0=SR~fVjb)U z`l$bx9~);wmzO4I(=uM2F$QfzsD-8I z=(M^Q$+|IbmiF>wl^1z2wLTX)bAn~b1frG@sV;GFYy(MrV}D;sb2M#Z$K%D4!9F3# z6sb%A8;IDYmF`W(YSvW@tCLPzKXd%Bo|7!O_xb&GzxSloxTLsHGNWCT>f?=;UOg zy8;AI)SfsQbRLp%sL`Ghj#w{Np-Izl-)*SRq0{0y# zl_AE}Kr`_g^E04a|936=>(AgD;Cb0Rz*{~|0DB9=T+^MGA62uV?EnxxDgZWFZ6(86 z+Cw}O1%!oj(+mgy+06_w1LEs>jBPjUayt7dmY?z=0`|I^I7l~P-SF*Zp3^ItZ(1s# zsfOAqp7M*ek5M`iTOE#dVWa;AZt+WxYhM%gD(uuuj2c5stig|NIOT~pNehBJAG&j% zs_=-dw-2WTjBMlOY{=`%RRh1<5P754TD(uy5N4+&4|6OUG-OF1!@&`_N)|0y_K2GUZwkYkF}Kxd2}#clj3=XAsa+od$nepe5v<&_S0+I~9)CryZg`eM6GKVbfPqEqzP@w0w zB(Un9WE&_S-_kdcr2d$R6*3zcpJ86}Qu~oM_hMa7G?oQ#P2ajXOo#kUZ{%G}54{g# z(AFZ_$_mmL@Fue-a0p6B*<(J8zF~f1|pf%JTV0n~aPpj6KY2dy!?8C`CKulh48_C`;LJe3i3?2jt=&J>_+cWCdn8MD{Kjer{YQyHWD(?2wX@#jpOd zlF9Qj1!UTb^Lh=^bG&QN;VSrRFp0Z?J^?w{@%sQGYIvlZ-vIzNpS8jA%WOQiN=2^7 z4CunPw~$(32A!GQf6M-~e_DpcTJOBD_f7@cRpbZ`c}K8wCcu+^V;6vSNtmtqN#3_{ zod0BIWmFw)Zjh{m;fhwVn9^Xed~p|80@#|u-b1&t-v`pi*#827XollX%6i*a62{j* z`heKf!{Ry6EPK2F0lstK79U48APpR(DiAE)>S*=RL9&7f5bz+W8l~!B6zZ8;m`lx8 zV)o*t?>#;pGN3>PXCT`PWB;0X0(oY-I6VxaeLn?;I9!je8W-9rJFqJ2#ec7*V>zW+ z@fa}*`YyVXN-Z9K<)xIn2wX^lfp#fno#I#Sldc_M7=4jMMu{D&_p~-!D=~|%p%CK<4QfHDZkz=00ao1tGGdr4(X*{VBxaw|X)-L>uCFWMyW`Jei;;KKCwFqJXGh4gETt(O#GjXX;Y>5;BmLp2_a852d@87=Pk%2bcOV zFI4y4%CNvIurbinT310Fzy1|KO;=8g-Lr1n>t{3%M1b|LM@WvXS$zk=i<*%dv!{2e zNQy6{_80R59=5n!jIz^_)M+<0gJ;p30bf*r%#LrgI&2bErx^7GgfXRY-OPn5n~X_7 zSnlAo6qa514YanEDTXleqt@@5sQ;iFNYNs#g|t%MXp8bP9|fj-)%N)UL&Skx+|TLk zRJyiksHISAaq|Hl=|lgKqKStyU{2v6@`6RO*8|%VY2k{jZ9}0ssK1;`#`7`zldVgO}aD43lo7T#GGYlL->~K<`n@uzQMvSi7 z1DykWyY<(k2>)$uAI?n+mWCf{q@O?OKYMO~4Xj7mVtx|RN9B$BNGt$@Z3jR~fs)T4 z#C_?S<~=cerXie}`@7*kglV-Q^01b*@!b5+-xbe+i z#Ezm9q*+)%cmpH>FScyL-ez zHn7Vp>*70dpbCQ;a;Zz=%sflPO{uE98??=Wu5zHYb8J-D7mp$QI#n#Tgl3?1!Z}E& zfd)8tfHwo&c1?|lVNiBmYpT>MyHB^;9-}itO-=NwdxjC|>FYgf(LG!M(1J?2anTY& zS9xC_-HxVT;#~yj$O7Q!RqVyWsw@C{pbd*0UP(9255EDfB;g6wRWEem znDz)bvfrHP|Ma#6nAsoX0UTG*F7??1XYK!|IQ|y^%jo_m!!X3+7&IS=lmwx0Zi<_= z-*)qIghXs{IcBzIS^snuJ6QC(p2X_k_`iX&pi%fL(feW5FA6D8pHkaGkoLRu5a}-E{V~; z{f+JI*n?Lp8h5T@e${sLJvAuk6?jlA0=}AVOE{4A{lVzEnFvYCb8UQJa$VrJ(of3NJ9s22BlLzPlW-`KDmnMl5DhY6g+ezV0doWYKQ?J}v8h(x@sg6jk+1F4EwIcb0`({$7XM;C)ex|^iOMfFN6r(bD4O9U+(DwZD*Z0- zZ@rvxc>y>Nw6$v`M#~BBT3P0Fgfa!HGuxMQc3i5xAKywSCku>w92^|zy#_jxw0szB zbC|ks?X)r$Bvsn+7B~6BxmH}m4cgpUAC|}k!Pq10f|-LZC2Gv8>X+k!nSp>4*t?zI z3u|eBRIH?|>;NtTSh6{(FM*n0Sh)f+4Cg!TGsFml5^m{c5RZ^uOVi4Jf{fYESas_B_UoQJsz;p;n~8H1Lxn zht=4)%=~ogQRQj-WYk1`n+sP8YxbxA5y0t*ue6!}V38HK$9nbiP?hiAZBkuTp^Fz+ zUJ@f98-8Fq&2ZVM3U^}dUhuTPLBZ?Y9(usZ&WOu$M%>PT*JeB-eLZR@Jlc_dRlNHQ zX!V;S*b^?WWif(o&1A3_@r{WQg1v`pTe&RWwvt6@mBXLFKNNp{_toT5d$cnN6CP>H@M|@MD3L8VUFKETs_b6noAZ3Kg_=^%E+w@BVn#VijW~g0s-4u`=t8Z}jELnTpp=XR zaAZC3REF!1Kfl)C@}pAnw5-ii$Fo8=EDlfQzWun-|5vj0;r4y8w|JET8SO9eKCCy* z`=MpQjpr}uOgfP^M>}29hG*GGJw3Vdvq~sn)Hd-sm<$R!vL@zAC32liOu4)GnGUA* zd!>dqqPHBqKZhVdzMfh?5(0iOZ^lV`7O0W|o6gC}i9Y3IVC6m%_D__sn|@jUfX~2< zcID9K90s3;r*&8y;NK#v@`ug?>Sx$&uu%MRPi#!G9sn_jS|R+S&sQZ3Ui2f;Zp!Kp zZI1EwoKRE(pxggKzZlFVh4!TLi`n1?RizrfivP)OT{Atf^q|uX(91#HoRwPJTI?gY z0`H|2y^O;~DDp>YkBu&ibld)TwqVl@ohN?M2KWZ{S)lr0het?gH|XJ%zEE@{X|+Je+;t5!I~Tf%HH?$>li&-NVDryOi<}$ zs?SCjsPoUehEV7<+nQm&Y_~^mVcJ&p)G$IJ475nv8nJ4N|8W7jjIWa2yIU$hzTLG= z7pnoVBI8~uYz$4}^ejxLuYp~IPEOZ$P0W`~UGfI^a|$o0X=tWj>KfGx z$g{U6Uy-mS@Qn>1UTv^IVagLCj)N56=&w8&l=qctUUsRRd@r6|sYRZ?84Xk6eg&Yf zLNgkm-!#0c+U*?O+eM!y8z4g;PQnmh_s!o^HHUwiREMaxp@%&PB}3iT-^~oIcNo4- zNT`oo9<}#bYKE2){t%}nNjqQUF?7~UmJTp$Hd0dW*eJt8Oui7_s-fHUZldBMhVlrA zM73xllh|%!)S~CFNtBX9KU3bor5C2(51ftb0w&)jMX_6{Jjz&pUFAZ8h@L}yE$<vFI^SHpxZhE9AlRs zxc`_XBiEcuB@HS=q$m#Rtmjh_NULql31RBXFTaP3}>zKqC-hKoS8r$*a^BVaGjfv-6F$uN*O*j zgeEVeLS}=64GU|Xhx3lXG??a2{N&Jinq>s0Yx1qY8jFgHzd7*Gf#x2tI|BB4309h+ z@eD@wDPC|tV}DoRAL=z&4}bnCWh=41K~qpS@&2W`W%2JbE5uH1dtkbOGOP+iv6cIs zJVKs80|GEjho&7pm_Z}ACGJ>D=WUq8?Fc>24QW`<$0CWbGkzT4i77|VAg!#RMAzaz@A-R_AMAKj$XhF~ed0wJK zHq_)JK^hso@$^D7ewODFLySg24X#M7^|dE5kD<;X$3_Si_U_BrPS!LyrXa5yiUkid zwK3bKr+09wcoQ)-y_>nbFhjfw7)isI4?5Cy&p@>B0E(3>rvPvl81Le#X^z$H7qe!7 zI<4MBP#}L9EG%>wYrF(|#dX4y4BB8Sx?=+k$A|_vpCPBI)w@x)3+-LrtO?NxO@CNi z8EkGE&Yc&2n54$kByJV=^ok_Si$c>nu3B!vuT1`CA9x}Zgg;9?W!D=r5$<@AKt2~l z(uDd=UdPVPbmdhXIiFdUs>MYPd6ge(S=aA9*?mQl{7al&Hs1no0`<$)^X983%kSS$ zbXo9A$+!9eZcx= zF+3U%cUD>8md}eXnPH-JWuD=jD9Y>;#QyivsC~Hs9Rq_YNeD+0!uB`>k~gTruGJH) zK5*LF_=W5HX8rN0UvZnRy@x%Wa#S@_X|a|3^z|}6xi+F(cBzach1H1f-ItgAq|uSX z0h7CjFXJkXju?x7Y8AROAcQG>%jhf;+JK{+FK;4{SaJWjNhVVG)5g1u zrY(L!nA)l`6-BT#^t6fcsx$RXj>-8~IAwb*@ZJg+pA1f4At4_pTyv8#D55*dh;W(_ z9)FWUg(}IJ|AA+wcZSi!tv6`Fh6{;R;8WDd8KX~S^?vK+?MuTam~Z~Is$O!4Vhn9E zdx5H(oV>^6xel9;UiIS_yY&#laR1;7P!Mz*LfGh)-8d#=f~>U+jyhTh6nk(H7)rlj zl}{34$ibQxeE*2*Y+o-TN+?R&gv5q(2nditKN%?VyDh#iwa=NEqhqWL zPo%jlXKP!SXVhU(=J?dE4yJBWm6w;>lO;9e9~TLUM`w~e`b2-%`r?BUn(42`Xn*v{ z9J(G-+tyz6^Y3kKUq?!;wSWLQ(`?+ZXjhdhB~Fe2GUI#YtO8?kQagy%UTPv?xHPEH2b4j8k|LP_p4vx%gL8mb0F zpe5I>an+RAaDqskA1sfQ!2QBTHy;w)AkpF1%{@kK#H$=X(iTrQq5a_)J`gN_J9 z%i`6QRs{ykUh4anc_frLr~b=BcRKZS-+1j;92y5H5W;6C6;n)h-x=09>(O~$LV}i< z_Hyun^ny|y#2FdK-CgXe!jOa4+lV)>^RP9g^Ojzt;UI{L-9=vU9j=Vsk z3rv*Iz7Dge?X5$zmmqF`n8d;q2tT#+oc{%0^yh2KFxY^3M(CpWtv#Hhozm1aD|N2C zfdX?5-%QE4T7~S8a7pK&Hr5IaXMHU+KWdGJN}X2|jg{-F;XGYZWz9OWfu<0WQ9 zw1-QqX)7u#f$xolE7mcU`XFZH{2SzQ{H45JjSN$q=BC2Q^}t6D7lJo3oVZ?IbuAXd z1`=fV$iOqMhhYw%E6;_6o+e(~eL404OYURJ_Y=g`x-fNNs4h?Jl9sNnIvR=H2rjF; zo1b?9?=@DjC9Ng%HPKeq$!Skk6ZB0;G&vu}aMHibU!5`U!38!q#+`O|M_Ywj%zloF z&x9q##~46Pyh+D$YK56$!k4W4-zpAQ2bdXE_O-I2+n=PIbkw>w2I1?9aPlHy?~vo7 zBc@Hq4jY6Hml5$-BOhj+r0FQx{A>ZvDH&rI7_GkaWt8pRHz>#_-=1tw5CQKNx<{AT z5g5TJ(eUWg^(QyXGhym^C1-y$C%xGHh2qRDahYOQ0b4^G%^iL&l5GobN2_eXg;iY% z?9T@!jbB-PVR3k58L(nGGad{Yxm90%@$xdMPbrb)-cQXTM37t@Atd^`y8Cs?{=!G! z*|yeyt$Q$L7h(%OtDqo6Ts(P~Zr*swWcrM=WzEAo`WI4Vl=|ar_a`}tR=7S#EFY(; zlHG)_aGvL6d8)~jy2Om@-01`bYf(y0i>QKtGfBdc!K*(tDVDgwTQouxX|q>Nw+SQ% zo??S11D}c8GQM-&7C*;2_}gvYK<3d~Iy?NL%lnMD*cq@?V8#6v<&LJ8R#tRC{1=DU z&FY(Z(e!9yaa$`tEKNz5Z)ExAjh?{xewkRW zcEy&@^@Vj!=g`nOnSOcLVbZ}D>ekmCWQyk;YzllX441wTg;Rv-83n;WU%$?x(NG>E z0KwX&&vZ9en#DAkvFg(1_#$_z+VP}Sp$U|6EOw5&368j~UEMPJ$by~3*LD1mXZ919 z_%}qJ+bSzDD@12E<&4^U_NFICU)Lj(l%MC{gMPv)XrwhtIKt`D9=r(=X{m9y`U2WvV z{(`Q9wW_6A+v@HmbZ3$j4x;zL1j|M|G3#~SokyWcr4E(s5#?Yj;QTr9cc0sjG2?wT z9|L3Gd>iRiV_(KuKD^^9pMQw~L6?~eF}R{aYEiBfu&=;CCiU#uZj8L0S<%0WYGKoX zaU-Vg$%+imVos1GTQyh8%5!%#KjkzZbG)@hwsuG+J5l?a;d*FJM%cMMbuWhM=$tCS zcZVp+KC?gCFQZiV5F6-* zFt0JVC&&7GUhBCbgKG9)i>0UQsSi|#O~aEa1)raIODlY6nawd8^Gp}ipDT)A8&oYi zy6{S=u9u&{eq9!pH)zk67!3PMhL8KtNc8URXNz1l8bkEF2X}j_c8j$0XfiL^Amr&W z!7z436uV50XT9Odv_i*k4@6FV8^2HH1J?11_Rv_B=3|5jC6!}-XRu%A(r?$8=wFlH zZ80b6Bja*|$S`5VW#89L#~EBz6lt!{YEDi(KeQL$+1!L7K6Kaqjbqco4}+e5m=PQy zV@^>zEfgc=D-(U0={rqm1WvxQvoo^|dpZ{*r*i&r5k=V>vA-{2s@Y500gaM@?Gdzo z|Lb@S*1JI5=3@yqJ=!KAZEtcC-=<`ANWbf`D+3K9#$x^9G_^^KG*~SzzBE+xH0nHY zPM$tANjD|5QunwwZ@Toem;{1H=y1zMFOKUrx()XZ;nzAiO{R#{B^+ zb3Ip{~#W?o)QnkPd6ZwSQeY*Mmi zerH6T5Ph|nXv$yFzEH8xXo(uaR=zIP{^(QI+(&)>9DQw~{1S3m0hZ>euL6_3nke-I z(rU<7GNP_xrdv#*PB+mr7AWuYy!QqkeY!We_#!?&`}JGkSaTbpXVkqMwuz}}t*ynO z(uKGl#V`*R8Y<}SQf%#%-?RAsS>=Z!$*}l61##2|tl#c&Vv3~U)5WY}Z>whnZEG+O z(~YehtZG}3h;|^M3Wes!k)e)W`?K*wrK`M7uC6=*Xzz*F?4{c0x<>AJ?(XjTwkc{jJP4ssu-hI^ zqe7yZa3XocO6xf)GncsU8y617vb)C}hV17<;OJGomd;CL$ku`*p4)CCjg}G&)g8-z z;c(hmjplxc<>9pIaceMoa&@Nf=bm!I1+=g8?!^21Fd5F*iQCK5^39a>+Z^YUdcE3V z@e}P-W^G7IBQ9O~fu{~Pxuyh?C7@q_eeh*>KmvCQ)(@b{`rkEbKtk_!#?6}3;?|6o@` z&z`Z4A-VJfOQ#bK)jW0)vnrI_N7G}duhU5kkoOqlT=?XXP+`JZ~IT^rO zG}S8vVPT@GcN}uP%wSYQI2OJ&Zaka?Z^kl4?9_x$DYnpS2I0$=WN8WJY8#HmwF`&uR`l1#sRT{^;dtJ!+x{DTE*lJ z{nzB5oDhH(FF2X`8tuC6I+e{XxP|9 z)z9gBHLe#w%G|RkTh}}b7Bv=`hS5NgiA<(vKY=>D+u`)iQ2VzwR<^q^mx~CUoX(6E z{lO~Nh@Z6*7}Xf6lZ?LD7d@OXLKv*16BqjL*9&6JyY8^w@g@~*vvh{V&NA!hLWI^J z`LgsW8>FH;3PJ06hj;Y95m{hk?#Kok#4Ycgv+!VLp)`L}lIoHrs0~9}$_GO^+bo|f z%h^pJHsXvjEK!&5$yNLTNwiP$=U=Ievt)Hcb?u5_ovbPy48m7twC2aN2cp|2_JTN! zvWI>t9~@y_AXd@r6H^32dobOuCf?Uc8-Ef+o>I+?!(=t3*?HE3AR9{qvIOE=cKH0S zuw@1}eo=cT^F^7uKDGBRwCcDaDz>8XV@xTCvkl_zqVUSadu~~AU?WY7-|-A4o*;_k z5uL`eE2$}rXtDZtPpt3HQQuSN2H7@S7MAHtR(fd2#?s3@tlY?ut}usQ`H3g0z87Nu z6Xgzpvq~&r+R!mIl+R@Uqaz>%ygAKFR(TR8cV|PRi<(6S1ja36@XY<-cEwHjF0QVO zF!WKq$h(57aI+{EdYey)aXv2g2{Fmzt6SZ*fXP|{Q$=w``&xVv5LIQdOo=rTf>t(H zoRSsJA!i63FL4@5?h!kji&&OLTDwQR)fR8ymz2KYUw-Co?e9slfO= zp*V#6esOo=@STP|H&DzAgS<5RF`!9-OOq}zq`Uq!X1X2hfCerQ4s2~ztOiDCYCaYL zSx(2`TTq&2M0Vc4TaJCj)h2P{wfVP$Z;5L|bx>xd0!j{jKKRRVx9hbNQPAni$=R75 zb*dz~I=}<7SmmrTSo)J~XHwt5yIqSl@3YAz@GTHJ?tT8+1dEB^`W_X&K``lL<`u(vFX1Hk;m=g*)4m|s zH@BnR8u1;UrBt-jEXH?AqpNcm&wHI}XcoX|v_||NtZe(15!*B9Y__QgB*Po4?=h~Q zQ#hk2B&?|NxX&yscfdLk&~ z_Pjgik75co9~Kz&@%Ak{R5e>}-9r|`uZD+iXLO=uAK>^#i`ElD#EczF?0ixz;{43^ z=V7Vic6Dz`-@DQ8pJ78e7fKvs-6mUr-hNd_m~EtE{XnH!wba~C?-(mQ7#6_S<)6z{ z|GgXs3n+?QS`#8~&Dk-nZxF0S?sbnY>YS}?fZrhjma=IG2{jc~Tw>yu+wyISg(Iq) znCrp^i9jl=sh0^-BKM^zL$pBRV}{dzg4CC^-xx@EEO=uMz1IEL{yzFtKeG;7D-g4_ z7)&8AG{c#J$6x0#g0sVS>5WQ$KQ@?OJP+v;i5qxmUuF`|3&h<-&L=HgDJRGj{-&tGDAt~Q%j&DX@f(tq5n&5wXK^7EkEPwb+sI{IoWa-q@TovswDcj?#r6 zXIhkccCBl;;K+;a-KK8yfmE`FlZ#8!l&z{T04>pHul-G2#rrT;>raCE9GQRQp~d06 zq6}d?9^E!WSO`)yNRZ!e`u)W-$#;pJ%rcaw4lGQ={io$;t zcP&U%NntN_`><+DoXDpLCcn)+@Vx#MK2$*eZ92!~NkvtgjtKKZ9D}MoGPi?-F9or9 z@LU!J#*YAkVW(Fr<1;y~sKfx=7{D`_MM$4tv_g!6X8E5ygbb0)OGG&DDOp?FKS;Wv zO|uYDN^?GWnm&f|txxjBix<0xhv`fB>Il)kfX_26yG!NM{E6vK-z3mexQ!=d%CG7u zXyn?_>R-NB`o%f0j{>6J9j zZpSOVS><9FgbI2R7HM?T!NbcKpZgYaWT+dZ=jRje?{5~ncFj~cR?m|O$}V)o0aP%j zpAw$4NejbLq9WpkDZ<2~}8qcz-sEXICmH0ClW5ocyflJM=e%b30R zm7akCBEZD6FY(NKvAw1H%v{9!89(GXUjIHwzZfswcu8DPztQtLoA@#EBIdq>F(Th| z$R+g$k1Z1$wr4o$x4saq)gnDJ9FQ>|;3(d7Be}<{qmWsrNb;b-SRXJ4@))NWR>q$N zp2}XW7H(P1#8n(~Fa0UmB#BH*<1e1lv<>+{F^p4H=Qg3$7n!q2U^8W)1h#1m>--bk z;GsIFc-CC&@4pvF^h&J0Elp4dLZbWdOn9aQX8rL%B>NghyjOeMKCFr@_L;w4Wr}0r zaWzH*@weT$t{`{Q>e<0bB17p{TYeIgPqh+5eJ+ znn&H~l80?*{)*HD9>#zLcGW~wj948lWour@80Fl5-SKE>`5olEM62KTL#VcgCu-k6 zVYZYdH?Xg^|8@O!$L6g&pDml_HX`@zPb<_zZEOF=X3KTN%8?mhyPQk2aAPzg)A6Wm~zO_%~yn>*}b+YGar-)73YAd_bV6us-6gu|47bZhNDSFYVjE* z_qo_de$LKch*9;d_S5R@8gw;BO?1qt-_brDbES;KZCdxYIVUU*w|P|SA0r&xWDEu! zR6I`wc+v5{kP))ae`YHvKg>tuytqO*&-6SNz8 z`6c!vy*sV_yS%o?;GA{12_Lo@^!$I*gNoKcg+=TCNVHIKk5d|v*0cEq2N?t zSG2^wHK*Bt30?S_RnP#)3(Ray+TZwAIM2=*8zy~PU;-|-c#1S?>gg_P)ZU4$z1XD~ z{bd6E7pr7VkH3kh7p3r#3)!1GNRA!TMf^|L(jdw|OuVIH8M19g(!$agxg5vXo}fAO z?QyMS1T7kcUMW~PB-~{q-#x#=|Km66wUZ$E^kd2+P}vL z`TPPeM|~7(eh@%D(Vlh!Xvt)^k&yXQnF!goXBwQ)zJB$jBTw&E!WAc;&(oPG$=1VI zVG@(ZL&YZt)KS0vboz?o2JjBd3tc}9=SYa#cZ(!B;u|fH7-1kUFR#%TdbJb-(FGQH zN0tY1M{6V)%{r7@C_3;gIJ{;A-XtS0lq^2%OKtzE&Ez|va_%7vE}_R{UNNlnT*NAO zl8K7gNg(cdCm5<%`=JAU`1WgSlX081@<*IE2&FvY&$w6>pumi3hPqSPcMDz1+Y@P z*JX@5VVr^$N)um2s11(7I^YF^&R@#O_m&$hF}rpwy3dzR6)9v+BS+sVHK=iO>U`g`*ay_TOaWk#wi9(PZ8o8#=CuYPVtcT|oPWtrG2PnVMsP_2WqBV3iAB4YHfe0N}{qTh-oAwU4$( zQt-y7Rpxcx4eSSw7Z}bdiD5N9o&Rf(`M*ggZ)8A}`Sq7_PhT{B!q8EE^ReM&S`gK* zc%C1|nA7NcM0U6sMn&noUK$1@;RK`0kX*|bHC=zuoYTX_9=sdL*-}rHmiLl9@zM6+ zC>cKUfwj2iWnU;6Y2Cd`|1k#&c~wTn-$N4Q_`11x$+xNHGd*dtpQY!rsS0yS3C`{> z?cCPm56H>O3!nGbkA2u@Q>g1yY5EH-4uDW_wykSuC%Rc&@2gdCBZIt?a2(3l{ts>T zGWPZyqpzv{MNYiw#c2@=nQHN?0P(|3FY`%rXfj_aTPz zSoD=`axDW@_XPTkddDH+TkNAqg|TVrN__Bdr?Py;I*|Zej1g}sHsj}MI$Wo5b&D+I zi%S2S=x7;I5^eL!`tq(C7w?}lCa!RCZO=(2QBFE?ufF=Qn04MAQ5*hA9AWpF=XuO) z(X}4}0^OI0k*v$z+Fas-GGU%zAN4486gUUSO_8aOh%<*=ctgJOQ9m!&R0!Af;dA_~ z^{8#C;sDdH0;*Vd3Ty1-KT;ole)h)xp6_^Wh8_b}l!PcGMmL5QnGO=-Gfk>V4_ehU z++njtMa3McI8E05ZysK-B@X>pOFz$Ow1dCW`i; zHcC3W=_q#(H&6nnG50km-mQ{H55K1ysWAlSp5xFG(EC;$^60uCKHpB4nHvY&$od^9 z^eNhy@Rg7ESUUC3oak%f5`{F{oFJxKMn|UrEDVePtXJ|oVEDMPPu}CBlh0*7U1!A` z?iO1#9*#r!7y(Btp=L`Cv7NhU*&B!BZR7q-Z;1xhfA}Ti1bQ_~8fQsK&777t!lO#5 zY3fXQeVORKwZvD5$;LC86tD{6Lmtdt0f}9Kv8%+ZMf=Z@*(hJhh-B5d2|#zps5qRM z`nmMA>~@xSZi|Z9>WsMnTh0H`tJa@wFGSoQdAbD2GN1N0P? zEf#KNHR*mzqwHza%flVaXk z2uk$-ZwYZ=@Gb|=ukX0gZsWw=netae zb4!F~8GaC0UGy+=@OxCE?TuB(ax#CR^nvRI6RSaA zr|M{py)b8iua_4!Vz3*$;VP8;HquD@CU0NS-OP^K%sloU23g8kCE(GY$hjZea_a+oriR4S9M8v->K4b1NLNIpX-0kwT^@%%t_q40iH@|quPq8|p4 zy~z2H5UVMPP6fZ1BGBWV^JYdFESQ10-)Qy3=Qa&n#w$QkM<}vxqxmF<@l{@7$_o|o zy=arrfW@K~e&3D`p~O&ab+R?EU|MetUTKQHh~1VGN(&UcQh-4i4{#t=WnJkc;_UuD zHYkF-@)58Rn}a@6{=OcAm8_C=`0`i2X$K%mk$6g-tk*x9g^7N|PBe!Hy* zOj75lWvpZmemMXm);!tSy89at#y>d!#0}-0igB&YkElr->xoIGk$Kkr%dta2QQI7w zS@kS}y$CGlU~^L9@v|Pc%-bV^ln%&SIQ#UWx-%o$@7$jXZ5TLGR_e}G2L10A2Dj}R zo40oIC5Tqtp|$JEUb~s_0~eWKu+u2=n!yC;>2zAEL?vH%mH3KLw?#WVM>}=F^J$f1Jf~@P z%s^&qWt+2&RAaxEVL7U-U$sAvCg#LRV5qTh+M%KU)v!nmJ0L>F$`icc1n~JKi`=Vaobt zv!a89N_+;e;qU61u6;3evAr2e#VbofzfcM)@o>NQO@_?H=22BEO}GVg#VNuBbjVWo zxmd|MW+S*sooS=!+9BB{JiiCb*iDm5kFBq!KpZMDtcAS!lhUCS^4Wx8D2Cedo!dAK z&>bGvn_j`Q9aj1wTpN}s;MrV5exKB~Wl!7|hnOL8XO2pkNl zX|U>G)V-0-%z_P`G5p#WQT&+Fc3qXobpKkn*SRvHFSK#BIDF8TbRP4Fo5Y|o^fDau zVE`--MATOTQNn`(ShKX}$g#cu-sc)5HTih6)JR-< zY6M+LNZQ%HWq57^PedxodeG0NEs|Wqc_e zIQE`Hvy=Xk9#-KaOYpc|`0J!TS1Ir06TZ4Y9O#jWNj)3>h#Cbesd!g4@(c9YU<;z7n4|-{a=yS+4$pIh4^`_g+x*T3TujMGAb|Q!fu0}Vv z_ge7^PJYmOva&<^hK5$m#(8ya5`Z0P+QFVp8yMI8ex#%HiQNJ>>UN;59i2!4+__5N zobF4lW~sG@lW2r(jf@h>F!laLLgj%STJdc|EhjjwpY`Dfh*W5TdG9Q&vA3q7de%=b z>Bx0_$il`Bh;Whbakl9YNJ^owyr%KmlT7M~CoW#TRxO80z+|))Y9w_*bS=7`LHkF* z3dvro`8$ia{EI|@x=Rj(>Scd^zJyD<7hnR4AX?^eFlOdq<{GAN^o|Z|^PW zdpP_v?mjPbcEeueJX{WZ982sm!Wi4mf5?4^7@A^5n_FvqV>Ja}njjIP4%BU^+Ze3h04U91@+27#upSdzZd6_0l7~7va=Kz z_~Q@eT-`H9!NglW_Ra2h4zGuTbV}64QdkZ^v%?g(834Zg!ElfvFjd|vrm@Fc6Yma6 z?Xd7dh|*Zr_#vpL9~6|U%oA(%OXy04sux5ovmQCZ-pgU9de0wHX1Kl=r>bdU;7ON+{Wxv zDOl!M&Nas5w2={o9HBbF)oP&Hmr@Zkuo_t%{0&OC*$&O5k1UqIAZ^q(n#Z!hl|{B8 z2!az9hMtMB-00vaSp z#;R^`L=dOY2hc`-g%MS>PYl1NazTj}C~ zdx9Pm4ta{nlwO57n2LQI;l#WkN~pSRiZRYw&H*zJfI$N$+V5fdzK>6S&3#<;GQ;S4 z_w3(%ck(kKzFWo;=&OB!o7Dk(ryqK&2|ex1v*{n&MBQFlel7df8~08aV?*nk#crIG zXsWtQ(a=Kr?R~+|)U|%AoW~N*Wdi}%w<=7mUgq8T30#X-Y8v1O0+>javVX8!2t2zf zNFBfI<4+SMCbIYDtt4h+;7*0`T%wBB=9pzwt?%(*G-PxdcFu4a64N<+o*_<>OE_vO zbbGdGItfw4$QbXt@CAj}CFf0X^k0ddMUh?sA z)5g>Y(+cCAm$Yv@K;uv^gN9OVVRZYraJij8f568gmd+n&%Y&L8aK_P!Lw#4G%mx&k zB$f5aCvVrmmd3_FJdVOOq93ww#xLH&iKFm)W{uM8(Hs*SL@=_N=3#Sr>A4a7o!)TN z&m{EDt%|BR*6m;uFUrsjz1l%nubnJ zOnk%Xmv#xCyI@_7nCMiYi1Qim;UNKy7t*Qo!<+gLT1%{_+-@^*Vt{^BF|~(1-Q}Au z7v?C@++J&93Q7)X0<6!c|NRAZtTx~TdInUZ{N%TcsPKC z-m%651}b!hl(x6u#`+ePF6|aV^h8cwX0WmB{5I9icYq+A(I3pmeIe6?yC+nR z8giW!%_*#ID+kvNO8*5Cjd8Kv&7rRts4g-Ih#Ea9bH`?Yh+(=j8Cgs{{HKG|uPV;- zscm#+og+fYW`0OnW5fijMLm=Kyqc|^j~3Vv3s<_?U+X2EQKUx?X{a_q{2HD9j&0lv zPSbn}4SZX&-RARsvn^*9Lc)J`5gA)adJPcob?+H55N9AOAT#n^RkguM-YWDu?@kLp zh>Dm-f4eseEEn33-480jls27OXp;9GZddu9N;;O4;}X<1k=FUlxtFtFc)r`A=Db zqQD<<%xUBdl7^WHi>J(#&et~5@CQ5hTAJ;+vlk%QFJopybv8QPls3_zGC0BSTc$C&`GfNQNLo8QX>Milfxf=Swtys|uLME>dGjs)@fWx< z80K3YBxetusc$|ztZZn}p-Qm21`~+QrAkUlp01T!+Skrndz9%M2#ETtiwOdteFF1V zrqCs?o`+i?m9ft-XL6pL5Nf`(3}&F4_bWSwcAnHwX26_)WTuYL!YHZb2rPccuE?U%~1TC^+uh|2GjaJG(-2g%D>vZ_hM;yf)$Kvy1c@b$9{^$ zEI07Q6oqfbyI`Ix-#{22(ocnqgNMi4EOB5b1?m$`_u!mPq!1h*xdeaE?a$V?{rcY4$2q7b5yZ+u=<_f+13E1hxoaN zliXM^{=C}lI^q@5=@&kzQU=Llj0ag&dNcSO{SxAvn!s)Ip?4dinA07TFY)qCpgMO)dG}y% zHa3m)I`_>Y!^J6r!NjvOaX{UPNpbTGeHjB&DXuaN+H~(;56CzGLztBuqdV6 z`5>h88TyAu*$P5pn{26qb4`%I!U>uhD&F4Ap zgt+Vk+oWl@5(CXHXl^^1-T=r`*Lg}0$PI1!ECKrwB;ZaHwmsKqu%2~5+Ti~Ly!wE2 z0$U=ryunzIP!Q<(=C@wSwp%S(O5WjDb|1sow&I;SXZTFNh=l2CH~g5QBWe5YVIe(x z{sehh76tQr`JMIx)YoBtDEx?!+A3a!bqw?6M?ZBBYU-M*L4qP95ex$EJn@Hhi<^1s z70g7%m?+PT4y6Ng;uFoki{{|*ts-w8_F3==!o7F)48dOOj)T0Thps8@_^SfS2E2Nw zJ=_T{xgxLK^B!%|lUUC6R>HG0ZE>xEr(#XGWf575_Kz-IYMSS*PcxphmE}})glM$C z?95PO4fA|{4uKk`rmAtUv#U$uqCaS2!jJAANb^HZ%as`}5laiZ>&M{6@ zF}#!j+y5P@gmk}=Jx6V}2i?p=#-@T~sxpfFwk95%&26cR7$M^mP!q!=?UyZaH9Il= zX11csi-1WRSPh3qLw)5=AD&fhjfWX{za%hMPrNw5x+mnvjH-VI0 znM!B{^G7#I)9@JpS$P2ECdrdIiytNM0& zIM28UtF?1dv8oDVwTe~zx5BJ}U;V=Iu|P0b7h;}y*7br!nD>^1~;h0dkQOQ5LV=` ztFM7kbYY<%G9@bU-lm~fH*IYVmJQkw2JQFoSFHuDME%+5@LP=AD(I=4n06n3a8@cr41`-(6WA|fY=Xx!t(M1 zEPh`qkp0x;sVe*p-j&X|6jFC;yI+vZQC-yw1&~rl>eIJj4^~BGwLM56Kg5!+&)mo* zFuDGxu2#{Y?IDo`yU%j%+A1o`$B`cqTlkY08~Ts;*_EjBS;y9AO5rCG_glDb0)%KV zc;)`I6g1u!kWEn0d>q+K(q$vE22K<;n$;4FLnCR4jfGwDmG%R^gF9rP@66@R7QYFC zeJPIL21Z?eZu?#2FzYJ6IC3Zs5q`c+--`|4oUILW`F=2`?PG!YTv>hJL-#@ks`%b9 zVYMvwLAx|&6MbCQKZ95$pnxe|aQwF?^=nytn%-)94(s;-rchgLBw#X}Jmr$`o$l;m zx4o7-yCu(F@-sn-BPNF$l0KLFfASo6NWA-v_yQ@LRJx-4699 zA9}~OIe%e8%4eukN0HhqZ zu_3rW%|0dCOrFj=ZUwV5uo6{O)$$WPxxMpY^V&-+>bi`YC5M#*pYxKzIq!*^Cnoah;$<|mhax8aM5TJPAtrf+C`#t3 zsIYTpG&1{l8F4N$-)_Xlm*soS*hii&kqI3bwmx~}_!;eEYI@1YxPc)z3}%-EL@!bA zjPfjYN4%a+l-y>k?8fW6-Y3xmMuDplelfJdVf2tjNu=w*7mf|cbz93~344u%oL4(R z;u%09Cp#{qu|fKgh;LTv^@rVZw}*fHSlmqfdG93| zS08c3TyaIee6Rtz75?2m7!zn1)+_FNLQ-#a*|+EE_?d=Sb^B*{=LQ+L@3&xW@?h^M zEH-oRVza-**)@0Z4}b<~uJhxYsAJ?T?IL`dS{@sq&K-=)*#bj*6{?6Q;7LC(9&X7< zFr(z&i`P7-xR||^X|O<-f%bZj(Yp`5Ette?^mR1xuOK}a9z#&8hTN}1@JX%?DEOJa zs%v@h+Rgf+MU2cO+sW3^0`^M0j?nE1HJkpiZ9u0)(|P9tm5+=WCo=nOB`^H5LZPpy zpi@hfa(Jya2OedQl2BrNp}gfJ+&7_dsz7u7xPs@bFrnM@G*M5TVr4ZRpn5d>GIClG zT-u1c)X_yd28_mUjYMHaBLfK{YVq~rSpP^mtNHc0(NQiXN|;yy0}F8zhvJ24kMAcw zU=B{19S4miccr1T9HL)XzJsp?Fhj94^5k`o;ZS;vnL-zX@!j07iiladgC3izI;hZ( zePz9s8>vFZjfdY1RMt5oSQS{`TBunJj65O5VgmKfc^cfmmUgWk%?*J<{~nCW^jP$+ zp7(Ib24%OJHwQM~$}8bdCKNa;qU{`I(mZ;&D&ON|=Dq73|Fq}=706RsHM&aM$P^(A zHr!i-ivRtX(@#Dg%81odYh2U768Yc`@Edkl-mbgIja7-6?M>1wn-xk3FkoeI=lICV zRGo6_M+nxvY}lTEJ`a}MjY5TmPvcKblsA>x;Nc?=T4{BKCcaeL!bSv8Ws%|28+|k; z3t+^o0wkNG?Qg%#xW|~V912OGbxI5cadd!uraHZDsRyrAoZ`H)a$h9WZ-m+vUhfWW zu=(_ga7&OI&c}4FON(uQ4+s%znubQw_>KWQH)sSBpHb$rXeKBUMoBByZM`u&!oVZ5 zi=OZo_fP|kk%_+>$v(mN!@y5Fq?W7dt{O9s8&h>>&jsKaSrHoR`^XaRPb78I^mf>o z6aqxHzYJhNvnJYC3BEz2)<8Z&mj{-kcVHktFjTMk%A2D#F_P~nbvv*ZV*qvfj$R7! z;asb;P#)lVHrd_Q2!2oHx2PKW9W-J}aL#h)!s1@r1ol&8l{nB%DG#=5aw=umfr#{! z_s-PCFz5;?_}gEFrKdmCk+bm{kE-K%>;x+7A~xjUcr=f|L(XE5jFsIBL|H!O}5Jt`+{M4&H(CSnPT zdC^sK1mbsldr(Tra(Vp8MFIq}4(FIe1T6KF;TLWJ@^qS~Aw9!cKFNvny zcvYoP!{B;RpcU}0dSfI#rtG!TvCi?VhDA_-*7K)oe61=O!o)>X-cdh33y4~_AB`Hx z5kQxVkxx#}&L>uwVBxr6e|HFv4*E;8VRoRk&2lBr2KVRe;jv5Ve+n^QIMq;n!l^KzJv0mt&Q z724oy42^~vv_o}lJe+7;-=&{Gm-5j+$Y}^gW!%>VykjcF|4Hrpe%FMvGw}I1CV=}Ww1}7>W%*9rcp|4<&rO#7t;sig!Po_La&4aH(!2Yq1EI3U`j`$ z!IK|`orjOQ2edRy$?JhB{DgmbR9r)gh$FZ+;lGP>@fMDSIcwTs?X$wStlDqv!Nr%h z>FFu!HVjhsv8~df7lrNa&s>pu zO!5kz?+!}8An=*MVWSeXt=TjKVnujh8G`nn(dRIFhHu4{B<0&ux_LjD#9k_vvR7nSf;CIeE=*g&MW9HWt(?;`ogB4|+M$2gB`g7RH4cvK1=4Q+12-bb@=f++1X zr*nf}*(Ggs|6B)Vn{qq?Cs+iI6kWX|(g(Kx?0xa#Mifd+7gmu%Yuua1&TxJ&YfP&2 zl<(t1-+%G-v@%WJAHutbdtrTYk^yA-?kEZ}y4>``I<1>-)8M$4w|xKoHAf@k^`(Kr za@xeuO-l)>My>%&I{T{#oI7NxHIzL9exJ2$+&dp$H*|c*hCKCHIg@0xyS6q zTx_hkR`5MlPA|R-6w4Id@F)}0qeh!UoWfx?1fi{oo{O=>U_WmK{-eV4vmIJa0uFe? z1n1;CIos*l_I87z+((`&8!cO{RTsh31UA5PMlIh(6&35)2E&(L1^X&#ov++2#({U#NzDRS!>>BO6M)e!v<_VHl) zoSdC=sx0&lo)KSlm$6FjgbKn^iWTYYCw96K4n?2@0Ytiz8xvPXZE$!L3`W7JH-Bg` zPxvu5RjX7ZD8!>XS)D@0{+SZld?= zHK%@Olh2kcapjV3CA`Msu-_vOJX7CT0_C)0u1B3*!3bTONxZW0Ze&UJ-BPZYOUB2X1fOn3BTdbzF;6D=ndk@KZbE2=-tco1eA zNg^1!h#mrd=f#Qxea%aaPB{WxHJp;-@ehTMh_$8ukyh;yEp6eoN{?n;zfN=z96;iV za&}Dlh&a%_Xgm-OH5B43sCp2xujJkuaq#+XYfzLMY>uuX~I(x^0i7uAOC~q42Wt#K2 zP;iJl;(WIYo;cw#ZX7Wnv}C5S^c;B8WFW4WV)N=lOvG7{uT|T`b7r1NE~%JwwOauv zmwaFW8RV}v7uN6b$;Je~tis>u7)~LPEY+Ej+#Za{Gpp$c#kNuw zszUo5-^m@ty`)-AAJultCR-h{*SnSkh{T9q*iQN}tNZdUAOecs<4u@b55JwMJR0&? zJNL=R+4bg)0$(-L2hWDb%ifpDZ$mY$-S729C$|F_9FGt&Zs6 zYw_Djaio`z09x5+Uz*c*n{?)Eosj~%N1*~FB1%E!CcE}O7sLU`rV_0>#?kH*QJh$c zp)&HXgyn98)03A^G^f2af|+ST44@vlb{QGS>gph5GiZ9*oLO2X*&le98O^C zstXNAd{iBdxJ|EYsgDl~W~s3(SWqoOfo*(aPlwiCWKl;F65EhNxE(F9xO5HYh4-E&5{3(Lo>cJ`b6m@dU_y(;WK=^UsPErLr zN;I+2Nf$yIY{}l*?Nhc#d`Mj-2FHhPlq2977+~5iKQ_i;BQtY=;oP9g`e9kP%Oj$39& zz0@5Cj%DD@ks$9VYg28}kGPaL!^Kf#V4%wj!3WrzG~bjP-$vOjWy)9EaWeuC0&zY! zF9-l9W<)5VOOtFp)<78hIwt0#@9j<1Cg~fx=<%-qj7cudZu4Vze!SCEXz^@Oc-(>? zty`zW$48Mo2_Qgj``$Vki-~dN)cv7t!HQu;Y@*ED zIpAY{F-dYlTJx%0l^d{%l*$EVdkDso?2w5#e!$q>>$M!j1oJ?LruSh0b!DYPp5PfW zWgCLsqQDvNoA7-X9j8{s-2tgB9nkFS14GAy+vlx-XagO{Zey(eCVg>gq7h<#cC)m* z`-dqYZVtvbQZ%+PKtbiNjeUcVs>P`#;oaKXj|)m9cc5R*#+u>>GoQh5GR}=}ekSO$ zNV&UJjtZg0xoo?ZI4VXzN*&1hsFsC z8+7G`uJGS_bkNL+ zA1@8MShPgJW)Vj&WhDeYKH`5T5{?3;;0ti?yIM9SiJr)~bJ)9&XXz)Yl{!3Hd*=o|~KxsLBLLF=CHCc}ohCW8gK@>R5&P6}%mPZKSv^&l@W_mx5W zbs@=vlk3ekSu)`@qcW6FfE&8#F>O(NamZ9?LdOt*-5Y4Ti50v3mFCg(<|xCaoqL;48ID4K2#Gg69B3(M%Rl6h%-3P9wOK$%z#q)p{wvoA0BhC8xvIYEVrKqx^L;Z-~*zoVILJ2 zL-T*5-jYC4GBmc^>>Mkqy-2c06H$I(OriQs^y2BT%lfhgKzPb}ip5}!gg7K8rJX*? zZ?#X@hg-IXHv9(E!HTuR()j{8MHC?J{)YwPg%5D>2(Z+?dTn*UVr&1A#@l+8;X^eb z3+M6P9P1CKrQ2z|UF`Hax1)c%efd3h1m_dB%nTs9d-_~s{&?@FuQ`gZ&KCzy zdSDCg!biV>4k$bJMuGm@n~OBp3=o&cEp!qrH^)i>n28FDC;8!JwAwEadC=4+*gmoP z8dJYaz}N;p^w<&V%zA2YLNoX>jH|iubTKZjKnf4)nd{Z%9vqMfrnp||F;+S|SX3t=-u>J3!OP8WXR{w!Tw4`9^!^}m$7%JD4`{lU8I zT$Ts*fl%ztG(5}g(&tv<_JaAQh3`w+s*%Y_W&q5Bj6ybM3UZlO&r=a28XPTtoMtzGPgdo&s3 z6QtV{e7VyHZfKmd`PiSW9ES7wMWM^8C3gOvmn>+nho=;{n6Y`Y*b3eY<*;7K7>Ox_ z-c;hW=;Dpn+vPYJb$L3o18=xDXr@Oi^8XXB?WnBnnaVRM;o-*#)Dvtf=H*1mTy-@5 z;X#p3^Lq|!47Dn~P3`RyYAkwOYY^|7YTN(N5i^1T8#gws?_6>j~I<_ri4oxv71<8D7FJ@BWuiSY-s1kWdZc`^V^JMVYKczs!P zQG1_zxW|ggt2F-m>=9GKT5!y{iPSGk3Y%$SVkOCaOHT{bxq%f`N*bP$w!JO+lrz%x zB$^Ge`Ed%$$nnxu77&-hPs=>0%u~%G9X*5;b31A`SAkDbxWLaK?1-sCg*zd%EYxLh zj&>fM%yyerVtGxqCwzcn>jp|kE_N(!bn#Dw?GM2T1T6jg)+75}Hh?vQ0cQ>|pNPs0?-?9%? znV(}=W>ZZXg`SHb5aAdkZ>)>&ua~hns3{XKbPk+~Jwk7N1XXA_khlBM@Mtr#w}_=) zhC!8sKXt&#jbOx|;i_<8;^BT3xZLqBlV#jL^d=^gXZ{B}uMj>E8unzJKOMjWdEIyc z1ThZu5wM=_g*(e5F5=Sff5`FqYYBop&QhQyJIq{{;d(Id4njW2$As<9y6@+G7>z0t zw&FaH^9;0Ljn=oaGmB{{Hkq3gknptc1jbqVQA;Z8s|He~ibtQX5Pf=jR(2JazSOi| zA+&GKEnJ6*X*K+&wP!RV@1sejG4#QlH=--`VjruY<0C(ALcY{tJhhdeN>*Z~)9ks* zo>-bXKV1c<7NgThO+rHTICKYCQR5kD(wiNiZ3@qIE=D(y{HlZ4WbS#aTA6EXZxJ6Bc?A73k-?{}Uqbm!BP%7jp zq2i6R^MVvNfkm!v`zBxw| z@lmDUk0$*P_UE3uO0J`7%$$<(wYuC=f%-1yjZ|ELMe~=wz8QZdfo`|A*u1oKtBpE5 zJ;K}^!DxiU9t9Ib#I-&YXQLQeG%qhNPkYK)n1xOy&e)zUW4UwenY}H*7qa=kH>jpI z__rsu&&x1cnpL#7&do9GtMOlG8REBdyy&2@-YO@c0Hrm!)r3ln9=KfW)iYXkd6sLl z7=q=08;gfDwW`g(nVYWdxTp`ONoc&~630|Rro?>kaEL^+IjjjX&cE+vl5=J41TEH! zPb`Vhv@J;srY7VuwoyzEo7)SegIH!al+r3$dO2e8B4~PsgLSP9mk* zl+(m|Snaf?|9T3U82Vt;Oy6;(6-ARn+u;lx7{+e)oWkT~6V|ZiXcE=d_KJ=vIR+@l zKr*rtvafh;9FpK`-87#K3d8ouo|Bzgl}@2?l9x@{9YsCD<)|#669POxuMMBLdBRZr zJ6?}l#Vi9P^U^%v?KjTXRa^1FE`c8f|O&k7;A<<65rSjhEKpq z_U8+oN(l@4J;15k$t6bd+WCoa)EFN*fHww_c9=m>kdNCQp;VWIIPw2loh2 zvY&>Sk!<9$%$_v+i{Z{i!RmS;WFXfeN!OIpNHt~acq?G5J4-Ds@f2m!OdQU}y7|`d zPrLyC>{OOYL`_#u2@d4)7}u-;K~a10fd9ieJmxyJ^ir)FYt+!#7twt(rEc9O zfOHpOCWE>oxjzC(!f@E(S6||9#OSFcQd|~h9GwPTyw?-yo1OZitKGzbh0@?0^MU~8 z8jC8FK*s1VJBao0Z82mb7x4mJZ;JjnjydW~=W;_Hs1V*UVB~0=t)zKsf1)>DBj!e$ zg9%jwdBV-3I<>-wj`HO-2jz(d8_r(BO%)4vC1}2W%h+JEOWttzvN%7QLi-9RpL(WA z8*tNu8X5ZJy%3}Iet}+u9VSM2e=cI5vR-x`Reh-Q6&m-$#dreAXPvO zfOLKn2+zS6oA{2Ci3}l{;4XQv!Y%D7N&JN1k(1#$7~|F5WJFl84#Odkg8mYxnG&MC z))ctx>!9ZaL+Ya$Qb?Q(;TuT8Cy7ZQyuEw=HEs*(6$9yJhJh=befAOW8$`tW1hGJE zl$-0_2BMEe9$r&aXOD$koTfTVS%hESuzq#Znq7}8;^YI)PdM}6pU zTjb~CwU8qfvq`EVItkoi)zQPXSW*PKr?yQs5p0;kUuTka&A@;KNbTb~BqeFSrIz=o z72eq+SMCyZx~}d`!=K66)DhJs-R!f%#Q2HyBhK8jFA~vxh=Og*8e8Ca)STa=!Ur;H zA|x!8J8&c2>50zX8xqOE^N?U0@}n>8$O2?bK{Wov(6 zQ-O*A(`^Xml21EmIqgrctxw{6ueszwXN0-SZ5LEL^!OtJiN*M%7mh0$)zOwWlN$;I6 z#am*I6z`?Lp;!w_qqbg#TA`GDmDCBEIk=ltImPym|z4SP1pchq%xGWE(u8lC# zeH$ewEaYFLYj3AY5*bMl2egC~$R%Qxcmj?AK)65yiy`$>%3Z;b3 z0|v)pmkm9TTuLM!X7cnh3!gvdO|W~<%r3*4C)HmhDpR91Rvpn$NAe&t*Zb-6i|pn% z7IS(-E&L%t9Q^Xw+`c5?jdLi=9%$AEmTT5o>WJSTVAT|KYia!-#8e^4XYdVLHV?Xe z3r}oz39gPIcXAFIGN8fF>|(#cI%di_@IOU90xdI;?t$WNWU1|{?C2Qyda;IB5F*k? z*>ptgH|A9@pR1A0FZ95`z`qAK&h?1%T(u}UsLmIYoSc_bnVl88emiq2-DqC6m`HWm zY_J|dCQTd70vVE!mZDz+?l=?Rm1Y-Q;m>O}2d}=?YtIf+Sh$~Ve5E|uMUdtW(nd85 znC&gz=~3?61oObuv&neabrLuXd$|+8UpEGLaK7phR^j17K6w{;sKX?gLIrt3i2mjz zNcwgpbeAJ_V!kz!4e_n7zn@eBwWwgMYNbJ z{A9nxLZ92?o|ZfHHl1v(r;>9XK7vW?%5`ssu9fOPJIx z4?OIOBgF}poBBl%>9!QLH5i>F81Fm?An25t_0P9|Sm_M_uESRWo9}fzR<5{~TOP#0 znt5W@uegzH5#g)cxME3l&fqSm^x!U=+Q8UBT!Ppf&n+Cps3CCI0m33x{aZ>G?d z^{de#dU<`NT|S?Rq?s1o4rSq0d7-FlYHswMd%S4Ppa5tJ+E_apSv%?~x!D>y zXw$h`Spote04M?dPi}zge?1Yy*zztqMowc%cS1T1Hb0iVhRSa@=^QMY2`-FgP_|Bk ztYm6bb40v$G<^0zVf7Wk>h7$39mT~(y!>8G{dN{%a6nj{U7P+HOITPmXGiqz0{-8W zRb=(l{)aN?zm)0P8(BKg)BO|vLsbsozc^a{H&sco6EYx#2*NArukeM>3XNG923RJ4 z4+>#3@yY>7BWH-_uAlBi7)u#5Vr$#m*s(1(euP%Ix-|WrWrk7kvmG$-gDyGf*Jx5)z{_rLr8jsKA{3DGkdTG<#H{WX;HPY4Kr0iY>{_&>RL@BXb@|1R_2$RQ_ew*Ns! z`#;FiMvnT1`i}baj;2mlf2{S*Ea_~mP5!}$f&W)SoIm^v*ze!<{5Ssp?g9V(<^R9^ z0ptJlhlV5I|EcA_!T-0e{5Saj(j1KcqdCXN{{aO9qxm;G|Kj{#36Ouw{uBSD^?$Cn jlmE9I_&)-pvwx-kc`YXi3igi->bU_ z?KuDYkBESWko`pcpR9fy%76FDpGGGPAQy%kJEU{UkcC~&N1l^Wm^a08PU_dMh{SE$ zhj-q2nyL0U7vE{hd=GCgd^h65w>VgEZyOkdG{^?T+Dd^nxWeZKXa4S&9S`MiDde7gKH@af`+1R?PG zH?`=)!MN!2_O(&K?eE#=yS=uWfV-PzkkRu^x3cKN`8YLTrj5%n@aeeX>W_IKi~eo7VTdY?(l01 z{Pp)~nffiU(c^7JZpYomeNFrQMgPm^Rgh@l{a!bT=<~hNY54Q*bJwc>%?6ifz}?>O zxWH~BJL;$P=O_32jxv~Z_@pwu}H0WSx zI64AtUuEKUUS-At7j74D?|S-wTt^_v(8WNDR{=M_pC2wR$D?f)!^wr8$?)N_A7!7B zlB_ZEvxM;_0-u$iFIJxysYRFCpYAI97d;-24{BE0pOzmhHgDSwZubsW{r#Wze#0+w zsU649ZSxdLdjdP2&%X!WZ-zfj%E|UB*N*lc$59fNK z4D|8)u%G(`^74nxiUI-(L;isuxQ$4L9<0>3Q&!6Md{$No9Wu&e^`ZaZlW|mRXg-Q%HZ%PAw(xG%h+}n%6tM*P#2k>v%=| zedOcD6WqCdnVLU~iaIy0|4B1wW2-+l&T;Vwhxe5v1@mf-EV7_>AH<~wk+0F)&+h}i z<(oB3hK=j1()EiQua#U!{0S}QP>v235jIF-jSBdR2)tLM0ya{BxW5jnkDJUovuoC1 zCenXahor;ZTyI0u!ip9Kx!e+yijd-yiVCxn2IwP=O%Qsw>FYx!Xt_BeqVwVh#IWV5 zAHh??e1wO+=wno{ks25_gB)MBZ=wif_rPa=Hh5$0z>6fF{iE3OAQr~=_plZsJ5umN zX%-=*f59z)a|VshO5YHb@yluIv&-#! zktEV&FttB}gUU=}ipXgLw%wb#JJkAxA4wy$6;g~QnY{_3do)w){2|y83WoG2 zXA)=n@F7C_Wj1kIz0)A~8oz2Uh5++Z01xqD4YnahVyo7M7HSRhKf?v^K9wM|dSoM;8wn`$^F>SM|M_p#VHF>mgsQ2l=f9q5 z`hER+gJUJ>Do)398^o`gy!xlvMQMJw0zBV3DsWdH)0xB`Nk_ zifvFc9FJ3m7}CWxpXJE4E`Pf73;00oco?LU50h+Cwfquxnz{J&?l|hC^$2>ENwVVO zE0nTASVoFYDj2Z}6Uo{2Fe>)@5T|Y+INQJJr7phE-`;-(_Y(q{pH;`@FEpv<|NJRE z-zMj~dd+rdQmrSIbng9{-xt`Jvr{pr2(95a7^}w}-W}OZry|8m)bX{S*zy)Paj0sU zk0_Y$9VLt`Ay3~=yhYY?$3aaP`qb3d_x|#ddC1NGD!Ge~)fuTV7rtE{Zr1fDRN@x$>5n~RTm-3` zbLZs2@Lp;1H#(ww@UNJ(eOWc~AAb}i`@9LN6ZGl2)7;=F>aCpGA*zo3Tg8^*^dVL@ z=Fg2Hrw2*kc@WK~@qm@u_MbC;+h5<`H$zup{xC<1d!p}CK`w#5hK|!=4s$ghNNF^g zPrgxSh&ob_Ki2J--;5Gs-I6=PbJDVAVA$ML_}Da+a}zNKF$@X_+mG{)gb+OAGD6;+ zk}54V-P1k7>g1w`X4pEplgy~+B{y(aXun4t&N^Hd!XZ_#6_ z%!fGK73zm^&Lk7 zUHcEe%vV-+p5`nfb}_V}T*3IQ3oFAIcZ!Kn`__+Q6XL_h7X6*=UkquJ{ekx=J;PgS zs>0dLd(zPzI%cdfmdUM|ATpA?Lw=taA$X<0j!hHAQ%vINMT^G7A{R zlM^9R(UHYH(QcB4dB>D0sVf3aD@yzqEz7N(96w^R$8=%64-wnu+KTx-XD=GrQog(w zYF1}p>>0cC;yj)JjriI#pn#+CuaR62e3vJ`66ky_{)wc?ziD{NJ2Y5I`X6#aFfS`1 z*c1b}{8I?n`mpq-EifF@!e>8FB<#KuaL4ZqTd9rH&p=tn1GzOqSC`(>RacR&8v83( zo0`GrK5_PnRQ5Td9aZ_vKlW)nMlPFpwBY0zT)%mi|9_4VOVBp3`y{YK_*S_0&RLK( zugAx^rtalAljh~aZ-VVB<0ni3WU$>(3$kv$-v``zJmyX_dqo^;>fQXTS65f}l-6}b zQP&W{{{pX7olj;i@_+Cjill#!f=jVc))y+ATh2`!Ia?crwLX8v@SD8L0ewvOKRMOT z6KmQi{?8K2-GVa>;v&sVs?Ot%@7PQQ~!s(fhbx%D~KMVLcc19v*dqs3OZ+W#{aDLgZOwp$Fesr$}VJ??&cGq^a)7L`QxhBLeoZRHXA za`w(q_hqM6t-^1b?!AER52`}t>0Py6m1HD=gzmp+ETi2POo};tQq+ec9AX*?!G-x4 z#bm&iUWcq;eE{Pff{h6kj{KiOKA-yvMseA>60>5qr%bwK0274qTqvI}eU;2S=Qdj< zW8@^7XZ%4ItXG$&k`dV(GWCg_5mI9EnZ>@>M8cYtIF{f*Pu)6GB?FvU7_DJr_+N1m z5L*DmrgoU~_0(x{R86wKFHBn!ZIGE8(&VUQV8Ww$YVeeq6+^uwtOY3m$%fDWw;+@5 zDKNr(K87lLt3!O%5SxWjyf=`plJUQSGo%hWF608J(Dkbp7+TzQvNPRs~2;CcZ4#lTn zO`+D^8lt#?CJDN_BvP?pP4x&L8PqBnqNR7btvV3Bn*?s1=$9ZS9jWfk-25^%PFG`*OZ z#1}g1Ag@<1q<&`C?;tG#=;0g-)=txSTPf0;6nUzNA0g9u?v1g2=o|P(Y!?(e^>4&N zscwDpFjT_dEco*1NM3qX@m{nsiUsc&;+1@?p04luLx`9`^2w@EYAjDJWl{|G-ta(` z!&V$YoVpbsJo6=_zJUL20+Cid31T^po%ic+vXCYT>eg01D-F#*rM!syc*vlkj064_ zl`rM9qv&``5;a731L1F4@N{FGXi$Lq40DfV4Us4|;tPU_0ba9-H36|2KjY*obUCLO zs-O_t542k1uGQmTLJ)|2$f|=-uP4N)&^GW}XUG@>7?L#f*)E1+Y6o@c)|2%#KNKKL z*Z+&hU$pc=U5X;?Z4-%*P-(O7 z0$Bk|{X!78Sr$bwaXn7dOjee&Hnwab`BvAD%!kr75S?@rZaE?WD5 z__wK6&$l~C&b=Gh60F?0sw7MHoGuP?OX4k97%VOPC`JvG5wg-@PIktiB%JE#ASCZ;MF@T3H%5ow`m6@sv~ygq%RL5uj7J5qpCsq^`> z@HiGv*Anef_GxmUQ@2#oxPRFV-lxf5jHY?Q%(zS&{GIPTP9yLZmO$+Laae2nUUlQ+ zq~Qs@bKG$18j^@>mKMR^!k#byz%ZOvF_qh4ZT};dby$qGDA>+W*^t~EdH*^F`}^hx*VW>0kF_*mB{@!jA)g7ey(^){%SIoQ8TY?XrUi1{F$A49iU5a z!4|B5kdu2!s2l$6By;ovL~j9tCu;1Tj(5iJ**nb+vwF--O%+~R zDiLc5MyJ%zwx)3oJqQ{Sb1aF*_ltZr4W|uHhEe|3YXs1TVgl}ev^@5Lm!i}3^KNIM zT9Dx#cf^zR;D?oC^72X(1gSM{n>w6>`R%$KN;Ic`v1<16t4G9c;)mjSM48OJdR-t% z#2AAghq)QqYw+^@CTg|AkNAr>qCPno5<~H8m4V5m0vSII(j3z=Yg;635MLLBv$~|l z%7!`v*({sroK_^6;@Z;s^x07PX`CO4KDJ1)0CUH+6tlHaht3W5prjEiBve|CsvCOGPJa7K`M6Fn-}us-mdWu<>_ zdTq67KV`KgMS+bc+rMQG(s)i!r(4*1LT!}zDKCy|C2f|JzT)#k$0`X#IT1O)NKxN} zEnCa(xOY*dU2In~{64jZ&#ztH9>(J`%Pl};%Pu81*mmYY)OKp|<<;=poKiRS-V7)K zk0EYz*0>>j0iUu^08fro)#Ut4n8qNx;PXKNU+((Wv+BjSRnYr7MJ^5LUSXlKT0deg z&APQ5n5LvAqCnEK;r-B{B$&#*0-ydJBhJ?eV_6Ep0T_?7{hufM@dM>pi5J#AJfMf$ z!6+};-L&JvCYAoFmv}sqK0_pn-kzUYdST*vXF`z)2Y9Ghwp4!XF#f@KEwYOh)PN7^ ziTRL2bb$LCr*TkcEk_{#Kzm1%;P5X$xw|@{jdrN1`p&%WURW`)9PCYS-{LFN3~cVh zKax};_q0zefjSF&{BEzF8zzra=tqTPI(m5bTXhnX=nqTswCsN9SxdKlYmmhe^*YJ; zlv1E0xk=ot&lEX>oNSe1i+7C&CYb*X*6&@Gc+)*_;?O$HP!^yRsL)q`bXh82i;FZ+ z>%#HbS$y$DOKdbZvp~k%f@bdVLRmB|(A(zOk8ue+`h7(Zp_aQ130|z*NfJeZEDup7 zQpQA{fLLu1k-Jk97NJ|FQCauz(QlOclzzokGF4+)uDpbih&u-?tgS>ZDBKMv>M-TB zQ#C0In(DcQg^IOyQI0;SnD7SuirqmpkRvhidTEa#H+|}m{bd>IDY?7uAf{#7o7^PB z#4otv@%d-5r0okUEA_D6RL^~FkH$$)S%u&oFEY+Bf|D?TyJIWsiB~XZ&pI#Ae_g93 z;5a?^-nKC$SR5w?u3uk*B34lFIp#~{!X(#llI!>0zQ@Gy=d*#GJpPD@U2R{DOU zM?ya-I)NChL<&(U7CvJ6>e=u&vS8s_?FkX9r7JZyE^Cl2DVpP@K1dMxDeNt>*L!lT z4JOh#Mg}A4-U&=I2Po#rO-)$1eZpAKQ0=5VXjRfi*wB-?!CvKVqI6+R{IiW;UB(A9 z4<6x*he{4pkT2MQol*2Cv%>_I>5z2E`KAMx7@1cjGC%cyNkJVY5744`!Ff}2ClHZ< z$l;&4g(BiX(@L@Mx2;eT&Mj!cFuwTx{h1wAS^l70xK4$tm~#^l}WrxAy-H`e)GLRJSJA&>(C}>+1Ues1=C26!O3Rkq zk@?DeaIL>xT<3k%jCf~QyL1NIZwz%~F4(f3hg;K0=HAQohJvKXl@UDwK5=t)d^_G& zvTxm7w?9Y~wCcNM`O3$6=cbg-S`kUQ0>f55N>NRS%d9v>eR7ai46_*e8B(3&!J88n z_gDUS$J$$p@jGdDOsBw>fVZNEuef6gEl=KdDq~HAW4Zis{3Q4oDy$2DUzQ47N zX)#K&v*}wFV`Ffg$%q}whAxT;cgEKAifO>dYO5=%5|?m<*9y1hjmHdsS9%AwNo7T3 zSLcvPVH69m7rGQ5H3;(OXVc_(@(zAr<`RRqcX-46hPf08aXX-&ytFPX zW-^d;1FUC)pbTYcl;I8KLvf5I-EdryKKxX1D)z5v=x9FB&q+` z3mv0}?kF@!o>)0dmpSsD!OFQ{+EyOfC3mr6AKlIsu+@W(A1juW)DvI(t8bgyS|v@k zH=UbHoF61c(Er1!6toP{V^SEyDFJx^ZqO~~f(zaa6d}5GQBA-9G4=)IxfRQR9jheW zAj`i^83u0LQBbdIt-IhUn4ioz! zt|0vth@L>&x4%T|`C4FDVDcR|@^i#;cP2L0YD^Q|4ND-D((2Zf@7P9g& zEZL}v{jVU>2Cq{X)Fe5hC+$*>!TRrh>WEK~)i&hs13ZPzLoL!stU)aqZZS_F$g<6D zGchmUbP{G!%(}_33e?ZS_DTQ^oKf)ftI-WDSaF33iw&{l%SJKSof%-=xJcFM|}E8VV`Tua8JU@ zYG;op`>&j={7wS2j*xTjy&!)dk8_>VBu76or1gUbqE-j zz6l7FDy8*hrb9n5jiM6G+jYe84X`k*Ou2I%2&N@EVYO=ALC6=(w{^ADTf%H!KSWRBw0Mcvd>g4vp!r!Hy>K`JqdUt}{M_3Tn|-g!6x{y=))r98St} zhQd5rYYjXvuQ@5y>*n1J0%bF!jbz!v`*&_WuG%@o8OTVsRhPuh{B04z6)=m3PE=D= z6q;)^YjNs_!9oSl;uWHn*cK}N-5S0BUhsHK^{HJeIi>OVA2f&m%va2A!}b~&B@kdI z&IOG;s$Fj63k~GkHlA3yHsA-Q-W?k#lK#2iF#RRzFl`K5QY45mw_@3>>MoJwDorTT z(KvX`AKo{2E8prJuKRa!WNCXs9%e4trnI~xB#7Po@2d!rJRc|x<}VA?HZRX^E6?tJ zkGP3LX)vqt0VOdecAx&yFSzXc(Falja=TrMk7JFmSG>eCGsL{#$144PGs2dnr;+?K zCidX(v6Xc5yXbiMjyMXKw(&sf#L7GP{g-}2zXkb&ZBMJ_u5fysqp>$`jr7jnX>P=6 z&Qh`~$JI}Brne2@5zYoW@dj*9vpy9t{fMye(rg^wPeMO_iKFEOmD-(vg{BcJel^T+7d z?+`--GN-ndOwU}4l0pmH+bWdel&xhEtR8$7RkONR74(r;h<{7SPzG7X& zZh5|ga)_^VV(ge~$?)j!uUqyo<^G3-(ek443q`hA=%HuDP6|klU_CZ5&51tKf#jJp z*4!P@QwRR`jGt`%_~Q<5Y;2{kY9hKBJf)=5JidsNeo1=9Pm^Aio*!Rj{i|f z&Y_|YHPirUpyg!cjq0?D1rC?Tz z6%T*Z8iMZPw>L;coC!SPZzJV?jg_mH@D@F>t7h%+2Hx)1q3Gn(6ZaW12P@N0YB5W; zdo@U~%xf{{0#jNCcxRZx%#B-ji8FLB8#4(xLpMGA@e|Z`Gp-tYK5G0yIb*mcDm|%4 zP+tBFQBMABQc2$BH(1^b%iK>^NJ-udIg}n-N+~H`-~NJaa4nxjo(eZ0d#jmWA;QQz z=FKxA0fn1k%!N;5E-u~UB{dcSWV-Mj`mI=yVI-ZVc@DBO15cBjpqJBxe6b4mf?8I3e*2y{ltehaTee3?m&9(72>G!;H zVWo(P&Jti03KK%PzI0{=GTJwC^d*yX*9N|MO;XzJ4!P5(|@*T{hN~=Ub_*W9ano@{PGnE*e9+ZTlj%X&|=)MwO5D zgjiw?`Z0@3sH7X6a=Hd10t5yHae%;Z&-wa9hSuCG@!O?2Sl5Lcy#yXRYvjD8m00YA zPj66LocD^Jdu97F6?o^5%D{!99gi)Ek?2i|Hfa3zO}a8MKn;)_1Pb#1aRhFA&}v@m zV|Va4ya*JI?hrhif^~G*scFggd3PW)biA22YA%Me{WgCo$Cn@0r}=_ijp0%ncX2cK`T6sZCzbfLhJJ3!hH3x> zEAjX~_b4cEnLW7ZUSx{w9I%VJiWXtli79X+BDd2XXGG>lP4BvjHn?^VWJm;HCDfY5 zkN8tlbaY+^oBjCt!EonMOLk?k=+t(eQ6={2;mnk9D3wStq_jONSItH$5MSauq+9oh z-%yz)Jd}nR4Jlm>w?ah)?4i90;c+{wV0(IRZe-LkRtKo@|2hacW?6pVE`E(Iz@ATW z7(y`D&W=5#LE-ZI^a6y|(eH>GAX@x72%9<89(@WI9|tllfILLw7vzGTt8N{x{YXU- zxq7G<A4H>59)N$C+5E#pH=lX7*Gy$tqqwq=!Uq|il`(i5ArFp zgb$)Y8cXYgv(&&$-=KL#(j2Po?2^Itj^a!m*3HQ|XYQO)tCh{~D92}84~3^_t?4^_ zzK0p|e!3amR`pi=^wnh^;315d=WYFPH~%31uLO}Eb+?@YCBgYx3oy0=-(|e!M6)4W z_fRlnvB&fW>pZf~NY)HLvY7X@|4{Xc@NXYNx3(^0IQdGnX^f!`*0ou*n!MYuwq~qi z=U+MR-T2`&J#t(D{2^UB6yI&@IdXZf@WduhC#!{HyXVyS+?d!fn z_LO|V^Rtq3A~qJ83miqoMnu4i>RRw+3IbSHF@iDgwPqi{0ue?Y`php<{MzINbN}eg zM@h+#fY3qO!;Zp7^r80O=_-cQCsv~>p96xwwCJ^HlKyPWlWI%26JHTAyeXHucpU9N zzw>J2yt3(b$Q|%pQ~%;zI6<)eI7T=WN{~Hp{SN+9qE+-*%eY%Ben5gr;q{?jz7)kE zS$0b3nIEjGcX1J^8mU8k$=y|li|6EGXKL%sA|G?fiYUPS(X!B@`5{2dn zMdW7afR+LGiO7(Qmwst)KYJ}h zB@OW9z`56pQwv*Rln9lK3p5gvr{lYw0yC|Rc|9cge+awO$4B2zz{Xo6#_1jCY-?bfnDqr6;y<;(H!G2=EAmL6cu)K4aP8 zrrhXR(Lp@LY8JhN97}FNMABSdFVV zuFiqRF^%)=`b4ctjh;BI_mP z!J?4NX++AY2~>NU9caG&m7;VI;t2?QXMv z3)QNt9Z$5?*JSx~fT4p3gwWCwRtSefnl3q*SC3mN%Bo0bXQ9fK_fE2^b$V7-{{C3L z!JX5|ubBTeA5ts|B0>%h^xT}6aF2l(1T{5|3245?!TRp^IsYu2^7qKJwzv0YF6Y8X z(56z-YFm7;vR^;Y`{nB!t#;An&i(!4y)As8r(!~-`p0klj(EyMRHN#|;9ra6cS;14 z;j=qph?bH3PfPzOc+aPbra|8s=(nV6sJd+}5Q{p(wpFS}5CG^oh)I1LnQKubyUnw!G_wvE@JXU4!-CfQ$vZxwAvDQMR> z?gVBSDTpyOB>&}bo3O2jz_D&d-*7eP>>Z6`;lBcb%sC|W=f709e3n0G2jHvH_|jr5 z(q2*y4i@Y0Q$o-&g|*Im+TB@fNg&!q<$=t)FX1Z+70!pWbx403)*>_>)ie=0ygyJY zn>S2+iilCR^7$eAV*4@TgF&V@e7@f`nLy6a1(Pd^sL#gXflA1Y{nftB>x2Bo!C|G{ zsRF}OFDieA(A9pOqU39-SU66(z3p3VKcTl4*Yokj@^dLCQ3eYXqONtc91ib&uC99? zR|i6>GlZY8RZTweaMubtjFVU&CmqBR*P0 zNZyPJHNUZ)TA_U@uoG<>91AtP9VHxmInQDDS0d4Ma5&xmN=Kw)1ZFdZ|?E!KuCI^4zOUN!na{kDgusB^zPTA)!dRT{ZF zJBdRyB-49#AJ_9D?{mUJATJN{`g_;qmBI~gcdo_waqTF^cLP^pTn_-V389Ht@wiUb zrj;BpavC%q*;xAWWpXnUyH(i~Do*w(B;zE?{e_1$zNA*bxjS*RhRc@34&-m{H^j=i zmmRm?MxMwSs$mo+FElr!e)NhndbwQN9mX4D+IC=^Z275}P=9dX#$Bg>MXb!oi9$ zKTn{wKu^U`3}oaja=o3*-G?ZRV4hh=+7(~@$ml}qsIgF*)owcbl{4WZV zlqHT|4)Dx@)oKlkHyjq@DWK0ad#2MHlMXJ{xj0}5w-yWcQM0b>)*Q)!c|0+wp}r;$ zw)@p!VF7dV7r5q-S1O`-D6!^^O~GQ>SkMFqqk!(8rG`4A&LQJG7~K-Ui~6)$Ctl{v z9KaiS69v(BEej4#aVjWk-^hK(=h@#^*MqFG!ik((e92MGg0LqRag{Z#gLg0U%E}xr zlrmSr%e9jS&FOBTrRkuzuM8if!KK+K{L@xIQ`z~p;!ig22A&Pnwn?t?-nb+~i#Dk9 zYKAZ5@`w=Q7~oV%UD~A+j1^?CF^jiYz_t4etHhj{d2UPZId3tU*Dd%7@yWZoY%W13 zOfQsu$I-}XXJ`E9_VQ$_$Ju6MVRMPSrkp*c=pT zJmzrr4K7{kj32uGC>n`Kce=%XIZH&zb7)%Y$L3U>X>GeqiTf}Y{ip`x=%K-<2#JVd zjM;Yz9T=b6!s6#mV*Mis&c9mR3;Rr1J+nd3?%w`M2p(Zwah(o(dt!|fh7IDpS@*Y8 z=c11Ac+l<4~3|4LLZL;;h^HMb*8`&KVJgtoD>UdPDvC8`Wn2#1pHFGH82` z3mG;X|1CiM0vTS=N2QQ>p?J>3to&((c$IKc(^vd~kx}3(nM0l;bY(v`PpZq;ehimg z0KwcdbhSrX(bm8qjS|-`_1>%CRmbalV~io&4N%>^nTGYY@Jm?63_S0H2^LHM%Ve7W zB9G>=zQts##wk^=@})&B`_bm)0c;IvQ?H4p5<5)weL}0wqL6WO+-+VAlf_EY3VSpY zFq_wTQ*(EXv;Dx z+V_eMD0+OI%}&l^GO}zUa8UHnW?dRu6#F=Zz{Qbpf(y3)sC(4$2~NZaC&x^sZ3XCX zc&wf&)v_?t5)Oh>R1uTq__NO@ymjvszVofN_?$r9)%D4C^k#JWmUryJ*mar%@w?#6 zmE4kL9C6&^EfDGEb@9`*(*W=mD8A~a=q1xCnDYbUcfq*=aEorh9s?iyd znSQh0!FGfyVrDTqD%k702c@_-hn6j3mtX67E9O}>VC^**>`A3fq*XkHv*!`IRv9m7t znozfClOS&+-QrrQCy*oB!G#kVDJ)l*r#NCU1?IDghaF8^o8B!p41a;{Yk}u}movOc z8hovg-&180)qvzf`&P(}qKnnrc_(HJ^-x=vZ+_ywF@<`=3)eu*s@_OnzB5eaMX5Vl zrJ8D}_K5sff{4|xXWGj(Jx3^2nY00f_Hwor83Qq^lWlAVlAjZIad!>F9yl_7-(wx}D3vBR@vmb%LWEB;}+0fGzvoyw<%Wy0|h$ zt4%@cu13N_sdAkB8TPi3xU3H8OXgtM1b2AlU4|uHcMO$q3}%rzroH)74=%#J%u&jw zaPII)1OY2Jhqz&FnWFUYV2Q!>F`s>Vb79tTaYzSHw7JQp)(`1OK9(K{?vP0Jx zIdAre<-FtP`jl!LEz3wf>0zxA>{{(OxuPY5l8rO@>Zci0JYpDNV|_g{UK|K=2qq{# zA@3}h~q_?H<8GESR2Wi{4kMNQkl0*j3x|N_d{@SF*!3^Lz4$N!YAJRsh zP9|9G^_uX0Us}ICDTX40>+w9Pfcg+n~w!u;$-i8=VDcMJ#k#a{sPtzgD)|qN1L_8TufDMa;!GTgy(Pz{efY~FgUR5Ommn}d$vv;?H^I*_Ag#X zGo@rO%h-G}mW+ZTIT@-_VV_{MZI=gB1HUSwb+(1q*=(1K1D?$K(1P!6uUGGGU1ie8 zb5o|qasl%6lOM@;6vGI!t3oYghQI=1Sl4@`Oj#T;LKtl=S?YX-8%6<5djPWCdB~JmCcwR2v}3Vvo>yD=AJf(X;@xW^ zldkoTa$91`VozxeP;Tu32Je(WK3{S(z^462w;kF8=(b8skP;Wc!V$LbDN{2?K*d3{ zuyVJ!_F3xjyx2h$;Q8JI;?P``j3197Q-A(R*a9d$V@8;rAL_3^iv_Ll^W^gx&=G=v zqX4951F`=Kg(GcWfWa$l0a14#Xw}sK8+X4R^0#TY?E-+8np50p-~%917*|`U9>y?V z!pX~EJF_;O-Hzrt`H`h!0{!4tE=2=#-vdHGauhPW3F{vP9K}bGKs>6g6s+5p0F1-_KCJc0M{RIr_!$KwBV;Em0;9O~bC+5{u3$&7DImuJ%qu-G z(36q~^c44~wQE{9Q4D(>jD$=r3G(LiLC3Vgz6a68jUW=h%TZ}y6xT^$lvXQ1n=?Zt zBQuJfq1fS z%@ZgbaZ~~37sVg;?cM9uvu_E4!W`yiqEngA0G^!=0MD%>Fvt@illjbE{8JbRkwYA? zA{Oa@^>HPqKxUhCAus_%fugjy2h7@m;|2&IH9_WdcCWjXn4OUs+DJTP(pRwn#`$#@ z5L@5RfMVDhpdon*_=g9qMi8FFkP2;sfywfEOhI0PqzGnM2%KeFG5M9r1vP z140Mfp+F`CpX0nxh#<@zV4pshdp8~>wX{%Ha1%L%V-#Jf!L_6mE;N{;w1&bULZ_;X zw*~@bS?dYCk4&n1SI=n;2iETFaRuVl*QlY2M)(owl0&mgB1`*iP;tp|$uDb-CH+Q^ zYiMy+bYueHu`Q4s8DMwO>k66DUJc=KxSyH#T+(h`|2wk;1;YVP1bj3Eu zp)Wn{>6ee8C04zFr=+{C9jDYyg9GzgeA9lJs;p=XjF24uDLBlG0P{6%*s zLp;z39QA&0knhIQ?_1Fd8v^*kiz6VA;TSn!Z9^ai^Oy+Xs7qe*fwA_-FhU1e|554~ zUN8Yk_&%GNGbcf+bm*D_5Yqe83IuML!MhKwS$Eywd>8z zDu>LK?HY5^xQ^!x)$`l6IEof!cFxAtT{VMJIH(x5i6R<7dnT`a&Ra4L ze)gBkzbtq2yEL{|!~ws$UI5M2d3v#r<>tX^4fgJdvR8HMkR|`W$3(bm*4i_!+=pA7 zZ7*lkrM}+0FoeNlwkmR8;iNLh%(IMK%)yJZrG45QfyvRhj z@g0R@jO%2F{)>eYb4(Z`#NvMkmdwrCYsG6eBe=;sTm=hz9t$HGPhCUun+r2lH#USX zi)mRu%g%Zv5P~mW=9@P3(DbM*4NRUH^MWfkZLg3j;4OoNqw|DA_lv_Moo}1?4>DCY z+S-oJ%5hVXqIGbm#!mT*CyRnGBVP&Y_AB9hsrB-z@C_0E5q36@s3wcUxF#N% z=)i74vK7Im8*Q>(qcYE_zB_?u@M8#p}N6BVoIPoe@S5*?nJ$HVOrQSl!VJYI8&yOZ}PmHnlq|I3Dhqogp(vtDS z{E>_t4xT8f9;rFW#I5v=s2&uNTq7LPHrg+I8r+m=W-#DQO~r6z^Vg8lgPVb~9$DGc z6~d`LB1LlzB(OgH{E14=PbQH^-B~y{-MXZ+0=I~pudHzCvEVzb>Nv~*HDB?q)7nD2 z_tX^8qH^v5cSObHq#rA^1&GVx-W{aW{0G5kl%+lusJIK`i38YCot2ob$`M ziMEU|&XZ#EdVczTuc)$dU$m*U4_9q%cFk5P07a2`X}<^{1hsOF&Cdztg=jbEg zE$rh=;!;pTFgEFA#iv(_m23peMi0iE(!w={!!SY=O6E20@*eVYhT%H5(qk@ z;=+F|nH?GHGVPA7V-%3An<4g_Sizd_ZUS4y|99o9?xeiU=bHiL`>j#XxEqQ$djqmR zr0XP8PGbeRnBlGF%g005*Cv3`&l3Kede!GXLlI%o|DAdI-wCj#jT&+Ui~DUsF20b( ziA#nY?aayaCE$&3)H$2^Dk&Sb z_Nonl%<4za(`7-$Z9J6IPD%JkKNA6OlbpN-n_IO%2 z!77fAKL7uydh4*Lx-V?_K?DUHP`U<`lx~oe#-Y1IdXSQCL_v_28e$kyngIzJVE`qi zVd(DeMoQm7i$^W0^DgqqImVvdDiKK??2n64)F6$M9?0Q~n<1E=*xBUO2 z&&X69xB!G#`Ji?u`?tVLw!Cif?MBL!jgR=w{iNZ{oa27h2mi@!HWPcz!(?hCRVFJN zm(T%Te*%>dBHm(JYA(sWUgjDOUXBF_O=^&lviLu6ABdK*=?M&-JmY?H#-tOYI-l63r2eZh21W54oz_3%qPmTiBcW-?J+K(V zo^^_KN%}VH8>mv^$sNv|LtP7~LBKqQzMPJt{L8uf&alJ@jR%#KiQf5#PZ{6K9k|Nk zj@mT{ErMdo|75s4QR59MHCx)dbxrzzDqgds@SH^rxl3w$_8<<-m z-+o_=`ne@BHu!wW1^$wWBns`l0yL-Na`45A2`6aNK!B2P<5=&!-bU;UW@TT~_#VTV zKZ0U-`QB{S1Cz>=POkI!JZLS-_02m2}*}q|wD13Sk z*cOiceD8o20yZ&O2h3Tq-2!>i`m*x3I}|(!+}wIFU?g35lwo40@zZM&S~yPvb@Gna zJhp{ve0QDU0RKE0TKB_-?;V$WJEM0{Wu4EHW8MO&)(_ ziahBI#)(z~Ow`tPBY+5W%?`e~gjc@2J^e@7LiqP)X@ma9<@WWv%eq^Izi^&Eb+<=t z=QoEP3+FF`rMoU?K<~n)PIV~qxc*@T7xj&#+?nWbdZWTFZGM=&m)2BHQwjeE7(}rF zh(L+|b+#|s-*tX2kiosr$uWH6jf1;ENp~XkjLuO13q}(sJnusR#{c;fpfAQ6r}H_E zN{oGB9_5>_<*%%r$tV>mI4!fOdU?%&_M``Hc_H01M&ET#4kav~6R9ya;ijvb4VuwM zS}B4o9L-I9pDA4%Z}rvKZv2k_fZoJF?u8-CsUVNUashN!Mtn%Cc1*zAIS-DxGD#&p zXI!K=`(_G})6G+)a`k`($9Juen{QAp%Q7#J-WVPAPd+kkdiq@pyS@n*KohQvGRCtXLBsaz+XRbcQ{Lk;32Nq|pGXgF z&sLGB3I4+p&Q`}!UO&!}&8JIsBNI#xf8Vrmubt5yIV6dCj|(#SZ^Fc-@&j(zz12#u z%4&RnlMr0U!_Pm)kzyA}V_2v@ND%50*20|ZRi;Q;^4fe7XNI%IU4Mv(s z86Q2r|B1XMy?Wabk6JFValC0;s18Lt8Til!8>hDG*-Sy?e@Am?A-EU! zd*}&4x|<0ELpgdOn^9`tI~ljX#f?V+xVlyBnft}q0jtk2t# z=rxV=u)3)q$H6d;La9nZsRAOczND4R&@ZX{SodT9hSx6|@E7muRj;qN(i1l6Z>Imy z57qY&_3(&PqD8*JmdWUv{@zpVekXfw`#XrEKXTpb{wHQb>3nip|JX5821k=kz0H(6 zv}1LJsnOA=d%B=<04tfGk=1RS;4HFnJVSTC7QAw{8SIEGx z&~HruGDK}LBh2D(V2_v{eT^e_0ir#<1b%5`U0$i~ODN{(T~IWhyci2N3r{6t;4|ss*sHkQMS=O!K!R_+p`nX^k;?kphv3R4utrgg5=?G1IyBaL0 zTF+c;D#nvVHh=VTX~r&UrN*GPzp(QQ1X8N}*1-P{?5I4atb&61iNAnL9`ghI@iQ*Q zk+gQr;I5ii+WjtC#JOf_xhmRV9ECnpV&=7>krE7_{#a*qzDMu8m@)M%0$0wB52nnR zAT{!O18fc{>p=v5mZuhE%j3!d-ruC@sO)EcGVPlIduy`lF1!2oZ&(e3T$>Av&Tz|d zSXvwLfGr`unGW42OW3CIZyzVR{4;-l@u;ka7|wV{y{^Z?DVA&Xt$D=_|5e!8^H-}@ zYCqxEs?pqA++OL-TzTUB3Xe|^Z;e>wt&m+(Y5`Eir24}pazj|*?W$d)nw3};*j{cZ z{vDTUMWY|_y$@s{6g^H@F>g~{aa6o%m}NhX1oi2$eR*qM>Yy;$&uKQ})FtG^I{=Ok zej-LbF8WDZ*H-=hN>>;&VIGrFTSLymPfk3XmD%*PZv4oPbA7WTEo1Dee>mve4nNRi z`|2K5PdF~VffGzsBlU3lRm(?>(-Y*#6hHlTE|tx)C%@lP6e4%}I%cA8o?B45lMJmO z>4snN#POM{Qn13W&ahQAQx=)!u5)Ht-Y2gj8F{gLIhYF<#e}$4dAcik2bxOCU$QB_ zaQc)Pnj+iY@rw+uVV&@BHKcZn&w!>T^;zgwcsE*vw`TkCSt) z>NcFsm4AFu0nA{{IjDndW$IaZGRDGr<>B55GK~$+b%F%f;_KjQEx8k@hESB2gU|{` zOgbNDb#Y)H^LQ`GB0c^Z82LuWefdx6O!SHD$F1-=Rhh!jo%;@@C*|2A?1Jfv&MXP{ z%<8?0jr>6g9)pemK=48Wwk{VH-tTN)zY=b1;lbecVB#q$)y5;5gcMm_&Vj$2A!Q=z zjh+(hF>8Ky>wAmTn-tZP->ZKZK5oAJtin0CLP~3$Iuj_tPHe!l<}8vvPyO9LtNZh> z{8j+6DsbZc_D1&ABbxrOA;C^6N<-REi~kG;qd5ax)A0O_6*}@x{IN`%x>qHp!x6T^ zubjN$dX6YqP(SnYE9WjaWK=)p3GsGEOIfmON)F-uDOP-rm!McZPF(-+^18Pkcy9}9 zTE1C%K)RWoIIYO$@fVtfi0`AZ9G9ss@1J*ek!PxnXswydv8D=#-5-qV4b|z;dpWqG zEl+t^_QdH59pzaPp8R%7sD980zng|7DYvpx?%{*(QR%I>N7|lS(liXLHZePMS_*f|9rl(km$UaF~rT^4igR{#Wwb~R1Sh44`;r!HhjUz ziY=8>W%G2Jl-2F}b=8VgH#}x)y!y4V)Z(e}8%&^nr&eN`AC5)-r75vM(@_m;_EETl zt=QIxQxa3W-goUwio~DawdXB;X)im)QPP3Vivohp&6WU;M21#nM5o>XG(P0Bu?yxJ z_-QL#sbS zpo~(N>R^Lw!o6~|J%BZ&2WNh|!4X5T)5ZIZc+IbISa({nK`np7F*5o@$fW`n|4)NJj)<%`WXS?wFr#*;x zTL^v3X25gSHSl{Z=m$I3DQ1j&6oYM}$+j|d))S$^ASm;!+YVnQklbD5)P-CMTZ~j= zUOjQU!-i^eE>mNY4um|5bWmzTWGO7z82N4_I7>&Egw47g@{IUMaEO&`&gsItN^-21 znGR;HP-%GPL*EN}0DxNt&s=69i%d1A7~lCE#O zx{S&BYo43u;31(9iP;L?eiz>+W$TmJq^}&CygXg8gRyH+uZWfH%`4baPP!h(?-@i1 zo=8Qc8!=m6mQvNn%r+pNCt|SS*o{Ya@Y`rc-bIQd@zp}z3!@-=g2zhpqpzabi%BjE z*m_d#&2WfikKooWN3t!a_)GYS)Gi?v+tpGQ6+rqt^Zovx2cw!frpG(TG#=(5(jHdz zZqQI$WI?#Rr6({`{nJ^4QL`XK05(ti)uTNoJXq~Pr#P@^-hXh!EZi0yaee?A?x@G_ z#kD9~Wg6;iJB{(PX$vCHR#Z5k$bge*ZffBPe)Yv4R{381kwKtnSL~37CoPiG{3L?=)LfYt`oe+% znQE}nA@orP78en3;$l8cqC9lMWCX+at+U+Tv(?^`2Ce>ii91`D72CLqCqsh-wEsqx zSw-2(E*`+PKukqHAIGKU&&s0xIA4%?B7PkfD7T4^s?N)zFAcb=1K{r#+%4LhgqFeK zy+U|>5<$J;70n?BO;nyWhPiD!+VirGO`#kg9#Ib#Cxr_qywAiJ3%>7KpFWM7-IU`) z(vR!;JfiXBcSvs;vyZ|G%i<~59nPwMRP=Xwml>w7k@bphXpG0rBQ}AlPt57-9`M!x zE8_=vok!)YFE7Ijk*{t7-w0sPS04RqKMV2|Hp4p<&C`hp4G*BsPX6=My+ZckS{u z&-dQzyDz##9R@1S%etD&D*)9FA3)+S$R#k5^_x^^gM5A&*v~g#MnHORkzuTL|IWeODcqHl@n#&F9lPb-JuV)k_1TJu`ivTdt{M z%EYv+wpM=6yik$v;(QaRJUb=$`fK+*(DwM#dAW?H0xM4LOY=2kA?!C6XfE7fMY!O-tEYP$8>C8HM3Hf&GSA zv&bC*HW14Z42+oRR$J>2?~K^f0RaGY;TrxXwl#U!XpYfG(B>Of)GIKPb+`Q}%3s$l zp+d%y^W!?gm+c_D!utc!`?bcD0S1-0IJVm5r24Va(R*k(*;z=1{zoD!N{Fl*?Pa*I zbqNU;X-*g7*8#kz8Wc+uKm#Ea(i7{LcnUJss>zS-DE*{@6*YV5{~5)i&5A%(u?rDD z0+5$I>g@p{3Z{YJuW^L$m>MTzCCa+^V6rFsGksR#VueP>11sIJg-Y{eP4K+Skj|X@ zuCpgL)nsmax3|7O0dV5a1O+Wal_7OHcaaiH&pcSwYD}&sLKpxi^1f;-^7d zd#bL?h3MZ1v)RuUn{&Z#{aa>g|MM0^quYE`d(sDg!(>+qZSq|e0=${EiAfSn#7v5= zk6M`9#P7+)#0~w9yT)%Y=4{5i1|YWwQJpDM9Glc-E-W(rckpg;(DIZ$RNz4V!zE4= zTHHcREIcwlNvYq==j9>+8BUPEmJ?vLyL=e5GTW1|kX?4eQ>TZEK_jAd1-|?_u^@K( z8O%EM!$85}&FezPr!Ixi0egjg%F#nXkE%8RYk1Ue<9b(Leh>&Phl z3|FUG>9zIm4Q!?z8pAz0I-XVc6uc@#aC2V@Z}Lh`NBY7M+@gT-^Kn^!D3%=*?(Ir- zPcyNTrl-46CSvz;>Bx$8pG&TP)l72F&gID>0B-N3@sw#%3)qKGd90`~Cdv!sOerk* zW{9nhtEZlpsJEl@)kbYZ)DB&yHv+%S>`|8#VW&gii=+kFXKwg0Bj1R`$SL z0a2?)?5LZN+fSpPjPOc_-&*@i4zav!x2L6m;e0Yr_>vzRF9gx0L8tGU(S!A<*U1@H z`*+E0p6yn|UkL2o1}Zvl9vX0C$A2U%x1-ic2FIlc)mE{P86PEl+QxRF7{*vW5B$YE zzm)jin?oAR)o|3#?njfo1--18S@NvC!5}@n9&dG?2qw4t8Y=a+^~o>=#}~!e%E2ki zLtp)#|0D?A4V#JlGzoG(my^h(N}TmlG27p&vZPM%sS$Raq%J#>DHohSG+HvfWf(HjSh&QM%hL!M4Qythi;QeDn_`ni5rbX4i$2b zFk`MxTnK{~t;O_M8<+<2+azT7!_5=X`6tf<4Ss2EI1}1Gg2pyZc`OU0CYnHNc-oa% z-n}2#SinNQfS!N!*&{e;^x)i`*(JCv-$Wk`Fv6AfZih1i)it}zE&bLUh#P6rAdoI6 z_4Ms7rFvO1!}+)jzBo*XXbM37|ZFxaYMAq8PGan~nXh+;DLn-{hZT~4}N<@3>a#BrwyZh&#Z;g^>8lyB<4VcWa z3?A?m2OUM-0M;Ed!T(0bs zm!iHP4euCk$`@ixC#4c4s~75j;VA*!R{PLwD`yEtbOHl|)k$3)lqUgH;gjj|f(NyQ zEU9m-K$7KAj&HYTRMo+AH^c3Q&R9KbPig%^?d)O_yGB&qE-F0jH=Hxpacggezla|w zLtu`|#Yut0bO35S>1QJcb2ov;i{rwMiu@@@C2_t4HIUz$b`q8G1vdypJQ5}OuW zof8M}={+kxh${Apvas3p;{_}(9%1|P{RWi^(@xp>0Uo*8uQEc$b82Eg<|f@I5HaLP z+|Y0-)vFYMF6G#2q*OSk%!1CYtlj=2s`176+bsrx*#xnYV81khu)y;V-WTXc075*% zq2Xy!E80Ip?qte-Gtlg#tH}=6T8Ev&0>-qWt&}k7cwGR1r-~m6?NrLQv(Gbo5Ncx_{eiWq&00MfIkY51X`YYSeykbD z0x?0Bv7NdwQ7tdF22Q!KvQflKheohP9~pH?=6Gm`Ph*LjD`3r|McMgtfaljFwIX-jod<0!#ci6R zu&DDwByd=0*pDOBd9hJLQR_%VIg~*IP+jr#)byx{cNH$E_KvH&!sL)2l z`&vy`#>cq?lh&^}aCdgz5#501r)EeP2Q^zBCgjJD zACC{M3m40&t;dSYr0@gmBsatTvzcGnd=wVuqVn_CQeD>V9!UBboX*kay$~}F-l8U+ ziIV#zN*D^jjR6;0x|ACiGMr6*)Q)@xbUT!WM~IPhB?d^NSOEuIAjWWn-@&PtOBuhXy?J3cE9H|8FDTNpAFQTCq47POg0 zwAk}NFAxCl!sW2;0wD{>bBF@ElIt#DDrx@4!<|yYIhu2%V)hM#(IOc*Mf$tREvVxB z-URyV6W27eIgG+V4cI()%p0Y>4@MkE0kNy%_}&qS=*MM7A-YB$U4638&gCmEX}12! z=Cc+g049tO)4{_B(G|YD+fmycA|p$@Icpt-B^R0oJVx%EW>R&zDfv>W7wxe*Ly_*I zg#Gq`y#NW1OvIHsjcb-wk75z9tc3>WntylR^7j0;RdQ?=oRfJl6Ih%SwJ!Qqbsx~a zNZ#a}-bnuAe*zHVTbRrw5r&q^1nMg)0aKN^n{b>p-JW57smwls8@92zQ^NvbU6mH= zvC2rUaE_2gh9g7ogS{@3EW4oyZV3*127r#l;@ESoYX;mcL7nkeZr*NHkA_+0sd=C4iNfHen>gVy$pdqa78Oi&ceoUwd)f^jWGvZWpm0!pNSYL03 zM|p_ObQ5hcBAL&V(D`c}16E@?emWb);>3Y>-JXy{9ZZfye-7}idCwP@pQvrGU>Q6g zo9m&KZ&+nAdDJx4avL1w(AYD;>}hQWb@wUXPD2z@oBSfSo%V5=aXU9I7`cy4p&&&ElE*4^HI zm(BGvj*}YInUZSuOOuiS&?Who!^rV5M(usYNA+qbe1KhNEZT3+5&#WQr|zvf=M{?i z_NYZkqX|gk;{et4rrOSWe!-mxJYtGTR_DhTYr8ol zFu=IjxQ!u@8R;E4l{_|DLf#g1eADp$23V}rje-psujt4sMmtzC;F%Uk3rDsM=Qvo_IfE7nq?=HYNbvcqPYQ0mu zBC)3FGp(X6=H(iS`Nm-OF$g95o=LC+dq7b`Xiuy@9|gSBQmN)C<J~DsroPBe;KvoKBG|=G< z2HW_gU<)p)7wwY$?Cr!Q(dK&U<)cY%8!l9lyQlkUNppIfFoLQ`On^Egm5GJ%B|uGt z2};P5bEEa^Pc5um)TLLdhw#l0d)fg90bm_ZuO9&>VykbH;(00Sh9E%N#RNtuT?fC< z^LJMtX=wu?(dUGXaJA5&P7Or2DRVRgy#n_(k8C6OP327G%VrL3Jp| zvF*OXCp0P1-wj@F&Y4p;n3K6BwnLRULcI<%U5d)~bKIjn+u2cNJ9m<078_I1-T%OP z5V(F9gpR0qZlB<-ar+(%16kj(5%m!j;CKq2D_N}wxuaI98F8lQJmK~Mm^*^%5ETuf z>Lb5e06)LSqc&~@SZlNOaxc64Dpzs6JzjSz$cEUKVE1Y9;Ec8K{$HDmqOgo_PH6AW zRQ{WL%JuZK3zuqlkQ$KhwHd&F_{7S7nzm6RbiIc1GEVrGwdhKNI>Tqu-oqF$IBH7W zC2@(~Tv9we8h#NOY{0_W)M~I)E7hV0-rc#2cVwbuklHw*O&u!d;0N!m9j-Lgy^;lM zuLXg$fSz6@gD*1nBLSx_h~O;}v-Gah(sZez`!_FAN-1?F4S`LaAWLx?Mk^LR1TWx)nvdtz zUbct8D1dF5L_zd+m18>SYf1jtfky^FC3Ke{)=&aLk=AOgk3`AlGq6BcG4_?v5fP74 z61xfHqx})soeKl*?bVuG`Sv47>~1c*islGj8^{k&fMl+p=j1lpn z88Wb2VAWgTwOrZ4h9FoXP!WXR^s6zY2PjYgSCAxhmmI<@s0Brv@_iYY4|#buq}n!jn>DTBd5|w zQv?|zW;Tsue0mja|GD}QDAM#+tK~5%x~NZnM(59&m*&>1F}N1Vx*n-Y>FPCjysby{<$RJL08TeGH_ zp2PF-uGKGO+3AZBTpN#6o?lIT^VQ$2e*fc@HzSW=Wk4j#v>TbaW8O70_1Y=7_<+~* zSU9+Z^Ibh{cw=mlmnR~6u8GTD$#z)D@vj2trNoSW*Nkrld%&79>~lZ? z!_?6JJWM}<)1dk@Dnb4mCVbtQW6DIh_D#NuNL8|<&Nwrko_44mC!A?JYZ1vDIlDKW zpo5^I16R;FKFpm0eLi-9cF2sd4edV{o$_o!^)bq)nrw~$Svcrk!7>hi{g{E~G&38d zIegO{WsE3k20^!&{AuhHX`PfFio1DG<9sq48{#l40rk^p5kriL9P5QYCZ-9|5U3`9 zQG7W6De-6@x|e6r5Yo%c!6)Vd?#(lK)f%gj(@(gr`4=LJPqxWhDZlUCtD*!~9SEs# z?M`~dc98a4)&-%F@5E+YqbmoeHGikFRz{eV;)rTY4t+lwd89J;bOe(y16gx%E$Om5 z&e*fDdcwxUm%ik!Se@U`Ifls$=@PdftF1vO$^FVqYbxNMUSp>^7Cw@%{}mTkFR_M9 z*a)L!C*0TX7OLn$hI2ZLQqVmPG!>W6VYL41o zF(P_@GmS(5qU*q(+6J&qMx1E7_*HfH*VZf}P~F7e1opvT@kmt{JtiU-5m^_VDu<%I z2enn~h->^bn@d#8!HuJ`KhA#g#3{L!b-g=}kPM76WiaHaVh?-luN8HM3LvU7o@F&I$m<*iHZ#C!%w<%V@Y1U{k7(>S+_w813JH~lm-?c;zU1He z1Er^|t|WVU*E|zDkAdo^ZRDi1Ty3Njm&z!Hg|LoOO9}pIwpt#@Hl}8(IE1QlgwMK+ z%^1)|WfTsN4sf4z@t-x-N#TX!K~%l046~t}YE4U;IJvY3YbF_n9SZ)xnMZQp3#a#R z*GvSgC`v_L$bQHHk01Xe&ldNr{13PN4gkAyU$S0#1-;?I#UUmB6qSxc`iUT8D10 z0jrZaK49flyF)%v@)Zja;3nQLoD)0SP*hEO7L76$T{0k?eB#Wsbd)-Tau*n&nNE*) zm&R_K;MY_g4r5v;RYF&yXg8it$HeW&b45I7NvtjPb5r>ABZ7_pl&*wm*O2e7^jhhq%3IeDuNWBbjx%HWoW*@*Lk?9~n2JeAtjCfBa{2)d z*iQF?nhL=>q{@eo&fm_}^2pR;!8)x_mg%xG2Wfb5$)8fJJ*US&4Oi%xg=6BXRe6Ng z%gTzACwkdX@!ls_2PTXpLy^8Ekw*k}w$^^!K+vDuM~*8&89Y2d6{(8Iqxn6M+^Tl< zSm+C>xJE>XF5EHGDr8sHsyF&dPgDh_nJC=_*In>$w;>frt4l6m%=Dk!Brf1ocvq7q zn`g`d{EnBEw90}V+4+!KKM^;~vWiHDm1<}hRbRQ7dyU`4-?(JC4bVeg340N{=c(5k zzk5;Za^NdiJB24vtGExXp#v%v8}wBSgPi(hXAe>na!EWW?un+L03RvYEr)(o{iV6z zp&yG&oDW4K;fZbuHF&A%vXTns5|1SFD@{t1ZlxI|I^spgM2w%`KjP}&!^I(OtWUwK z2OFbf;)IRFt8J~3(a>$C{to?^y)ogIJ+z3kTMQBz!IMd770^Y zUgJ26jnX-((qPc=dU0xX%~R(*4RPx>yqBFo>Iw`dNbyxk!da_1hLJU)>kW-GKj6Cx zpxFgxhtOMLex9B+t~GJa8{4(ZlXKHW`S73(M`1vzryF`k@6(m$9)R}v?Hk&@=lYCj z9dAOB&lu8EjW|hyEJKac_gzvk7~|{jpUP($jXD8dYoOU9mqrpygh*xRZJlYdHG6k3 zD;*XD&*08Zsk#q*)F-|dmMykJSJ-Ab!EJ4D0hhbWLHbYI9%leK$oc-QBrLNHMDME5 z-GO*>&T||Dq@Yu~9f4D|83w&|b9eYiwbUC(<`jh$Qk-Ijw)X?S_wmy3xB7(5tMNP+ zJ>r@noU^F~>O=6N^kS+^^P$vqtjk@TCO9W1q$1cay^j}2GXT}xyJnVm`b-&cC*VME z*F0IX9S;Rw4l+1(sg?(h-ayiedkoT5J^3{Ad1Tk!Sv;6Y=AhK{phw!Qu(Z{FjcYBn zicsCx!a0_69^GB@Z?6A1Xust7cmT#U>P@K+kw5IhQ*o-sQl*UyAZ}BrYa~f^q*CX_V#2ujerTmcR+@00Q zHC+KMG}IX>rO7^L2<-uegFv&fo9bMn5@o*$JwrD8_acrOcn!t(T#a<8paL)?5H_X) zJhR9uLE*{m3Y+dK!Fk>s$5ERUk)YoHj=0DYkW3)6{B>;v`ny6*!Px8A$M-u-ssX}K zFri|-V~p4Q(9X%WyTuMEbh8V~F0r=x9)kTfg1;v>`TNq zpKv;aa=+|S(U4%pX?L+7`*51TXpdTH$97BUL_?SAfJ`c zlcG}{Oh92EWi0@I>ynpeabjbvy7Atp?nY@et+~=f{d+H@>H<=>6JWY+W8Z-GGpVFV zvYd3$$Z)J7{mhG!$KS+&o%4dqyzv44SY)DcqTjO%Wi?c;S!bnQhzfsvV}Dl}`P>lq z%ETKCbGp)e=LSGm1Wi36X<#}5IA%-r`|Y=R?z%Bip%uqZ2BQWEocV)y?Vm#x)C{T| z=15d;Wn2INyV~{>2jFr?Nd{mv$Z?gEQGKGUNh(t-E2a~73~$6&AQk54 zro>U5PLoKdI$_NXkkvL994*J`+eA0MV~Kook6DtUQB8jzGo(8BWREE_m7v}P5l}!= zmTQ)UJab7QrDo>S(rGebX2TT}@6bk!1{uqt`;2x(IUsz;!cvv{sBpVxj+8Ho*NLPA z^L4)}uLA$|AN}jME^%qQ>rX=Gnz(e@m>4fuLp-#It*f?wIzji7Ng&*aL-eSSciO%Z7p|d|Z zkk#Y2+u+QqO*fGwFsRk)!&H;hoYzlJD9T&-NQ%{I=C*_ji#Dntys)QZfb6_yU&$HJpfGv0 z!lf4HFYU;wMtGoY4>r>XOPQwI{Fv2i84l6qx~fLon>t<+lzggzxvtA$=;cFiEb9e@gX zc1x7mjmYayD8+Le!+bNEzsB|&#N1SzoB+|TB@hC#?+=b^G0dY+YUAQQDjSxUe82O? zc|IEs$iHC){Kvx7qik=gA3@HG=WT%yslWMT>TJq?!0<7XD@mDH!<3H{#Y>Yxs!Ayq zSNnx3%0)xr>wyb#^mYZh8FncssR{Vf-e$G+-ELA!X5bCe(V+*myEC2;sq{_81AymV zxg-~lT{vyyL3WR%@TuLlIH2dPS%ulLK-gph$rb_lyUhd`H2&pxeH2{n3IucD7VG3H z>K}ca@HQPpuS)h&YG=zuKzINY0{hE@?$X_>LfJizKpg~?aF;J)sl3#sKP%imwp0HE zgu}M03N@SgnQVYiQh`V!i7J@CLxrY%v)?oM5s;(yqh(@^EAXb$Ncy`D01mppN~N=d z>N^4iZh_Y?gB|$WGzxvY(Ez{v2zcnY_tncHYbwreAc5}P0Hhux0snlqsN)mlwCz0A zr|u)&8{N+qSHweuljc0$6I-S-63CtSM;o&mdV_TS1PJJ*#Er)iY3Q5)yM^o2u9W>wgm26> z#u~d40roziHqkfta$9XqYCw5^AYj6J zd|&2p%Z~Mn^3y!#w)D&};YYRVrRSSzh$wPY8_&_6f48;ZW*lLsF%Mrd9;@^75SI@F zb^WGsC%x}skBXc}c#HR>QpLE`FoIef(++Jfe4IaUH+#gdP;GQzb5W^_<~}25oqGct zsD~SCs_#B@e?IDs$`I4j5Y7F7gi_GcZk%vwcJcA;GzRO;G|(wF&owdDjSdB+u&>G0 ze$AWi)U<1Q-vK0SGUdjg*dRnN$nYOxYDd}^Y z89R~Eg=ybk_|WB0f`&@%g54bQ=c~JEzZbg*-@KR2ZP6a@o%BErW&1m<^H*o!Uajr( zse6`p#54j_2kAvJq^x$_)*8dI?{*8iQ*;Il;Ru%>*>)QR3-d$V?5LdU?QQkPiWQ~= z>ki&OwZ&L0H5jsy-p71H+~E`#G{(MhncrXVzZ*%DkIQCo#alROXW4cfSI@wm?l>ep zFN_`Y(m6uJFG`$HLn+!;j7)ZzKWaH|5Q`6Pdy49L;N_>pK`b^*ddZwUO2 z(K#Z&!oIR)2qtKlIT)V$k&&F4_GzJu6xt$j?93o~r6xdMpTiw4f??zslh08+mnXP& zQ&nwu%~OJXiOh^Gk0-wx@!e<;z$DC-beZs8pbJ_I{@Ku${d_#BOAE8bv9m%%X4QeE5VuVij1t`f{Mv3x5vD; zvHo_LIV~*JE*}vqlu(m^9{XUm+`buTlK`rX&WwHZjhs|xM$wA#+Bt{ppl8)4uPrNW zB+&L0qE0Hi@-U-oO8ytOG1W&Z)&%ECS?HUY-=QRPm-_b|7rcL0vFP)qPT9Hk%o1HII#1 zVxruwMmO%*32~RYMh2aq`E4r?PkYDSMCrJ_2X+kFfyX+6&i=20x-3t>L$J!oYFb|( zCNl}<3%rc`WG|AAs*-t*3QB^>YRD%T9#*kVSQ&k5x1I6*)+0xW`^QPpa;;7(9+TdH zKB)HI@70;iq)m~nHF>y~IfdK{aT4e8pxK{Xp+Y`@y16&^|b4hZ(u)54arJn zQMW)Mb=>Kg*9&G@WJ5B&EH|WQ5Zv*wq|+h7k6y_e&2U}%+w*XJzXO{WsQ1)5j#2Bl|y<*_uldYyLa4ttmVR%@1kZ8Ka*t?u3CK5d~l~ZHFbQf#PfV|5|3P5KY5d>AXp5U=gC935sCU;ESJ#!nmm3Q=2d+PEOK$UTZ_x{X2@k4*|IPsz z;1!g`yT3f|exLlk+=+h~be&y9w9gZK75`)L-JheuAJ^v*2S2WR-(7FK`$PZtc4FZ# z?gb{;=jJz@KJK00T=0vyiTIZi?>w4r4rl1;e_S7-idK$R4uT&D&U`%lvv%?BY7X`8 z@7YDsfw*`m&DV33>$}^niyt8M>%YIx4;HZA)d$Y1-<;g~{FSNPmiznj#~+?xn!jlz zy@j}I*c#y;kx$q5RzBi{JiC%yBWr5TqGa7qX3ad#BOz1P4X2--m(omLm$xm}r1Oo1 znVg>YU%&TwY?zE+@O80Ls~Q}B!JfPtKRok1^a7uGfX5|?zq3p}(l3Xk+m()_h6v`(Gk0 z72T<779fS;>r8xmOnw3nsJh{^v-E9Q(k}dosHq2d?9B_%bII<^+w0qvkF!txzrk$M zgFgS{NZR_!)VmwH>fKZ#7Q<|0N6$1d1NlYtuXl0(S2UVgrMge*mHO8J8ekk&JY`3L z7-;ix9pz{FceLF^ztUVEs-`f-XtPf7pSK~Al$81E)q7H}n#H=FVsxz(Tr8$Em|r!s z^FF;SHT+;>M9A9}u*8Zt@qRuvD(aSZ13p*z{8$`MAI?ixAJZgo-Ym_$zT9+uC@4#| zYXFnMg>-#jHYy}$>J`ftsC)S6)u^-wyL;kmoX|&!O>0UQV@oVIPp3?Rp=)_oOjE{x zd=$8i{?O0&DWu5P(V+#se^4>gRiycein#q!FG|w9xP6)(fpldGz`kxXs>=#!Qq&&0 z^{6>}@ymh9nA1BZGG+gxK8%T%#bkk$icx^2+PuVvAIGAxt1EY@oo8yOlkI+v@?UA6*yI%D4 zxgukNF{CDAFF`eGb?fY(<0t&M2`!#RPPrf!PP~E%RTd!6@y6G1AbsA9Q$&2PY}(=K zFcxAa3o?q&oCL(p#7-G9!NEqSM`Xw=GgEea?_gwxh4zXM@nmXK)l)oGVvSrr9_A!@ zV&f}Ij*D<2CJUj;rwIiSQ!LhVD=0-;rrJ{rBX((Gc>HDsuW4=G|5O+ZH01rAh6=onLYM6O&+D7dr3c zXt~R7^1bJ6d9N8{>ZzN-w$1H^%BW$dhZMQjwTp(b=zYT;pQ&q`n!4l?k#7ZGaITFe zoR!jPs=)=jQ-fj!;yttFd(S;~>hhBlu8kJvb?!zzNH00liGtvgINGC8IU%JJ$E$reV~ zNY{;euejB?;{#J{WOU=T-G2N5aH-JaSw+Vd|@c;(UIGTeK7@QrwCjQrr$LPH`#j?uWZuad&O;;x5GwcXv75 zDei?9`g{0%XWn^d?vK^%Zg!s}m)#@?Emug=ftYbj1_veEQTN*}o8}J@$b$uOe4$J} zmp7v9bB9!tw*#ozxIK(zCO2!a>jHr|WNx;p3i?;z2bNo`kR{BE)T#J+8)+xu@Jz9f zri*X#NJrpS?h-->=Ac-AgM@xXExjASKL`J`I0_oUkHeXxdUF{)+E_UBn{s{J5O;Dx zYBjgQ7i+7&*;AaoIWfMuBIx4lBJKb_R+utj2OI?h?qN~=z%NvMPs)(`THYy)6gf%? z_3`Vxa@?;hRgZ5(1<>`0)Wn}AJeHem!k`|E4D3!Q%mUFQzU{1yZCwl%t6!JraxlYk z+dt`l@M$hLNS7KL=R>yrG>N%%P*D&LS$Bbbn3cl~;@*4yAoF|CmBvT4DQ+V?CL35LTC{Y<)8+xr#nHcmUnb zXgO|$hXn}0Iztqu2F<&0mo}Wt6~Ne=Z^UZtX56eS5Nu9+mu@6jGEKilkWA0=StNUv z60CQH*u^vxb1NtQXaBNw!;`1EhiPmsr)AclNI>j|(bm8=34iAkkK<40ewCJ+YZoTM zs%ygaw+w~ogsnM}(0C18rTm_8vsUb84)bPC(eR3`sP=`0gKIB78Lt@oZxi@>L8r+c zt;G#f->{N;ZA9f@hsh4+HtYy8kIun5mKG4MEuLyjSgq;$`QjI=N*bEoRFv=-oxh~S z6OlK8*wD& zX+2{6wzCeM)wXMg48%0_$q#T$p{Dkwj8jup%en1clO+`an|EMCdVHDWIl5mXr2MFO zR@PK5P{Rxsr>L~r&?2Pf3q=`J!JqwQ-lu~e>5AgPk=jTjjI{aHO9GXz;Ax28ji8== z!;l7Fe4|0#QL`myZ!IE)gxIm@k}*%bRT&yo!1_V9gf3y6W^g*GX`}o-xB7eaySeR> z(@@qXcktf?nQ)UNV*LcBi38Fi5-{!I0jgA`M`7)XqHbLG853RH>@8i3SaJx*>R)rN zOLxVyS1!!$399gUnx{&iJ5#u-#bVttSON7Y1x)so`Hek?d-R;+pZp5m~1 zpDn|~x3d~`%@$*VD$ZHd0oYhk`GcQj2v(cSgRc~N^-e)58CqXrp2YQ0x2e@eh*t@; zZzVmuQdKKa{=!wB=U`{_a80JG<*2AcH}=p?FFcypSv+f!zo=ZYCmV55Y`9lLctw$aP0wwg=8D6CWc{1% z*JH!JVXqy(r8C<8LzXe)URL!vxBY`HmpP)>m#D+(^6nA-KM%r3_m} zN5V_phI=FowOz_P9^AuFe0{14_58GEWTNw_y2kLn&K~amPkJ(|ff+g4>zQC065b{a zO;+76bWTxU@fnDc!b|4K8WOeuadPC|{6x_xF`1sc1c$RAcUVh-~9TQR}+#G*QCc9RD>pV;&7?{W_`P7kyY|G_FY!%tMwLg3e>i78G< z^_K)Sn7DdK1w#Y%22XYMPT6ROQqle2==bhv-^dF`#1KU3)qcO(BP-j`O+c_!Q}kIV zP+n*2P$TTIBU_hNGX8O0QDydK4vqgNC5LhUIW%dY$&V5{FtfM1tfRx&VjRxs5CnWe z)emC7Y2zJ*XY%11^{8o5M0S3g3u3>PNp1ih_1V=jG7hW@M~H0cH{M>4M479hy7jb4 zj}LH+1e>({S|S5g%u=a~b(XcJRw}#p6;6$7CnJC3cL^@S*8X%kzHOKB1KA;GWhBb) z8;eFtYQ^E(Z6=1K6=+1c(}6bU@l!Iwv~)!{*Le(xV@VlMo>ACOCv6MuIDY)`Z8bXe zBLUrI!+kV&fwl=#)+>I#pHU8fIT>qwFWj)Wsx+;YC@W^))fjbSeh>yXN=78PnbI`c zQ_>KOI>Ek(T%D&6fm8$)#_~mu zwXcJY6odGJ38na{xCiK%3p0EH z-Q6Z`rm?}n7o2j!R$}Nq`~{0KnA6Vhi&*Zkq*tA$9wexxO}ZJD=l>wPrM$7}!*ARw zk6}Q%#FC=WEcRsUs5=p^ya1bb=0*Ef#%?hf^nD!w_0aiFw-`rXA{d-T39x6^b`kG3 zHSqX$2~bkdix8VmrcFqa2_m6(@ipx`3h~eq z;Wzwd*zV0uRJ;@0#N8k7PiPu9o|U@Pn>S_k`|?3@R!;| zA*W+UzQgy*{F{Xof67evHmkZICxq_Nr@f6VF$_;62#Q|hErK2I;R75hr$$+w+s~BH z>w~XQjB*BcB2~j8Po^HkMWuc^*J#Y0M4Ic#Nxbu?k50Z0TJVMhGwmg2V~qSf3xEuz zI<@2?%B-#0J*}!R4Gm_lf4PyZ}Ia` zw1@P(y$&Q{X|1kwO*So(*`&tASk7tV$$Is!J94Lb;t_Pjo#rU`~Qdm z(G>1mj4pXd2WSM**=A!H^$!Tu?!GZ;b{)8!atNvQSir6#0D%p5R?#gAe(EXT1jl>$ zS)4izeRM+^DyaB+yM?^ANy#~nu=V6M*VOX?fg7U$llI`jreCZkBwqjT!$XjL>O8uU z5cu1a++Zjx{wqaG@d+Fd%=6H!IEvlOR%ljCPtfNs#?hSRp~&ynw_~fJAvnQ`HnLkp^)xk1j$aUy)FRQsMJT{qAxj=U5i&w?wjtE1J~` z;dICg%-W!Jve11+FF}hb-p!GA?Q#;WscH2tCj1=U{nvm9F0;!#bGd-WFCM%7>3uyL zQ2iU+9Zd%2C6NRyhmWK^nxdabL;wGw1oE(W6~o8AWPb@8>WJS|j)rx^Q6US5Xzyb- zmJ*aB-@FcOK>n-nMlGqcr{}F``p%o*mzc2;6kI(Vlwa0PLu3cc?mFcTrRHl|DaMdr z7O;f554VZps2=W9O8aVvT0}9VyJ3?iMfLQYh99jQu!r+&* zFVqf{D&b!{=$t~Q-o+Zt<79R(WA4vxp(Ma_QbOO@7$4l? zw*-B4?aGgNSs0^bRJ)#^`Cg7k7>E;?ZOjm_Xlsrp#h}ZkZT^1MMeC*Pxn9VtP1Eu^ z1Vj9Qxtnh*!den3VKagee$;DPMe)7p6+T$cl-zVrO?c37-B@e9P>P#^vf1nJ7BADk z3^C^eF#AgCFv;I7+4E{LbcXuh3ElNBxs+9szd)Y!^JNI_1Ar|YF-1!SG@g)$h&-y0 zn{=FBQZql}pLv|1(AXI=2X9g5u2Yop*UeN7$gAI`Nd8yw=KOT1$=*YV#sn;y6}^Qb z&mIcm947cSMQ!3CniLHLtJ$6kWmP1(3ZZqh6iWwTc#0;0cTwcG<3XI#c0jWhpkTL& zVk~JDn28e%b6?sn_CiqmEn^$4DW7Oo{1J-0XfcQrB?D;tzk)ZOO=;^Ffc6kmj81d* z-IOO2s0m#G+T}GB$=R2j(p?i<6U#X7H~`SVtAGdUFn+-O^HwPKkL6|b8PYxa4w2Tp z-O7%k>nE3B7ogFHH2`7|Px8LxMJjs-RyzO%!Jcj${hZ0ntJfQ7aIvmZ%+n4u7%v8Yl^x z4xLeDtxF!#AG6UqrK??-ELdsQRtJEkrWA=o*jM9at+gO@@=WFEG*`@ZW#*~aCRrL> zFlEXg;8N?Rg0b>UEt$_g`bBnPR%LSlau{5RWxo8E!?2@E2uM>ST~%T)r>Ux=)H1E) z0}huOGEcH0S2<-1(D$<)ojmR^shPfn6VN^AjPAND7wC@bA~n3*;K%%2%5Vs*=&BWH z+72{LS!6QP-g5<--r3R5mURHLv_1zKth50xSxqt2sd2@Z=CXnaZX(N{2xp9lz(~NA*9r6Ir^=(Q(sh%PPe!iTh=Ht|( za14m^9lEFJ^%U^o_*)L)WQK(T-B_)~(mxUGp^OJBf5UA1b<#~IWl8?Lg0;P%+Zn?$ zoN?O$0P8g%?)kgLBK7-WtGXF^l_c*Q(I}Y%46`nG{{mTw9VJX%5Zw=ev$_Aq{&TP* z`Sx{4Jjr`qw8gzs3L!;HG9bSXB;H6&tV`U4?CbTR8$B~`Tl5$_UDRK#p!PFPB8~7)d&$pyKoLnIwSuk% zng-6AJc`{-nM!41{SwA_pT$`)AtDac?bpKd=GbCiXP{&KAd+`0OlZO=oT`-`vRI&& zz?XNU-sOdNdu^WJ(rA^d$A~nCW+7}MFmCE(*F~?F!vO!93x^!dLEi>v1f`4}Q;Fks zw{SCs;$Qv@xaUHwHH$w9UP(kpK@b>lRp&Ls;O`Z@-;QCq2)E$*S=%hZSpK6FT)o+@T8|V3 znx&8q{79)`c?;SFh)uYbo*i>a7ZnNqy<=16F`hp*yy_q&{OfTGStpt4voD6bYS@jU z*ULmxLWmVV)8sz-8#h;x7`T-82n(}8waWG0XrXIV?tkfu3Na4Y(J}pyORy30I+9(- zEYPh@E(Sytc%w)&0XDb_Xrjn6=>?IJ zI`W3dpS~+g{$RIZW1DO^{it=3KW}QD)coJPMj{v z1yehH>Ge1=qiH}(xiuGgh1AP0@GXEVWE<8gfrwGoN&H13;>w4itbkuBsLDd+@HD1@?9k*!qA4XNc$$z( zH#(aqi%O(qxB)EIDdu3?7^T$wQEhZfx{5$-QGNbon*4foc%oKFZb;2M#$J7dR{86q z5N8Cm2FBMqvu}iZUTO#Wg;6M~Nkok=hmON-@1^L@1jP3gN5M7r z9)>aWh8hc1Dd_||@rofU%DrqjEp(p|@Lrc+V$P(O_wG{MP-uLnr}R9;%Nr0wp53NS z67W2{4vjRW*X*>KLIR(!slEPCC(z}2uLS>N^7>WqeTYT7$2B2Z+50iPjisRu@}jTM zKrMPkn~ctmU}xNU6T7b;+I%U^hkoJ}_5ogEjh-Z9Hm}4k2 z#_&X8GP17>Qed@`?t}nZ`HcItFo1$62{~vDJ}~-+L&T7FCGYBU&}T_>kNJH{a`w0Q zBr#Euv5LYC4CKNL^7?p2Iv%!=sIUJU$P4k~Lz$mqxxIe`s(T7gOnh~W3&9bXUR)Wl z+5U}sFe9DP2Vc)Ig)eD6)3jVT^*0>MR^MA!A}WQc*Jh$eB|A-efxucN7g6z!l-@v`Z*G@*YDro z*_dp5Efd7!A!qjYC9!Eu`MO=;8OO#3#A81sVvG?}EZgVInzwTTy9X0RsiMxt)r zC>X1=94+7Zo|^0hKOecsDw}m{eM64yN10ddF4>fNKd}_NN;jxC0tX7PaXCMUuCcww zdRkaHJFMsR(w|M9kIw|=^C(wua+fwb!8o<=U@J1{ zah?5fi&#Sc@lD;~5k45DftN-H9Kps0a`o`ZbMA3J`IU{vY0x+1H9Vb?jak?vF9~PY z%)|LB6!3y4-9T;ugRi_l=1?%lmiR7<&)CJm**&~TY-$AyK97a+m1cIF+=-KZhGED@ z^@`~3De_L+L)zQ)_2sj_bav!T3NXrnwWcV71>ohTyb2o{*EC8gL8QKHMg~uJ3*6t( z6nHZZ!AN~nZ|Su=OHaY;<&Nyr=5hny_$Ml@+x|sNG>Yt9_q*rb3TU(QqqdF?_mgZM zHZQnI?TmkOLBMxO!x4O&;3S%oC$W$~v?zNpP{%gt)J^M1$il8c|$-|}Ge{+>iNt_f;6{Q!` z++ytz0lpH?;z&naR(i)b2`{;`f~O$DAxxs1Ig6_Ct{ z&Goa{AyqL`2*z_6LNTEpPXBmF0m6{S9HgEwyin<|^3FAp(^XXnqqlCW=GVaCowbii z3Y_4Qw-1EoU3SH7Wx-1+Y`1S2Q}))Mf<=C2?%D$13P$-b*oBWj+rd$^S5)4l0xWXe z9D3%YvP)eU`Ff)8^y@jZS_uJUiZgY)t>DsB5m7!+nZ>!ZXNPFo&448;8?Ax(yk>(l zH3r8b0l9T_v%gR7(pvezd-Z3H3T_j_6h0Eg>@wjYvziwQyTq*P=83rOHQ>zAx-@V3 zb(IROb`|h8DzXWbefTjy?~ez*qL8thuBu(E`&ev?QU2gz-|$c)s~7KNEL>&UrzCym zL!lrK9=06Wrv>nlmll9cL493L$7mFhM0*_hKD||D5LKooaZ=44b0(NKqJ?w1PgWe~ z^0WI+8#isB-7sGr_Q3>TO%T0C~v^?1R-Egr%G#=7at` zbY?i*Gy3PdldhChhVQ$23=OnG-;9?p=(Ku(Jyx{}B|z&6DUR`Ktb}Ok6Hw zvC@J$mNYF&P(nI6UX+L&fXU1!f|XliRwi5zu$8Aq#e0{Evz5BRw2r}>+gHiv#TwDg z5#OU-fM~v%?F9*+-!IiWen0{Xz+HWFaoCkXyt8#ng_lD^ghhX?Qa0S2)BoZcEj=J{ z4>#!9C`}smK&=jb0(y<2)HV~F`~&S%-dV@WwTegW zV~vWdg~Z{k%`@Nh9Z8zIvaJhMxjDmt6wKaOMu>+mccv5dKo4S58ctRrwwz4)J0xEx#mK5oqayYQr$(19pjVzFjm(A0D6rKWm*zFM zG4S@g9CH}1BlDKIrbmf#Y@f;v2i}{jZ4c#)yI)h}x$jcV+jQHyX#_{$&hw~GLOo-} z2K@k=ty_;$u253Tdi$q|@|@s7kQ1{*no&LX)eoMJk#zg$?;IAXaWG)#je?v%(DLCa z2JNE1WBnI&mhsb^TDnZoxSGZxjZ2cJe%*CV!@F|p?N6Jqh*Sp2vb@738-13}Z6&8_lTsdM-SEa&f(SlrLbL zqTTh0LG`YOB+0bpiWLzoDxguW>z-X>r?pq@uPg*%RI-bB3m_3g-f`Z1*aNtp*4Sk? zR~3f7YrcpG7ybsG%VAW@@8VQWek_JgZO+C>j!#pxJsvS7TR{VxrY7vuY(caiy<(I= zWC2LBBse%F`crJ{`|;w42|6suD@z?<>h4j>?uc4NtV$?@90QcpE86{|ZgjaRRY`gj zz$j^jy+|!jrH3Ofw{EirO!M=c2tiv{22>rtt+~m7ohQ|{<*r8MGhaVRt*V7@wI(mu zC+f&PO!utsZyO+cSFLxG!K1T;Na|#KSG2fvsV~Kg8HK@%!nv+0XCc*T)eavc^9R?3 z{JfVs=ocVj0Oanq{**7m?T|U8+6(v{NbEYEOLVhzQHLZ0(|W+6vz1B}J}2@w6|+RI zTb&*6+?ayAF#~HyYAOSHb|?7PzI|V50%o>sVc#6Zfn1e`K zZ=#|S_mkO2oE6XhB11p)46PyJnYkbc5u#Am}y>v@}hNF_L*d^IJe|DC8L1cme<==c-GvI-| zHz1~FjUQsQO^apOT|x%D^GkC@54^jm-1@`r)`V?%vW5+FVX0}Bz-xPr9+$<>z~k2& ztm!I5$nV%(m~dOU(4hFBN1JdSJ729#W1GxjQPuU!krPw6NO&)gH0LID%r{9UxJztG zpDAB<8taB1e35FLD>iFOlJSyUA68P9w z+%$agICD^(jDy_%6P?cTM}jaqI1>h_5>;17-&<$aZ{Uz#L3#?LOcxrwDXn3j=f%Gm za?(C1+=sj5x?PJw#GKdxmKkr4l!0^e(>#wKJtm37SA1YrJZp$>eb@R*aH=&i-k~m6 z3`#gAJG~ZW*-XMoYmPvLwa53DA!*wwddVbrZ7&p2K9w_VU_jDXp>0nXnzP71<>Wu# zq*X+jRk9YL1dGKfLt_d#6Dd7i9f(cjtJI!As%)OphUKNvR(VGMG$$!8A5!4E4nCif z#aR@P)a95M(qo%PB=xeQOhNXy={T{R*N}f8I|QnY1oKz58JEji`Y02c)-)2;>r?7` zS?wbCoeDC}k7LW4&!)v#F4GVMe|2ql?^mJIKKquehXDUCB5KGIPz6@hAxj}iFOaX& z;)bN{_RM+L?ZSkn5~Ms?HFKPLCTi0H)%TVK`4(h%-ffT1S@JK)I{UhcyzAifK66yS zMwC)p z!T$X8E+ROMNqw?Mdnw$+hBU7K-Omk+wgEs_4x9XYCidmE4#N`*a>qavYApr^cK= z@6zuJ(AFZ}YrgIGvhrmR*yve(W2;~$DX8|n;7D$(EEK|m49rPF+#HRCbA0#d-KRUH zt{9&-u#V|-GbYhAEl8}hHVx-=+ja}qjG4JIp|MDHhyIesA>}YwCT$EL=5=&zT9O44 z(ZB~}>k+rp`2shxF(xf58&_O?; zsSzS+Sg}!nYU3PsV~+PRhcyKBa(#MA&GC+&iS}acIh{=&Lr?&^ z4fJXLx$pw5nDxkUjzd?t7lhhxQ?aR_gG7Q1B+;qbd+3AfGZmdkhh?Z$E z_LqbNgqWC^zZwx@E(DnJpE~IbkSTqLaW~`Pn`XwLt-I4sMD?~}&N${-Ns4gGV67Fi zmu9wxS!$aSD>RITWE@_QF|x%1BPm4RMp%xD!%B3U@0bE5A;iZx%J~sh;<>adX3OI3 zGQ(VnIDGaQXX3lI`Fg42!i;N@9h}-Em))s$Vh#NE1c#36N)a|qF2s(;6^eaw_zks~ zSjRb*Y26&t?_WEqMDR7MlEp-5%~DEM_T?-zZSlYDk!u*;B(yBL3b!{|-j>TPy23nV z_n_rl2p!Rql-&a`SGK)d@L#p!Hkx_99@3;RBd-*sZ8@(%gdYqj4?zl<+D;fS?zVr< zxv(}q@hl(tCrJgohKy0=8*Vp33m$$P(&va#4^lH*6GbOCkUS2$8_fpum$c4CeYczC z98P&oo?xQx)q7=G+qMqm1`%>)HbW5rpDoSsl@=lFQ3BJo#TlzGsyZv!sQ9K%97Yl3 zUahP{u27%oA@&CslD0(QOj8?ogUlCe{>4$PSnHEtWA&tADqnf|1ECrD&5!cVgqA6G zGQahw)|xvBCf!$-WJs4d$`cVM69lZp4q%2*uunvI~{Pg&mtYCR{mGf&Igpa$`=Vr?j} znB*)@$NZj{P6KbW9Aa7pL+O=eI!-d(IB;P%Iy?LTMRjKexK7f8e-yTOC11$^wL#I# zR9b2sqFSZPjATaL*p_nu(wlhXJv>%k#7&!Lh2;B%GIzi`cifB6A{x-H|DND&kq0Pc z3&udbzLlnVa^7o}YEEZkx-Nd&}{%-3sB|OpUH$lofFY ziOo9QFr9Vly6pBXv+*$9z;s|$?Kdx?0gt$yazvh5(L%cL-pu8`k`jxnl?0&9!@;FM zdNfv8wFjUMk8-1ctV{?O5ZeLEL zvk?pJ(}LD6_%&G^%4&8aIZuRXCJiXP+J%|kD>ElAO`(iVj`0ytkTiqE@JnK(nbpwy zn)b*n5u9(BCZ0hnt7_v7D8$pVI7VL$GZv|$5v@&HR-y`o*2S~s8Z zcscb3o-(Fc9HiL2PS#qWU^RK@Vu{s<)&S7$$ zrD=iC^y`P0&vp^1ac%`e-kI&oR~h zlt&7gv;er>KdY3%7M>F`hkN1xRS+n;d!*g3>$sIx9L~KZmU76?_?jAHXj+2apijD1 zAjTq3w$8+UoEj#Vmum$hd3y=`D>#c^qvW>~=^f{m zd!D8g;!Jf}fYJ~6^Z{Gm=8pFjSZMMbhgpfr8`CX)->4XGNwm6noT;QbBhCZ4Q%3Em z3aF53SWNR4})Ak?8&=!O~@E1ivV(dMEiuVq6cKwfw+?||w z9x(qyt?2jYd*G`yO;rejN+3;oEa@w*olocW({3E#JqTH=?3}761}-E9v9)Aqdq2vX zU>|av`j7Cag<=x}B*QKx675@{5Wk|;i{QJGn@R+FAu$jE5DVzD6P$>m7vL?!=C-cc zm;2jH&{?J%kEhII)P^gKLH#Vy!O2NGNz`5584ycEu{g`O zNns>sCQoGLoCQfH0Z!45|LPG-#7ggC(_eGWhfaAG{Rpy8OX2fco*AB#rBhzv#zh0P zt)rC0^|L^Un}`CEc7`!MNL9*lMrz6;L0KTcZVeGsMA8|!;6sxg9o@xUYR!MoCDpVQ z6w3Dl@@2l?T|_}L)f9)oAwPSp@HC;iCHERo&87}iG&x5IQZl-V9Nc+}xbu4uoGW)a z%3<)@yDGGjs&d=$(UR=nH#vJdg}keEFm4~5+D`ra25Lr#qYyezVtE?SWC`(^YFg_) zOyRq!DyJg7qW!1jGV$TWei#}lK&1?s{c@~RBrKnOX zWEVST6gFxwC}secC*?M)3E7agliY}bE-SY&X0Pm5&72fhr**;GE-f_AC25k-on2s? zpn!aNDFw+AG+ZTs$~S1e-Z}Bl*JGX*j?+O*K?_S&rH002i&yoFw~ZA<#5U$7-cDl! z|EWWhhOn%pB}4(F+om8wT>SETd&_~#+7OzU-06p*`wYt@PtN-QhQ`1qS+;gJVF`t? z;lc3VjZ~mKXC^=}WTflof+gUKN zO313){EORIQg%`bqQns~;depYPVCc0$fwK7OZKFw5jZ=z;;T?nUM#@I##GKlKbI}S zxohSqBs2M`Dm&?;<{aQ7j>tC?M;w(^m8)jJhB?MgrITfhqHIuQ(kKcwg@4;h@-*zSZ)!K?MzY>-Lzz+T6B5$NvBf6c$X~b40ao@a5(YjKJ7aHF;= z_K2iFZYONEBIiEvM07%7Jx+N!9DTBg^Q3Gi7qkuUyZovJpye2QTJjceo-5o>R4z`o zk0cuu&!fA9ER2S0~=+<4`Ne3C7lrTI#@E>TQX`(DT=z6eor->=H=&&xW+M0cJ~!gk|1X=~ciE zj~^gtW)%TA5I0tn4%;l880k_-04G0gbuL6<&JBw94oL8XaPyJ#Jiw4d>)}nZCNR)z z2lzjR@Vb*i6=A|PkT&}_kZ}G)GSVx++^fu3aYna8kHsWyI@{+GAj5x`BHW-)!h_2t zfA4MEdv)w%f5#>nExYU%>hE*-#|&L~;M`bK_CCe{TIDmQ*$8#yuHlq}acP#@tQCv~ zGP$*aKQh|}cQoNXHqLMgH&Zq@h4(AE`T-FnO`$rfYs1X?tcH1Mr%`OjF+ZpOZ)!cY5}3o9qv|u5uy} zR?DYiEVP^XY$T?`iQ)O({}kEZA1FZ-AUgyT*A7X!;h(l!YUmXxbkp!5;Wtcn%q70? z^Nt$zEvKJF3O||$JIBax1aZr{+J3_49AN&^M|W7CJ5Gr=jElNLC;OgPd+Nd1Atnff zy7E&}*~?7i0OOu3$N-hk{ppYG{kZp;wYwBQ_rno^yRQ4-HCFDzEGE}=%aa`)?5u6I zQe?}SFxPym?dCLaw3C>f(Gg)L+kU{TnYOh{U;dRF5J@VibTFd}gEa1U`FpUKlrN#L z0VFFr6o_H-ei1CulIe`~L@Qg2{c#tzTlW#-4qOb^M+R65@ ztcj@X2NwybYxwJ%GV{*IJw^Ygr#Sz|#ZNwen*ARK{eSnf_+6G8JYT{(pIDxr05kS$ z`{(=Sjpw=N>F4LQbN~C}bEDknn;r7br$-=Ob?^6olLr2Ok6`}F?ajfYN0b^d);1nl3>8;EkgcVl?`fi-tN-~8D?Du43#`E!3B@NdiO0em!h zzww0p=;5>JhyCpHZ|$Fi3Axn2K~MrWB7;Q zkKv+^KZd{Z{YU_#NxV_s;v~#eHRB+%puo<&zCFjIkj?ZtTMHK?-`PQokT_Q=h#MeH zL{NGEYJM+(h@LaUkvehxlm6tNsM0zbmE=%Q`5CFTa6O?-)b^jdP1Te~e}|Q_Tg zq3b$gT+U7pZ}4Cm{eI)&dM~rZd6})NoD^tJbv`wM2c>V<67cxz<5%x*K%-Z|EIo?$ zy-k`p=?gh+Jaa0#L8T(bXS2;sqDHJ#+Z1uQ!a8RM8zL(`Op(@fepZsY#x$e&kzYnp zGf-^}zQmc|uD(x^W#2b!H`CC@_>a;^J|>F#rTa!egE&pgS>-+yWj1;~B?f=3W^O_$ zq|hmO4`aYE#EiXDo-XSyXBl|4Mv=a|1PQRUL!2?uyxw~lB!YYSDBU`#aP&T zJxKJGuNB4Lugl(Vfy5$_(mUo}>SF%j8vgcLt;*>WFEwDIoE<9}iR`ABTuF4alUI>1 z8Tp1gwUv_IPWMQwQNhdWy{{c>wCXL${Wj+PJBmXCn$UC1+^_FFv&SqyCJ0@GE>lZL zGkYLN%z(&LbL}?>gg({w(^tA29v|PRQtT)^@}2Ds=b<_4OogGqsU#O445DbH90^8a zEudfaunK;fpu<^fHp1+)@zoc31b7WgEMfj;e}k zSMu$+=UjUuD%2}irJJCb<&g1nHK%R&#nZ!7uLoCXLI>WrBb)_t@6Jp#n~-<3;!RK? ztjv7zH0YyHbu~`3_-%PSt(ks9wQ;oha6M87uyMqx7|nP(*DGa8Qil|u?y8bdWsL)L{udfzEuk9Yr6gL*-`DTI}YLl!RP z@q0DnG{!NK-iLytk5H3>Rk(|=km&D>Sk~7}3=AyaxaAk}Qu_+HmX{=K-_4g6yL{+p zzcz5AD9i*Jyi6PGZS&|cJIF#_r|20IjXFUcAy2n2eGh! zKP_K8K2p`m6nX5*`p^!)@R>!CPIwrdclNQMK0Wp~g9#DMxY0QVx*W*2ePZm4@dkHR z#FHG2yoSImlsqkM0(V8jaq!DKj1=gjkN%dYl)<^;ZrEb-*==B%p;Y*%Q`V<=6$6pS zo~$IjOv5KEqN=aelS=g*`eBDj@G6#m>f?D+iicfMbLxa9PPSeq_xYkVhH{228mQz=+lV$(X)S?Gv# zY+a**s{a-jN>>O%L;K^!)Jk!93_lPqk^87|uGE?dH7@lKFlaAWlBUo$s}FTiuU-0F zyQ`|fm&vuNMPkq)Y+$pcev>lOTXA)#2AQ|ney8#gGInQGxO(#*9Ze4W*DltIs=uku zPVSPs+eAA8hisMk{?;X|4vqhB(8qa!FBLA;9BeGoj1 zRtP0W!%D9Bq~Ypk8O@sSB7qZ|yF)1Zi`vWw{vX33<0>Wzpz^(mefA?qgHj;f!HRQGthy+tky2{!HyEQ?(a`imvwA}!S1wp&(RwQcW07a|_6>Ah!TPpdchK)Z* zT?Jg$Zv=OQL)a>I#QeE}fo1$~g-U$;=2F}?&vIeYX$uh1_PZ)XJk|KhIOXm^Bjaf=l+go(kz?N_#RFu;e`3wXnUlPrDA;Tv7q{*%+P{LH*T6S(WdUbWh-mGniNN!5S%4r!Z_?$*xdQU{qf>QzX)>RZuvz zTIl=1ulAsuK&oNpUJ%#|ts6fKr9}f2YgLaubyJ3NpfP!1m4&JLk=DadF$}8jg%)Zv zaTFowo?@h19-+#SUAJ>swyr_)7z*7^e!8j9_K)m4UZz4YB%o-uaU6e5?^B_~N1c&d zZ4hsCQuAk5SLp1}Mk~`$Zl~tdRU&nu+{3L1oo8X_SuKA1Fi)Td^i$rbr#k#R@6g{> ze`~R{i4hUYqU*>0_JS&DB-uLAXRIbBuj2G$}Dmz{8Kc?Wit(6>d+o%tIJVF{x#6 zg4x>_RVptnAefBvtIFJj@*ZFoT7)C0%cu-N6Syv{0E}W z6iq7PwT!2I9GuAWE)~)&bJk(?sR((UGCCK5D^c{2I?2E?U?26CPE_QwSx>Tte?7be z6mlOIF*T#Jf2Bi!o>qt%fg0r|WMTx)wZG|}?4_#Fz$mpaPPU^xh7$bV5ynUV$av|; zu}&pgtImc<^}%ZJ4_;Z-8>2-Xfj7GO7CEjXx*NRG3s|AW-}zG|*p|v2O$jjz<7wP^ zYHV~kc4E>donR;HYJ02)qpuK>5)cM_o4-zQlp#5f)5r!z)*#92r|s$ojPi@p|sT z5^<4&VGx_L63)^(P@FXT*A`jH!GdsD?S@w^QYuQKCS`O&ZNr9pt-;^T=?UASKgSk| zK*(0Im}0$gzDhwY{jD^Q4G(zy+^1z{#i*A$rUdGI6{>LP1Md$PP%{pIDC>(bs{PVN z-`A$@y^!RXgUqP9hld2Xv0cPFQ>=&Xp8#bdyqs{lV*K5wB6gh^<6W6vTiWBkb*+{{ zRBG$EdhMC;otjDM(M26Nzf>P})G`hyoYWY<{8(=AZZT@Q?3KWBOk-gaJ!|?d2SQY5 zD%B+hv!O>YTc_)!0~YiH#nY{yq$8Zjc?XDQXb0n4I2QZ~Y!?o1JZP3a|4}l|nfd3p zdo7wWk)CH}J=|8>wTQ<45{8Qo&IB|~&Ll*Qb^GW!@*vrc_+T7`X0Dbf^}kHmunt_P z8Uh?xPx2;MJuKubX&)Qx0`X4BWRH%*?tThex+qO%gUq7b+{AlpgzKJl%#54IOg$EK zgdQ>lU1T*PeD|=wfoij#XLN>p15l&NK#;1H9TZfeFwG5M+yW1&^3*MA;$t_Fttz%w zy3vAD={MNZ>HDM(mWaF1dg_-%c4BoVxz_S;=6=YzRrj!0h%1Y}q~5I+K+=*@mZa%q z>9>173#augWzsDAS?Ap``n*aI&=~ynLLgtMcl{8@Oa>}0q~6IrvQaAqJC*Ph|1sg` zppgBeYV?bfgM05Tfx$=}lk$&}$w_-`r7-AQH4|AHPtr;S?Y&$kZ?ie=8+a6UlqSweat2CZF=m;$Ti0I4 zNWzd<8GTOL#+srxj&!mFm0J|Ibam)`nQn-E zs46PXqF|+vQ+mA;aSX4=%#Lu7!5Y~?*?IE)@~h+x)0t3&ftcmNYW7;s9htUv zP#A8Kd@{B9=kT3|cyT(5{G)AcH9?cN>31QVai~sZ8GCj0j#zFWvL%IPG6?lrHH-54 zl6(?*SYzj@f$@p!JfGuSc6+ZbIJJ}*hReCrPeUCSX@VvR-%1IKa+~j)<08k0&PmKN zR5o1x;v7==o7I}6#$d`a7!6(5Q{*~0P;+Ii+&u%fz;`0lJ&{V{SqjG4x;(uBofDlU z`J8BfWfRFU!~EOPF=7Y;W4AtVM@vjWxQp5aG=2;wweJ@9c-5Oj;j#>5N%C@%s50y( z3)Fro4bfb2x%k|E3jT5+i;?RS&xRgDfspP8S!{K?XT0v*kFMoj=WR0EZo~#6=@3)R z2+tN>8mw&wfRb>6cY+-h6uJA^O}WJSwxo+!m`* z*Q(G>IGvtZZHelnZ=4XZpu?=+58ZhdpX}=%Z2Kocq=PpE^wF|kPZWRXxFwh7yz>*B z);Sl1AE;7P_hMK7jiobxq>kylq0L{+??~c$y`U@*g>-7LUbk&XR(AIb4`$w;6iW~e zB!B)o*1~+=8iy`|eQ}NJwq-Q){d)*Oa##v`Xe2P_kfQfovNsmEjm9F6x3C9#Ra#ay z9SSSsSzQ{F7%P1KbtUFdh|knV?UGaXP~6IEEHugM!Xqi(7I=+_IjY<6NaAetF=}91 zev|^OqpW*-RdigxQ@hMRxIm5%si(Uzk%-e54U7%@Nh%Yc+oV&dQ|D;*`{X+}LH+)* znQ`iq06%ln_JR|vdvK@D6{^MOfkexPS_a4RaUUnuA7d@+I{1q^hZuX0vL+r)_}8vY zk6PAS5=#h-6Uw}Ou<-Dd&qQH^!PUBbdv9B!Kw6FynBiR%-S8_+_ju)=JEAg#1z4hR zG!A75&{f1zi<{lw^{X6YO#_H431;Tb=IXzi4=LQa=IWZUq82k>{jW#tx_-cft54MQ z*Zdhwm5dQz^ewx=trv%fUuZM`8|ORsj{eN`19E!!6=_xN+R%Gr+)G!Wm^9+o>*qgJX238=$&fE+KuAzY-ubqVYuzVM$ztgyHsGUt^gq=KM0z zcsNU>qs6wkGIUz|#vy20{CDrjgjiBb4pCE_jK+>V-iYE|=Qq}{QOfFsbQ$v}t^M!u z7Ru-#ENgVw7J4nc2Rda6qp_MR1+CX^1sqVR<)`XKrrOOzyfStC9+|P(rJ%Jpv*mTK zg*(8%-}QB`Nw|y$L7RetE?0cN2tb^t;_PzAi!5*cPF9zW!VgcE-I?0X+VS&LX8@~` zRcOjJ(u|4fdeZ6oF&T%-5rr;S1VIWBn+h#cZtVTyX4v-_zZ@FPSm2=PE0TJAW}URc z4)fByXZQ)cGCIy@@TfH-_P+)Y7cK~D5O4g_vQ&Q4-n|=_gkAe}&#uS5sYH}a7C7n~ z`ejO*TS9&IllW&B_b1x92e}tEZ<5%cJ^YMjhOEv4>ifU|7l)rvD{Tp)#nM}-EVhJ# z!2<00nhV=3!Uw(K!(k^zf>?xuTin4c_ZcoVHg-uzhAp1Fj62F0)&q0p&G+CHwO(OO z6I!&c(1}m6TW5LP59N|??LaC&?Srf(x>-D)?Ttt!y6b8v>c=TS*|MZ%eSeIvCA$SQ zDH0c2Kv78u! z3ibp5a#Z#pNN^04z@DC7rlKTg4$029%q3tsieF1hXKBGm8!{PHz$b!5B8lP7vV=7g z$@s-w?O+b#`b=&*!4l z`oAkrBkr4)`+1*#o=|?tm+O_RHFyKIs?DFoXfS56{_T{UKdVF#viI07IBDB(xzJN4 zKA8#ncGuoBfZXvc!kFkrjtXTGcKMTEtg!J;I{g(Xip~oYRr!=i04(dh3Hg%%e+3?z z#Qk!2GSel44&uI;tXw)og?b{0iE?MpvHba7`E=k89@72fugg|B1D-yMhjb-cuV+YT>xhl8ow^c&u>imBu;oqRSxOl`};Vx?C zdzl_S$O%1Ulykd9Vsa0>NcMwJHh(#Cr2n7+RbKe1KtjS!6NY+4ni}C5&>1HC9NggJn|cjUv6xZ z+|!R*86&lu6w$L^jhKgAb#N?MPn>g52ZS}al?-MB-9;FaTvI*Qxd~H@B2lq6%-I>p zZu50Lx=xruxqKfX&}eR(vJZm?9{Z-dlm#WSg9`lQ4`7pnp%U{`l1a4Z?;nH(VFv=U zDfq%kgnt!Mz0;ssAL2XxCe@usI&hsdk2;q$uk^nRm(a^Dqo0V~c$3f}=KWet%PAWhne-Y-o%fq%t8KIs;Oo2g*4)l~54N-A;caw@UpdTPn(4{&WXGxxzDOWAh9t>;LQ zbx;X70O>E@i9+hp;9KtfFZ=G4B-rotsitCA#v#s{w6deoAgS=uXr&8aNu=?xEI5Mo z|Dz+mgf5V;#yuWB=a<9hcGQS!p+*o%oDhzZoea$95(4xnKQiY_fu=LYhQ?Oq7Tou2 z>NoZ#iDrtY(W6}F3dMpi92X$yzOTkGzbm)XzUR)tx_<@Vm6|Na+m4rQZ2~giI?q5Y zlDV13M&Gf{(+?JQ!xyz6EvtSqHo=hJVF7-7WVxx|hBI2fP;jN*PH&iVO^{&dp4ywV zmGz8rqF#ZZ|4IKGln4U;DEu{icSeHC?$+rLM)S0e5PHSU3AycX&x}Po@KqUy)~aHn zw#k-H7i=B1T`2>M+bm_5cK_fR&{(QGX2=EN5v&iNjC-${f_$hQ|9{H8E^9)0`CZFu z7yQ>=5xn&cQ2I|DgV|qy7Lw-I|K}6g@Rzrrt@kOT+wfNeR~lS_l)E3YcvL$c%O1zR zC(RoYEvJH+VTCn3tiGqO{?DD$ef7VN0D1dM_W+Fy zE{Qb7t-9^BTZ5Y`Ry*Tg0g7OPzd*g)-7=VkJU{7x#51dw(++8wyvr(NhO%&F^$ul! zc3|TPYiRmgDuT1gS5m>V)PU^$ND{6NPYW_D;7);N@vvLA&_YpG&K2gQ_yFM|TU9VV z1EANpvVefZ3?LxV1_-DE58tl|1YOT3;Vw{q2{Q-WMaw`mLp$w|`Ow`vcvx{f+_kjB z$lb@XCJs@!muj_jAR4!WUKwQwxcY5Kz-;TA?Lr>bH=RI&Zvgf5Cjp5x?EzBfoq&`u z5ENDbNSPi1LCal0koP4>d1i&Ino+2S78*bKA0I2@qyW`{GGkQB?f@Y7-x%Q1l9oc; z4uRYLQQ$EI{N(MC>4B2p*#|C;`AW_EuGy!og5oi09(VAutQ|NKdVU_Xm3GKG+fi0` zAb|d3%f1W{PrL`j^S;qS#}5JD$}d3Gd|Tle5QI}5J3~A1Km^JZaK{mF-P*7L z;kof-)qaQO^7e&YK*c&zY%hDcqXlGM(pc^O1db-%OCX&ad*a8QyG+eGD%{!FwU>1w zSUx?Saw5$FQCT@}INM#l;-2_IiE50mCaBD$z~G0XscMsxU-RaFW1 zANvaX2iec3uj+gN5|CX45}-Ounumj~_Ff&m>n$gSPPkY+|ljBryiFZBNVtI%!qZyh(& z1jPM1Y1AbrF{LKzAtVI*3`VgD@VJBD1E65m)%23a7l#>P4g6wN0JoAx)h28obUV6v z(02TP(Ms=3b_o@Jx=dvS%nBDqD12t!N(I}D`;>w3p@si*AFjBoBHzW*n^Aqr;b*E+ z5Jd=UKkrO4*Y*NNpG$dDTyIv6LZ8I<@970Up z!3tHyN0pda@5I|DlDok9IG?C^L=mZmuaN4}0?fWyVR4HalddyW!AU)66S~BBp`yTg zsw86C&=(_oz4Lbv#2t>YUp zD`=gW@y+mfKI!HI8SiY6$;q)<=mkDjTZQY6^}5VPT8X|w{$c5|kN`QYya*#xyQw09 zHzB?C*_|oS?1K0Fi9u7koXwYb+CrO1k+uAFgJf;m!wZEQI%eOq`CqP=PXdAWFb*bC z5i=~Nu>@Z=)l4KS9>FyXm)&wAddJ6P=mUMv^rg`b=go`6L>BH&tDsWM!N(=i`9nyF z#uBO7Gq+W$1l84^2S7{Eyc)fu% zZhO0DvoPt9-;aTacS#0ydqUOpR!HBtjR#SneHR;gIV0)))sYv;^o(ZFXI#HRo=d;{ z%AmWPyKW3~^4}H}xpz(zn`)UJO)^7-qx#&^I3CYem{ENO;su+Ot2cCISA`C;dxp>VT za(dVldQ_^Jfv5EKJ~3%>jH22}){k0|fxsLr)u`m&{z$MFqIX#p{9Qh3slFowK1{x; z^R#$R+@R(nf#w#rdG$u?SxmP^5!gzF5Xirrj4!wqS~awrL`o*;7;`A`i*ReV{E4a9 z;HbH)_0{S*{=kjtBlYsV?;6KQR{C8_RBu0%tCIt;7;M8C>SUt+og&Hk<{IO1t+Zw+ z3D>KBw;J|bpvhQ!NvBsJhM;PgW5-PNE5*mNGoqzkIg^`P$%Q(zoar9M7+v<#hG0od z_PtDk%LY@PxIDZu4&w?Ed@LNT4XP8fVf7Q3$iFI83sHqjQ713N@bE`A9X4J|s8Lw@ zNl@fdYV)*s;1P-jB3hU%{LbQgzlbRCJH*W2p4T(|sYzKVN4lElWYVE47bGq_ckqjt zV)%k-U}AY*+&C0N9(A%(_)^wOZAg4y9G`(8YQ7^X@ zGj7xJf^+E)mn@emqsRXlccw8igNQTf^X2oMr1@VhU70|-M_`Z0%C9^?^apn$shP-! z$9F_g{HqU{cC;q0_c@~P&zR{Dc0aDWncB%U*-SF?*?AoyNFs@juazUM{Zcow7G&)wVZ&fbYUfo)LG{yVi8D{OY4> zwlM}mkq`iavu{#QXL{gm&{pPsU@k`ftC_zzvXlwdILjr?4FzV&LrWO}RXF${>_LA0 zJxs;&+)gcG6z-GfvJqt-?cn>ez|kH)!73Tl=CAGHvT<cjXwbfW4nsqa zdrbXdIm-5zrh%$W9YX=k_fbb!>TF2n3kCy=1PT~C#_l<;gdZ&kNt`qMb$jD-UWF6UR>0PflHb&-`S={d^)9y^|KnP zZlB$8{T1icEzqArmp|ua5+;9p?BJFPH{iSOuK;J7+Td?u_VKmr6~zWafThui>^JpO(lXtKu^T#; zDlCwsiJOh17-bJ{#d58W7Cj^BSqUn&L{x#4iHT&~?VH)nFwO%(vWy6$QN^HlJrnz|Ot zqAQHe4jm-m$^>uYJRTsI5%hW)&5<6cvkqCiIaSm&QhZ(C5r~|n^fpPP?yn9qPqo9x zLZwd7*q8$r_IiKz!)R<8v*;rY=V2<4nrN}KwD*Q(bj=zq+-UiB%4Vb73At>f?VvQg z&T9)DBd@1m${g}HfB59}H!ghbvi_!af}K6RfAgt|N8xjokzr;90bnr*8}39@lY~n& zd`moZeXUh@4a^kYCYw4W_l0E0r^!y?n&wBVMm0}B38ubszKhRUwgXlSbK?Vq(!|{0 z)_4%K-yZ26_*r3TUG9Q21^N_OU4m|8c*krpH2h~DMkTFEb`(vM8x@t`o&EJog@ax0 z$(DJ$2H%-p+^AHwGe;|{@%)FWV)>jS4Wp@vK*0<~K8g>gyy>Yv7%xdiWCs0gYQK0F zagK`WTVpbZBYZ{!#OZr6yo$OsI7L-Wd{_Dyu6clBXsZ?+u0`fCC#`kNtn`<~_=Fds z7cRkcUhW5Ew=JGsK%65~+CvS&Y4NGUkXDR)pOC83$Gc$*(B&2LGF zHK)fOsEEv1MCpJ!C)hw1;Fg2glt6%6CAd75mBpM=5;(_6pfIn>e0d@fcVvsHKs0=x z@ND%^yNw|kc6^4?7VpptM~}e2Q7IdNj6Vft=co|iI(C!suXyl_6h}ouf5I-i9v$CJ z_C-qo7SVQVl6t9#$TB^$u-KdtW^}rggHnH`)!fY}_1@#6N`rwNtZ#8K-WcO%5tIX3 zcDo;Z7)q;S#d#|KEIj#rUDPr%NsM~~{Vo#Ut`L-Hsh-kbH)^pi3`a`09Lb2yQ8DB@ zM<4X=XVs>fwh#!%xoQYvjuYqaCW|vk-{rslJ}B~ry)dV^ahf#JYYhTy1B;Nl)Q}%} z{yIfFqBi};(T^zkWpnkInUF1t;zp~fConVMVgBHCf&K5}MWgudKfsrj7oY#!yblf) z|Mq$Ud~bQ9`u8>ZM*Q&a%caYa$)_nu^*5vYx9eLC&-BBe3JnmPq<1Uvy53RQm(krI z0(ixLoJOSauP|?m={S>!u*I84lLqJR{)2Hu*ZD8i(X5|Of?~c*5<84ecs8&HcJyuK zkNfEJ;?X1?>iJMo20lBvg76q1Zo&e=U1){okeh@`g%^AdqILo{|18pV!T(2#9PxO2 zo~A<3yKE`J?ibyyasS6reADga+>`ES%28OKom^$l8>eq;Ze7p!R~mdA>s?Bor1Yc$ zhJ&DJgKw!nlAu3aDFlz~dH;%0{i#19%Nrk(czhXtY1qkxhAxGAU0}DG+DYN04qSAo zE*tK8wLdJfMbJ8Bhqd0OC}!-IxhxyjY`1^1CkRWwop#bp$mLW4ee`$8PS4?6D+b$s z2ya$LlnwTKO}3-3pZfv`lSHS17WchYGFUDz%<@d`%E{vbO}vw5x|m-F_#0Nz>7t^ zt}#aKZ`B*<)`(1YKIShl_vc`Yx1Tgx0P16?dKTVTctb=u%zOw?}05nB>@Cp;d!Z2a(O6h?X@&^*n|k*1h1VE+iU!xkb)Z-QS^ zdmE$MA656pTC@l?=Ax(=Mi5p6j<&;588(%9Jj6RT_#piI=Xv{RF16g7)#8X0n5a2! z26_|-{QU@RdOhN*)sfXd`eF#NanBos4F0z`#xHZLHL0F|?%|@ zXDb)0$J%Uc33^}Kz~kS!>DrT-litkE%(^)AKz6ed&IjF-C^>~RRQotPVe^wO56B0E zzrQ@6daANuxQg}1bUeACG`Xq66UJtKjrMd+BPS2a!K*oR%_-hfwe&Mp$D?rZ4H0A_ zwE=c^@T+C}zT8B3IaU^*nUW*ZZ{+EIAn&n}%ia3e^NU?@QcI5$<#w$&q0yQpVo|en zB$TKHv&dPQ8P$_P^QSlJbVUe^SPNjkztA@{aEpk_;{J2i+oCgq5<}=wDaY4))J!TL z{ybxfNQDokUj{CRbFFM6_5eWuN9kU%50{W{y^kMp4S(%jnoYfdBVw5wdD)cm?Eo~a1>iEW_nnFv_bbPBfVl-*kWl>8u#8Z7*SW2sG;h9VA3n%KVJ*EK3Y;WpMyBQMoP0@# zp%74U;q13yxi>fwm@^l;SUbT87$~%M)jM(DA)nS}1B}B^-%R(J9L)LENj!4kn^Q!< zq>1VY1x!|CJj)C6ug0^TQ4ZLegPZ>zRZ7SKGP7nly=em9s@qZPX1%c=1{StM;TUL zm40o`T z3IL2qS9c{N#pvLwvkw^#CIE8;*n&p1F{M8dd>*5=1M~pRAoj4#U1@@|8&Gm|MeZ`Z zvjze^tdplri8RT?PJwf3e0t3Mn6;%l7t5eT-kw~Uv{x^}YD6djaBQat+k`-DsZ6;( zA4+KB#SG<^wLvV;(zft49gWBg*099Py8(q(vKz%R0TP}>bT6ACY-Gg)5~7tr|Pp8I8eYrD!bx-jLVnCP-*&ghJKE7=UWT6l~Ku zy(9a|BZ;-na!y?}&F`MReVzH9+2>@uZjP#CaT)<}( zN3)6iUARL1>{Xm;$xkwxtO8-AV;MN;?*wCg(b%rFr_F+tM&!1foP1cdy(Tl#bNrn6 zdFU{QMTKY1@s2irMb{bXzmW0IEi<&en)-rBqM=tjI5% zkJ~0Xt)kLzFJ}rO0^q1-2negb@0ND(;9k$YkN+W!Aa9KrY=OfhskbZ&bO=MJZ5Pb} zOl3Q=w3S7F7IC*hOs!u0!x{|pB4(e#CD+8hqG(j_v(orY#;wq#DxwCvoOWq* z*hHTi=40m|wGWK4d%ad9eGa7UzMk1vq1r^%W!d(zd#ov*KOVVSC0P_yCXfXnVG^Zp zlvfqkAJ5%O2JG9N0ug`H0c5HM>wTwWFJqfSdy@W~gwaf$5dAf?m5CKfd!AsaJ*sAa zqd4$N=pr{nK|)WKm?m9uG0k&8QkCtjv@E#V7t7ZoZE}Ma#8-{A6pLQKFUD1)D6>YE zhL zAJ$9wk2yZ3M#K^m;dxf&DrC!`9dGx3-y#;fGcyE^-@xsg{;SzGa$Un_YsSmGtO-2chFzk2klf~nDcw>nY-4wTN5jvan8 z<2F&GgU2Nrvv&~7_oK-^)+6bbv%tjzy{D)eGoKhoX8u2DtpHRMq2V>SQ36k0Y@56lMYZ0Z<$~i~tFC?dkJjqK{+fx1v)#A*#))^3;HLojy zZcECLP!yP!!h9eBgWiaA8|3&y_8hlvYcPuHz_zLy?7`a4k#QiuGAcRZ4_k?ASA*@sp6vPl%8!HGVJ=@NO$BmD{^Nc@~DhQr>7LtVo3 z_+-}hMT&u{tvfX6>~!?&d)9%fo)Zv3NT-Y%>_VVnyW@R>5jZm60s)3lT~XI^!#y{ zBiH+P1x&0+Y5eGSy=kM!#^IfR%oH_Wf>KjOv<*DtAwrzqfA3W!`t8o*S9+D7G3q(W zh{lA-D&{X9>d~?27UsK%42J|xPmz))iUBX5XS%?}QG1o`>f@UUqY^(#_Pno3FP4)_ z{j=?aGq|P+(n0lrNiUp2FEo(=Vlf>+)bj)w!G&A@?RDj{e{{e6O&$bev{^WloW@-st0x-71ue+_3?a;Sv?H)f6@F3<&=FL3Wg#U!AfQ+10CC4H$RM94y!r|V>m@ax7Dr%N1 zLLop{`J#7+R!up?MR?IX{VdAeD(FytvjmBO1t8vDzmc|A1u!Z-rCKQ*I{_tl%taNs z5;6MzE^BbO*Gks+Tmqb-DepF%SeOtizs~=otw!n7d>zbV?i-aL`D)p|RoTwGM@D4r z%TIYA1AurXOrS;y?>5R$?RNuF{6~=fq$MCReR?pK)5XM)(VpfEJ4_<6{~)(U`T>;L z+YV6EJ;p0;W1QfGiD~c9wnzn5naZ0LdOfQ3S1+?JI4Ix$!?z0Cx}yMZA0JMDROrMc zKankUj=}zlchOBuGZ7BoC}-?7PMiVp{Wgu|^nOPT@VLj28F)wmR{s6Nml1`c4PSY- zBP|1tNl42G4w=S~t~y;aj`D!i3*VCTg8@l;l6L({s}pj%HNEBZsE?&hjY7ShPK?ef zACcOc5xhF;T#+Cy^J+m`HEl8VuZSOZ%4=qnZ!bD8m-||pHL--qm)GAW{Up%YU@wWt z*=P^e{7Waa1o{|pWx+qq25V6wyygFaBX0;XuLvY6CUwGXhVxslmwwd}%66P0hGQw| zb-OrD&BRcYVl8%r10eUl(5S%+t)lbD(vqc1M2l2ky2M@9hQ*E8!zovNWVM6y`dEK6 zY4ay0UlpP{WAg(}o4~W9p~}F?f5oYp9O4{!bX%WAyhTcS>*Ov8aI#xxS`dRve%ZC6 zg^msjyG!D?HlyJv4-sr(-nU*j&n3C#ZS02~kNQ7oxIx|5V4c1U5yJvFqFqb-<{2{C zo)x~*VPc$g)i~nnH-McrV$v8!i&G1e%;I@}Z0`6-lp#zMAnI?+$* zsFQ7dBiku1v21I6(b)fKo<_3)KANyKtJp5X8`ZN%V|S#fy5uaMN#J~EEYjnV1~Db? zwqQ;6QesNuJvM+OBv(TRoKAg+Ub#8xlpi760K7NDg-R;N&hCfGf7r+|E;VSg6>OC> zg@h@?VVy)Ef_H9GVcFKV?U_lVxykDaGgpGK53~8^Ect_oU=Jjbdu)sT@+L95P;W54 z4LP=Go0G=(`y9n|95#ubu7q@WWnYK2I+`)bJzsfm-oo868(=(EqXhR7^V|yzeT7v7 zB6n%5e+)V$#~{6D`cuTo$-FHSou7k){grbbfZcUbHy24CLG_?mZU&GcLJzyef>?C% z#eB|_6X>u{Q32WfOxm!pHlxR?mrO=Su4-aOGf;gUz@sCga&2GCzHM}u(uM{mYt;bf zN$1^VP)`cVukn*p(JcN$Qp&F#7EXp;;_q5B3ID@hFXMO|*-QF-h2-Ah{(GfZ`S@M% zJ(mRg}YA7bAH`w`7k0>8rX zU}xUL?#gXr_^OQN)0CSUi*{$p74+a7O?+vJ16R1*qGGcMWJ!;F7@9w->_|xG zQB}=n1+G;@e z*S2KO8hbN{+e!0ZW7Jj)0<68!$iU|2zdHob97*tQ&}LNDDwgBZ)$l#oVtuT{i`&Q) z*8oByfk&Z#{5YCNw9R8UiqOa5{PW$R-fdxRw-#=r>E^gRO@GJ)E-;8BQa*n3QX=~pEsZR3(IX9`7Bo` znIVsVUX^KbDFRq5Z&p0OxgUzuDc+>L8KHX5MBUG^dFdHyl&OBWa>6AS(`wHdrJPxV z7_gVZ({vI&%x@;FjZ+_MMQ`EBacP?VlUz3v184bWp_@$>A@A}!RO_50^FovNQC)z; zKAqNPnPy4tNv3VaG#WVEcV?=oHEui(ilR|;5>!xM42293khXCy=L-~A1Yykx z5I)g1?+xUIPUJCcIzlZa_3p79QbDrwcw+F5FIj5;Q`WF&mF2Hwk#q6P+GLSf~%dkp19{gFH_ik}Ta&6tGQboBd96$g9Yx*Sx6Q1#kyFek{+~ z(rl<>ni(6*XG5v5XVY`1^X#e&&FVG6S6Wz4A3BSv#AgknU;S8i{qXFp73HvgK(%1_nf4)Zhb<`>EI@xtjZIGXH(KQznJWk|j$wSGCR ztTw+U0)Sk5*(}BpDxOEUy@F0Wgu^nep5`-Oa4N{nJ(Y~YrT{zdgO3)~-GighyJ)1tZ;92>KuqKCSL5Y zl{+28!mjDF*D@?TLs-!dPw)ADe0+Z6x$Z{AQ#1>wJNdwB(!{8H^KjM&O{Dwhq(q+5 zMS1y?L|(cAPWO~Xw!-A zE7>MOs=1ABfOK1%(?hcgax~_KP(}xQGFp3B^u5z;(=j_cJN|Av-B#o16Y~g$#;*n3 zs_hSRaSx<#vQ#`3+A+n%gh!m~Nwjtb9sB@|4H4ja=6ez$4Gxft)tWA&P? zuW|CDrphaDF5GuQ09b=cvB^_XX-Gy>XxXzpv4?)sA1*_);FY7EG@?4lI3w4ibK~h- zLsH3E7Wm(+!V?Xd4{c^+S=2`@Ud~c=kHE>a`vUJ05GW5_q7vi9B zD`F$8;uqe_#b0-OX{8Ymi0@AC;v?lD6v;h$ZbX1@afL3Ub@!X+nB-NSF~d1 zr!SfYW@`TexT!9cRwFJ2PsVYPfHJ+b^`Uc;sx;}JW)>c;X+LZo|A_Zor$F^B!O^ns zr$)ss zKzu=EBvaMZz2Z~WjXO867rM%}pn$k5;&MuZCbM~Br$S#GhtYb{{WS+%ICB{vh0`6d zYITYhxJZ*~0zPa<+7P|qdVm*mfE;8yi#Phiif4d=^85$Nk)=vDY%u9tA=zbMX3)XK!2BV^Yrsjq|al)u> zl3j?I3Kt(_r(UwtBHdA3B^`FyT+M*ll@IpD*n&4?2UW+kAqe`$q(eE_WWzFD!mAtT zKFxK~p0Bj1725?J18ueIw)DKOW86h!Va64QLpI8nm)V!zoiZH`yHePice^dy1-3rI z>;F^)UK*kn*x#7BRB1%FsHj!vT}`@~*3pVr%3VCie%5wa&ZOP*oCtxga{!sl z#u|;I+3;IX(UprQJhL~p)2e@#-9*_;IiAbUR&b%Hk_~8SNHd{ZU4YCUA=$g=H6nwV zOtqlX()7#^<1)f7Blb4jp0^D;+r}(DzS4{FdBvK}m3^*n z?Kw(=F3|MwT%090y)4IH151p8U5hfG^iFYY?S`gf9q<=wipue%om<3qxKAVOWN-PX z8yA!manm}aqruW!N>XVZGaZXstm+`1irTRn`0gpYNywo@=*+xV=>r5YyL5t z#EwJ7rJ$+}TgBgz@K83Po^b4o+i+NDZ|`)`=(F;1pdxqH7+&lAd%q>-^7BypQIRAo zGF}AmiQs8jq0jQW#e1}@gpmd<)dFMIT=`8pDO>hT+w9D7^tP-*Y8M>JRtqJbJI~A@ zdhkit^tQ$U^$c5dWxj^uRH{#Xx_Y>}d=YfVDk%Cy@V3E=i%B`wTM$ym(;S%%fr@;j7ua959~^)*~qw*2Lz%6%tt1 z_!P?5Y(MXr`%3M?eXD1r(i+=b>JGhD*tFhX5DKPUwfY6Gf3s$F@a3@)ePSH&bzhk- zc4N+?jENXwQI5pAsfpG(e8rFTCK3-WrL%UXyOY{d6s7v-cYY1;=oZectliYm>&kL9 z$corWx3vg=#h=_JyZM%8Sp>6dzp*|UcxoM!RfwXXr0p!_kO-Nrl*vlaqGQfBQfA%3 zPwUJ~>jvv1quF{J;t7p9*U9vVtVL)icrj}}IJcD%(pCqF^^9Oc&vhC31!jCYb?L5z zR&AaP6g$xK~+ELTlVk_G*g#|W9SAnYamNnp4Z-U9~3c_nsnkPG5)u_>xCrL~i z13DPzTXuH{#>N}3Tw#~zy3q~4_emX>5K2JeN1x)xZmc(duFCN}nT6IVz6(K-J4*q< z)AI(K1X?_=Hm|dSmP?oPo!(s0qGLsEEPoYtJ^CxqtegwC>a97TxyA4|rm&VA@=h1$ zPset}$4!B0$e;oCikn|tD%?hU+OHHl6x(WDELe=_f`MkSLOL-YydG5UNyPIxD4OrF zzVKPv$Cixl$rlZ1$?gYDPGjj6hndp97EG&okSMk!Eqpkc4)p63bo$q()+?wehl9&e zUuREmrUi2_R>_;*VE=p=Kp(j1>%;TS#$@?Pf;$u=J_!6X{y6~>DW>$` zB;}(T0C-2LZ!Wour0-UIj#pI*SNmG0mZMF8kM1KbgI{<8B*YxjJnzlCiGWu4W-cFR zyJfhibYtm^-t%d^QjlIkCDG@JC;G5OwY96~NbvIV1cIRn{rvCd6$7FF9z7`M^;ZPY zvG9gO`2CBXV=sO--yf~EQ!BJqfr@0BiDoDV zg3*=4er^ZltndA6nb9Zc4Hzv{OV;uha}dCHlj2 zo~C@5Gq*h9bd|#fwwefmw|uF&PiEcO^gyRG5A*r-7ro+YM|Gf*tzYxWad6G1Yt^k= z&e#v&4sxtzqy>nd<`v}MSKQuw)QT+f9j`n&J_N=Hcjba;od2F-eMZx(TDom!U|#M& z-P%@RO=YSTiDIW=bswRWJ;!hC8kXr__{cLgiDIRCJrZ{-^sAo8B6l>YzCG;2NeNKP5){erXPc2(Jc} zIs=tpqb4K~?O*@7=061_2iAfScr^K8(OT@dVf8k&%h8O5r`zni~E@#Z*&V# zb}vSN&epTmn9XF=AlRD7@9F+xWl<#$b^>OF^Ewo0DqTl4HpP5z5wZoXghZpD2^ z665U3+6_TGf;?3o9ID}m-2MX+B*HU{N&7*asAoVd^uk=VV3$I1wP>^nXxkJc;xxjs z*$rVuI5scJmzASJ{Fr{g8wJh>(@5pjjHROyal1SX-Txb!6uea}u(N-!pZx5^ zgb0j=PimMPM~c?TE_(kTS8o{>*AF}jw?Lsd#ogWAp;&J~B-vy#nUl;+l9|+J?DX87lq-}4v9*r6Tbwf?B--u2 zp=Ex6)3@>(YMpGe2_@Wq(Mk3yiG*t-&wL)(bip;QHg&DXh$ilvFBjTg!((22`d?o~ z?0co`Mdd##?9_|kckaOWf?o!?9+ceUaXd0w+;e#h)1MPd1m#?zZ4DXe$3co+<^SqS z#z^8#wGQp}FMw%fs+SQOB%2(~m-(~$*FUimL*viLmz85t`b{yyqv2el1?n`AOG#lD zFN5=yQN*9G?CiWKJbNOUJQMz-Q05_va?;Hz3rI-Zh00;FVi_pJ|82Xzqsy>1yR^Ia zp>@75I)isPjWeANPo&lhN%+eKzF898N-iO|1F)EV z8U;8rBoD9iLM;bVo7ab^ix|i~3lT9X_jJmJA2px(k`Mm6#AU@v9@0n14JfVW!|!u~ z6|bXe_SZcAOGwuT&kv~TleM{@6t9{~Si8D#<+i5(O)%Np0OA0!K~eseG7E#BL=S~o zxNnJfk5ej{cvfp05*?WjCP9G0>=KX4t#3E0sB=Luafr>dS}PMarzq`AQdX;3*OH10{P2~fe4?J|-&N^pv%M*~) z!KFPR1$4s9iT7bNCsH>*2hp}MN!HoinKW3g1{5t&R0oAZP7~caDu-Ctx|hmH>k?}k zNF)N~mA~aekLfqqSdxiy)&QT0i#H1pG}t3|Yc`&|gPIY2{rp8gtz9pPf#QgS8Q#>k z$+@Zb+z;sTD+CnWC*_Cvy7E*W8MB@a`B~K{VTwZ$aHk`61wU~ki zZk2>!o8cf{lfeSgBq^>nIe4qnMuHF8<;Ne4T+6+OwcsTZ=JW{c_dFSY2v{E_%z#MB zI03J&l_e?!U307i?V3)put%JfLu!q#pmSc6(#$=vjJA{<*oq%ha%Rmunks-gG&15~ zokHCjQ-dX#Nk74KcQVHcTCrn(Se_sxhdrtt8=`7z>@fvN&$VRh=M0^rudv2u?v7Bk zjj*e>ucO*fqqKlsj1#2pU7rFOKy#dW9Y(o5;*tqJL}TU%|4wpD8t9W%0N!TnQV11(%Szntxb4sGN zo%oxDTc#^B*Ump#X;1s4lEr@b=2yQ8RJ`Jh&bbyS7=5Kz+J?4LDJ1JMKX)q$it76X zBRo+lWC6${OfJWBv{FJGzNLb0){ltw2Xg9tKDnBL@8BU!U&Cy2pNxf10|w^mV|Ryn$Q0*bTEETHXpjA}ShLUwh5 zUn!(ZIZ@YK{UQb~N`=sbrg*8ebqyyZ=R$nOENUH(_huDL^_-9ju}>@gitvIV;ebpH zTk+RyY)bUUpyelOU`@BpeQQN!Kesw`-bAT#+Bh4o6&J!+y(LwjNDX%@C6pD!C^|t) z#)MUvCK;2m*mADzK)NRQxx+Z){%z$a(go27wmS4}E>7I$x#i#26y9lI`keTh-&b(L z)f{mgzB}@Y-qQUf#EmK*kz?gk*?$-KBV)>u4x>KSq$g4is>o7IuW~&So+d65rhdvd zG(#RR&x?{e*|FFOI$mEhZM^?au(C`43RpY_iF3SbNmb=EblZ_-W(o~peG+gGa`u* z9ZZ^l)WE9^=vSyS6J)ugCNiquMR$ zc7PCWfSn`LlOZ6f-EF#16p)-~X)Yto!3i-dqjTS0WyQ&nlo+!Fnt>^s?+EE_M)!&& zO0KqPZX}J~X@QyE{Y}IcT*;86qgMWNQ%qNYn!{{VE$Z%)CIn|eZE~Ha(Y_2|-U)!- z@-kdl9T}+CuiXd~W7}z?2Pi|k$Nnm;kx$5nvJBQPhMx_;iXwqxZD{OAf}(ev7NXWB z3|-tZ?+i!UmFd#iOz;e&9$#w+f<}4>o&yh5pjSemy>uk4EO{g_Y~%_&@=eH{bSQjJ z%KRyweSrMHYXQi}La3ZFn1UZppoKRE0F|5xXYyEU3sKWIy{iCs;g&r3i-tqc$u@?F z_Mc{eTt+K?pU()aTP(b|98$w5PC6wn6R zT1*f>P?z)ziJ5RpqePwikxX_jm(j-l$_#w>ZD0^~?~|Edje<%)NyQ7+Fuo;qnG zH?Y%qx}{~lQdURRK+p!13|=+sBnE`gVI6ku52E8jDL?K1S?V~R8c^SRlOVY1XV-Iq zz6JW0I$GrFYbZuLhOdlnf2n$9hJrM<27`Ejko6%j^7v8Yl@O&D!^q^?p(kyq0j60Qq4a|;D?@HpfcmT=w+waYy zK)bI5_AP1mV?lG?dq@$&rQ%u6mu6_i0C54HMwUlk#?l|$W-JQd7Qphijo9%s*V zZS-FhUxyQ#FW?&pXgt5!3jkJ9_RFEpS!&7TQTXWP*Dq})cPBf#is)?VQzM{B5ZRNz zVhdatEx>YM4tAY17{K7;p|NGHrO~mKX8VR8Jx<>=@n6??3|lR#0)xK})x+D+cm%laOX5M9cEwimJx_Ph}oO%yxME0XU~E`1>VZTOV^ zt+P>{>X;oZKlT8TcCO%c0^hUbxi4Bt295;%ec~;10Ti~5v>$t~Iy>*E=6~yfSxhAu z5C!e)bpE~S>`e=7I3@xU`)HmSvw{Ngd`+O4FC;vJdqU0~A?^qKe`!}T7CpebqK2Jd zwh#X;0bE|Cz+4;Nl|+d0Sqf~|P3fC4@<%sI1}?ay1I(rj8}F9GMv@Nb_!1eNX-(&J zL|B+fM68+}+hT5A-WgONz+k(#JGzBL>wL4(G}!o`T{~ki6TEvl3?Txn4vI=;llHXQ z{DKl0HXFJ=#6+qVdG?6{L>5;M?O=2G9A&$_roV1KOiCMy?|oKiGyVeWP>w#|^aZoVA08W`@b<_e#sboO1m+0>Uf=6YadVC|HDR2^i_th z(Yn%%r}^ihdgqSrd~a&2p20{)G>rXWQ332f4$&QA1LGWwI$>V{^UMq0H``!m*Ko5X!f{2Bv0|aQEORQ(2VDL#^MtcP~Sxn9SJINPA_Ot1}Hivrt(r)-}zY zJ-OiZk@J?e$MEEWGQRe`RTQ9gvLWH6u09zNkutEi1&puH>54+r5U>cfPAa=${2#4^ zgyhyHv8{kl=sY~x5HcAqj<}lF9W=fauLKa`60>8LL@F6f=g`8b(dVy3*gi+VE{3_quDg^C$-EzXs|%mv55%ry+D0MD&pAwv6Tj%*%G6m3BD55W7-U2}H{@ zThP(gmJ(TGd4BT(_NffhS6G~^3aFI0cAGqbAT22pcGG-4=49=BDFG@esNzxT#r8WD zim6ietgt*2>1_J0OxZjw4PD$%q9;}Oy&F3t3V7BZU_X2v)>Q$zQUt4&RigNJ!O6%3OXY;Rrhj^dpYY}{)sZ^NM z>lZ6%1Pm0?A3%ZBcag|q|GMa`QpLXl%fjY58-5tHPT{!wl?x~6M$FokXBN@Picmp` z>s$K$AKur`b2e^V)PrcwD)h7c#L^7P9Wy`Of_oZcNV!+Ac$x;8DAlF|_`CI{sxC&P zK`)`a`ai|*>lQ!M=`_YH(!Ez&E3&p%JYADGvcYLcjriZSBA8#1>4egOZFlM51GX?M>WrT z!*{?e+q=EFVu443c>7Dy-ZD+dIvXsu@I16aF^Y!4&ANJ=ZY!)76!x1bLw9uPZdFP4 zi+CtU-*G#O&NjMo?L`aC%3j^p#~dr>@Eu#mSzTJ42bVcNIqr?O z+qe+uaKev5*KMS2V0SrPBOltqtj%VvSsB-){iO^y#bTvcrIUugp=n02f4fOt(gv?S zD61LzBxcP}r@~;1R}W|3)TXK5px=UNk@zy)rV9B)m)Fe$k`Q>^ykS6`wwIdc0A=`cLgBHF1mB+XCe2}D*joZmXbE#_;-LK&_rF<-+9mcbyYul^=U-3^~U8w(|Kqiu9G0y+NpyyAdcy@)J1>d5L?Sx%+En;L7LKeo5dHwiQ<1| z5^gzu70!2!@@f*8b<-4d{a9C=7dD^Hl0Dqyg!Zx9vzEDm>8Mrl2(ct!PB(p7ex?3g zWqfNYiw)LRka<9t^9k49vewRnOAs)U}uf@XVC-6{zhX8SoYR9ZN&Pgf#``?jyhoKlODaTcSJF z*GYC4B7c|=L{^2RFIUGm5s;`C({W#O)7T%mB{VIz?L46$MG(nt914vHZtc+WP86q5 z+PC0aOz&~#H88S^kXMZ`JCurB*=mXqc*)1z5941_}<9@|ak_A^l<}**}@QleF2pGnzu&L>8(Mf3Zwq zZ5dxRr4}c8JicAoCctxnyS!Yx7T=}PrF*H&&CM_)t ziowoEuiOHHr=r5(X3=!&(F8LM#|PtFsyGD5jOA^V!AO#@M}}6>h51pnRxWrz_V_K< z=mq+0X211U_LF)^%(WvWp-Uigxc-6AxHC$9nF7}tcET=gL{TCWR_hAiR%vR0>msg; zjKZ#`^EtPY5T*?3+!^&a4tQ6ve+RJy(Uy8ryDY$!1Z5wTIw2h>=*OD}2$ray-C@U} zIJ~Lm=a9F8`O(xiYe+)taB%e(A;Qy>XkRdFDVNruR6#;T9Gst9tw*xj{w87{E%ZcF z7rYsx?VSi0YACx)*#5Y`bVZ8hoZ~i^j?heu4ALtxZbWy06>qWjiH!-B%6I}q_TA={ zp2N5=x)d~}|Ar6uzX(zB?6xA-RRo5ne7}+7ThAEvK1jGM?^|+tL9Tur-lag>q+^vyNIjbn|A*_4MCJc*U1jW|C$ot_T^_ zL%)Yq!5zn=$D?1CyDRbdYWBQcwq_LmRBGR=M*CQMF|a48BBWf$Ssfpn@65e5i)4Z8 zeh~}pgIgelx9=WR5Ds`yhET!XHgHQHppKaL5034kE4Fgw5dcdU)OOqy`x zFIo7VZ;j%l7kZsW*Ze^F_aNRLeXy-(R3HLTc)7+v;tgpPo|9X%fDA`KTj;tUxk?_^ z?1~y({n~ZhcV{|Dx8^#mqx?STj5Q(M`LSa7OX*ReNaniPJbOS}!MdN`ZDi;cbiG(~ zj{lvO5T-?G_ThV^Q-^xOW&U`#Kj2oR{GcQ7^60ZEOo^d1)At%1>dDX_QPf>mRy4u7Rl(?S)`x0<`5yJHFV1_t?b=0&B@ zPAH0YY^a=LQ~&D*PpdbSA~rHXxSnfs)$Hbb&HlBtn(jKA2o&i`hfWs%cbd`)1Vl<5FOS!>DP@ui@NkQ;Lv}{nKE#i1xuf3_{YHl zM(&_Kn*b}0O{G-E50#kh(iy?f(y$rZ_Z-RLqF^f@iJQK0OC1(PlDp=G@bJmAU9H}U zU#)HWJH~KMR=dYyDJ}c{pizFz9`j6K&5$(YWVuM+=IKV znSOVPc~QUfZBd^07mSbRY7r*8OJ4=(oMUaww>IQf*4vY$Eb21JOG1)QQV+LFCEZIf zD@!Dq`~)UwKLVy1sS1`7Q0qCtq+CoTD8ZscoP=VUg@Ts!pBVxz38{_UdyoZsrE(=p z|K}ge?OzMBmlLfGo0p(gTv5y1X{KKcXD!nWCjFBIt6TRQ>bVX>fIw;;$wONumYbV( z)xmH?v$VH`2~@l3$C9E2X*7`KBF?-Ai_GGI1mN&m-sl>5w{t)MOveChu}EZ~o(CN# zURbtT1J)2+2n)ud8qvCJqjUPVwpZ=>n;;ZM*(VMz_(4P=CTN`S#Lf>rk@sI6`laQF zi^L84J$u?WV9aowqXWUar#aPHDaXcCX1f{l*f1mp%KX$MX8qa4lD_^thdaNw23K5a zkB1B}3rv*0ZCQs=K+{wmO2!(p1f#1dL#j&zTH=gPy}zJDAPSniZ&^T>pL}PyBG@3WGXp~RsNrYGA7HRg0y*p)LHMy(!bQm2C;OP z^9;k6J0;*Yd+f_;XwLJt{qvIH(*|DG?P%4@S&84>>f?jG?~{_>ji2xRQO?pw$g1Dn z!zzXDa}V3g?dHel%lVIwPh`(~FVA}eA73uJIy*nTdA#U);d;Ixd)agQ__Q8s_nGYd4ZjKys?-N@e}rSd4xWk_+IgoE>*33JdQP7FH^Zq?Ta=1*y;D^l^bYZe(`*F zh#QJIsX#A0jdfs2=$w+( zknLgWX%H;6F%3?t$@PL<-%BTIBcZ;p4ik${IP8)e);>R}vXAh}N`kM)R%buBv{(XJ z$}qv?oY+U4Q3eb2860SU$+HTOW~2&qKHN6EXv&(3e$-r>H;+OL=z(g?z^SB-kCPC` z4S5Uh)q?!h78Ds3n*w1~(v;|aJTetd$}taJ6lC zG%R3;C*GoYi-}~@a-=q*VjMuSKH}vdm^aW`(r_D!LW}t@O*`8{Uw{B%SSW8m!xKJ zr^?r-r#P@-h-Qi{vzMqacHj($=?q838}Bq7PBdF+E;X`n$wjKo0q^$KleIF(=tRqN z0IehO_$O^B#tn>NYJZozN097UM-zP&TfFa)Fk}{VR%&VB-6at*`}|?uppY%eSR?-> zxEe$7s7_D;rpvPeb?oX$&~d^`1*wMv|C@s#mM7O)gLntg=%YjUhndw{?oEut@IU~>?eBTnIiiFS|H-9?!fc50VrWvgK2%{D?< zf7`K<-i=j6SQwiO%6K@`6Z^ZS>{)4)09sY-!39zN%LmH`R`&9}i0bz9vcF^#!-5Pp zw>rZnz0`=)L?=k&Ey?{?9=<}8t%U2M@A^MiyjM`!8VaG<;G5?rE*wvkE^~X5i1#xE z++*#{k3<-W`y0D^ z%Mz}z0Y_C0pF9t3EU_7q>bc84l4(8urZ0Bvh~w4g^ouh#;u{s%wb#)NS<^I}zerC` zp|g|JjtCRKzuIb*Jc)QuaJFLrjL|X8ouTM{lHMiSY4jlyx_LTJXY*AVtT(M#7%!e=}U9pZYYwp;gvX zxF$XI4QixkPntoS*ij6oCwYE1DLaEu#c~nEzyeY|9J5j{J3~<4^1+LZ=C}SV*{H?D&I$CQEMJ%VRLxcDj`_^VGJU$Nifd2 zXucJgDKdoCz{gS8tv3EGU`9jp{ItvXq$%FQ|4(eq+}#G9eW~d{aPA!JuE{^-aK++{ z!F4#)`&I?+)VY-&cJ0DJ-ui_E)A)PB?+3ma?du{IOgL#c^UK2Y(|w{&wCc;URQ^s@ zPi?x6FADOD7$f@#J3F8+deN=Poo^X@&C2J{w5CH~1|vdZ?VAx}iHMNA9o(9WiwF2d zoK0Sk?l|0nA8&Z0W_5bSSlD9!>P`A+%96<%>@X5nJqKUyB;1*pA~`4$Ye|bhhCH`5 zYt+e*zfTYf`&bg3i(TdjBb0%O@$~i4H)#)R5QFC&j{ZWT1yvYjEVoRVtx+u!(1GC0P1CTw_N&)!%0;bJw2Pk zToCv&{~x*MMr3IVNiX|m!tAU7!u)!)<2#_P1`-+OqMJpG_&fuY_0&qz(UrFJ7)=`% z%?*cgg&eJ%qL6r!9r!JSo>apc+7XoQ&80JmJkLQx6OGX1ub7{)=AO%7dIo<^Jy)W; z_ncReE@W8e1R4f|swy*1shBnPG|8&ASyZT}X^DJ$iMzJ;wcMmMtlvj9EEywlCa17C zF1+jCaQ892PjyWQ>shPE&5&4oQ^K=8Y>|ngQI6QiRhtrj`9~NAS(~ztVF0B#-m0h5 z!?FSXLPmtWZtA`D!d3Y_lT~2B=K$edR|h3eHg=eiVDifF&E8f^Lxm<|kB~hEEQY__ zhLIv4wWvffqKkLQ5@&T*$QTmz-w|cQ#iV(%+z*_eo3#G%bad>A z{&MM_Z^%nGi2S01g^vs~!*3Rlasg(Cz+xqTXJC9!|4U$?#}|6X6G+aLSx=5iiYes92d5m`Etd%mz3HGBzw$BRf>E9_mn zFrA=AjSIjQ<-Q8D;&FfU=QXV3pMMiN-m8~4&k?>|bJpq}hxvG2HEa7U^8p9uC93d4 z^0QtaCmI67#_&`=E;5X)aF_MSIUsgmg@@-AquzK{jR{Pg?oNqW5tz0%Z1C?8Q{QtH zAgJ)$ymzz*lSgj~ORiPX2^s;zj|W#bo#)V&x)rVMBe$AMhu=^(+ue;6DZ)jp8E358 z)Tk}4CC16pB%8X|8HZx%h zF1)4t)oHB^CcRZ8*0PChxRDtVN;>qx*mVsD@X$B#6cs`*mW>w254a z8Q(-?d>PzCINI@>?UqS2tZ*U7sGrr-(yG%y>o*k^pKQTIEjEo<1mX`7JLtF1IfhJU z0oW9A!7Yk}+E+B=;^>b=i(Sj0{Do_2%`G`%G!=zS&=7qM??3;`VEeYB=}%~ujt#hl zKVw4gPW9tQyJMWefK#q1i@-+DtX^w3OwXDBY0S&+$|%qtsoQeJl6toe%fIB znJun+87H{1O`7ol&}AR&Y_I8zP6FN>9PDr7d~5vSpS#LBkLs6aG51Wox@A0QkBsSZ z{pXl%k_sASClUR@XJuMCYYQ6yKXegdEhV8y75s%%64Y4suo?}8kTW&yI@=RtXN;AT zH-#9S@RWGTXc1YzB+}(3&s_F~!_~jtGJ99J@S8R5qihX$tv_TAE`aRwT?7b-FB25M z)rW*)Yg1PEw`F4Gp(=mgrN$6um@9K-oLHfdA)m(7sMWK-AHK{k?IZ5?&q-!fG+Fdp zPaQ0|Bq2f*T)!VBD3@jQYQzhvESCI@F$;?*Q@e>ey1xUlKPDKlTw7Wk=|8IL(j{Gc28^7>z3%h1}iTU_dZ)$|@cEjzqL}1yl*u&B6ZF%e-0;9u z-6_8-Bul}0jQZ)+PoX^$;)5CEUr(qm_N(Xl#qmx1Xkd~i%C5ejwAxz+b7Jt%k5s?> zldzOlbvE@)#qghW1O5rAiZKf5P=3lbIH=9RQYU9;k+8Z46uQJqk+ISj1rKqCX`TG7 z&T!nv=jKn_8XePr{Z&F5&NC7P{GD1`H?H~Uh~T#C<64T6yxF}!D-NgW4h=4el@hTZ zuU_=@1=bq+*GLHT{m9)SV|8e+&pF7<0hJ<_T3Tr9jHsNKD-z(&x>E8@^^XY|fajWo z8E;1|ue-fibz$gvlzA*uD$tYCD+!C3_g#g>OEIAIrpoe3CO#M6gdeUxg!yW4JJu0~ z?6a{Z#Gjw=M({1q&28nR1iTw{h}(BN{3H@=a~+bMAniK2YR*}$!y6zNt@S0jOkqNmFaf-3NZDSmL>*u02$%yLvEg{VP&Ett_+I>S4H@{80 zXr?QlBJ|ywCbvjxH}^r+zNRSe-`gL-X*VW*#MDrHt8USzfih}HTm5_&9!j3-CKS|v zUgz!;r%*SLkRZ+pCMBO#vp0A#Swc?m3hb^@P(_fXE`Iu9x$`DGX&uzxTeD@XtRp_l z&Gea`kD2dLCIfaX=7!}l=32uUqpD$5sz>So-;6&h5?icAjY|yk1sOVUuYUP+!!CMu z?j5(zS4Bsex46(1YyIHc*_JYlBVT%^3LF7ph7lOQXQ!mTHU5AT+30jTS?JnwJYixp zg-eLLt5QBBLTSHHOdlavpA>*}aVaEgdWAi!QWD;@AnzqTBgtwfyf@8-;tSN63=7h6Z_ z#r7IG?`K4RWP>LyB*8&WG{ZOl&Z&Xo!|WLeIQUn7Evi$EJ{qzCx34JRpDN!boia91<;TQ%919#K|p)?f=Jc5srd?nh{ zZt6%6>Lfv%=STW`xe1oS{Y5mDdSn)!4{Mr}vHXhI!FO!gN|Dm3yQ#!GvBm7Jq)>R( zIAa!$CYFI&Tlu33zCu@r_TR}fWqTnrsAH(5T;V`dVaeFG>hwwGiKHqn{Gttzkzn+q z7{%*U>dBGsVV%a9%~@8RA7G=E^%z;=`++-v#FJ-H{l9)_lgtItt~rXbjDZazn?^mS zh)_3Ga#hxZR0@iTRQUMa3j3+;WX~oESg!@jHeK1Bdk1=(xGUcywM_K9rE)fAt@y)H z$zRQ{7-2MUrk7<{fPA~@%sKXV9d#bgwUE!s31&4;`mlV)S;h)}Ac2x{gI@P~oC+)8 zAW_p?(7FBWk8QeCW~dK~0dq76)6Z#4youg5udK_nS6dORIawGQ_<;%eHg$HDA3qP! z>6ZB$%)%zU!~OYvc?iAc%>t!Hv$}*RzalV_P>)TTv#A{g_WNk zLS`B)R^wW6kAzgF^L-@ub?QkNXhCixzvC%?H=Dro6&|N{qm~MpIY{ou5G=>Fn!v|k zN9wq#?S#yb{Ai*0L{cTp_zlP#(o*sJpTwHN=jM45%jMY$o(;Ew4m;U+f96;(Xngvn zK{EHR;G=SPLk#kHc3v}}?&f)*?pk-?|I9j57Q+>>%s^-asz@N`?*>V!K&=I+YZ%?n z?eH3Ct*wK?Wx$T5^rNd6P#(Gh;L;R>J^e%I1webuZ#B+%`^8cI#rqlPQ`So-h0DJ# zAmYGL+PMF6!d%WB+ZrPF+hRsF;oVd zR2hMmWdD$VOm23vc}0$fk|<-&+c7j(d|1HvSQh{z(Vz@CujYcH$3hEL;BubA&2_hSO+ApsCop#|j} z_#?ar&=XvMq?(aH(XvnWve4Ol04u9W0ILSTg;AT!J&tw z^vFuKTLcEg~=3)S8&Bd4*G+cKsSb>KA z9}xKw=wIYVzC!%jn$efz|MLnw0fnhP|34rZ``JqL*c3!1H$!&QO5yUqL2cnK8V{Lm zU19Unq<8&M$c)ebfYF40tBPm1H2_xt>^)L&)%T6$ya5IV092opR+bxt{a{Xk^8bO) z=P}q^GNgTy%9hW-DdW;R05IIs6qwYSTXB@dB4Yy7`Umq3Vw~+)ALgp0B?%PK z${!g!bp<>x)6>s;P_H!|-8A*6MHDDiI2ToXWg?0pmc^14U%mU!L$D>gH}yR=7pC^B zHWuJJnYqgmWwg$v`bMiZxZaZm23E)$&^pLO6dd2t&{^R3H^@aC6B&$@y9H03x3@m1 z>%qlZbGvgFCrZGPX14GkCiq4dz+m7L1kzlft9W}+r%Z)C$L>+@NB?dv@#U_|y+i3J zkhl6%wPF2h7j4i{q%(VSc-^h*9&{h#BbB79j0HzZR?^S-=s!@&Pcn<06D1e0iJ?L2 z+Wx_P0I#o@Kk9_+LXrb8n%`P+*iB~Rp7PhU@m4k)y<6QJ9Y^XNJku!9zEhX-^1fzU z#UV@G5q46Fh>U7BBPirYP5oC{p6;NHtmpl%X=DGlmfn&!QA{@O zi|Ou-Mhe8IncId>c6#&rBrqR8JPlM){yuewc2M-UQ9{sFf_Qv|O~bJh$F{287hgW& zOriVrwQy_=Cl~J^&l7#RC5G9gs<%dliTe}c82d?(~IE3CC?|L~> zdO7ENIjVZ~34M2wW|@I_wAaxZ3O@y`@{R)5~Ijg!C2= zcpxwPqbH9OhRbx1vTa~dM#J#!{dQE_DXs@7IiNL26#C3Z^o_SGU4t|QFb;yFaWO(pCGU7E;h-v@aW?;jt+k$6Q z_24~Pq!GR8u43BxoJnwj>FOEJrpwg_`OXO=hMt@Icgo?YA&FySo-?06-}MqUe(yg{ zH}RfJ4z$4f<>+J;D!`i1x|WFOi}XiOkZ5Y_%R02i(!3huk>TjMWwa0@1fiV*i1e7D2rpHLhB9_aTPf(TOEzp+{- zC>*ukZDV-z^>e>4_}RbeWq2_25AxSE++;%O?v}dof=_kA;06pOu%y@GxK?7i-W-}=0-5LD~%R--6Z=YarKPF)y-e>wdG|0fZx-~PY@|$Qok*|nHn;3gT z68`Q|l_Z|{Z{dLGmO54U4I3X?kaU<1aO99WkaW=JnbbZ?T9-sgEg;nMrluTzf+0Ut z8;S_yM)X%bqDdYX?QTHfpSu^GTyz;?F2z0Zp)Nd*66D1=el(B?tnErgO_#jATSYzUd)`sor-!u3pztbwm$2kzP zqQ8YvHW5Ot$SjwKyyhS$8-TV!xLo8;jr*c3JLyX@gt2f)3*VRle~iEt^$-RpDQA-} zV)qt-zEIY|HosiP=eu>r5_V=EK@N7MDQ+q`TH_$%XA_EVO_T)!&$lQQM=W{JWzv4g zJxaGJmW}Zze^T60C-!%{%B)Bqg3sPV5JpQIEwLG8ZEOV}>M~-gX`f2;a4!rm$5eER zgUADNm7f3&AkPPb(pppO$Ak%{gR;Nq`*;)P=HfR#7z#REq``ba2|C`b{~&pJ|A^l5 zW4p6#@{Cvez5iW>5Cqq6zA=g58e1qw(euWQg}qJF|C`J36@B5FNCHjsFoi?!fv!!E zI;ZQ}o8UBL8#Cn09IG$O5Qe#{urWB?BXsfEs&PbE{6Z}&~#F5GZ&BINU6X#)rlQlv);gI%ukL24}FKyZmD6S<$fi3MZJm@?&g7*g00tc=3I-+ zPWj8rEg^mB6qZMlX`P$Im-|%YF~`$8O>1b!r4>w^^AG(hFDodIizA@<)KH=clNQP*<~i&Q+7{EA;y#$1wmp-nJ)DoDcC}j?Dk=4uPNw z7N8AGOvY?`IZ*Yt&T4Vd0%{3++CYvxoFg!riK+pN8zL_%s~ly0>DCG3Hr>gnS~cJ! zf&ytRSkZyVtVuk1)r5JTdXKkRhEJ?J<3E}gtACLgHlBCC!H+x%BLsan9a*+9c+b{o zpJuU`yEpjdM9^azzqA_%1W!1`z=I!w+!DO9{7Z}k8_uyaYG_5|q`n)XcwLW$i!2$a z{Ds+L_?K32p(3#$$`5;n$Y?=xz?Ih-)z;Apr$J1+kY}WmHIM)`zN@LjtY`_q(c3R1 z^}sc!2T{9A9Bbv_mVc9>JiM;t;r#9SDe?E>hBg*exwm>0pnW#9p>x#la}4Hz1?Y$= zwQ#9w_=!Bq1dT074b3P>#wCdOZ(W$+BfU|VD|&1nrHeRyDMw~#$YwGEk_Inf3iSuu1iN;{xAa=2Hoz6I_eY){shfzl2tW6Fn^|=~eVi!106f>U zR0=$D|k;I*x$9usMeem)@Y`kRZvd25Lsy4gW8i;o7cos)>cVAICa~R-AAuHH>ZY z*VNo81b9}UrjEO_xv;&Hd%I9(tG}grUZ4M%zePQ97kG8fQy%b|0w@MXset1ZBBHNX z_z7$5-b5tXy=*-AJ7?jQB%zsvtzKxNbQaE-Zv%jXjYxCVF@Y#@q;1|0joG6m51o8O<8nUHarcRGMk*=WRjd=K`47et zp^OBJxkcwJZSVp#+|De6)%K&lp`}Wv1W%lkW}Z0{=iI6lLbYj{SdSk*b#Ab{ItN=Z z8|KIZyi~v%hcIH7#ji*E=P(#Xss!+#K%_K`iq)AoFFo+%!lYSp=?`ZVo=Fc_-5)20z`*V|3tS%&VIUG0%w_9h+k3RIijB<%0z>X?Cd>A%&5X_NGq#AED{=_2=%f@{|fw!`yj57CC&q>uMj zVw5|HXpq$NZ|x>eu7}u!!a!n_v30?zTpLZ$fC#2yoD}@|3JKvG z<2gwn3ZmhZi1p|%JrsoyUVyClM9q{JipcS^eyI{!L8sf#0l6q5@Y ziC{!y2UIOMUdKn+>%EEg5DDF!^1PuKR(H8eNI97n?Q-j5O+g_B;AInB9xDmFl(p8g zDPzccbe2QR8@CBI$AU^!Nu#3U_Gmd(PI{<8OL=Yqz*nov`1XW2X+*l%-}Dv>7>~v> zX&PiW1c%M34$--#8{|Otlg52N7LN7 z=#t5njY3tXFgLSCxzAH16TwCLffL00+TELWm9c4(2Uclt!J24@EA|KZ;9l{@7>O($ zA;cACnQsXJMhVjN6_6}Hd8$<%h349!n+BSRT4E5-%xR0#2gd}ez=dk`$!qSC@SF0$ zrMz5#cEy*IPgp##+j(5|50a7-O!IbKPgYKCOX$!&e793YYM_})Aq(<|j$ror0EFH1 z0*)c*ARInFC2g3FqU5v8!eUj>7W`SuJzNhw0v1HE16%j~ym}snM(Wx7c~L znN_#85TCShMmI8~VV-{wGu?VIH<@O9``c)e2d9f|iVKDcAEif@fxk%x7y7yzv#*OY z74UVkD)oqmGQF-8%dmBF8&9u)WZGLUW?Q1Ki`)wJ)!y8_%XC#U^zJQ(s+Af)J4~sM zbge%<#X$`TtZJ{rEdR7@%!tz~gEPEjGe(pvti~#c1$`DA*_z(n6#iqSRZgp!{Kjm#ZVDG`vIn-OAbKq)^01>b*+8sR{Se% ztEqN2(lwwhVdA8|r!AKcTXT@#f;ZC82x@1)z$)5RU10tFmnD6V2>ZZv6{h9ZU12iS zY^ZeP%>hGir#?%MgTN zL{^hliYm%jdy8?(WDRP&nL=pfc@plDpw+ywfRhb*ddbwZmB8csp4s5xKG13rzgN{| zx)s-=C_kh}n{Gk9g|4at(2(SZ-qa46%5PtBSIT<(QjkIncP%O_F{RG!K!Cn_{VgO# zyPuOTFoaP~1z@vUV|W&9#j_AQMA&bk!LSN(9KFS;Zdy+rVwW9&l!U`A5u{6}8j!WT znK=>~-zJ$2OlTSYaMC_Z3gEIzlIg21A?{unJa=nmjRy1#-ruWUmZZ z=0OClxJ}lo{%IvE>oJxOdKPi6H5FXS5xl&HOvn`S+> z$(N;m6rHWcYF;6W`iFs63g^-<=~U5x-dDiwuU~8$Ap6YWYhOtq=5qH*X01KlXSeI{ zA41BaOV%(MJ6}Bv#Pm>{xhDmre5)h1;IRqU;So7EoRAG*$Rz-(z~pf8)^!@O65f5L zXbKW!29pKW%wC?GO|y7Y#dYKx-LIEV7A?!u@ac8T3v^W_1M23e^e+{HOfLHfg5>`2GkZs0U+Dr5xOePgFF=(0FyEO6e0lt;{-W}bKyI^ zr0mb!@d-uZD(yXRf&eh7AYdf1?6DLij;(vZq(1O}W5D@o>EVEpK z?;Ixm`lkfz)v}pg<3UJMIsiznEZ$q+xDuP<>l9tZN<9I`%q8{q(Jz>fcy@TnUI?az z--r*k4ErA=sCfYBw#HO|rIrkbA07V%z|{7A>3RVlx9HM`0tZFBWJQ`Z3kLCAnPxGe z;~YGMqPE$S{shIPTJNHasT7T?#LDh)qL+_L(x<5SifbBOL$Cxf|8eLgG zU~*ISP_p&PT4~y*X4@FYg*;A~7h=l{>jx!wR$*)@EzWXv!Y`{BXYiaP1-xLaNRqa6 zqQQD~hAGzL^3>D*>zj3A7aORrbafB#+ttjK{zKO}UA7+{b?7+~z>#KFfaHdrRy+d&?lx{Po)lBLLh-8Vkgc=ij??pgU2t&uH1opZm! zZ)04m9ykH@!S&Dj6^#oZKDd+905mR|k!so1aLwm^fNaMpusKDe&?;Td%H7At#Or#K zJ~^dudx#A=U(M%ScpRbG@rvz#HNwJj3(w6&iw~-xJId9nF`ckyzxv?RPzH>Ebo$^b^RY-m#0jPr)={` z6zi3Zleg_wv^{@bXHN`|qmziPlVkSqB{`I-0FVKAKvW% z!@c5IKhT2E@IYHh2IoC60N7hMV_Zpd5aP$M3u&IIT+WeBJMY{#(k}HaLOUe&J*7aI zaNg#L9AoYtQ#(}&lGG;)Dr5_!XqN-WyX`ncUI3XHEm-G*wGoXo(f!x4=9TvR&zehp zdD9t*-P}o*MQ)pjORKo3G>pS3E>uEZ}W2w46=C+?Sb>1*i*TLcMun1)BUL zpW|&<;>qnG%z#Br@_;|D?eLI#O%1LMCg_(Umbo^4RV8*e6Ym(TLnY_1zJslECXFop zfFMSdPO>Q0FfEgpP%ElO#BQurB~#y$x2^MAhY`IXco!8A_k-5)xQL`9JnQ%bA3pY3 zg1bi4E*WK=3WFB{gKNjuTd!H_Kg^Lco092M_aoCvS@TC=#jNqQz>h0eN-@RdGve6J zjp^SsJz<0J*`Q?D!_V=G_M|Tk${#ijMlb4RRe&2Pu2ghIjE{STt zY~i_^S?jT_Ak01>yC~3#NPe8v>|%^i(oBuyid)2R`fMOzHoY`WyKq&bwCk7^_1T8#P!uXueCGzVpLtz&{6Fiw^nzFV_lc2H&w=}LMK52kuzAG6(!js zTpU#rXBG}hjA5qn-q6Iq($MALd)}DcK$R?mRa7n`mDs?0mxNiioLQM@n@G<$eFXcbw59G0>Nf)}b4_=KLEU z*C3o=j!+i#*zy6=Y@3SF9c#YH^L2xgUIugZ`D)Tb!7WilwFPk6BJ8m zDBl1S0FTMEFGYn(6e>KLF~$ljBEm=8h}(sErr(JiHo}Er6jzw=1ws_6&^3O`#-wNb zQ}#d<;;<6k&_j16y;r$r8*cL0F@+(mNR1)*xMOYmiqRB^b;*cN;0>wz=&ls&A$Ji= z8C*ksa4t9uQF zmOqI1_h-9I83W3ZBx|FR4ydV;DwoE$$a}R>%2Qn)hXW!q6DpcM#^5r%o>ky>19YN2WG!Ju(8@VT z3y0Y1&U`9oAQ~fK6QKIYaA?+s0tgi4tVmGA$G7#Iv*NaA#*v^yMfF3$1vdb_2rv(P z_IO#Bd{0@0QjF}1xcLF~sP##+^5yb90~ZJl;LUt=;eKVtxL+RgjtI(&V;(Kqu@Eu1 zX1Q)yj{$Em@C!pihk#$UlMkvKK-tN|ujhG$0Q0LMFa4DZB85zUl1mA!7Pbq7fNW`j z3?()@j4J1^M9F?GTym@0im~x;*A-mSHOn}OBS4Xc;0(_hS;LF}mB_V4oTvzRj9Ro$ zaUTIVq9q%A0zCDvl=l8o%6-7V)Je1+=J)txp8>}?w(dplJpUiT`70v@Q0%34|hfK{S9hDW?cj_Rpc_mL4+cG8)`TY&r&)H`fvFE43z)C|%G-I)S6n zemkl|{NnK~1hZ3pfK-a$^_<)EsxUwS*6BAND<(jUKL-Vf&eNay^U4{i;9BtghGeJ= z?V?rz^qfzkUdR3bz8LSW2pn)4m)Cv?GFxSW!~zIiKEe0T3<|)Q!#TYRS`G%nwFjAXe>ARQjX*ZPlTJJ`=S%Io{Se&y$H7+@8XYwSr(bNjT- zZ6%rw_#>PP`v9DOJc*!J1ah;0(D)i9Fwu6b*El&6+W+=92Oj@+ zC;GU^*~3Y3&id1cvsdYraV43ehIV%Zv-AF=(#G6tU%;0DOyR!2d$8!b^T4j@$MO&q zMs%`vWlfsaLFUT`b;*Eje#}4B6>&x>55HeQMZ-&i=v8|KyW5&vuM+n9s~9xMCQNyh zNGPTU)|t=?GPpD(>p>&KR)(TYoo$)`^p*l}oCjd4ynbWzZXNFqaz~!cBb*E${>MEc zK@ilyp&rZw5F`KfV@9}FD*Bq8J+Q*=C4N%jINzLdjrpya{gISxq0ax?iT<{g7L1c? z!wEmYF;&1ausvOefVqI$vR--7gNI|l`5FNInwNRq8YRwW0xY*>fB~k-H72O(l1vJ4 zscO*&fU>?JrBCNz?0x`B)sOWbFsh}jPvw913;#(PhZ_wQ#CZm;3jy$GZj zUr4cYC%}9Ijh=~W@wM3xkMj1r^0L_yB`yeg_{Vx$+}h~99P$L6&|K?ey0q2q{#DW` z$N>qjl;*s1r*6QO8vqGozYbg`^3)=1;uGt2y%ejm4RIJqiar~ug~Fu;6F|5%w2N%f z7rd8DsFF}SN&`S+3}+g6#homvx^uiPCEG**8cWbGR*iTNK%x0oWZ?hKvlVBXBnQaq zO?+ytKmpJsm2=@i088OXL3<)mL^-MRfo{wox6{Quf;ZRfuUBxkz=Dj*PXOqg!G>4D zSUZ;YYXfZAlV>~0`^x18Do}MUEmo-OD=U z4Q_+wkR&21##z9+8mRnoau>P8q*rzjlDts6yzCtRKH!1JfbHe`g~+CLz7V7sJ9k$s zpf#T~5(V@6V%$ydec^SVL=#Ex2s*~X#!`t%-OS#1Rd7?Uif^X>4wit*8a`?0p(1-V zhL%Le0N|t71BQvqKl%*~zy43S#|fFwZgF;~H74}`y9z{=qRnF$_w)=)(0>oUMj?_8 z_8RN}GD-O>t^g0Q(#HU#ICrdViDIk;Xq@v=XE*E>L=*0HDx?$QC#uEeWY;DQGS_1R zyr)5E+!TPbA^}aFNU2OA;a9y!7*@0%)LQLd03@BLi4DihhTF&eb%r#I ztz|RmgWUJ0gh5eaDaez#euPfE)gAuvTq)-hx!3r31X8^gdnwv?&_Y&&eP5Gib^@ti zxslXM-JVw7+z`$phVurLNQ6r*PV{AXv%8GK6vKV8_j6MS2(QE^xewKm#Vc|Djk z;;d{6Hc1o0DD7-u9a`LjGzIh1LmDLV-(e4DtH7NgEjLFwfHN-I428bp336CR3-j@h z(Xn!7eu3RUSyIfJg8P~y$(%lk4i7%|UP}l$Sg;n$N_PrbXHOV5<`=v=OmJcu7tYe? z6Uj6qmtCdofpN#}b0Ht7K55pMb(olZ5 zO3&;KIz*i2x_4!iVSSHi^FxO#!G`Pin1!n;$25)VXD*}weZy*O^Qqbj3DyfbSIBB& zLR8qcNd z0<3PVps<=XMn`tUJXW%D#O+8BJeY+T6~JxM0tx*BY3U%8TjDY}Uim4I_g>T6M3VTU zT9(=C-vRRstr#)v1*=ci1xOI8R4h}N=9oTWD|||AnOq}TW29nT1$&hyWntBIS4rX@ z8ps|Q%KLW{<10uIPZZxX68olH#>LI(VP*_D;&kq}8ST=I;F-XgCNql|HR@HS$f(r6 zxM!dHpkTbgfEz0r@=D~v7)$IhB5uFJb=$0uvqKzX9BT+C@to{B@b|8Mg;^XDXplp| zKZZ?A5@M!Mg-Xf?T8+cQ(JBSSWN*+Qy)B51 z+^!gsjIrynwdA`?0KBxA#UG*4Y#GMn(BCXc^iwL3v9b$5g@@);$UcBNSP51qN{ZF( z1?$~t8m{kzw`cD;9L71~OKcLPz2B-VpwD6l*$7WQKht1x#2+KW0FAs7WT!SpUyY=?fe zpZ<|ls+qCEbevaRX~NU;3N}Lh)PYC(6e!->yJ(4?2fzY*I8^ONy{kUwVu}2vVtlD~(XYbJb|8%gFknlhnz{R>7wLA&!y>hd_?D#^ZrYN^ zxxw{F2ET*_g5c+i`*$lRb^*w^1{mV6wXI}uk*zDtc5T+9C%9tc*EClspHA>c>-PAf z&m0|mK?q@LukJLu-=$S^F;T6SK(h-hj+z^`5bPU8HDPy`w4xWiPiJET?ln6sJ$A1@J>*^i`T`*;P>ymdbiR?0zGHOw-mWr-(p!8sV zjQOw9n58`R*)8CWhGf`5!H4R-zB_XZebH=8#i{y~mi^21!-To8=?`pl6HMFAF=!gD zjw}ui6(UJS7U!E>ErtkVCNo9*jtv8)m~4U;IB@ zJ0o8Mi|RqkILUtt-{E;h$_&X28h%mUbT9)R?2amIqCfTavxS)3YV2x{d{&_ls}94S zyX-}?yJ^Z7P#m$Gs#uzmmOKh@m3^|tI|F_VO_?~*@iv~kP;y04Dqv0TH+Cca*7h;h z=3gboh}*r5apR82@Xuo)BdJ}{T$njE{W3X>8tjRseL?2;)3339WOK(#A19wvx)+X> z&<8Eg+!aN{l(PbW<`e+FlS}DQy0}u4Th{4B*O+oy0T!ES|E*+&EOcJlcwik&=5aum zSEC4NK$o(1#BQj0Kw4%EIMGj0O@fsz?{EE}5WJup10v%;bGOGO;{>g{qfy&AE+PV- z*RZW{*1lVMSC#B05hL9Q_Z&r|^#{b^kzwGd-iGZB(InhmD9Q^fUqtdiiihv5Dny!x zP+|=?OGk_>=$CoT98ty1+bkkQ`jFD~E{F^8e$W}HJzN=c#{tfD!pzRHNfx&f9(9wA z^y^jWtI=ZAJUat>adQVAnQVER8Ho?!n7*KMI*xYq4Mas+0%UtDM0$}AZ z(ZmA|D^VabcreiJZfe6?0vCWWB%Qj|9e7-^W)edJT%~XLT}Cb_efh6}#?>?d&F7l* zWI@w~1%ov6UxudO8fHfpmTwZS9~VYeBb2NM1O14BeBsW^m4&0DCde=8CqVVBI;7#X z-O?Ly@I;2aH;k3GDwc4o5b-?c=yC3cM`(!r)(JnYP`@n{#w%AJa>8(P$F7G2yux9V zKEcJeXl(fG5*&4sz-@A!t5ogv0-t;s`X*_-I%beeJ%}VLdJvuKd2ePNIetFx(e!h) zn0$kSTYJ<3!%Z8ts=ok(J9dk*ww@tql))owcpNyZ?z0fYB5$bM$V4F|!y`pGKE0Dp zJpcf>nY3Z`Z#LRHQ8%H{Mu3pn?NW&%BtS-X0d-N7diqQ5&X?`kug{YwUmrKb9@hYJ zP3p_FR_kpyo8QI3*T+4hXTFzbfORvu`t;|I-^0%Juj?D5=VuQm*GB+QbJh!FDf@c+ zAoe)<@-+GD>+{}MU*8Ah=$FTnmx!0A-mmw|AHUwNCB8hazFa%J?7XzGUi3PgRZRH4 zOwT@?7`1vox;Fb=dE6$Pl$Ac^uco*9K3$(gKFMYD6N2KuK0lFvy_sx%y23CLa}5Ji z$lv_m7sSxOqn9(_0@m%*<8`-~*yH)CRL=o%%S6y?_+`yRlvtJ86AkS1kv<_M{W9#} zoC?2Q`u=(Srb+((@j9qj*7UQcywjHlq5DF?|6n%1E)Gbq@>Ie{6V67aAS68%C!GLqeL46(=YFO8rf`apE{nc9`_#(hBxqTTD^T2D?T8u9=6{5iQeUgzOrl- zjI7~ac)(3(M%>i&)-o=B#kgvdQyZTqr#cNMr!+Mur(_K#ed0wwTPY^;aGM8eXL+^m zWSsw@s1K7W`}{(FRDEAP%Lm6i9%!ihrpRiAFjpG;-hm?{Pt|juo5V6>4aB3|mD@+} zMznxUCjjdF2Ky-=sqyCs1cV*UfQOYX`)p!O@E!i=%~Z)`Xosbk!7}C zMaGHM^{>K`F}E=#^tVLGL5UFOrYE!WqOX?jj$?f+hbKe+u-ucb8ZRRx<>Fk!YCJ#T zMSBpqCt)=vt^NrOb8~5M>!CMU^~9-94!Mj!bKv80{~GlySIqV|N;o zrnSU&jGgSCo6zu6()Zwu<9tvJ3{g)2nUpxSsx2{`a+7O`MT6a>WGNB(n6&Wj8Ki$_ z1gK_nadq5|nS;g(6N8GJ@C1eknq@-@tK1b(8gLYEiw)}Z%*bWP%dQA#y$oJ85hl3k z@Qpw~laQ);sE6go3KsPAZTwRy&eaRE`;DpMV)Tv>N@%D4$FND|sR>wP7V?$?exUr^p@6X<2h`W$u zoC>)Jx8bQ5@wIN$K;vJ0##mSt#bjXmCAn|M+P*Ln_%IOBIE!68lW!o!1bsR+;ib?C zg(aT>BI2iOus{Sx4xQhJLjJh3Ed+$n55Y;wi+E;crXf1fXpd4!UjH|75Fov=?6+mu zPm!$YbsPVX35z5F>3G}U-2N>vtLhG(2CI@66s7b993@Zq`*TTKqW%!uX^Y5x+jH(` z7~%5vS$Yg{>9RLP^V)X|Et(IYERkh{6aDLK6bpUu)r;sMDohJV5P2;7Y0{ zS}1;S0?q+O&>NdumlI2cU!%0$9*b}w)r@`mZ$e7}O(o-YpTZqsWZt-q z%qVzpy{C0nYC~5yeR}3?+MMuCs?#zjQOoaY?xu|3=Sx@J@ovB`3&Cj7o7p1D<6ZYq zx@Q$+V$t=CrSLW(pD*58o+DgDuruZ=FqZXV=<)lyX#jLTLOe?*{k5z0b5c{SXn#4><-}-H=}8G zD$|<0wv?=ovyH4aawhZyKQVM&tr}_c-9iwIW;Rv$Kf5i*a77{q&k(v zcDQ&p?y>H{c%9x5bL65lbt3;h$>k@>!CwgA;a{x1AvOZG?2b{#x484C@RXSJn!*S< zpH2%7AljIL2W(aZId!~mV^vaK%)W53lojlq`H5tEL=g3S->$fD!D7x4KdwaUBu-dA zh4C`v7W$Y|m+53Q$$s8E%2)PhkM8aJnFPvP4WBu;AGqT5z9fzJ?T<7_69_ZeHnahg zr2OuM!T7|+;tdj6Lx zqtaEem8)TgfaO%!na~pip@ZDD%Hd?@9Ja2BJuN5YwH6#>GQ_oyKDAQ3Bp1vrhqapm zy|plNVR0O0v?Xg=CY46@o06Auv#JgqO%-%eS%dth?j8+gvlrF(rM>AVb86=V5&ehfnQ#u&7PLWt*!LsgHiW7!jFYLt$Gb3BCRfy z%Lyfw5FS>Gl4_$M-CKcnjQgrGgiZqt8y*gqY8 zs{>l?;-rZ|>I`1<|51S?7==9|9=Chp)P4U(C~?7?fb%hM>b~}v+>vNn zSPWBosI=stirK(MdgCT4EaP^PWgojd#?Y_~On}!NF5deb2BS}U&}9F1y(PtOIC@PB zGdES$VjlF*P__~)MK00^#sqy1g>|UBeUa`9Jst+vp6cb4>3Us7S(pHV!_(vE_K@oM zwlo+iyn7oe|3P$6fQvCj#gQws35o_mTFfnVBx)5GW9bXj9os#?MUUZSjV<<2G z9Dm$rg7cQ;xSMCqG;*ALi$0+xGs@1WJo;<$Zl~ox!!8r6;ZNWrhQ6AB8f5}S1ZB1q zN3~BS^}#ZM#BuO{sXA{p?epi19q)ad7u6_(s#oa_esQI&(^v<59LOv)b-9`=RrW!$FB#?B;Nl-4ODHkSa!pM5!u!{j2kZ=r7);SbG zln1~}Y_7Ey9;Z|+WL~6hAcJw53w6J0uT{i$!GD&j#r3uA4W`Z???hPIH=iJGgs%;q zYn)qv-fE^rMpRnp`A@S_Nt@m(Nrc}c<^{yJw>vSjeLfV4_|dYL%N*TeJT1%Do~)*C zXqs0!8)^StIF8t7)iJlOXhV-OM8mpc-Gq!}YO9F!EP1EbBD}EOO4=>2v*Qo>j)+g^ zs0Oz!zweeLqr8}xY$X{N(pL%%m?v*cHeKdqL^q3VY=RLFDEMba4%(5Ws0#lFdh|w>(8q-fb z&R7UuUHl^3P$hUh}_gQO=uAVNiAb;HR~Ko-rHJtOhv#AHQDwQ zjdBCzO66VQ$@U$+-+QOI)Q$*fD~qMA=QC_S$kTq}FYhLh*zNe6(2jM=U`JjqqaEag z;cyv2Q_GP<)_62B{UxZ`OREbBbF?eE^eXQ$U#c`*Hk6|{wLc@2u4LGQfk$Qw$~h>?lk){zx(oIHM|qP!Q$ax zo3GkZiMW-MlI7ESj^p-}#T8o!C*}uOrKt$U5?GcY?ozAM$_6q&Q&KD;g#$VkWy(a{ z+)jaIer;IBgt}_7Z3U~i%Q*_HzUboS>4D^BM7{%&h)#sGKCOJ_z+Y%P@6xCd#n{($ zzcO1~A@I6wKpmsT9{~7{t6HcSy18+jtxF`_56RG8JuxR2mt>r?P7~vQHzByCtbV-w zClv-xgwI{7pY(LfTBqg7Hy9A(RX$jmDC~(Ne^s`Vl(-K&vg>dAhVvn5&WWN4!wJlD zhEQmp;)y}62ET(h4ey}+5FtKiA|O&2A~Eogi77OiPtg=tuIs~dJr0Ig62g)WK9Fj^0e`lQxi zK$|{?HG1A{3P%vqQn?Hf-uQJ6&o8ow_b~{TFfcpvkm_JR39G&w*Sf*Ry4b+)R9-e< zw>dhyHs&Jx=mX++t-;)+h$zfx=pCacW}gW&o`i<1qc7iT9itTXV<)O{g+vn_zFAq{CiGtOB#JuRMBP z%?#I`YFyOUIz%E|DVc8(Hdd9BT^2bP1;f7?_r?{6ID-1lNl<>cFi3U{syXO-Y;yY! z#6>Fqehq#r(kaLiikD@RgE)vd%UMFgi3A!1QFrr-=@ZrH1_fZfvu31j+wgQ$%2dR@cu zAjCcv?~>QpclZ!(*c8V!GLdyzBBHX} zV=uU5NAKMWHRhwt!?SeIz_wpJVrNH$F}wX_vd%AB(b=;X&t~(U$eeL09)K`Pf_uFQ zII0tRv=)lZgo3s{50&8&T7eF912`sscBypnk>W{zq6}&>t0tF&4~1030*-7eWUKgX zFHsPB{~C>CpD(O%EgIx~q=r=Kb+(Ov`s1|B4OZU8Q`j+JFo8tSdPOg=+nsV~;AS*6vcO?fk$T z9zt);)r@3#>s<${cPW)}(!zFxOca@82M!u)Oe}}sq#n6U8FvB;U)IJ_$vB3t9%!s2 z8799KS0qBbG3C~**IzheZreY0Q|MZAvz%Hkn zi<`a2$T`2D79A4d$~&Q(JZ1N>s&w(SrjEf5XgR0Ahk;t2#iVRqc>OEkZ`Q++5Ew@! zq9e&Syp4~HVoa!I!lG;KIcrrV9)IFA1}Yd;3>JFX{KV1eh-D)=XgbG3+QAW?%x*E& zufSzz)*>XqL~jiw^*ZFiry+{KAeB4EQ(L49n9y5`OXWsL`8ewth9kGcp`eQ{xV^t# zYbx_&^BZOuy=0$aO&HbNURcA)F9bW1)m-RNR6c%@Tar_{^HSd`YXqcmxm1p(@Ev4q z+LXdc)#edk@b?^ZC`1p4YAtuwjI^a0?1swt`@27DT=A{BS7(;-tN*oX9jNOFq$c=W zVl0mQpuK?p{c_MXC_82$n7HyDrXQ_Br=r$W8-&*L{f%g%bzXop{*$t{v&kf3qs1k= z>35I?8d}YkIDuN)ZM>P(KYw8VRD%|ZQfsczO-0tnRn_MB$LM`u%VLFFJFh>E6o=1R z4XQPvK8V>Qhaj>)(2UVw$!RVVRhPd6c4Ra>KfoO)@Mkldl(7=W#uV)P9De_B`@ah3 z7RaD2z47d9d04ztZC;JhQpZQ+6X&GrQS8A#1DsvnbBEtOuz8u2oQqbG1Ncu$|9xS# zIMbP70#6yFlygYcsX^$G2v?4l3ceQ8#!^H=3(Drk#-}H11GIA|2A~KCI|50nQYqIM zf%#K2SYujqCjvs)ArFt21A59dS*doZM#JpS&OIi{5NPMDLl8%`TL@?p{s03*M`7Be z<73WWw24mrwcK`pqj%^tdr(LHv!$#FV`I6%8d6nLnNL2&=5K?z+iN;D^suFi`%!+Z zuOcJ0JLD>0RSMe3I@x4XEIc;~peC%^3t~wo}rYL)u_zRkV3X zDNMy==^fiM58&X@d!ut}JVYA+^>%Xn9Xf%y2n#MK_PxJ{Vt&f!B z8v%ZW2r>wMFQF#HSuW74QswK{t(RHO!~7PUW)#eY*%{HdkplS(*N)?b0cOdy{ccrx zj{}aBGR~==hDXTZuMcm3%gF0iJv@N@dtvVpm&>5~8~}7#DHaIQMIx9^GAkm0>tG3x z2AzVgvT(-&1Te?Nyk}%Wy!WC{Yt5^&>bAhPdf=iHk>2P{*R3CEV_aYS= zLM6h~Xb`EK<8A3P3y31JP%30P(!$hMV*tJ46vav2ZM&7;^AHmyiRkZ7>MVWd&o|2KV2@+gdsxG&VzxPpr#hx zB}buSeuoYkD`TNCvG_Tm6y&&n50$Vuc;dS;w#chx%I40W_Gswh; z6_a9dh_@6^eLrAFs7ga3cPp=63KR>4o}mSsh=_Zr<05LIstE zj7S8iGWr*%+oujO8gQ=3+Sp1awW%Oew{Pw%1~}CTfB#l-9l~5*Wor=t1-ml|4X=ay9j%56pWT`E41p0`)p4&E&X8~+1D<;p_^=e-Id#ace_Z#2EvH{4I%6-l zwj=c$bu)Y3KXs7}_S}vA%o}!`eie^!hoBRSrfL4nCtxsokyr#9xcqCWc#=DVvf)^T zPWsHHqE(wKrkL$nv*loR*P6c9P!~iIk)3v^ikb+#)-%}y2RM1PNBX-0+xDpfx@U&n zU%tbeMGcsY+Lg)-yDtK83z;F%B%O-(Z5@=e-nuN=Ps8`w8Dj2tCaM4QI_-07DE`5b zP~Z0qIlFxf!HqzQ#XwiWMV6TMo|{qDZf&Gk?`zA82J@Lz2g}H(ZFjB)PD?=YU>G}6 zvqDUaOJY3Ep!{vgX8%kSY=!#wN=f_Jk68l<*2(ip?Cu`e#N0Cp7&wa3aD;LVEN0a0 zCBhD8o$4E#Ct1|=P}vysi>buJT;B7201fQgTaITSn_A?{}?N{ZzMzHT?M zy0()#`mGOY-n&oEqklM=GSW($-#9iFPHnRDvar5KW$vW6a&<2Y<~f>S9bRU+rM ziM#hj#&5g$cI6~Ln#$R^i?vjqgFIO1joxN`QY(!NhTeX~N85yVfxe2BSNv)E=p&A+ zCNO;X7l}Fi!AWcy{vlQ^IVKX}Q4yCh!MKHWK)C3GwRTj|AfIN=`uR_|!Ui8RiSVh+ zOCZch_G>HrXfGcWm5_6n%ft+}>oz+B5t0dDGJ{L@O(o=q3CXhH_7a_*7>gpSKYQzp ztV8$zrUBKmSW4XIl_7?wvq|ViNv6oo(?pFVQn1QT)5@cO-H;}};}nSsp;ai8-;tq! zNgRJ>;Lm+rlud|W>@e&`)7XbHJQUl@>in-E)-B@T7%iBM{)zD3MpvjJ&Gvp*Uyk@o zp~08UBLDt^2YI>8n*R?5i@XNb#dmdDjxu=}Ab{f+z#Zl#!xWQ5TR4(u6jfw*4_7$w zU%*?TsB#ZKhbh%C#x#?jNfIb26AD*YgjhkLflG;(Q$!U=vsJ?bMWj@yV8*_Z0a9A} z!qunn0fFwRP{10&GBJ|VtIVq=e@RsZfjG6L43o_!P|Z)^*$bj8DKx5o0fnx|zpGD+ z>PCkz$i=ARujxh=QRy>-^$j`FG1|V0o-g3%@Ea)qaD>W7m-7kSMFYpgm-snFh_m0- zabGjrI5LAh>(Tns~eLmbJj%3oG{Z_tQNVN1_T_Zp*YW))ZLxpECZXL$Q zCm`hxNO9zc0*<$FHJ$+xyf?zt)gAPs!}oszayF~R>=&gmgH_|z{ufBg^jIwq6GNv+ zF6)qTRX{E&sA-^(Ss3T%d`F+=DAP0ql-4r51R5%-1mPaz+1v2XU9k2u7ZDQy1lj4{AHeN6f}GiF>$NFX8RmU5oFOzh_E84#bp#l)n+o4!8K8sQcn|< z2vRQux{>J$kU!TCC_cp|KkbIZ40bZ;_^xh{SWbmIOIsrUUJp~%Ew60y|9^#|df@Ha z&5N@`Z@Bu>Vg(iMjeCiFcQYw46v+pHq~5<&-Iq8BKa7sefG&Q}#>?6Noeqp*OQ2tm z=XIiVYt%^8s8ftvEG;F%Kh@RChlb>r&W7GU=S=H$KPdp!e4PNQ`B4qjY|1Jh9ooY{ zV=vkI|0PWOS^{FO&I9AtqlT&)aM~ROmuxOyo^0wsTNp&Xc{8T~E=m2@6owmN5YM}8 zR!bq{coB*U$5?asUIU20Um%Lq+O;xX>c{AY+xRW70u_bVQE1dseUP7qh649z&Z2p8 z#t9s(-(LKHpA*%2Su+S%xTB~xeKrF)_EQM|=jXJTOA}-yxs={Oq2ZAalv^$YWb)Vt zs`_7&BABFx($ecM76Leds^3P2$$s4++H{d*1vH493WTGws;R3F29=v)aNcgL8}0y_ zViuTR$8HHZj!|J>(zS9jnl?CYOjCjTtGR@VLV7&bNt+y-hwuyh(mIskyf@3G zIYgDrbW`nvyc60|LCm+>j#XV0@ZUw=C;<`pUK@btqduS1Y)-WS-OcSI)8!^0=cDqH z2zO47&iG3qvmCGbk1U5lK`WI8Izg?N9@%bkm_}c~veK}~b0|ggsmXXVvQ%DqHe}lq zZdwsT?_7DaUvjSmPqw;UUNx*baE}?eTH|};QRzng0C|a+bI+iI48a!?H9g)Zv$zfe zH|$c~aPv??wL`41p^utEoZ`ut z_(&)Vay&chwOP-*3<3e_Z*$~lh)^{`P(M1zz$LD`!VOFG7$)(c{P|Nl8NV71fw3V5 zynld)NTN+zD4NGRE41Vcg^rucVhjr|aOg;uVV{25wRY=8&xnHaA&v{VYqq}C-M?^y z!f9tC!FAQ`5;BNRT;X=*(c664z$6=H07ejv)DH-C=pv5{2k2?bxE6 zYKrdKy!a~3oUE7xDg*TiK;0_p0`)3@qO*vW7MHn<_Wvq?4H6*|Mf-nQBZO_1~aOCh7a-@q}_lD&ju!!8xEk1MYjRH-wWu^`y>?bq0Pj7 zQjEHmUVM(ccn>VGtuzba4xk#r8W1-?YG|pvO!YJ%Yz-4|46?1vkj1^d&>S@E3<_PmuCu)EBGFm2r%Uo8aHo%xgqifXk?7G@VLmjmSH(a#2wi; zKzkt=OB5Zy)s7DT@&-_7AAZ0wax%zv5Q01NM)e^&Gwc`)g32ifSHQ`#TI4nTTODlqxafS$5%(uuln#utve zb4CI*p#JwN3XMbxsC@VTyUeRE|ELCp1eD@*vo$M78&PUSCgr_V?eJuP~&Ef5juvC6WIFjvEC%*rjvI3;Z^oe`-0v)(iQBQ^IVOJ{OO_~bGV0Hl1 zH`hRg%U1)a!Jkl|?aU5l*s=- zG<|hkRL}SRTR>8}L>dJo7L?AF6mba!$t9$hPH9x6LFtfOLO`Tp=}@|1kp@{>P&!0zueoz~?%XqH&Nd(*iz3U~}Wh&J6S>jd@ zQ(4E}Ysrlfrfu|#ANDNFQ37r{QDJH0}z&X;I*7w*t^YI4C`GF4F#`Y=dZ<$8&!tjQf!@pWk@TKKh8 zj9CQxbE|OJbFSJEjKd0X9pUZ2FMJCX&%2|G=mbg48++cKtrC5RY%94gzwA%DZu_v2 z>e24QDjk*^k0ihG#|ZuE=pe_d(WDM#$jKpt zP^c`=%^X7}gUG)u$5xE`)0pU#?CaOG7el!XAvcDF^g3K@e)4={GCP_);%Dq;c=wyf zq|xZ@SvB)Uk$?avO}$TLclin-x#xvi2t?kQ|8X>Wv(;N*Z}&^iUF(~9rn6)!bnDS{ z+;Uv6Y4S`zCeT!ykm*FOAgZ_xZg+qC{6aN)p`kO>N}FgZPTEdYW+^7@qPe9lkK+&P zhrv)QH<$5c`jV}p>wFbzkBES`Rd5dRi`8uD2%7;Z17kx-AI05MN zp`fyx;sUqDy4tX;==60Zg`=-@5+*pApkN|4K2M%J&&hM)zm` zuA0JP%^A=6!COA{sYSM-{Li;#OJ!m^{=AAG>=-8p(UuDcBs&s57~f&|@R*9b#Ps6L zyFXMUnWS7p&p9=H<@PL5>NEl9L=v@(d){T$B6Y8w9c`B0Lom@~98Gi^(7qbc1y%t^ z*|!a=f8Ix)_9;=?QP!!J^O&AgIUGbk^O|_`jC?fuS!DMcI-~0a9E3F03ET932Bq$8 zE8T92C^5m7-Uc2TDK++)3d=rsgH40kqCN?JyxDR#?Ldp&@@TJd%}*UE zw|H(sYmiZKuQYRW!oZOu>|H5IzA1Zn_MGqb+5{Jr|LX_!jpZ#uU`Zu`6H~gj>kIi$$Zken=B@*Pg`hbT(E&$n`76i6VwQ}e!-ckRx3|fEmNGE6; zNa&jkxY$4eOh|bbnNDdvL%aBp!ChNjVHeg^*Qo{yn2y;C2?JC>i?tg7VoWCSpJ0TH zAATlw00aKNOUWP3^EK2z2@it07!gpHKMd^1T~BcPAgHUE0i_+_e}n=+pgv>LFSH0W2-aZmVfCxC`gza5#m4GyP$gxS_%mh=Jm`NV5Q_`N0(eQ% zb2j276+0MTXRIeBB31o7?n;1P-sD#SoS-1C<%Zi&N5)qzlGfwTTSJ*M*@&OV)JdtN zd@y``yOJaD-Yg%7Ij{GKx%#W)?fuVJ+di)@uNq!mY`y}UGnbcK+b_1+ait60ON+~m zw511bwB6eVpD$lt6q|Rn9bLtmA4;#SJ}Gv7B$tr@TP~<=^}NHz1k$Hsp#eTbcpdtd zGijWM{f6G_?F1m1s$FdNZL7J2*)KNxdkP%=IvnJ9sjPgM#o*q#aJ9fVaY{j1os%a- z#%fHk@$Km-kWAH*MHc;Vz|c~zR;VVAa444U>vS-WS1-*`dbQX%$kQ4sXZJ*2$ zyU`j?uVtS0Vu7%_xLuRan7qs_U)Pdf0>;fz7N>;1OPl6Bj0FX36!aor1HSCscmR9! zktEA~x5ngV$?NE`Bf|Gp^S@(8e|FmGsD0eJwm&mEMJPqh5GxNIYR*x9JqA|{pmg%H zyFOD@_t?O>(SfP?oW}Fd2a23laq5?(I#7 zxc;d;>6tE$>DLtEr#2!4*Tna>%H;P215_$Z$=-VP)G42unB-sMA)9_}Vzx`ojOH%= z`kG?Vlk+X1*TB5zK#kh;f3hxh^`8h&Mn%*_@+^tZzYsq2N>vW9WA(F}yInseTZ;ZK zB6{=)+#qu_3hsYBA?vvKUqp^ljX(Yk%PR-cWa2z#O=A@Wq_jamcRiL(>X?lfv42gr z=JBoPas745W39D#4%y-L^PE?2N)>PTZz65t%C1qgkv_RyO}LJH@nXDwqK6)Js-WOG zUe8!lZi=cjLG4oK1)-k7vrCnagWnOJj5i;R zLns(1hr~My;YYk{`=t<((Z#nd7~wr2@=BL*ch&OStp50a5x0D{gH4)(+ zyk7wVp!q@W5b%rkBSHdHOueCv+Y1ZOzD0++I++Q1V=O9Rgx4tg!K@5j$9+DyC)+G~ zHMIT38#iheI#8~U$?w> zZF;{@FufY93hB;rf4xhDQrdaF`_$@Nb)?836Hy~s%Phe{L2sj#d$Gr;)E84s4|JAI zyqERj_i&2U>z4kQ@_VOs$s7ihD>S540X^L=?=SSMb_~C*#Cu;y9$pN;ur4rI-7&mG z_E+x@JiY$;5F$l|cX4mVpm$b$Y|-laE26Wfifm198vF21@lP1Y$`oh&ScjMkY8k+@ z+nU~rlqvSl(szH0hq*DHzfs$!cF}YXU)igSuqa#V)*of7V`zCZYotEC`kzl8V~cda zYl*oAOm+dN6U!(%V*j(9li)*B5x2PJef(;ZB!#T{`{bi;80F`1pU+O9UAu zU1UJ_S6)9XRy0p_S`3O2Ao1`*&5m34J$yLL_>F4bcU_|Y^lhZAi>XDx+J}L5X9~g5 zOVVX%+B}7fl@k@IYTs&e30`CAU+$`ktG&FJkx?_hQTkrLgq@ZLD%IgG{DBQ|4!_&t zu1|C9M8|HtAT;`Xy|MIjn1;3C%*)YfD$;HmhA*axWEBKQRtDh5R}_sl`7gr!=o1+x zR-T)#%tpLtBLYA0&}}SPc5*i5{5FJ*#HaD}s^Hi&e<_81>h_S<>Z*Q|)G}_CxIGwB z@w!EVWT{Tx;jJu#s`b}vOwS8y7&bji0-8a0RIh&%cO9ee27>e1DInOJztg&f{dj-R za8jhdh3gA8f8(zeZ4(mRMQg0zd)(q zm5Y7JvmCK*C)vLLVL$DRkRgiFFXH-|5Ot*Ysb<~D9t=;eR1*YGht`&dr9rY&*V$_T45j^N7rZ3z|=ID>JcYI|t9PyHZ zWTpH4i`Aa62#*7+rwQR(mshM4q-#H+}LyqQTjRoa-yk=l^c&i}GB6Ei&j0G|sq6<5J zbHF)WMcaJ3Y(M%}Mfj|&uBBkg*k9>1L2ZPgqXiym=S{fWr*6U!CVA4ap~dEbT2eC;RkQqJnMjz42bZjbxHq((I-@Un*_ zqq7@t5Xz*v>hA<>Lb3|`@0<_9e>*)b`wlwR&fdkkv&+EdWb*R@AJcRr|I0ijy6FZq zJPr!JE22N@di4eVc0;O~81tJmVLyW1r5>LyiPpV+&~D#~k0O8v1$p+iLCW(M0-qW( z8s~1~vY(_76H-I6d)z8jxyG3nw82!N6}1O4b}8I3*m%K>=4X6NAAE-q$-^URyl6s8n2H9IbhY;7?~}aq1^k88 zsuVTUoB;(Y>h-TE4>OVbVdg&^k;X8*Y#2S6a6_dR>OfsZdPn_C2xi4CIJ`gSfSr{mYnV_0P^BeQsZ19cE4|BX>1&y(!X&3ra=6hbigDCp`j zb?v#^{&Y8UNJdcMMJW#|p7vBh6LJ4&FPKz}f2|0zQhQoWci$G@nPXnD`XR>ZogCWl zRRNF5{(dk6_Re%ae)j1po8!8|g1VoGOz^||+kaA4BQIAtzfe*Z%l4!TBC9{MURANa z{F+GO%ufXGAvmW4=Xlh7u%WH4TAwstH5Rlq;q_|ZEhg4ktLPElm8c~0P~gY=y2`S;50!IIe#`B`~78?mnH+6-qHlD#WSKrBh%p8^~iwkss+jvl={Vz!Kma1?HAr0_}Xg zx|5I4Qh-XWyY6+d{RjPmB8%zMA+ZlP{+jp@&TqiGv-7R%Pu0~POt$;xF3!gU9d<92 zw;j|k|GDlO1rJEjzn91P5mntO8N&QumXF#46_1WkZ)Sl&(MHM+Kc5q20xAszk~!4% zJIYS8eUU3B=?{ssrbr3R$|~+a`4i>t>l#}XJ;ev^|8i&Dy-a`!F3QKdzA0O5Jinvr zs=;|rY%v<Zk^jh5v1g!xu6nG1U^R# z*5BRBs6TtjCeGMnK-j#^P5SXWLfeP~7F!s(q%!b>X9*wj!9mFfg6WRV7&Asn86&zv z_l#Sk>g2(%V;PL)@>&>NxmwdezA`nkZIJAUVJ+JHzDy9|osaKg(PH7+x|XIfVOJPD zO=Xw)=M>;O%QexLHn}~5;(3~i?-~x$kBrt>5nfu;G%^u80@6(hk}^=$h1}MH<0fCL z_y^-b-ix7sLqY2^V$`b=hZJH2L5nUkge#T#;kDdsMXgb~^w0pcm?TP*#OZ*0zNLZr z!QN*K#k6IzQ^u=^>KNc1m$*o;Nz(bZutKop_#@?S)l+6!H4$ls)jp~NXBZln{eF1= zvO>#^Xw#G4ky>@ZknDF2vt!3h7qaM8FF&OVL2fy+Of@MdwyjnYb|Pe5DuJuToLr~H z0mC@|f>dtVE=2BX&CAXlN8Y7;msIPM=*9C~{<39fb~Oyp^2eCM~b3#=Eb> zwkp#2&6389VJ0zQl)_xil5BQ)+@0zwr|*Iate!p<+fBH(r_>4KOtk3x<=uAC8W{R; z0c0-3gJeNLPcSqqC-#D82~e?owfe)9SO!9Gr3-XqltqC-3dH@kp<`4*O2Ko~f@YBi zT~!(BMTS9Pc_*_Er>bDC`Uv09J*qZX|Cs>O;x1sSz&VJP?Xa zXxQ+d=H0uxGt>)wtb)(P$kA6mSKWKqhJq2Js)s)CIx=&KP#El8-p<;sw?mC#Q`z-Va+zP1Xo<5uoS$&p1 zX550G4X@uy!d_bricX|?G{QtQSv>caX^`6Zu!_2T7jId-8uDd zHBiB0xAtS9-9~$%6eVwn%lv$#rF){-fI;v&;T(m75F=c9hndGKElIa*7sQGm3j9uO zu_+oUxmhRlY%XVyFG9!q7seot5O=Y?Kn=e*?+f*HduAkRaoWVOp}>9r@pUkk-dlmL zYv8{Ym-bRIYwuUDKUCCPw9P}yd|F(f(Qa=2l-OgbfNvM;kbxQAh=vR6Jc@dFp5~MB zrC_KkjKY;fahmt1Kmm8ezSmiz*Lt~t)RC#Bwsfk*UD5OSX4JQI+CYGYwKNu6?)a390lz6tHt5Xm!bSN%2+>K#SDJ=--?-H2t; z6k(#1Jt5gWg6OwJRQeCp9O?(H>hw^tIYvokZ`4X0O{X|XzIC2o64HD5JuX1y`h0l& z?R_kK2Mtb;SbVwQecL%obANpoQLWrZ-xllbOeK2~0(V~9Z9#k$hSMObH`ySENm%79 zls2%^?v_Dr@BwdG;~g|F3RWhi2Msh2{Cy@N^n6II@A!&Wj6i<7BN#MNyb@t|z^-vA z8AT6anvN*K+tSU-Jz^>x9FLe)1ueN!Pl)6Jr|h{pQENltvQyG?=3uMT5=gc`y@DwZ zQJ>jK3KS&T4<3bd|L~LTxS*;|rkw}g``IdgOGS@YM9pGhs@EA*HS|BE`+D{%XFeql z3g-0Ar=hxd-C0mGCVkTSws1Zr_$b?yFzgvCr=Fne7q;PF9;=ImKk1+jP%!LF&r0!5 z5$st9y8^0m9m~7ac*XIwP%9WqP^9l0l0}8BQDaR(Vxs!Oh@iqF`g^Z4TV>Cmq;ul$(v$|Wu-R#+ znyf@|Tr+{pZ*(h^FCuh!LY~HsjYkmkNfFH(uynSF<6dra2W40OS@xW&y^3VF)NEx@ zW(ViQIYaPw8H}$oiuO({n4CEIpbnXx(|S{kK?Wb#HcD+oR#$dw<^9o-rT=`4XbyP8tOHMO*Kb!riAuz66zU1k%2=e&z4~ z=^(%Pqgt78a}ajcG#Ve+w|;mlym^Q-w$&-SEziXszD9XC+s>DhNAz&cOH^G3a2RE-D3z9luoszkO|6v^}E|6x=tP6=vA%Q zfAGXi5f95(M8@TtOl`8qsZ*?k&G2m9U1hnNWI;GG5`@Vv{Mz?7j*Tt`V^d$;4*JUb z@g4UKm`EylH}p_E({L)QU5DwH(A3W*?M{4%<7*1k0&SgRwOzTkjPbM(E24qd;cs{D zf7qx6T6otTd0$+8^*(c**dn_pDM+1Ix#RB_)y4#7fRU-F{i#Ak+~b`QttIEWH`%tI z!~QxdU09c3ZLx26ix%FthS@N0p@&%H9bPx5?LV6$Y|VNlKp35B(y7~FSH4)0*105= zchS5}lS2x?mTZQ&%0#so_r0hWl|Q-V=mW9gwmsv?4Sd)9d^B5BO!_~X4%U3w=`iu> zFFD-H@Q(WC3=L4O&9I-}i~m%SmKOPb888I}dZv>ktp4fn3xQAmU!@U8kk&x_k=Kv0 z&!PCSkBeWvbdT!yhOQY98h0C*+(@oU05N>lR}jO42KqN^rxRoKr-}jbfP!^rfslUJ zpHC|pxDm0s{Md1O(}D5eta59&T)kHTE(+U^*GzwOV6Xj3Juwacx{4l(lB5&68g${r zD-WnDSolt``(2A`g|+2veekjYgE0-F&XrhpR)T7soHh-0NAM`LH<3@Z#hl|CTZ$jA zFEZuK0|0^WEDh%Q@1a-Ou$@qeWBaYaPr1%o{j$gyD?PLXuga#rr&7dd*KE<1bNGAn zxp9XyYDXll{qH(GFCO@LmNcle1X6kl=@svb%(>)Vpm66_mYMyMyr5w`;h1RB`lnPWfMST5kz;lh< z#eQ^OR}YTbHS=(Xt60*XZ)BkrT2;Q zZ*E?%rTb=F8L>Dg{gT-3XDGI=D02J`@7f~ihZ-VJNPFw(0*E&1hjQ8uZB3_~1c{pA zBd~7FAufSnS!c%49`-|uLtQ0Zjvr8vmhL?+OG_o6lICubYasMu9ocC{EiQ63(8)daMURG`24M2^)>Xl9B?0la`&%>E4lZ=hKa4;+ z$_VGHszG@}G#C*ee_~KO-C_Ok4QIrRSa7?XjL&J~6s%iPlIrtUaZQjBukH@Ilj7WH zk!`Mi5bzn>g^_xn<@DPMPcqE-w?)wvX^$tAeB=nzqlVJ6{#WhFhu#6$FSvcjXd48J zAjM?=aDc(IU2agjSS|8pp<{*`QuJxyJ1|H2#+X3*e(-+Xvq`iUp+mPO#O^2EL$>EB zPjEEbw`i7?bLYgpDw(=%`cu@OQI81BY;TA@#v=e5j+t_>%{3KPCD`4#Uu|t)dQWe| zLaD{<(^Ns9mbM;Scc3)r8y62YAC`T!dt5l*@vn1HZ8yENFzvB=vhRbv+vwa6%D#{H z;$BoZF8AF$XIiA|_gYEJCm|3$wb2=oGE(-=@>ZldXwx8Ev^0c!NSKh-i?O!jsT#ua zIdc3hCS3Y$!DWkH-c{UBnvxsFj)NJ-(TrUgc9@?uN4NpDyeZs!JJCn2)Ulrz$d0(R z_2xq@pqb3wwLm9kVD5M!AaY$^)ftEe|lgi zS0?)=V#bm>)bA{awEPLJpK=sHetvz&FNLY4Wv1+E3dJt~p>$LacoWp^+xehSVLUW~51;C+xW67;;GRSuIF)-5$wN_z@K_sr}GCCy^`oiEj)gEk^kK-QgPgQQO7 zpG_wS&MlYuE*8dD#kP+6yR+5toEp$W!60Wj_ZzlE9~)t4*yGO#eb)$3Ae5x2o>5MGQI9Jip(cJ<4j_Gw3 zBP34U{{6U~w0@mD1=j8Xw3VN%qswiAl`uU?GWqU?^9V?ot)rq|fAmGArHJIj24@%B zdp^A$!=N+Yn*uj81n*t}#t-Q8dsCteK8mdl+yy2-S%2Ev?a)1czZfZ9oU8QL<-3z} z{}I*95?B8Ek<^5OtHUqc7&+)IClpw#2juI=;qMv?a`{S_%e$ETwD1xN1`s;LRM@qe zcDYvagl9U0wt0I4;*Ix@#p3Z+`&Y~-KPx)~so-t9GkTo z%pkkCu*Qbp7IhgOjJ*tptAGSF7l7cHz0wALK9HxWsY6_LYmVyQ1t>novKXdSzGyl@ zmobJJ&&N*eRzsMx2_+;W7ytfynOO!9g8x9gVE%#=eKiD};aL3{yep<0H@DlPY5-BBZ< zfFPToIE%G!)rnddnp)`fN^)BDHfE|DI-hC}^lj9pO0`Gt~kWz1xk1a5D zvfZt(ohn-l#`+@RDz*nq@KppxDfOuSyD`$2U<{(AbGAc163`=pVN;zJViyhITJ7v5 zw=r9JoQH#*z^bmly%?6`*85Xdq#v52finsl(1#+fQKse+9 z4{-1gItLi{E)-o#tAgjs0-?qxjAWHLsSOr#-f#Jq7J;`+qKbtl5ZykfIa{k_V zC+QkAbRIeg1C17W@XbSN`YxOvGs|HjI7aQcFq>H79ED@NRus3;5_o!yFFVvR=xg2k znajdfP1ZSJmbu>G?)mXuAukOd=S-{TQ(~Od5gG4=OIlqK)M0J`ba<6{>&ChxI-tJ9 zRzb_gDQdegqY!WR5ZVx_yDAzRTOfHKripW{#VR0w?slQV65ABYUD_6_Qm!GNdKdk3 z+Sin&3|y^IeDzm?(xtmV}48yLM)&Af}!$9u5DkaLXI#Rb;{s=rq0}R!(_VT97 zK{TxOj-qRhaNYPd73qO-Ny)}_@Yq#tm$(Ncn9L&@axlP03e}`QkNitoRq(;2h^%bJ zjkn9lAHWOaj5vN>SXv~7*0w7!2okBL6E4)RI_+GyH2oCijl(!9f|4UrDs-?wQ2l?} z@o{22s`3wudv{C>LRoZs0i59)tkHt&{*Zv2$VUlrCiSf90wj#B+lMii>YJ(ib>avyQ9(@hn0LoyFylbykh`zFcnUj0u%r@>(vu| z&wr(pk32O_9(XCR&tJpi<+p%-=I&L6h#_}q?;-{lAO!d}&Vs5p=x|(Fwq0RNaszo@ z-NJ3(XY_9u)QX*x7@wA>kg41jf#+*UlMuB?4_l)pL!UxmjVERdY-A)?DCW(<7o8Q~ElX;QE1gtzq5%u>k_hmO=Te z+Jy5El@04kdN)qjEwy=<2C5q>7A;|62co_Ddtt3Gged)bIar(e_gB)qWcX@vc3EU1Hn$-&?8$7R$*26EkI3#B=C?e%ZmdeG;+(=D@}+XPPRbz} zMMYkJr-4ehW!Ljv!_Iz%JwzpBD^RfDk2+bJHH?233s+_$Nq;-~`!S(`F-+x~73xEZ zCZ~+6kBW~LB9ELc!@du0MeVfiujRulr@wI{FEm zZ5(EKKP^hMWoEgpt{adBbe3b8jk}R5?T)z7j`XI)Oy7A~=+Hny3!Ef%I<;RjBV+h_ z_QIzjZ9PKcvIJf)bN74T@Cw%lQ3vi-sn<5{7<1+8@pzesRi`RR$h`Cjau-GH zGVmroJ+#Q}!Mspv8I4Jr{3t(8`n`%f|8tkYm-w5?F^}GVOjmr8#D8CA#b{YS8;o@W zcJ-Our&yGw+*=)-u)NonS@1Dflu)P2;yYLX51rHjdI7kTt!uE@;e19$p-2L8R zO6zgDY>ha6Q2JlF4d)42zZSI*iAj%BHMKn8^k?>v^x<|Ll?knYFYOgNO|YMUyAnA7d zS5K(R7%F$^uKmEeuE!#^9~15Ti}pnO@x;3ydpdh#liJ$-*O>yp?nxnCuf-{BH^H8=gU_Z~ z!;1Xg664>T3rRtAG2H5hQkTA29?>kz(^FYixG>bWyflt9ZR3V|mP)mb)6B50WJbNu zVu%c@9oKn8ZaNvlb@SwJSOSU1;r@htlTm%X7{BV2tWZ zuo!H9MyF>679~Fv_$(Ok;#Nx}J8&h6AH{W zxY63we@EzrzvC+i^sH~79ksPzO zHS5h;!%vkgTYD)1(Vl!b1hAzWxDmQ1P*|L3xWov~@fZpe;whe{X>d}q)QE{fB5qq#US^bNiY$S<2kqhY4H1xcDx#EjS1)g)<7V(EBS_ zCoGvE76Qq%|GH^keT&bP_F4Uh0?L?n!+fTE3$QCE7oaBApvapEIMM%uO<)m!i?=Ij zM}Vo`a##QMKDAshbP{Y)0-^jH|8;63op!wzA|Pl##a*NAq*!P&1EtrN4HTTw@;^DN z9k8(B|Dv-q3&i$bJTYbwC81BY;xk_TCDmW^%cr7e3@Gh0Q4-4DyLzlaAB`M9Y&fOS z$rlXp;*=mgLd#%>me{JOhpo;>>ikLVBu)hoUA(+hjtzb3Yz`PeVp)nO{gx&%@(`T* z>5kLz^!3Q8+xVa6LZr_JNJ4>vm*^Lh2D0@)#vj0OZFtge&{rKT-6 z6`K$N_Are{%unGYKY#x`UC2nsN2RO>7w7iG9!8pG8{`Cn#R+#oe8^}F(krw|yP1J~ z(D6Q)EQ7aKr*wcMNRsa+eA)zW#~&9d?}+R4B^59s_AlRl;3m@T11z9D-qnpbV*FPc z%*m4DwY!vR?1KW5Xec;3>7M=R#29)2i1SYh*lsbe>qmRF^EX$N(%kR8FvK~EB<4`*kvn8-3q)THdy}=X;P{kv$~Xx*xy|#EORU$IV*xN=>PZHKz>vt0 z<|8vL`F5Ar+yqMM3}8|mzWvjmwomdb~-B8N^AQ`tcc?Eew13QPSn-z!Tk*`=RYLJ`9wsPqD~e?C*AaJqH8`Uj zSOyhsu)Ja~?5@oCKYoD?aQJP3QN$5lQV9)e2Y1DgZ3TL;mtQWZ4xyF7d;VuM32K4U z#$U%HB2UxNro!f*xY^8AQz!jO$SZo-I*w@|(!?T~Ry5bW%m5D(WHW8+bVE-#&oWAtUL1hdF%xNly51fuM11luQiCQpJO@oyU=0)u6i&Lr^svFGK zEw~vW4s@ndiRH%ewf$^e(f}%9^#Js(gK!4X)1l4P<+hl&S-6?YU)?Gv5+bPi$@_oo zg1BdZ7nP9&=1c}Fjt;Uprx88fE3L|g@nC(R=83x7K%1$HPmbzr4=_FaPD&SnVD6i- z6|1C{Yv-!qc=fR~OPlkf{(@}IA1ttsCW8x;2_nEc=@+%^i+BTI2v!_$+>GVsuOnY1 z=!R)8jsiP`3dfyt!mtgqk~dIl2dydqVIB$qAJ2M@tCki1KSbI?p7yS=@8Vy5+aU(G z-3)k*vCg5}zF=wq0GtGt>;JF0xh6fyGlqaY+#=e(FtBmz2;;bOrgI{r`WyJon?f7xCPEI=`)Wadr-Wueapab6gji?0ips zk!e!km?lX~iF33U&!;Z^`JJ$(QA=WYSaERL#;A@T<{ z66oGjc3@`%7{R_PFy*p@KFbkC3&LOhL*OwzKaOJhx-SP~ZF`MnQg3czQ%r^RB;aqg zwja-S=)`J*Wka=xpl~#LaYrNyZv?6dNa6^I^&?j40LTa_!~)6FTJRZvB{gfeDfiIh-5fC>9x2Ha%!+ z9S`)St!ZVxi@lFVaRve8~)MqZE_<`a+urg%&$q*8qUvyJ8J}Unqn87NCqFs1A8MT4O{=z$KyaZ?>*X zsXSF=qq(Qjra|uo@W?D~37?2E0K;)&p{7Q%Tp3NhF zvls=Do@xhZbFI}k7m&|Nr+;jD?7`;TMT1Fgz-ie{`ms3}wg9F}A;6@g)&slrRTFHq zlu6PB;lJUFTkD&$kj3QIuql?U_VBx^+NkwsN242eEFs2tC3!tRRJtRSIzfw?>gL8YA7G~CHCubQNy#E#Dt66Ou(^!>C<3$izn0tbHPmuj zrow6Ncdcr0tR4`$R@bv5WP;|F&g9t7(jZ1((S@n#DF?)gG&97aQFgrZ_9~`4HQ&&M zWP*J_7CBLr`k%_!n}aH-Rq@b0?W0ix--N#Y*H4f1$Fuj^Y={xcn*y!9Us1uDmdJIi ztfe85@$Un|j6LZi0QRaIAbAN03+>A+>)fzDVass1(rrJo(jVhPw8n2^`<_yw4xXw_ zzJR^5h9y5szvu3CZZbUF>(sL{z6!Y-_l@yPjD#c6mh19wUgqiv>F2hwz2MW%Ez~z| z(R*09NrIYu{Ic-9x}23ou8mM?)AjPtw;5rRhcOy4!3-F%pyydV$aW$an<_X^Nk=oZ zMqR(Kp|bIa0#(`h44S)n3!47Adz`vfAf^Tm!-Mc^Ka918DXbch!Z(k$NfLs7OwZvP53kp0C70D1$fp_$Sy1?mBkBjBx)>pB{x@?jb8LdN_d6#5Pp* z=e(LrZ=C zbO3gscvbWWkD0Qy;&%KlI&z{`HkyWnkrQTI6MjmktZOi98L)liu^L&7T;Bb=$+QV; ze~!LwFlyGmi+vCF(jl46EK|97>%lhahYRc0x7iU1x6h71U>R12L}NlaDcZl)v>~wN z+M&4e($AeGh=`Gg*YF=Zz(D^i+a;#K>(f*MUJ=dfM;gHbe@Xdf+M5+PM>)uUv}_1` zcj@8yS0~{fE<6)BLUGq;iIl7+TSBNE>(eTCNgQ@Z?Ml-2MF8vbkry=-RSvE7z8E~| zp}JEK?;lWT$@(}8F@N>hsdS_=8IhKx05+2ic~%20X3oYrErHV`ld?25k@jZ<-xa_X zUz0M%kXM>ofn!%RP1&^b7x3RfW^C6rQZ+vv(PKjEV;d3}F%W1$pl67NCaum!dX#Wn zTTsb+i#KK3Hzh_>iJjfp&2rh1T-QIzTMrSPnsnOv?t5JFEs>)l-UZ!wiuobhdMfiL znYj^LRUP+q@FFN2-zFsb!G=HzxWN9qb)Sgs!L@1g_{<)PuG!V%3bxkuh~#qoy>0(%5s;8Et7l3*@=7Ah=QfY0&YhJ)AqR_nmT@y zx62XIihs>fAT(^i#A&-rjkEn(CcoD(Fns(FT`uyc=-J3v@c0J~DkhV6a915-WHxp~ zv&KecyO4v*Zp62XgLs@uor8ne=txX2ki1vU^(*d5Ux=@AKh0RZJ$^SIh8e`1QqvCu zlv8h(f02BIm%~#72ff(y4fMYwcZ+e27$zv)0h1CU%DG#?*IjY$ zB`p(?8@(3YSB&Hv_7%Ig`{cnA@g?62zc0#MDs1=}R-zm#ktVxV+V*b=P9gNaH*LQ-=X@^tcn_~hmfOFHa(SGg zY__iDvqTy@ZI}jkBs61*dyZ)HWO+rp)JssD7BWKp^zuuCs# zCVbMJGa_9P-vrc;@rNgd{$zJ*5@31Er%(6JI*`d94s$(wk)2&rzT#NUQ!cBp)?0Gx zhF?0`;fE7f&T-l+!;X|ozmcnS_TdrV90SFQ*R<{9epFbS&p%V_nEVYbh<8k4v3b52 zV4DJl^!*Yl0YH{Vs69Ms@^Dje0xdR z>edd0+B-OvvAlZBEV7(e_x0iUWPDH`@@x1F-(mg#Un)9{x_Y?O5?uHKkr?8=;p-?i z=L30ANSEC%_(k$6lOa0RXW>Vpt(k}Z=3QBf4 z^~vfN9$z#+&z^P`lViuTVjpbOAigL&j!fi8_Jv29FB}$|Fq|CW=Zza@S66+yZ1?4Dd*Dgg=6osBfSR3 zF14E=%x<(Kk7K1|uLaQFtl9sqyEi~6htg+3zHVc7bNN1d`j`e+&dSXdU3~3n^$@E= zg9k-1=nJK>NCvaH`wf=AXYZ$-x-OcA3b&l0gbc6zHk7PtA6Gv8G#zj`^y9a#wZE8I za%iI)kay)2JMamoa5Dw<+glKz`Td1uYc8l2oYkeeHt%WO@$ zqPmPuZ8%mEi|BhHeNnNo`y}q5RTv(Zd*9UjhS0;*v9ewKSR~zr5HY#Un*qUozt>zd;wAbtu4O7;f4;fS^K(OIX^PCP zgohS0vt9T*suwj!Ro%{8IqfeaR{qN}y~}Rjt@Un$v?%7nOznfolKt&p z-#-oa4l=%2%(FKaNc}*aD+(TK&N%WL`YX*c=GMfYy0b}bv-0Dhj!|^+j#ZE@1-4q} zo@>XgedzTYA;0H4kZg~mV`;9_{`WJgtHUg?yhZTVCzywe#qG`;zuP@56yVr8wp)^* zQ6xK;R7GBy^xGcTT!db31dSUNY3(w+E!<&;zE#@=pF-`mL(p=BosJ7fuhA$+e0y)y z7fcVOP>$O8{v*5}E-af*Pwv!9t_KlRv$H!FjAP=*lwAq#*Y?YANik*xW;9VOlLt+q zucCIDJ@N<@&54EyzG_PohZofNev_g8e_Xv~KpZ{P2Ku(RyK8Z`;_lAk6fZ2cxVsf+ zad&rjEmpi}ad&r$lwzfK`hE9)KklEMPfYU^M%O*vuiq6n;vA9ac+|pzKMfeh7;jdkFVCjrtkFF%%*$ z$U*=9+@!bgASu*WLG+L> zSN%&Repw?V1Bj^avDp5|VtQ2K?nI^`1R*{E!pWKQ2*-roOmZirH`9?&$AoU5{D+4W zDy2sMs3VkZ6X~M&Vp+)~V?^8bG*X|FvEmwZ8!(cYBs*ubje;u*Pm~h*E`U$lf#tzlUvV3Z;i1H~V-leew)31C`>5%t7SPI^6 z*d@d^=w7!cum;q2-SY^uln>7K`pGQ26n@__dj4isa<`OC$Q``(GW^gn-}CF!cz$E| zftUmi5D!{=flvjV#7-4V&bJuSFN!Qc~#Y)@ul{7Qa66qjRLNI_Z!SpVA1R;+ZMB znzk+Ix-`>QTB27@Fa=J}J`@J46XSA^8v+GJ2l zZCProfc~vPRb1aVjSilkD>kCi!d?=t0DB>H6GDOn=X48X^tg??HQO`qIyF}LilGii zpRO+ahoQ-6k(v7Pj+QMljlN?(lXVl@ug_h5 zZ#V6MZ|!3KFTiCq@E=9n4ZzF>#9ltXKJoRv#c%()b`1P$^iulgbwcc|-{%*A^>OF; z_s@FZ^J3rIso2|(&w($S?SJp?1~zn9mIUIDeJQxYwOmA=lmUjd|je>VR_3_kt|i}}zO__Uw@_vd9`7TgtD z)I)*ucHqnM_1mMbqwU|p_PNYSSHGvokMBtG{7qZh8+UYStD#M{g)cshc=yyZj2K!#*}S~40o zfqG+mSR39-{RC13ojf8}wl^f}zg)t0NR9`*YfCN~K$OBuFUhAMxpL$}b5=x6y-Y_= zVS88N7w-4!pVBNr#6^?+v`@1wZmp~v(5P`7Xz1gQy=MKgMAM)(bQ?6e{_^y2p@|y^q|ZzV?jRvNpxD^k}xBD)D&Qd~RBQmn&eQi!;bzG$yOO+I-UW|Lw2VE7ktnU^}&V=N?xhhdDPboI_n-v@V?o**3h zlXm9@tV*p2h_T@#oYu}A_0Rl!GL|E>z`Z>B!f!F z9~fF;M`7J18)D=g63d1HVV*@tRxBCqWJkYOSh-pyy~RKHYdv7#Cb9m;WV1vh3H1Bc zw9tF^EI!U2^ZB}PA13^nVRii+#>FS%o~-S^UX~p1r`+YyfQ|Ofq1AQ-x|#i^;>Gv0 z2e|%ojH=3e6)8r(^lTg?*TQ1x7waqsjXyypJVVG%LXD3-?Q@=64Ou@Xf_)xyk4Ibk zqjcO3-@cVj*EcK_`0a@{5Yw`(V6|Nz1Q#zz>00)!w^D{)bC8Jrym9cZ$VD=9?6eHx*S9@l;mM@og56s*9#TpryO4Ryv7l9A0W(T zK=|8X?Z>i?%R|V0hsqCl#=6IvBnNrJ z_>Xt{O}T2;hCyN71{t3mf8u19WzF?VwSTByvO={LYXfMf_Bs%7lmpLUCeSYmmALHW zOe>JDyLb}zl9uK~F*eP8Uo*z-z2mbvl!6h*q`uAEFOi+cof&x2EbCFh`4T$zm_R4C zk(GqMo__P`D?5ACQBJ@=-P-ms;i_i@SRrCKS4|gwFphKNww+{ookJ(|ZJ&`fCU=(D zd-|8-aHfj5jl@B88*Ohq>##R{o?nq(YxzJJig)M7qdj8YHz~ZMoSx>*y+G379gyS_WJuHTwF}%uhiP9S}kQ>f@ZZu@sTMHh6K-w68TV5lS zGQ+H3Mdh=lyYkI2&mR0IDylExK@t+CEGo<)Ar{|Js)s7GK`h@CJqXdU?V?zND?D)q zKAtJDp@y@{2r*vZ!ptm-*rD_s@m`j^n4TxBweNu(Yv}fB5k|^dtPjWUzaaylj!io2 z$wa5_SNNY7Nc_k?sb`5tsbMn{Z7Vo?(s_IucI@G;(HA_0|2v_sCD@IJZphs5qg}G2 z>g|Ic^R(5^MhRrDn6vR=$Ke2&k2>9W2;1FF-M2b5eqM4$f0u0Q z*=%MdSxQ;6nv=IycvCj8PUt#DuUE>82X{%UiRbAL9DJBJoLdP$=t^H?{ay)ma7r0y zOXEiHAXG|oDh$#V=)UwD{G|JAW;?Z`E% z7Q}~z{N(26*d2BVuKG;UR&%41W7Z&j_FU@`^~FDvM6;u6N1+l5`-%;5vb&Rr@?3&- z4yoFfJ2`)Q7XkmnlnG7tzhhy3C(%XF_2l#CW&XI~n{PdMe^fYvP6!N!T@2&n5&Q%e z9R~W}lgdaS*FO~tE3AEc<~sO7UHX+vCZzobfN*d6ERB#pN!*uOO7_xT)MDox8%aKb zO{uf%^b^champ-jy1-KWwJ+6SX7AOEo{llw%Q_^k##w|RjfkXf|ts5eLsweE%A zEg1Fl_XU<%X8A@0p0RVs;b8cew{f2gp+>A}ldO5r;}XE(*3i|6G>k+uEnY23m?seD zAm|*R@5-9}dk)=T-=I;LLFl_fj&Jzyxn8`uH87t5tcUR6Zxf4Kqcb_oC*Vn5@)liJ@{eJP?7XZwQz1CH@?0!8 z4Q2k;8FEr9D*bn|fa{8jWL~lWXnqjVvB)H`j$EA?;2Ncq6(H98LL#pH{qoUyKUUn!&u@g~wBsO+J zpsd&zv8^2pkt=_9Tm22~YfMa{_AplEC;=$)l7fy$30)+7L+2>zQ7cw%^fsjSiJb(> zt*Fjw5A!c@|0#Ph#MKs=3^FSPs!?586b<2Od}J>ORYxg@Mc10OD7}KCtuv1KRXD6j z=~V;{Y3vrn^xEHluV|>K=JElI@gRNYH!e;`8F!*MPt6z59g+&13_{SM#6uc72$rv^ zble@OBa1eMrU~WTZBz$wuiV5{mfBwz`EDukS%EOg2`uK;f5Xf#L0mF zr9FP7BflWuk3RU*o{%%~Sn=y2UC=i43QaNeFEwuOeeQ{Yyp0;we+AFe?E6rLskN*) zuF&FZFM1s%L?`xE{2=j$_aV31F%*S$;$nidZF~)ErL{8ze_(0xF^8Ad5-#m{Gs9||W^{aeRK<)ORYc-VTP(H`E=kT75 zvAkPA%?CthH<09_m<@B7BHvjubVfX?P#ckeYhKwuWdkHB5$JXuKQ__;3Ah&I%y|=} zw5`}Ke&7%xJd}?Eq;NV zWM_GHPV0cSKO!aI)jF?JZQbRK{GlZf^8O)&HrKhCck=rn^XSQU5^~?#>^`QYLRDJ0 zNXR{(lN`w>DqeC~evPI5UW3>X^@0RUctk|!m>uX=o_UlO3SS8;+9@=Zq3uFUAzfZM zi7XZ|5|(rw;+Sy~S@`=9r}V$R!}@n)+$Gnx8PaRLyX5`R zctm3^&i`Rw)B2&xFGa&7I0>&KlhMor3z945TM}HgLas^H+!A|&Y(A)C1FKPjfhhLA zf799zePx3Wmg@$W%VkbiUesJf= zHZM(kR&r*w;&~B(iuDXgX4JxFYd0lpYuCD}R(+S2?u?499{h5WKim_TL20QCPmX3bNh}?$Y&QrqaB8A%d80CGI$D5IMXTYbJrN6 zwHAG0S8)Bx8VsM#lz`o+S+_8 z-A8F$fplv*6}Z4l2(W_FQ<7O>4_m;-8XzScHBj?yu*L;kTFShZ+4V*8qKj6+_MS2k zMQos$=&w19{5(c>hT%*gO%9{2qI=nEGQ&1Vj+-{GtehG}(OIym0JoevN+aLHTG4&2 zl;M~4axgYh->P+b(QCi8o44?<)6#%)!JdT_{!>*|cAiqfSYtJEhP;#mB z;HAVp1-P?tD2iA{1&rEm{lOa21Q10$)*?pjmdG-#St{TTYY~HYT<*wE76$e2w843O zLq8c5$p(uVSaXyX=l}rtwSPGA*${w~0|!8SxBmwquL2;Gw?gqtnD_yl-C!7i{e$00 zhA9|^wi5jr0M;!~RX}zOLHvJ%HmhFV902||+#LYv&T$>31$(EcK}HOKuNUs3Xy6g| zQfe3OGHYP{Zy-sloKIdOcMCvcKSe{)NZkUMDE>DcDCsu#0H;{OH!NdW+5 zj+6yR3OXsZk+M)Ug!-ad@az_jht}aL6}tfl;GuQAO8M^85;gZkwH_exV$#9@v~l6Q z+#)i{t?b{WY9XFx5ib!47%oO>rBnmx)Gpez< z+3BwXoF=vgiC`y|n~`7{Oz@LVt-TCWRckE(wa=>%B(S4uGtJHh||7m=zj- zH16f()yA-H89sVRR3TFUAk(}1z&*ciN*N}Q{)~?d6S6)alsE^35LSgoTYUFE0KUHo zfbZAV`J5Oveg?c>&tIa7shV9Lt2YII9T0+F0QI#Clwpdx1OS_9kx}MgMyXe6kpbXl z=m3DSUj!&vx*0&Oa7d^$_v#V@Kr)j`B@JvuE2+{{rlL)v;7F*rXq<0$v@C5JyE%6cyJQ7e0B;A%zq;f^kwkT^V zNyn3yKB+jA`!3|_Y(P?^xCbwnA}V#ds=;W|Wx5F7ct&41!w6~6sDv|}V9>&nDNZ1d zv~ez7lP(ytAoUQC-u|@*z$@{hrpl(~6-eKMYdtc{7K)4Xy9#hcN*EU_SQx@+Ad0m9 zS-0-_6?1EHaE1Rd5NlNthN(-WnB)Ek@qD-FuH;D}?x2pthMWk_zZ)7hNnMkk;YxwV zXPaN@l9e|2PXCddz%9M{u&A$6=>w5ql$FseqC#w&_ZM!Q@GpQjnnK^jPCa%zjM$Vl ztf~udd7q;(OlvD|CKXgzbUA3D@UuehyME`99UYQFLc)c!P@UQ;= zRle4#wD+wp5p_|ojxruss5kqWNzoTho9DEvXsJTDl9Ca-_?|(d95K@f^hpfraCloE zKO=?k|Eq9$%_?>El!lvTAsD^biX(%Z338#U_dgd&H0GSxEv$JQ;8>l+%0H#GgrXZR z>gI?!+uChJTB)-PqZm4_gu)*hW2WfjcY|LXo^kiadAd~pOV+bsn@{o4(z4~DO{22L zuvX+@%F<8>F4LMTXUK1>l7Ox|L~!K&RySCr6d}Z;wR<8&*v<{u4VKj|W za<}jsNQJ8?iiXr=?kc+;(j;KH_5$hLs)~9$XLMa~*X4YQt|YZgiPC$}CLeCShfqtw z(5aQ=33Px7Q`1zcDN6&tq1Nux#h4OeTk9(Ns*)3tNsH{roZos#W+HZE< zmzmEwwT!GrA3ey@-pA~hfw%Xf!1Wa2y6Z62cNNsN+fcZfm2@%&`3NCi+uC6}F($R* zTN=y$jKq7P8`;S=BkYExU@2-FGG@i>L`pBhF;NRG^T`c_fSI3H->(EC;nU?_wXs` z4*JQkG(?%L3!|!Nl_BqappxzxnUVibc@yghaqpdJmI^M`45N-<&Z-z>hD$K#Ul4?M zoC0?gC!Kr1?!j{)YbR?nskAr2Ck!Qdb7F8W+|055`2mbJRS=qvFy>ABN1BI}=KD=sZugskN3B6VSZG~{c+P;YS?{MS&Hrz$21ko<@ zjasBL|Ndn|;vekBx*KspjGP{VXSplXrs-tMt~a1i=dQ11Es9O1`-xq@o=D4$qvkv& zIy5Kx=C7o`FxJE%vt;Dvp(|!gI{%Fgpuci_MxBy?t;uAgJan)hF-d&#b*$NFoo8K z#IPF~{nFUm_5kdYy{-2J{2m4Ns{VH$4essF(f@6(4O5JK4tV+lGy9FO<(f}t=q+Hh z9l2$C+OSac8P`QyN>JLB0y1Gi%MQgv$6+lkkMOX~gof&e|)uznTc&=-iHC@Ua34Z+xwGRsTuXpj|ELvYYvxqyIgh z&<9F>NA}MSv4}ODGF&4MF2Ox`ZC8`uwxa6Z`ALNzuE)B5alHwq@8cWnfBJ@26C17f zpTU$xZG+XTD8g}*lxQux;QrsywRM*D{C!!lt;$e$NYQVm%{%`(sjO7KfG>JN+#22+ z=>A~~AAUTZ=E`$PA+pl{6h3un5IJq*{*_q5a*&y zYULX$8|rBMSkt%Njr3wVJ5U5kTcxW6M@J++B`g9WHZH8(Z_eel*(e-~AS-6P$u$d1bCV5ahlUA4skc+PSD3*x-_@4!n;@t!J=>i~M{XL+Gt^ zk;3P75#G=t-!N-kON2#Z@^`Yzd9mq(lh%mNrjp%>2dZHW4K06w$N^Qqr6L&Z8J2`G z$^wEQ*HnK12E%;R<#nkqwGN8i7`4GQL?lJZNJ23+Bj$8!ywzH<=5w5-8CgNSAvKk7 zEVB&;#qy5CS|a~Jw(0*bgbl8F02{}od1ttsuztvR5@Zon9u_N83kILTpQ6Q`ThH%# zK~E3_>cZq~&A{yGKA{9&aoKvLt-MKFJ01AH;n3Ab2uJrcQNxyKyLAf3s#6_;%3BB4 z;b|?#2`$+bS%RU6LU_tUoU7T7pDmv?`=pIIz5~iDoF7S5*AB#9CG# z52z7yX2u|irz&Zqz}H{=1r_etc{|@XQbNPfa^ot$rI0qduCb{n=?3kS`119u_qY$h z(`9r>M^?iklxJWBQUCB78c|DbAll~_k{LkaO(v*62ne>dm(BP|-_geChxd}~QcIRz zUrEl1SRB$ib2q%MI__{13`TX;@WA0OmEXD6=h&ME5%5)}-;Fv_>>x%FB>TrY3i0Q` zi-HF+#W^yfnEI3WgErR)1!{NRd+R0ES;U3y=0nUldGEQ2KAC;oyML$fnSLck&hPnK z5xA7J8xB1T+VAQB7btSTu=1fp2bc7U$Pba!%DPHV;lj|D+5;e=&%^QIV?h+Ox;9?_ z@`xLPKm6xHFC+*F?SsG#u}kO;7dCqk2AUuThc@+2QY8&s)+q^25k*P z1SL2@T}!N!V?T{_0y|rzudTD&H_XiR;il1+p1>uf2(mZS*pQx`DeBJ75fV)-JVFU? zR%olT7rhf=JE2mtbTWd5=y%38JUukrC$&ZD*NReM?6R+VM#Lw1 zG?0yy85fVDz=&OF6jF4ECt3py4{21C zOUx&=I2HQ_QakOH3@BMNb|t*7+3rS047LhRuw+FNS05aOqH;^ad_cy5{J})9UCPn0 z{DOZpx&1dMhNut4^;k0kU+?LWFMjfferqi=rcP9(qdWARx*C|S6n8ft+eKaVI}dt%QZ!N=Q#H_UB#lQBr0!G} zOE@{H+ivnunIC|I`(iujJ)$_6lN8yG25?{z2;yA6fD>>o;Hh;tzd5gU0R4(}(BpzF zQeF}%EW(8B9_~BE2IztzUM1G!`lLMA%u+H^xg>m>A0LSqyZl7y)kiH(ztn~WTgZNf zr-+kQ7aK69RkxvV`DR}Smf-n}Go&N?cG^QEItKaTiq?Y=+>qNA{kU7o$9HuI`$cx6 zMTVZ32ym7N$+7ww&Z$4>S1zuwm3~B;saI1(&BE`()h)(bQGr2DXejzYZdQf(58$@1 z6BtOPXn9jQzl&CeWE#`cmbu_?)5}wn8gsaia-ltTZ(D|?PNNnIS=;;`ySPo!Y?jsh z%QDWo!owyI)pK{#pA6yk!();p@APt%VPc~|gHYVWT@shQ8OT6x)cW2q$zyDs($eCP6e>F$7?S)S8c_``e%R8Ud66^x@C>NMd`4g*`XNPv zG?~%*j>JlioMStOWyDuX2|iY8Y~D4b4WBzYO++D|nKUygS=#nUg}ok?SR7ohcXmW) zH8}-1aPQ`+XXQu>Nbkre^!x7>>y$4RVdb!E3RvQ((^8&d?Koc0_Ge6`baN6}7}I7RYeS@&rNO|ZE-Jj_7RMW&yUpSNZ-h3nYZakt^up}gVz!U?J^&=w;C z{bUDW_N@@fwehwl{|~Cs50cAs?SI@QK6-#hXdCZPe zlBv{u-GWjy8j_Zm*y7GGWrEdICo{y%UcVr9=d2-7H+g4#77=wBEqP~v=yj|`I6Pag z|1s7G_u1xbgYUlOvi*l^EyXd-qy0?YNi}2J_Dq(mRjszHcoJ!{6S&IT@B|ZYg>>sq zv&gK?jB1|Ur5B}rPFktRFjT_erP_~x96$$0N-AM}=VqGt_yFb2LwB4Yh7gf8-|hwJ z%z|3<$Z=Tv5RVn7F23uswdjoymPK(Yu#bBSy6K6|wmvCsb~e`09SnKjY7xzV?x!vs zys9N)_%OZ&x$TFlOWNX;%I9O_V0EyTC~$7F99PqGRD#?&OQVo-^+`$-@L*i?inTtb zG<lxxdT`skagv_xOCmd8ZvSEQ}YXyYLuuyGXdj zoMao`zEFifF9qIb`hLoM{^=6Oe#l-*budzi#->+WJZhP4RCvqq-KnJNpx4JB(Et)Z z6nicX5}&NE**E@A_A{VCh%j9ywIKXlNdrgED$j_7^I_)>Pn&7^2;F z&g1zb={rq?{SD^PRjn#On>LHX7#QjoqtK~_i}8CJ<%e5n)}$NwTKG9T@3Z$d`G&h3 z@kN${(2P(J8J!!v^`pV|lZYsoD@s#7@i>K34!+Jsm%LZ^?8mv=-`m?}dN>tYpvYwu zqB)k+-I`ko!c68hXyW^5S6PmkSi$gL$sM0(C0?o`l_#WWvy4v^dLyb8driZU?{C#o zN9|m&2jtgeJ>5*+{gzgtbznt;@}B0me&J}xaXn3II*^u8Gp{5}?su56zQf_u7@Z?pvPJ1^@blpklch?0YY7>) z1n5Y7TRGJCu~%A&UwIY5Ap#fBS#dw9iGwUAEJHl{HOXu&!nd@+2Y(l9F4p zayivS(u_!4lyyh&&btgswJ4z^eGz55mWx@}ITK;Lb!U>co1DwMn_5QWFI+Dg!!LqG z>18x&{=^ThW6v@ao`&D$R&zzR zzYbrrxi9T%tx-lopX8Vf+cS$9!Fz%z=c>$|Zb`e!KRZq~ppI@#q z&TMa;`OWgWz`DTy=Q=D>}Zz27ngM~FJgtGpl&o9t0zWkDcj zph^oF1C4m#Lso)dP;PqlxV2ALVL01(nT=ymu5F&KcSkNuI(QX}o&A_Ph1!Q6?xN%f zmiHGVGh^S9A-pJA6?Y|U-rXL}A|*6eG^|DL_kjRW;j)a7;L5Vn1_+MRf`4)#Y!%GP z%U>rW3hOUNTt!`r@^kHy_;RM7Hpr;tW21&p`npA)SO+HIQF9WHsrK^^7CWT0b826^ z940(6^Mn-(clR9D{*k|mH4D?FZmxN7yf*2&mAPXxaazp7@Ao9CHR3r3{eu>7ZJWZC zH#N3k!_&0x3U{boVfsUpRV@DoqXDuFYW|>(J?2p*yhEefI(bqqVCOfj%e^C7cUU5zz4LPd92qIoWQl zMzHDqx^rn?`O5&CTYb$Z$JL)x#F4VGX> z;VQ%U-;%Zyc2$m!OeWN0gg9GY45khxBN`78mvRn_zItUG#~gj+1P(!6m$~F_i_Tn$ zZldM-k$m!9EK=ppmt`KM@w-S!zPFr&makXI5#NKGoQDiQu|*Y+8WMf-H+`V&FJg0 zZ$aDem(U}n)UY9klS=E~6=e)FCEO6zO=n2Ji*&Z9%9Ub&eX#_ccIS+u!A@#xl4Afh zz2u!peNj4zU$wQ|Nx8DK4rv@9g7#)< z2~)%o=g70G2)r3_5+E#9s;(jAjY7qx>19=5p&ELXj}YNO zMo=iPX+oDI$*1AjjcjZZeIIKupP#mK40K5er*30r4vgdUl{u2zxHz(tn{z4bs5W>Z z*9XqIdfa>ymYNeOmP14Nw@ZrKfOro z#-UZ8uIZ|V9Yd}w@9wjdK;Qu>k`w(9$7A*5iAum`tOICIu{;gj=-t%l`c9h@w);^gHxT+IgOS?Kc z$(CDG3n)Yjw~-u_H1e{vR8mj6TNMhOTNHI(Gx!QvIN5=M9oy-5$5Ik>jkmrT^L7VI z?<dQJ+V{#^z#dl^89IGyClg zqJW3h=Sk=6$qf)OnL8C)d{Dk6xIRO-6}y@M{zQk;SCR{vDjoZ~rJW^Ew@h#UF&(A0 zlbdlzsJW9g89JhQ)r!yVMwpgCmJD~)&MAa*i3;1?XA%mKw$}Y(fg#lkcW@c;V;5N= z^!$ThjpK6Ej=}Btr=CvZ!|@IGf7aPD#{JjQU2^ZPP*|xUHljD(FPP#?@yql1K+H?YNP;12oX*+I;OQM zw_{SJxmw|^^QLl4JJQV^U~I8S`R;7i2n_t{o$vB)*l0bzME+B7z)Dc;HFCY4fk|A8 zzq(mrX*!)u^zp2WZ&Cfx&&_aj(*rM(C!MAYno1!MJOQA)8hf6!oy#b6(^Tv&_j4t; zH;U~e(mq5UEh)*;O6*gscw1^bmc|op65FY=J#*ZnUUCkld(yugpdNhoiE}&BKGt(Q zo_MFRC||!pdv0wDTfb+!O^NiPflAV+;gq<0nB$NH)#9KR(3vZ;j4texeO~T4cqLkU zy~vtxu520DfBjl5PeAq`;2AEUHiuVbCPCZ$!BCG6RI=e7YkqTO7qlIuEr0=f{G8Us z_*WJA%+?c4mAzM2lG1uZ4BYjD|Kb+>Lt&9kw;B-7o)`bZ(qXJWjQnF0JEMn}DOJS& zKX7XYK6q-9PCA--v>1QItQZd&o%-3YFeHi63%KoR|3nT^Wa)#+ZLo({;pqZUh za$UQcrY0*)pG0-)o>FX@afR#dT7bp)lJFq?*~rPMu+=!rmAZs`L^{iI#`B2%J9MT@ z{g_qD z(p}MMd~Ro@ zjg2++l$THs0@iH;!C%<#HFZ@qh|Q9+bc(NQq-p6Tv$;ktxelB%`GrRE8bE|Cqees0 zB=wZ_{W?zPU`4wtl-gf&IWu3+L-7^hw+UPY4#Lxnv%qaa)pIKo&?AfS;fsHczku&o zqX`z3k0(O5Ro@kgY=yk677yb*mK7W!wdrNLchgl$b9pDxjH>JZzM#f?nTRim)D?-A zX;g?V>|Yn&NLT+r4vei5+xzSEf=SMJ^ok2N4!8Y$T30bZhI{>8{TPY z2C)lO54XkF5^kX2A-(7Cx1!Ojgq2OH`ut}+Fm&xsD$_AEGrl{9JV8{!QK?z4=WH8xVPcA|0%Wv{~0%3StYS-}k!#jc&3 zj(|q~BoV+`>lLrTRtO%T5>uX~28M9W=u6G-Oo=p*nGq`WIB55Kc1~lEd`A-b^sKc@y_RjyzPG^hl*>3aXDmwhbJ$Zp}#Tf zH{Vc{3&|sar^nF5Z8MfL*Z=#4j`lVek~|eyQDiP$MQ8?Qg5w3cW%E0V8+#|NS-+eH z;^cqIY4;|Dr@8JMAS6FCnp*GI2j2t!-h{u(UU6GQuX-IY-tpjqGoT>m zb8YNn)n_4;&mkTj=6%{^Zcz2A0|R$bShTefo2p)>Spq(~f7bC!yJU#7@OJcqkh|}X z_;Qwqg0G}I-6ioKc@?FWPTt+ZGidY-fz=0m!C!MHacoYM3TJWi|I94Bk=4q04U-1J zp6?EtW-J(8vsN2j6~gA=ZUh*tOh{~B)ZzNU~oOu@Psj3XAuDNX)(^q z%89UXN#e~9V6zO6vhCsK5x`hHh*>V-3??{M|2GJFpI0?~019|l@vm}iTpl?d2qgfe z6w^u`9Bmg!ci^j1%#gk-yte5E5}bMzSA~wX4?bmiDG14HRFw>uVIN@u#zfFQuhPQg zMc(Mn!vBGG?#No!Mn9IWR2ASUuFyZES|cFX)CaziZLP=#FR29e>&cR&61z(4xYQyO zL3pR6r=gqeKaFCGNf|*@oJV~w{Mrz04DXxqj1%xu;O{)kx|om2?KV2u&7_D8L~Fy+ z@UyeKD5^%N#yHbkWwvH2(?{YLhaU;@zMwqurW(KU%BlgMV?bV|qX1+MRpk!3=!aI? z@AA1&-4Az%HvAi$Y*G;%qma*w&kCZWhyGQ@f`f=wtV~jl5&`rxpw5+>J{8300||a7 zrO+Wqp!2%w(3?J78S*$ZFU+;7dhTyzMOyK@p`DKcRD{LLQp{pLh$I+84z+?;o@?UU5Vk3`uIgS%cNEmX5IENf=_w) zMeZ!lq^L2Rr_Nl8{lN+r~H7 z&M^r&gq8Xyl|sVlpIoqEMvZMYPY+;6)Wuvh>NhfR2qS*;Z;j|MrYA!3CYYblO{umu zt1<)_XFn`aoPYwXNKwt%WB-)dDzDv==Q^sUzrom_ec(FgQ6%FJ1|EB9E6mLa_4<+= z#=D4&E6;Te79lYA&Tp)GgNvURClVX$gyad?FI5 z75UMUH+!op_$zBagT+^G!bHb2uDB+MH*q%%Aoy<9tVh!u6pU+1YTGxjquFO*o^5UY z@v(AW9+Ho93M#MjoaN1ouX*45u~GtL$bJ*+k_7Q|&{~|>|BumH3RY1dk)UkySC8gw z4KU`0Zb3S*@=q z_IukT`hpa+rxxrM9|#eT5s9CctRtOMQhT@`%nL141+7F!)RzkE!SUWlW~3Ih+p_TP zIu=qwy&;=F&4_kr=pB@?(PlD~%>3Pe22Q5E#Mj3kklwqF_OQDMY3s7lDNh+u*Kq*@ z)00v(=isU&rrbJWIlVDxqC_sT!O8SfOBgTbyl}q9CpgRVl8ta)jZ&O|f3qU08Wj5` z9N|`eb2a@90crvC3l}yrdWoc4vLdCHOfs1X?+j0Q?MvGu#(6aR0|QRrms{m#C9KUm zsgs?Ymh*(x>@IA`awDK{s)rSY^~XI{vDRE3uLtf7EPdUX)V>HZB$8JsBP{L;{%djw z5iMtsM=Hm7e@qf#ku3$)oe)M^E$rIL^&}ZGq7-|Se78P?-=qSg>8)nG?EGh*e-fWbem^BtPVq@5z%5@Pz&ls-1rvW?M9ua^T+ z9ng>ccxhctKGJmaZvisav2W(~QqN!AxkxZh-K~GMKVA!R=ti)nt;*6;GVWED8BH!j zkn`lzvoVuJ);w)B;*V?8klq^W&+xmi(3a#y&8T0Jr(-<^z%)meo% zxx93)x8G84zr%T34%gXRZY;@BYFD9Vp{ZJ@xW7U`YWG~P*&hY*q2k%e&{x^b*{7C> zn-qL~3>M*-zf+DSJu|XZZjvvF$M2>X&)y*mRg{~N;GIj?i*boS~^VU(pFfWBdh}dZ@oi$S=6N{ z|LfJG_4M4W0Whs^&9Q@g8ORf!(p$622_tK9g|!v<01O{v@FJ;bK1}0(xmTfRwOHJG zHRZP&G-JkDI5jA>HRJPIJ~t%3oimo*sW@IuDfA=jfMC6#c9qjzkwg%c%6j>HT2n8T zK3QIRdFwemZiZs^7wC88#%%Kc!_<4n!}Uacz)6sZ7QJ@~61{h#iv$sZ=)JGrYxLd) zL5LpFgVj5$x9GcAE&5u$t>wMH=lQ(v^Zv6tcjnBw=YD7A%-lKmey?3Ki=W>tF6a$y z-tRAqfC37A7TY%hdA}Qd_H`P{hMS#j6PmbpWpN(YHbaLVBbuq$aICn~8_7<^kW+wA=ca;U;aJ`{tyAx7WPc1h3u>H09} z)eR6xnjs$FRGofb-?b&8Iwwc-V~15xbb9G$nb_xU=P+>bhyuBA!&blLP@Z_;sW$C~ zojS_Vb~q*moJ@S9L$GZ({RgnFZJLdQo-Y&^1o1Br3f<1_)@o~ItC3CkE>gxM+yH@X zz03Q3$M$Z&L~Nk0Kxow(d287lW|3-J1l$$SIJ|kt|9uy1J=?3`OoCp^pkNtVaWs1- z^wN@D3D&QF&1GpHGTxiK&USM_$H|*ZK@t=A`{|D&;uV3-Ts{2y=giW&Kb>9H!&&OG zLGI+6-!+q;dlCQ8d)^=xeKKY`hMDtqrdJi$=mR@%maVapLOCy3--egiQPnITrxo{5 z*gs~@cyhK!nhdo=r);{kEZtD6C791T1Z*wEJs0i?i%=7TnCsfEYSno`2tzH{2J37g z;l;ETQJ;wuR~DWMn}wAnvhXr?e}|Y-gp&!bJ$?8Z_?tkohxO&9cBqD_yWL{1YNDFX zX}M%kFD>ippW0+kY9<>?GIi~SftLgMy>Ir<1a~;ExmW?&D0r`Z8)#%bUzO*LwRLYk zZcg^I(a$OoawT{Uk=j|UzCjkqVqaFt8|`ePbhRuGvl3rc;T!D+&4s2fti9HQ0V-!7 zew~yPV})>$nAL~X>LgRF(au+v^M^%~i$YL6+3({RVEEDV4qW9)3K-KaCx3b9v5?$ zB~|p-aF|Kf!!6o#h32o4$yRg%6L#+>R+8kPa_ujsTG0Ahtuy0oYvmvoicd58-^q1G zEEDMFneeVWFD5y-b`Ns)@%Gteo|=;B+%P;3H6$7wF#THY*I6E{DrKg=k|A}q}d@24LO=(iqctZX*ToQ<`n8xi#8Pe zVVWbd&`4)c9SPcn=6giOXYbKUbL^K?^_%-r{2RQgV!#4SWXMknVNEGg4pBJCEJpm6 z=YJwFqA(QWDoKj1Z)@=-KUVn_^mCM>ZPnANuQ|fHl@#TWmwoOyC%nXZg=PLisvpg{ zf1t8l%Et0_fL2OWi54?zP5T^I|)4qCh6;mDOo5yS&9dmMR z-}7|@>|{18U5DQlzN+J%9s9+1Lk|6%_cB}YRqkju(#9#71o1|LT>M|LS7$zSE{QmO zt^ac#XTzOy(~--&Xg;$Z9RDu{`DM(^xQKmia=($adXiHrERLR-vkFo*ePAW|XX><< zdF->woEB59<|=V+^Y09W`u2zbnk0SKHqBKzXkuDcZx&rfQ!=>jGmfy6twkW|nc=Q_ zmREt%KzwLx5hd%jmzmK(95DBfaW*tGlMn{)bCb-sqzmwjmd^Z&pUt!#s3u0du_l#c zC=tkgZ=sRyr)R6nS3mXFH|KXWmPE1Yj)>y`o;#_+`#4Y#@ZAp#K)9KV3Aj)5dZ@H! z1I?A!y0vHhsC;AcnX8oArr<0f_1)umbGK8eK!%LF^xW_iHt`IO{r2y^E0LX_iRKjr+EnD^=+r(~5 z>nWph2)&h1&(&{8IpRu`_)k%OX{Dw7dv(LAXeaM+{nwLC^O2vwSSfuJaRN1F(ov1I zs_U9%6OV3a4vAb8Q6mjY!mX(esHBvWqqtNXB=;-hg?esW9a*+NeY?EBi=2;)sMgi} zg!3bKiYSSXFK^F_nMM4q2ZAguh5rV;l3~{`O!b$7xZ-o{B-&x8k{nr_B-QQoDHINWiLMc-X5!;>PSXvVrs;Y zLF3mxx5d*m@hAUwIK;<+-jNgM?7})z@5W6Y_Tcx|-Vb;1hm(ci2cCx;8T5e3-2nXV zLI!<{d|-P(iv*(q!kUNM3*>{~J>|naz;}aj)ZG93elqwm-&E#-yZ>o zNRzIBh|TM=hnt$~nul|qhvNg8`*og&i{P6Y;0I;GH}kO{c7;Md?4MkCciqpSkzLin z7x&I4Cczgkx`MhM*3oeKuKU{;gb~57tbPpwTs-*?>kAJ6BhU41-xfR76YqzUgD&)5 zQZSG8PVn_b@ZGE9U{C+M(2B0(E}6T35AlV~CfCpIZ-aRiZU(8#el})z61v7W;+t`UKM)>C=^GKjbNbKrGZ*kSEuh(kRUq90)|cRr)I*_*-od{72LAgc@yxi zXpdtjQ1IK=yI_ad*SBZp=Xd|wHf9^kpF$d5@ANdhE?a4MT{712Is)48+Vhv=*>#Eb zml>reyx}hOgjP8(h|ZP0)U2@?cwJEvK3r`b!z z_!EH?-gLBJJ&WP)l4Cn= z!y<#&N2poQ%lZ-}hnUwW54587r-bA*a>S-m@D1I8De(VG}c znl7=@@gF2PJ3GgqNyj3UPP^lF@IK^iGgpgbn-;+!5)UjM?b;aL_0IwJFl`t59^{ACE#S+FEtU?E7u~QP#IP zcDpynw)K;CqeR!XVTh{Y-sqlZ4*3!rstVJV36DZq@N`a$3C-T)OmO@ZOC}Fu|uU31nTwr4zFlJ6#x> zKn3YN&x5(uWpy&m>OflNG8`cMBsnAb!I|#|H+;|DPJjls4w2iZxiEVdYuNabWTPkQ zue$+NSj#@>iKi`!Nhe?D-?H0MhsLIx)0d?zi_!5?c~@aAcgHXKxfbtR>*Wbga&p$i zz@))hRk=naffAGh98qTT(%~nPIuIG@yK2w0B#=nV-5wVT%)oJ& zRQk-WGw^6QSai88|KG&jG|E zs_;Osqp;{ft+RR+a*og1At zJ*Z_2eUpqx*-2VL>y=D)jqc5rBHSNb?~Gbk_mRji1XCtl-nsC}mAM=59ey%Uu!83c z&*77R8zt$N57%yAkc3Y>YYj6iKL;W6K}hh_W}J^iy7}1^IzQ2!$v;1OCPnmy`bg!9s@a<$9w*hh~PHU`!;45D9gMju_AqGJVS?EQOAM3eU$(LpEe z$BzCtkT9hVv0k}{`&I~6h&>AOCPc=dD=rH3Q?&vivifOnf++8u&+AVf=v%D99{uup zWMTUeb(FQB&Wq(lID%(_K6tPy4lvRYcD~ zE5ickyFv%K>f+c@`zRVm>)_z1dnH&+Td?I*f_?1G-%&EyGrby7-362p?VPq7F37~}M&B(0KET_x zQA^{iBu5cDord4g5p2{|s1yM1FzM{_YfS?CK+dV7+H4Hi1!{_HFRncMIBe`uSP%On zXY>i+U-N-)(>_*=!6SaOuk)X-ipm7H7Aj9{m}(J$hK;Q$fZ{=!i;pX z=@%3qBXiR&PGs|--{s%d z`DIEH6}MU1l&2B>_N6-aF?4k)!}#r$x9irqM4&+B>t8rY1r8_iqgF>>DkH$ig|-zF zL)DR-!lAQ&6z4x%j+BEfUeDadft?NaXJ%v@BEDm<=Xd!JNc>epD;hLcwUinL0bevl z+=N>scK!`kGKe>tWK%G3`C#LJ8ql?7bZ~T680^3$j~K&1WjGl~o<&nl)P8%rQZHq^P7f`Rb1qmk?YTnPx_ZY9=k5+MI6dj3Ef(h8ZFCdKzy3Sq>_Bclc zLLfLCE~jINAdPC%d{7b{T^yq%n$r?+lt(IwesQGF2exq;_v~yS~V~sy-W@oYz|?d@P(~kh@M}c$et; zfPXT16JZ0T+hKD&L=bzQ*(DxfCwTZqUdqw`LHu(&fL84AED}^vV$EaqD`g9_1=Js_ zpL#nZ9TwnUHKHr*wp;3sJ6zvC&xqWnU3Y;k9Qj-17pAU+IbVJyVAiXJ;N<5I{-l#e+E)pTo-<6U)$nCX{&O2QW#Y{hcE90-Zb(yU+6+p* z)a%JNbbZ=@Ca`G`>Y7~S2^jn)w2!<(Nc4K+`$i@Vq^3Hs2W7f8=ol<|9kyB!O(Qo_ zZb~PUW_=W{icy?uYeI1RygK@I)$&<*GXC=TVj73`Vz2Y~BDN*5vGGhWggO@D4?Fhv zYb8YWAjzI33J&7uQ~*!V$){tDEgbMThqGscx$iiz!yr^U^yaUSOZeBGO@ptlbZl|o zPc#n|U1A2z(F8_IE!CP%u(Nje6W;XW+J z@~qRsoTtJQBIiFvx-?k>I&9*Zx3Sw2@+6D61kG~bS7e>p;`fYB{;udh> zcKIo%@}|F9N=+GJtr*exmC7bQfrT7t$>A{T8txZamtL?M8p+=cx*u5_VFu#Su0brs zZ@!0*%eGdonCRh)>fN-txVIk24METn+-o_)moyZS!XP@Rc@#+;Hf*&(2l+lc((e?H zLdHGY+fizDyq)Yam6A4`Y6mIJ+vW1Ml|SaLSHcPdWKw&vA|{s{ytMP|Q*LH;&6B(o z%;82(xh0>Jb_tyqoXQ5lH9qD=9X851XB=0l*vc%Fv#Z`RYYxtmaKdE!8r<56q37GQ zOqu7l)hlN1gomkyOnCRVbakE29PO8F-+fo0q(!BdzMypv4`@2SdMt1%arn~GV&L=C zWsq!gX$9_!%78eV<#G>)Q3ze#KB&^A++~4cK-@>!#WX>)6;J!Ht}b;oj$rr=5&je#JZ6tP>1irLR!^pF}IGI@pPV3#414$6l7(W}Ds&=m4q_SH`~v!7x6{ z!(gJegbIRJy2#7hxIk~wKO-jtv}SAm2hvw4I8{v?c-OTJfu%R#UWn-ELMnkC(OF+m z_%4+aD2?H-=c-lTp2mZl4!oD;zIDZ2J8C2m;>ty?Sr~o&akxhWUH$mwr|74lxi*@L zr0Y4*zshNH1L!t&EEv1i`9MyA114Eyc_^`oCmR1$eroyslX%y0J;M9`(h{+*6M2fK zM{a* z)TdmdmwZRXUyw@m%XoTWtUuO+?K6K`_qdDN5f9L+r_+ynr$x8hvy{VTUiCf96euyMN?bYx35Q z*W$N#vDNxV@IT+l#|2zCqS?~Khfm|xA^X#pxD=1QK@(ULs<$+JIxd#}_fOBlw8h7X z?x5D~1VMCngNCC=?Pi5HZF*WCO({gWfqACxg9qa2{6}nMc9dfrRN&`o|T^ zFPMYR751yjaBXR<7XH)?J?;sy-Tq3L9ALECI*N$R602@MYO;FObI5ZFxC1qYJ&FBs zon;!&mZ2!&g(IZN&+A{Ixm|Isp)TWo77^f~q=9a?#E+xra(*Rc%C@M^P66X6{l)_l z4i|@@t`xZPxx)z_$KP)|&WB0H>@jM21)(e1h?=3s9=9>Di5~06Y4`>e)~d)aKgho3 zOdNA!9(@5ReoqqESw2kxdo^(>s6i*$rbDtvLNrHmvbRoHb zi(6S4n_>DgM!h|E88ZG^BWa2phW^&n>(O_7ahYlx$3<&+u_fkJB1NZQz=^^hngIVA zRa~w`w=I@-zqK)Nl>g2whNL)dbGD@5XC)~l9+>4aGW|qvaCc`^4dF7N02X5ip=x$A z=Ofoea<;2^Ju@l$?WH9XOgUYc==R)f;Bow}(ovOZ{`%a-Jn0=b@p4OR3KY-k$VnMj@>7C1FUJ$8p7_zlpJ`6 z-iD1b3$i}Z*vVB=FTjNxahlva#Z#;@LEOR@+|^wFJpyGoWkv|-~PUQDuY+d?{Pxfu&yNW16O z8Q9PB79nUp2e#FON;v`<^oqYh!vezkvq%?Pv(m*TOok|g zL7ee;tvMG67mSZA3+L`Z^+&-``WKeO5zXwMCaLkxDbiLNJWYuwmP*4!p$c!@QMf*bTM$k_(C}%^2JPA(& zWMAb&s776jMg0$m&e`Yfhsg}F4~6_tPKyUJRl4sw>Zra#C9F9DlpJJCZKBZmy zQ~H6q`bo+Mbi(z^PZd(Z7$7D*7_DM>T{)^2p^=_73}z|CIdOt=Gz|D2EgLWq#HYp^ ztG}FQ$$g?K6IJK1IG!;c<4Nd0I3S=}hH}`Yi_&vXOeT>{EN&T$x!+)f-x|?!A#T%b zQE!vwTEE^dioS=@%-)(SFV<7EJMC$O}Yg@zH@N20q|6yX^3j z%d0ELam~f3{t`oS&^2A{iqB%jlMv)8A%CQ0TJtky`~n-q;JWc<5a(%`L;kc0>B6?? zChcR|CF9jM+t}YW_9}iN+WaSQK`iheCwj$qyd&eD45#tM7dn$)Et-wsc(-x9^4qK* zKanj2c_0M%Ne=FU(vw$EDAM$uLol7@Uu!!4D;;dvch8C%orkek1`{}l{1t}jN8YJ;bKwRP*F9PC8skyt z7rMaCT#=>zbd}QEY0@elt*n`Hz69BK!wt? z@@+C}7*I_PBCz*A=5_VY?K;VFy63*M!j=_U_&D^GczjRhtlhm{2mk(MAr0@2du8oI zf}o?u)w;ihGZBgSRoJh=-R;C_^7pFq!;Cs#<0N1x+1WXFmu(~jXcuqgM0!5UVX`0! z#W6L8=O7EYe>->8*Gm1uuGY4V1KEqSJy|SSWm0)zr}f+VmUDXPL| zc~8+g)rm`>sL-s7;Mi1A*)xCTeDuTF#ZXiD&n?YhXto18^oUQX`6TP8)G<6oR>|ZK z(S^#2f9w<-`*7#`Irh6o1lg0|Y9>bi#Tam`Y_? zK86URs#7bdj?U1ZBkM`OMUEHogz%r!FJX^oqRgBoh{zqVb*imw8%xLbLq4G*d5UO2*+O#q+62KQhZgKaeZ(nYPqI5w^rnoz4Z5StE;! zk!6MDvn8p`7>U*s!gcZb4{g&8leYfyjCS>t*lAu1{0)lt?3;I-8vBstsf?cGbCHjX z3r1IAHe;y)a#?EF9y8mfmB}B6DHX3hnQXYeE5Q7l+4ka;=5)2H8EKN&#=fu+#2=bE z)AiF1TnxU}jo#_r5I#F>#&~Aq3l_!5{dz>tHo>^|#5=+Lu&vF8;b&MhQw==grnhc6 zZ!!tIs8?`jk?5ZOs))HrMEO@6WL)8kNmL;F@?I$c#8~37NZ{IHv~1x5vQY5RL&2*_B1+mQ+8tx!D2mn-o0p^?JyL|p z&v1D6mqLQ4muUJ`Be(9n+8YWeQHnMzqgr7+DuKKQMl9#B7LKY3QY8m1Ua;!u?YDABw z!@P(Ih({#Tc0_;A#gj3Hgo=-!k2BvTJ~_??s zk-!Jp`n4>=&kZYIhFeJwqV_32G#X4&6m#UCsQkh}uk&6A+r#_kWu42eeh}6x89E3l;x<4(fXb`9=dR zGYxVjE^Og`6i=PTwS5_pt|D-WwfL{!2I>V~D|%s%$E&u^Tw%S;=~Qwm zC|X#_rLQ=AK1l#d{Xd#-0Fc!|KOC>Y((ph>htriZF!%p2VSjMC(pfd>jRH%11==5& zF95~=n-~PM{%-;(9=HbcI4{bGUai;N3pKE03tg1l+W1x{?5L|k>IXgcWL<`G?zJOmU>sFui~?5xv6?f`x_{2CIE>u$_mOmymVtLZ ztgfnM60s;8Thf$u6O<1tuWFk_%+9auSi_Xi^(~X*;Dqb|t-b(zl-zggBeURHUcgrB zZ7l=cK1Y~&rD4J?pjT6-(Nkz2II9wRcK(N~C|JmbFcCCP6%L%?X%E=SC@>KG4=4eN z0VM{&uwEjEk)Iw;fODa(^;~7(qssa6Dv1g!n0e63mnxu=&cWh*?wmLv-RKCcX+3tH z0b}?^7CxWP0EEu|?}+OHq)F>EkpZAuUs4ACmHK)z;}(3sd;+NR4seX?A18Ny5cLkQ zKbW8c5Op6c1226VLDtAo}V zzx{t{SB8N>G#<(*7!Y3_1wcjqE9c5MI$a&LfJrGoYy$rV%N%(&?}L~9eSx!d0LWe$ z-+~w4XSeAAa2r*2f+`C{$fGC3=aT;49Ikm2_dz7kXEv`EFHy#;C;os5*HYjW@k-zqh<8{puWtOEreV1+@N% zvoJWD7%1l=P)$b~0^`D)8-P-R0w}^y*D|<9{G(w9+W5cp)zgu31dVsMlZ~XzYO@%4 z03!f)^CwBf38+9L0#r!I0fZu_>#BVFb{EMtizSu63M#j=|H{5|huz{A0j|;M#FRC# zx4F#LzX!@a7m+ zcPE}0}y)++MqnZnk{`4V_s4&L8x$0T~y1|b_`NI)cBxohUYeVcvW~v+iTllo{_tNT?~GJ!7qR?Ffs}lGFS3Rpm9_|C)Wghwg?Dl zryMYVf*MTAK+<4j5Z9UjduMc>1_uCs<`SrE2TXS&*?<_$_hH~p94TATgCZhHGC*9O9uVW1pAcEz(w?~bo%z)9jee>y8%{bvZ3T!biTi`)nh zISLrB&zQah9|d1_;pVSLR7j-T4CXiYznS#OgKik#kvR`)&iEu7?+5~D@(aLelj{4L z5kC(qemY^Y$t{RlaID;~unBwanV40&z;##AK^s&>x9GoZ>wFWN<#c)9q#FnNcCkk} z^IYvrVahl!_8M>F{I}-mQp?~2t|qy1lkkK#)zhO9U=*pgHx1y=`$j>^xvD=KoNzQ} znu;SoOEeAyP9Ag`(q2KVMUg$CjRW$J4xC&X6kmJh70EP4@NQD?&{o*wUO9~l2uq}ez|5gq34Txp;anhyE%NGv=}t}ybUa)~Yn zh+Cr#AmUqpy!hUV6B|9S1T6)&yb(B`N8o`^8CJw@m2gCmBM_vy^AbHryH;#d-#l{T z9jx@eS9-HC3uV=aFYy<~us*>+Iaebz;ZyIk@_Ky-8&p&q#K5tPjjIK()fH_EhuyL4 z3NFYl=3it??Rf`Z(=_`RSA@B~5csVQuIqJ6_m21xMB$CvJo+~v5YCBg1EQ9Bo=tT= z#{5W*W6&n|zvdtAXeX0A*9Go*IAJfXP53+iQ@jVNOgO?lyrfF1%SXea!;`+XcEv7W zpQpOq2su;0H9@=+$Pf5yo+zA(`wi>)_QCC0VeTgQo!)Y+%FIHtO|D&p(X#znGOdxf z>NPyD?|Hc6;Tdk*bUkA6g)~u~;em8w(M9l1y0wlt1g-LWcukYu$w! zfB8I3zm@|cW7)%ttAw~1MqHZ7Jy9lsP zqV(iR1h7+~?QHbc;4m7%j3u+C6p2}wR{!mdoMB8pIC|4E?aUbk!}Ug25Ap)8yPMr>?GDTnj}`X!oh93$=ONSNnIcZ& zlpYexOWf%^=bZAzHD!x zkb^-GD*l84Z zZR-I`k4<+U{d#;kmk#*yj=8P&NU>j(<#-{th~k`r#|wx&HN^~4X1mHAQe58B8kUgp zP+!cmT-Vk9^W}aj?lZ`uE@f~P+Pg8YGAywA4vwt2I_SlHMs8Zr1U@FrvAAHlBAvwS zAJ616>i!|at~w;KTL?1jggM5weY^DTJF&#fJdGsS2qJqa?8eoHWUibwY$GaKi*y-z zY01JpdbAgG*p_0S(a}p=0QuE&G#JFNdX>#0sWoGyMQPKG$2OTfTx~*eVv{Sq4Bg1? zF8#2vLf(E)7HM9s>{H;^aj)*O z>RdID-ZJ#KA_U(8mrOuhH2g7Qt)UJH0{fx03${rDxfK^+PJ4_g_%=0;uM(3iWK1*d ztMX~KF!@!s5~ZFOu`|w3D+&6z%`Vi+8ZRa~8?%4snD!s7P5Rf3xpmVbzKJRHudq)r z_L-H{$V+};SJ5ZL`JNkU&gC#zKc;!q`Rr?yTdmUHQ?%|crVTi!``f2{1f z?b~=i=gOa5qGwrrI1LGGnEs%Yz6f$FLoBpnNKk#3Uhrm*VioG7^pSBhus5JLnk+ri zEV7NwR}Sorco#)@|JfFCbewbw&kw^=aU(-YHyl__k#jnOh{%nRnKw5P&R$*SnF78_ zfdt}Hvv3OT^3Lij1>PRb|x#izoeVg!WPy zc-Iyoa6gl++z0h^M33`Z@$YNb`5v9%twc%g_y=f8Bp^($yv#1t2M5Z7}O%P0&IHAKcS<AVOf3MXzo(ROG>+m8D4EJFw zYxFAO%6k}a5EvH7h_KEh02L^6MBYWP$uf-7N zNxE_6J}bpC}hV2ChnCb6IS^DlJ96 z&p$WWuf#4>m#f>(LUh}4#3OhOyK%(J7=LMEJ5XW2v1GJ-yh;5yD%3szT5y$ZA8`A1 zUKvi$URr>AE3wW$Yb9t%2u?7Qt*Gu=GWNbD^B8#>EShRo@TP`l2$fn6op2nW6nKCJH0J4 z6*5HpBwvZWwi@V8@A>M2$!JO@XvyRAV+#4yBi6xZhir~;=BIc;%AL4unWabo`X_|w z*Ehyr$syMd$&Xch2Hs)^9|Oe(QnF>8S>uslUfG29`QNWrAZ?u(G{Ti@Z@0PXe6(91 z=WWnsR5R25iPdE6Fuf+;u}NHey>3Rq;TX;FT;uRx1xB76{d@znWJK=y(?Po9^fOUe zBO-!=SA!(}H~U}9ehq$>AzM#2AkNd%mK5sNg3_?&pF=**{w}x(iLiT|_{(p=RfR_^ zZzP1~G4B_+0U|D1GeX3=+qTH;7tp9N~ey8pcY5skv_|0y|HR z0X2a`lT5jZ9qY>e0b3WPtBpb6Vp0D?FGKdTp^6&Wc$`sS1bzqO;HP9!R3N5Cfk++c zQ{cO^IK)Jwu`Z_Ac{t|gFY$a1^=2&>!o%o$w0709UP=d=y6XR7&0Q;JLMQ zX4)<~3r^0XudjRf$>mM>oKiAhV+&aI4bK!VJm#3T_#<*+=R*62GHv0B2KR^Rs9^~L zMK?o-nI{@TLa$|B5xQJ;iB>n-g_Nl(PjygR3`^3uvWu_TlBMZ#s02`3NY+VK>bs__ zT`Lntn(FEeO9qF~dUsF1!Ct`WwUuCVHs|3w*4}F-s@M=Evov>AEy6sbd8SU}iIJ$m zuxP90BI`CSH4ReOCyDFZ5;Ci@h(}t)v)G#OF^!XuXW9Y%C+DbOssTpNB~BfmJPP_#FuS<@7!#5l?UK zz4f59tulGFLfO6j2Sa_HPV`!FhO^URCB%1-|SObO>R2@WBHXB6~C!cAF_ZK)41iT4Kat#yIaM1 zH#8MbR1EYT{}R#oB{EL9W^`;dO~2o3A1-j*70cxQCJ@PdZOzN6G_^%=osjzy8onXy zf$cXXycdR7V?x?u;aHpfzBEsCbw*B5nRmKzV$%mUwZTQDV~~$eSNf!*Ux3q^yG&|{ z-=|SKLnW<*MlHze^h6WyWo-f0-?xAO@kzT*X*r-E| z$0a$$0d8Ho{%II|s#+*v=Pt=mW#Wq~(@D+G z590|ky07N`hfzu0gNv;>-!S)spc5Z|?n}QBk%=~%^9I6~V%Nf}@sj)aM(;U~rYYcQ zY0Asfx{0QRkD1v@@A16bqP+^ovlL>M0mi+Y7VQYSr4qdCO0grnoCXZR>qwu^9r34f zz@R)r?*IHJmHlg3s1u+=91lajVvEVkK$z{%yHIWZ9G7@4%F5akK65KG6%bgrW+@-% zoJQ7%WnCyW-L6;&5aBI3XOieO$j9{FX7w|44ft$s?1pqU8$Q(#CaUsW)&2`=u*e>I zp8c%@FSS@|y1BU~EU||PXK#v1McOSzh5|Gp ze8Zxc)pxW4lfRT@C0LkgTDMWG4*9mL*t&o7+~huvN#;#+4Ti(bKL~qBNr-$wDVU6p zbQJX2rlk2{I{&$RNo8vsZ*<{SP^P^SA8-cS{im>*Xd%El^M^?A8d98*+aKRb%r6s8^O(7Q3oEBbHWdm zUbbZcG`Iz0^zRal#cwhq*6L7{BqZhiii++Zp7byAeUV=_xyDEs^xZe+_P`?$E4QI< zO4opX5Tl#U9#zP3voUlOw5wRXF~d>3N#JJ}gg@fg0*I`PHwgOOJ^*}O^I2KHckt=x zy0eazT4G67v4~pxW-a4?z7Ak5>4|Ar)E3x0+7S!oq~ARJ`K4zV&`A^QBL6Zb-LBB{zIlOB%&KSTb`Hz6Lm1%h*a}4FsIcOPjZy6W^`2nyc=M zG+3{a2AnGP1K$WJ{S6Q(aj(d}xBBGUK|KiDQmT1lZ)9tsA>6S27dZHT*m}#jD84`L z+dwG+Wfi0)7YS*Qu9Xg@8|fvMm2ObdmF`XnK@iE6R_Rz+8kUys?z(1w|NDMjPp$_G zbLPyPIUV0K^ZxWinrL%Jf9Kh(Q>iYQFJ}?zfm8np>6q6#pb@~8L_a?xrHLoisDX}e z5}Wc+0cZzJ!f3Do#Lykx)*^&K{P4>r68Fpgj%ed*TC(Oo8rpINu%jxjOtd9WMxO8) zsYmX_)h-z7PB}oo9!__3ZZU0lkzzkBe~}!vVV2KCCj7O2i)r^KtcO?~^5=erCcc84s1R>Cmwr z7|qDAv0d#U0Am?AWbP6XAgj*l?qrDt zi5#-zMcQ|D_RZzBF?dh*G&55Uv?n(8Q8P+QUs^l6`S$RgHNUi5807gt2PI#83nQE( zW&pF0N-*(WkFT(}obHpBI7l5$Ew_{$Xj;*eko7v+O zwVf`&H1ARNqei(29+JHpcb3Y zK76l?B};Dt@Zx0Y#x%4{sZAq13bkC;{)1!})+g;$2E0)BHAC%q>sd(7hw8; zHPAue_V?51IBAe323;A%(%%u5+OdTPV|Ytgmifv=zic%w9gS9=q3J#e5p<|tb$m*4 zG*kLWS%Ewr1)V}MLW`ed~R!X5`c|{aJt&Rimyck z&OUuG15Fp;9Gor*E4KxZcXGuBKz0A}dGEoa{(`y(_~rJfx+On_C7de5{wQnz+)S-* z;#aQQ0XFW!1HQjp?oCky7q^qRV8Q^dCWm*FNt!_&k$BCSg`Z0i)a)-V~* z1jcDMnnh&+)B?A#=r_+?y0O!v=JZ1%D(@c}9#!ypq_ht}^ah}+R8<9!95Ynx1B5O^ zi87rvHv45)3lsqSAtZCNY9(E!1U zE%@j*hB}~KmRas^73@#$988j7wp@jdj0$!-e1Mkek!LUbCqB2ea>k8hYGx}>sJi+O zq<7yg5elwPD)CWDJW2Kd!6wl|)!ziUmT=&m;aH@-t8Ca>s5npJ+Ld63Ar$lp1F(4G zGv^NrgWU6gZ{|C@$SuPP>rzRW@xn{%-I_hLqTcr)w-A%}XKQecs#Uj~WYsraguqC_ zYTzW#Y~nL80E3*&<*IgH^Ns&W339Blz^Mthz9gl|yoAVd_CwdBCg04Zk}|`(5pR^K zT<0ccEJgR-^UwNI<<;4m6ARic3^hFr0FvOoJu^(P)ZLBbYw}gcKG}ui$ww*!0|$3E zV5WH53grR7bo`>$K=T6tGuiGopQQT4dd1AXr)4O3^!3|2lwMyVlvY zxfU9&9ciWXSmI&{aM44Q1Ps7x5s@U%4I1NlPU!iL+fxFNEM{$M-A>$NK+eE7J|412 z7qT<&HecL6J=^Y?{^+mFcUlTKPjdAxhUZ^#w=henV1UOF@1WeOTg6o#?BIvzW22@7 z-%jhF&p~2B;)58k3cnCF0IHa}*^XcS8?i6=?1;*M)P6%?KlB&Sn6!X7zG7)H`!D;V zUfhA=WN|giNtGW_a7mXHFCNa${G{rXTR5<$76_J zVM^#4)1m)DlW6#bXBsvH6yq{dSl2?w)PA>F2mzod%OATXJB@r1R4%p~xI)#I+(Q?M zh3%XL8Om1EyJR$l0y@7#1aI(r@js9CrJFdqf9N@FozCfjF9mldLM`mi0S2TwT_MmN zLzSCR4_2rQn)p|71dpoIJd2t#X#A-%x;oNaC;C`ut!Fjs;?W;=qG0NR$X#$ygx&weBP`&W$yKCUgWrrDwpi2Z1b^E+e`)( z@IJ$%v8uzjD?v=Qetll!MB-L^X1sJ)f@eu>^%H;~-sznOU=omz3I^v1tn^xT4B&XF zKBMx+?1t%koN;=ecd>p8w`ZIC+5aYe;zD-t0CFhzSLtC0?KoKnUfP66%Y!+p`r0}D zBK|L50&6ED52!ksWN1H*X@`Gx|G^)Rg316S9u~(Qll+6 z_C1j^#FxrZ;3RT#tzZy`k2P7PZB^$RyrqeWQJmf<+y|00afEPhrUl~H26r6lzuL&L1Y*~hOf@Cd-^(XwP%e*WF;aPoaB)T1V#Pt2{qN=BLvd|!tD(S zX7%Np?oJf~mJV5PPR9Ep)q_AfeT#Kp`pjb^=xSm+a_wKJp#7nYJ&p5CZojvL>)~qa z))c`0Lhyh;(}^?z6-TZrXd3-eRgQ37&joJhTVES8I)mGjEUQtthn=`DO{r_T5h}x^4XPNo)p% zXI(hG(>NGfB6*%*&cYD>l^@8OeA7x4{RuHt^<%w6;x;$72S0&&2Bu_q+jSb6<$S%7RCT5xzy1jXGL`@$?T5uWu&y>A`Ez+&0rBGwgo0M?e@sy zDb(g77kMZFfUhpjV0)QRM(ydxG4YSNhJN^^fJy9d4YW(tHKzvPz>|_MhEZ(tq735?Buc#f^`jGLLQ4o5X|ngP<3hHeoOW~Y>%^A z7+@1y30QO*p$ck8)t3vi3nk9$&~YG5u1m|xB!I{DSqcy@QdU!uJ1dUZ(*!SNv&1*$ zGJ{!!RF$aVnSs6r)xMu0=@FChh|1^jko3~+&@ntYgCCUAgSD9d=j{0&2vTbM|y_+%ANw$q1O8RtW^~>MLVF*W9Tw5YW?;%LVuP%Ew=Sa&I9J zzYYu)MneVNxxeOda1p9yL>jMUDDwq=`4Yto84CTKpz-X!JkTGrgkD$aJnu|C>Z|qQ z_*aa}@|YjV^t3$5TX#C!`Wh=`5$?i2S7nr&VeYI_OAu0fw7ON8oHzR!P;^%((&?$+ zmDHYdGh#(A$^+O;CF9Jf;fqcju1^a;G)9)ER>->xK}D(3p@m2Q`L3re9C<`$i$pKv z#no0+lt3uExrZEcTPNZK6TYQnCf?T!=^kF%JdfndhJwa@t&KFHr_JM74m3fDjU1b8 zmoN(evK5JdMIaDb2iTQf!)X)1z2*Iv*X}9FXI;`DcK&ai0!Uo!LQzRZ2ctPP$ifd` z$&yNHd^m^+6QX^xh&Q%oGfOF@%Z0|W_beKV$RsnuI)B?ufJET=u-9gvJ>-ECNGv_t zXJ2dkfnunZxJn09R+%eO@~p2ftc2v8z<@`T%3!mgJ6??M@J|H!d1#MzHNd>CtaUig zqRf6r1u(C(Q^D_GYr`YldsNF1=xG)Pn+o4nK0Z8*a^3hi7S_8&m6a-u##cVQ_`jah z6E3e%-gRgLE>(bDcR;Zbbu_e%2BAq4ye5*YCY%e=eUb@GyBfU+?m1Q^n~OEmz{7zeN<>_FIG z5&`_=#j;f+-cbSmGI}t=y0BzPG?ch6&4j|1jl&Fpx<*1zK^>^pOd|r}@}?jVT*@B{ z?IS0V2E(daELRnLluCy~`&>w*NiZEcRvmu1k%CO#I0VuF0L07xYuk$2xVEKTW&rP7 z1x!u9zOt%4yzF^yvBdKR^a|M;w~BH=ir#PZDVJtB!yXfiZY09 z8YnK5ILX7?u=mNG zr!hoFoa*q|18{2Z^W2scFY?x2G5l7SPwtoJeSerR*4oZ0|LCL}5^c@7xzH>5|9beX zsv8sOm0jD`0W$a1QZb)UUuWXl2h&y^X3U#qUXm^gsli^ID5qSMcWT`rq~Wt^9>oPC zxJIxv!!ggejmxE;-v9_NT&=pIf}LFTP!UrThOGRDaDUR$_lxfch$`Sb$2v=&zUStG zPNhAVoPeZL>S*LW;!Tmq$f;F&GYr1^mkiZbtgQSx6k2+rP+k1MSb(8q$8xDGuk86O zUT#G)K(q%Rd^2?8d$jTZMxNNqM)ivHlOU3RZz_dmQo5=Twzhs;S^tePzEsoP^VMso zcXg2OY>9&vjIf8(fMA6LY*d#Sa~4D;f|Kbxels5$1$!yXBa$s(VfQe(1+_i8gy@j$V$TwvS9hm;TsUWX^M2s!ZJ)vpnM^4t5H8Jfdo24hPxZ z)=jPVQGnmLpr9!Yr8>?7OvHzP&G0}<0*3i-j;fdXj>fdKrsrk_ij3yf(BtU~kG0uW}m6#&9q-C*S}J5aM=#UJ^f z{>jW+HcA#1;yL8m=+SGU|av}8P>?qtHp)Ygc#iETMEs( zJWm#W04&}Bo;+VXmBC5d$U*#24kw`*nrrl6bseSqSy$ljfPfTrzrY4q=%k-8LG<18 zmu3tYKy8Jh;kz@AMY?P=kbV1CLlT^(I{xiZRrxf^`e+^ZzfC@>O83Qee7wnp~0M?^c4;lSzb&2f1cA>(GTg*X_XqotAbLK0bcH5P(8CaV1U0*N!PCJ7Fo; zy+(%{B12=|>%4&QM-zV$y@}WumI5En$Of#w%YLjp?fexOSgkpXF3qQ5l0>tRoeU|4 zZxa($nY;p$q~+K6G_kiq(({i(_vy&L#*n3FPg+UEk9h|@;)Cc5o`V9v5wQ@6NI{eV ztoJjl>Kw}UGkLVYR`tv^A9e&1Zr?Xw2idA0%~+mb$HAWTl6`CJ34ZvxFd#>>qB5); z+vBuPGWO6T8I2u+_*C=xt>pnx39fdFL!Gb5-D-PNxG)c@VXQU8t~L39iHQQx#W~N! zlJrMIxsr&SUx6V(b zx;?mmn<#OWX)yyN!G7}@HxstqDPJH#SRE4<#&dJKSYLJia`G}@3-Mqnbr8o3N34xo6&!T@A*}X#6L~p)udSoCzqP^rvI< zTEA|0{StkQCkh2JDqqQaT}-nO*$s$=oP&Xs+j8*IXbdIMZ8jc5s=j@0;y+L&=YtZW z*sIvjO#s$>2Omu`JieA6m1D~B@mwn1MSf~~VTeD-zxc12Q4+0%x%1jpN9y=wPQ%pt zh9#l&ku`(3Nn}omC`8DTjUz=Vw2oeE~>kq}Hb<_czZ_+_^Ug2PH24r*Q&7kfkj! z4E^X_LJ?L6!gJ59We0&3)bRnV|IZ%P`4|ut#3dk-(GGVZ4#oD0&FOfXp;-o3f~)Vb zSqwcD>&G@3OjCSKZc$+qYEnpp0ahsW%{FDEGPyDcA&AUt z(q`n%8oviSEg8eM1Ik#W9i+p;C?95RgS|yH5)W7srb3&mv;lRV<1eY>u$OR6MqtOO z7Eo}o6*?NJMs~*lb1a|*>SO+w#-cLv2G^ow*~2NUl1}A6I7_Q=APA*f*Rvlbg$L-# z00I-%yuR{ts!8rZKc%X3MFZ@?99XE%x?#I5c5C=($bL8X&MMGgWWEQk!Z!YnU7B!2 z;AILyfhq}tZK%&SZUK9G(9?raY^1-$A=#7wTb<&zxFc3srFo<5qNHI5vlwog_z2r~ zjp)MQVTwS%L^Idn38oCvbY`F!nF;j}6$RuO(xwRJN?7T;d1h-)e__Q5nm3weHHW=z zZR9tJaV40>Ms)Yz)B*Ns{vfQ-LDl1uzF#hB<}*%7oP#B&UZRA#JrT!oSyc{LQ5b!^ zQQaABnzpd}%EfV!1&BpYs%*~f96RUP+$-ko_d*cHnefrX|xl8rl(N@atzzEX0w2`vC6{tdylo) z+#|K=a5T0fFYfmG-V+LlEfvn%U<)iN7H%HR6AP%wh&BUTs!k~6hIK9ZugL#~jS*C% z8v)#hkea|?BWeq|;~dcNSwZJ7pkE>e#ts^+b1V$J{~I*Q2x`*%A2zAN2!ZTi*-l3U zV!J`aS(EmZOx$4ae{S1~VjZvV1|fj9#y2B@|3qxu%!Jxi;38B3`dMpi(#0}LO{ zX4*~{Ci$;8Z89hUf}Uj%unRG3 zV5};*R(7Q})ST*_9ir1TFf~$(RfV}AtBX;32*d=?N3sl>-Nz~{rHOTisx|QoCfR1j zfC_bGxKzjXngE50!sL<}2E`skH)S)q_eO!JQ&JV5V1==;J`_o%eLX*s^bqDk$>1>< z#GIE48SS%|Y(cA)kQvllc+}@^r1a89{6WOCz2OY~{Q(EqQ#bJXt#f4w=uA)v52iNJ z-}|%!L6E|hAv^_6kl5HH*zURiJDGx(l>2(&hGp@uTSy7b?qPd#wv9nT!=Zgb-1?#S=#9(f3;MmWdq$E#6$ zQ8PxEh!8$Wcs={&^RL5?6mGQg*LlgAP_Mihuip_#(O>?`i!!XM!;hRCG??ybhCwYXyb{ON(gjFHfqm{By}g-kg(zNvJp10H)Da?M!zCh4 zcwziqT4u^6oWi=Tf@;0fXVtvpT)DuMl7Vj=XRvkCa$2Z*kY@P?U<32+ z!@UPHZz>NV19$lJRaGyt+GoeFJ5{rdkikG^DDPS)6~Wi*BMY!K@0o7OmJq@H31C9~ zEF&dlJv8Z28cm;aVgw)^VLQ$~ADT6mWn;iDtY5vH?Ybe*$)gX5E4&@e1cJ;_wR~+a z-MKI#HN|%Ncm(}0^t0j=u!F&!y)>og^9J4-ixvbw>LZ0gzia$|ni90Q3PJ8gv|hQl zrbDyV>q#_7QmXHa7c@@=#z!Yp>jH-8kGnvUQqeSa#U-3!H!>wL4cA8|dQ11})bYc` zc7~)*ed|6F#ofWb_rjK!PQPiII3`X=D`zDBZS)#kTm7e910-z2FITmVYqMp_N%Q1= zQ=BCX7+lXzgU5*diUONytcVmSef)_Zq;hk-y4t^+^}QV_Y(X@qee9Qqer~C=4PjvWgs&t4i9w)?3MoP ztxW|GR$e6W!Nn+ac^>9#nW;_%1@WN{ZMWyynR!IMO)Lfr8Wj9m!T$B!l1kr#WC{4% zh#&M*bbkUAmBbh)iAUwKQzpE##xl^>u1}Y<(Q+-%9%Q0BhMq=eqL0@st1}k*QUoZv zxsF7?Ufti`uztD>XXaTl-t<_ZdWacCu_g}^Km(EAVH9i4aojE%wY(}cNn=Xpz^ULt zJ<>K>*BZ|IGvWnh(@%P>x~4{Jf8NP-mKCS0A1moou23k5Y#avp+WQTy>W!r&h_mt& zzI%O8gR-$MPb~Y{Vn3CN=23xAmF0;(^ZR=c?Wb5Tbjafqr$}m>I2o_9w)4zk+1T)0 zz6<7i+1EhYCNWvO2z^7o6_25#Zd|XeYRS}jvp6v~1X@hBepUa>_-Ep=w=lX90|2=>&Yx>wGE=t^Z5{~Jbi1P2xTIaENGsJe6_Bm1@s z5ZE9)`EY*ziMVQh?X{xJohUVVNtLB7#({*Kj;VEg{#TyaVvb6Rc1Q9^#YfeXqkh%u z%15?y341VwO7G>gDln;?~M2ci_&9p4cymDBwTeeIKC$S&uMEuLYH~N(%UgLu`Jd5 z3bnqg?rVQNGgveksRq@rsB2yLYDm#l*$wmk{3*&-Qf_v7;e*|PpY!)-sd!EMf-T-k zs>BYq!`Mc3-2h&6Wv{}KR%0p-L4&0f!x7U-v$Cts_mt^D`J%DzxNDk*y*T6w$Z>Qs zsK&mUrq8fhMSu zqp{=IUWCx~dk7=~FdB_pJ|REGVbP7m#=CWteUSdn^3K|DTY`iuB_hd~ayK@Ea<`fv z?13jWOXHVb`ntt0R~;mug{=awF22V1TPjZR#4dc&u{^WbAUKP3CiJWS;>^5z{SS1g}g!k^L4P6DKh>i z`Q8&vCRWmU&eV zRGfiLebH|~XDGfC^9_7l&zEbJyz+Fmc-Wzcp%p28Xt)WaLfFdtyM&-uHjASq;9aP3 zs#EYvzxL)w(=0wGdsO}W(2&eKiIy3*X`%Z2qm*Chn7{PO?jeNVzI>vBZ+Xe#Ht z>=?N#0m>0W8vzhCp-t6a!T{5K&znv)PzJEY<30WIPNr)_}J%-Jq9*ZnyVV(Cg-Sx{qE{!ay zDSsanDvDi$XF9da5Oh7AiIAAt5CO6XdC&PJBT#<-bHz_KxTr4XQ6C}=je!oFV4?RV4JkWaE}FiBGfxWzGgVN%s1$W`;~7TAu$u>lw+0bh}-(F;<>Vf;~$A)LoX7b zd)j`lcTWkZ!SytYKt)%5m6l-;&xIvAW}oaVBIR7;8ndbTZRAhNI6ioCOBi`0oh z51MdAwuefIO7vg!vIx26R?~d26Hjs1_jwSOmxEir93ec`wg*&MAP9x4vI*}42^ENs zOz$hkE|VIK8biy;3!JfPIl%32l6UFryyiM;R>_8B*vAQB^1zuSoF#gCQKrcUSWC8m z7y1qlk3xbe?{;A_h&8| z16T3~HET~f?`>SH!8Kq0#@?qd#0OT0D2I|G5iJ_mU)pv#!@&MYF+pFDGQnko+*}C*6;v~RSc;ma?Bhc} zVBtIO{4DNuv}_^;LSnj}4`|e@PT$PGa7^j_UFxYw@E@l6IxT0R%>(4bYc2=iVI7Mv zimZwL%ScnVZ-J|Vqik0v?Ux_?6YUJ~zR)&i%9r(gh0r-B^Pp{$fjf&JNz}^7-sfx8 z%2x_J2l6|LT7O(bZw<9o<@09Lbe|C;013@STI?Fr;7aEKiGHmF&t>nYq-PD8KiE8p zM=z;gRdQoXbk}8dRvX+;Os@YNd-3e*iu>!8lJ}DrZKcWgf%+pl!^lYZ=sudV&zCd< zYAYk@pYmAi@+?GBrF{TL_X){O@OmD4|0H$`IP?2`Xs?JdwbH24QnyL8!h8B&adf2` zC`{z3rr7g4mgVEMzTXXA4nmbUl`bdh3(70Q5N!Q>jyY!_yzr#j=t#d#Iu@xR@~h7X^FV?<*xNq*>bIn{>!4!+-e43s zX|>xF4sN9M)iWc)y7E!Ml6GG2EvOUHixJ)N?!1Ch>Wgh*7(TRrk zw;}JBF!>(6tsjd<)6Boh7QDwjZc((D#MLF%29nd}b@kRs^+2*T_0ic+gQC-ta(Z3& zD1rFk@7#E;?>7A|yT%9t^qO?v5Wk}*di~q=%V=3{9+&WL`Fx~qJWJV_)^g5nf$hJ5 ziDk3j!#&#vUk#|7VSc-%AAYwsPZ%^@eVbmHufKO?wt9ItT1V)lCR^5|jLT)a`gmH}YU1?1HOl+i_X5s`?^qF1jmm5kKdIL>QZi_I&z(FXoQUP&s=O#|U@8QAy zGM4I1J<0%~{x8o}JR8Pde&ku40m$o5HG3k$j+4bH9cB8S@Xf+Vo=T+cx%Zn-E(+b2 z=}q_1xwyTQ?3K2;p^Fa+x#vcg_)SpR;ejA%px4pP_JU*ZN1H8Xene9!5S(>7GqQD= zFyYvK*T=-H>h5ky#EIc1LAtqV;l|Vtbx%_jilbNg-5)(0HbX1Ny#;eGd%C_`CpA{# zv~oP7IDsR_gPDGyA&PZB9AEAwrQ7Zj`xLVv^#Eq6tN8f+1nKgRqVT>de=WabCvAbAD$)^8QANwX#-vbZ z3sTlg(ZRHrD%Y~JT!-ByU70Fwd0qp(8l*{d!PA8-OmLGrW`w*4jS9a#HG$#*af%M! zpNdjWVYrFeJEaI>D|W9_ZIMCb_AaE;`$-(cg?+Xp0LuI|!BT#wbeAVF?`xudkVT1| zMBEZzNuqsS)n7Lms;PIz8hKvqDuZBs`>7vM2wK|PkC zzJXLsUpGQ+R&F>-R3i@KN9)WE|JM&8=8qQb&`a~Q%R)LZJP`TY9Ws5@kr+HIu`F2o z_4iTO1HOd(6Waq{`#i5xRc3_w#&#g}!H?B=!%zK?03&Ubls!i)Jsb1-tV+W{s5rFo z9 zJSM;{;Pe~{lIo&T!3an#!5mEVFFy(XiD>jHFuo6&?O4&y<_5OSl8}QcP(G0_3`EuV z49i5~Ak0JogTj57dy1FRwT>5hrDtYUS_G8n&pzP7SM=$|-G6lNb?{2}THt9gv5j!Y zP(IHYr!~qQ>Sap0ou^9e7YE52$_gV_R_fZ`XmZ=wu|7*H;~(QjAAEOLBdiT-|1*^d z9-I8@u9X6{5N)*PzA)5o5qn@1VU^|VARp2_)u$bVl=ENZun}cbneA|QO{$`K#)82P z&EifqOC`kcuz(FRn^0)owX5TQ3hPa>BxKwlCIuxSw|OM zM;T?us_cP7#+ThR3wb5#u5ng5Gl*tLbd{9#lAB2p&33rXP6jn4)FpI%4Ay)fWbWHva`a3J!ZDEYd+Y^71D>>)PAp>etyZrFH=?m^UvY)uXORxr#ZO;CnuD>;aFjH zC8+%5xBO>rW5IzgfaNE%K+p9e`NhS3mKuWU=xg%0-(-b#>%EEm&O~+-VK>%=3K91a}(y`De zdDyDNKZy7p+4|z`G*QdEmMpFCd*Kf(1bBKLvdwrIwI#gU;lBatx5pqJnD=)yNlQ$; z6nAmGHj+kc?Ifnf$(2rWt+Inv#dG}5Oeo)8$L7OJDDz|ybBd<@Z`>_HxZoo`G0{#V z#C_l2T_&C&RMvv6l@mwV)}_<~kD2^?#1H$UB^OcXo0vJ#vrZX9MZQ0>KMDzIkU07U z*9OgW6};nH55_Nui2EsP0$%8Tu^7AT2+wSd|EhZ7O>%-h9}2so{J{Oe-(l-3g(du% zzUbdSb4%53 z*fN1uMEQE2{zOnq$Hn|jF268t8sqh2@Wmb>+?}0IY&ApScGQo~|NbN){D;V$%V2xr zbF;WFzvb!Tn)a;6g|PD=vV&Z|Iay@c$Ds5UVN@9ZefW=Z&#QUCGeY>zQOd%4Q>rn$ zWg^>$(`O|XKaNutTJ2^cx?v0jfB*S?UQt2vEH5)9 zl14-`E&fVq!M3JQ3va7N@X%x8RL$ifFn$|N+&eMosp0Z-_-hp+*=NkRGiJ%^!RF6Zbgd(-sw;^_9jEqE^H^93mW9~_KCm$*eYtWgcSrPx=*tK(mX&jIZuJqI zG+&l`b7hLZX`Z~{_3-%JFan6DaFh}GFs#QBaaTmrGDHeH+J`z`X0XJKHoX;gXBU!V znlSuRX!?^+S?w9<(+o%zM>sys=y$a>@>tDAHj??yK;5r>F@P<;2{jM4soHG@ z#@!@Vp3N&vI8=bO#dfeqfvCD07N@z$shC$%mcXPH9S3#In3g5YRV67YRe!SLtwTt1 zj~DOkb6l0oe6yuT_ScRD<)2%xJ1ZFR5oR62#Ruc(oM&ol1|cyVFbx&xk>Mb3{_G8o zF$p!VQb6F3Q4mF+r1W@bU?wU%r)=>U3?-KjXZ`CzGIlv9ff3((8?F3^&(qxq0LUD- z|J?aBd*dk8JGcGIyZU0cBSyN_jwa?IztMF=an+ya)T%6q^%o}|of1ap*5nD#c?HQ> z=sg`?Kk6Kn{aHxgrckX6Xc&T)Ud@z&9+G56OvGE}MAjEF9gxv>7|si^d60n}j=QC( zK(ukLZayig2D&oV%h%q3X*fNa%s=z;Ll~$5f3OOVXy$PaviG(0ODQDNV)#0nhLwv4 z&f3m}gKEHWa=_Ji%WZl90NdER47mJH_ir-$deZcIS@Py)?uP5;6nl7!yuCaPxa>TM zKA8)+ISs&N4wJbap1WGyy}bZnT44b<0XN6+o3qQ?L%M*g4tvhqGs)Wr0XLliHw|;Q zt-Ci@rZ>pj3)9=^+w1axQ;(M0)=Tf(g^TdT>$9u&ch+S zh?&*&DrOk)NKQv^bi1Pz9}!pPvNLlwyp1=^5vEDSgoA^(RJb zXpIWN5^NkdK7R3zh}qxj8?!<_;f-$SK})kv#Dy;ZER+y9aRMAfLh9cu{=fbyL{aam z@s52e>Fk()&^>!HPih9u^;t5fKi`>Spm;( z2M@=P{gHx9f?n@bxk8^et28MQac6EU6tKxZ-+jGD&Lqlma$b4ODSN~6=TTMGt3aGu zx~SJUQ^31&Ob#uVzPjFb3(uqHpqFLw3q4))9Qd#nH(mwHv83Rfrz-Jb%(1M4SKkr% z50fk_uRruA5zYaz39_tf41@%Y<9r2uyx|MXjb_m`v#CFO&vd~;@BbjQF(W}@pxiB> z_oQOvU1gyKnCM5tOuJa9X{rNVAZ+5srPeRT;eY=WREE0;CQqa*%`RV1)JD@})=yu3 znZ(f%KY8QqIC+!&{>7kNJKo9Yl}qnQiwFf1@9RtUVSeH`qN!Vr=h#4!4FVxMh-WH` zL_T-BL$?D`^O&0z3hpY8V1u4Qq^cXo0N2s5Kp4R|x=LygYD5>gj zuQM0?jMVUTXB8L~RO)V))mL*-wymjehx?=4?RzAw_?1vL%C;@5&AW*Mw=1j4@D}mH z2L(Lxv2)8Qpd%=eA(B})rh_DmJ#oL(L8chUTyzJ7n<@Eb zR5zjWyWGo2gXkVcn`7VrlbbNcuVgzyTu@#3PU)*VYk@$d24zj*RT_xFT0ErQcg{cL zpZ}L)LnW$6WJ3AG{TA+gPRo-EqIV**c+HMr)_q?Ot$>^`bFN6-2nL;oH;7hZ@mb=Y zO_2b|{uS}^abV||F0Mnzoaeo!Q4)?VP|Lw@(7|Lss1wfz^*8PS;?@cU(^9QyABYao zRt$H~L2zg2{}3~q;HLT?e!8sq_id1jxgXQsKmpVGpmG&KVIFqS>DBDLa_4K{obPrd zLE{KmPBH+rjk6B)b^)z4Q}9ua7a9k?60(6c)j7V?zI6FDE&*as09mL3&(p7(|4vW6 z@e(>OBiO-I%tt4WIA>!|B3)R&X0DZ;I+8Sfz#qw(Mye}>TlC1nO+DRTu)%BdL;jU0 z;eHZ$df53Vkh5p}Qk?(BMWS51>Do)oiQ*M}e(qd#Ehf$qZOGI|+u#?DNfUiF0$W5( zUCk+xms+b%5SXh+9z@Px9Zzl=PK;V+=d=a2`}k3jA=uAW=6rY7Ikz^hoAXv)PI(;> ze9Nrc-JpGVNfvB)a(?LBAeoiZw(#xs@^F3#anoOe@wATucs8I;YLX_uV@$D?Xho87 zeB#1(VA(sb*73GVQg%fJA6Zz`>R3H#f+TnMsn=T2`6CjtT|ElceTZ~FGJ7uTSIv86 zP#|e<&PwwD+_NB&vS!QhZS%V*)}B+iP~mo29Z5n8X_i^+pe+1~5Z6m+%FB!<_M|DG z^`4sOTr8RL_L7@0}r4Sj8?cC<^uaoNCn{5~Knm4^^v*yeewEi!*H#=zY z2lfj)I=}o{9hI6>d&*j9WvchG))lV>K``QRq!@qV>*v|!%*lDgIbE|wUm94h2l8N5 z&k%op$eDEEQGR1Iv5H&8;#kx>=exj=%E|5{tvT=$R&(fQ{PQD??OaQf1gFXy--xD1+P@zu|0ZVak;Ii5w&xc{YCh#k&Z%J^C5 z|Cd1$b>A*woRE0YT9l6K7qTgn&XWz*I%~VS_?LQ4V4)+;)AygLVZsMh{wy<>4|DD- z^lOi2zd`n$fMOJ82@xl`pP>HDFkX;BC|eM@rQjoTdXYxdb00~w>$M0kl}?c`mdyCnY2!ZI1W|XO_S*`MvS*Q>q15Q2GU1!!b0X%^^K_D}A=;5}Hxg-0dXwzS zy>#`I>8umKpNkIukB-O^xIB-24!2i@em&4PexPJjS8rp5*2<`-6MtGm;gb}31s-cM zdHuk4!Q{KOKaV{_ho@1-sE;U@gFMnY znQ4(@cG2!x-1TLNa3-re%8dTy=NUK=We_ljg$nAUF3H4n_~ozZ145N@~L zIF7eGSSFMR;lG>EaKp(O4f-gpL@uhhhNF-NrZhcPsUNb49Nda3sKK$x42PyG4gsUhD@}+nZc}Z z_5>bu(8inTa#b5Zm9W=*>3Q=dfUpNF$U4mS3wZcJ$hXZi6b#5Hx?i%!VK26U%XHkE ze{RQwRcr&^AK`g(k0LQgaA`04_fw2dTK)kMrub+R4ZZ@xQEJl=03!7xApD$+FU5Q@ zXZi##jaYlU7>hp3!KNL7Q0Iw=aUXAKH#m`cDCKY3rv$`!Og$J;)9}~R@e)bCl56P1 zt`ni=u4X{4|Jd`o>kL+^P*yZ9A;3yvX?@`v{u;!JbpLUN z!X$_s(k+cBu-za)EPwuDJcgWb7TW zN@dqLD*OCWzSpH@PHeEJsp&<>-SRfpz|cn|v|r}Fd~U8V{5U1xy8!~7&U*gkdUHqm zNp)9qtKQ(o@weaMp+4V@nQlTR&VE!s!KJEOUIpD0nfmcJUK@kswBKe(YH*+YuNtUt}4uP6U+=j1v)js``M{ZL-lN8t@lC9x)n z3qjJi4dTI3?YASctQBVb9;-s{c#;nv>-cPW*E+|-AhmsCMNz` zXK!n!y9?G`uRWNZ;MqRM*Q;_$Kj|9$Lp5g@tDuum-K=c9ZJ`H z;IBr>dO+F*b#d2V`BRz(TTJscJ2jw#WwtJtFg(?*cmHl``kI4C&9aPp=sGhgNtDh? zef|$wZygrp6SfWiP-&%Bx>Qm^I;5o0rA0tmK#*R#K}9;HyA}b71%ZVn77(PQ1Voyp zaiy1((s%HA-tTyi+-#q8MKO7lpFRth(2X7ldWfK@=Me?UQ}Am1x~=ii+9bH6^<(!XE$5X=AS zujbZd4av?l^yM=a`ceXpGe1}aOTdpBpU;&y7Pt+*=XzTm^>5JWv@N-AJq0WhNq^4@ zDjk!l=)33GRM=T-Bn~Izk$X_D1@+bchGX=59idx>6zFuD-j4-&c8)C3xn#!^^9BXP zk&FP8xTd8!yDjX|4QT9W9wtP1oM2*<8+UeUZWFYHuUq$lPW9P`*5h*cJK_Exf+4u< z$movD*=#Wr>0YO6dX^Yx$7gSTxX`EixH29)aj4>-&ZN*(eO+f_%^KOqN90OWl`oiV zD@4hf_7Or?rQo@<{xLV_3%ZOG<}XWnzW6cv5t>f*MfNnqYJSR6PCChkPDzHmXf7I^ zZ0vG5{roqp=iUC>n4AWFM#mSEcXc{9-zBtu*E-y0)b{%c8`H)VD;K*=w)NpD_t{jy zaM`rYBCihuEm8Gi@7_|8=_V*IN+c>RRH%lghVjbGM746)QEcLFaBK*k<-A$w;?F{Z zAH~qWDqg}CbG~3z(6)&Y7PoTd{{pi*@!J_9{;k`js@o%`(7*eVwi9T`hi>4;r?y96u=>^`?l;rVo zp%`4*A0Gi6WBlFPUBhJwN(Ic(2MW^(t%$LEzfq^z86CIvxj2R!orjcki$gI?D^aJ8 z+OVZwHcKJL&fs8tvgJ9H8a`$kHl<;Xj6Oz_8BuXWz?x;58s|N{6I~mFHMI{ z*RuUrS412stLzTLQqW*p%?RN#l1qXUwT8-;sAJxOE(6y}GHhY1h)!R+5RsTD9^<5J zYd4u}{8WN>=Oz#aww4HX`4b00p2qtDupK2CydQYUoS&H&QfVH9m4gWw)8Ze4B@7(5 zem+a*OY-H z{;>yBNemtQ^xan#>+HxMBgt%lv9wA20CZ62-lsC=|IiZH?PFM{W-fP)%=XjHE~HZL z$2$&3EBR6cia;NHOW^jF_X;P`6>sVWaE`Dt++m_bwb-Luu6Dd zYheD2U|F&Q)6YmvOgHS3@Ai}^eqo~WG?n8m63chC?r1N>_1R-1@uEQ4Xr-z*a!hCq zJEgSU7L~i8+~!mgi(Xt0Wc*nlj&ys3sp_R0i;Khp?hn+Ncp&8W?IF3MWhVN+tzH~j zUphowz%;B}_xwrIPT|KlUEkQ(-YWeH2*7-74sD;Xb-3VUL3O9J)RBZxnM72fD8Kd& zTRQH1VV3h15#FtMiwbDSzLmCpgM;%%e?%rjdz3F0V^j@h^oRXTA^U35sP?05-QN=d zMAF2!om_^perr1E?1z$bFA2HCL3NgC3c;A?Jf+&xw&;` zr+@nD$h~K~IgOej4r1I^E=gdhSBjEus2$Gm;1(_jXg}>SE}6cO@~zRwKAFnxQz0ty z+&y(Vkw)u2ujuT@F485FmdA(uFpqxSQ(T9&y0nOx%MGQCXb+EbP1BpmpV@DO%Y(x? zUnnTv-_;^#Zd{^xl$mx5+RC$bz}u)#_CV~U+-yd|yUGL%$;SR!^o{M9v1o+M)47)s zh|3SC$G>3+8-=LLl=AjMCAtr?%+a&^38p|{lOhq1l`m|^*K8K76l9J)iBckC6a0vj z2F`NoF(FCBB16QI)M$b2Nf=zxRv@py`}l{P?NB3urS^H-`Ek^{`Pm@GmFeXdBZVKW z=1lxXl`Nz}a}UhBnPyHAs40x|F!7_=en|4yD$c-Jt_GjM%u2DPt~^?)lo?vbHp+r$Z8wXqg)Ph;gzU$?GYA6q!S|*QZ{C0XACnk7SdSkd54^~i zDrv(DdmWY~*vuMMPAuaS{13`?xmoLta~nm@`oI+G}WU>Dkx8H^>5>1%d7S|d%Iy-*-ZQ#Jdzt%|6E!k)P(G> zrA6nIfx2ynLER!hqlKe`TTa4_zn|I;pT`z4p&50?^aQ$tJpbKk_}gMPAg1J5Jyxm2vB# z*owribOrpbG^8gW#We;ef`Cz~ci(YV@!QL$oJdKZu}T$El^$b&O7P&a>yf0;?@GM= z{?80j>NzE$b4m8dZ@Q}F-I)!s028x52G8$VsOj-?kR->u(Q!FOdTFPflY8xb-7*K9YL8>Cn*@lp zzxM_%0D9cpaY;-1)|%C`*ndqXg^KWyLW_vOCn$|-n#VMx6icXzzea457MJ}nv1R#! zGSLD{vBNMO!`EH*i0Soa@HK8quDJocJ4GS;lL}G%W9Hk0A7pg`5E(*R-o0h*2rRo* zYep8=fa;C|@6YI~{^$yU{%DeeUD%I&+;N=Xb8OWA(XAsKpKS_B-eGFcfp`U}GLrRh#pzyPJ*~QXSFmd|2FO0VTe#7C! z(+6iXVSiJRy#37)1}R7XTZ3DBl$P+_l>}*i@q>Kq?BjhOZ5|%?PZ=&76eRj7e`9A7 zBqqM`_h)D>=TSMxaJ!u_8lzS$pZBYf)7#Ugl>95{Idl;BF?{Fzs)xa|GP$8H*x zHcv)S+zAU6k_q}0Z{M_4y`fsu?_=GHgQi#>1{pn*hbz7oum~4pToQjm3botLJ1&$W zkQL^+gR5?35cP$Hy9@EC&fpjSD#S0QPsJ}D4Fw-Lb^0UCK9h!eK2f}0!(#*X9N})t zX%_37&=j^E8!e&PyGzp|e+p58hlu{qQ`Pd?0fCVWZ@Yth+%;-e z^=c>Q6crkef)$8g>z+7TweKGd4~C4PMe5+n-Ky2vi%gH^2b+L0eiPsx8ae=m;ou^g z$|ZK@^!rc_DRlL93G`ca_D^P;%Ew1BK#UHoIzjG?PX(d^oRa;K1wRD9`yPrRj;CrN zI~eN)X@{2gb@2?^4{N|9K_E??l@yvnVau$V^Eb!*>{Cjl&$z&NCHE$+15L_$SQfR- zrQ%RXQbfY69Aj|jB&irFw6Si=#If|I{n>8apJn_|#EBYPF2_DUounHRym znV!nG=5rywbCPL(qb_BNZK>@B;#d;(sQq8_LV!HRyhsz)GD;T!-zn+F+qQnvLYQn` z+ETnV6x}R6kpjiaN~uL1eMhUI3Pg8DL5={=cwv{9y`K)b`D~LfWdzC(3zRQS3As-W z(70$Q=GD!95V_;to68eT{}-A^n=&zu zA`1-G45~mm=fUQOWz#*EJldiV1}6K?>Q%o&R9~rGTO82|h%BXfug*f>eJN92YxO^PrRz z-)@=RvGXwSz|Zv5;Je>8?{9y6{!iv8+A%%W0^zB@tJwVe@&nb6{_$ZuS6}YTyGO=H<{zBp#V~SzGY|-Vqcb)|I zw?_Drqo7$obL}Rq3EOsb?an{lp|(K)X_Gn6JK}7A|5Ih5)9ibkNgst;o)2&PH7L`* zwLYon-D9#AP%iwjw%CJ$x#0u<|4+UDr>j%>j;L6cnc)L?MBDD-)bK$Fl?3!H^9vQ&8e+cMSv zf6aZm%+Yezx&~w)vmad>4D(a4$C#Mw!m+6Qnl}=Ejxe>w$X$M*kpTlh<*uy&wffu$ zk4@@rC?b7i8EiTCbcU7=%&+)8ponWl#YlmO2i!vgg``l8?@|hHPLDU&bkyxF$jpH9 zD1qnxh0ygW$KA6)i*Ue-n4>`&EsQoLavyt{IubfBBVY~@7Z96W=-N&@QXc{qrFfm1 zBdtRy`{FY~!sJ!trTS3Jf~bHPkUST76M4n;v6z+NGkhDgzu@u<3$XRhJw&CGf-vKxtz}cuYzP|g76gt-qmrhB1*nL;)rfW64eyqoZ zzE{V1o1NP&UEHGn`2@+L1Z(4(`cJHDI{VISf9vJ4gzg#QEYza^Kvfl21l87oH@u#^ z{pvO3l-e{yO1P`hB!WKAOL{48rQ~byb^Am9@_41clPOcu=pxZi-5&(=rvB?~_vUt+ z%(vCN;KZaXmQ9Lr?57OF3T0qyodwnrA8MwR&MjAazRxJk`Z z!G4DljCFuAc$h_3J?dda+h6bkcG~Mx`b;KH7Ql_^y&0!vn3Z@wSKv#wz`_4J4*`L`Wvn}~O8{(Yivnomd;yR=LI)84_9|YUpWChG=@D5GHhhZ~G`O9tre zgLO~=tp~{6jZ8V#p8&n$sVGKP*H&@6S*iMnE0^5zA#v`e+pegrSg5qHG1IXU9#xmg z(JV1E;^$B;4u<%uM9rFd1+SG#yag_7_Gi#X%@^wQC&g(n8G-w1KOWD82)5#`#L5?( z3Bv%j-zVX&{eWDd;a_*yK9!;hDi^lQFKtb|zAxhvmD(62|!3_CAlEbg~Wz=N1gLpzDxWYzLQPy z#}jCtO@*jeb^8PvVMrW%oV#J<1JhnMRiDdjbddNruf>LQ3ABM7j)sH9ma(aClJNdV zP3VofXHUYRTN37bm;reO7%qHW@_HE2ej|PNF$J1IhDgv{v}1_iG39POB;wY-OX*1H zuekT!u)K^~|5S4%MB?7+EluDr^m?N7&Xy%RV-E_WBkCWi8m=c#y5D`;jHY=F1n%0C&%=l_4p3ElWzH+{_V~A%AX<4zo5!J2^_N+@r@_J==a9u1$fbo4j&VEB_Chsa%zcKHky~?>C61wyK+#Z3R#Pud%T zGC1#(ztrKN4?gJFTgc-qcxoe66dADZ=VHarZza|UHTxm-o~CXrFSU>$;sn;9Pm%Jt zXBUxAN7$%k{0Jv7$I>L-Tcqx;^&f}rkZfxlG^fu4Nnj>BcSS?G^Y7%U93f zR@kgy2mGM*7X)& z4<#*XLD}|VSSFQ9kC)P|kG`gr{|$4_W%3{*EB9M9lb6Y6x=`Q7x2HzQ&( z)ghl*Jfd=aJ?D+Y{a@Afx*c+_7iw`a4AjGg*}MYY*gbU{o5V0*1w5b1n{rcOVa1ND z+?I%dI!?5k3`wPf^5YnFrxTMTBs9*wTydy+)3#XoeI8 zyLPIqH$z{BWkPAs2LlF%ldl!~!TeO{C#Q~eiK~PC!S}1lte^{;mfEtH{PQFY7^i>% zV4VK1yFr!LBFb_;b=qnJJcKM$;307G7YEt9g9#xEnewQ8>-@<5Aj-3)`=Jj^K9R^P_u5z@d5E3a_;IU=Ct9W6#%*Wy*Xz>Vp&gkFqVK z4#5-A!iVC9AF64~K#>h0O+M(y&iAXQNDTzafTN+lkv7)$p$)XE%%q?6RM?a`IVk2o zyg#U=){ZZqbBNnZwwV_bJ2a>IXXl0(Sp9GAzEN&3}tOh#b$0>CDG1l8`w z`YCmurMzTBf^~HJn7*iF*t92 z)@go0d|CNCd;=7vn9uvdaB)#3k6;F&II`!>Q^m~ie$hXpNBzH}6z2OQm-R$>oAZ=(Dm)dHtgVq7wj4+a zUT;hoSr-?{NTCqe+7!O@N9F|~LrnV4Dw}$)Vk4G#>|DvKyvVz_+_y)H3_3%-IbtdF zN3Y|eOr;OsL{}HgljPMqcVDGOetKq#zb(>J$1?R>xr*6;9GWqrqk8BV>PU*W3~BPl z8hONNTa08?6ufec`0v%c5$=AYYG3q7{eQ%W9~}5t1J{W&hJ0@M$;vnuNqj`AAU-zB zYa)vpM6o_+`}{+Cb0fE2=o2wQT3yQZXqW`n^fVn~WVrj58Se%{nin6N>-8g-Iv-wl zFS({{h8Q8ni%&$I5cSc(d8j&v5-(`dbVaX^$IiE3rJWOb^0|fPj$EQ+gxuyZ)Xvjb zlr-0X_)b-;g@sq$G6Wwx@{>UH@g4cCha`CBX7v_k^~}hDtP$h-cj|p-8|BRRtD$eI zW~!^IrLPeglRJ@&sBP*e7zDyA8LoXda!4yUqCf|<_Yeq#zfh{9GCrvg-JCx^GCOe$ zjJ9nJc(qM*$8Ns*zWnZ_&wMp5>e}J(45j=?vxOLWApG@cHKUxRqR{Oys{YaQ!_l*G zC5n8w5vBALwY<*ZF7%DujeLJ1(8S0;^ILcdqwQh;&9xL5&Fm=a6u;>yrMOe5{xUy& zXQsAG2Y2@`v3VaZJ#M{RVdap+LhRffJ zHP#S1eAlv@tjMt8t?J-!^v0T1-1)ij#+!OBqYghV)}BND!qs&fqN;H~EgI|_f;pP& z?7mlER%4<1#^pf>rvBCqT9T2{!Z;PSMmOXJz53?BJmOBYdpQe{%V;H;O2<5vx<=%u zB`J2Abo#Vdu`l=T%*@anyt*q`YCx3p939q%x5L9y=iDv%Gb4WO){?sGyZ+_3W~+*8dGvGhqB>e*FEZ5JhD{M9@R(}n$=16s#|QoLkX5JE5lPnqd#P8Vml0n zKd)nZ9b)1$hb^%xgj?kqVN#M=1L9|w##KS>u;l@b)X zvy=g%G&<$(*|*+^z~EbdmohTnb2Qf7ESX!5=qz7iHB{`&2o1`ZBf50*Rxv!|9xS7a zC=j9f26KAT^4971+-h%?przwOEML@1*2%P!G@<)Fan0Y1mv3BG>M8LW{fH$|aq*+K z8ikR3D&(sX!bB2q(nN4Uqo}3WIoUBp=A3E2+M!lPdaAB*6v7mitPjGo7hU`q3oZBm zwPLwXQh(vRQJf;I6cSVWy*a@~^Q|Q-<6S^FSL;->v2w#_K%_A9_xL!%n)N~6RaVaT zkbH)f_#kD9hNR~&@EwMF*yR#yKG`~c&}8z_8?mx35|xyR2^u!6jnq<}y?1klBgKWUGUSuHqFyD#qO=jbQZ$nrlV*V3 zD*;QAA^)Qp86U4Aq(i(e5#90mfb*4Qoa}eeq6I1wfp{pI{g`q(4DNS*&hV+VhQ>FY zNYEWJxD}JCvMY+yS_Ais^gJ?FrCYLNJ}Xw}KE86W(1=Wlo={pkt$osejMi50NJR3Q z%JK&*z5zXVj+@1u{ooy%N-w%-_GF~Q-fN$ruFoXkIil~rWou*RZIkhrQ!f5D$ZQg503ir!tnMFDQjzx1Tf zVvnkN#dL_JT2h|NrumnlS6FSVL`t6%AQ3YNTUQ` zjW%X??r9-ad$*eW{4`f`vHlz#Lo`Vrig0aj64^%?)Fq^1k$_WroE6fCA+nYF}f!|JQZS$4q$*AaHl)cNovv?}#R zX#$6jh3W%ZgBO8|F(^{kk4}#`I@G1S@^5+$B1hkqn7&^y=7ntg5=OfFh*~IBs;Vil zhGem0bExJ^SCm(h2ADl9;I8xzQCFZm@Xc+~2iNs@r5Ru>^ccm8JyP1IbVz^Kf=xNU zaB;nzx8ao3vcFTP_2#fJOr+=?k z+aE2NeLHS!+v7r#R+5YAxeA@rNklDhpU6-8hXfe4uwQq!U9Gw8!`s6VUre??i(>D| z?J1ggq;AC&&^EFM+4Wz|rW|2_H(?cC-O@z7I$Y8^scU?L71Y_2)A-8O9yZsgw3^QT z%MPP&_8iCVqv7UcBb!zUvrA%UVAI*(adcCsPxe9R^SLczUDZ@PW$Wstt{;BwYH47m zVY>kT2Gm@H!rAMGP@;cP?DYn+o@ee!EqN7^?ud442CMwWKRXj|0%VHy#dbOWtLNcV z-m~p1qEpADuq5TsXSnIx@_0Wv{B=#_`uv()TxsaQ(%lCfzj*K1m<-I1Ho7#7PnD(4 zue+TWD4furKC8{BO-*|2Qm9QEJ7mCv?l(zS#{_Y7e1Qk?X(Gs6s5fP~5ADB9E7mPi z`FF0TC3SUC6cy=_Mm&i+n5E4+aZX3qrJ7k!&rvb=D?fp+D79;fQ2_X+(?2R-rA_E_ zAwgF0d5dwWoWw4-QrUkeB>AKV6lj)_xFpiTjB0Qx4C;qZAotI@QUdo(4!_E0BacD> z3|CTuQXBbB_jZsK^c{h*zF*^5>yCmSR1L0ac6GlF&G073$|>*F8C;vn8F~=^cIV*h z(lW(<1=+mh=K|eguIuwh*~PQ?&8c2`JIa$%eKWfgTv6fv)M%4X8Q)&ykbeISYm?AG z)qKv8Y`YLU`<^e31u*av$Dobh&i!$u)&mAw*s2=e-(L#OO;yrzf;5;ya;6q|o-f|| zq4N6RO1P}GsreRLvs~;;=&TeSTSYmDe2ojg$?@cV_F5^?4zY=iA3;YnI@!SMX|j=G zEKHQJ!j%kzZj*Eso&OwCqxzQ$0q0*W3$jI~jjFf5A~p_br8@cl4|; ze|9;+&ZWHsX#(N%&pD+CQj^A|%}fs}47^3Fb|erQp83|=5{5QgiRFy$jIi7s$u!R{ zC6|@gE4l1n!EJJu0UkaC^E5oqQ*;NzXYz1_N3J9JDM!`b&Xx>LXkoZ z!$h~fovfKu^)5TfQ}n@m0h5PEQJy1}>AqA&31r^}t@tE3ei?gZ*bT5p^^7UI6Bz$` z?Bh_K`xm1G9xg<)N)(}@$h#b9asgS+SN zZANCxgCrl;T)i5vwgKZpuPs}}$vW}}8#~sSXwA7`MMqDK4tkdB6tKb}qXT08g*B7GoDArKFC7vjEaxn&FG#QgF@FarrIEe^o!vo5!|4;73Iw ztDSx2eeEww{S3^7Y>Ni_TAmg^am}F$C(}Ql-P{%Z$qewZeD-?;Qc7Tr$K z#`hDxq^RfeyyigWAD!No6QZl+K zO~o}kU9Cd<_*Z5*ac6uCaQP{ImDvL~7Qn5ks~|z5ur9 zR!;1Py7syol7mgl2y5lQt%_5p`e1GP8%8y}#Y0Wd?i!7ZXGtT)iX7M~CNMr{Zo6sN&um8NFFbNIBM-bJXBKUREV-z= z?7PZJme41PnQfy-POsfo_T#F4LfW!#qj8l!b>aNX8i(Jv&`+(2XBv>okA{YMog)es zFFh|2Y)s#n)IGSZHpv5kqQ9! z*9tkG zb_CK^@nVF1zvC`*?I5FhBUyJf5cuY$yRsjDOR&7D6!R{yIavRU>9$J1LYngjvzeo# zGeCiDj?*tDjPJ+ICo5y8IH|=StxlM42v;Fj zi$j!(qnGBP0Xdl{cEI2dG0dZYSXRh*JC7}P2-$Yj%UJEAcOHT_N7Zm5RS z!R@|7M`>}{0;j{<-hdxaoVZ)0Q16EP24?2Yp-uTh&rHGfvh*g~tc9tCnO`o@v7eCi z?&TMtyihz4t4m&g{`g#PeQzzr5*#78&(F zqHyKS+2C$w zkuiczgNONkK#K{D?v&RMBkqc-?dH#*5^ee}1s&%?C%CiBFnZ_WwN7XuRU2N9{r=)+NHGVLl# z5Wn{2>+G|Jw-eF7MFXZI%9m#NMN>ZH_4h?3eQdzmds|%`hj|0keQeuHnIW>IE4akq z4C5-|dBeEU*;5{Mtu#dYX8oI-EOw#MI>OCg?#&+_i=e-jJvwL7O-JEOl0O`P zJl({I)2^*MxE|;Hif4DRRc%=#S=xicCtpJyuo5wUN1#47lUGP=%mFQvG3YA<%2m}% zMt~Q=`P=sJ%lMisWaye~ybXd&JD2f}`bI(7K=w#YXOhGqJS(wDmaM7Hb~b0kkIZw% zX8W^7`ry|w4besVg^x8-Mu(ySM#1Nbk2Hdv0n(l3Fs>|z4WKBB9{?o2=s2}Mt8RG5 z0PAoY0RS!S@7?;Y5&_WBf`yqB0DR)1^65&%aVR+iFOUqmH741tO@PP!L~Vug#Mqk9 z*uY7+Q(Hx-FUi{e-ka+~i{?}DQGPPF@dB~z0NI>TOnlV#_22P7a(<6AZn$36ExK4% zexueY=&1=VG>tktqgO;A-*QoK9R?u;c#P^lbshOk4Bb7&MZF8mUaMQ17$%`Iw|~4t z;GHJ{?v$E=sH^U_iz(eiZg&U@KA%a>PJTaYN|@FX+raUH*N0u#i{^wty{YN#9him^ zhg1o7f3A1}agB2C%hNE7kc-6J@pS~fRWAxwbp%bynQn9id&KF{ijU|w$dC`YhG0nKTXE|$ z^x~rPy@PLW({@+T*Dw_H{++^I?`OxK%MlvOWgn0rhm$#E9Z)5=kWRg;`1$>$a`dL~ zIa_`JG}k@BOQdrcb?-nshHP?))LDy1&db4mPh9seG2)MR3tO(S{|3oU>A^Ok@#VI+ z+T8l5)F|;w*^vzxN_y-Fqn+yrII+&8N7qBw^tkv4VIJ--iUTN#pQU-YIJRoplkeRm zSJ0+#6PeG{mx$*b-*d>p%RlT=LEWytr#@5sko7l{T^#!1tCN>HG45P5*st>H+Ji>l zxOP8~VPujR#bKjkfGk90S3B2_6+Prv51J+J^h;F8vC@a9GKD|htq-2-l}>#H zk~7??X?KJwV-MQ@j~3YUtJZ+^CN{(0D7a{Q@3UFKP}3nXU@^|AW8>PNSWD233E$lZ zkP!^(S3*5>ivrSovN$j&-UDzg&Su94w6K^30X?67F!#l4ZL?|r3*rrcRMp;bIc+S~ zH}+ycX8Ziv+D=S*C;!Om?WCK?hbKo?qf4|i<47&LxZ<*b033r*jvz)PN<8dIcaMGfL|x>F5@PIc<&CXg?2=mw+Otfj zng2Ou2-nP8EtUZ*2j;U-gV()PpCaARNb5lRM}LKy2TWcC{XVB3 z&k2;&!P_;DofRG9#Xy8N_T|^q*>Mw&v#~7L#=IhM<`y+m5=~4Sv-o6z4vi~vK zw}tl`muGx&CLy)+-2p7br{>(TK#x%9V=`IR$rx? zLyC%wzAImtXWA#RZnE44J1y-8!Zn$=0-{u*D-c!wRTo&;4Jo*oJ}>pxC&&PuPyic@ zD^LI0u{TRQBg-vZXmh|>a`<$vt(7mtV4wbdEkKhT<>DKCk)M&6a4~rG%svC~5Wfnw zJ&T<%rzxCMZ6`E7b9RqiQJ|E9IN30l1>WzS!jKRnqjGR2o5?P>b`%nc`7gzPCqb6anWt+(K--edzWv1n zSljx%TbJkM+7muS;x34osW+lB6H|kvshpRy1XOq+L!?Rra=+TNF+69&ZkoZ?`Pe_# ze9pJ7toP$J-Zn7|^AM?rv(?P##|2K1A@spQU5pKo*|3r4J`#JO zS}iw>MxpKwK}l%_MHc0Wk37w{ZSGY9K+4&94LN{$%PD+e6`3A1HoD_-as@K_10oRK z`qjky*YTUE3FnUj$)^BNC2C}6{qhPn^O-g}MGM#G`L}KMZvp3KdUR**^HoC(jo_yF*EC7bRrOV~#gA54u1CXJbJ?q`$ zq*p~7k6 zSLnT8{aRDHuW(=nv##(oA6BQ=J`XIez=3U-B9X#+^Q@dnb)(8a$w665@sZ}RE>&gG zGz~AeRn0%bN9?16&r%Vw3U7l^o-|$*JUVbCSzAC`=7>Z(^hTTPlO_r3>F>v{g(rC; ztai%eQC0sn-}m1Wx6V8rP}Yl3#|RZB`b;X=s;eX61)^{)%=%WQkFzbMyEL-$?&$au zG)eh8UtdcDa?nGfj;P6u+#%d9S_^YDm_~o1EbT~Vm$r)!s~bLGR8zC-`L9AQ(QxEi z*lOG;|0shW!QCQl)8h1tWEyVvU8&>W&umoT7V9^ULw728t=|;SjVTb20HA7F+sh}U zytS$I62QgxZ_=0eepNykKy3?{q&XvP8hRjA@s4VH`Q7y)dCSLE_ktl(CiXo~YeHzw z*kF^;I5MTz%9EHgkG-8g5}S49EYG$LNY@j6WM^L$8#$`DnZrA_pX30L88T zz+vg(zBe{w^{ezBHs5SIbAyTcJ<|e|Fl%|R^(w;7##YYQHy*udMF zgRs-Wr&LEz;F@vAeWF4#YE7GotPiV|Tj&hMA4rP{^Fb&)MqOlxTmsTg|K{?ew8T2JgfM6)mb&Kd)v}J$LTtV zx(*inwp+Y$Lv!uJ5`tPNRY!rfdpb8cbX^KHZ*6`w0@P;4P5O?BcC@&G{@DNAs%FY5 zpCDs?+o(j9OVgKD`0MC4(I{H;#`Tb4vaA7Fhi6GtA_|&RS-XT}O#;BRx*f@Ow693D zOc@&+6H)dyojPcqc=w#PqL17!PIoZx|JJV2&D&lBz{;^v z4$lc;dSA{M?1tWzgdY_%Oc;Jzt+aP|er1b5d_T*owTh5bNw}AydOH{v-rlETl>&NS zqzc!DGRmL1FJnK3AK8q~NDy6$*O9je9f*rng4y@U?ngdzCW?! z2a8~qYAJsiDs(e^@UbW-w(zJ>KtTY}!H$!*Qj>R`+ z0EU!e_SqCMzpPN(Hxrg#lZVx)GC(H)aQN$5*TNEQ2DxB*tkPiX0`N~h(b|Hv#w`AG zFrYmW>QqW#lWaqS3wbs>_j=!UiNlZde}m&kZELgb`gMEaUL_FYOXm&$g&CXo9KB;( zcwC;IfwAba%{7#GT2z(Cwd+Gecl;*X)=i{)P~|n4D~2_0AfwC}6E9x~OoW^al>Tg@ zbp`Cs*y+8J0^UnW)d`{*gW}o5aEgnJloJJJH=73+&0Tj^Rnv`;`0_v~t)vR|w$uBz z$PspDmK@ncx`gO&ek)#sAx4Y}dHKThCtCgZG7(*Z)R>jfiRW2T=&Qm2(G6zZ>5n|G z@gH&h&#PTE&u)(wfk6W++j`#$E&Bq^N*_hX2~jU7?8p69FRS0q(4=|$OVPe zN4g^*ADqBd>(W@b84S)$IF}^~i@8d6aERt!)V*LBq>Ra~n`NP7Co$(ESG1uY@{oO0 zH%Qm$9ghemN?ZtiB40tMnSvd1)jmX7`NALpIlya#aQIg|h~;a#mh~H8zz6S(ds$xe z{9&;Z>E*e0WWat!Jp>T7<1IS_JLjDqN=4^mol0katq-_tCvJePjUR;VVeAlwc7rGI z{#d~8*}QO_KVe3>0AobkqeAa~u!eh@RJE|}=iV^pD`NDkTO|{{IsZ4HfbGBA=qtJb zV{&g~fMu{^Z$Xko>_>-U;j-;Qy8dlX!NEl9>G}=l{qDe(WIGy99V(5XVs;^CLg0{{ zC8IX90lqY}nix^v@p5kA_M0S6WI(c)qN8SA(o0_HnO2VTVG=PF6o%8i2ZkVQ5o?ri z)>ERDhZshHikZsIodu1XDyI*=qV-i(iOY@?oJ zSD%T$3W7yiDvYMp%~R^km8JIzi#_yc$okFd{Ak2gvVqgRFR*Z5;3UwyXqIthiG4p2 zqTGIWXJ1SG9Z3pWNw#fdJ?#w&^HplKj(K=e1JJ_2XzAl&DazO{r+wh;>tVZj^Kc0$vd{0KJ?BR*Lqa~u=D_O8-T@se^6+y!uz%C%Fi%L zMb+{|2v4$loZM&+!pRNBy8+^X^NhgjK+S8_>#TD|=EvkX7d``bd~0lr4q(y=Jo*;| z2Zgq~Qib5q=-u8#E6vNV4=1*pAh|8rKEr4JiaJyA4kj3aA(&I~2rK08I!fTs5|Car zo6PhAj?{m6?o)%IJDY30FDd>p60miusE}&`4g^-F zDrld6hu7GTTh3Q7gOGLEdjBbK{u0fApAeyT^zmKozh?k6`@z{>E#*FNi2y;$j`yk1 zLxEsNL<+0phCiXP?nnZlPi6EY4a#`F`>z3jUlmXy*s01!C+1(#zACe;MU+)#R5Sox z8+@jp6xtIu$DgZ$8Gi8P^OcLiv8(LUGFQ8tb`io3oDg)&?)Nbx4s?PUr+_^l@W%VWTs`j#xQZ?;l8^PO&7e%#V6PYcEjR-Utf)%cWmHA3h?b(}og zT9sPxDw=BB$~RN{dy~}q3bd&ntXBa`YF#gz$6eI4#Xh5#Ye69{l|7SD6HNXbSsgM^ zD^)p<<}3cww-XpIUfQ7%i^t2r|7fxmOmNRm{Kn)DSX5yJ=T6^ZgQgcA?kfU@RRfZb z%^uYxcSkvw)wDFV&nmx?L_v2d>veAN7Wu1-zVjPhuBkui0@CfaFS*ud5a zsv3$>n{n^i}nNZNG8dpeHgt4kGxKc$)u zgq!j4Ij%h?V?v|Kk3+o^>nd@M3PSr}CnDJ->ME$|q#(5CT?2m0HUC!&-Jzul%I(k*=ly46^F zvcXEw;zB63`Rd5{&=Q?VJionf4cJky$U?qsy&y1_&PZr_o1PPLqVh9N_IUvQ>S3I? z*Es7BT`t&3?LJVX;ofoG1F&~iG|%`A0?2AM0M26(=fFt$z!oDX(sSfFPR(ol<+Sf) z%ik-i8?W*2ywhVm@BY}?wxlFpWYlL|{j33#{?&pEDV)UWQTm`g5j6sWTG$=gV2vYT zV2_xCGB4Ib4e|i@>Feim%nd~|T?4BET%IRlkJb&W{uw-*{d5RJ&w$^^T#3dNvk60% zN#z`CT4!CVVvF5F^_*A8fYv{NbpVi=?5O!{G^p)W1lq*MQ)`N^jtA;>qK*9BmEobZYxWhVdWu(*a(QBmzyX@p9$t=A(q; zr(e(APXU#HSu-C^btW;bdSy*95MLu6<5R`tz$aKSGXc&vJi* z)cH6)eOSVDPO3)=HgYl1^VHk^_)Q!KM`AJk;j70J0^qvA|H@YhRtaBmIwqV-3V8Mvd`qW#w=abIsEENjUN}dl3gU(ffg3 za`K!k9jY}+pSg?dgPCZ)^6NX2RnWkHp`l8@wb)9A?Sy}HE=Dy6DcF6To%psnCh4oq zzWX&VW6&Tc3kKxOEmcmB_;sg8igFPxlvO6mzVND_)JpzKa z6F4H}vdaz~3IKPC#s!^dyBIh{FKIp~3RK!}o2zmGO?2`3AVX~A&Nu%rbd}~m6cgd_ z<&{TEGZ@>Rp3>(&0IIxzZ>ZqWoT8g2Rb0G)@9T_)oYC~z(p$(aVfVWnyL7jK{cmne zsO2$y^YLAY|7p>M7Q8z0Mru+Q1<G7+3COOJ^)clq(*8qfIE$Iq10Y)4pg{|{Gh z0T$I0HhfD93P?AK;v(H34HCMv(jeU}wRA~IBi)TiH%NDP!@|-HOD(;E@8SPE-}_zP zcU^M1XU@!=d+MG!_uOZGO3iK}k~cPN8~x%hw~t%cRc56W6#(%BrY|N_K-Kv^&BZfP z2qump+Z~CFFHM1MU)2r(Jj@*86|nLAIRaW+EaQ8TyPaS`HffeCa;LL5tXA-7_m!?q zv0ylf`Y-x$n66Y>DCGQjZ+JEZ4}gCYO@a#NRsoyw1IMJ|e>P)tQ8pO1Q;J~0_~YsX z^QK#s?d_z;e)007$@oA?bg1(yOD)d79@U@!QFp}X3inP_Zfk*l0&MxIzW35B=0J!l zlmli-Hie+>kA?9ATu0{-fv($t;TM3DJVp=)`W%nI#Ut9}5uxM3!CEHc>-=kfMnw5# zT-I&_`%0kz?;})*l;+hH_+u7;q6H3{ua*nP1CDXOuslb+1f4z7nRo<%b;+aXp-R9C z*oQ>HOeRa+c=L}K5Z4;l5S{zZnQ}PLC0orDQ8o9%N+eH7B@S>Q`rpS+RP&e%2}(kW zhj#dwUp+2(Mk9nD(Mo0*z*|mpo)R};f3)ju&_el7^G%ObJuX>n$K1~VS1G_(ydQW6 zf~1ke{KsrMdk=DM7+xy%`%h_F3P(LEO(0u9Lf8~_D&Vcuci5_y;X8Ht!=>MC2Ca|FNN*NW%f1Q!P&ni8Y#lciw3E@mynGTsbe2 zN=EgJ7Or!)*4w9!j-`5Bd@z}G*XfmMsnae9VN_GJD5olsL zqPjnuOJsLE1b~UHndftO+IonlD>>!5W|#PI)eKXw0hW$dg%E$14(P-VQ78b=>IAF4 zr9nv@jk5Ms{Q=l1KU8YlPE9F&!#kDe+2b<+^iP1pB!l4Ux6~i2k9z{Ym&>56Ku=8r zE)|opNlH|2krr`%x;onEn0a9;Qz_A3*c!O zB$o_@K)E77^Z!cxk)GOT)ylJ{lkl++z}Cd6tv_~-K_grqB2~_FP)V2l7V8C|Lx})t z=V0-&SE5i~?0)Hbg~+)!LT7>fuUl>5&jMVTpx>%cWSLK~>1dWcsMvo-KI9{yC(1D;+J4O|_C zOm22@qq{)eW?Wlx%@b*>Qx{!VCur}cbm86e0bgxis-gGpErZg=?c>ve#J1q{*m0q> zs;%R;)wj4(wSdYRECSAURxMd(u}pE#`o(4ZXh_SLDjRz9ScU(C-I`@;V2V~GeW+|V zbetW)2c%XlNiVJzP&;v=;%TpYNYoW9%k`*iuhWCls{Resr4S^?QK|oO2h@ru$0RUS zojBD{M>r0%*=FVY46~J~2XXyu_^Zh;`FmyeQ50bIU~~hZWfb3sq@11ckj-;Uj#e$x zQ&txl+Pxb?Yj87UdV7#)#^~dtXBc6{!jHQMX@DIUVtEj6r$(ERe$~we8v+nEa@Xh;7MOA`0Hj!W{qNi@;*)7^~SHw zfibh68(N$!s7B-5G;sQ;U%g2L>S*JExg7xd#?cvB%)(!v6{`bIQm?xo*9t$~)JkGZ z5AAF89;IBK_XNOFsxA}zTrVH9uG0Zb9s{wC%_ARk)jFNhKK%tNm*W0B%_gDZ5pdWd zf>&!62ZDj|;sr=jF>hL>iY=K~rexqaJMsuIRKa#CA>5fk3Kb4R{@Z)Rk5xJB{BO8~ z9c`%@7z(k;mB=PbWw9+iu6mLR)L_pa_Z|-)VR^cVd~J22`+L)-LjNseYPV+G9*JV= zx(kEPa)3Py64XbPnj4lgB{4htLQ0NX?I~c11K#U#LI409A8^HF2-trG87f) z2>iO42j~?5ujv7+f9gL1p#sKu8BS)vKZzByR_e#@VJ@UP4w+#2p!7U-RXfX>+2=2Z ziqs>YDWXi_Tf*NprJJ0t*rkuvWDguWeBGuQkjxJ1sbtp+0`)HgjwNyr za`787pVz7@@GJEIPJJ+{F#hy&0B#j zqa(Sn>p(uV{P!J!d^KgS35h5X_OlFOk@6P5?L&{Phr~~M!a=p`WdpN;d=C{y7NI-1 z90@=xXAN#!lOU~=h74F>x?HZgF2}noq2KD|03fGD=|&Dbl{|NJL|}rGBnVIDqV6b8 zl)1s$2;h*o=JGlnOT{noa&Ez8L@_ZSi)=pFwc*4}+OTp*L*~c=M!QT4*HyW`ttBV`ikZ+e6T8;7nX&%b~Nksn_MIZ?g6xu1~f=z_aKY z!mkf^zC#3_ZS(O}q+8{>pU5&c*ys^>t>k~nMkFRc{DCYP#X87OUR?hfY7+V(OWK5W~s(M@Him_dbPMqUFm`n$& z_p_^bFcplW)c7*gTBPyKg6wm}?8fsB48Ok%UF_XrWriyge{4$>I`O2is2QiWu%&Vb z6nge3*+(Ahk*De8kXYX< z(+}x-a=(=J#)7Km%I^Wp8643tb>BZ<9h|LvzkRTl;rl!gof`wkp*%0Y@5C;vdT#&w zNWz`lIpur9pw$+|S3M<35l&u8qNb02q9Cen`wOK#=V1CifMhwv6em4IG-U#ARDjQj zJFS~!k*8_Mx9KuT*6!PH-+*eh!0}?#7Bvim)5k9pBb5n_dj(y^aw63k!+9n^BR^dU z9#N(Wdu^n?@@~PashLl0t0Ud7yF-?Qtkhcd6fG73mx`SXl9zTy0S!e>14s@`!K>K> zT{9E^H2ZVDyu7<;B>)*Nzd~?sH~}Dv=sBf(wbKEk>CIk!EMyV@;ykG9`F@yhj%evL z{gAdOnkPlaX1g+z=*1<=GttM!EgNr9(>@XhgOfup2Iq!G-*4HoWQg=i`m+ z-Zbd?-ZJ`JVwYJalksV;Le{&a3B0>wx$lFqdB(33;+A0zs~4wDBnU4pLreFoQkp(f zW^3!@2}4o<$)GzZq#7;qu2v|Zga`t6vpt2}I_TM;tPnM2(w&xG;_LEzuywUc}a)ChhMZlrZh5R|T25CXR`h#a;2E8C008Cn%C2)NFT4vq$Hz z#fDf{2tF0LaSs5_TpF>$*VB08LG*00`GVuvy2t=`Qmbs;0+xzDdCRcqZHmh3gvyd+ zCCrlyCtCpOd+m%XDlsoE`TO*)C-#_v~ka;S~%C8|>qnD52PO6Z= z%`9)PlfZxICN$ik2Qd2|M%C2*T%K+svNoavn;oQ}Y{_mE6W2A>JNE9KWZ(q&LwF;L zIV`rrwrtf2X9b_vmRM3-jIQ?OjR}UOVf={i*~>l*2%J9Bc0nwz8VopSAC1kGV`DX`p_DlQBjsGps)h!F5k*5 zSSMs+<(mJ6(_v=66pKJii^^2UyQw&bp#~;%nEy333#C{o#Qs|prP}Za+0!@EPFdF_ zJ1c~ySiGb{MzxQOaCIYJM~TfM)c=F*nWEAXeZ^qBQ7Pktzgc_+91uVH`~-#MZ_!-M zRaMo=&G39>j}&og$EYapXnf9h?`sD_-xL>z;OjwR-{O0na~#Xe;^6wzD*%tim>!aG zF$elrIJ=25-p1ch?B{(#?TA~rZh7g}fowv@bJ?wpE~}&YSL;!#iu1^in_>PSS#{EF zs?$kT0UGUS21`&BnQMMLq%Q17qcxuEaftgKYpFz{FIGm2?-rqDd;-FNRevZ~@DNhX zIX)T@MaykJ0IyTV!woz94aDb)yNt_v8aa$9ut|ER7@^#WLk_`(vwbVA-!%PBjOEI61d@tU z|I0)~^fZTa&(qQN$XYsW9fotp@LZeKJL27<>t9m{U!+C=eo5Iq_qo-nVGu912YY)E z6`NHQ_7`EFcd`!HzP)UfHb;K_$-GxDO8W|Tod22*<f+n+Q@fxWqEy}F*#d39a15-`0c*F-**j4Ht;2hEld}Yz z4{8dT15(YYvY=M<#(17jAQw!@A~V*Y;hRc!vMSEe0BH||H|P*-y<+AHSFF*Pk>(*$sj#Jd4K1Uk&um(31u0UrIj# zZL<#$ph;-&B)$|NO0K!pJZ~!Ve-#`Px#Aeu{xqB3lxi#4m*7w1XR07}RP!9@A1{JG z6p~a$?5Kra(1lTS$nI}28hYc3rfor#(HQdeH&}6Hx4c2X&j14{@A@v5AO8Y1KF*#x zq$fu%U}gk{e6w34zUgGoN4Zs29Qh3=o1(S(1`>sQ|4I#!mPMs{nhuSbZp96KS3BQr zWt-~IO3(iyBW1I4JJE+=L4VJO1vF|Sd6X-gHb?ply;0OAjOVF5$n(#Je*2mi;qCFO z0TK)A&A`)-PsNseOnYJIIEV-c$#REX~R60(Szl-Mf)d9dC%LMS_#r(&Y`3kU2hL-ExCT?D;(_H-f2yJB1NnF}+Yqzw%ZcmKoAI5q& zNC;)oC)6u3SMo-|o8zY8@ou)bnz7mnl6PfO3<#p$EGwN&rJ)=m|U-9UjKJftLhU8RjWiZl3EU_g0w94~}n zpM0B8PUUlYX;ZiT5zPo{VW|sg*&Ezt3vbkAkoJ^Z_J~y;f{>u&-Z-Z_d{cT z(GjBkTX&zt5KJ5nS!#Ud>_r;g+Tv;Z$5utE0cnhOm#G@tfNPF{`>Cdd!PWEF#}m2k zm?Alx&Rc%KxBlj*5mk|dE29s+qh&kqUR#p1tk-Ux>?BT87UHzD!a?yVjJL;m2deGAJqA~NMvnH;PJqW7Ftp7g-8hQI zD_5Zlcp1b8%VkGOHMQsTkr}GEi}w1F85VqL%kCJ46@E&`q`o2&45a<2u*)?Ou*QPD zEjx{1RXnLhQbx~eqfWW3vnT06ri7=4Z4E_0Qc0&~5*r!Rv^x57O#w8`b&E35%i|grB zA0Cg0vC|)iy9#|}k+^Su^66mniLTg3k9S5$7#i1^-Km z%Boc!1KTuSNNUy6pp%Gz17}$21+Vewq#JaW+ z?AVkhG|99*lnP(0AUys@Xr$eOlM;B>5Y>>gHmQbsM?3!7@k2kg?N`GZ=YN}@Se%e$ z60Rxij^F$v3V5)s2p?)W&FaDleD;8Fh=nnvL%nP(v@fNa0}TRHsYXUAmWUEONg%qU)B#+_+C!y1K1*^ ze-9z-zQ`osheG|o8)WSdvoG8K!hIM2{kzlfeSrUaIB(8^>O=qiJMUk8lWsGY<#V%{ zwCZ(j?|XyzcYBC0=6##x`}gmJA#&RHA;|ZBGt2kiHva1UIr~4j{=ZA#zt=!yB=W@P z#_R9WA@UFz^0KY{{=v=b-;%GVx6i+(zsGmC%`biAeC2lT$s$?yZ-=9O?|^d_V!GhO zxZksnPxK$|rlZ@PjF4hpx6%5jzV6=2@)k7Y|A@MGt_*z*JN^x8zHF(s5mVUC&cOsp zh?NMRBqt54kWSGeMr-$N!=nz9zuKw(t^DrJ=}3e4fCoS_F5HL%8MNc~z|BaMT4ON-Dltl$~7X`sBXI0I2k&EhpKpt+a4Qm=RkG z_Rg;A9@WU73)3=|o-o_)fbk*X=DBhaa4I97v{Y#J(gu92<%d7G+g^(a; zIYjp0oyuP$;(2LY)1Q~*(z2gKH6*o&}pchyt2X8`CO@)_ zcxZX(qbailkUsui{d={|+jqz^bkjvy+H%>JnNe?apmK;`dqO6**Z;9C8pf^;Zxif4W7YN0QxKQ_($_SV>Q#63UDyuSCVB7`H!blHdv>#zHGee$pX z{;v}eWM%JH>4%<3oe{NjrNReH?yAlD;mYnI!tHNAeaEUU zg$q2by4~^SUG4a)dIR)2I*ufSQF!AiYqHO=>L2@`BpexJ%*o+{xW6hiu$>M9Yw%OX ziG*AyLHa4ImSfV%Drp9<%RL-J8cSa!hw}|0guR>=NjNkP?XO3Jh&sO34qm0T1q?7G z`(#%#>&UNm2Ji0<(IQL~PZjuCfqeOHheSSUymMjsGU91Ac*K$PB<^{1ugwsr(nAVI zZ}@`35=mF^*DIAoIbQoD?JOZHT?7wJyG2}j$jz_md5(;$Az^O?%3la0?3$ARj&Xt_ zm@q8NHhC<(z+TaFk6HiSz1e}AEvNZcazlZ_xEQKM*j*9CV(>m4fI|%gu1s=tJCRp z2_Iik^CPy>8mR2aG#qce5N=Z@6}z)9U(WAt=ZtYA*wZFG(}8+{IK&zgm3#iSIBn-^ zpcwpwoy@uT{2MJ?Bz6kYd}U3k(-ki$(Opj>=w|zgcb`OFkED4&Q?lRdv%GRKs+*6n z{rurqoi@ws3Z_-BSG0(dcCFR%U947S(OzELpf$R~ zYrWeY_|SHaKlZAg+T_X~;s*oe4c)y*`QTa(QGZp63PBQgzQX7ekO z5oU(fn1tN`qFTZ6T?C)|kG_rurqwT{)knK&RLckPU$p4l_Hw-~tmQ68KI`h-TyeSv z?Q|*)x^Jfq4CO$m?{*ra_qsMsmCc9p2i*UXJF+f zUT)ahs|BdHf%WO5DuM?GgXh@xMcdrBaWgWPKdRF%SE+8BZKr7x<5!S+b$uT91dH1D zV{u;ecDYUR=H-WUcrj56)eZ)DTD?6+Lqv6DXvZbA#hYM^9Nt%FGN*rfTY@iNBuYAdB=d!WYrYD)1Ph5}kr0*gVVj(G@#GAg=9MVLlTiW(JNkVs*_rBZo+U zo@4w4naxx~Z)#wKtK~T-!&*39CdHcU+@YhWmq}lh=|W<~-tV%Is$`>}cV#q3B0pk( z#Gh2XyQyBgq9?`5L4XBPSS{1`{-?mfZqr>%6t>GC_>9hJ&}W^~kRx#i8+0I4fRMSKWY8$T0SGWOHe1eWpg2p)$H1_Vrk-TNM ze*fH6>&+rJpXsrasZk*mIEwDtX1(a=w*0#Kunlt8!gqI(n_;?w?UoXmQ$DXv(bi*@L}8krM{}H0*X>apARQ_BQTM zM-BsO8U}G@ruYg#rUtp4r%6jbjza@6=IQtRBpF_MyTSxiCD|1QUF#J-uS2z|v%W~b z-yPaqD>mHKnY-%rSIxh=%^lzBXn_f2F(C)}SLcvla~a1uOAxTfW_BureOMT(I@K zQn37y8suMgJGe=u+kePYKw@O6@y??o{$M$TY;ftSQq?rGEB{_4jUjn2B=xx2KeX>a zP$H9=u<#Ok!jSxF=wjlfhH`lF1!X_HZjwVs0DvbimY_D-$uLU}$-$Cxz zI;cs5XJ=AD%PMj^Pwx-ZBRLlHr=YQA9@$vISl{}4%5OgrN1Vo9T+keUa)(QODH>e5 zEW1K5_Uf+F8A0DITSiU~uIb%_a#GZWZsbOHx6}4mfK6jMuiEicK9o4(nfxm-PH|Jc zCg!i%C4NrI(k1C2qHjNgdv7|d+(c#P-Y>hh8%#k4)k}kCS&wmW<>V1Rv^fleQfUeC zTmL%00A)3hv?R($ zw^SU_&0rH9ox7}=jfULB!<0B}LC)E~N^k%(Af~?8d#5^|XnS*EL3&2#2&&^wvnQ-c zYg=PrkXFDCh4zmsN&Hnxp;A+PZvcF^Q*Ev>H6`69-5E`esYgj;ZbccPOHg(C=ZZ-G zP#Q``)0CvdQ6;~O*=>Bc1s;v{`V!#uBGU#D|8LQ?a2#oPw0hg^?H`Z7iSD@`a2}ZP5MQHKX_77hr~y)9PC;7MPt?((XV@2u zDXD@Wwb^wuG+LRvA{u#yui&cG-|`vZ$BgLtRasL%8mICnQNKzhM(WG;o+cgM#zAOL zPw@CN(75(o{&OLe8nZD(RE^p+cD2I98GOXd_RNz7@mVWp2}4?7?n>g{I1|H*Bg7Hy zsuv*}lL}IlC2tC{?Xr2n4z6DWWqR+XwW#XOfKDeIT$oAZS7=!7@D^qQ*P7eEheS=9 z6BG|Yxwz*I3}V5RBPJLK1;=jFAkC*$JE`%5U4M+IJbN&7jZ#YQ`CXs^PyzpB;?6>>}X^332cMu1t?;mE<84Be`$yC+e z)t{}Qr*4zhfs%z;1sm~S7X2(9O0!PxFq#S*=+ux0xp#Vgvl0*s=i^Pj;d9D-U;c~k3Q?;|Cx5iMWzpeRQX0d7 zO^hf1S~Q8PKW-7W0GO3>P}C(qy{kST=7m*ZC{TN5CmyQ z*&P0^%_`&&zyfBIR)V<-?Y@)i;X{R+UxZ=28Lwz_FD%?>lxn|>7Nf)+HGgDSm0~C< z6iGe`=tuqz>6tAaLr5n>-^gvj%2oGCw&Qrxq|Mjpn5byq{Ya&4`uUmu+Y|&tUYMq9 zljImJuI}g@d#Ayz{QbN9d3k(-ZNq|9-eX{6<6Q=n;cU{X04F&a`xx;B9#W-)5bVhJ z>%Jdnm}R*9gx*;ig1nLv)2uv)wpCsB30GJJsGgT+C$7jL((;|d^su~!pP6urI>&EH z?*10!EJ_=aVG?#`7?+;yTSITtn!z?O;)FayqkWxi7^^ZVdGl>&TUPxCXKZi9{*936 zGNtF6a;*_xCT{N61a}}aNrh@ws;#;ARSs_BT$Ks#Lr$mn^sbj(@ZT13B?keaEmyh{ zX}{C+sq&-x{J${TC7f@$#6xkj_zH?~hOr@~O^JE?B9CWVq4!z+R6wty|oKAIJ zQGR#J+|^U#+P0lmKZ6lP2AbR{+N{#FK0`M&`ZTJW^99C|z{=oPG@Cxt70UapyY1FZ z5dSl0|8+^acxdOq{%^iB(?aLmIi%KNfmv^v1xABZ*6~)T5QK<|J z2U*5Jap*FK_x-;6YFr~^T=r+qde#qSGTX2*dbOJ?cERaIiD&aT8FPuSG8Ip#(l%Pp zKTk$vYRC`C6#hQ0{L}k0-8HnI2 zwaq)*{Zx(Yu*|(fhc@@bfBu(+t&;AC^E8+Nlg`fFm2-$&Knl;3MI$zTTxoxgv3e)d z@KBL(s7><+8F6nrDh3-)8g*u=`hw_gs2yiUTkw9Z2FE?fr29fA_U*`TwNHwy_23PZ zn2+26ySvcHq2f>xKN_BaF1of`cyMU&qb#R@yYZ@Mue>)BNU~(lK?Gc=@-RoRz&SPtrtr9<{@)*fF#i)` zn%w01V%2rQDEOKNl6>YJLSyE&Y8cQcbH3ht+1AZ(plyp7L9yY8qwc_qBhKg#X&VCS zV3WE7)2Ws5Oij@|AZ5!LlI-w5Kfa9c9M*NppMMt`dC&f*I|A`tXN02g*PZ9+vty1; z;S*Bs5yXE#@VLhib{ugn_n6#+OD7zgE%!jkQemQ=1r#+ugjcn0&U~)GCUE$aDlP~fxbzJ*EKz=GZp^+Pz0ZbL%9K=@v*waM=5dR0h zWasMeV@#kSnk9hSb`yBqZB(_L^2Z*JL3%(?`8<%gS?-?0L3zI33xf9wN_WCm(v z;@jTMHI{UF6W6iN{&g;G(1|6HKX!;X-cwDVMz0%^bjE!tvg7O;Eu~PfL47R8!OtA8 z+}tUzZV^IpGK3lD;|6J$NyuF05w>tv`AWBey#hy(zvO0vy)v+Ebm2OF^OKA|TfKM( z3*op<_^CbULvZpEMS-WF!4#|$SpdZq<~3)W>7V}S3}2GJ%4jPoXgZ^Is$s^iqZ%;@ z;!7SZx8WdCTrdDFCmA`qeYGT+KP*}#IesxupGFk7vZWV_i@!foz8r5L)(A6gEle$? zUOspSTR=s`dHVR6%TO!L6gs~Io3mawWA^L25d8WPnqiQk(_|v)Z`L~7aBxp!Y}TBM z*U4E&Vb=Bmc%%kjGByM7$m3xSEjpWnI_p2$k;JY+X(teVePoeJ%y4!=GrcomHd)v( z&NbYfsL%u~0j!!jB|SJL?rE)rd%#@B9)_(BA%BL>uy@RCiT;1poFu}kX+_y zW-Vr^zvh}9<23dFg^AoGQibVS54o;EbL_x#wS!BmXiwro!jfVC_;<{L2(5tbivtX1 z-9e55q=m`kNqY4M=ks^kUycIUAlFQ29{t~%OX*F$;^fNBr1OAxSo|4Hu{yZV_o4?v z7<*o|e;aBqt@=Skv>5*UUYbEyT>;Y6i)eJSVZB56y`r4CR#f9+LLd~^tor{`4RV}| z5}xG_M+|H#z$+qUh;`XgsuSwZwV}q>t0-bi&GnrP^hMS*4Mzn5Z*@vmuGQEH6;GEU z2XI)`O0%x@)b~D;8QaYzl7#+-8Gx99fetYZNcr|5ETwIywwt(7AwzrTftls& z+V$X&x%oC=5L>STDe6vWK(w*fkT2}f+jS@QU0Z#?_gE(!3HjEp_yadtD}XWtoy;9` zd`4Yy>05Ejq?!35Umd+gD-xpEXXO33N@$U6>CP96z206Y-Mzze2rJ68tiexRIbG+f z?ni!+cl>eIJO!v@-F;jT-NgDcsIYlLCngc;xoG>)vjY+1Xhk~?`!k_+AWFt5joDwt z8$1=0*ReEi?V zvxmQTh3yYF-B}O!_?s_x+W(%P0H8^s6<~Ac1lR(?V)Si4*GM$H3Uyq@98_Z7B0b%c z6gB?jGZjM<+x_kif`#7on?96E;yf<+C}y7Z)eF8Yk>D)`+(kMtxzy^hpZG!ycD^`y zwIm3*pwwE58~M1!X%Zr@{u|9IhsUJ)KwAn(I4BAchsOq+h~>SVQs)M4|0zQY+vlPG zOM%NcXF7m~Er#WnG5yx1myYIwP-$;&zr{H?E*%pv;=G=bU_Ud%Q-+gFxA)adDe+lh zC3F(L;1CyD(%syif4pw(VG$G;+SN4{o&2B6ufQdOap{GE+$-&QJP+{GZxds_^CsH4 zpYtHf1>|o~scUQ2co$L23T5EgNhZcLs#GkrKNh9M7JuVWa_0o-H50%4N2E|9cliV+ z*I6d#uPIDE`zMR!+k}oVYZB_Fj=Fd?X~coiUN*KhzVd2Wpl(DE4-fUuuGI)Mqg0QIM=9s;QB$5>9QYhEEP-KE{GPNsZ+PyBsdvC< zwK-N)>I+(@!~mS0r$5}+_JldaH%Vg7=pREXI-XpT{AlQ4<%tAozdWnGh$EPgI5}&= zn-~i`FAH#~yPRnfw2=23^+IXw%>!yHRa0mM_1=W4H zRv3a7MyA95d=qUL6`BSY(>ST*P_){bVQyNr|7siI*X7S_VPq}zTRcL4v-b;!TApar z7@<`*mzOG*ch3=*crRbT}C7<3RvEfP8_WK7wATLeYL3qV>s`BbD>TCPK^>r)~=k@0thAGAJ;^i zCK}HUOQaFH^O#3}dO_Cn+8Vi_Cs>gJ)-NUmhK~^#CBPmrI+Mr}8?gm>B{b2%pa#o! zxeY(Gt}u%dmnJcs>Z}7z^YA%0s6J6YyEjTTAkdGCbt0s=^raxBYCv!#Tax(m*j_+0e#&ga~Q+-4%LCxzOY_H7ro?UVO zTJRwnM0?K(U8dVGJ(H;t&NGM{wVa|9Vo4~%SYvw?`Y%7rCX!cACoC`wWjUp7&6cKn zCb5B9Vf^j5uobD6R`pZ$uV!-VsION&o-L<{o^4&IP%U84gN^0a#x5}0qo?TgH#NnV z!CPM>&=Q}KkBqfQ>fn&Q2ugMBpp8=NmUkEB zRBf|NJ_|kXVj5e0iX_5%)$D6ldgDU-4Oj@ z4(n-{P_p$GDiyIH8?}4ly3X$Qnolq9eM;tV4eCQZag{LhBJ|yHFMsVmxJ2Zh-heM#A1K9^;xPquO~5(9EAvI^^ugni|u$oKkmwEG-IQo9OqM- zyz#?1o`=LLJTV*_8bISCeduoUN!1U1KJK{SVIP{A)>Z#;B5{jTHhteJ{=IW7ZQ3wH zc7{#bGXKLj1?9YaNjXmGxC?LRZRslUr#9`OQP|Yh(o7AMA@XZ(^Nc0;l)yMiZ9MS6 z+>yPdUGS@&;xPqhBOSQ18)rWIALDc~eMYTr{?#bj?Dn?VNUl#1f5DninY@Ek%iz04 z?=#fbU!zkOpR?4W$7Fmhb`}f(ac-grqnDODcM-*LHlCEH%RE>d>m~rAA($ zO_BI);GGrAA$>w3rH#cQ>(Sdr;!SG|KD0qXa3l>MX*SBfPz*f={ym73wi3H;h@7pm zN|hFG|8Fe)Phh(-@}TmpO)#Gv#Ycn?G3LX~yJ)~&R)}kgVWGOW3GzHVs}@+xf-KJoDjYL&Qa(I5IMQDj-9NcJX4{zh9xwwlty*sFYh zHm&St`srlW;H!eooZHcK$+Wy`sKp*G>G30fp-^sZ3CI5iZSXrOHSLB?_xwl?#!;6J4V*_V8= zQm%xQRjW3x)KFO;G+EL;#lfFaA4&J<5Q8{)?Ncg~9|>OxfNHatz%v0tI2l+Zot3b` zE5|7K1lY?cr{`7(Tktve#fCq6H~ySwgh=-OFd-s)+E%=;YH$pJ>8(#RZuas-a|h19 z8HbXA&O~bAEp@j=WBn8;F_1;6kv{}HEX#QT8(QD^zq7e)&bb>AAAi+jh=I`qV5`rt=w?G(#bVU|En2K76_kVqjGVuowJU{p? z7_ELhy87zHoR9Szq!m5qPYkGrBubbCugq!JcigEYURfR#35F^>WZ5JvC)(zS0A9Hl z7)dj&pwZX{#q*};jKI(i$&MV|K(}_hL~p>gJWoTX0$h4l^F0jwkIy|7{`C0Nkkl5V z?d{O2e`px?_k*$+Lcb-lVc{vDHRCuZp|Rz>op>!?y*79umm6+NFF_TvxAWTTJ%nni z?|3RE5*92h*>C<-gC)Z*sg}O3UA#G8#5hXiLPsZ#4LA7Z(HPg2UlcF;Ja-%AQYJBe zKg8mCZ9ks0qCpMK0z+ipUVkYXJ{6NuqBrVP)sb@}RJ2>Q8lglDO^w2cXPL+#WMc@a zu|Z#8X+HW&sB7B3s0T%lIM#%a?y(6aNm)bfZIAFqhfz3TlGfS;NhS=FS64bzOSeML z_;G2hP0jfrrM&Et){1)(b_528Fw+ps%t4kqV&;pSyC#EO+k8ycpWIExx~7r(?cWt| zO!6(uI+TnV)W>^sa0lLjkCHJ>YMh&hkl|^%0E0I5q2Vl5-eR616gChZA$sMfIM+is zEOYHAvy}_`xxGB+Dc%p=<(djrm+A3%$%Kc~54nevNG0`90Y!>M$#4@)`l;)(_l8kP zJ6k&Th93NK$vzSY{{%hVZOIL#nmbF4uxXOiq4KxDV5qeo?djjf^IVl#|@@g)J$hwau zgNSE-V6(N>FEkQ%8`w9C?Yx>%@)46gmlb*|(IBZG_dYk$#93z`nYU^m)0iJMJB{y| ztwMPyZS5-0m0ugZi~KWZvFXwvyH8*-SDR1pZQjYME1f)(2%3tu*}5Gr$Vfm7_xz2C z__Pl5at20IR?a_21D1cZy360q_UVq+QzC$VN&0tH4-0>+_=)IW#M=Ng$Iay=xXoh_Kut5K2M>3*OpMa zGW*#{`a)Qep?R}yh8!6?L!q@~pSKhq!WP+eCz}w(Ay-n1 zB04IemEmxpt|+S|x=~TG7HViC2}2ZRiAeW+NcH3MfYyz={16--b^1bE5;_)LMaLLO z+6V}0ciKBb7;tP3eapzw0JzbW719^kYG>>2 z5W$@|3kT**#2LPtMr~jVG6n-c-D&t8JtBORroIY`XF5`S;)F@JMY%t-8#@O}<8}dD zmJm4uSyAes?~_27W^MaLjn{^ob6Vg(PtDgHY>lyF#007nCGHQty|yoIMh`7R?MI^h zXYtA#)I!;D3wc1JM_c4tY3FKbw}zVuVs@QniIaW)=q?xeHNWT5 zRo#3;z?!lZV);p%`DT8&3JUNWCeQ8w=( zL7`lRCH_VaNH~jp{0GjIj&{nMZDtY@u=!xl2Z|5+j zn&TE$A3OeD=hOntU8?3UCxvC&EtIerJ7n2st_y?ESUlTtZyVQsI1#fNPIg(>z`L`! z{QRF4c-{)R*_-iPui`TDjeg-WGS)ka!%ev$ROioWmQppMQ^u;M*%%4+sFqws1yI~Y zhH`Y-;`ZPl2K{#4Odh)l&*@=Rk;q%2xc^>YbPxrP4P!t}^*HBaV(s4Omwi=ij#Irp z<4RQ7pnN?kI{#UP9}1_x^dN!`5k)E)RYWnc3BAq3D=`Yv!s_g+s-mrZUwIaqLaQ9R zJ(2XgCW~H+Z&jA1Cm_=`a({xbB4%z+WT7AB&|E(@tDv(rdU-orJU~u_+80y{ZL=jP&lG=jyMRk9b4vJsNX5e=u`tntOIW zozpwRy%{yg?lM6CY9+^!ZLbCU-S3I}JCf!QI3uRx-On6*6Nb6id7?9N=a4A>`>mA9 z-z^3r!m=|Xl)pcj%u2g-n33!eXYy+I)$(3Lf-@^F0a83;dh;+;gHZKkSJPk#A% zQre36gjtci6T(PQx#)r!%}*J@ijn&Qce%i%19}<8`b`5BTss#~x7ie|d;J6R`1Ndg zV5K{FV!=rnZSHs)9ZktV%*z=2Y{I2E3ylDB3!>Eg5Xe*aOfdI-BL4U)?!twgqCQST z@P?*|*cCO$Vbg>JuGDkGT}6%>JfWyx@tOz&`N6xpKH#%28h0(JY7;x2I$4i*iW||i zKGc;TW9Mi(zE6Ik2PFm>*7f6g(yQ^IExb;oB&WbmTxepqGzcm9=!v44TkLPlyDpMu zBisqa4f}yJ&u9j-UJHDxL4=p4dwx1l+ezMg>MRu~*OqWX-dnYD^`sG|H`xKsUtyB6 zjck4!uN#xnkr5ep@!g!vrlr1*b6m;59VPd@I#DJe1({#rIPd<_A!M%yv?vXf$*ilYd7{3W60Z2g(4@VtN(gCM$N!Ayh|X-gD%)-M<8#>1 zYybMY)EGO~bUd8)5NA22rlSTTXZ4~Qao3EoO?NsNUu-12Um4T(QR`d(<9{Y$ohVwb zwkc)JmE+x7!zcBI$!;fbPN?XxQNg0&D(>d*Xd2E!4D{C8$d7fRZ3V0kq8d~OzU*{R zL$z)9#-Mpg%WvPkBpWH^8oQ~VjRbqh9e5ly$bdt}D5+T{2$j=Jz2sMA^g88T@`UP1 zNiF6Bz`=Q!#xL+a`~t2eKUe~8*(|#FpoHiAKtJvu`@s6F_OO#a)fWMJ&6j^>K!^Yq z&SuST-7%15qf?g#j(F@7Y)N2}7xr_mqdSGxb85hvvr*oWm7iI=`to=}%QGAUy3I9s zcluB<4a+GDk;yN?tX(wNILWUc`On$j+DL~D$U+M=QZ`&d(JX^a^mKo2s}`892R|&! zkap$N{62Vea^I44149}2CxpF-r$ruB5)_^G@T^Mcg7+*5SU$=%I!xl=k&S<4*e|As zdZz(d4o2G27CSZpQITQKYKKjyu-43a-_;{%ps`QZS+KI6H_DIER76v_2OS;n+kS8b zH@{WW*d(=S4z&6ksVU{Gp(G;o0A(*2Z$%`>;f1)#v7BQwS_5~y87 zu(9>0fGY&o;2^Bjr4J_qCZd}i^0kj)?N8AVcXf;jGr1(f;MX*;8uz(0Q!JYVN@7w1 z$U97re3Um9ZF}^yzC_Y+K90qIm72{T zEw!XZTtgSjl>J|=TCKFmST9En+NH=_w3`~?>jyV)Li=+@pRGzZe>J0RLKqk)Gx;j* zMJRoxq zLaATo(NEggyiW~_|1kB{ zVNrEazXFN^BFIRW)X*v2B`|b%caI>_Al*HbbV_%(ba%IOcc=I8e&2KN{bQapXPtd^ zuD$k(vws^7uv$|uvNFBxCZdTchgQ*bDPO~0q-aH0Fi z7GL>e2;f(`y+78|wYFoe?a2J77QPq`;*OS*QY5)BIxJ3lV$Xb{leO347*v{{BjheB z(#r_s>m&I%JRvz?efYtq`@zk8)*8ZQ+=TdN?g-C&hR3^hwMzxW-C*E$(fS%;VPKiG zk+M2H0fOzDyxOZnvx}hv9OhFURupqF0X?bB;?Jl;9$)l}-!L-j-5DvSWOFh?uo-2m zyNbVO-R;_8pPX~d6VW;{sbA4itAUrn=UEeK;%l!|A$GJoEq*><8wVZq6c4i*11vb245`hoE~VPb<1!8MmqWO zcR+DNJNm+2;Q@nF;sV_j8}X zdX5JM!dhOFx8yUcCDTQ_?BA^sJT8vqLEHs-4K6~%Uah7Y#V-~8y53UW8}O;u)Jf46 zv@kkIhjB73aYPduo;tVsa!-x{y|E4}dThOWY0AhL#AbN-z@(Jl(b34<8<^k)pf;Ci zxh8XCD-10HlxiuvcniD+GAXn9xpxXVa^TCTL3K1;zMk})=`CXUuIOq9=x>hjcmM8SV zxuz1XhAp^84xzHe0U||H4Ao`hvxTk1SjqwRI8Y$g__gbTqlrpPyh?|&#);R+@z8=q zIEDaYl_U-$V=ajdW7Y1A7twf0j_19lpeFQ0z(FeGh$DM3^Q4gwT_Wkp(PzY#^+o3Q z9|a|^I;$TG^b!rhA1S72@70G};SrftB`>wpVFLnglW4$ZiN2zPyQbf%Gp@kjs56V`2I#rdLTjJdxp8x@x^>L zQWolnOsJ~7*~Hk^dD>yb)68v?h*?WGqJx#zYl@p3&oR$Qz^pm2sTRDsI8VC-{m%k@ zkNt+WUeKul*pK9IN=a_Sm~3MGFeecn!;o-8UTfQyno%Vyf#Q%b=%z?)^|F3D%y3wE zAKSag?Hm2iioYVU=4wT4z0;(<0;BqOSh;zXgbUbmJuhiwZ6A(a+ju09Hu4!wCVjEk zfj#EFJW@>g@eQz|7+|o6Qb11ty6P8uW{dr0+En}^l)Y9&OD^x5jHuW3L>LDwV9qIZ zIkQ>!A}!_O#ZR!svd3(9qd7JMMwVm<_OBCc(gtgEHhEgbI_ydrR?!0;A3W`LLl=)q zy-0b$TLU~F5Jhz~b4+7#>f~e(Xmy(@ugSo0P)s&&t6|$yv~J0Vm;7(J+3>s}aJ7P( zSjFtlAuUrJrENYR)rr*&nyhCsj)^dEDf(zIcocqOue*xKJlP(CI5sz4q)n|XK*a#7 z90Sb*m;;I=0ba*VW*0UR8|_^?x-U&!SZtcb)NaPQj1kRvDJG|*UCh#IJtkgom0sQ8 zfG@*H=f{m@XD*|9t$2X zN(zhrFX*6l)pRc=UO8*ECBo?Px{Wr2APi8FdPeR~{?j_1jeR3RH5i44IY z=5fOQiu>{b8J!XL!rgpjnOG;tSp{kfr8&4Hn1Y9Tp zXYOwts}LIV_r_IVq0%Bh=5=5iO#$Hv&di+JcG9;ZdxVH|f{hYi#suNU_G_40-trRDt zALM4e4r3+VkDJ`a5f%zDeKECx^D2t8S^VNj<5|_=a!Q;Gt6T^S1+{7nIcwjQS2Weu z;XvLkkKU=ivWV@n=OX1oaVRDcleQ4lqA->SK7i7evPv52u#uXT)MJ;qOpYgKLPM%s$rmrGSpx;TwiLk_U+S`!%%j;V6sj`L-dXixM+uyqAp z)hbGlr%ov|jHSMXLgF^zkNBPJdriCAY$SM`Vj6qjG%jANmf#fk=Nns_1lEGjG@8Ro zjAk-G5m!|Ia312fA&9+>JhjR;bCL*yvFh`g*DM9Z1oKD;l~=Mf@Yv=ug0af`oVKcX z=CS1WT_INF-KvLXV@SQS=6dZpnkG}}OT2p4Kiog2JJ(3kUVo7^d};|>9z`t5LF$c1 zpQ9t>?%#_@N>PoXl%)CLT=IS-1GLy%s;($E^M&pNc^y7_&$#TA#RkxXZj8No2Bb<#MiYeEAtfoSAPpL5~rGu)==0YAO zChqdDoU5w(xbrFMy%^K^3G?_gr&J@eX(7;p$FXEStl~gjTVGK5hv;WCaIHN6H1FAo?e|rnruRsklkV6EqmK#wf<5PYvz-+ zgr%t1v^cF$B^!k53@=($*?6p9*VSeaKDD^t@3?V*#-iiuxUmqE4ws^$6z_^3#9hRj zq?;1b_fnMCXWG65PwCH2^Wn`vsPfbheHZr^eP~7yO7%s;; z5=n*Uc+pA?aODP<_kVvDdM{8>9IWk@_%130&0-~LLgY+aNye|q);Th&nqya`n-~4X zhFOYuD=|nFSTaG9kDd#Dvd4}qfQWYAcDZ}1ZVF(1;JIL=tafAimA-v5d7S-B-eBcS zJl4rL^2qvR>c*7`n*TNSYMu_ZnB>%^;8KU8SDO%=zU{0tPC^@(T*$guUr^zJVy zZ(2oeax+=xD|$yT=IA0gC7*SSBY5p(eSZ@WCZtU&I53#jdT9&H< zRI{yHKL@9O=f^AKd}pCY9E*2IseQQ*-A+xhxv6r^qr2aQXO4b&W_ffUIlOY~wxnj6h&}t2pdku6m zN#x0RAH5`0z8Yrq)2#Hub)4k*3)tzQ*}| zyXeCTh-e~kJ+0P9z3U$YvHK(Sq-BV_^8i>^4L0(rWDKXQ*TMkSu{`f6opvLOcP zpad=4k@q|D7w3lb)RJoB^8jJVa9P0q@=Pr9z~kxPV;F1ofe@~A#@qsZXG%>*lmakD z@aPkh+9I&qz28;NTn~yl>>u05Tvzedp>joc`R>%UHZW!G+u<=b+OC_T5R@z!1A*m$ z`OE49j)bM67w3XaFQ~@XT>g-q;ShrsxY&c&<|Q;? zgJTs)mz}~+l)E`SCk9(Aw3ih9*mCA4hL`f6*w)n}%NL?F+okOF2E-~gA}&~h!Th}Z z<|4Hf8-1tne78JYI((%r%w&DLBb$nWg{osicpI>}Ne|~sM?pOnD^p>#=Lj7QnTwti^I_3%x^neJ&Q@4KPhWO(NHc+#uA2rKJ$z*#+x^aWH;V` zg&E~Kgkb=If{@wXe1ji6*QAr&+Az-;oTxom&iWOzrTVgFn{nE#7kl2oHOmSie!r=O z>@?y%GmY+B2aH*F=bZC(Ak&K^KvRZjU#vw-;!j+&Tr>kgR-XUv2ST~5i~A`qa$l^i z3IF3YW+nW}@zfN6pK>{a-wV)n(MGVDjqOG_dA_J^2knEq{`&Nlfb)7c@J(en2H?5r zxG(>+kL&?)C82vM#rW2MME5@pOZOcLYloHnuPF>Zx!GHGZYNB#o-&XMwPHyPYob~sCEMif4#QpOtyc^ zYy~4E_m7b<;Lw@L-odx-t6d4!e$imaS5HshcXUhUktaaXQ(pW*RYZKN`XcO&pdu$> zw1%OKH^v9cnT){0z#aVeeYfQO?yR5j7b)nyJ)O5VSPWYrj}HdnMl%(WbYe$ih{g_- zI^#qum^OmMkkyj^{7avC=`dd{1Bw(^OxQ3yppV7eIluomfx*Y_XxJ;eOOg;wXvI+U z66Ym1x<~}HKqEeLvf#I9Qa!s%{qAZ~OsN@@m{T1kW8yItF3tf%UU=!`w7VL`a2`1X zMgCtTwHc}~FH;gw=Wod?0NDp9cOwUDTxFeKWW)z56n~1#ij)~H8di?M%Z-%Ci$xx+vt`efSp{5KykvPmAMhn+uEb;h{t}hN}Hp6vOKIV%}Bps&*_ga^!m8$IZ`K>89sa* zFxGm3rTUsX6dd6ighf?dVMJ>^W%quUE~#EHlswzdCD6fX__};7T_L6<_c@rGLCf*S`Nnk&nxqj@~j={=w`n%XceB%^w(jo+dult zJPq*2HU)%fAD3Ei#Z1Z=)=(82{}0dclY{9j;{?fJQWE&+R8z~8neV@{2Q&$B)EtEfspEd!=?fKqK$%SyJFH02(KhqLesXT_uY+ zLJ}Y<{qnBZ*I+d#%@hW_#cX>tluU~jsc9Mz_gcFG2hf&$;LtsXuMn&sz$SV6L^F4c zbc?E$-VYprJRelZV|_{BRqK`9GqP?C(tMkz5L5g&zo*hG8L&sutMCRdN+ap)*?S#5 zvRJ=%QO0+S{W2wC%_grUG8_JdJIFpLx)`}%2bbF20j@rPRrie6wD^ySLa+i)n^Nih zz`JxE+?F7EKT{(S#cChW!rlle3TT0TvdbxzEe=Zsraw#Se->^XTe|M7TYb1YIr}+05Iru? z^>me;4FDX?)|+n{4`61BKLGyLaNH%Uh<@=Hkt0}>0ZzyXjNLrUVEo<>yXtCuPbmUR zV*D8RF2YUI57IOQhcCXU$Sx7Rj9hdIp2}2V2uRB+{y393IM9}i4alTxraBrAP@~|V z90o7Hr9b>qKAnT+Rs8n~VB|?&=EbegB{}Spos9uyuIKpdSmbg7!5#h=AIFQG-p#J4 z1tYOwzMMR2@65Iz?eeWyl{F%UOs~9H*tcGCH*hu*la!G6&=;pX&2GACqUpiWPHxBd zXx8`Uk!yS~`o`7W0Q;)o;RPv8Rhj_wvpRIc_iR9F-V3+6dOhr)FsuW5ADC z!8;O#fofsoWL}kY11u-Mz8*DA#w#Y3bX1@?)UN2D@wd=SZxc=|+YINaIbl(sEk_@I z1>6M;MxBix0fs|LEzR)rTDBMoo>zHi&RY9GK1@-5RVvS7MIWQVy$sw`fF!kF9P;%+ zwoSF2bd(NTOBxw#{^o}t1DSf?HWCNRv5Wv;KsZ_(9B$j1%h0H{`;E9`L~61+i5Qvb z_V`_Yp%1ouZ}qzYpWShtqds?v;9aswhl=VYIO6JF=z_ds+3q=Q3`wmaVO*Loo4n!_ zkwW)LwbCeAO5ZBRT!w6R)870Y7Jo`Ed-n|Rb>T18_ru%V>|Bf|x+vVX81ptyUNLsC zpMr}mx%Aa-*ft55BDAU zYaGXU6lQi!g-%2~Gf8MXDY9epJjAUD*#dqq2uE$#Oc^C6-9(LUxHG(DUbbq#MC(=) z1~QvanKOtrcJQVC&CluJ5kb@lABG)Qh(`1oLt}48C{tAyRg@JB1C!4nbP2E`M2B_Y zWYedu282PX?<3gedEh8Wtn=iQ2aQKSL=T_(IZDRdI$14eEaS3k`2%0-lw>Ub zHZs4#i+P)I$f+&}Q!?;!Tu$QDPJ604q#%_i5k!Q`2$tf1w+j|AWUf~-#a;}3?eI0V z%Lx%K)#(GXIdJA)GWp`6rvxVkcAuw~H!R!a&;1~VI0hr2Y?dSF!Qh1+Y~Hj|kjv>O zglm!FUnip;d8&s;ArV?F3H47?>?Ju1TqjdCxE?tN$GqXbj>D4V=Fo#_j&@#k8;CWl z=TyQ#-2Lcb9s)~@oRx`fo|8!go};-Eko2wSTW1ssqB?2!=Fac6fi>R?${^S)(tX;l z$;Jy~`u^)hA8W`x-w{H-UE}n>4Mj4yo|hY+BQoWrD^$!AWseZ*?Y+(E;??wxkn!u( z+3zHM_d^mmOb5M3I2ih9DfxV_Ch&CCOZhlR>+e5)q?$bZUpO1WvvA$Pw0*_~d(AI}KfycXlk5_@|t&gJuo}TU@A?eQ- zjE@(@{~jM0f8HJ^{JewyyD$5<(e`hQDYOz1B95hSt`9M+u{&ClegL)7^a` z{lxPwouyj9d~fjO?@!!=jhTNe4MHM6hDIZAVETL)mWgtWSkzFJjz@Q`Nm&D34gZ5Y zf?nk9i>GI03boEn)KZq3*c}fV%n2r!uice>aZo(#^qs5D9&aCH0Mw+_qFO}g&E$-q zhj}7&Mk;Lr>*B)q#_!N>JR+aIknU(_&V^(JQSDRfF5QLRM>RecF3Rk)9p=`AoIhj& zO++M;&9}gBl0|7z zGwtDL((<2DC4$K)J|bQ`Sui%eySP5{w8Q-!)KAf0XYY-Ap`ohM+Z#tYhdF7Lctcw! zM$<9M`=)54%3y&LbMNiso>ih4kHPrB!a~xwKOE9pWf(OHDryzAt>O>R5u?JNRq0Av zLxYgvz2sG|J?+W1c`nO`;SIj}ZG5$NLqET%{ds)L1t-0McipO>waw4;PblK;WW8yh zq{e_>KR=Z|*s@Ki(trM@)!?35b$;~Cg_iX1jcMuMo?$xt17H|aC+IWVD)^6@Jj-Rny-SuC!Nn$Yt zm38VCng=;GM&*;64!V8Dc&mJ7Akw^Cnod($`q@5NXT?>dIYwWt<`gTMEbRt$vFDAxyP;Jad-9HAVB9EZo{vG_V8+qY`d%>Gi}a|pv)T*kH~ z7%Pjy{5#gij&Ir3;utj-gOIau%osj=9j2&SzqadaRpZTw9w=PkA@gU{O`lD0--536 z9{AHIz854Bx3gnlTNOlA{|mObfpx@s&HRyL+w0>;|LtD-o2~eVpN- zmT_Y7&&pJQG&A{eXRL~=P^$dlk9+0MUxeM)JC=26L}{ZM2grh&ZMC&kSpTRfET4Tn5ZApW z<=!Ec;of$pF5SmR5WTC6=re+bXkoQF&lGKWY`zm54pLjdUL&x=XnZ0K%F+J~4pgK6 zsUzf0II~mk0pyRruhn()_9V@N#)?7o`P!vIYYJ1eG^`QP*`s-EUr`5B)KIl_OP82e zK*{J;@d`(;)2euJ)F8fZ`DOQk|L^ZQeEb3{V>%P|>Vs-&vd45cj~QrlN+tNn->2UH zaJEuOC+^*HVeBW1|7+Jo!?nz{1KV}_x>Fvp84!oI`~H;k5N?jXpe*v>zyOs7pVVwR zmz=N+P4ig&v4x~EzbvMq1F^X*UzGAH;9ERrpah~*u>)Cw$Jszje@ugqt1F2FLbTC{ zefMIwi+i)VWd^U2Udrff)u%VzW3Lrveeg)@N)Hun)~4T$+|8+uM74G4saA zFd`%CuG_MBQC zrvFsvO+^bWycX`>kp{$}oFDkAS?kdZQV)Gp!kg`E3xcnYW&QKyyD(7a{57XF8k4SM zz%giQW6Sj_TrWUIb)4(-d5jl}_ED(Bj~{lNAEG5h+|hfsQt0hIJoI_)zTXc0th-XK zZKJZPO{T`sN|M!MwX?C|n~X7ftabLa`-yeqh~IF*UPA*vgOSLYo6+sC!b`$#@pk>p zj;u(PB}$%fx88Q=^sBC5YpnW*agQokc)!qQw3n4anc)Cv^pb0WuNbUKU|sFMry0RG zFwMaH2St};on199Yfm%g-8jY6!7rlizQIb0y{O&wF^-CfLVK5*puVs7S_$IlP-Tm_ zO16|fxd8+o80e;3Q_(kseh0l-I8xF9f6&8Iw^+U2%Xv-WaEDC#*bf_htGo{lYS`^C z-cO-eRzKOeG=a{jHlc)>>e~|Z=ww1M4F^ZD0VleWGRb}Zb&Bk*kH!2EK_towTV~+e z!Frpnl&u$&0o?TG-DEVTy&0Ln_t3 zSgnfEFMelmv;4SzkauN!uR0`G!07}3JnX8CYvEq|S5uFKvm!_ALnR(`D0}4WaA2pz zkrxH@K@rpE1R1TaO8fyci~H|6yIZc2t^hNoRpM)&mE#qu;A|I~UEx&IXiaxpH?1n8l~5sz{O;$RJ`?wgey#Ox9fgo75fsk$ z^i%g}&@P&Jst$flEKiG60L4^?5M$(3-x)Z`N42n+e%vpVN4KL(lrHtdX8K*0l_gU} zhgB2l(1VIi;{tC*uI1V+f^-DJv_IPr?Gg6il)YPFvhL|vxZOaaGEI~0AKafHNk%*3 zsq_1KWDNY8rL@9^#H75473NXw10~%>+EI2Vz34=QS$9h__Ek}D7nN7+3}VUv;)^DH z{<2H2>ejdX)DQYuhSLq=w0^@7uN>n`EB~O!I}65a(3aW~W(c3c&!c3~S=}59sTdD; z0=3qO9SEW}S8a^3Z!pPZ&2QW=f@>A&bAv|C5oB*9xa+x2-O4*~o-cO0oev1FUvU;To3bnu#%xf$0E629JSsKevoXg5~F{7PO}=sC+QNfN>pFv{3%P%AVCiV zcm47$1*$TyzowMBo_DzrsHb)BDp78|1CuCR5dPIF^$YI3l3^v;QKCj2 z=4F1+25^Q=D^#12z?&^8&|vb9kWxw9*407U*TLlIKg#UjzbH)d*mC~+HlTCzs|8`X zeJw%y?JwZ&&nX$2geN_*q0Y7t$gciph=iApIT7|`rU@((y ztxGV}PSDKjmlSVJMr!?u4>Nyju*i)@p&V1IiFcv~58+Cb?qrfXEaV;Axn*K`)7MbT z3%_n2%D=cV4*42v?x3SgQ=6mY9IjwFY^SXr1(sIGX)D&%EC7q#nAb_2@8v$s4tFsE zqTSfsVx>Tp&%x>}OW-_{2@xBJKa(<;D}9Ll(x^AU-9Ch;rA68{>QoT{@Ne4Xqrh~P zc5h*t$pC&MqlBv7Pio0|7Bb8Y%us3{7^5cEvjg|5B2k!gz_)=Fp38|N!4Hk_utF*mB1+^99xEZM>{;L0Np!=gg!?@QM@+reiO`SwLDr=TR`hD%$a5e!k zxA=50#7-a!%dJY{xtr{xeoRGvf5%l2Iqi3UI9a5qV=s8PC@4lr^G>$M0i+0^L6jh!tl=G>59>%Yj z(p(blE|RwHL*`O;i!?4Ppw@d9t#vyLe=3guL-CCx49%v?=R-o;tB0=l9aW7uPg1p8m(Ty=V?K-yh>NW{mw^q0Juz z1T^-r$NeW7?8&5reTu*P6ec@ZRFax-u%cZbb&)?RTvRnge@<>pzb-CefzO5N_ERZV zGc%neLfKOP45P%j@%2yEkl^Agq6y|9aOG;UqDYr=Nb_|S?R_0pS>2=^DjtUUG-t`6f;m7-GdWZr z;tMTgj*!Psx67F1a6;fK7ZwUd%}p0*{u5gaG180 zIp>jpsq86(<{gZ}bfm?ik7cwv3Xb}27SoH`e@UnSgbtW;KSAW&Btd0^KO%F1J73tvCzktkLC=0 z1#_Ig4yT<-CKR$W3%p5Ow_CCaODdX3`TqDoi9WIYwcT z!%R*XVc~sMxjk}L$lIv!tgtAzuAfF>kVbAhys*6JaVyd6f9MFG@~yzs^iK{!kB1vm zfk)w4$zvtThx~LCD8XMEGy^8rH0*xxj>^!?K7dcv$TmXpxwh^%+am8%A^v$kuF~MG zFZEk}cO`9wv^>lDUX1_?#i_GXbhQ~*a0;d(Q4!62$U^_b2AvXO$jR(oeBx9eiv5h1 zn-}s;CR@u}xCRrNBdUBV`^Tzb>8U~*-zYf+{xkg96xx4!an?G8Nh)OO9yPY`&VwOB zF1qq@G=0GS*?x7VDt5VbrTDx2;*zfKra{pchF5s*p~=fn)+UcX;&Po!(Tyr*5%Fqr zXywnlpK|g%i&K_>Ez(@ZxGeU!P*!;+4C-NyX<~a zR&Fu-bR{F3m$cj)d+R84VSF67-2$w80D(#O1I2^;_VonF;2%ylf?;YkHzhA{K`-#=mC zI{;SdB3RNqnqnA+GR>wzqAD_rSYrAQOy6P^|EVHr=li(6`{cgX&BE)4c(2_Kk4Q@o zc=j4+cMXzb_1N2Zb<|+?vZttGk*+jAeG!6$I$61=cS zO9<+%>8aZ``>x<&s95a9Uo->~=)~K6;DDN>-#}8&?qzDL>eHQZnZ|Q!2kJxxPVshr z$yDa<@_4z3qtZPDAJal`6^PcOU0s)Nlq!`pw7LV8jaZmgkyWvnk(x&|c?#tQ?yTW| zVfkB5VX)Jk(__!9@wW*H^1WR#i_>(RBz1pE-b$jVEN@|AKrzl6?{dpQ=4xK z=B71P)x@NyX4<1*g0>j3Em<|9 z9e4g#XPSO0rkbyxSJj#2e1=Wj@0Y%^8aCqwt4OffWc|kV`+<04K!JTBVR_oVd{IF= zFgd0APFnaQcdkd;>%yYE&laWB>0LI(Mz&j`hM*q$PrPcR3^hwEX6(buuBdptm;EVMKb>S6wb(^STQb92Ei3o^+?VxN!$mimiYuA$9AFpX7_A3uB<(l&xE$~^ z+R0>T)YyKJAGCSTFp7)jUC=i5Xw8JQGV0=qfmh~Is_Ys=4>aM-S?8{-Zy=84y~Ce( z;TtB4UmUa)6il!jcaKkJTo24pJ4dMP@vG$!;XrL7OO&28QSg z8?JECASJz=VQI{d#M;}&;yFelb}9v}S>{Hc6+f#@sP|d8iGbua0r36s<(QflufMbdq$@S zL89y$>UmiwD~&yh+lL+P1UG4_X8HecExFKA)9PfZ%%AJO%37cpf%{18Jo85%ZaPWO zCm&0DID-`|&KDo1zQ0F>f=3sqNWrO75kDn4s+(jvA#{;WQ?SFhzJW!Cs5cxPGi}&O zrKM8F^Oa<>uLR5E(UMptN1a=pXD3XBVqYErGYnDtIGltizw&+$M^iTSAmshGc=4=+ zQ;}e}{8J!M3!V+uzCdG+r;gV|52ePorLyb0y!|3wdhQ>?7#dHucsN@iNZz4<3_6WR z+F6^j7oD{{a#!dxj%#k?)+3izm?*-=3S^(&5H*#ux(h|oO?s+$sxK^6{Ao?bxRICc zMt3L-mI|(O)b-wj7G!+BNxaw!J=lAbM!$W2{wDD`UUDmWa1dKxQEzwW&-H(Q85mEk znG+Hi|8yapC!cB!ZEc}2C15+VCtke4_*BevmdITPW%fAXG5rOSh2HEYgFwf(8rzV* zF!}9l`&54Alu)BnOo9)|N=C<%h+TR}PCQ~r8nj|acbsD57nFR)Bcx?$`+k#X6s-3H zOT6^w5W?3~t7K9hZEev|mZ85!WEBg! zYtJ1&9;!vSm^MMX97^xREZgd0pS~Tp8u$Z_VW&6J8-BJ+9tf0PcWCy+iT^(L`re^Q z{$er-x^$6^SQr?%k)%D4`y$pRl$^pm>T2KVL2236ZOvUacK3SD^97N7&=j<)%?USD zIsbaQ!$UuQ7|etn@wUpE-P^)7|A;ctqzWmuT%s08H@Vlvn=Ua<;#iq7Dz4yzkt)PI zP`O8CqNm(NDyHFxAG+}x1JZ-SF8UHiB{zk_aKASIuIy^iTy?oTf?UqwNM zqUB?VaJgwDkqGN(^)fWRPE-x5ET^CfT?R2p-?JE;V(O5Lr8`QhSlh3N{(v@L%qg3F zG?<6|CNc1gsxG4o;eHO0MTfe7mj$J^N7hqhd8j(B1ug1HPjI>_qS{X zL5}G~q`yOPv-ldYwt_i=@`f&{%mdbv};L=;GWxwXWT zbpd2(KWHb&OqXxk1}I@!EFy8r2B=D7IO@6uF?CtW4}AQtdRrr3oLS)c4o!&CvRFXk z430^VpTRm_HUV=1^8orJUiSNsWb6!9i=TT;Y`6>+XKIDQ1{Z)fXe=T!Ggu9NgjLqQ zkItIQ3Eung#n!N~T{T}aE0Y7Pts{Tl&v!c5yhT)lh% z@(X((KoNV>50HfH0aDbG{sj8WAb632pD})NIG@d3oji-1qCnM%7a5vX9Kn0(w`pzC^~4QVbg**7GZC%0+v zrEO`%hE)KF!tZf}rc2rYTpQ~k02w%J50I)-fc)qvyU8W0o7 zO35~@_p51mHoz0HWFYbQHt-~+u`>)m58#HL0)S+_CAm_-xWw&_(CcKNE>IUzZdq0bTRXKHh?_O z002x2UH}dguOAAOd=8MJ9|011x}l;RZruVfIFTO#p6PwZo|wP5%j^Rnyx|CixC{)9 zneJTHcL6|j+N9k%V~n2KhQ7ae8KMmpzYqw>1FS|w1#~xBtTofwQTAI&fMXC|*v>oV z6Kq%fv2PfFsM|CREKns^jxSueEE2a>l;$J>NI)jB01FaH0^@>40kCFZjH2}Q7f&jS zKwN>?SVIhs%tj0T?=G%?XXE;D6-O#w8e3!sXxvnN_|9Ob&Z5;(h%Gjvapaja$k1nM^4_6eqrdO~!gnsbUC z9d#E4jI-w@WA`Sz@Z;mg2iWKAo3M4E?yI|A)ZawUXQc*ueE)#aO#cahc#aAH0~aXB zk(i(Pl`@409zgFz^Zs8_e`hH$y9{Olc)9Wepu^^VghG1Dbyq@V|9C0$FfYUUt0q`W zLW%d6-C?ZGm+~hcU|9CYD4tjH(2%<;YG>C&7obGQk|WgV73VBp-mCW=C)c5zT-88ZIYBNQ z1zl(EN~6h<$G_3;EoLt16FCW=xL6$hM}}rl8awJ3OKY!f5tI!lQR=DEd*7x8KOreF zU0v=vTU%8LiyrA`*9t?Ac?AY5J3?ocM(w3_wbt3T@X*eLGX+YJYDPEoeTx!z`+v*) zaUY9p{ryla>{>sb{|0tWFr|2wd`WpF-t8Rb6@cEdwb=t;TVtnHCr6sgEAym%ngcvn z_H~Mx*WuJ^JZiVwan2oyl#Cj~W~sHSIR*FXT5J}j1C%lE8*FSEP^f3ihmc~GSdYm> ziUUOo@eU~-9E<5u%XX9s7G2H>PP@njxf|n;nOv0i7G~q!N`_o`y=yx+Q?+-r7Uotg z;r31+L4-Za=rvj3MHyFE@8^$^oBva`=y{4-h0EmT!Xexz_9`U z1c=I)4JI%&@3R#`(JV%j;;O;W!ka+2OBvG9t(x4XIstzJ*JOmke30`)t@zO`c=Yug z%#Om6`EmP#6V0*ihG@wO6jJZD%ITqGGZk8k1YKLc*FXe^liPi;x==p2H{&^KZ#Ifj z`N2D`)%dxb#qAZF}B?~ z_>^4pwcO%vxgHIfin(|m=@9vg{&&4zHy9;L*o0yIGHznQUv^$u7j) zzYoDk5>YK#4}Ur65Co1gb%aJ@x`VWrkwh=6-b+7TCAsg%zn8l~O~xC|q@vYdH+Mi4 zD|u!1S79x=x;qlLNFLcI?X>xo^7xc;1i_A7cD7x~IR;o~?*O-2nWh(`Sw}Nl>TH<+p zQS`eI20I>tmng)*WmN3Ldp-r!6LHCDg z0+4ZfdgOC8IPudfZ02z!r~Njb8|n{Y{MDB-4)D=azp|?)^0L@79fr4*&K753yq^9W z&$iS^GiE1=39>l;;?iz&O+odQa=J7c@F0it@@R~L|_#+>%* z^bHalPH#REI(e-{l*nb*IPWwl8KLI+t8z_FS-ctdnPtG7r!!gB&DT3;+zxU^olV<)6}>BX^v3uQsam)0 zuDlI>7?)znJ=%#y`_D>qTBwT-SsZpr0EMWswgFy3*<&b@VUObwGx&!u4&w+S^GXB( zvw;`zYalp-#P=`W!z@1&=$de~$j-Xk(`l*}UgKa$%g&UyrJ$~#xqkO_e3Sg;RqI0x zbvH%Qyw6V@X1x@@DT3%7_w4TZ&pnILWGf7pIXjxq}N+c;&sCl)v5*rS^WGP=+udR5s`8J?qDnEb&`CrEDcfy zF5z9^$EqU<$T0erazH4I3=9+jejh~!rb{4+q4O-HzL@)<7~TmtTGv^Kc&`ybEOPq& zwu38cMb)X7P}J~EXKo+*8Nd13boTpOZS1h87+2*26x=(K$mXaAg0;@aPy)Cq$%pk_ znWdOBuV{QS)5YkRBr|sX*mj8wi~NYXN^H#UUu&$4ADb#C znDZX;{f$0|4t3v=(|E`Y=`Zb12WIuY6Wt(K){{?bxcutuiu6f`>Mae6i%(*irLbj0 zBHjP%a|MhO6LW3gYc_T6ZT(j?%kIRh${B5m4i?0AJ5OvTE^y>i;)0&p-}U!@dF0Wu zexdb3@Vh|BVkgFo3k4htn9-K8QJ_ON}(lX=`NH4-x9Y}0)Ck5w zPz-@)+Fe4F9rBsjzchwu}q5@u%@c&rM_AqEkfXKqXxi zB(~;#p3gZZ&NApSln<|J%{OA6a#svFO}Gk-DIu-*%;Gp%jfJk+&EG%d6wcq5e?Mom z_a8tpeW$6IC%M^T)$m>+FoK54L*)w3Ab3kYa&yY9!~f{B;)nmk(_05b^*#T?N(xKK z(y$-`yL5Lcp>#`!NVy10cc~z;NH5*pD6!HhNG~p^2un){N`o}|T;8AG_xTHE@7a6j zoHJ+U^_p|;?1xC9Vp;WqKe>>Y7}7Evm+CL`y3|^cSMO};?}m;s|Jc!e^}bR1jRwzE zfE4+ysy8N;{d`Fmy?M}=lWPVWu{Lq<*8GKikjpwXDxQ@oW<20G65o5&6~hM*$lD&i z4@UMS1053l7q)7WNBbUcWqVWP(}tNp^AsM58Su5YA$#Q_MKK*`8hG~h*FxC+{|XLW5S5c`I=?uVbgkTNoOPOWS5tdLk8`6MN&T;tQNP5i6e6nR7T#sO2>=t9@V z!$;X{L|%#wU7Uh_mW{GRc8q&;qEt_GcW&rlVcc*`^4-FMRf z+JPb1DSoKj@;3|QotUpL0_2Ie?uF}Huw>)pH*ZNuM=vMPlDJBoe~%H~)qeOhh}IBk zdBO5@;8ZgxO~#N@QsdiBb;`GAb4pQ*J?af^b?DP5THW6R?{3o=bYq4?B-I2}?WyJP zUsalz)9QqAgyRSMb;Wvr-jcV2oYODSBnRA0E5=*?);(;^iz4Q6psKkHC{c}At%lt_ zesn?kwOd_hYJbBuL9DLebMm9k@hgrR3qIEM1_Mo6I-*Ka(U>)}>yJ!K%f_8}ME8wl z^S>yeR;d$OtrXR09RglNam2({rYM&`pK)gEQA#>5mQs$qtq(ETHp1Q-Pp)|{XwrCF z?SiL(qefGYP)$`~S}-Gb{cgdnih6Dn4~nvazmI6BPBd4xmqo1dZmn+H7WMM8--oEb zd6|5lc{`f=ezRJ{5X- zy*0EHdOp{4b@bpm{6Wv(t@jW9?pM70*MAm$F4S{%d62XBhAel zc+XUzNqEnODY8O3@M8%OdZKK}LrD-(^CF7M$f=}}YL~l=K$YyvncE-om{P9e($y_7 zz~z-@3hweRN$Q&7oDZD;|3cV4Kq2fWzNCGH*4!5%&1`!f2fIG^FH?r%iV#jydB9u$ zJ02pJ$9u6-X1kfN3tbogS94)4{pQlrW_^Dh@f$)7Vz^%IXs^g|e-R4*>TXeVoB2K0 z?DczF^LHNeg30#t0XlW@!^o%rYk_+n;qieJowbDNjbm>XyPb$i|9sF&?%VdUG{pxC z!I{VT@%1q;BRL71qIb64pZf^EW4S|K3vX<&>jWw!MU1+{Ki&a@V;&oa@#F0fa6=sm z4<64%7x}^nhCEnhE;eLzS+rtisxuC7wMRbAlvm7*FxOo8636&xcdycl`B!}~$` zRm9KRO?ApNAQ}_#{Vh|C3M(VE5w_uggg-(qX5iD;$wp1#zvx_5Uq!?+e!y$!-Mpzv%^S%a zS6yJDU!$?q%M_=sf2~3=r;%CTfF1onPmXU=RA6g$?GrA63I*}MxM#-Rea9rnQB~S? zJWkJZnnZHL^E@18rWt5|pQyh15y6n_y8>J<Z`(>cz#DTVzm z{HX-7abhB*ax*GiRU|9@?rq3dCN08#+1ft1)%`Yh^2bp8IkMNrwbBfx51j83!N+?j zszM+|IaegotY`X4t#?HpC;W6;FwpDeMUy$H_0%5? zf6d>0O|Jgi$)7B|2tg~}_wH*`^4u%fa)8=)dz(&uVr>-Y_Fb@v>-)Tf?{*(w=(zeF zq*Ian0)2l?J4ue*tPgj_f8L8{$HQV4%to9^G@Y(Y)3Yiz+fSb7#=-E9ej z`wH|;0WUQ#XReX(U4J48sf*rRj&3C1_&=I#>C!Hp#T@C1K2qy{*-Lk2TRAsm?sllg_BdfXh`7rprQwo#E(w9M zXKhYq;+n`ng5c+cV6-m}+4I?NUAMDdaVFeLRBWkZ#D3+1HL+mx9%#sNVN=L0_b3oN zZArVg7Z|fs-g~$*>M&W1cvq2%-%peJH@sg@@it*}}UGNxk3d zVOG&=D=xUTOf}Ojz+`2DdOi0FRL`_V;GI)%ZB@td;?DfJ4t}g%+Rm;m;TI=*ccSa- zTj6%ZCT&{M_5FSd4|SaI=4Ev7nLZsX&PqR41u6=@^8R>n&W?hWwtCkSiQg9uhcq{N zY-9n&Vmyg;uk0Nq34_iwD_3Z9cT*F)QJf>3kfaVj#%-F|r<{cmWAo~_b9iMVJ&LQ-g zAeTSaXN|OWK2W`}-%r3H{=M?@geOz|j`~OXcWcBRUh1qAt_tR^o2tx`_v)g)BAp*Xu{F8>)v_ivZK&ODFS4rNKPz8#x6DanvLUa<+{X z*t)JzC-w#5m`5Pe2hq@48g#1FkLDS7Ne^P(kO~q$!4I#&yW+%JT9dC)*s@3dj|ikT z=7!D9nj`H$V@1Xm=DP~)Ve)D@)_0`i^Mq5<>cR*i-cuMEXMMXa0{j!R!b`kEbnvkD zP2o?VwC@#ES5C>OJqM@^{pZ1U$DcLQEuegLIOIZqc7fGm%GQ2J{!vzDB2b0rc857x zKQ|+`fvCvpq9-oTBQ28XdqbN=_IP8B0zObh;>>jCdrbR8gwpjo@Mpeh30YKOJ_^*;Jj9Uv)r%7ff{T?o7Pd{b^>R*ynOfajZLo-$D5BAIHv)pVOT0 z?_L+;VL68G)5B_W+X3ii;CFce@*sETL7A8g5p zGRvjW(4cvwF`ew0VRbwcH~J<)_!uvrQQMjOdEq+qLL!G3HSy=-P_Zptki}8E4CCM` zez5?0wm}GvnckSm`9N7^FyA#K{rHzU2Z~U^>A}2-Fg%{4$soLWgwNK}>pm`debS3M zA*DpjDLE(S!*3b`B!~JxakPYxHX5Z-fB6YHqS^N81@~mO_x#7VAi*g?@h6388kIv* z?cdF;^e<_5PKd1HUQSAyi&m;aarTNGZPpA@qNUdG661N1up%953RW*_*n!$+;T*Gf zjutL*H}oEL(?1BJ#F)0;){aVmT(^dK44M91?121<9StmU*Oa;S%Nd`nZl9$tDI`LZ zgb5OtoBUO&X!Wm^mgVLxE<{O#1SLIgAX;BI#N*=#>`byra&GukHD|IaFrYYoa9Un| z@>)LbV{e2z*WG<0JD5`JeR03y`1f|bZjYGDl(%d}s7nZLH~MMz-@~3~3T@rlju}(I~nsQjI6j@F+aLqtrhVp3W=| zS|n7kqOC6d@N}g4N>fI%N&hLfKd<#Gc{3M6hONob%+C790B3IT{&bQp!GLu7hW0b1 zwdb zBg+J*ZhqKRJ_C>^ew_gR=n(U9l9WaY*!$D#RBqI*G6D#!e|ELnq?pp11HUCEx)Wa& z2gQb4Nc9vR96S9>14H_04im=gF=jt545uDXE7V z$PmYga<70Lx;89niqn*@mtxBzbi>(O>!W7YIS~~Rk%AEMZq3^=@;mo&y2R@>_jNL; z#hdup?rL^}5OBVM!S7Lre8Ja)e1s_@nalw~?IK|@ibHHwJXy$c(SYVHlg*Q7#e=GwdrcXdY0c>BBUO0YiUb6(u z9b~Zx^JzUFB@}o`o%4|nlJMG|2R%mu4@PS0%B0saO-~8V-No$?(9k@-W|`a-AeWd0 zesnq##ERigHjxq zUgHlwOnaFr-8V^@cjw49yhOn2Cmfro( zrK^@Q+_e|EC0{-pR#l=Q7*1W{D(xk>So#M=B#*SrRu^=XSTmemGeQ1w;pOO|Yn&zG zat67}HH`bjl84;=^X9WkSdoE7<$ADEbP(Z^r|4n`*IbHUQE*^W^EiF>H%&`iiqvY( z+Q2@hc8(#ih!PB1?GG9mG5d3PyA@E5Vzp7^@a{y{dO`upX9)@W7HM!0f`W<;eT9^P+i^9sj47)~V>SyptEG8- z9;8=xobusVs`=sPU{tryW-rnD?|qIU;|(g8sr=2wDLNm9yUy-rB1^;-m>iDGLn;sx z>6hWl33B>vuVS5#L*c9!@i1w!9g+0Yds*G1o`#!6O948cv8)`4zs8DpLR^cY!%7Hn z6gx!`wFNVp9<@&DqCM2VeB)VVW0W3b{o z2SCQP1&NtAE_|-U94MA^?<^mUG1Wb;AM1E)%G37x{j6bl`Cp>g_?6XRjY-K8vC00} zJwZc8goa$I$i|q0E-8XvM+)zN`}vfl%1Dw)NJ+gv*jz~Xw;aJ2=)mXb7iUP#{nO1P zPhmrN(?cj%aoTFn5%S}YK#a+U-{7>_1Up9o=|HY8Ox{iDj}?HkdqwdD1)KV`q|6aZ z=A3&?N#MZmHxCIpSW{j6mP>DFBO@NMS64JC)oxvxo1j~`*RZ}rP`o1y8jL(^p1~5g zm%W-<=pc zdmZ~t(I@NZS@EDNh&&7Ko#m}WSrA`b69qYT#Yu^_3{xCDL9p@C9OTo_I<#^wKLUiqroZ18ghRN z@lH<0VBqdar-h!v=#P!<&tZGg-(iS4i`gC(mx9RR%m{aHrUx>U=dxOU{^-D3R?!t| zZ%b&TBy0l&n?gy~yU8HgIblqYw}3ZN&fy%21W!r^e4E3)7J)1{+)wfYDD^_< z+fU~MTnO3$e1gq+b9 zhPFFA`w8wKC+0L&<9)vws*`8D8`_d<*7lDUoSRMNC>QpBdp8%d!V-_zN0cPTy@LrvU| z0aZP=*!&+KDz839BOeICx1x~wifHcpBWrW;Db=x(>`k7fw2}8TxPbzCw37|0JTZ1$ zrJ&V={H1O2Hvpudk|Z(< z7;$0`YJWUbi$(VbrBdvA-oKWFDS%*(a@a@{Xc_E~DmeEJ!Ve9C*{h9x7h%$!Ia!xD zu+tusngiyQ*bv@r%fRtZTtusxaEA~fJt^x`j0szpnY8!GcOnM-yh8xn$sVV)GYD}) z1A?j8n;Z9(K;&Z99A>Vd0CYiwc@WfTy3R!m$c6=!CI?>_ITiwO>^1R11 z)N$jV=>!ytY6`=08lF(_V3KXVI7BLDy`#3TT98}3+?2`MwB?Z&VYGAA%Av>23uVHI z_|)gj8obmGQYV%NRJHaARu}?hRi`BXsxnsi)Lm)*Oomy=!oBbhNE4**;s$c)(6xPQ z;)=%l2UXrqa#}jaW(D#(VZ3u*(7QNHM)maBlYxXiTK|i>J6oz9#;;w~NGdFivU{P& z7T|2RDn#HaUQTL1%$xX`19<-Z&OQwWOBIz>RMQvCA^S)}8ui8^r$*KFEjxd`h>!95 ziZ288ZdO1wZ({F;pvJR6`lvVYd^Mz%{ewC`mYeFcD{Mm zUV`3&(ONEL`hvC)|Iht1dGLvY<*=Ep6h=&(X{J#=(}k}^c%9I-@p}OomdGUixnRH# zi3z2ES30BD1EYu9Iv-%~Gl=N%x1CNu0-|$E1*w_0235q*uLy=aFvKrtSW()6FxBgY z&UYW(avLJ*8=%de`%zihSxEN0-i=Xd?wmqFz<$evg<3 zFC+cfovcZ!oriK;vMca`4%L%Ttn1l0!&IrFw&ZOH9P~kQSxc-(E1!VQocIL zAx}L>uJEmBc294eXJu0xWCtS=3^B@L@i}nPnyh}7A^EiZ^31XvM^ZjV$%+qpHkTv` z#4|b~k>AMd6EX|r`6xc(vv{ljbR=bNriR*0M9k3rDyO~${iPj!2YzyUWw9W-_`SNy z2hz|+JJ`8I#m~>O3f~7&d#3)ym0-6b^ZX+wfsw4E{paXUYEGZ@Vj@1tTjC<82V5um z3w&AMao^Q?*^G`B`+QL-@?%3j7cp|0naSqXZ}D>l_eK#DC_R^Q;^E6rgF95n4Kx9B zEkP;DQUW6VxYQ1$j~ViCE!kqfpXWt`b~F3b%HRI76c`l1tp9&e5=gjAHI0fR)!Xd+5ao8(YEgb$%K9>!)Ur^5* zZ@9Ts0V_!FsYJ=Ah#|QL4ADa|nMPF0A(S`b5NJ(8dhMkBiWQFyJC%@lshsoSGb1nr z8PN7Z#|)>AuwTb9oJPd)gSzPLsWr*mQAEJ_u?d3#422Zz*uFlka&+35oAMji7M*m= z&|gRZFU&X?3OiC8Y-*vskb2%dCHKg^hLgRYS0Zit;649MWT2w6l1sOEa1&~d ze`-3!Il+eBXO`(Gyu0#^qN%nDE1u>$=(FbRYoWuX~d=b2~*{6?w^U@X1Jk)oR8IVlIf?? zt+N@%M?6Mj{SsYnG=h?Oixw;68nwJRI|`$%z33N1%Y1~5ZB2V%xGiKYyYW4EM{)st zYdHZ^@iEC=OlnxAl#~jw0f~2vO@T|N>xQFFu;5+8ci6TxcEoDWx&#d8z@7GeyiOY{ z$;Z_kDZvl#*U;BQcV17B3P~xh4XEq$baQVWY-2z-JT(wVnm?oX^D|R8(EQoeSAJa#>lCer|{ypFvp@*O0V!e zH!SVKD8SNThcM@>*Nf(qg7Bj>vd__B-Z`o`g{2QmBbX6M*l30vhA9hiYz#(Rk?1vs zyF=LXH|``OO6wvz6m+3X)pK#{MVzTBE^A)~f@bLe0zD!vnj8@miRmhXszUUnW@tY9wXZUM>T63`d-&}Yd>GqHJ4 z4fUO;C^&pH{bh+O3R+W@g&WrCvi`1xcN;BDQ8?bWkY%WfA`j{gcwe&hrEoSK4Ul$w zK5|pE^`ltt;{OB}Q`pkG`=89=kmm&rT`mqECBw?Fzz5;1lj&d9b{hqp`6O5UY|^@F zRCd0U?g4UQ-m9AJ`oa&{B8;6)v9~Ms>jNX4fZSAv&s}auO(&U%dPvJrHekRSwek`b zjtBTtQ6s(_4<;M6=wJU3XG||&^_Z4`J5#dde4+&62p%nhr|;RP+HmZYpwDdC<>;C8 zp#nD1tP+g|S^JTsGl}yg`_(zkhg8ks8PBeWGfuc(7GHbtaji>(2l8HNcqyi}T5U$Z zUDQR}i3y61Q@IaY*3|zeZ%>uVq6|k%`7x?=sSMZp7hjzXzkyY|9i54EG=U6JFeC*2 z()`0yU8BSB|Hz!{&{tpkIeMIN5kQNCbd-Ms`^qU~x~y&wZq!F%gLogMaiW?VfCQNJ zV6xHkjLuAE`zkrF3Z}G;1g?@_M4Q4XcEb9BXFD zQ@V5${S9zREtE_!FLOGl5wy!h;Ku6&o;*?B&g1d>>aHDG*SWgNtpt4dGX0x2SU^i` z(})r655+`w>aeoTb;Fw`;6p8k`;81dLsM}fjsZuBNl1+YMVQ4=*&||Z&S6*gsi?cY zA$(l&Zo38)Q5G%@T*8+=U^=qpzXUt;=LvAZUDeF1j5Gd-XH5dLK*`rFmsl(RBHVD%X)R67 z8lL`n$H$}C@e?%h;tA`Y+F|A}beVz)i@#%8J~UBQ>6u(w+6!!{DiDc8YZw9FYfjp> z60D>$&c2r+^U3Ze6=#y-<{a&^Zc3pQoE7`Q^-{URa2nuMW#*V9!zn>6Z+m33(D7LA zqoy5Ds8mfop~Ci|qnA6dR*7-OHh|lhvVoqaBQz}ioc(M-LE{-h-kM`}hZ@0V*(yyt z%!rA$r?{t!ZG;hnjXy$wJe-Niud%i8#&{r0b#V+qO9V4Q)Cykh@Qgud~SO2rP#u-Q||+pV#f?<_L-fTu)L^BdMP>n&T;U~$N?WQ zir@IHf=M9uRn>mYkoh?gEgde|AN$peTU$#mbqfShBY{|C;XS%^)1|TjY+oF9N61k- zne)5r2Ej9>u~?4zr9(*U=zEsU4jH8Yo}Y2|CXS&0F3Ya=l#j0W(^0~Bfd3IcUlMZk z`H5O9ihxG@Dvb$ZNIn8Db*woQE@-WR+G|^%(k2;(IhtD}hVlH9DE zo&W~c^zt7XLa4cqz_-`5HW_e3h zvnp|uV}-LP@qSNl&`x*Sf*I~+=y&-7S0o*P-^SVfw)0&T`10Nro#~!)+WvRCRS(x6|#FPAb2x_JG z#yl{SgaUki1~O@-93!bx+VB47ghC23L<4p^T~z{^J92@D`F4~i;(6fex0!XIi`GvB zafXZdn2G?)tUGl;Q{?D+N%u23vV5;K3{Gu*7m9OW?|hQ-4(pHFYXZzi(Bj=VM@nga zD{xlw#>16mh$g1{=V3x*Zh}`u>SukU#YU}&FcI~?kqP+KZfj`}bY}@-(Celr8JlHR z#lb9^rJeEC{{d#|u2hK6&-L8lv5Y!m!?(z;c*s zGir2yq!a<)vtVnKC)k&c+KbB(IX z$N)^m9X;|Okf&sgYNuZVaP1jxKB)%EDXA@}$KSobDg+d29RVZJg#1;03VlvMwJ(9oPmV6#!Hq@h|_ z4N%FFN9V?6$1Id8_OopklNWk{>^6@?%r=B5F;ZG*_`x5C+Bltp;~6Y zHN>NVX>+(4cjd{Pten)8lX`T^EPf*pZ;A!nZK_Gx#;8<==TzzFfFya#$mugnFHvkX zk{`ICvpZ@J=nCKqfnaju5f$CPamz3y6>8h6Vm5Dh&B$^fU&K$_nAhmbbFZ7pQ=BV0 zTQ17YZBc3x;Ns?!Jg0JBSE1SISG@w_jc9m99l>OJ?yw+-u0PVG`}5pV_Qj64h1p81!Jif`c8 zZA5Ee7iWuvHp6^)P3jASpBfvyC0q!`#K!Q$Z_$I1uhu|gtJTtJ;rB-jR5EGNj(kZ1w)O*&(gZe z@kqjx(zwpP0Ee`aem<%(bx-xE{RdTFL+Cj1_CSVTNHl|b&#DHp2{C(;;hbx z=mtpFD}&81+qS%XX@xUV!os08&AREf0}`AQ zvC#+PLtYwe!k)uD*9zSu9nR-Uzxi}r%Xu5tJ~S^6ILz{gXw_(wxhuJBNE)9SW@>>-*WeingK;uK|}e?6HtMPI+%>@MX<~GhP1epx;n2<9;yo&<+^^Sm zDP%d%7c#Wa_tPq5reCf`}9IV|?XO8%~H`%yV=;4RxwXy3q+n|Tz~E|U8__*4eD&fv_P zI35Y{5q^J49lz&x+_4+DPCNgw!;+=lQ*v^nw92jNAV~0hvCUL!a(AQ7#$j0NLtjhP zq_xx)ozEUSu&MaK`P92Ve0q3qK4@I)1Hg`S7jFJhJ@soVEQ5KTmoNt|Opm)XmLiHR z!F4e)9kU<#c#9%NTYlzECxC5qNyUXwz!8}vrsH{hQq1Mu4EQIf`2}RVvqA1Yow`bg zTZ}fkI zDlNRSfaeTn?b->z?d95On+xL!d>7XZH62mjTdzXH7+0$i{L>j|tX9V@K; zP-~iL5>LE{EELsnNGe*E9C9kA;V4aW;dmkkviLh!TSj{5)Y%U& z?N73EbSknTaGkO{b6YLz*kw(_67F?sX;l$*lk-;youXzm9Q;wZ<-v zi~zH}ZNVs?Wv3R%{GigRP1|*D-9ag566sF*FAs?*T}TXZln~floHGsk7QWllDB4Ab zZV-1&cAR24-wkzj>~XASnpA*EEv)ry(fygL)t;rJw!%ia8wc_nV``I^zyk3S#x{%9 zK)h{8=*s$V9X?pfwAoU1__6tF^mTU@4h-z?Hv_V=rqbo|8$I0%VE)UmI|B&oW z21eKZgPxpER9I#Z;T|#}Qge8~xz?|Q6Zn2^EXwduV9t}N#+y1t8+UDSq%heCF)~`l zjviwvHV^=%?{<{i80XV4)I;+MZvv$bqEE=(n|?V0p%TvKv?M$^`X(@kSICtEQA9bW z!Jri4_{vc4VtCf_n;dDVneHH&y8hJe&oP2zuzB_fBG3gY5f(WOU?+9&oq#T1WIt5#L-Rw}c({gDO$6&MuE z*AmGYf$Fbir3ZrleRuMu(p1sO5NE9Wr+tb~5=$EduMtntlo{antqMv2@;V%S&3nA! z_2VW*03ZvoES~KYLS>ajL0DLEbXk{97%h(hRNKE|km)^RYWL)Z_@;FWyXvKI1^5O% zRF`!c|9it(6|u`Y4sfQ01(K-m+pjx-0MVB0%-H@PKMhnNM#EVlGRboyzTQ4Dp0F zhn6f@tE|_t6^CZBRGtFEk1;=%!=(VDZ{_1s{Nb0x^LBS*Eq0BBvW}PkA$G=Vlas?D z(V$V=LW#Z%jBmwRHWsviQ9QmHAi&Y%eEWjb9z$8Vsdkt(c=a%A59dw z)<*C=UFqQvYHc8DE;AVcG@h```uFIPE_ouM8B6fVv|DG9Y%Uz7yfoecj0Z4+ZvubQ z5o-{^q)<;k+`wPPr2l6>)7EJ@cE9(AyEi#2$K!x6EQA

    N;d>xc#;CRaF;t#6!8r zkbGO+92V4R9<^-Qaj%y35^LE3W)a|oNrqncfn<+AIHPx)_e9o<3aK-c;|&5+7>V zKK%q(Jpiwd0dAAn{Q~x=sovu7xy$Scz@19E&R4R6GheBePY&_ zOXke`|2JiISN9gEB&Gv`jlZ?&peMn3B6JrUPP>3s?X$*zq}5Xn{ltLTja}HTZraT8 zGIMv^$Oj<()npt6kAZ!f%teB8vl5W(xfVGkm^q2;&dTczXFXaUs%8Bz>Eh&v2MU^5 zA9_-8bC7E@XO`p!rL%bxzrI1?;?YiX00wouK<0g+zxcnl+X*u_`5Hh3*KJ=V&O&Yg z{Qqw3cP`Sw@qh4t3Ep)1uab07$5_n`+E@?l0fcE=gPH+)8!C2_`f=(_oV^BeJ-}84 zAX@u5Z)iQDbL%|8|934SRXB44!gYLpm$;?@Cm55PZqWT?9VNKfe#5C(U_%@%V~K6F z120^tT85QPH{7@gz-WJ8ln>9wKYN!1p!@h-ZJ)gzl*90wXI4|YlWgBE%&=YWHL08d z5+Hw4!o(#-6dD0GYRN?aN4riis!=z_lY1|O_um`#A6PJ$(FU-4@9_OeJ{8Upi8nIm zX8)6)-S!%_JSzL2Y-Ieiq*_*r^|e0qIva7b5?q=o$MTc*fFRKnchjqoG+jlv(UQNJ zNB>(D80VibTsKzAyHRR#l;R@ui*9prGhk}~sRmp?NC9P{fXbr$kGBotuwW37Nz|2l zFuKgH@vB9q%?8M(4PNdip+YE+F}YSRq3zq$FU4zY3^fC9xN4$}YR7@TY)IOOGC=lr zaz;+gZ&q&Pz5$R#DE~jE%@dkh;bR|5^oIcYUESk`5z&3r$zqgp+z%nk29o2AV_`li z4x30XFGc9TH;7V&$u0`0#uTu>+Hub2xIdq|cZ6hf=BliWyir<3bEIW^%7HahJtf4Y z8yzw@@rmI3C*6aMYlt z>3+fY)LRMIhMCRF8q~&Nn-bhHh9D-le@qG+L>nwEo9rlU*2SL=0c&;I3z2?%dc2?j zrPIG1qKslYR3Ywx7^GhZ$2#T4APk-Z(Oy?@!m$J0oVIzPbZT$j(XQN~J&2qp8-_d= zJN&?mAsA)|M2)lp^Rv5MEOt8uy&@*78-QiauXFmIXV#~>rz${-as8A4F6YG#4XzC~ zZ2Q*#fMwlcgo973)F;As6;wZ^l3x4q8L^HTg=gRPzyF+5CUmkxLl+Y)B!kux$;AOF0M>>UaXB8?xfs|?!TkF_(5+DNk*TY zl>`9fI+n4b2=|tZ*d-mbNr2ped&+pSzkL<3*`>pS0`9!HY8kv+ryf$&QhWv85oHYI z|2#R#@94LghR8&|IY^WHNe)K52>P})U}+&9D0B=AiR8*T&U|9;8=@Nv<#U1(VjzbZm#xHiS~GG2{u;2ZGFXY zYF-h>kh(VKNnOs$G)5ygC7E7cTdtiALdzIe#Z?h5T=tDFWW!O>ErrpEj*3=NvZK$( zo=6-5C&RLQLAV3Rt`KJ>ctn9u5UtSjb>c0L`r4ei1zCW{$AN-}?&m1vuEL=utP0hv zph8@>##zqiW#_5}>&<#X1J8hn1I|9 z31ro)qLW8d@l$2ton4KtqJ&6lamn`~1xU#(HQLo-4j6VZc0~tWHDY$RN8XDRx4W%= z%5X%5%ssxaP98=2!E|E7H`uA2Pp9<{X8se0{u4Q#Ca>Ix?HpOr>PmC-Csi>g;k$nv zlqeqzg9`==ZZ@?Ua@;5F-GF`4<+*vqD(;u8paZ^O_oqL}LG7nYzK0Ek!F=z;GLefi za@lZy!Lp7hwkXUhALb$lu@ZViP!!uS0F80`8O|#AI#KTE#|o_saI7c~$?8&&I9GA7 zABzSdT%Q+5f4^!K6LR~k-hu6Eft976?w_#Hn=eZ$!jFQ?;>sS4F_A*Feoy$dZvQO? zUW|lUP>Z*GRBZqGr)r^6t}P#~f!+S4I6t1er_3CvhhE#6`0GpmyI-6XN8y0e)IStN zw|zR86iCpR+x|j_?kt~m4Dorp+OK8a*E0K55IFWRwlEbI&1p}5AQGJNSyfBVYB&Al z6=xP&q%yA)2AqT2bqskjcHK|Id5Ac6C@zBu`fK?&D0U93;2!Jw@VOQ*XllsdZcH6! zaVRO%&*tX+(XW+}tlOGsLse_hspsg~p%8FL>sOW_d}MChUvU)gFE`&Gd%rl4ELrMP z=c~e9sU(MDOto#XeXttN$+(x?ZCJH!oelMDTylauG6AChoE!(y!9gSbicO}pjI{rS zo1U&biayf>vborl7U0MKCc9sA@+dVCTm3(gVxt7IIt29B$F=V)?XezO@6w|r5J|+9 zP=;+OfPRu@?%8MaHnNROTp4)q=XbNK_Mya8SHH!IMDb(MScVXW3-Xc7?LVJYzsE3v z495xOof~79)m&&qQiNMcdalKz<7dxYh{65;ehJG9{w1%KU~ybMi~MD)Tiq>7rWgD2 zx0KnebXbvW=GCwF6lIDV43rQ%v2?pSijBD6HT~Foaq91tfd}+}7EUaiZ&!CNHIz6BN*w=QS$GZ?0b^*%H>@ARP8r}r86*+49ouqYEnHZ}V1th-n*dc{K*kR;OF;Q^vA-GzmZLT_4in*9RRjOWadqeJ};$lD^ZQ z6M*t1{={UM6;NYFSP_*BL2ceSR1t3Zn8Uw9YXg1JX!ZL0cf-%&kQy7XO|=`fwUXjv z?l&679Dy-4Y1eNunscm7lQNjgU!-(?IVBN_lp?8>+FH{gOx%xfyD)ti+?P{1zXLl$ zapx8tOUc#f1XOit7~=(E?&VVOu(Zf$?^C_#eQEK$Zhs@*n|(xXMLVGW(IK>sE`^oi zY!I2Ww(wPCMWlu+@Mi?yhjf(1vQ974JeiR8*L#$pO`0~SBCP}-A^vj?jKdEd8d`j# z?cvd#Dcg@@FLdtFuHn7qJ8#BFUuLUNk;Pqgz2NJc z%H;>yn7B+RJycZH-39H9zxb$9#G~y^gLinCSzZ6;QT1x~vg7)OIKkSw2yJkmE+$#1 zwRXRvjZDLWC&xL`4el!)f#`T+Z+DE%wR^tIaro5&i6zrBINS)Ah=~q*W=klgR7Ge- z1Q#^JSF}=S3h9kSmJ2L1%&pBiGrWIByoB%8Sn@Eq)%eq&eIebh%y$fE6#(utWAHNa z+E;}&I%B-|LvaVM|dUlY6)1 zkJ23D^VegNm_8Ob<TtD5&ks=@iVp4V(IjzpM7nsWulu}chr5-TBS^bd0!8>9{$+@tU?#nhp5-?g$GGDHl^y9WMzma1 zHU+M02gRX(a0NHrsd1o5V)M9iba+7jj8?&ptdV(+@F}?+wMBXC2h}mn0%@bB^sfSOmFq6bR64Qpx|XO=nniVC&$n~ z^f|-QAyXvnbNsP`-f3{+f^>C`*XoSnd3O|AS z@#nwc&xex>I?~ip4n_?KcuF5>m~ctLRb-bfM?_S=Pp+L%kG}5IptH{$-I6}UmB4eW zu&jNyDbz=m;sQTmMVPM``P_r*zTFEGxj`jyWA2b!TrZSk(l#PLc{bSFg@f|@lp4Q$ zzLQoI^b@==qaM3^CIUh#&Vaag# ztcrCa34~S&pHscQU6}OI`V6@rqodb#S~Z-zufHyX+`MY&_t!d1z4saO?}!@Y4v88r zA0|LG7}5PMggdtrce}KSGJBHkNnq2xpYFU|AtihK5fYwE(vqd5ePF&k+4YRzkd?HC zdGw6F(wve_mb>+XRuo=D@`}6CTovsf``033iBUoW<&VzEyrZ z;>2SZ>_$nM+9cGfAWLP|Fgd3e98f3`vkcYGNmYI&uUu#`+mFA#4RYH(esyAY$-_&^ z^JiDhKZpj`vh2#aRz!PQSwSHT9Et|?hY8zNSj#EZz{gO>( z4fCxxWTSA4@p+oMY8ghXb$)QQDIjMZ_ByQSa?^{+g}CE>N=9F{uKoCq`X$Jst+0RJ zj%xq^W9qHrs%ZZI?@IxZ?hYlSK|ngCyE_iujU2k9yF&ydl@K^|cjuwILz*Mq^;@p% z^SvMUKLfKnXD4>%J+)>8a(YM$0?7MxH;0C%4j zc##-hsLAEl2Ca}Vk^O-+7+MMIqWJlMi?3%jw@ZT5gzUA(jagWir9Lu26WkVMM~llA z%Qx$nr9YCHjPRoC-6M?uFyUk>YpYf79_h)JjVL?Rd56Pqsb^zgzI=wR^JxUdAR?)B zalF$qv1t7!=gFn|H9X?yh}0H`g@n1lPZ0$-&>tNwP2c~7y}6akWD_@ZdWcu!vA}#< z?351{{yuSI8@Adzx94ZEzP4lNqAc<c#L6L zkK+vBGl{n-Uf~IsvP~l9C+uyiPZ22}SSA)NeV2K0O>0D&$1U_EWs~dc%->ZHm@jcJ z+BsJ7A@LFo6VBr9w^f~OL?+EcYpsYTlHXsHNQC|M9bD?M7g}b(5!}(99ow^V@jVaW z%1tZn5veKdmtTAL<`rC7FB2mNIMeDN%L-?GSQq0bv!cnX<%ylmG^?0jTi#zNYjl`| zTn}#48HT!<5a;ntb@mDuyoK8n-nZXV1;cU{ zE07j#!ECI3qYdf`+yb#{$sL5XJZJ5j8n$hIirD2%Z~ED+2WCC+<{O$`3%jyha%?!( zsW>Csla7cp7F=)`d)Fnnysk<47C6h@s=L>mTGmVOqWfnacv`&gMBgwdeebc8)OvJ3!m69ZS zxnlFMQ|sml+b*oHER$k36!w*fc|VHL)yNEw$VA!zXL(8FYpUL7Ti8EN&#o8$5sHh= z-D#nB;rRabXYw9fub_hFyCrPU=3h?NT;N3M7HB*%XK={(!0TB}r#b^z3?Y}wA-WCA zyTs_*U`uh}4HXrZmu{_z%$c_r7-aszdI{yd0%i0_}kc!rn zqJlmtz|G;lSZuV=4IX@tM(ZL=SF=#AP;-Uh#=xiurj$+PQyloLy(r%Ohh>5f%Qu}$ zrEX#pY}eR72wZ~jCV|fFJy5}lH($gp4NW|VWu4v)Y%34#%k?FGaTjna9@CnEA(LLM0o&X+}y=dw1 zg;J31ek26v*0Flb$0qxBdZM3z*8fq<|6$JmX377l{P||-`9|saRQO>b`*FeWc}Dp0 zO8AN7`RTCz?pyo4zu$fLyK~{QW8vqp_UDZD@aS{@rzQV8nB&uC`@>fIL;Lexz5fI3 z`Kd5l*aYFW|M_z5wEX$vqyO`g@KbO0^Y!zV@bm8T;d2kgkmFc8zu(iw@$*@`!09u& zf5XbtnWO*H#>4Q~J;tu1u(1DiSo=K;<8uKO_j^8<@Fx6hSixT;t2v;CKKX*7k_N#}!*AR^3f32wfLlSs& zFjDONZ_u^Rn)k?J>;vL5t=eVtSlf^2iI=ilt)i8EI$eZnj%|5_phRZ%$IV47 zKSEU|<}H=>duJW1O8i{*k$4|vwmn78Nw^fgDbo0UbNlCx1!i>((w#YIuJKxSw~i?| zJbRkZwOW%1B9J}VMsH#v9OAvZw!BSRE9PDkY<{Pw{2bef;vWKG58b=-CY^nJpgMn$2eYURi4WtPnVS0e z%LfdP5stnOIZ?~$>Kzpqw9S(grkz!nC6n1lL-fvZ8z0pWyVLEs{9O4ePD{EQLGF*b zvb}Lnu~||1PoN_|=3jZ1@(FtEUMYVcRs%d$T>Dg!+Z)T#%6oQHkp-_cPA*Nq4^Frk z9vg4EEPTyki~37M;x)=SbX z$B@&C1~wED_1(aIhSg$Df(+7(jp`l`lCV0|BMA8#-20@dWz(ab>Tlh{*`14>K#h;; z&-)kyFAd48l>x=wfE)XAK$UDOU7L4U0D{lJSwOX zGkU{vVNtf!TZxxi_EF-7a9;y-DYAyi*pJ9MmyxKw-J_z`vwlFMKEMk6r?`!!)tr;be1 zd+zO)Z&~t3CNxm7IaSkLt$N$vCOQ(rS!xfM#!1OEZzfLX z-*F9>4TCvzxM%NF$@+3nv=RnrG)ep2%;h&vn2FPu5Dv;;?Y3Shp}Sd|?h1~3O{L$) zHJWNK%k;Un|002|3%MU`O0y{MnI89_EEj)an$Xlh~4%YT__QmBbih3`xT(vOFl z?|^=2V==djs1$kR>ig93>g`q1-OMgZnEy?AjG@Hb+-YP@%W26NcXr0YVdPdjPbCrP zxO|Bxq!Am(?=luX3wsI+)Gg}mEwPyF!!7IPT31WE`a9}F2hfeGBkcJ-BuVqq{z z@0L@>nX7f}d9|IWU6x$m6AhZ{wR?FBW?|J3qvoU9C6}%qL{j%HRw)1f8S~T(nS0e$ljx&Zn5}+-R@31JzuHXNhv5R* z2b*%~ecrx>=h}%M^-CbcQy!9zQu6cFP_E9-9>Iy*GP*B~ygcDa`IFO`Gr5m{j1RR= z8CLBT6KOpNrI57Nyq-L^*q<)KchNet1toe!J|r@V78G~yI=68@vc^go=bBcNl+@nC zq5~V|*1Wn)W5b;Dvg{rh=G)iOTpH&%`&^5J(dEWmrZD=;$z2eFARarWN{{)B*jQVt z>g>@74}wQlamGx>HARBC;nGG6#F-=(m;FD4SpD&e*IPh9-PwyoeFp{K%q($r@5ZIk zZKC(yXxu~#BEp5nZCyp2DiZXtnChb0ol(qC;1V435X2%Jjh2{?(&1S-d zR;C)6uTNZd@R@xx&b$z$wDke^QreK(f#w~>z4Ms-V`gaQScw*-$L^bNvzeI zK}w~M+q0rr#!^cl=R+mNsl7;q)4%I2mHn|p(?Q0Vi{zxGqvXyw;-E@_c@ol0vbN)6 zr$y|k^SWJm$BnMzdMC4dMtrY~waD|C{>S)tp=kycYoO3~<^1@Vmn8|?b+j7<`Zr__ zPHw>G2rGuYac8UdH=1@v*A{%?`@a1){tT3)H&^w3=+nNL*nXect_3JHS^J}CkAgP% zHBXvBoy;CAY-H~8u6mMT;w%qJ{DTz+rFmCOyN_Fb-Nd%&=rp$q_Fkq$XOk4bw%MP< zHLefQ+vqfmKdAE#NiZCbi{YDu)+227D>XLE^Uw%lA+!*!k023ir7%-pH@||QPFJLc zDQG8eWuNXcvFtC$CeBiwta+HCMDWx+dFJ^gU+on}3J`j?S38!s zIQECKSj*$LrehN(A8RhV~57zPoF@9ya`I zH#uF|?tSF$+ukTh1j4#rFuMtgS!g6&IdonFVdgNN%}}`t`r`#KG-aR-i_FajYii+U z&!bu|=P}MQnL4o^3r@yz`Qr)m3v3?tqY*@K5uBWs5yr7W=2Mf78%wrs(#y4>|Z(7U`;_3BG1ctCtO^e8zmwcGsW*uMC+uyDK z^Q!qlkgYfL9$_rUuvb)i|4K{Fx^yDKnkw6Ivf=%`30sz90>=HTa!c z(ZTr^!gUodr)hOF(_10s;cG^gTl;xNw^CzXPa4mshkz7#uvzsX(ruqPb2MYqm&aOe zo^VVjwp@r(=ETu6L$aH=*hvX(U3msd;QS9N6;?qLu*4rr@1>Kbb}Uqa?vufJB*(~o zG>RDK-tw+FyR1?pB?9l2-0lfHAs?4Pi9(PLoG_M+hY+_fPUe+ozmBpWqv8V9BY18) zj+^E8&%5kBMRSk#!@3d70Q-&ZfN2(>sCh zmx)t5f{dkk9-vv<;v={ugA_E;he)tRP^ZzUK6WUrce`^<+pq9SWdG@gyu+>Dm7~ya z9qO;zS@E!(%|kV=nkb108P_kcZbG9|_28~!(SPd8I9`~oY(h}5~lL?HK(u*+Dk~GfFJ>;2G#Twju@RhhV7yCvd`aruZ_YlRfi5F6N(($_B z=rX2ksIGNWhLB8sUCWuKduW3MHB9!sqApH9ZNUx5+qZQ~Nb1&jWI7`Ncm5D~EmE)!*tw7poY$#BU0@KfyeHXq0sl$%jCH#{7kFa5Zs^{zRRus+&JQ6(sduGgUj zNe+Tj8FGO9-PpeMgK>{ng-*oW!WX~Z1vVzPYDTaoo0{}ZhqS%q+s%P>fjmmNCk8Iw zntY%hi1gkUe?os?;Ck15&e*hyg-e2@lQvTsx2*0D6os*uf2kD~XdYXQ6ruGt&|5LF zsJW_{OneSUFZzqEb{ZwO&9xR4)vwv7eppDzl%|%C?Ga)LV-}v5T^u9%X(RpXI4ClH zL`EADLxAtXyt5H)#F1;?b)EWaxCk>88=NLdA4eA_r+*Lxr+LZhf)ds$ce|V;gB!-? zK^s~d_B?R*Y|#hO^HCATq<@bfA1cN~PH1fAL^4deV{q=E_Hd-~nO#38C>p*JB4{@1 zF`WAL1rY58{fP&v#p1g@L44sG4Rx8t9}vvLP7a({rZ&zz3ZA0*42a2QM`B4Eo-Oo# zCzJ%m1Ab~JK_IxMSweJKIM8-WtFs$rDO1p1bdF%CCfc!g7U9VpNTu0VgzdDMY)s;v z0R_NVW)i4%Ijfx1HIIwUjg@V76K;pA045cKfe;es9K%CNa|sxLEOZsMuhq8j_1qvH z?H=UMuk5WjMqIt0BWJvSOywT>@(-ZoM}079a`It(&F+KXFf5ljOko3lBom<;2v;gY zXX^xW!SGOCACbAHzcUdP+RXa)RZ6@qSTTVWGJj>KsP!G5)YUswcHP5rYMKos@y}0c zQWl3#LeY?UWeI5GgNC|Y|7(|FsxKlP{nS!(+Oo&4F*b)9wZsc8tca=y?7jJK0;F^%JDfxt8`*mgUeTYJ#=JfD zC*}Dxe}*kJz3;i9t-3|bfBjNmBwr+U6JDjx445vdAb~^9Sh3l_gaSvmG+@EXlPt?b z$IQFG^ps5|%uS?&RKJ|mGRE;F`xf1c!?lxHWu0Lev3h?VrgdKn!EFR8u&uD}E<5Ok z<}gmyUe_SC-*u(4T1=bqa7lZk?{o;p;tZCV`k~PxvRw6DhJV)oRkVr8$wGGI)|)&! zbTY`gskxgq5wO9n%D21b#ZlsYh~*+1k9M-SvX`wpLa6g}sH+`= z3F$bMc5N+t4CF*Uomx1J8tZ(~f@hP{)HA{tJ=tTb^Rv8kbq1pHh`{QjhPsF#(6~Q` zW`;qTVw5AaXh=T;Bhwz_9^_)DYnZ6v2m(Y*I_q zKhJiVy63>iQQ!F(nKxu(pz08g0PzaH_D18+5F7dr5Y;eP4GUw0mk0VW6f0#3)oM%2 zG5j7?nDkW@_v<&_4lzbY_7`Q&Q$9eN3f_uG;}SnGC@ylvIcz+h(%^uV+9UJ7jPU6( zVD;OkScMt(VmeB$oBH)O&N&tA-4SXPbJ56H!B8e@R3oH&7p9F%Klqurb50A7LMjTE zs!2sl`NQ zlilsOg1VN&IBU79{EUgiRqcK74usX2wRXqfcS&Rs3cgT9@@Q0G%Vi8?J=ZeDt7>c( z)w)@^Evq0^q#{W@7r#UPf*e-d&zWrRy_Iae`JtHu%} z(|2i_z*}MtjwrdgJ#ww*%I0A_P2eqr!1At$LG((cHyG1mEF+TD>|ILznJ=cJMU~B!v0yk`%w>B% zHqL@2v*F~m&H=W_8{67sNF06R{E$)Vo%AZJ)RzA~MfzH2z}P>Ju`Kqky|L8;V`a!Q z-mh6NaqkU{HDWLJZc<`4IPd_U4nyp^7FY5ocD2eusF)8}XSjm{01($9^BsTJO;-7C zdMkIDx?`C)_VB~-cU_v$xr-nD91!o%E4d%3Z5UD~O88d$_sWP*X6C7FaebIv|E&J; zi9YDPC(0rNhAfUD$hdq;cCzPcLzsQ z5&9S3r}o_KcQj{D5KVEn+}mvNxYmO145A#@rr`8&O7F>nh4ZqW2&c;Sp_;D_{lmOY zXovkTeTxwNtNv=Og?X{Mz0o6I)x10Kx71O5RDG=3$6;&}VtP#w_52;;tNo|S_8orX zflU|XH_&~>!13W-ZDRY;V)>u)ru38t^Etl{{xf)ZI1G7b!|1TzB@4MAH<-JX76=OX z4&BAK-D4Oxc~(a654518_rQJ6dk9zFml-_gOqRSa3$?(3Yd07bLt9Bq@+}0b-zBd`?JprJ%JBS78yOS zab?6EM7~~9Y&y%%b$D{_v_ij9HnGU0HIPP*SV|B>{A-WBIC(-hh9SU~cvE_3n&JjegmSkHwV~<_t?Tq)!peTdY8L|iAi~Q8{?*qw9dFO;u}O)OfCgMS;4J5Mfy!NiZH0N z1TlJG@epE^+$^1a{WnO!QP+G2dK{t7sx-@5#thc4h@RU6WcG~uog zokhAI55yh*n;tn^;7r3ORwhL5sGP@))psD3c}1Ok?Y&%5Xx&`~L<^e>)zA&r3tp&w zmkE^C2T0Rq9W}D>c7tF1J-$1#dp{mQAqT`c=>6YldpF;$$(yPz4`aU-SY%*%y(b1K zJK(eym4fp{G!osF2VG1 z0?*yVnao`-!)~smlMU6-mD8l@z~;^F?-G>=AlX>HT1+-7I+RsvE>7|9nmu`OZT)dq zrd@@8!?Q!KRpE2t>G*k=5vK+$I5!4FLb+o!j9D`er=bc~bOIOcM|d;1T!)mscUvIGEo+t~C2J zv|JdsewQ?+Y&0)sNVJu->Hu*sGXc4Czz4ZX5WY^FoPKbv-UEW@{ApfXat5BbNs@h2O@Or2dYK=7SM8Du0qkqN+3I-yTDVs&#P?xyU&5&ZFnx!wr}h=`yqNdFIlwy zI%;0j8v?>IZ7sKEMXYp3&UE&8?5sEkWm6DNQ7!=sSWP@E-5zKYFo#ZPI>HMGyEF93z}+YZQki5(D~Mjeo>|2aNddt+xT(2tx; zKzXFw1C|R~2gG8LacpCI`jWI8;JU64aGkjgxZbx3#BO?8Wou}93M8R&uNkOSww4BN zu>U!Ckd~^+nbDR58-_{)SI!h|;N{Ae0zdyS3uNR!M|16Rj{U;W)fc$e)YithGuH+= z2A(@N=PuD&(`IlE{9nG{UVE7i1n`2k0YGHmnVIPgpt-DfsmkA%pkD(a!j{}6dgt2O z?#%zsX*wpxJ6gIs0A3WytN%F(H-Q31WT(EZSWZCMQ>|CoK1+6(YdI~qV68VxKCWNI zd>w`qea=U|8kjR!dwT+^wBK861S;F={~X}8xd0VV0CBVVi4U|9dd(ySSd^CZFaMvj z*=&+{WY~QQqIwGW^7}gik<{6tEe{a?|C~0)Jc>s+8K4#-CIW?tmjP9l9U0t>3qs7wg9%O?^w^41a>zFAnuyx~~5@ZH$yyk0kCd8T`*_W5llo zF0|Q}&Mp$*d~Ck@NCUhOL-`9(rS74jd<&3;G!G!TX?xA0U61z}KuWH;fndju2JXF$ zUMuV!e>m3~Pe3qR$V;jr!2LOWpy=oHfk5Sr25!C1JJQEuBCT)XG<=(YwA!x&CTpn! z2v;8fg!|Xw&ISTI3IV2Z&8H2B@z!SsuQ6{$Z}lbN|L3rkP!(ooDDR!j>8-XgqUYRk z1C3u)QV!}&jRBQH14@T`(O2tUvibN9n8i*WeOxvP98VkYo57p=b&JTK7mx%oJqQl7!C)gD>6pM!8&f;r_jSCm*nK-)E4AA|lK#RFZH;GcZP z-`|etDHTVY_LbewPs!}DSfly#n);n*@ZvP+)bT(nSv9|rmLO6)p+yz+bu4sTAg#RerapeGCgW&`ho+gM z(@BX(5&A^!gC_Vf!rMo0ix{-EP#+z-o+@y)3Ji+7xk}T2D(pp0L7T8)?RcQmt|0-a z)J?LOt38-5De3^*V@7f=oX?xf(WFlsm@bqgpNk$p-8g6?ePg7*WW)+oz)BMy1 zoCDf*Y9CJAjfOxQJIbSX=tdaTa=O;%dAw~;wivr`q}6x)4tSuxa!H8-P)Y}ge%dNN zSY^$2R{sRm^e{^IjGeCto<)0lySN16u^p09-)*3VbxngVO*p1OA<7i$T;gv4YrNAC zf1Ry{RT-8x(++e^Vyv-?X(Aseb6N`(_K24{6ItyDdY$U}@Icw)5eq3FU5?x&0(P7h z#kv{{(W-J?$Yo7<7E8$BZUAxbb;i4@J2UmT8v!uhdhS!v^V7y^oxcRhk* zFvuET^e)qB-_~sX(_P64*2zXQXiKl3m<^0#N$y>M&U!$`(2C*S08D8t5B7++bQyqc zwhXoN0EpotJi1>Pmq=JYOg@dzaAtu->*3(r_E&Efj5>i$Scti?4th^biGud)9POah z^;Z~~ z%6>i+o)sSPzdiSFeuNq>SCHM-2hH?8!(yL|!+XEy zjh7UKBMd}Nlsupi2Y&Y{7LKr+h?*_yN4QCm$d~sqb!bL(p!i^nBk4SPX>{s~##iVH z8179ns^jy2xy9RKHqZL|9s9GIDCk(ke%_pTJhzBQs`+?eQq_D@!9CTNG(dBV4@pbVxS~Zh(k^9w(=$q zi$l%?ZuFbl^^1uNNsh8{?~lI%(Rn4}%Z%TrOLI!vBn7;Raa9njB_u@ta$H82KJd9{ zj|L8oSgFa74HJ%3{XW1qIGz>0vWx1%s|Ipois3jhlQ2r>0&&tP>l{IH<)hG}- zx7%pcz%buBq;Im(^z(SGPUR{rM+`Ag7qzo`t~5vVO{m3>H^lMr9bfyfn}Gm1=xDg&BT)K=ID;E8m)Gt3U}A# z*IJq4q=0Pn;(6RXIB zX#LSlQ~h|6n59*i@K;4l+!{~nS*ws8QrscYa>7G{$xJ(G46inn8H|A+60bn}iM~bi3L%T**n4^Y8g{-7M_;>(+JFwYh47`{So4^Xm6x zxbNbT2<_xNkx7 z7rbBL3f{U~S*lfaJ}zk=#mdDiJRsI;I~q z6{lHWy1^VF7x0`a34!QiC;Ppm3P1UBu(I|E-#)&AdlwUS{u^9?lE#~kX8g02#yrsK z4^4c}H_E^`(Ji*b)O`dplz2k)dj41?6bR>dU(fk&d&l02&!z$w<4|_ib_8C(#hPan zR~1tQ(hTkm{(IzZCd@#IA>K0u>}6X^)o2y^i!p-~d@!nSbYuiVB{MG;-)JwtitS`? zZoL&h`0IdsF43?F5eO1T}=TXwY42T>yEo@3pF&2#8_Kkj*( z>2RD`0OXNX|EtiBI>T{6T6ydT(NA!YZL<>vWviLT!tV!p%vJ<fuof%SI8)AirEg8E!CG%#i`IA7k&wqeSQE-Anw(Qo*=f-Er6&5{551d;yu zMt`U$MlshkE&T5#e0eYGVr23J6LH%VKw}EAFj(gF8bJ<2N~1{fc2Z@Tjot?E_y)%I zyc1fXa|QAvM54}tnew@vdSV$$Uw-{U1NZbnIwG?-7Ifjr^_85;ztU+YZ)OPWG{x_I`yd?8%K!#LJMfSACf$8>9+Gg9uZcV0JRl4E|*hF~IaN{Z}{iV$!TYm53b z{t2ICE#T~ZAIbM+RL z^d56(h7UA5TZy{YL)dj(;4RAiN|O|C4}7KS zqgqOIivaSPjC%-#OzeN~u#BYUofrrkcH||39QS!r)G!nzy@3K^9L#wNUb|g`pSNZW z&$dk%?`IipEc0C?*{?Q2INRwgb!fxpKH3NFEy*2hRoYAt-Lvd;XYK z$DC#t>3uVD{w&S6ROLC2{9N4?*WDIo{h6=>EzpQ`lRVlKhBB?Mv^$Z!=EM#BHkQ5ctm6hIogsyI`%6TinE!O5+)24*+h} z|8Uiqz7?b4pq%7tV^E!F8~2ea2U=p)n2L=wI$LUQ8>bSRbc%&oPzAk zCIDe1YU9*hj2~V~5qagK9sxkSlH{yT2x$v2tN=j@ZZxg;hrS{V(x22?Asu z*f_b@m$*GMem=1hKs930DrGYhQHh>DDT@oa@{myu(VL@j1bCMMxHa9^|az6jRP|Tla#g za6l$)qW>D1oVRia=)7n~t4g=Z*T8j<{064iZ~&pAo5_R;su^s*W|f4~oYQ?1REP8x z=+}o?t^xFWFbBS(Suc%rWzMfPni_A`17gjQx9A_{$Eb12KEM9mnO2!RmubbFdS-`X zZznZZje$U~O;K|iWVf{^F3x?~A_qZ+ z;QOiX(t6*H^v|Xf`+jKz=!LM6a4^Mq{yt4%srJqLrD1XDK_`+zUA#sEau*rSPSZH< z6abw8Ure(bjGqZvJo>T*qyuMTTauAR6@a*t0aiU%!Wu5*BpdfvNsgHX@Jgfna zbgec3%42kD2dB;F78a3OHV{^$&5?A5;AB*E;~rbw%;V?14NT4ecK@A>wuMJxGq+>g zI~475tweY@;@JPv2J&SN7gA|YL04ap`O8u>VUa#uJ~_7VzS4sabbsBYv> zO1>BM9WYxc9k3QZbq(PZGLjaxy$)O0s${07s2G%DEXBSfS80PJz%Kyn67Ne235{VxbV{8TpfXsIK;q7&(6yG0!Ln)VCM;b;F+lezDp`cBarDORM1i$f$ zi{En8^{b7LZyFu;QlN1F=(TD95;E-tt1(3#!ai^uzX;$(RD~h+0rd=nL#?_=MdeO! z+fh(HL>QnaRJH0m%m=2TrDMKD`Aq{0aFek?(Y3G&WQ(%`h{sU*22Glf)DP+Jv4_~A z0H}9v`!CQQyW}pJsn=V<39?tK#K0j16-bu2nx{xY7~@~C&Jg-vXA~jt zV=_juedofE%nv;ICnKs9htY*Cp&n7p3Sj%gJfa6fs$vtkHbm=A&qIsnPYE@PdUB*n z)pUvaa}fHwe~+NKPf}=Vn#4MgM_0Vrc;&XGqOBmlLmhf-93SlsTOWMpB-MQc4A+D;MWf0@OCwP-qxYb9rgTWe8Ve zAI7YUwsmt=@C(ML_%?|4Jk;+{|JmV748cW3O&C3_gUbdl2~kw(NXy1;dpESj-j`n| zNY<2x6*CxwLtn(08^8++g zJ@Hv=)j^`HN`_uG7F{xD+dCQ{YSC z5UvY^C)#o8m;Q;U|&x9Plu}z%O^4n%FJDf1a2&?3l zFMq~_U7?xQW}$S;)zqCY-nrn-?dP}=HBRTZ#6U}s2lCO`-DfLtV55SA4pv73!@=wP zZMC{%Aw0Kkv&w$TRF1oHGRlWZQg-k86v5ShRIFSI_i~#lQ5H`GCyYk{ts6I-C9Cr$ ztnP2X_`VSj$IPk`_yV*CRYKn7-XFEadF21=riFJV#!wb$({f#NLUn}d=0gg!`X?BTkMCA1R2mrfWYI5EuPqQ=b-q1Bw3VO zMkwM~2Kx6j{onmB#D?kYS3YMTfW?QyEa)8I-**B`z+XtNUYjP*sL&uTa^i3D(OGme zka49X(T=+DqzJBSKm3dM_XesCm%#vk+A8U~IwuVNG_)mGP}4(+hOFByi$*6RIWdXC zQGj)6N>lY8nNX0BLMR>}%j6U;etjQWsQOl#eWJDAaC~DxrrFS0fT}Y(^CWTfgO>-? zG8gKJyz29qQYTZS127qQH~r3R;t(X4{>ckKS~; zTw|tc^@$IMEO1wgSa5>vT}wUhWpEuqC4Lu0-7{g2u<*GiaD{h4e+jr$m6>Tk}be)2H^ z?=<*Ty2i0uVJP+Y%+CmriAkJlF@FY$t>WpyLJ0sqYCkHI#gNNsok4c@g2R2>R^#uZ z#UK$=dI7D? z&%a3mP;1&H)si>%TE^aa`{`n)FMerY&x^=Mr2BD#<%iS`h2=nStiT`GPH4pJveD>N zmaAyNURg;`TMlR8_wyRsIOf6Y&($q9B|&GE@(jqH8B?PS)9E1^0FpR4pQ@R|8ERPr zK-%MLw*WNxw}QSYHD_q)=};xdza%o8IUh+qKz!h@c^?3`if*vFPodz6{k20@pQjnj zX$X#+9ey!Fbr2@)OKAlAVIL$jKp3!o@+ww%;%wY}GQ#b2Tk}N()Bj&|q?&zYKBxT#! z77Hzx)stx?(b-@$L-WK++VsxY_#9qGBNAS$yT6o_Od^;*pEyJpmHVz3w-G~jroPPW zRSmCV>`=M>`3dmggh9Nwhz7S$4&ER9Q((Bd3#a4!!M8)5Yf+0 zdpM?5Tcb}h?)CXymGm#nZm?f%j(zv=8;ckJME7KtbIarx>^G7?-^k)M97Ozrc>Y;T z-Z%WkDYp`s@&giF+t#Bk007MmZ-*v5K1A`?@$Y^MDM07;Ny5G@$V+l755ln4NJlWAET;fq$7ES&b(yHP(o~f8{W7`TOatzY z=K^qJ0IjYt}-cgLr!!Y zRG}+-R=$bG5@!Ix=nCNN-8D9|EcwdCd)^$~%VW|P}m>#8aOPaR!7^htWj*PKxMMkMqp z{BP@ysCTJS9eXSLh16neeR)d->dq@DQ;lX|mFG6qr!%)0@{;dm`i-bN2x~Nh{io(x-iWHJEInGT5I43KzBOYH7M=w@YlfPrjhRN=AWwko`5pubQ0rMn4>9lFT5_Mca_L%`_MTIxbhg~c5(NDIv?5Ak$Tbqv9tz%pa6Qr8k) zgSK<1&%`6P=KgYhq;In;-ioKkcJVBo#YTnKQa>+|OJ72cUzB88`xb}5zF41^rA%h2 zr;A4SsYgA>TN2Pksfo(OYjT??Xqgz{VgfuGG*m$*z&sb9Ya-I&d+Xsyv6*so&HaL_ zkn9)-a*k3``CwhVQJbO?SeUPnyq$$3yV&sppibHHDD*Kd0ldha{3~V{Ch09Y-utyy zc|}3sdvt(pHxi8?Xt&E@ZX-?4)99i+DANw1`~@t?XJ<0-Yt|h15#s~U22Khp7%-hqFHN&j(Lrv(i!HAg~#`4Srl95#rWA~edIV~ulK=t9NmQe zw7<~1bVr6U2xJ3N5Ygjq!-M1VOqZyN+TU)80jMa)!lqovt}#Era!;-wr*V87mzl~X zI^nST*EA1C3#AsFdZtTn%RLu9gM0M`uRwtmq?sOr}b zbO>;+0FkL(R~xN*^@*@S*BStdZ>`v?1Os7|wPUzgI=+wxpMsNB1I?`k@60#{#R+;<>BgTKIKN*2y|0Vu<^CN{GE$NfU$7qu z#}b_gEKkWr>FbM}&{5+H7*TwC^kp*bo5r&g2#_oD5)1#nkEiaR>{$S?>62!hWT@r6 z+6?$^faLEPAkVNvK2q$>Dsj*1T=zn5yf#vl*aonjCYr`L%#2)>{c00EUY|nBi@qfXS^N6dU3Vm*InG;n~RZD-28%d%(ybsWx5nU{}pkjRI_O`@(RM>AqvK`VF0wT0EUu~C~TBe!f`}4nVElBalF)1IXfc(z$zhVMRs&y5+%ZdHR zR{-YeR1z35>$9&(Dv$XdK>IHP>@#4{(A)V74v=Em&_n=Q2AC0@g$$TJW7IRGy$J1; zubTz_1Kc&%L;x_AN1CJpXSBfZ?qfj~FtUgkgIzSwUg_(qwR>L_XGGi*+T^UD7hF;2 zLERNe6s05l;!&Id6G+$2kgbT2ew{7&lD`E#x0b zl?U+p8h;i1=D*ngI%oYd41J}GC+W|%XMb#nY>L5bY{ry#!U_kR>%2meO_ zZM#KwN}X6^wrSqdglP6jT|!vq;oRi6u2Z6IHRkc&Bq?EBf0N{3fSFjfV7@P|I+>^ z+V5})@{-C{CHjZme8Zb?;;7O#IxO*t+iBtZ@qEAerGb`Kq|kpan^S&yyoNoPY`g~y z2}BBvWWVv=6Cr3_-G~8nL2aW&URgxlj%=Xh!lhuqHt$FsjIurk>~fm~JE4CizY`+z_{*XQkbcbChFf2 zGiX;sR@>ZGKi7BxhM`*0H!o#(0}5ZC!h#1N>YjTm064Z^)m=FXY>D`ee`mh_V}2>~ ze~YeqVy@7CdmMf*S4|9n>z=>vY0gW0RS4^01PU;ag# z==no&EvNfgE^Fk}hZA!-ny?aQimPO54o^z^33O#vt~A>4L&#o~xFlz5!y2Uy{19DZhE>Q)#hEkQ7T7njC-6W{HhC8e}PlO`|( z8*K<_(gUL&_Ll73y#|ktsm^RxHa?QkM6($OT<^F{YaFk)CsERRdr|d@H6bh}U#8Y(Zh57&Xws>jqu0xmd?pK*$&u)T|DCIO=Nt)e)Dc3(EWOzwf9B}E zETfb;tLEs_{*F0h@b99^%D7q!mU<&AlVg7rpKQ{Zruu!>tc-`xa!aZ3gM;hLb(l}1 zSq}RPvQd`PH8oLF6~AmviOJyd_(w})M$4CshZ;0ss`D_2h9+47ENsl8Ss$@qZyImy zHVsTqZ)bYq%tvt|UTe1{6k< z4At5s4h`@zSTWhnvq}Iom|;8n(4?wRxHqc}5Mo*9jHGmOpn(50&lC@#YXLV`#wIj? zl)PVZmwtM0P{(FURJvcfwr=zpo#Z>|%7*pKHIY`XaZbHv87~Cz1o$RZAC_(% zXU3$<6_}%)D^c|+Os~nP%xHa{TgHe3zePUqDz9M&e92~zb zp1GFuLc9eD2|d)ZWMw*SFC4jGYTCH?#_ilkwy_<7PZu+w8Upw4V=Of#^Kv!Cr&`W% zxi#!tE?l0)*!ZwGViJz{LL)<9n_@*Qy1b#$KGjnJpKr2#v{Ec}JyhOclmPu*^<<#r<9y|gChr=B! zpyjCo{>5eMUo&iSY?()$vZv{Ksj{5PP6NIX2)a4Ot_MYpgsBlm5819G{&6@hzd<9? z8vn4_uIRo+gsnhdKVBS^NqQHdbs^iX8scN@!QehCl$b8XxO?Q0$_3x0)o*K49XU0EaE$&xuq}!yjn!48$&628r5w1zB4q5Ezm|fMU zge&GVNMIba`KR$e=mQr9HODgGzR5gsKLk5wPp_IJHrc-sY200S2D%!eT&fx%!7vO& z`#R7kt@bH6)AC_*d&^8!B=HElx{i)+V0bESj3FsL_v(*4fR8U3Ke?9SQ(5QkKxpP( zr@^mEDt1^*1X`u2pN~IX#5+kFtUytC^GSHm;jt!%c5r;P7lXOx@t0;wrq=LMaw4vW zk;@CvArcIx79%!pAwTW(X0{Alm;i$hlRPH}KZ%v|0A^o1AX*jwaT`5xOK=>7t-@DJ zM-eJCvwds+Jr%HnNCwbdN2oedfOwT`B!4Lc?9>A@@9K;*fYXuVX8m8M6^5H$j7ukX zP|qK(XQo*-IIcFe(Oa`HCh8j82FysXt$9^76%xg5jL`s9PP_}nxb198i4JLvZa~(U z7#}aUzLu`#gCB<_HvaWN+h&ZtqKUbR1`>JH*)xXb0)^6yqoM6Md#@?^OgjkW6#{@h zBG|Rq=Q+ROX*h%P6Od-w>*F;TFrxZuj2Y>abXG$u#`NfFU|ZvTaF9ZCsi}yA5yo$P zzqqMAmFeqxiDo{Q3=*3Aodeeo|E9M63aU!++k3XgN&ki>be;tVIktSS+ay1TXIK3j zP$&o~WE972$1Dyh{}ZT(Pj8}G`_R`DP+v6|1aKY$3Z|b{lUv@m4NMn&a$3kcQ}uWo z%M`N2+W5OY;JX`=&9u1jGP$@*b+_qETbY7e=Yk+>p5C|59QX%o7)s?ep1M3JfpCk z4A82M{Lfv}?Cn^7#>uL)Z0gttK?BuY+RvN zYjd{%mbo5(a{OYXNIkVojV9G@vFn)&KYoTwRN1?2?o9dSh$Qb3+Tgo**%I5M7NcMYwJ$-4RVIf z$0kJeK2Fq;WM|nssr0v6N$>JwU}LU>u7R6AbmJH{-#@x82VlTVJ}ex$a$o9*3v_WM zl|@jzi`?!FiJMXi4>2hU;&$v7zZeNFpQX#SH@ql8j9gmKr@c3~ad&5`5lH)U=*^&# z#MBMR+G(pq`((+wYd+e4ou9ckl3O6oNcRj7PKjgjqOHXBEV*As00q5*(ua-ZBRV_B z91Y=s3hOAcYb9x&%G-v1?3M{tQ}MweX%QKryca~QWi?G}DwVy8A$h$c*0Us#05_z1 z-7PVB`>8kSMlr}Rt&+6;*Z`YShDlD^zbZ`fT$@$TU=xn>7}YD8Fd(D@-oBj6G7wR` zA%%Q=S;LMroO7KUUyr0s7r zvHx`QeDg658Jl&1C9iB7q9i5Zr*1}qe9VMA_h{?YY(JB2TG(htU`@na01X0I1 zT8p1h)5^S(8A^w{pg(q^8bTOelYND?QCBBmsB|{SgkSi~n(8>Tg)Ug{MV#Qu-6Y?P>hYuupd~7 znD<|^87I89hcJ7ZAzrOPh%;uesHR)gmT7vY`a(1tF0|h*i>sr$_PoC~9B@;4x6JrB zCx2o4vZMHNe&c(i__9s*e7pMm)cyqWJ;U=otM|Q#_I5I$)IY6%A@Ut;XA(qGlL-s?oLS|MHt=9e24#ks>8fP5d#@ByXS5>^WQ}qt zhx7ex=%mSOeR1&-64sUNaav__$1qnSyu`jx-33MOj?(RviQaWM#v105$S%EoM2;5x zcov2I{p8EDmk;T>IpQ|PIoPOrI;STWbN$Bu{F*2#0ROwSQm~ujSDPZdm#mMS$G*h^ zbYI)wPsV)pR*wJq=1cs~T;2Ge#j5c?J#^xKN~y%Q_%eQ~p`~9ImGsZn@wmA4E#cM= zoK_?m{YJL%$5 zRvCgc%HyNDq3`)RCYUOEX-2eI;V`!Mh)r<&qC>ArJa#+Ru5Uh+Qg2cC*Pr}Li& zFo)&ijyfGlIue!BRL+vr&aFH;RI;(C`z) zkw@Ewu$>gv%{xSpFG*iZ(9TP;z_mSlzJGI@%d-0D`Rz$dz|U?ZY&Iveh`rrWVq^** z>pEc#U|TWNKN-np=_Yw3RSl7>;OaW5Vt!wK)qlcnHaD62+*Sb1T76I4;|n9)`=Qx` z;?cC94PQmptDzTbG#)|Y1YbB_dsZ@jR3*|vn{bE^)uOER;p%10`5f@G_=hz({Og)% z6Mc7W2bO(|?Bh&Du`xmsUzs#YWav85L=o2B3F&@5mOl2Nv$jl1JHs+WzibLAUX{Km zJB9FKmqcZ9YV*tFRJY#bl$P2gm{H1;y66N{)cq^An1|5xcY@W3_*YKL*KqSu6{^E0 z%GvthlB^PSvAmgSIdbXWA42t4=3~BwlZq>sxxAC99b%)NzVD6sikcP&)f>mhx{DY~ zUrHm$E1zYZj-Cong5>DcPT{0U`hFs}M3HB(x~o$tqKBsp>X+A_W{kfF71M-ef1IJj zeOs!tIKR$ZGaZ?z!z3ocS6?lP(q1hlKMP$LL08t4I8?9AAc6jF|4>v{9q=_m3;LgD z|4_td5>q@$2o?6+dM#L*Z4vvo_tAP7Z}YyoLau6Rs)^F4HWeWqiaY#?YiE={KfkCi zJHIHTH9ywj-Mq`E5_2eSfK*(Qk0bZjm#9l}pIyc+rO44^OPaI6WDn;`Xi#W93+}zH zHc`yL+iYi1KJ~&`KHoHyAcbV;aTywzODn)h|E=ETsI|nRNso6hpO!Y!BSWnfX`mNO zomt=`81!8nWIkZ&jII0LNIJJnYw#MZetF<(ZEd4}s2npO$mMetewpOF4_o`;G#uJK zH^8<30rOUHl4yb9Nfe{oR<2&ldKvG-O~h6mxbYpqCPY60(K1%nH@IV>?1TBZ zp{E;td1oTu{W$$5$-g!S-;9x&w_#u4^zryi$`GgLGYZE8ij)tlx}}CyUdz~bW{;4Kte)D@4W9WO4W;l5$5WS#CC`6paHTA57UWEXn6U^E)FxO63u`L6&OOe`;~7J~lhF z7fuFGQNiBSr%4O^nk?g`gMYR-+(gs1jrX}a#dcY}==S9<|9G53a#h7_3$_9CfwEmaENkgmy3E?wgNK?Shvr2$C3Q_vptyA9*@UOW#lkN^-(Y}=>j}m zC;yceG@7VV2IW|o60cGc@|kgkm&XTpl5-OHU^D_)Gqj*7p3Z{yExtnF24!vgtB*TP zi5<4LhL@l3X?1)?LHOlwdwX$5A+O5yVbuPA8ZSyjJ-jN<@u5f>#=4kA-mUtu#cHMM z_scjknEkmH^2E2(AU@gwR|I-e`G@^G+87_7FGGoN!UjC{A^PHLh;RahE24)0%o>^N zO7}8l5UOuqDh)U*W<3hI?yh8%Zbse_`@RQ`w0nUD_GU7=|A@5xzGd|ePD0MWEl3fk z?w#_tlIr|M(ff$_3C|@@HgFaDHsjVOWhQ2Kx?yTbInVF~qOMzES0Q><@QLk`>+0nC ztZhTvZjt8G-J*R@ti7e3UOUMgm)w&mgvPz_du|zv)zNB2L$LkzDR#yTE`G^i`gCmN zm4vS3sDoa6tD)nBq1hz=BanZoWEIQgUlhK_PL4G}KT!z$h8_L5+Li}JE5{5+qz#1T zL6LMV;4<`z@Z(eiU`f z6-Ci^jOLtNsmRIVY!~}f_2Zlv*2{*$ht`g!?6q~89zCi}9od=d;G^JwqOqrH<9FVY{{`b1->H`2Ec_v_Fw`&wMgI2B6kj;T`oM zHrraf61q3s5V@Wn;Ln!AJb8^^0ijTfJ#~9+H%C`z z&&O*~-S1zm(fw>g-`A*Hy2-_lnkx*tuL{dsi$Pxm*jM1Yr8|o7`~y2QCRXb5F30QA z5!0`q=xiPc;l%4#TA4tP46-Ts&qPqNK&38IP5?=d2qMQ(kM1aN9ox!7>2uZbV5{`& zLpvnd+_xG|S)ip-jBvbLz8*o@O7W+(n-M5{&eE0uOE4m1>k`Yhr{$Df($+o99`;+? zUP7YRm$mgeeg91Xq1n;YI!McB>47g|v2ip1bkC5OyrYv-eI4UyqcS6Pp{Eq@Z?-mr zUnNCJT5p9=m2kpPUqmx3|`68Lxztb3b8_N!LwaH zoypYEI-N%uUJ-z}hdSU@sJ9$=^;t2Ea&mtyPbD75?`)@>cPAaOLXQ}Vam0{Ta+6HBZJavx67x6{GF|KEdn7?}ei7Mrw!=^P)9{91Ieximr`5sfwpLrj( z!ha->^LJ;qwtQ|tdtc5MZR(hnD#gR+1NZJI<7?KaTOo{cQ^JGjtJ6{J$)(H&j4V>G6x96;wXAORPBLY{6JJCVVV! z#&gP59xCKqU@~NFpA3iD?eI(9wg=>~j5E2BQ49hLH&p*>yhhwVbBr!BnzPjKaBPC3 zSCiLz*bF>(ccBu_EmKCGI~+|*Y5>(B2Ly2C7_lZhR?b?~Um+%W2kYZo!{87Orhm_V zL1q%jZ*B8^5U3Ia5Zz)Z@eAK?g;*aSvUW*8WT{$69tJYe`^tIY#;q7fNZ;pLX37L_ z_oNJc2_u&*;7Xz(myEFVK#ti+c#FV8xQQ}>k$FkT|A&X^u2V_U({AncuEi(tnT7F5 z50e<7hTstXJ8*R9>Sex3%!ZW_X%r$oW&ZFLEBNeo_MQ0;9M?$ljRjQ+oV1EMqw??U zV!0t_C82S_7=ibj>Q!|;fs6Ok`04ik9N@F(I@w<==nP_MYr+MneHBJGvc_ge?3I|AghtiPL)@~wZdww{Rm+XI1-Qs)zLCZ@Vm)F4LJ#IHZ~B*1T!5nC-Z!O zdgAKh%Oxl4G0gkoCdbzkcDUQFKdIgM*C>=8Ux-Qh8I z8O0UdsXf{w$BjVStJ8;TtKdXTPXEqwUPKiv|8*5lwX*0ROM7OCFl0VMt+kAAYX*ijVi)2FR zN537?rfhj~7!|j@=i#2=++FoCru}KOR!mWvCd|G#aRi+N-S;V#V_oQyFP#@ zI)@^CSZ4p0zNJg*zUTFKTZ`a(X)|6y$_ae4cafw~NCI6d`%jzXB_w`*gdaK;oUzdz znq$d66F0yKk<#M}MqIrcAxd2iF>wZWib54XOcl>99T)HX~{7SBkD*d2Ci z6KAJWZXP7zD<3ZOUok5vr$@9_@Tt4J4$K>=7|sxH+J&S^V6v<9?(<_w;+5?@GYe;%n7p?K=x;McWH86-Ir7ms$1Vgub@MvmS@wojx_p{ z5YBkrj?oLOL*pDl_ zQo4{EX^cL#lGYY43Qe%7dN$UamGd&;b*tSk3&x!oMUDpqIp!lmoSP8YwW*wxJWM&} zC2!#t;gNkIo>OlL#W;?;ZF*Tie3`Y7EgVg!}KzD>_(gTw9Xr~^1kh; z78m-lF!YD~oTb~gJ;G9@dhp?0=?uB#cWsa+4s@)$a!mC8kvxC);u&8?f(F_h8|~&4 zeJg?@r*ujR1>;)()z9{@n?LU+haD8~POf{sW~l1LZ4H!|Pb5R2A3<{Z;`a*C1z3@$ zM$fmWI2*W?xUKP|CHS+fl%EjrX3&;zlGWy?T%;Xi4YKVHc}VHJ8Zi^YS6pbU@I1#A z=!k2{9OY5UAaAkzgi0$73NAX1r;PgjWDy~+xOUp22){gAu~Aw%E1%3zITsxi!h~2P zC8*K||CXiYyla!Xu<=Kq108#RqHGVcJWI?uvg8nhPy{0!ynKD|B*U%Zu+vv$QZ0}d zwyel0hpY**aw%3bT<)W}oS=`<@gxVp(UTKOYqg0|eF6gpfZ|iTCQcYo#hMyq=xr<$ zOkA7le#(Lo9BYxKsY>3uSqjYyB@bd?+vCB-RC>w055Q^mD9u+1p~}i%R10KQTA)=H z(CVS9tWbq(hZHOH3I}(D)^MqO^2b4)6~er< zt^vS(a<@FR* zP?E?m{Y^-^7SE+!S)@L!=S-B?qY|8&`lMyYB2ig2QoSRBwxbk@l1n zf&So>Z78eZBsm^wir<$#HEmH8^Qzm~3M16vpsU&ra&L(r^zojLAeDhP*166x|p&)p8ILGaIqo zZJvugXKXloHeq?m9xS}RSH~G!L<(P|LX@Pku0Ftzt3eSgKD}1{DRGmSBnk;!Pe2IP z#5g?7mnAn=mOc-4$o^g9z6}N-b6#T518{^|2+%t1I>c(#UnB@etKE5`9vhHY(MU|Z z@cI9&G;}$z^05)y<%>efJVvQ<%0ijU7T-go?HNVoo)n=C!}i-18^4kJ$0(l+=o+Jn z>;;e=_hO7{gBOM73fSy_g~WcCOxLHXWga*SN$O~z^q8MCd^|u!;P=FDA9((Y;zhZG zMa2v6LyqywwFi$;f%^FjvNNDoM&|59R^!JGW<&A zIW0-HUx3RE4d}B}p|PtM8FeuF6U1~7`wt^&-cs6Z zn#-OA0k^7wOSnlL05Y}XNhISAajEZmD3>n92`QIDhW%6ZK1$N)VJ#ge@g(?i?d7tF zEJp0c{Ze>=P_(J8L*tes%qvc+r3jddboMY|-*b50MhX3m+bBn9W8?z+O51>OpoUMG z?GUgK=<_VYYrk>%&kjWGki0LTRt%z`o5DpRD7Z<;;~Jtb`TKp&9|udNy|JO9xAf&{ z6S1$ou;cdAOylfvI46e5S(gZH@Qg&kC25q5#>f#t^tR;(u{P?phOkij!j#p(I!dRC zC&rC44J0nAQ*u~#@XT`+ZC_JUtv_-?s6#L>&m1L%J>as7s4TH$YGg&6)4MHZFm*uN z6PHr-A>d79RQPC9Vn8}I(>DMKDcEhQfXn_@ncbTEtG91E>5VV?UwK2ei9iw`vL|btcWGbFn=6qdp~@V477#p-IR{{ajzE_|CN{JQI~EDjC#jf-jJ4)0{?Cl z6{Fl69gI0-Ri4JW`ztMRyfglKR^Ig}wN_J<>Cq~Qq}Tt|F4|D<5O8cXDnl_g??V(9076ANfHtuo_0Ew|n=fiW>-(2X}lR9zf9M9 zTZHSFTNCJga1Zla%3nt-Nz{}s&hYq5Hz9X=GL@uZ_X#p%_sf4wr~iHJS;d7E;YG9( z%A>;*7jiju2&;PyO^!$jz=HCibQRgM1R+3`<{HlpHp+)Hx!2KMmTXJBUcii^FWjJP zdvk$uisY57*^gtwdMu5nB@Ng?-h2xKx#x+taP%n4j!j*y7_66>0i9RJJiA7+eUGZ& zUU3yLF0J`Zc8+C<623m(;U)P^E=own3y!S~s5(gI3w|R%7=sWuTIp$x5)t>QLGRAc z4LM!$dZP5KL}{v`j*=HtuCwS~PdNxuk7lk~I%CRL$| zRa_onJKn5@CO;Tf0=K`z=QRglhghN@^umxaOD&=p|9({0f#XMq_jB_z>2@Hu({W<2 zrKh#PX}e)UTn_XSD#N7G`$1nV5BZn`m@}ZEp|VU~DZO#Tv2vwrA!lAb6y33wED^f^ zY}^fe5fXx!2V_zqYrte66&o=E{cv!;8&g}H{rkxg3Oa(b;QcgG%=%+Pig_Sk)SNTA zDau4Y`*Be5hAIlq*zn$W`2HB9>GblL(+H-@Mv`~ROQGY}&vurfu(jtPcoYl!T=}I(=8vxr zyI37{$BKrCLQXw7@&snE8YtbTcf|RdQcyKIe=SHhn;dz>z-EpNTOKfF+#S{W$`Sc* zc4%=*xb$49a>b!#n*5=4ls5kTiQsIE;pTBs!g@|ipCIjULFG{l=>&l;sp_)imS0_L z189hElv|W2ObJu`8puoJQOG{72F`zw8_t)GSmupOHwD3P>v{0IR<+;`gHNm8b4D$AFq9xQ@ww-30a@<=oHcBwl#9oH6vK)J7gKO)xah6<6#CA7kWrXLP=+A8paD73m%+xs_YI)bClD5)e#cwl#J_QgrN5YpvpkZ zEAX_#Y54suQyt%M3ej2&6FjI#wTLxXO&x?z1*?;TG}|Z1b~xBw&rsB2 z9H%p8|l-2pf-8r@nf6sH(G67g?S<3WNO=LY01A6`cb;`mbPrcpC-&L zZTed!zI2x&$P4&o^HeroYfT_Qv({mEgZ#PP%LmwBvAUC49A9^=@v)z_6ojegm_4Zo z1rMQ~N)^8DPnG$8pl9L>kMI*y3`@cWJ6+0`LC+AbNP$<6ugwVgAZ_LPJf%K;g4P;i z20|R3g$=H>J3BAtIiF)@JPYL}JTROkEv~;LLFdTIH7_m8o*uyM`A@+0g?37=$!8jK z!DIc{zl#<6iH=FoD~G?3DW=_Wa8+knqGRS1^CXK*l{i!4zB<$-<*&>!`*Qrk@hmPq zxA*k*VO-6Mk8T_#@PpYOmc zV^q!!&BRe+f&MY`fvv4cRGJ_3(?NRH_Ge-$L-_)C8Ypdg2TgiEBPv6Udcq9EpJE|S zzf7z>dioC~Xe|`eV!r)|*TrS*+}mKw&b+4zN7kg%lBL3m6k9am%b;l`B&IsWE!xj# zROaAOhXR<*;7Cf3iH2pYX^tYS281F&yg%BY2?51p_hs;ouMGe&^l z9vfUsQxrnH(QP_ZA)1B4ACd(J!#MV@qzF;hQ|sGKd77zP4-EhR_7LNs9wRpdw$+GAhSEdq`SL=vRQ{ z?+@zRAO)w#1kVVQr6q8~x{R*2wiZxacMX}E zn$emllpXrM0p{{l&TEzH}78dp!F^*9_;Va76ol*1B08mB7oAjh9k*-@#J#@zdV z0d7%a;aXfxTj3gHO2^Y)(xSYzfs$)h4|p6)76E!AxGQH`b?6RXJfrenWif?)`kiye zA0W|44=}MHa6B9Y&f|6=IM!w5TaDB~o=PGQNsR90;Nb)Tpeg)ckce|LlY*KFTz#tu zDD$V2L$QYJ2H}oLl}-C}#?!z)n==1xqU6GJ1uPTZEKtQ*Ys+Z=9fCqQXOE8 z0V2qSbdhp`19Bpt=+lcDm#%;u{sJ|C*|iq>?4T}32x6E`y7o|B($v*o@RUTMQ_=+v z7R<+2&};S`Ic4IqQpc-`!DJSh!@=YVaO|3rZts!IanMHQl-@@lKoF;$x{T%j4S+I3 z^no%%Je9484&=@%z{7dB>d^kNa%R{+Ss2iX*dl672sc;XABF`nDqr*fRmd`l6`m|7TDGKYw z&HOL$P`=H-rx=%;=y%s%4wU0^?v!ca^m{1|$388&63+qhp%@495jg_#`F{hzG`Ba9 zpY;TarYKj^b^1bB{|f)yN(n2~6MVFksrt!{!KXc;(J_m`rynbJSAv*P0nSDDT(*ut zRh{7~NyM>U9_3->c@SR)^2q+nIN|mNTmZgRm2f=o?E`ZBQcnk~GxX$t)!roB@mJ>f z%@H8?`Wm?Ns+kTZ+0TN*KFsi@1{ZWM?Z6y=T>)lm{*B_Kpx&TTW?I1`DR%x^k8UId zT|E}mha2FyCbhBsB<#ki{Pu@BTz4nyix(0x?9d(Wj>fzt1z4|cmavcYtxo&(e5Z%z z!6WOP(C>3qGOoP*6HQr%FQv9k9h$6X|Jw1Ib>!7z5F8&ZUvS2G;d11(0M zDCBp1OWpX(fgfes8=78m1D%gi1#eO}QIvHOeKG@ZZfe%T7MSQ-0p=pPCjm*wy)YBD z_9ledpas30oTa=^1k*CHS?7si2FqNBw?^g#6?sU2d0NpEx;;f7SZC~rH&exZIgF=^@9KK^2H$tvr#Tjs|T8A&+!x59|y zmUpLNBaco;b(NFP47;Vr_?e-+K-yX=5!usE2^NxMY;&Q$nWwoI0VR5HQQ?AxLa1W^k6ZiIT8(+>WM#F-lbLeyDD21x(1;Q|%I- zTE3;#2H52b=7!_3*v-qMcy+CEPLn|qR}SR-l#J?_u}=fA)eXEV-+t9Ts~ltCzl1h0 zV8?F|&zdo2DcLr1CExoY4g_~Z$dWb0mr6ny-sntYgF3}%Zc7??vkSV(B{O#}L#at( z&k|+V+}#CV#Qe^@jMXtW{W=J?De3i0e~8;YS_r)O%hiR9zcq(1_gDxl)`qtl89ks~ z+MUA2AHk_Ff!7cuRutuaD-|fB$XFe6HYBcS@LBz%O+!J4eubZhWQ3;R#5T2^fXb@= z`_sG@>ZdUN*QwU6ovn|hoxH1FHU(Ve$>B5wEpBdERKcdJhx5Uoq$dQ}B z1QR$9RZP(em`zm^|3op^^_26AHTs=-c^U9V`LnZQc8Go?k-&LStempIE01s5XX&VV ztyaz|Q_1Uov6ont!aY2IzsKG>O_%B+s&GqY{3)Dp%$nc%=f{ysVkXlWDkXKO+XC|F zau`nCpoWQD+Qt`KcM0mL1+Gw&>kwg8oWqk5;7tWI@J)`v!Vr>pRa}eAJGJb5?S_AXLJn*X)q#C@$xnLlsjjPEp6o+J6%AT&v6~;|F=LMxNQir8E?>P` zgmAf^s8_KEftG!6wVU!~dthpAPk_tT&O-i8pQySOX_9Q^Ks#6YT&cm~t%g*Hsf6*0 zC9v3A2gzH`e?G<1RbJu`@HRVOUGmj)+L$I=6g68hrGi;E3bJ4>2IFDv%v4AzcvY9V z1sx7jQNEwDX5`-Wc(Bnxf0VyaA8$Qr^v%1cLe2r%_mmmyhi5r@QjXoQGN-{9zByxO zjUNLWn=KbODliQ>gY&Mgig~pqoScWQ+_Jd_PWcS=^9!_JXC*vr8qw+xb^bU>%%!f~ zm8N^awj%e~Y=*U0L3t*QBb_uUJeL_K@0DoArZOpWLQaI6q_Ci0#2@ubLN>A17p+&$ zkSE?e9GhHXLEVD6r5r9<>sCMenYkgy7!}pfMuqn6>c%7m1Oz|`iv2tKS+}V0fF=C3 zp2MG&2^6e#S}k}D(vX@scXL7?+^&jnXO_3Ui@zW^0QC>gGU6o z(iA(iS~yS37p70wQRuyajg-1)20YxySa8;Z0Vr~AI`qp^MD=tG6-0Uk&884`Hl9Nl zionF!>6H)o_2z;&w>`DI8j@VypxiPP1b>{tmK`w+C=Z+3Dd`QyXqpbuCQ5yZ8A+IJpIHybCSF!rE9SDi7lI?Q6 z27@+h)~`FQn`9uHu{%>kD%7p#5Yo0y$nMSn&e?ij7zp{Y1e~FLlX722DHO5TK??Zc zK||}4wXENo6E~FCQQj};lu^_~h?Eh(>%}c8yif+8y*)0<3hM|lYa-ryg%XtayouM)S?>0Fm@zJ(6?E_Ey6mBvhlPKin+rY%wQ`A zeiT2jlkky}aEr^?ch9J}3Efj6mOaoB+!3_$@w_IyV7!h~2@ypxU5M%wz)VejAl|cU zxgB$2t+MILm{P&q+#(pC$&{AZLL}Yc9dX9lVs9%uUT}q4(Z=-DU4@{Wt<#C|{L- z2yx!65ED#ACav;?Vc9cZQi4OK8uc&&IEytV9b$xnVG`A8c2mC!oocQ~Y=64SRC!^b zl1PPE6L=Yg<7DDBMx2LMu6(3Esk;guPhm?QGdxO3V^n!$U>8X2&`4nqoU*edkEDu9 zr^eXA;pR{V4>;!T(YhhS@882w#j2+zXlQIw*DrU2_rE|Gz{WJo)#>=@+B+#mcC5w6 zVVjT3n=(6kg{>B%YKhYg2k>ZOdCFKC7Pn#-12`W$qq$& ziL{seAmVC)9*xw;Do>Jzgs%%USaGP;4PMw_j6hBgz>SAArMZHaYtsNpJr|Tjkvxsb z_Y-xu^9#r`d(__X z!mkS%>lhzLKRjtm;XxaSb$#%mXY87Td;U12QVW4e1!Lx|fb&ijtbtNX0uI?4ppXn~Tn$`Q+*j@+_j`*Yas*t+(G0UPBL zSX+A;D!ry{ElEoS7ly@yQw7qMMB>+zT>@7*Ssw3;Kw?CCySg3z4#T~z!KM4g6o?PO z-$rhgw2onqm#~K2XV8((F5^J^12nH8&e$7e88F2dqhN@;mlisf)dL)roXqxWrFuI2 z744r}RX3dB3Ua~9_vZ4%t7@SInt~nJ;is5Sn^8>2!P|8KYb0{{99@#ZqE{a?$QOa6Z!{(ZS!f zbpMuna{8ZtFHimX8=PCbV$+15G2Raj9aPNj)_h`9S9-~vdQQ&EK_(W2ff>SEkVQe3 z7qX`G@VgH>SrhpA!+%$;ebGrmp$8U{iR%as0j2lLg1fkf-`yW-5^Gv`zWgH6#+Y+I z72?qI`mVJ^C|gh6pF(QKFWJwETp-kHRJ;Xw6hEJvg7l^bMs_A6<*W@C)OiH2WKsF` z#p*GlYnhyY&DN8PmNBvhOGx%<=&7Gn^^+e02+rA^ zoa=co6z095E)0qE=U7#b_$GJEM`qx56(!M=IZ{`iD}S&x=jsc;iq;8^ahTlhbx-W3 zx6`c?J^dugH;!||FoS7w)1oU_=H2l{dDQj$i;?>m`bCepO37627rpH%B@t-~|EQy* zFJJ0#-+#P~+@#OzRCmV+ulg`*gu1-s4ulpt7vh8`K*6f@01p~ic&DIH6N6nO{x4oN z*AoIawVP^NOi^qI{w-9092fIxk4q8yA4{RjT4l(<)suZt5x*F2d?VKP-&Zb(X7-Gt5R4<3m1#vgI@C>cZsZF-lA2@xaeL2Eak>3NsrgF~-exR^I@q4;*i89C5rb&Mzux=Z0nmbjKhlUYP~0Xh zsEve)eCg|6OHC}oXKp#q>lp9zg=wjfb8u7qc9=6!2qPNrVE~;WHP}~P*`y^$GFN8! zTb~5$5QC6{zsXVN!$_u+bF6~COY+0n@+I0lZ|JXRs^^;7r0JjX$1E`8THEoVPYQ7! zx>SQs{-8HvKn1evP?A-|%E3;mh@G(r!N*F+hNK*U>;#&Bl@qczeb^RBfA8}O6jw%| zphl!6L@P9ESdupd{x0w9hg#2gDIT21{st*MfmK* zMId)c!iV$9V2avJ$eUZlOPKnFRcU5t#1+fxOwOuAuv+%gjQTO_<4m6z3A3!f3R&-0 zID+N;`2vcVBflf(ZN-Pn*&;vcKm4TFC-66Jw++R!=6T6ZW5e8lhm=x`IHAZ1PPcf8 zGV#Hb7xe9G<3V2gy=OMxlpu~UU-EzK){ms#{L#!vV&@X3&nw{HLQOj7a?Z2i|ID{* zU3|k|<2mQ$Ak788ax5r`{Ys&OBm&YxD_ zN;zy%xmWWG(w5M?hr~o%<8!u7?0a5{pkE|L5L1g2dPYGHf!n)%6_TidvhY|AU>(I!ck*Y6pqbpx_}7Tl97d3sHAIp)&G` ziK*bD&@0J;CeJ3fMh0WU_T&{Eg_rKttA|`7;o|K<{eyF4#G@+0Shc^+`qNgQKQ1I@shdL>T_N{|`D(8m*p1-6peFCmSl*!yA zkFHM#XFp;&Z*FP2%{MIP+&rp}S}*ceb?5lH2V1BVKxuip95J<{!$K;@DsQx})DrlxK?qqEU*U(Z`TSXkafPD@giL{q0efB}gt%SDwZQM6=Y-nY zJ<@JjK^!v9H<>|&U3}xJ zn50!G{n{GZkZcT{e!Q3Jc#ul5N{JI1FCV3kH+bctrb_lmJ;qJ{U61a&l^ml9xRQ~r zR{B&4v(I}>b!!JRW?Ud2G?>eZuRXiX2FuJps*2e-ULj=*^|t_@dD|e$jXO-v?G?L+;Xo;NN`SL8T<|dfrFgT*Y$* zWzK6#MYLbvO)ejfeT+B&zX6Yv4k6r^R3}x66UBYVshaKX6cmE*515A1WHZi~eVpBP zC!)N)tZxox#iuy)#a_e+k2liN>=scr=}#i<1!D)4g$Y@^7-9yZU&LY&vBlENhCRM; ziS8(x`GKDz7^1tn3D%{@4*L`VAmPYF4JukCC#gl%V zi;8%d+*-^kwb)&C2b;kkalEc4$F{Ge?e)V{G{Wb-`U2!e<61d*t$)SVx$n%;to_Dt0v@1`BKro@=kG2(mi13M6EZJh0leu z1-Q)+Eu4PxJEq>kXL!|_(i+N!92-4g43)1)>44w3ytp)6yc(3QEmKo1`TSLQg1bk^ zv60(z(&Le56-QHoa#gli!rfP0(#S&`H7iv70~EA)q=(k6KW4;|66K=I5z_-zdMBnI z8&mefSf4({#+G=!58vf(T+@c@ksW~`tDv72_|^HL4EXs5>*yzoep$iWtn8^p3|g7@ za-ga8qQvUPO)bv?-eSY7e`M&ijx_vM(roa5-nvTt1#YYorcNg8vFa##7;m|Xm_!2BA+#U{UVa3-9H_mVUcBy+CB1Zg$V_J>1I1ee$_5lm&5SHjm&Ow?ABZG# zDKp}77Son8^BvO^QT07xcwcmQkD@OF&@-5BIr8B`Jd|x3?>|V5B%wvz^BEZioQnX@O-R3?S9?JSoDR6tKj~@EYucAbn;N#r+Pl5pJ_6xQkVk1Oeq~;M2V|) zCV8Bys=&j=8jI@hn9y-F$BCjfu|CotlrJ+Q(0@EmcK<%BCYj3q*HKZsr8R3n2Q0oH zd%o%qtd|Syz^sqe?7s(9{gE$SGuUz8~8S!PjNQiGIt6tJ#8xk$p@lyFaI`eRC4e6>6n9gdk zvn|^`X{c>fm$mAzvGL~e6=%y>VEoLK98}Ay^OUR_%7a9mu;G60;=O)=UY;H86o1lc zV9T0qWnETv`7W55s=+rU#SaeK@T%rcTD0`eohYQ(3^!-^(&nT>myJ)@_NhC+Sf!-? zRW^fu+tEK*P&Ny)dN|`lF?<-Z_9Z8kHLAx6yI8-N6%%V;AHJ&4%a-|+N0^OFJB(1h zD<%`0Vg3EB85B~)UivPV@h-8jx36}VoCa?!kku>Dr1w)CmW=zHnj9ol^)4T|SdCM( zI>j-TN6+pbmkO4|9(~5YZXhH;XJor_daYb#1YO;wFz&^V)7@(#`?%9VolLDh zPZvVxM<|s&BuT0o%o(ngP-*s?feF8C-lx^@St7%DreL z?zEa`8IIquDZ_%zc7CxQ`%pw$EITX$LxHT$XH8rU4uwQcjTnVzn2J<0rm;qOTW3K1 zm>`kgt&LWyB&#@73*$sNFV3Gcb8NfB)CB$!d6TSB)Sg#D@_un@@$1*{{eqO%3AJ72 z!(fYY4!ZpZp{#*n)k}jgMR-(?v@6>_VHIO+cV5U@$H)8;m}}A{T;t!3KnqJS9eS$Q zOmh@r(B~N899ndad{UD86>P7l{rN)RDu+;}>fL8ca+y9DQmvNWdJ9FAs-!*J;o-ct z2^5hoErl$_JRS9_IOzQU;O4RL8%y3i;M+^=woLE&JEsL*?OeOG4p=Cn zegKunTYsc|prFcy+n$K1mGy_;zY(}v(S(#XN`fEolwSt;mRsqBxjcdK9;-`mkQIIOwP; z#a+F9FgREd*ofPHMJJn9RKyVOzIAkz_(?tXw=L7yp@`H3QJz1MwR(N-&t7bwMWhC+ zXzFpP{)rl4*MF+BV#;2P3!Ca4gP%0=j3QJNydCrGa#46K*uW4^`cd}$%LxPJ~6+kzltHQ$g z{G?w&82Ut&-bjY?q^n!vTuWq)h{R>VMpf3}J*9uAg_$|Ld{H||y&I-TW*FM9vPYlrVDz1@P80(dNv~QuRib`~O!(k+~>5fPb zqiF5Aub}M@=M|AE9fdvpnRM1wg-7Y%qs_=php$~WB&!oVF}8`@UIQfK@dJzJj9ziI z;}Lgd>N{#dGKuR`TOl$sM`PWS7cPB|{<$1ghR&MvU1WDnl!|*BIBkbFw*ciCY!h2cuYl*cj7#^*2J9APT0Z z{FnbZX+64|4f;=Gt@4XG_2Zs65*kq~Zo6gairCn~sD3AtSoMZg$4>{|>F1?KFPAzxvU0wA6o}sY>K6&Q?+26#F}r%rp>;of(K=(t&I3z+?jB@DwtE{W1TwUrj9SYyFR2eH=> zjJIp|J?+}ZZ01bpHfvD&B*+d_&F=}W)K#7rgY5R5BDMPeO4Gt_E^!; zHa)xyNqBOi$G@6*0i?RGWYn8W_1D<)wZ+9b`FW9hsiy9vQ$Rf5Cr#ow7}=?UQ`fYJ?~(Zov(m$Gslb>1>G@D$Jm7h zG{$mRJ}v8$mzP2VgIJCBI_vToR!{~7OMCd2yDF|QW@qeTFO5y9ciM?K)@!w`zb@_q z6(!+gKIfBX5(yF=oJ#BBLb(=oP0uRz@qN`61afl~E$SXV%p+0gSLgTG?1D*8u|gm1 zm`s1uuw!gbJjBd8UJcJ7TD2W$xrmG9n8K{2@}Bwk(?;}&jz;@SR4xCG$Zgtm$RRo< z*<&*0aPi0qFTy13_owm?l{;O@MrET4&u8=t4#g*v6sMJgVN;P#3|RBXy<9E#=wO!j zjrMaR>cN~yar>aC)TeE~EJ=XjEPxH&2_1Xlv?A7<#-D5Yl*jh-9_0k#BNhTV!`LBp zSx=L1v`H1hK#i9nv*>GDJVrkpf~e~bPvy!~?0OYQCsP(ROS7u*lXkFXJ7%MF2c|iv zWld#-?Lc&D1~w2?QL_$}lx?B0MY`G;)>Zh;;+`&hPQstuCVo0rHvYhmBQ2{}>zB8F zh1Wc9chWFI>sK0j_{iUF$FiTU>m@Kpajjz==VHFvCu7d0=J;S*NIla+4VrSHf@#q5 zwS&rMY>P79tw;{LqLufmkzxn%Akg-ML)itl`uNRU=x(Y;5v5!diz7!I>~WVrgtd;q z_Db966mg=oRm1P`VE_y^a4FnNvD9=@RtzQ;bVP%F>Jt~tMH*C~Y1ET~ zJeWCqe*{=XhRd+{u9Q4#@FL9FU4WSJzQYggB#Txce|#AEf^4w*m%81XuJ_ewVQ#Um zvzCat%x1z%ip6ipb>G|KBB^hjl)|{?m=!29=(H^+2QYD7n}`=b=U1)xBP8EX2GSr$ z;6BtH@!qhAHtJVwQoEzS(zqei_JZU4v^S$ED)=t(G3IJK&+4TY455=|k*w=Y>5Eew z3dhe&b~>JyY(jF6KZs*DDD}SGhgN5TedFj(v=Pvjg~P`y{*F%(y6|e!N`I}L4drL6 zIQTuFA5mBcL{qKP=)Nv%Q_k$FCP(zTGH%PSiZ=Z8eSMEK$cpUlMI2ZkXT^C{N9$-* zllvsZNRlxb+y21VEL@?hLCH#u1#$Wg-%Owg4nwG)4T3{eM4ZF9xJG2~*xG~a|Nbk6 z_-U|dqL`0i`$n6%Bktz}AIopqITI3>GeVD4T6LL5Ky>k@p__qDDEz!?qG04<>54Yw zQB{p4;%0VJ%&IZjbjzdn6E1adk)vFB1?L?uNkkm4ndG(la`+#J^&Ve~JgNwLzK4Zf*S`T$0!#|^ zq@h!*2otFD&>UrzAvbbeC_k-Qcg8oXVOXI8NAqw={S{+dy{umbOI7%Kju^mu5)H$~ z!7lWs>dQ@xy37$!0h|owui7;)sZRpFjir0X>{Ci|o+)3t;YPH2Jnno9bI3^29K#RF z%A-^KN9rDlSZ&cq1Ex8%=6v-h-Q)}3sGsN0MTvQ5Kuy1$xF=#w;^ORwi}}}rr*%uN zUM%nOuso-H)S^+Z%HzvbWwGkA<6bZk%3ifptn@Bz#hE|Jrf!6WNyGt*pAGK=TUCdN z(l;QK`M>McME=dbI|?ejk*1mTcY}*4cqmTRR{GQw9zYMoj^jrwv}CJQRO$VzJIR7F zi)@0?%ShECo&V{XgI3ao%Yl~XuBiCQ&i)uZClLJ3+4MJUDA@S=N5p;r_~syVxKGHy zkbsobg!hztl-oVdyegFI*GR@8Js z-axK|-%I5MW$h4%F<6(h-2Y_T9EwSw0H0Z8gSFH<77bT&g&0na{DJ9SdjCO%@;aog zn>Z>~0B`YjJooD5pItzM5cBkWY;4$jptU>FFEsL*6Ip(u1PysFCOyxa$JDUL92FIQ zXuR1UA?9w+YUX_*a=~F=m|>)#8r!qpoIFzf;MQcbxlxXV?B(D5LM0%zx*0v$9~IPz z``%rVMtz~63>m7>QutRlv5q%SZm^jgER7x;Yie`io*DzmEvJ1bB@m}=f07rCij5w5 zqEcV-2lCXNYhN{imG9ZQ?us4=1Slj)&PsVGc-~u3EAKI4=D651&ToYTc zFDPCtAvv)z5ZHm^yhORQ4lDe8Bb`tgqBbctnwQ?$4IG;N^y7Nr;W1CEF89vS(L$an zHJ}y$csCYi4tJ~CFndSh8&LU5EJZVeC;eBCJ>j0{{3X32yh^h{pB9;!~CEF@0M64j}}rE*pTXx z?d4(YHCAT!ROp;5<_yrS2mF{e9CVr2TbIXi?;5(hy0yfHPwqGl(P`y~A4FYr%>MdM z2X%w6REwnN-Zs7ZY9bX_-z#yv%GZ1?a#{!HzKqoVl=#f)Z2wX@LUfb&5-o1a!rvl7 zx|_7+BfVcbOT`ar@Ho_syHP9Enm5jr4nXWEql!IGr;J2%!7rNc~V-Xr-+I z+Tj4Ek@34+xAOI@)l_^88CnSTzw5L=SD-d%R{;XSSuzIU>B*th3x;2ND`HqTx z;r!pw(xFymD68^9RkBDbf2K#i<~O@PK<2SpFRr!Tkv=#PVMy@|sFx>wf}fcv#;)=n z0bPEFw5WAey?$wh*3JFb*;osY%ehC2c-}HbGj0xD*cO%_vh7PA0di7HZt>BaD02K9 z?vqXcwD&KB8oR*Aat!R3Hh`bitLNILZMsQGXG#Ue<$6y`OlpxCsmdnjWGZr^UuUPtS-p5#x*9nDg!S81D=Mx0i&oTx0=c_!~CL8+K*a!J`N^976? z9tP9-58MdV+zqA!n{~+H?1<5;jJ{3<9{rJl6WWf)@wU6W!edTh8&it{&1%~9X=?Q` z1GW(}_lFaG+D`jTnw5mLUa67Ad_K@47=Fs5i8U^D@eI(DwoulX$9*k(NnY4p7H0XT z1pLE3)VVDCU$rNvbqdkRV)6h~vpzC(`xg(AFCuNjfnZ(7Rd{%#->lH|qkF-IhWpnB zyIeu;7yXdIPbq$4nSijg?VQ}v3bozV5J&Q@^w#f>7)U)j5@X3L{TU@D>z!jV76kWk zIo^Kx7=2ljbS>51Dd%Q8JM8sWch7Y^80N8pYgS$U1-zjBNei{vI`1Ybl!h#YHNz

    9P0TWEHUDJUkVm;9!Z@*K%?O*IpZAK}SJSnW6XVCLC`U_) zhn(L{T?jirK4m+)nLdqfX8c3ppFrmP9^TUlu6f1$zkvOQ6MC$-HPIrE@>|-9iW~|+EEIr zAM1i-#{Y8F?%G!YXdhdSYJEoLCh32jBU=CJeia&ZR6?QS!sDPGaZgO#hxwAYUznY^ zUy_^%cEHUfy!b%w{1spTwgQXIMi2*YY_7WfQl#{fe!3v-Q&}Ap_OJS5`)n)9*Rggn zJ8m86<|Is3tWyOm=!Y87le)xOgYbasf43hf!oZ!n(zp zr@9J!w~LnN>yrJ>1YH}n)q;a)g?}o}j@vw#vQf8qeM`%tA&me&_gPYdD)N%=fbop2 z++C8&p2_N%Y3EIv8%7Y`YgkPFJ6_@J(X^7rOw(!Hzxw*><+?9*qr_?Md8Z00F z_T-queI*e}HP0*8f|Xz0?N0CW2VLh3y{etr61CD^= zT`={CNP)@w;0c^Jn3476M?+=WZ+Z{=5HSxv9%v1A9Ia8pB<8EvnrD#_Fu=;WzM&$# zMz^ylhm|4jAUpZPUbrPnrsML?syF3j?&(gnV8j@fC<&#enx}!PPdQjZZ7mVpv3IAn z7}uZ^Y~Cf29ZO1en~Y8+YaMN@iwW`c&Ox!HABGt*PLX3H`55l(jb{_^sVmSNAK=#= zf~D$f4K(j65mvf{rn+^88re<~VJF4=g0csl*zKxsw`>t%C6yizknECH5?BaX=FEaN zfOIdA{*r>(!pdd!laXgFb;=QsOyPx-R-vzy_vA}THeMxfS&3oC8GUKSSDOMn)m4qi zs>33ehcM2V?+(l39~FwYXo=ZdT(vo91(7QQdJU#NDlNJh23Zw-L%=v2-Htgd(hbSq zxlQDxyqNJKCw_O4<;IHmQf_A}s_^ZYq{y^Uf-g<@W4D=;;`cFLr}XZMaLRc%**$?1 z-k4t`(N6g*KY1cPZhtbw?&f9U+A1_qMwOd*K%u9LD27WK^VlzFi40flh4yzvz%5DY zQ-zUT8JKr76L^ZyV>}AvCTUUd+=q?9jdE|B}W=IY3%jY z4lz&P(0puoJi*`I~8v%BZ@g_m0|zdox@Gdes@U(mq1 zq)&jKki*ikfi9WgHs_44{;zP6sP~@I!Vj1y7dQQr9(6mv&VGAaxo&L9oi3Qe-WO>q zaHw(sO1$^aUiu~#s#w(`tu=Qcog0QG7*$Yj2>siIb`S4hL0g75f>fJpSg41u&t84J zkS6EO&Ru=Poax%D$C@Kw4!YWn?*#3dT!Y0qUN zz&)&>&IZL{c*$l|SWDT!0lLzefDW?0(H21gZ6~>qIFaU^!qC};M+9#b>LgC5%|b>k zwBXhz1)UDz5@_p6)94b%Wb2|0pYq4cOcHvuvo=;eRhA*>Ce*L;lS-v4< zSZkDgLW2Ot-YeRd=ibP&9Hf6sJcn>l4hW{D%Xq2Ue$K&`avD;gT?kjX?SDw@YsMYC zdwxbp)viJ;n&N?5L@r9Re60RlNsn0)5f$Db0AKg^k~-3?)ueCO#|h@C;7R&z$Qlz7 zeb%~P`cDt9$Puo7Q=d>9+&Y4 zHEn~XjoxWdSt|9zOoZ+AF?I|&o@hC?Al#YvIeyTt^Js)V*@hX>kdP&JlINRW(>gjM z5)vq+;%w$2ag6rIZx`Y{v2*$_S!seSKw3JIfc~A1<>wr?2uCsR{HhwKA4^R_lRQal z&N^)_?nOmBMQ*ldj2|88cGbltm~O%;`zwm*xY?jtIF2I6`f)jA+)z3<)_w%lBWWf` z5=kZex#(r8emT8>!!pEK{_?+kCGn7kjgl+;SVqNeL)o~z?k#lZFEg%h4Mhz`oltps zxUU!wmQ1PTP6s9pB~C5}McawU@t|SWM^*{>wz1z`_-K0uSC6tHnQjQO#)EQoq14%B zBmeQlo1&xPpI)82&{YG)1aapcqy=2&ADPIRV;P%$b^Y*pH!P%8TRwbnvMFV=)`*zW zu9EA4KP)m-Q0bKa*VLJ1)BVKrA%`<6Xo(ytU>B~Zb=Stk=?k~Ov#2&5Xy?~1Mda|$ z@KKrQMTb^#m%7cj(%}_ve5&I(^g7mEM2-K~9ORf?Q;AaB!65HjyKTb{&qHt7$#kAb z-+YhHG+qb`D$E0+6|Syw+04gFUZKtMs2}JKH|=qxMPr~~HW05kWS^!<$1~c5{G$RM z9^0cftN+i`R-0X?vMg#9u%+|uB4^fHVy!;cocIa16lF818-u?X>QyDh`nVJ%5#X-x z*jlHE3a5Cfa<7wO2V94Lq`4`k$L0au@{m25y7Da%eJj)`w-$I$I=uO}R&Du(HK?c` z**-+q1$>yR9}RUB6BP2tzO>xY>Pv@S^S=uo_j4ZWN&Htue?`M5w!KuD2G@wj+BEvE zivi~%|K-;`ie~0?nTBe6!zy;)skLo_`Qdlxhia$QsltmRiKa)7Ke=RgHucb-R4V{k zbHM-T$BFq3s7pasQ3KxgPRe@iy#qadDS_LFJRQeB3OCN#ydqmbMqJvreV-)@y9=kZ zii)DGL;jBoU;08Om!j9_K_hlD;O8!P8sIK|2k}>{My>JHSN^FB>9bO0nurGpq6Y|{ zY?0T}`h|qoiD}&asrGCt+PbaSDlWOL>7w-eQz88O@v@*OcXQ(=H1q3EBmc)KWEQ2U zH4f)|>~N;)a`x2up+XGa`C~l*XL!{rBB?TWijVyn1jn2RPs4ZKPkA$L!lu|o|LQsO7f|G89 z@eQpabReYo`>XQO0&+T`2^*g`1RoOr0prr1vrG~FA+4YM4smc6nMl5FVdzn@5}mKWB>F5(UXgd$ zUIo(qeaft*DL}D=6no5!B{FTZdSfz%LRg3mD2zXGvk1o%O!Fb{QYI5D)s{jL8fm19 z-0dU}OL2g+!-EGsjV=EcNGN0v$0&WNOkkr6 zI|fqqcMR|eE@wG(WG5%M!^mmkcjk|nZCvHAa9pL>nZHcKB*wFXZM)uagYP7e6LP9G zxJSNF2+~NR_vo`uM*lE*56U>x*g8X>FH!{QZbW~_(c20(#l#sM#jA#^LQWltB5d?2 zSpK6pPE9h9Wa0l7O5T);4vR`;uR@t%>C~8rvjxgu8~ZQ+%Td3Uff(RKg1+h>l#~mX zrjG!|+>1}gu7R77?>O;_)4ndYjc!M6Pm1+Sa>}t6?b^ZP( z(OYsbaM{MSz`Fnf+}~L8ji@VSj31p#G8}|e++SpAXsGx$(i*w^)5(PU^GhQBPeND^ z)L#8Jq7xB@8E?4gVw6Ux>QCkNUe4uF&V%19^bR=~|7b!)uZGdbtAE{=0td!2ext1S3~<@+MdZ#ZB6C-z98ENKSD9DaRlkq zQ2^)~S2^Nob`3LS&gO!z;oRX0z+R!dw|=8=eqmykwXz(|-eY7mDT<@1|3w_BITqE@Rdy|sTSLL<;(^09Rp zbWvD0K=8~!ixd-p?0uF%&yF#I2k1S8<_q6nZG$D;5f9gDiS?~Cecf2G#LhB3P*^O- z0!iN&ZJsvjB5;q?lv3mdN6D|)V{9Mij!>cUNRxB^86OnArr+kv-<^vi*i&XEu!TrA z1;8!F^@y>??)kW1@4_@8nkk@{1l1X)YnRKTd|vOFsY_)oIe5d!5hs-JmM~rnE7)+C z@+%e-8=D*Qif*5wX$6^CrT5UqTh_Qn)?NlPDq+IRvPgHQY&lO3!kyngXw*-4gTDXO zxV>eW-9xGH{zgHPae>$4zL}0z!|;i=yCBLpkH2-2`u0gn1D%D*FU%q%LkoThU_2cl z6PC5(2HnM;BS-6+;7q%h?BR#w3z)pO^kF3>{~(1CqhR_Y)V$wN-es|uZNC?vL59k~ z8b$nZx^6}E(zwcWCM(^EWdzj%m(O&Dm+u`I!PKQFkthK`l2HicHKi~Yt5*fT`$br` zo}sz=Z03<%AdZvNuDBe%LeJz)ID^EX@MF-t`Wkoj91r!F55vHJ=r8f6<&u-g(s!^X zwv?`~w2A9f4ME}ao4Abwm_i$8m`q|B4I!3Qj2KKc_V98cE+(ZA#a?#?DRPFsaA+~C zRgsP~VhO+V4E)I(Uz+*?$-#`zmRNNmXXCo1Av-K#d{z@Yp&Fd+Z^JRgsUsP*nG5?f zYAweqLe8?-xthJy-724~nhp6|6-&dS)+Il=wf-Ut=v2lts+lY)-Loi10L5s(%hZ3f zG=e>t%Z3X2;yhqD{&r`CxWG&<`Euna^Y(7mC_u5=dnj}GLvN;h1-TO((eN1?IV@Si zaRg*lz?K#%>-0s%Wh}3Xip?iqw4`u98x7<@{*1HwaaL>)0jKN=VUFWF&JQEtMb%^U z{U<6FXW~Ws*po3#|IqrqIQt z^#fXVVlrQx;S=wMh6!Z$-O;iWldkh@BS(ixK5fwHyIGaIkDF<2dE{~i-Z&4L%FSn# zq@#05(Dhw)BJ?GewnQfbS{gKAKJGOW?}j$|?r7=T_FE(v!5inaiX^!BCe;a_y+fOkR~5GN zHfaG)@kx@ZL7e_Il7wTR+(MgeA95<_szIFpF}$mNWkZ&!&AP-h-N0ET0ug!Wd~)<}G7~D$o~gBwG)`4VTcjx@tC4zvVMZ($N^E zOl}s_PQ1-t3h#_7yrn@?``%hNyLyapCx?+FCIKa>8r*C~D2r8B)D}%w>035*C_e1O z>@x6Kkwj?I_BNoyyvW;(JhwUcmO`5{15aI261s}u?K}jF<-xmk#GC5frVg|LjX}*c zs4lpUHtqIXM@xgI^0~2!Nx6kKwetZj4VrT8rmpWzo%fq5pLeus;+v^4^BG5{qm9=L zP6ZwAGse=?{rK#RHhZ%jt-V?6A=D+fv9T{CF@+jFE0Rdxrewr(+3(P1Hn6=sMqahh z&6K+MjJ!MA=sP$SwDfICber0eaa&{^9aB6V(BW99K`d9<+|iyquICcktn(cm21DM) ze{<`e8Wh@W!EFt#eKmT4Ol~&R2XEEZaf4z0mMn{%(9Wt@zY4T^);CkK;4_Y8N5fU5 za)%o^^EMh(k2OxOR(+dt&&JXXc{j8f`HogJV`@~mfnIVqw3#~{4G`_bjSgGbLvB@D z@R^8QgQ{^1XtOqGr+q-f(6iC$Xw3#wKiO2t*?7z(W`n8Z3~0@UDCwk<#1K*^LWfmO z(JH-Ki*1{gEa`;YrXs>;MH2Z~Q{&iFt=7My*Hd=uU2LDA-9f} z*EE}pTkFeJ1!^;=dOBLCFRaC?0=2Qs6>n)O3w%a>ceJq+ZP$0+CI{R)TG5Q@N5H)& z)drO@;u_L?bUIpgVyZ2h8Y9S(9wG`r*~mAvszjUV{NOWcu%XS)eMhU#W@m$HO1L+$ z+Mub{Z>qo#Xfuno5zx`5Dz|mC#xlw-nFd*s34g+39&ON!Wk+i)BNzT7`F0ui`UG($TrxyXsYqH!g%p-*P}pZd0$?RDmK(+PA3^4d`Z7 zCWcVGYGZMUW0}j1TemejP43*s?yCFjs{8CwYe+_(&qCh=I+q)l?-WS}bne*(bS#B< zOI+P;Bnib)l7`M>A95<_8qMsclEY^w^kz2F8k(RYcRnw1ja-#m-L|`_L+}|T>F9jq zca}CnCmo%8p8;KCAAEr`*Eb6|$>6#qb^+()qclohcmQJF?Y19S9P@X?J7_mU1u>fpj47@ z#FSfTSAlAoSAb%sZIQX9ykp@bZ=qd{y5)ds9JaB2%SIb|Da&Z+sBvdrOatk zbSN&~vY}o5yJbf#gog%~vbu(L_3xI|u{SDsyNY&4w>&LhcX~Fe&Ux0MQ=Q1F)WN@& zH#D@XXsc(uY<|UCF6BEsR6sPwE0eqBQVng+;PgC=TV=u9?T~fe(zn@*?ir(E2)jep z@=L9*+^NdmvhQNm6_CG{p&M_8k<_5E6YaQ{&96Y4yrJjZ0ir)KjiCd&Mg`1iGPzs6 z!*m0Za4&m?E*suN=j+a}7afaRyyZ%sR<@am&Lh)JIbcJ(z32fQ&Nk#W{U;sGHb6>} zM@lWzEp030o$F*k%c@o~^wPFM-g$)A@_Dwj6n#5MLI8N=hGvgRI`R$OG-&KwSzT#F zp$1J1p=`9F*<+GQQe%kHhyvcseG_!ciyImrH%L8ON2|KEl+TkTt;$puTJ~QW#3*+j z6|_99pRWcgg_FGVk#8A#X(t1keS9fz zjl8P2OL>WBE%i%3+PO>O>L+ARw#Cf)mq;=t&Mn=_~J2n@(oR|y7 zYAWDQB@@1j(a@%KVnBxv3Uf6BS&lJMk~%btk_c@KaFC?BV|O04oGqm!b!ZkP5!#s4 zAW2OwZ5z6_t@{Dpl_MY>ZIWUhCZS2Sq!{ui1J67zG}5pp53R1DVRB?&TEdL=>{n-IxJc@=(%$=e8zWVxiRd+^hpf76)l*KjR7r(Y7RG*Lrs)h zW3whnL+7SCNFs-7dKna)v2YBHV2F~DiNS-!0-CpD_e{K;w(A`>40*)zcuyh%kAe{_ zJ(%713%AkF=sZfjv?~`_NDbRCJLG&;#Fivxhy0@2RXMsu-X>Pj?)!i?qpkW ztzoyorqQfz=dr{ej7@gSXJHQ=Y~l?iw;gQWPq}Re=cNRE7p<6O2OAF~SKGjmU}lRQmDJ}YetzKv| z`6i!H%MF}cb7`UUA zh1Mj8hn-Sv4InEvcOvD;6ciP{B)mc_3n|wSvSahegj@nyXSqGsq_ss@^ZOco$(j#8 zPdm{73N~LS8dCGy^x|w*8_3 z5o_###{)+!#wD{E9uDkS9_UN3<*?s~%}4E`ox%EU?vyW|4SFz%SA#OC!hE=xeLFr2 zz8#zo2EN@_2BU-X(YUa6bmVMOx^ij;;C3{Ji+!TxArO$kN0n@jmJyljqdIRLoMI(E zLcWX*=!ii=C#Jor^g4%~v;!JuXKg@7d_~?cm`va8Dgy4v5uMNCoxNL>r1ECJ ze#$$hdZ5+R&sO{ltv3AuZ6s0P($M~(Lz6^0G1oKTyVa7rq4ULcSEw@_i&#Pf#Cho& z@3|`;vw@`wjLvD5`sqh~yYa98@{j-U8+>u{$DhCa_22pTpMLz)$N%{9>6iG&Pe1-rJT1OteSdrTe7}5tIi4T4mk*cE z+soIt=i3{0+3t6=`j(OZ=^YmgjYRphf4sdtKkhFdwgX(ge0js)KEA!YJ-%E%;-knP zKYX|*T%b*H**@;a9{_+R>?f(N%O9KQg000080000002k)^+yDRn|NsC0{}uog08M3d zVPs)+VJ~!Ob!}p9VQFkGaBgP-01yCr2>}2A00009?f?J)0002&ymeSqZPz}$hZZCh z0R;&a1wq81kupF*2~oNf5djHlsTn{-ML>`+NC5%qZU&PE=^9F6=!T(Y_}1w2zQ^y2 z|Gs~pkpasBFT1fhaosSr9E_<`mY_D2vt zVMF!!_`2=2kCjo2 zQcvz%QeP;n!AeB zVeEtMrD8eE1KXLaQ3JETx=ECb?2*IcM5&trZ>N@gcadpQVJN%r18C{%aHDzkc%H*!gchLH?TxkpHFv2noU=AwKpe*1b;=kl;DL%$SoF~ zKE<3{iFGvshSQu zetGqB*!7Q0`xmqYJMYY96g>lDoO8ckKVEr1@7S85ym-yo|zQSdYMF zE+>wB3N6YkJR_Vmj;jo>e|n=&k&h=7EPZ$D10{kefYC5AI=~;A<~dtlUa7K%=aeRG_+jCEqnUH zTc=d9OO8$Nv{~T!tg8_$Ae7IIO`bFI2 z!57$69eGn;XTq)vat5oeSb`xdt7}|nFHEGZibh)fy?z5+zb0_^LU&GkWpT~A_1Lv- zxNYPm`HMe8&52(UyBUn!_&U1Ev}vDj++CmL_@*&IzJm+oFACgDUlqM8!d~jL|A8Y` z!zY%!rB^EO!lT=Kc4a-mfQZ`VsngR@uJYWFNj-Hx?=bnST|(gH(kq$0qVzjxj0gP# zK?b#B zHso7Sd`f+9wDhKMu6BOWDB=U{l{Ug6H{Lfll+d^M|=3n6Ck^Wqte#CTS<=C{ zH;$DJVv?C+hC5P#+f}4~-+ygr5yxPZvo{C6J0$06q0iyAGjB|q+vxy*x}5m=8t)jX z_qIJR5kh1sn!tFlk5aMkv?=bsNe-&mhH$?8^^_%HSk)2&&BoE%ASzN{ip1-z zO51%Q?D+5<>J7+jOYCqcf|N76%_G?bg!}p!3yX-DkESlDMfq}j+Pe#T1j2fR*Io+w zh=#~H#pY@(R)4pX*GxPrQmb}d(rRt$UVz`NmU*Gt2ztVu0LZp|efqy>C=g9^a-4p; zdOUGq!4A^;I$?d&^}vhvaT=75+K1dhlYYyRAWi1kS05v(7f^O zSz!e6dHes&lewFcn#Cs7hVb!3O~JIGfemXuA3^(6@0|S1#~R2-?@x&_CCBnp?k1@) z%`*F-1EGv`;&3;?KNN$Z16K6CogP6$OWTFRW%BNA?sZSKedm;0!Qel9O)S5hcq*9Z zsUkS#X=%wEa0~HE7vOx0zKn*QcQHc0@zWa;;VZY*!E^EYg}fd4fJ zq7V#)CO-6XW{Lu)YSu30Vt%Ickg>a4?;(0>QIc$L;W)7@-d+QFGcI6? zQIQGF2H^!c0`Jg*gN}!(rih7&B`+^82b>rRl%5IwRQ7Sk#le zaxpd9%V)tm`)JYDM*Xwv$+sZALt3`bf6umv-*8uIY=~2@15ZAEh(7Aj(Q^_k2xjIO zM9tBKF%r}>i=4pc`g7C^TZKVjbT4cBZEGhkmr`OM3{ zmBf8V-u1MiU}th&l*F~;wrUIbg@C7t-M5dw<)V5W9GqTNRW;QJn{PY;3s8@Zjm<2y zoHdeK2z6}i;jQ7O?i--%c?!vL!i}9AxLrj#%4f7fIj)xUn zG#-pHT*K2aHtO53D5Ak6LjG{UWjN;Yii*hV{4pOMCESKs_oVf4w0_w3>8bmJCjDo+ zNz3Do3~0hM)oH_mMINqqJ9&wk4sAO}I8ER< zU&Bs12M4n<(6d6WL@m}b3sjhhZA)o&c1!Hc%#2!e}k?F zyqf>zPlZdzWS@NUyf=E(XlftJod;?kq0CArQKiQF08%J^IXvF^+Ji9HwN$6~)zs4c z!Og6XB{D&Kq-q}g1=(!ujqfLFV@k3tzS;$Hgo$J^yrqwlICGn8$EPT-H2l4lZYq)U zUoHitR^{y;Hdkk^P!p>H<)K_g zc8!4EW0rAza3}om5m@-|j{mNztKj~Uv>uJ^%*zWTqvA(95>VxAyt^=L5Y4ZO?ca8e zbXLd9y2;zW5WnPj)3?TB&}}g>Xm77bu|CxV%4#6*({KCO=Vn(olgvHVYZdM;##PC< zEr`I!1}*Hjbzdu*Refs93g>igl_RJfhZ9r$M1^1yN$aubZh~n{*A|*&N&K#`o8&>j zX|2pTCFtN7m;UBx>B=-_MW{U@ADDhWA>KMUTsv4rmHhK9)totD;vK)Ho$HYwaDdui z|6di!-MR>3{rTQ98cpm`$Q%tbXITBs5TC`=sp@*5y0yy%o%3Afm(du?zhz2c0CL+Z zsp|pd^YcYy&niVjG=Bz{hfFC0Uj0_PgIxQk!e}oQZAKTe%*}WH{;ipn1N5u7%02`+ zQAJn~joekh<}i~QXxD>GV>-q=3(C#y^OqB{c!LmitxPJD>@przJWd#NM=9JywQ2JS<<>T#CE%3^Z+DTUBF0P!#!765RJx#Cbta8AV2ebwQs$;+E2#a`kBmn zw6X1|;74u5e(wu>y@hQqWpb|`TfyDEHjuRB*mkw@jpyMwLqZ{+lK_#OaB*`JF3r;# zDA|)urLFlYI@k00mafQl=~%7COj~Vy=g#n+{5EBcu466Dskf{20Uw}F#+DN&dWq*A z*OxuTug=#~`WS3#s5d|2^SKVVUW}3oIUEe&IoFR{w%EGkbB6QoCIdrr_vd{SBMg0? zG0ak_sN~0jBMS^H^x`7Zv}PKt4wAb;SNomK9+}>f-HC1hH2K0ZmCpg(!c2x7o8^CA z35#7=SwDFa*(z07N>eyc}M{S{Rb;FUw z-Pax^x4~<*y6%mWr@jYO40#s<$xK-_<+in*U3XTAm(lzH+P?1~#;YYpIwR*OPn&Sg zE>!I$w#EjdIp*ARzgk-vb|d-m>gj~ys+K+Tym!BTy<0#b=eV??F-ypCFE$= z`-}EdMLi}x;oYKg#Ayw^1t!nH z&=3+QUR;92ctc1E$rYD0O&li1)_uzJr9v(FE1D56pTIs=z<87{_Kz_vR@%g$H7ZSj zaBiROX!(Q9%ggK5J%C_7BtbYYAAI=?3i0~J0N&-6bB0~@)~`>ZV@>Z1WPEn1<+eB9 zx}Xa=*H4z5sR_MxHc;hP4EJ8Mt*&sad{*?Nsg9?otn40wlmc?YA~6 z#^0ucFBG@pzL1x9-Y)#JEX4o_MMnviZ>$qx&{JbE3uSyw_E3j-yz3obFULj->m&Ck zy0_FEU5S>KmTXLcHjY(*(pkY>^{&~mIMfcw^%qWm`6P1Zwk!}!LQHzKsOj(N zA7KnVN{+{WDblEjrO_LQC0s1|qU1QUJGNYUKTq#&HpJ#S2G*yKP)#8N5{&ilAy3l8&;bb^fJ%5M{UEfXzn^fw`EpUhp)AiQPw%F= zxw!?=0381rTv1i?B?;-55Z(7FFyrExYek0qxSRP`t-n8cQdYuwUxJ>TsUPA#EKYv~c4N>uqgfw<- zm6Vj&JbwH-&j%ndd2AJNgorXLkKCs0eM@yl_)08bxVy@*DYo$cfyPg4dmYM{eD0y! zEKuQVz2+J-TYYcWXfcc98?zCVwmHZ{HD{kAYMJ*ho1~gHliDVcS6Z zDlL*wPTmrIgFgGx6kKI3Sy zYc=^FG74ywWiLuZF#taNJm2k;MvPSA9ia&-Wb4`YdywyKb~ff;{k(s-BIH!A1|@*^ zQ~4T{H=z|*Lgc_gX-6rLnsb0?0cJsp`j>Ipppym+8GeY~BvYWI{fNGf0Tenwob}_E zxGRJ)dA{e2?erBd@d!MoLJ}z8#;=ry#sprz1w~Lx7vJ*f>j*O!ex4`9Get0`yI%w75`_=od;rRcoCiR30sp$txy6}~>V54d)`?3t<83W zQ&kk(51TlgxVDooaOxD04JV%bp+hk3um$qs@0=M*P*NG&mDE--u*@jZ={Hem%9Oh88R&Z zS)NS(jj)=00R~ELp*vFcO`bpIw)(B!V^^gcDdt#F7~XfT62P%gi-Ppass%Ws?`#v^yeQ*_csYnPXcRiuV z+hUySUa{!Ya~#tEp{fV6G9L12&!oR}3}*D2h~%9X4h)6HfA~gAY`fxag8Y)NX?jox zxIqLZY*T6BgB_NKAbMwkqDTI~$hD%!m3r2}1r=9EKTJssdaVY(W_)&j4j*la^^AE7 z{__G7=25~z{*Cn>C;>}#=K=M)FZ5&1fqXe-S$XRP|XyMaN z!|9%Y0@F1ZJ9sy%WQ_FFfp;LwMIWQfCF+r=fRW>rnug^4PYWQC`;T#fQ_)asiM_pO z>-kfS2f<8(#We@_6XkS8qM+Q>Wa|#AMx*Z7kz-D#=iO{Rsf} zW2W7OC51-m&;?ZOEL4=^<8~k)YyBpq7Zu%=#5wq%ty;V7y>9beM&9$beLT7%EgwUM zDCEitpk;c3cULos+2;ySMrw_b^ifgybgbMyV-Lysz5{nX#xJA+`78w@&ba(f64rP&11xw8 ze3k7ENd`@U3>a)vx?5$Mra)wo*;5M?%n#B?2%6xg&?(-Q^)IkTxEAsg<*MSlEeX5! z+e?9>0^mJ|Lk~jPnKPeI*s9O4xTF)ug}l?Ic_YlCmjkKNIF|eWgO{5m#@rD~*;&Mz zR=Cc$%P#H)EmRQf)(I{>>j%~WFMZ0#q{exCNyx|i`lSrHdbV9nw5y}_QpTds;+A+M zwUPUxT(HKaPr!5*6?$dbQF3%fSy-%1>}_LcXqf8(v{jE847%VgU2a_Q_gUBNNnh?M z8%7~bg1#_ zJ!yM^ZzLy9A(2&dx2PpnHb+xXuV<9uiw!jKZbL;HSSdGkN%Z~bTa1%dC7ujeXBN>qSKITiw5ZIsML;g_&KoqNqIIjpS$l!BMJb8Qgs~_=zY@cA(s6 zs%&%k(*cG667n(#U+YuYWexD-5|>&M@EAVHxV_??T(ec<>0YVV3~qYgi7!+}?{gWSy-iEY7Z3R9yVDr62SVUo*pAd{t=Q?mYr zn~gFOx!4>PGVxn|^j#zO16#Wa14^`OwBOgD&}AGl!o0Y7kyyg9_ppAVmtg6c2P34@ z`6;&&HGgkmiR)*CMgESC7N1cpyBmS$d@5l>FpiLUyUiRNe(P`Qq6Ipbkh9~v!_9Mn zB~^;KnT60yv#V0mp>V3PU*5=yn29LWB!$YQj}?frbSCgE>^weKsztf8*gn~;_Hk!| z2I(ON8m~dL-E|_d`a9#da10dq1?$sEa3I`rg1bliQu9jHklv%0NN3HOd0yp>b z8yQ|c8TUGpqJ9_h*q3^qS&sd7od9%YYKf~)XpvNn_->cI(GHLKq8|SA%n6`<|C0j` zi950)7=wg;e45X|%(9D>+5iUBIi4T4rb1JAy>3)6C6>JGm@dzLagzXBiR_{jfext8CkY!!OT#V0T!+ZC#M~{VX2( zj&wjS&8O7AkPp7m^k`?)r3#W=>rDl`7^;#$x<@3q4MisBYoPW~bqjM2et~Aidq-Bg zQQ|l?Qo{gQl%mggyfvnNGa<;UnkC^_>p=6U$;d;uxnB`Lus|y&(^hdv=I$|FaB(O} z-$rw*iLp0+(R?}s%!BM=e=4;3K?c1Lj%`Y>iKQ1NPbXAn zW^n1iarq%v#jK8{7tzmI7hZm^P$`RXs+f7rb-L z!lieu{XsfQ&0%w_|)YSNnDSzgt)|C&^Pe{(*fTDanOj9Vb{UxhFOi3S@ z5CBXzbV&|UO)vK$X)I6>EvEIbJYBtkf;mOS>z~B;Lp{&R4L-fFW3C9)?TC0By!pSTpN=e!e^I?s)lrQ$FKM7f{ z@y6{H#~Hd9*J4e#SXVB&q;wqN-dy!uYu{~*gBjulAnm!+)L@+R8K`EzZ!*HMVHOtt z2w{~0ydwfQ_SeP9E$Bz_m%ol&;5F7@hCAtUFH@+ot{_4|2p@k&0r&?z?;o4%V4_!{ zklGo$cH1%mPlKYx=3=Mv5#u)@t?j%up>qM)8ycbbJqBNnkOVVb1Nh!}0?e5qYyk*1j=h z&Bnm-OCp){Z8T_9FE_>-&jmSq=9xuP&-LbImGYU5iXqUueXW|R${sUdoZB1wCVw73 z-5|eU%B-;HG0ptuf14!0rJQn(rH@k`9W`$K7<=;beqO$j1oG}VFlqIsc+)fwuhMfO z2`ohm%w*L(^QPI$`qkQukaS}QEYQ`94HWDPpURXJr8)TYK3ddn zvwd4XwBD|^7tM6EQe}G0%Je8fG-7y%vJ{=8lfV2avgHw9oOks<@>S0`<^zJUK8|3{ z>p*6|QziG{-9gRQ25YqM{xji9VQ?nw@QWNRu{B)owS{$~B2C(P6FNCoCOEk^>oss` z(7Umd0*sYvNUgli4HR?QENQ`aYqzr=j84}Z;}=`=G6R+k(Fjb=#VOx=NQdWtEd%{-F)$XitEtmo&)}VImFs#lz{>|c z2GD}t&api*5)Nc~s&=UQTO&o3G~)=t{EyF_-+I_cu}!F2cQ(xNFh*T@KzWH^UI;)E zhWZ)XE=xP<5Or)6NM{yKW^c~!p~?~LT zyy@6B{i^Kj(Xg7!?I%POE(l$6-zIjDf!Z^5psGT_W6fdSZMLD4cO<0Bv(T#JZU*{m zOof0srLehG>|U0zmvbCGipB|m$=#W{<|2cBh1!A8BQQDnORQf!F;lm>S-McUstyy$ zDVWS=x9i&KO=`%cMGt5_1tR-@3GPZwW-1D6t1`!*tyQbpb0Ir0EhKlo|0cPKnwo7J zSpa4^T(}|jbZv-ns;w6BaVH(6%=Pf<1;P4(8%tl4p^V279-=uCQp={dHn+tw z;O0UG-$6Hj2nbR)rHe2-==*Vl`*1)0%m%19l4-2g>L^c&_)%cle*=^;Fp&Q@%h${y zZKkTWG|xt9cvl{kbZUm(GMr>mk|Sja(3>=gNl3^rwpFjj-tZ=Pw$9G4+UNLi*0>Oi zN*1mFAtq#8U_S7PuZHAv&js)f%tSh%?=#+N3!R!Z-3c$YCz{gl&e7m=l4`5dTZz*s z3-$Omk@)RW!09Xs{&$~UzQtxd^7;1ZLG&JxY>T0%cvG(<+lB1d!)!MaQL&n>LW1U52YTRJIs_ zxQCTCzX;GqnFrGMbx_R~Bwltjv3|5V12ATIcQnfWyUh7!A>FEE(9 z#DSFFEmBa7s}LZfbaaej(LU2nR@~l8$K);&ja<*nhJCL#G4r?vki*s|V^uWR_`^hO zIz6JvK!v1nfu88@)FzgFeN8h-$?S9#7gsL~sq}UF_4ltYlo{8LdufUO7-YcUp15sH zR8XQsg9Z(-h4V;%>oeP&EB&o$sR&N=?W`Bl;&pKxsVlEXUa zZWOZ)zYzU4rNhbyl?pKj^A?ZnsDpdkw|LgGeS8TpjUYQa4cXaS(GRDwxOHi{ohm$sNhb@%9ol2C8`I>9 zzQLXOpS!BCJ}kgt9Od0q&cmJwgYAIo>yS`D`_m3-R^oA~5da|cRzBvgI^`t=&-?}8 zv*h^sBfW460Ga`nI)&_fEUB0iS$L}`LGk`4J-H68`vEmKhF2(9`_5aPnG^bYIx!GC zVX#XD6G-~;p1}L(WA}(2T*9J~bh)yhDohJ20J*$+T<`NbvPFtlx3$7!VNvT6kLV0_ zx!ft|uD^?S+Mp4_@nv9_#dG(v!_U?Nm8UTr?=j-zGiv$P)DDfgtZ@{DiD!W$=tb2S z;#+6cOnnqvdC_0jk9UfuqGm=%uiIma>Uww;!%qpMf)*)1bL~?obAX>Zi>7D=G2=Z1 zNM4@GE1xGOE%_J~UeDXLmZoVL2ZO)^Xf}pZV6wsCEiKxN&7`DV)ROW3AcJN$v^u`; zY<~L@#vf|&AOJHV7vNDQWY^MO#QxLWK6e{!VxoMy<~TE3?WR=Hnd_Y{~JkBy4j^?sY2NUtN*p^TXY z`4~`fF#cf9w#wvnA+3MqSr)9HKJh07u`J^`og%ni$Yf55>f{2{6AUUL7uT!NR7kO| z$yP*1FbAqyvGP~hFlPEG|2TkXH| zQ5gPM=~d-8Sd$9nfs!B^@J*JbPFReDMK4-qXc#*uG zFnPU4VqfC-b}hI6B%+!x?dX>82{+Or#TPAy>Iw|;B_t%ggrkwsz>6rzC`gMHUl!u< zTo%3YZ^Xm4B}2VVE0}*K;e!(5Ledi!4P|WV;i{33{BxEot?5Q&5cWF^uIMO`&A z#uDsWy^Cd@=FM_eLSdSH!qm|iYyHN0jFC^p{6wUz#BTz zV-*_eg9JiW)~Th=6`DeNa}vY;2OKYn>&w%TRf3|>5gAV}EOa+D6-p2%?|P6nU;0rZ z^@~K*V;>JGR*HzX(QdQd4OJhx_uJi(@iqVv;>lp-%rzwk*meUf6Ct*LPALH zR*3?pS%Z1n@i`K((m_a-GQnjT2H^(hU}71S{N*fZP-mW5bHq3UM?^K;#iQ502Cl(4 z>nNc%-}=d)I-;}&{Djmb_`g>3JD(+l`kqjq@gLzTQM?QrV7CzthuGdWAf>K%zLmV0YBS1tkF935KO?FeqVz*0jji0b~Z3_Dr~*vDl)I_4&u%IHdxPuoWc@w zInS0|wXb}llT*2JBKGN6rU~gQv&;4xmyGxJ>kl6!>U?6H=PGr=3oTadZJY+|Z-m=b zTDfVV6c_ZcZ6}x`oCi?pl>#AAS*wdU{SEC~kRXF7#6J?nPlOd$_E>D;TO-lYfE2}9 z$n!wVhZ6|qz{+BGqz?NC6GgrXB~g=|Z_DzY;jE%rN?3r;7SGvO8`y>rd>x3E}=Q`Xzcd%H(?H^>V!K*Smp&C2yy z!;-A2Mro%>#`(QnrPMPC8BPL9iuzqLRC*!2)o#M8s%RvqXDeFhuLiyX$Zl&IKsRf0NBuD#xc8UlSdJd6Z6CIL z%}AxGMunUU_bjpd*GtR$H&E=Zydm7D8;M>VoWaT3xsH`suhTB6fihc%o2%48@{2OE z1b!#uu*3r{m?6f+J@j_5tT4aTA|OVpK^H#^Ly)?t;{497oZs215R~ezv16`!(`TKPAyYkMljx_HEzI+mI$i3l{MNatx+uPSyBiLNV=hofh3+r4;v8O zvm5OHMPq_1T2j-;j5q(x7`}{%`Y`K8FH+k{t9@)%cNFBh7ZiMzk*F@$V_SYRk}dVM}y4 z)a_g9>at_I%Aq_aUdDCjnKN6eBU-hVZ}I`%_aXqDjbl{-mo@1|6vLf9 z9fv1D!md98F|jKtFJa>tM)uL`$5wA6=8y12q7O}|oO!QGc!)666Le3&RJcfE}pcz&LYG+{p{Ek0H$xX}TW ztP^c;u_F}%iS!1C#vNxjHye1UA=N}i|LwrOoG;$fx}cq>r{=KU3u5>(SJSR)nO{L@ zTssfb$%d`ULU_;tLe@h62=D~-)E{H^)C`IUigu-%Mmc`pe4;@wpqK(v-^Mfm3y*J^ z8&YT6N+C&hiX%zw-3 z$R)_c#5D8X@|13-?emwo*2E%jbs<7;&HYANN6&<#hx@Tp*U`r&F1nWH7Hdlg@0lbi zz<>foNIGN{28Zbsu#=eRc=p|+6lZEHh8Hi_(sa+lofpKLLlY0$kHRP4C(5^HhVN*1 zD2t2R-nnwcACe)YHO5$ZZ)M0R9~9Q}C-G3wEZjhSLDoOgt?$((Z6~30Z#VTS8Up5w zT_A#pRsD$4>1N7#5*6?vAVz%?*|I^WH@o?@eSD8duAdW7Iu7xnB^QSUw;iXLHJR2A zBc)HLJ-yphD_qv)yK^`pO@m5EJx1!-4ORYwFjEhb|3#8t7^*T1*D*qpZ=V*Il zQ7#%xmlbTJqFzZqArDW($El3|4Vdif32qg0^-Rp5T;T2*ES!0UX*hj`?pB;2ogeCiZAqYUq#N zbfJg+fEuLm@JjnPmW&BzK=QO?uJrw2*j^yS^$g%!Ib1l+2FqQ5tB`bV4zVp?8uH|f zcfShLa3Gl4$1G4L=GJtY0|SHYjwzq!2l&OMoN`-ZJ=I_extA1A>=1RX<#wBr9o}N9 zxNXti+pD*NClSzF0rI#_d*@9X6@GESgUcR!2kvP2&xX3eqyu!^BF}E=5OkI(qNLC410Sncbk)p*pkfs#ls-n|vMK=5W5N=QY&zuBV3$Y{a+vb^$-50kH= zA~0MYgh4kKvPScuuQ0|B<{Bp-fk2i~5|^MRT6M>i*qae~=ZbqLsh*-C637 zZZH%*6oi#u7(AOZ7$k* zIufqJc>!M0J;VOiLf>O*RK>+>BiV=GR{RLgjM}uN++}vn5Qf>?F1+paSkh$j)x!VL z0&vL@n+nLn*3jzfgdv8X?VXMDb*UaD&D>O#+hg%F3l-S39#gb2P)IiYWy()?vFY(s zv1p>MF-c*!{8YS;j;_(Ny|~*ZRGgF}EouRc-Ja1P>x%n+ z)cajN+t>ixi~9`}my_~dFppfOW}1~2aW8&%dH!x`WPlzC-vKTJork^mtmv8wdQIhS zr8=_viU)CNu;Yo$d3i|1N%+LSd4oBn+gvXMsmAIg!_Z1DnuqbrWb3c&!IZOIT-EEn z?0X$r8@zjL|lG_&uXV^xjTaS6|-Tob$W;Wq74Uxm5gL6_vVndv-Px z=+K;8SLUaY1-=@SDFOUs^lRoqPsZLVg#HLhPgV{65X3HI(J9C}BPb9(Hk2aw5nf*1 zf3qlHpJPe_zmHy1!f+#n|8z}9`$Uo)Lm0i*@&w>usQ*nVdTC*(v3ciq>#-U~p&chj z>~%|{yYu`9_f>h#*gJ!&ME?--c)K~nc{2E)+E8J~kCo~-|L?0Aa(ho#r3dB0_zzi! z1G7Vo<+tP?vBq`KfD#zg&av~9zsovKQ!f<4h(E3Ltw6d1Jv_WtUeCdRsO8dsP*OZp!!hlbFHxARawS9?^#vX&)Lh(c zY%Ow`-K*qBa{H7p-ha}tIjO3Qts~qdMpS+k>T_(Y_l=f%q)}DW!*gNh%GXl@cS=$} z{8ReqUvNoq)tRMrShh5eH{ydaF*IJhTt|;Ovy)X&Gc*0^nz^OM_y2NA#n~Zz3A;^P zTvN5FtZ%Piyc%{c7P`&0#1RGNA-(45y}pnvG_|mx<6u7a3Wb?(;<8+i{C>g%jCcB< zW-5aEaBT(T{69>bDHD{)4(Tzr+1s(kRKRRyuX<*%Ko^u^@a&5p3$ppfQ>$;dM?30g zLZrHl;|laKb8}}z+Z*fT8O;Ft7oDl$rg~t*Uezo3+g{^z3Kdc&zOl}JJVJpg*KHOG z1Gm4wKj)FH@{nL26LBP$J6;Y{WP5526tCYdZZ(>=jzvX2`9Rf=Q0k9YS>Q(Sz#OG>^j?!8Uqj143?7_zQx&P z2Q;D`XF`Y2hy8tkU|Q++F<0$&F8it9_D1V@eiVq6l|G_`*|*z4=OF&?0m6vna_nNc z=dtU3)#~8D;?+9HF6KN&{yemZ#ucv9P48dZZFSZH`Rk_pppAo$>QJyfYM|l34G1IeAuDFrVn-c|Tqc6{Q{Q*1=bL3vB#cG#oss>q8$;gFJ zA48T(L5l$-MXc15%ivZZIIj>U1)X7`dtjREHt+0*0UaAWkoKjhh$p0}D@vBmefcMc z%j3C^GES43^6g#$-C2gZOA})Mq{AZF9Mc^{|4+Tki?~y*|k*AvB^z_JM5UTvYq(izZ)=8&yJRk4ix0<-c%Kb4Oba^mt z=&Z2JdB`fj23iP1`&c*jJ&+|`$;#nD;`xxJG>|*M*^o7HFeWAg+UrFbpuY6lvwyq2 z-4pnq(M;r^j0IX5R8V^b1k&iO7|UvcF8>3=2kV{CWNJ z+Lv2PsP<>PiH292LS1K*BP3E8URu0GtZrXE*#3)VjQ6y{m4h!Bk3Yjao;r0)M>*on zIREt7KZ6}d`f^Vj4$RpN-*Vr36Th64$8V#2vHi6(I$K!xwQaC+)Z}|SX^23q%K3vU zb83Hg?Ib#Sch@WZ=bxof^`mGae>NlI=@0B?MFv_%UV&!}@mI9k4pEj+kJI%;jE}8 z?E^IoDBmHcN7i=YSuak~-ODsC;knhE^=>7_P)kRG(b6A3>MZkQ>i02v(mp>;s;9`| z{nZ+{N6PlG#`0p~C6k#ib=}+~LF(Ps(c!Nt$WKkYl)2k7?`qzisegkYi4Rdw%odTH z>=m@RV!bF5%-G2>bgB58cF4&fj{ARpd}OP#9cO;ioP7VeHPfaQ>fzSh%Iv2>6HFvQ z^m~hO#j#i3OCD9yCCn%2E^}Q+&aphsj1N<(s!yeUP{C3|JE@+^ir(%(?~i5+k=nO9 z7C@zRm5=2a-}5IE4ZO(JAJCV6ykj3{MCYDs7y0QGLNky&>^{awvvX#m-7!gG6ECp; z-M%ePo0rQ~d85Hu*4EbH)vhnb56gu;Nc>ZB<1E$HXV%ut7ZqN1$IR(fY+?GRj_YVU zedO0`%KAWwNX^J9QJhv{Iemo!gMw`OYh|MG0DXWM*KDe!<1s!idu2zZ&*kL@nLJne zoHr!@sKlR?z3bcBEuvq@!bb1mc4Q^b_t!y+!-c#2zaAgQ99>@&9Z1Go{|t+}$`CAR zUYrVA?sMgT>Tq)1S2uz{EqJWv`f+wqzwAo%5yT9iJt!s}z(?22hvM^JQi^N5`zkni zmW}$IvLeg1PR{~iLjjHl5i}&n`}90;n+i&Bo=?MGyQHFhhQ?E3J>~pEMm}uMwh% z__m9Z-x_BQd-eQjB+W8y!b!oWO@b6ZF86u1Fre&8KK?Scx+!?buXZf#*{@fx9DiO$ zwkRL4mYt+P-V^#?MR=GR^*g zO6#h&_SFg9gH1o0y3-#s!2Zq8p%H`U;R0M&5tl``1j5mos*esGx8nVW7X=O|Ub)W| z_Qi&ww`7kkW+ndlcdZvu+ym(%HHCuuHci;)mfv{!etR+%3C|)|w|BWWDAI8XT!zB? z{Laz9%KI*Ez{)pC$ooSNI(2U4wuVR9qHJ_>-ZU{@q!qbVZ|-^kgU*S3Pn{n=D6C7u z1aXL3`#daDZ+dm2_2$poX{;AD7thn1)(kK191UYJ^SW(p*n|y9{mzTAmjj4FQ&FXO zVe_Ke$}>K?RmUroSr^I=(g)<4eWie*=>2ccT1RV067IN$#**e|%@2c`hO)AM3@lRR zS~QN8I!}j-h4#}yi~D_Sd8A9%^yh~z;oSLj5vzC`<2z#1Jg|X_zhl(}CR^h}m&ap>D*9qYElF19r}?TO&_eVHLII$nQ-|s1}5Tv(y?iWma z6|Xvk-JDQI&SjQ9(pgzu9d)hH($@Be;>1d8;&p^b)ODE6dTUmsetla?XO;>l{XJkd z-uwARNY#>C{MVWq&Hf(!<7}Oo=O3CxAMbtqG)%6kQi#f^E9_1 z%eUSF0$+EwVd!j6j(PnjYALQup#@)8Aw@`eZJx`rqEeb-x{FLbtIWh5KGMCG)QxC} zzP7GRE4Dsfl;?XQniRmmJMw;Bc7HcJ^5BX@z0_fE^X$1QJ8Qe|HnkdBY?zkcy){PH zZf#+A&rh0S^~Dt}qnQ=0Nyzf{Zhg-)z8B6{*btfDzkg$>8Q2q2Q&k$ya3^nnD;5(idKg%qoqP4_b8?K<$+gS%9{1LYuE}L`^4%`83NzZal`w4I zDOX&S?#%w;kKNfnsnh&*E#Inl@6Wy6KD>PBl|ZJ%#Kf=Xy27ZG#%b=L5{`MfmU)<* zl#sBiTRVM(X$WbZcK-acuJQG+AZsE@*>W~~o%XOk&GwGD#q5RCRKE|Va6cSKt3@x) zR()*ibJ_3ApvHS%IHWqflBGs!Lc!mg*5q@Z@8@GBO$h7P&>5#P)x5lW-bVHeGpho0 z-_qV738+4)ZVh{iDy8~n!yK+-T(%ZEW7mqb+3r_76*xh4Rg@asXQ^r9p;74)N|INa zb^c)CRjVNVYnVp`HD4+gzBWW=Sh2>U-192_Rh9PMnoR!4qT>}kwi01fhX>hfKGOBi zQfZOxSS!TuWywgcjL!HUaOu4^K!P4M^&zprLt=1W^Y?ovB@B6qxENR4?y zA=l~7F^Tb<oOJIyTbJC* zYqr*Ib`-L2aeLtTAAX-Fb<&fIN5go>Y&x*7ZnO+QIj4i#pY_O_Xt~(mOxUGV{FmD= zcyH~-mmxM>S19NW<8iiBf7JQQTn=V-@4LZkxiWqu|0RD|`^;n0o?yn+ z;otW~>W0?)A2wcDuT+K1oPUP-q4q3q7xhTGBXI2%;#G#8e`P_A3B>G|DVkxO zdGBzSn>VZX=s8mRmc=3Ty3Lc&?+xvq9v%<~@LzI#-mJfEgJtuFfDa!yV@CcOkVW9u}w;(th}$2gLnKCIJvmmhK533vf6+B ztRk7l!{y$N{;-SszsP#;cq-#Ie*8Yi-dpyL2AN6LL9$XIA|z7C2o=dX$CiwYLJAql z&dw$~6=h3ig~-Zw9KY+-^E}_*_x1g&iTnQCpZjyYulKl)Oz7o8q`FG=4*}6riKYw` zC=Vq?=>2Dsc976;GTA1W@^PTh8S)n|+R55g76tOBC5;(|1;gcr6#FS><~g&3fp+=wVJVhSDuVCJSm{YGTZIEr0yEeJIZx( zI2ZMqN$RX5sZd<+@_uOrw}(VX8j6xiy^J*>Wt_*+qArD)kQ_O=dYCe>mzfy}o$BZ? zw7%uMjU5yVrc#${cPtK^bV)x-6ja8Ztt;N z@M4*JI_Fg4%GHF_@;bkwbzruU(6{e(NRxMZZqI}-EKL1zc>q^{t-DPe^PVzR*pg`5 zFPK@Vt(^<4lMsk2%r_zk$qD8p*2u+K;+nR0dJ3P(=8a+4>yS4;_b^)HhX@o%WVzGH zf<&@_l23=Ldr)7q?tAVWvB)7YkD{wv8K>~F^O3C}%VMh^4Y=bJC5lA?1!T^CqDFk5 z_Dvnp?Eduo74@%hCbL%-jIBCd4?MD8EgzPYLwf6f0o=_!mE61~m9JuVjDR@Dr$#U~ zm3jyVn2Q!wJ-1x?qCY(;(95k^f1ia^kf*E%!=#T;hV8w{{9%eTJ;eIvVl(a6uyN^$t=^eY0PbL^SYV!WPFIAvGe_T8oxwe!x5-IYM zO}y#%;u@-VkUu?Z(e=9jwR3{FhcwU{QEDhGEuZEIfn5+4i5Ra|N1ZegOpZMB!TIVc zuR)EjlE*LFO@_%9HyDb8>ffk+jTOGQ zZSCEPFA{Y2i#--?TuBxwFLeGBNuWUl%r+`)K}>jv}Dfi=SKxw zk}`j)4@hjf+WE9b9_g{Ls2G>Fk;xqeKZ0;i4*id1Oa+;yHEJ*WT;jijE5m;Y7VDm( zw9}xt!i!H?dnpxb6#qdcu*p7t?jylPaeZ*vju5W;8dX^-pQj*1sUcfxj-;3PlP;Vh zH*%$!JWF<&4nd#|$P&1EUMq!6mtNbZ-`%qBT(;^1|H}_rgQaA?TGCuYyX>P_?G}nU zx(8!1xMZsJ)JxxHdl*~%6sDB|o?fl(I5PWbOn=Q%ZuR<*pSCuI#>>Yd?JEmxNLNd6 zp#?JOSqoQLkk!V#Mj@r>y^HGgrtJlTo4~rD6B)v_ped|uCK*YkH6pJgcWbO+T2)?xRhXVJa zur|91b@f>hF^HlwLqM zR2ZJ2u|k1QZAok&5(_f%w4Pg*ZYCueS~n`VQYQ4v(pTF`Z)ccumEtX*q=mKy?(@{C z*SYIEkET?8mnj(3S@)*bcVr_^hl*R2d1R7#Y;fMIPR^)_5QclEmtzyS`u%zvlRD$> zcNXz&zaZDn#?0t>Pe#e^HHUTEl!ym3>Dq8a*;X%|4sNR z8VT}6!v-iGavI$T5eWZaEK$%0*j(Nxw#q`hDD7X%waIXkq#H@?k4Doy$rY74wkEI) zWh%0UhK3gi2xkC8dqsmh%hj-_BK~5v^NWh1-ph7e=kyqZuj@-7k;l$imI;B#8%$lk zNuhHHzpZu|1v1P{Y!Gz%m$>{mmUog+8F3#&Eh&fB=R&`aqHhe9xZ_dNu}U-y*WSI* zt3F_wpi-{6bsXnqyMH})$yxaEIRbJ=UFEd8s0XyHE1|(dMRc$F+0_V0t~I^k3GOK} zIc5}Ppbq;bY9#YL^U)PCBh7PIq@GceDNyQq7MW%W-5|6Q0^vt}kVp^cjGy$VF@$KW zcqtoMsGU8#GpvDId?x=Cqb6R8W%`mghFyfjc&FwHgTqDx7q|+je&LwawJiESsU^}x zonx2K46%PTJ!{XVo#wk17T&y2r?*C75Lsezuarp?U0_)~>b5|w&e+~+j8^-giVb_Q zL=kLvWR+r)kfHFhwy(Bx{F78RG(&Fl=q(F|-?00t(`Md9b&whP(FyjC#{$-S% zab|Q0TJ62f#=uL2zF7B2rAm7TXKV4eqai0J0^9V?qq1xYu8GUA;k&z3u?V5zS#Hxc z`fDd&-XQlr!m43wD-4EhVBD1W3M>k1Bqp;CuG>ayIkh7@kI%Zx&TL2AWVgo|c!o z`kV1*`J|t7vzWV~|L;HD)c#efr>{?8y za=*r;raQpHv2spkM?AINUl%pOBJj1P5yJI!Ol2f?)H)`p`Bz!aqImztTOYKj0y}v^ z4KWC$KPedR#wWd25nzI&H^G2W(mF9M|Jke|w`N%$ z)m89pRBzhaFO;9u(8nZSnUncC%g>NWiQFkqVNbXF{>ljW$*EN@uzq+EU`uMrj<0DG^?l-rh6zRK{v{NOgO`BSSU)$E|W#*BJ#6&3&C{}eI zVblUo3jDDp*$_~9Wc81L5(+iqod0t%*bq&__d6fe&oO!UjAF;`eAH+zHGU%fzm2Tg zRjDr(&$zj@E)%W+pHf*_shq4rXmdQQ^z@EQVc+`j}UFZdB7mYI3}oIn*MxJ3b2=!q!m zO{(vMqXe@{WC^O6g_3Qm>HI)H1xyvz_<3opn z-Ha!T%NZKRYpDV`w7R2z8~&zm5SGkUH08Uxk7_q-zHYxz>T=$&GLpLtF67QRaL19o z{eZ%-QYZi2TALKW<<$cvXn14I`{ZKfWtMGEiQ0PPYM6frx3~ZbClH<`U5>1r)fTiY zDov1iOd3nST@p|`1E5=22&uf^p?piEwF@nG33*qX9Udy!?FQJrdybwKmpdS8;yV z9)0lqou^2OR)4Ov=Y)*XAhd+#@1C`v2M3?7i~8wfaUz$?7XMIiaKqsdl?kN%HPtOm zJwF2Ov*q_P3&gsW+6{HXC9To?*|V?4=S?_r6}a?sC2)8YVtX|{^xIF-kh-h+{w<0L zPyE=p`S(t@x}}LA_&?dI;&oyruetyBoxR__(IG%*8uj;xoqtA})0dl!0?NI;6S0_QVx=JQWs0pnvfY;&!K1tGNw4kTG{GGpUU}tpsAZ`_0vT>D$&y_pF5* z98jg6@fU80)uDjdrw*%^de4s|vwyg|vGV~#Q)gzU`s5Cl&&t|bgVe{WUPU3vY;AP) zlJ3@Tv@rLx=;-Ke0&)xlC}ysmo(so*5R~r!ZU>%zWTGRyicXl6qolW(3rF@=1Zma& zZA`XC(MytPnW<&jn87(v)J8_2g&SD&!L-L)q{S{};_W$bN zW;|=-Z|4e9zT4)oLgs4Minr%7V^&+^d#1n9EZcijMt5FdhAO!${zv6NoYB4+la_1x z$Ttr0q2H`CSJp1=_c=9%ujN0&_dp)3IdSSlP}8bjY&c$b2^Wf(0Vr?*m;fx&(Aw<=b+v$p0lJB^3@p zY|1@RxR<+il)tc}y?x`Y>wNvu7nd&GJw8ZqsF#zr{(8wG>%)PLhx+b^Q;!;y$+Z2% z5P^A^wc6R!6ZZAD7I0pq>P<^3d(euL-~Z&+?D&Fl#7DH`pxj){+HsY)v+P1s^0fnU z?dXQkfB^NkmOpdJ8A+Mol3GVS7TouDJ(O49nwnG}j7&c8EnX6QuDZ`YSYXAp`byLeN6af4!= zzboH3_H|I9q+=0ppg`oKm&cJxOc|T3UBYw>7JmxA_|U$0=ssr(zYhnI2i{`9982~x zF*S8`G}2=9hN2Q~dgoK(P8lCQueO0MtR>axqN>sf;X#prdv=5ej-~^GlFNy6$-3F$c~$k2V=?h2 zLf|F_i>^KbBM$d=&jJ1-z6Dbk_41_?P{s859%zDN`_RgWeOmMV#o(i59-6nWmyHOG z)cn#rVIh_=*L?~2&a8<)_tVtVPbu&`|H?E+cfDsk$YG>f<=0l+S;n(Oi54DzLPJMs zEsz0kHnn5dnqXsgnZ4nrB(=GZCj(Wdc$dSs5}XG_S?7aJ^r!8je=t;5dpM|(H#r*V#F-4%LzIIb(ds3@?-CMJ?)k?!4(W0(3jg~EkW@jGR& zw{Aau?sv7wsC;oOIwRxgm!CloQOVA^5AH0Ky`2i>zQl)Vb^Y={aB{FKUdnx1LU;K< zC}n*<$=p|IeD{2lfkvi)Cg}_4ob`9U6nYU3U9=wjP<&kV)2G32UUNCzOiK$LL@s#S zUJVmjHXmahyPqQw*Q-#>T*vs>;_$4kZP^bx`-$HQE7R(W^tnbgPgpNI?Ho!{{EV_UIB-nwA4MCrbE1B3hVD13?-0~x#h;d`n_xKx-R9MysIr1 zeow%a#@a<>#$jECn=Ryu$9)g@QfS)a@Atp4Iq`SUR^+?>=(-FVZS)~A~zNS}iDVehUh*S~#He9Op;wZZFG}<$SG%+M#NO%3 zvLwTT?fq)K%xKqy@lAN9b)yehGlnUOhw@Weq`qdwK;?OZw!7nO?Y)bSZ+l!7B?1(w z$fnbcX+sbUan*R#u$hdVTM{L^T)v+l5i~?nEL`pzZc5_V;kx0_*ih2MuQpcVZz~vK z!?W?C>C@D_xK_&cOV97GMr?-sFJ6pc-TpJpTiZb$c%<-}KI!(-{l;_Gkys{x)krMe z-tGoAMvTu@t%GJSjv2w}oNVIG@qXia&@CtbSc*6Bh~CTr4}EPy?yNRtG}+#m5>H4A zw|Uz4ZP$dRH2yOR_0C*`jd;wj1{)m(d4rdXkBdqI3U<#tqbQVF!AvU&Ms4(Izm-}n z3~r%qrg*$NAwyXBp0A@d81$Ys?V`{2s;w>A{;JN+?|hi(!dI_E=Q-y<@^f%brxmsg z!=Ged@GZa6v)%J~EbsJd>~=?9bYJO$snMkCde51E?N6z{vp{2-^)d}k`nVi0t7-z_ zfYk!j3=Dz#ae%iP`8l`0eBgh+CO}jek@~KIW72y;CB(U1iSUJGN=;Kq6^N7}Y5Qp| z-;>=1SQsMZC4z32p>&$DimouOWwN=(B$jYBB;Q8FVk_bVn|7dp*2f_K?^7Obtn5er zzLG|h#f=<}!(Y3kv?!J1&i zLYY1GxYLl#?a7|Z%ItP=7}l&wMsQrt_Z13$b&PQyKrA99geEph5)C9Nr&J2O>X+c1 zgl+n+_Rx6DjfKGiDSZJ=#)pq-P#=Uqxcp&OkEC( z^{)C6w3z1-;#_P=zJC2$;``u6RR3DTdm0p&j3_lEpovFxLb4j+Bj{ih)qN|QyJfD-2G#hvG_5e@6t69!=1+hepRd55Edi$U^nOT_*>%-aZfO`16 zge27XaTQtCCCW(>(oo|Hx#Bzh56%|lZeMXDctJnkVk4;uZB4GmF}4;tK)%evR(Ep? zO$*ljjB78CB`WSxXe~oaIr@|BzXM`VBr{R%i+6=OFoJpKBC|P6`E$kP2PF!nlDiwt5xpxYG>5L^7Av^wE_UnDHVDVdfo;|(!8_U_Gqg&dd zia(h0q!UnFp%5}*x|!YA`=y4v(RYceEg9P|HgUv?;U^<1k|Q#UznU@q{tDBairCHz zvKLXG=v z`K@nkWfm{X?C$Ownkg{h$Tr`h6P{iOYD4!IZPQynyn$o)->Z!vMcB7VMxP%36~^SM zq{VPyy%0S)wJ)}Q>~!(f4K-sjmIYV4AAPyx>QICjTi^8W^+fwDEpnd!ly>T<2o}la z*f)=7@u`m(ndNu-cwzgF#H-)%u&&@yBa{UCI`EA?1zJm9nQvCGKF@crP-D~UvMpQ3;2J|p!>27X~* znuskP!NPCMkjOGKRvH9vhEeHe-e}gTO8vfj=PsQJ9z`lB{^UD}Fu5OoYvcyHB7-Df zeDdP~@Ztd59F0&-nV#g{w|7b2EG*P4PS^?ES<2kScRc&VJd+)9y`ZE(%Wt{70|t~8 z{7_(}=F~8-kAIoeo8%1Vpvb#&G;-zy@eX30I`>gBhp!+0_2*RHI}E$C-~8O1&U=2f zC`9VE^{~NVo}o!^6{UHz@QPISS;kh3HppkdzQi`<*n67% zrd>BU5)1>$z+`O;7QB-A&tYs;Fn@_aQVir~ITc9Feo?tx-N$^oGKLeM_z@hXBQVHB z#>|~3px}D9h>$`T-^?+ZJ}P!U!RQw&Y-3CX7qBe!OX&$@l0IPl$U^c)~zBsKiAh!qENcy>#w z>oQN5bRq`FSyUE#^413spgOI7e!9B0@%8oc#oew1jGE{!en99DI<62Do71P{ZnP}% zsDZiSzm}%X&$eE_x4DU~833O;e_b=gb9Ul&Qb>>L9_?>lpU)#df}p{ZPdVRFCKld* z^w=|WjJ+t*?I!vjj7RFX^q=wpA9DS7%;3ycAnwYKYZM5SYh3rn$?bjr4{4ZdRkIhw z0O`8betVsp8z4aG@PE)QZa`6ex4vp(zOA?7FY*WSX&s9Q9aJG;cm|wjLo^YF`P~Q_ z0T`o+lV zw;Sub|F`S2yCvHg_F(DId9S?}ND#oB1-7%%=( z(PLmwn%yl``@cL{GhH3^W)BWzhS%coKJ<;ohKnut9SQU~7aK!P=9@w*oN{absiCpl z*@239Y6u&dy|G5A61LBbRjrRtdA#Gea$u&j;O237++Pego96lsR6GMCqd+_!ub;+e zBUJhdjnhsow5Zv>{h{cHDOgho$G7*w_@9iT^YV|=U809d*$X3iEMQ~2^Ctb_f)Zv! zVywp$9*MFczG;{ynUt@xJ8K@Tb5+7+q$hSWTlsPK_qKRXQ-)<4Fq4`kH<)jKc2X

    sXiX5CRX6NG8d41UF7~-|<{4K?`;o&}o)w>Xy%rXyKn~Dof*FJ7PGp3tdR?YO$ zdLmGcGktiak{;o?Ca$0R>_5%j|IdF5^<<@spAb&L@5>m*!2gNrE>}(;=aWJu@K!mU z8IqE_=kgY9J*X3keO^P2g918t`VTv?Z~JTS0vE7ly*C?Bm^Zfv79Ntd_b_tpjD67- zvFI@6;cWru-G@C}pej`HbN7db-|~UzS}vN+j4xaChrcB!Cr4?DQaL+Y@|)20mf9*s zL^NdWdb|n*Ho@|wVMx^km38;ij`;V3XP0fp-vu1HriDFV8}nWeY4b@^vVZG#HP0dP zfG?YW#tIZ1SqtX+GL7re0XE6wbf+xP^(n5d1htD>DqR3uB{p- zQbXo4=ID)c!DI^F>!k9xN2!reJkPTzW3AgVANpY%RAbam7~3-c>UvL&oCXV@W#!TX zKxpP67@Ws2e>%@>Ph$*;WJ4f8-xH=s;qVNF3xT6aL04bvUB;_4Ry107bNS@9t?s0yBQp1=V&v@x;`+fN4=%yR8x9G8cx3>vbp5D_+ zSZhl=wX=`KVGKYZY3OI$ON95e$h2^!<@wIBo05? z)zhP`+chlobcA@8Z&Bz}PKS4%zmtK+g|(A2S4Rs(I5iDsPW&Hd-|Z4B#K6Ff=GA!#Et@G#R(5tBbu1Q(5of0foE<;w_O@~2pA%iWjGHfp zA}HwKY1{rm*YzxmrzL?L!i-MN)^M~MfAe7Y=T7qOVzCw%yQli6!yAv%SRqmbrcW{gzY?-u}&UQ#a>2g;aY5pz1UA_hk_g%;3dPj#nlA^DWFKxnO<;hMc`@ z<1wfuKVjby3wZc*7K8);PO28b)*-A#+i=rdCBlrRlx>d07)}oP@3 z;LmtYlXXJZc3(!LE;gl(GOZ9W61cns1aa2i3y`MX7Jh-mL)`ByJ9Eh1zDmp}Ti`&f z0a1lt=l?|B)AHN1WqHef+qn!<09o&ktd2H`Z7(F>Ucc6$JZAgC?{H+7ZPwSP(rB*C zcNFGu(8y6g{w6%)9Zv~>kZCH8S2zV-^r^@ec$mwUHaD%XxDS@6>ZG!3dia}w*>oN& zXUiDY_9Jj=TItT*Q~XTS1x_b##8AMCbLWl~1l0la3y~`CJIjvOuc#8A=f`Jk#D16z z{}F{OZld8jza61%tq8a{`Nw0Lf7Y=m_{h55FP;8-xY}$bi%4m=M+Vdo6982 zbCo@L!h9O2hqVlo-*fwn-C0AJTyKh?S2|D47cdK0bzx`IEDoOaLhE5;$W~g z5V@?W{*_cv)4NMOsvAB_kN%D%#hJmW1F|8mg^zc5RwJFCfxVUW5SGow#U+BjXW8bd zxOq5O@=10{=CCfEd-w%@D+-^NX!`>j&&nmObD;RJbGW*^zwPz%v-sXJ9A|+7Xq@qW z7Wj=2nfsq4bPyf2GiOK?6%|1W@6_#7ZZ~UXMid!-H+M~)S2W>i6Yi^0U`9Me?NJ_IPaaChha+=`1_`KdJBf+ zw>>o3fgHCUT_+p^AuZ2}AH(^6{@%OgtxG@b>DACp9K<(p;qik=X$J>~rhX;S7NFP< z!{?4%JNUsdqB!GnPexnR^)47Ue|kqc^K#}%UurV0asao~;YUkaM1#W23IPFQe{VYP znY0C=GCx9z%zjtHh0%zG5KBraBcTh7nsA83*mZ!v*(8SAu29B!Cz*S!S8dr%<9~j5 z5_QIv{BL`1YyG$I1ChnR^FLm9FSvaC75fBz{y>Cmqd(36IR19CU`ioA`4oxkbtYFI z{-@Bo&wn|bkdPpN!C?Aw5@jI;FnzFNPIbHHmNIOg6Vs<$DMX}YdK}yOrXdx`GVp^kqz)pFJhR{#V#gVZoh!wyYv0mC(1H(|^Ar)^vZ-gXgrja@&^9S0^EG)Il4)UE7nsNx12C=h2}) zHoJWop1s-V#lf(DPgs0Le0Z~;9V!TqyoD8WOr_gFRcAvYts}p7WC$P#XFl@~wdHCX zStF*iXNjD*jQ4GR|8*s#scBLGpa%<~sKt;n#z)lo+MBalujs3&;HqQ!dKz+mdYtC* z^iq~xozF?TzA%{c`Sa(1eA8m1cVg#WQX?Tir+6vzo&SnHVxgTxwMNlNODym`*g?iJ zwAzJh2REI)Zp8PqGj_+!tUsIDLOA9-1AtMbDawIUap@pm`g%ZpVJB=$N~!X=SBz0DAGE!* z-TU#&e}<;bUlraLm4@Wa7&pkq!ONZJ5H0ho>#Fy;xRdG)XmHfqaW(&<9?CI5#mo$L zU0~I(J3K%0{Yv56yP-5?$KSh8NAZDwU7uuvy(#h0lZ1rckLuc+i{n9E@h>=dcp@E9 z;bcxUNz%67#um7bPs4yGzolevYa6?t7(FW-*KAj&n_WO8_CK==P})G|poRZH0S+F) z{{DVz0)FQi=HfcvPf_KqN20{-RTwX3lM$#A`BxK2iq37Tnkk&XXGT;a9z$n{3K}Fm zCTP&?lIA$EDleO=d4xS~0Ut^^A7`cuyo!q> zK8#L7g<%4kc?hsw&OVMbM1X6Q-~FEuOij^4`4l=Z^iI05PB%TGDDl~X+wNq3jaDNm z=inY5!k(V~c^;k-mCdo$C&#f(_Z#=F!Yw>zOqX_ku`?O8WiWNLqhViCtN?l3M|`jh zb%C&?ciS%;yUTH@xIQc&F%1G=?AJ*2j`NKxBXVX4enAXttb$TIisyUv&)@M&S>E8A zN0Ys#)AF@f?=4x3cU50x|R%Z`}JXBRUyl6FNgjEMl&o=M*S! zX4ZDl@7a$%y;2s5@ge;BrS}bRng)F46siJo(9zYUf@Yh4fZfeyjth>l*mY^Mk)_3m zJI^r(s(=g`-H-3z`T0$cN{FdILTyPX1!TpzxG|a4FEp2Hh<`{;WXd!knaKQ2W zE(b&v@wyTz=PVKs@rvE9A`= z0#r9AY&l=x5h7|P_S3Y6725HnXQ{~k>jijON|J{FK|sF0^iowDPBQSD1?5uT&iF6! zc@)kg`hO1C(YN1jmseDP$`iW6rd@X2?s}Jy2b(tZh(Bpwt%pGjgs!ZTY(*3cG#r?K zCtoiIPw6@S&dt4x#s%I?{3XGP#SSI3gad zfCr*HJ$i3+NAUqV)yU|y1pVwF-{b_6uYT{0Y$B0U!zjPAkTY=zgN1RS}M2#ON z1Qko0rc?$5T&|}vq(6FZ9J#B3#(j$1q#(vE!m!fbwe&XTsJJ+eOwD9~hsa}InU}*~{dUG^9$P9hG@JHlh}&hSLv;7<%MBp2 z{RmK!aor|)x@p+-Q{kU3@B=w<)cZM94S>5QTUa2%`H3;TH41?{oHeKCfF6V#XvHt0 z*HnjGhFXq&C{t!Zi<`T1YbWu^g`gvwXP@k)yp++4!XT0eD?4kG%%?#2nRc78x9)S` zAe<3rU*EbG0CNNAeX@j_uA`vM5Pzye4wZ%(0SIh6^Qw@st%1~!a4)JY%!J`h@sIE3 zH`TwpzJ!*~w}7AV=vLy^PVtp`4R?9f%V$wRCSSo0GPkHmo|rH9i-#xro#7LdJ9kvi>2br|9yF2Kc z6;fNzD4*i8ZC{5lR&)7wTxbGLsbH;%x$*9dDa?z{N15_|sw+>6-7h04x` z=pSLs3wwHmOLtV0Men4p;!$y&+#F5?*Px-|8J;+?u|ok)uH{DNMigNcQxZkx)B9e!2 zoVv{;{&Wtj-H=m&7N}M|u&haqV*4yey z!jwH`rctsnj3zK#ZMk##w(}U{#&Ci%rGreuOF?4jw%+61p@}H4LJ(0st#5A9*WaNN z%RTEyZ?ZwKiK@Kr#ZRN&42I+tiplQ%S%}_^l+C)!d+|Xi%fZR1Z=<@8?rTfk0l_Ef zck;uCh_xeFq#79A=Va`3WXRww18t&FPkus$U+>8T4q@sfEn3~-35WHCh*`KzaDflB z@ho(Fh#jC_c&J5O5Af8)_`1G5<|v+&4tyXOu>=2_`x#E%HrZE!94;i^AeWiB>lG{y z**EejZExPw-n7NMm}Cge^{CdKc=B8H(o;>w++o5<*FcSJ=@J}OKoKoBKehWJ(XC!;Yk8Mcr&sl z=SOVpAaX?pDZkvYMj(CuvQrQ~oC?F>U%u+GCmrUJ^~ZY=zg2W2LCe@eErT7meGv5x z?FQ>Lk?%tZ93mM49td8j1=U+}+~@W;1PpaC)4sg`xN99CQ%#b>~5qt?nSPvzD!|rE6l@}PG^oJc@eF7e6r4=Q8B3i z9~s+$y)Cg{RtGjX2pHy$fI|#3@fbW4gX*>bJ-_Pn0VnfyKD$Rq6Z2Um>wPI9iPt=kZ`vgybq3&NGmsU)&}qVFw?U+p%!1Fy z%)_DytOdkXp(EO*?%zJS5k4OdA!)!%LLWCTRA@@=8TzDTTWdL$!(qJu62`;vma#~n zb)S_ZpzwuXPczn_MTkmbb(y`|kZxtV>A66@)`JhL1O!Mkp1+Re>=J)sLOU{&wjkB? z@B_qQ>T?SQzMzp@YFc_y>5jplJ*D%Z@0E>F)>6=oNn;7VP=2?48xls*OV6hw9Kl_& z##;S|SyPdUG!Tqz6Nauy(XC**Fc&*gq)-Fc7$S6DGdE)T*(co$+F~~i+%gZBe5;Fj z`FgH0tAkwrWR(qogzb6(otyK3q$c6fKx8e)A~|DAs>5yLmx*PqC*9?Iwh%HFHWMVc zO_fK%i=)9-OiDq4w0P)IOBh2YSZ3gZ{90hd&cQLyqhgVf$)ku@M$aiDch((CFvUXD zO?l~#m-3H@m=6>`;oj*Nox*<8JTMweGhxkQPXE(WQsS-x`A4009A;;g#I5?hF~1U@ z9Otn=24uJZ&KHHpJHE92D)oRSL^-bTYc(&u(#-`*TM!bfRzJG>A76+pjihzeR3uVV z>=MQ%?yVPT(jzjx4A^k1Z|T)3&;2wNes!fJ1P7k?E?=krNogrRuXg;0vEt?Bg)s

    ZbEx?))1Owak>=1)^2M9{qsZPEMInHqtwW)h@r%Y1No_ zNz_DCY*N<2_klz@(pU?r3ovQ|&;VhOIM5+GpW0djVIgCN%n(p{(vUiNyA=d8YN4kD zCj8=p{$<-&jE74YoARRK=*A)T+&kjoY-|l5T|w=ef|g>&cQ}&ih&kt>Vb%pdGol}? zY*BS@^&63iQu&+B0kf8d@=5Vn<=JKGd z_)6tPUADHhXW3r+!D-4mrF><DZFM>v|@Vc&-j&01Lc- zf+i#mf>K$5WBg4(f}F(BKSr!IGRi!DeMNf-3Yd^E1safCN?CrUMB(Jv7<77~CItpJ z2p>Wd0}gr9bKl)gLVzra>>;8B0TK-xDHyxpaK;gVjd!-Y=+Fv*g8vIwJWJAH zOWitou|D?RzjSDs@zlH0gIwb}F!3N+^^GltN1jZ`N;grysl>q$1V~t(8+gfeMieKS zm6dg)f4E8TiB^EKvo(B2C~6T6$|3r7l;4;%i3UfA?8&}LJl`^yc5;%YQdwUde{Rfe zW?Mha>Ou=QS;NlH6bBa{)P7*Kh*GlP_lAe>5Ot}m|NMz};r%1>I zE;sBgg|ygoG)-FfH$Lg@AB)%xJr6PlijfMxY~d|Q6y5%L@D@-AF+u*?lWX(-?t0(F z5+_q7PEto&Dn#^VdCGlF%C{b+EM(Mw3n!>o+VGaREpF>}eN2&`54QRzGYZj+XE zw=I4KEib%&Z^U!d$Y<#}6udqX!;IdJqHi`RD>>O`H|%T% z-7M&OVIS?z033$a>Y0U$z=^AP%2VIu`0o2=QxdyWfL%nlp94d@N792AkFZO1jEr+C zVc>DnZAAfs_+0BYz8i6XZg)gTVCUjQ7wxu>dqr%x%A zgPBJmM8R;}d*PHZS-N09`tf0)+idO;1O4i?Kn=kpi_qnRNx{0^_cYrX^~j8PlWD{5 zseZJzS|`82)z{U$DG%;C-_sgrfHUT1?e|?*TJHiYZHk$b6ua`)tCS*fob^&H$aL{o^>fL`fuK`@h9pXtVPLU*9%;c-||N!TtY zkWt>a`oQdsr(xs7#f2iR$H?QG#LJZ1UOfT9S^u3emN$pkC!JS(6A&WexODq|+tsmT z8)G1XyuH0MXtQukEJt(ts6dbERexpxtaDb%4c8tK^qls(Pt!%xba#{Fn-4x3josZk zh$HO48r1N+4K}G9xRr_S@}S#)op-M+J)&%88}UEAw$IePS>{tPg2txCl{N~Z)XwN2o!7r>G(oeQsc2Dk|DZdeP&h91eoA3I zmebKxoO?s5gcNsb;sFED$w&sK(GjgFs`iFk;O0Vk$RRr+Hf=bSj#wm8G9!^KbB;)Z z1TGl2{uxGWoO>C=48FZf1li&HlQ+k_W}@IdRs6vE?#Q(quoE7OMl?;xR$7_KlQ;~n zUcI^NbL{J-I3%4{1o@7LTWk^bmTf?{ZupzD3qAqI5vt zaQGRRf%&TmGkCgW?bQ3hTQPj#U=TOdXIQ;G1l?m|D{&Id+(jU;pQWUA6!G>%AB7K# z8(>%SNpfx#pNd@Dcm@M%)awPpOL3SxjrXec&hxMQc|*V=B8USe6>|FBoHH+o6r+NY zTi6@Kw8MpSMAJM>9QZ|sr70dd{$$t5#h@ik7*<3Kq@R)!CU_P}3ajkS{`Z28y#;1;J){}D(WcFCZ`686%jc*Hapr|{W~Pz z-|d&c02N3S&QGwGI#NWTJ}^N}7ku5?knSxrcVGCftIHo2webw>Of0VJ>9gy_{{gbM zHg88m!)a0HfJz;n4*6y!^>d~bc!b>x)-ZKtczd`91~bjg&o}>*W2;(bP7JLpXU8fH zJlQ55eI5&ab8~a)Bc)ui|D5DRb!hfaww%0Md*r;KEs0B|@+~=LCRcWOvV(cC-Fg6E zS?`~aNbN}8 z&Vq*c1q{!C|LHdMj)LgqEx7FTrK1a$27Z?6-l8J(!jqk!ha6xzntyig{)g+n{^p}IAOqBtZ;|6eO~jf!g#gtkw=EFpGK#x%s4408($|Cy~5 z_YC`7=`p1>PsYI#l%7fVL~W`ln8|bz2)50|Z;xh*(^`9bE3!zD(Er${HH1^DFZghj zU4Qteg44jW;qNIfRzZH_QTPCy-T>#%FunsX-OA^V0~lD%rM$o1m#kV*5J-yS3F#TE z_gXnz=c#;$#H38uUIV$g0LkpgBW3^b9jta=Qx3Qy+nBmOldMJT|M{`_p6z#soQc^6 zxY4KOdBgwsQv_+S?SKrwU|nw~4GL&>BRL5iRa9Hs{YfBlg{h)4AG`8=tX%yls%1)| zDL-#w?4HHq%r8udhR+|Q0MSFqUjO3msxJ|5FtrQpoE!tc3moR~-62B{w4Ln6ehH|W z&^Nq(%>QMHER)nDqN$fwbOK2RTf47#@D3x}cYTmqIp7o;|W$P9$uMUjTIF?5~`T zRG9fmxKvpFH+P3_%NP%EG9#2!;0kFCin1>GN+VU}c;Q2d|HC&3<2ygE^^!tx*}0kp z=rEp@J6S=LRi9rF!~0_g!EPSZYj8x)FlAVn^qm@CZ>8Ns9I&;gPNDIxJ}p zP&dg+kxtteKKBx^^Pm=BXBhVT6>iqgxyXDjj?QkKgWHUl(Y{^h6T7BiSG;q_EHkAh2FOVi{pHpC(SX|T1o(H>O`2VpRRu+79gPCIsT~NMAQQMwS@iU#u8y8QIDw|cA zd$fISASpIzGh`J(bHsdJeh56LGp~zph5Zc%*(4(i*mXB)?C9?&6i;aJaCeG5f$>NI zLGSlv$*B-cjq-Jh|EvDCJi)Szd?Ok=7_EP%5GNk$vQI3Bqx_*h(CzLj@~Z;W(R4giE4^B^fVUSOh?C& zSZSbi>P}Y@=Zo3R)s?aU-ELH3obu{u4?m`OVyIe`k1K!38WkaO;7114) zxkm!pv8;zn?%!`-Z{T|D?A*uB%liM)%kLl0>-YQ!OP{rPbOOBOUOPPDx!FPF#9f4(0BnqbRC5Un2 z-Xl>S7^$PR0v{Dl%(&lz$rmJG|Nf+Azi>{3IAlQcgc~nt5?;=Imzj|-YX8fNOS?~h zgiL-*-dFU6-HY)U+`P1fS%SBTDNHEopLM;Ug9yk4kqHz?SbK)l5b=Qn1AqD_pn$aH z3(oy=cV?E@8~tFr|3zICkJ|p2&xy8pFrZmlG<)ZzdsjvX1c{2acakwpVrh8dU>e9L z#g%#lPg!4=aQXa2yPr=q#1Y9;cu#Itn=n$;*x!m||NXI6#2=Zq-*xkNhL&4mA#t3AoyA7*! z&f{yEuPz?Wd3=$EI5p(oBpJohu#u7%!CIGWD-9k#JhZz_LKzr7YT_ZihrgAOOMH~Q zWYvsspc~FB^H|{b*B{L?H8q8)K_ZSFyCq-SJT$j}Up9Q*ypzKSYf7k@IS z=br3MOP4D=Se2Xcs~Jq~{naPKoH$p^J3^U?YKQeiAM~c-|JY zR{$OqFluk6tfwgRUjPx%kO7z^JIYQS3Ow>3`Kc{I@>>K1Y)N54luB-gxzwFU!y`4^ z2Ydg^7PVF8R2oPnprLp|GxRU_6Z5ThYx37XencJ$h9jl=@7@wOdxH>1W)gFWZWCX8 zHk9V&S_oPL{}*yo)7910C=tP6_#vwYY&8eQUpaN}EX#%69%~qg6%pL7oX-X^u9t7O z>FfO8#RzL(12dt3KJvk&Fqrc6pETV)WglDNa3LZJtiYHP zhX>9)?5KYY4T^JRT^3)@ZHoHlKimG_&cHB!38Li<8hH)WW34yH&`dHX+vLyLS>WeH zrfj*nxQO!?eetVdS0p=EG@Aa;yhUa`J-x?i{20dR5a@P%Sqfbw(+}3zAOTPH;QwRm zO`xfKzqj${9MeJOd7evTj%1$7m%;Ki-E{$>#7MUi`1>c#M@Tx2}sTN_6YB(&0LExjlc*8|(!GQ}5J= z80VyHRI+)4CEEbv_W%=M6J{2i=|EN;9eyU*<-t27P^MeUxn(gT1o%k-Cl6WX<(DNP z4l_#KyIAx6kzAI_A0n05!#^{fn&?!gb!UI-GVQg`;Gr~}qwX$%abQZTk;$cnyfK3g0>aEK8aHbVch-}$yc(B66H%#Zgw=3H&Okc0O7aSN16oIntU0y4!M_X9YRdt zU;HKl1NO3Fn?rI~fXzQ*7MebJMqisfOT@EU_S06|Gbur_(?-XZ;LXIR&ZmlxFNvX- z=U59Q{)7@DP1Fy4)-H^y1O>cajg)PBGI@a{dRM$VdF zb~WDKdMblm`E~9+;B>#*pV>N8Qw*B;(R(mrVOUO$V%4W0Ng}TtTAQ0b=6kG6oSU77 zDU&d`9%efwD}}(fZt;z7Yn)7t8Tc-AXnLQIMv9k9w24RdWlZ{gz7pHb_d;+somrgH z@lr6OG#SJzH#l6HT_ZVNs8Z#tYMxI~oY>MJA0k6S#3-5qWHV+4=t{x2tBC21zWYdy#Ki5h z6R00@-T3nSmG-#u&R)~wf^Rf;s7ma5)QpWEKT=ltdc9R#*jqxSAX+Se6Y|-y3;$rl zZD^49jk@@1^e}3Pkn=|=1Cl#BmJM#b^%104i0&R=ud?&HlZL(|jFwb|CmaAfSsLaz zQkfINkY9gDH@lm#A#XKa=#|A;J4F{RZa?Q0Rv?z3cnoTHY*h=k?;HZiMifF$^`h>c3uq2Y>6<4#w0S%YEJ7Js5K(y0KX| z$YZXa$V>Fn>a&mVHTMNZ<2x<u;;e`#&MXUtae83C%{G{_=#i=OZg!QFQ`)%%&HzQGhejQs|zhlW1J>Geig#Bw! z{ZiNT{=sRDKi5A$q}7$tfk#A z-W^nX-O(`njQ|;chQ3sCf$>kPVV22Y;Oq&J-m3*hT-N3df0MQ{K9vg2Olsi}uHbbE zo#f#K`m^Mn*kb4=Oz7x96Bys>re=c60)6CNl_MNp9|0(wMsI zw7l&~?wYcdj8e8HQ1POg=+@O-xyv=6`Y5yUk@D~t3azm8e#dL4|74YxGRGcBIXF9p zaz}lt3+5~}bNSR(HoV(C+)vR^GVJhk5WDsBP@1qY2LB)D&AO*J4pPE`%jA!4(LlW~ zH9x#Y55s;|KA%X_tM1m))m6WGl?Aq9gl(I38=KqaI2;lBG|ls7!}OCyu?G*x!~-UY zM@Fd9OFHh)&-+_spOB5cb3$nFO5=?sb^Lv|xau~TgphhTpPD1#+9M7K{xh^+&2F~f zoTiyK`E7&!=AP;B@S2U#Da?-VJ-xUs*7F+Qe(uZOT6=r#l93zfw(OfX6*hOizGSZT zAQ)IY11rSl;T>{ZrzYg^I+OQ1qpC>%X-g8Hr8~!x#jMX;S#iR0H`VLWo}NdzJ?{CI z>2sK?l;(NY+3w$wlcADhK0R()Z>Rnx2nor!OL@;z&u-a^ICtek;=3!HS8}=@I{1c~ z*%DkSvXcMN3aIaw6rVBN^ zs4}5fM7pXgBqu-ory7>u-SiaW(=UIrKam)`6XW0e@j82#4!KHbTJ7V4QJZ9HYA2EP zn=yG&8dGp>Q^vsIVc_*(^PHch$R7d?Dl&xsouQNS_^>C_N}p7W6z#+-7*_GBtNxvj zxrKjObU^Mis_~1)%O?o?`d!I$M}E)vX5O|m(HfkH>z(?ToBxBe*HgVfHe5=^Ai#5j z0c~3Fz&d;P4E9#r&V|Ss&Xzh-+pBAP3X*0bO?1^LHI^zCH?1W9CmNK7;LfN>%$+eqOI|@bd#l?!8-#J%B0b(b+|zlPEX(#R-&sbx1B-2zR$n2)E2$ z8B>{zUZO4S`^rkVTda!)i*%~HOZ)cOz!aprQNSz}SChU#0F{=Rx;T;%p~-8RG0 zbVP-gY{~JZ91i()c`hjUK)&29RG;a^#m7n^w3uGvijod8l^;P+wUA?1P4Q13wYu`S z3A@xnHs%~=Abj}9@&PLjX?#dwT-THOd#IsOm0IJpjDMUx#j78OrJl$b?&oF1F>WJ; zv?c?QGx)qymy;?b zL?HEwdoJ6kLni%_Lgr+7RGL)Z8#2c!f)}M5zs7%Ec}f-U-qN%wQoJSl#=w2;OIjQ7 zYrFyP?C^`}*Yugh&wc-R)m0N2LG3&?4!rjO*4EFZcYP14`jUv7T8u=aeIcun( zF~1}n@^;|dy=SoAEn}_L+CecC>n>YqX7SO-+TW0Ml5l6xJ@{V!=|=~ls>bJH5*wM6 zo{|t&77!phX|#7%;2Z%3@@43dfB~6VJCUHVP!!sj zuBT7ZT0*$KqgTbo{X~xbh7ec7Sc=#h>IP>S%s%s>O#j;PE-4B&)?OUNu^V^UZe{x% z&JsO)7K%eOIIer_GCm75hpZ-2Kr%#>&I^~mMB}W~poakpbsv8fyW@(RbxI*2Sw#Ic z#P*w!R)u#xuHE@mubXJ{t34_1t`0w?3|x{;94;CAYy(FSU52|Nd7wk-eK%jGz35KD zD()WH8Y)VzrHS$DR;rBL=RtMNzi8Mw5`&iXg$4+>wstxWNnk`Ywz!|4=)9Z5dXYEI zt^J@ih9S>n?B>YyQkNAs%~$`&VQTMFo&gvI_ZUeM)p!?UgQKP0GDk;VYL_zC0n=3U zhm|dX9UP)V;~JoP{6n~$2|QyI+^u0|NRpug)D{Jz+ z6KIjg3kNFOYhOr78BQWp25`#B(s_%c$WPoKd~k5wMN2EI=5gqYUhi<;+uI{(G{*&c zSS35R)=m^S0p7T+xxe4&_)Ab(eL=RhoOo9&{ne4uryL<^!(M44QrJT}ISvwvTIji^m zA4W#Zz|F~{7)<%s*Oh975kc-z)`oGKbFHD&xNj?kOx3GOUO6~nYk`TfQ&M@0+f(PU zFvs4cXbwWq{LiTks_MwnpsZcq{Jxauu1E+`G3udP*`j&=Vsof^VeWCHW>cqnel1yu z`%2*f<(ELVOq>fHFP#po%))`=&fe?1&A_~0&u$BgAUMxkQsXo{$8XSte+a!Cdz>t% zY}mTYRg%Xh&lR~m7p4vaxvbKn|I||47d_^>_xkv498xsDM#W&w!(AGiC1$hHzH4A- zM!$}`7g=bt8>?w=t^#q%hy9~;&*-0s5U#i7eOV>>Y|2i-oKBr=CY8t0u(j;a?T#GC zDN&(@W-6EPLfrWU;ziWfQ^^^ z&(mB&zaCON9uPl!*4M_UKQi70rC4tDhk*asiU6VDg4u3r2pSIC@|}zo3lTvNK6!z^ zOWMat5$o$`w>SUp7X5Z3gTc+0F12bPU9Dq^vf=w89I~##o=v=MQ@449g~`9{vJPF> zy#D0#DvEty-}qgABG+s7xhqxgbQsb?euhQ6t=GLI>K)uGJJiKw3R>s)QH;CG)`nx< z)u{Vf*(w93$Y4E|cZc5m%)S>HSrn|P=z=1HQO$Szy*?bt#LvSN2jfqqrf$x1w2E5o|PeBFRStnF&}R+PfG`eDM3CYX*W3 zBA92ypUrPpd`BTHES~WxDR(;`dd)~mrS~|%kGSmVV==_;sb|Swdm>2ATUUqEtdWNa zPur}Ou*D44BMQ1n0n#;DiObwC)p3Cn7lXt_JMZ;8RepuxzKT&8oS&sPFk@=692KfQ z9#$|wBqtMJj-53u-@S7AZDVnwfGU^z@S^pH8fN%l_}pK$oZ+(hkdP8RzDAW~%FO1s z+?_9bYtF>W;{BvxU36_MGPTc!z?0AK&(c+D6ObW7>L_eH@()1z%@tIP->&*iMS838 zlBsD_mFINk`}gkcj;)(q`-qEJ4fSowvpiDKZrfI{8D)1AQ*OQ?vi|ZnzVBdZ#ovR9lj*y61yH?sYR}OG09rv)~)EVm?x#zl9ib> z5W2SA*^LjRJmE%`acX~2)F^&`v#$Q<>Nd}vZJO*|)E$RYSWNOZovm2gyU2Qc|CYD(|@c))%ws_YtYin?BQUn&o8F> zZGmIN&86h)rKP8#QM1We27g45-)7bM^`V{kBx&C;5gQ>Udq+nh#<&a2e)}<;?D7Y4 z=g+^(+fh6ZBL-I{LivVj?Ac&S*~+#p#ED zv3*K%#@`d2&q`$Xdh?-sXt<*5?&bWL%_$nmlkF6u=`7?HDV3pV55I~ETPe5`VqY&< zQNxiYRey&&+13cmG=vH>AgA&1U9m4L&l-!ySF`IoohJ)5X&HDU_@C6Q{OR&o9_LZm zTW&@vUOY+oLe85^q(IEZVVkVD_|J78$GpAD*(Xj{uX;i?PF~A68_i94TBgiq?TO2_ zm})~_($+-u55^hq#)!S>MOEkhYaGwb<=nw&km2v9u3=5iZ@|yfz}L$XgPVc$3h984 zZ*bzEEMMkdIoog(j(1TEOjQdE3{+85fx@)CyKxT9ZeUXLHw{)m zmn-TSa%MKb%-o#d`Sb$$8cIRq`de#-1NKA;dm%qbVuTnll$M>r%@je5tMR+SOWS)% zTT9WIcYD#}UX(UJd=E$gNn9tv>bxg_*Lkg?KBBL$YjUgpP*MM708@it`Qh?zrG(sb zgMPWhZHF?m$D(4PR%xUuwQg_CrVq=6qf!T4>}_n|BZH)38duA1Hl;;S<2R0}+h1@~ z%kPJuSZ`Di)-7Z%<=36SYkZbnA0HetCL-ci1#A^Wcq1tw|Mh@TuW~F@ypzRdCosG+ zZo`qSIgFjV69wC|o^e_3Jy-53eXV;!iGOpWch$EyE9#<8gcPTUba-G#7fLLKJ^Eti z=f69U8>E*WeIM1n%8^jO^NER3-MV$_ky2OnA^8|b^PHyo(azbbQ`9(yx3Xj z-c3e1P{*EAp&s>{XzNP#t{-%5t6?_mKdI{sc4u^+D1Zcb+x1x)Fcv+sUH3HY|SoYq> zSBeW89#y z=_tBA6>NoWnBeUq7KCVV6|1b_CkES?G9+9BmD~~WNb$sSg|+qk6(nBkLM;&>^!QYo-F`W>$AS^q z6~~vDED0|7np@5Mra$xTvG3m;pV_j*5EiS@Yg{z1fkZKYt4STW=N`-`-}$cNn!v;5IFuW2&wkQp3O zf`HM67}M#|i*+5$k45m&`jm_|ho*8{(WIL@1zj@X4VWlXu~%19YDX$J5^|r2Jgho| zKxOTKl09Hn@E9?HRp5fO>j594j*v#vvc?d{IUk+~S}0sS z@D8S@I;=)gyWps~Zw=bfDL|4uJct~|fnFMLIhnl5zKNfxSN zzYiIt(_bywI~)X4C3s+VaiM>=Jm)Yv_=Y<}NWGWx(TPLDI_E?V(d?C9z3i5ca) zj=GAjb+|QPu|&`Xs1FvRPxX$UjVjH}MP@zgsQan_%li=}tZqrAuG~3eNNn)ei{%Jw z#2f`n6hUqEf~4ATj3>GwBm`l9@WT?tM!A z#&P9Zc-=QNngJd3n&^}agH3-sgKFB?6&Skny&(uIn^W}WTwREm@YRV&i(Gi%_Ca%N z94H{5Pu6$45CF^3w27HYOAm-gDgqnY%b9jw>-1ASOnf}! zw|1fW)ur`-m!ksR!?Vw5ICU8W>`yc`5mn77FI?>#axP~%TmQpV)88MLZ3~BFeB0t+ z%Y8AD&e$F?2`G*yZsU7JJwaQ+iOOf(lI^isTCo()&W`79CQDCDubdlcArHgUS~2zd z|0@%M1tmqucJ|bpue=X#%UT_3cs4J~`zwpRL(b!^wN2CncdYqE5ZGhWt?u#%2|@-u zXCcZ|TwIJGcnT<(8fM7-r0Di6_C25H9iAI~JL{CcS`r5m5S(+x`+^z!j?!`3ly3$G zWNfg`8XnY$jX1OWZ0{?UT1Eh&Fm^tpxiE9uuF&xZLl}4aTDmZo1zm3|*RtzYT+$#C z%@O2+a&+zH*uQB|_0F+ruwN-oto=gulD~SHA|}jy@ws@)m-nWpP$t%vqD<`_9oH(p z8`=pq{527FAlE_%!RW>~=TOm4*vt5xD|65|WEdp}r5Jy^pa0x_viEY2pU82UBTUWw zR`D`lE-_rln1ISpoZDc9j+|1t3lGp0yt_vK~bnX|*>5GtVvavH~Za%hwY9(AVct40$=e-ZM-|<3jAI^=m;cVQ>z6@WZJLA*mAH2SRNqnvq%ba0Qu;S*gesdVaIdEWS>GHQehTtfP61a91iS z8NT_Ud|8cCdymINqJMQ^mkb4~l`&}FF4C*w&bIm{Z(k>_#;u|eqCEucvBG3gG0M4J zvJ+f3MkWqUPal;lu`BG|e?bK=!7IH>+2iO9Oqds#*Z!>=ul0sg`DN_uaqzD>8Fv_ zD$%h*!3ZjMkl$j{Zh1I zEzd=4B-27_%B6@?sKk?yc;4XD3EW=JV|utzHAZCTCBe|yKXk9U(lp4X&YyS@QygAw zZ#|MNd}cFs@HQ^IZTIr7z;|qMo>+|T27}OJOM>>b$dL%~{w)S_9AeR|L0J}bkSVM5 zMA|BR1y95BNW?zJAs3}j#|F;HTyC**lIE$~CPPWpA`h9M1SWh=B~FLNj&rtrl}MY} zj(oUvlJ;sJJKKyCd3@gHff`EpiK6%$Uu%}rf)T0uN#^5$R`#;j=6@6T$;INuzTBxb zx1VF7wzfW%8h#;q#`q|8LYxcBFRwGUuNP(7u7G~?mx~JO*k?jqHuMQFjVt&-4|PH+ zX2h1@)!$m`A(|HgBXfKv3GJAdCbmb~Vv?e^0UJ{kN`y~`N(Md8IZc~)X zDvqH23#o7*zg(`Oi~;p1wZ_&E#^~@M#Gbri_1j|w6iQLrh z-e=Ub{(Wv)d3(zCtz|Xijgn_L!~@QOEH4uJ@YJc)HNh&ypjKC3^D>6S&-prH{hWM1|t6iQ`C?oJXL|% z@K;t@)ji8@m;h-d*heeIo>nU<$v3Yf&XTY`u#mH|Tqr*o#}iHdO;LvaaU0cfE|m}U zK+#HZagzxWEqXIJz4yB1&UZC5+IHVr#+>loV+}IEdMy&bfPaoP1G+Xav=9!z`o2$a zE^olHk~?OH&Ey=QG&H@FlhaDiy}KY#DNT;?@fgwQE2;bpJ4aW?=zJx#czv zo83cwLe`Jm-rJmBE+Zm@);T9~j3&lLsbSsA=c=L0FcHE&m;8Iw_|e;ZRyA5Y^!s0B z{&bJ+T=NfKwxdd-P5U3@L}G}8>;2f;V(ViQ67t1a-()`;I-lPkpiutmBcOE_@*3KN z;9UiWvXNV9Vo|*KS~#V?o+2wNtMc`DK3?DW_7w$+9=l?|={HPgdKGT~r%>ts3w^NN zraYcFCy6gj&YzcquioJ_o$@8{2*LD(7~;(DF|X5ZHQ_~B;=3sP0pj2VkALzc@=MAY zK0aGYy__(IkdAP_gqMm`IZZ&6-0oQa^r`ID7#CZL*{>PjSeFqt(44`Q3TfsaP)5tu zUzQI%rI}86ac`T2IflHo38|s@Z2ey^fcN|1UG6B}y8QyTyycgXv8${hyWbC6@L<-h zc7u_OoIK&l6Peky$4<IFxtcQv!A}~)86*mt$ z&~MAV16u1-dMuZqTNUcx1unadL8pYPRDLI?Uc0^tHZY7ercaCLe7?;xdbmd3+ayp zJd(69E-1RAlcpT8(h>@Rg!FzP_4|N+vQv~9wLT6rWaSHf#++=XW@dUk*cPILRg|23 z!OZ;M)-cF*UM!@F18zC6vQ~%5;>^cTVvNduhrEj+<0y-&RUQyjFK?kqqp3M{u_tQB z&TysQ-d9Jke`>psW#c&xeDTjgI%|?EHa* z?T>?u+@vUcG_$xOP%*8W;%!f){C=`}>g)nyqv)f-38y#Cho;9di99aHs+>cx0A$Y% zClzxmGxf*$9WNl%g*wT9^5QiGk82oi9#VZXv*)7$yCXgNH3#RZ-dWbi;?9N&&!%Eu z%D=Ci;T&b=IA^|#f=H0j|CLhqQ&hYI4-t_Lj|Fg4D-mLy(7&c}_3G79u{dOVlIwu# z&em*OC0`)t*S){&l=bUE>NQ#x+$0I2Vv*dHc%~1($QAV)7izW+3PJ4t_~{dH1!Apu zwr#xwkm$^|20AwP*tTtJk8RtwJ$r21wr$(CZS(E_o^#%-d+tjr-IY$~OY+rPsib>B zo|HZ+i_g`Lw(G~Tykoo4s>g{XsQ3ecul=M@#YgvXFJZ?Ups%2=%Xhp0L@fU{N`fw6 z6h87-8G$qN^YgRlU=U|O;C{M2FA{_4U*ABmox8sScU2`nNdt@h=oyL! z@fK@`J%*HN&Whk@=#zYLCJd2BfZnVv+&X2!uV$jk_=8wa(=iq7fd%n}U_*t!lc~^q zt|G57ZDk%pJ~t#F7B1zTQIQhT^^EJP<5)*Vk~r83E3x7;U^7!#|&0<$)Sq zrr3>~(|Be-@#1Ulgxd`IO+X-8mY_Q{0DS#HYLAFfoIyuhlW>}m=pD|Ly)5>Oi@>ZM zX(gt)fFdeN4>mmes~Ev&u=ahXs=7>MntBJ`PAw%un`K>s?mosk|NiXN`&Y7c=v2=V zX3U4X4F#tqDf5lT32C0yVKROnzYK*Z8JRNZ>29tZmGm;wH&#^y4*=AO7GJpLaYK}; zaxO-kDyVRbud^n;huw}YcJ?>;4UKW#lJuAZ?ntQRL8w&aEsTy+y2x5lt6a*&v{Du_ z4Xcyqs1T-vV0w6(_f6t=Jlw+}o~yW|kFXRy0l<-yZHVS9cMO1W>6*+evi*9ly7?Ff#*V02rdWu}hP zNJmwmAZ8yn$>$5W%s(NM-ikkC2Ouj9*?! zBOTDG{=j8s#ta-KMT!km)u48e0Zmv%*6<2QFgkpJ%5-Lp?PMnP#7kGYZB%mUj zjDAiuwss6dadaOk@i)|kD!2a(hb=cgoTI%T^{{U--fyrGd$zXq{%6sh!msW&Rux5A zJzN71**CplwP9moZb>E?2Z~>;;;p(W2wC|rx*kkS6<~INk-ROc_McP%`{}rDn#yfd z=`8Gpf+71SAQCdO^H8v*pV>`XYF5-p+c8hyoK=*IU5VHd`cHV>VkE@uJcL4K&Tdx2 zCttF3!MXjd?nl6Vw@r4F8gXRI5jeI=6twmWQ%R7J46HA2PjUQA-m^YlE1&!Ut`lzJ z?GIc&A~fgT?0WtKlj&Ezw-0L83O83Qf=j5JM_hvlDn4ji?n>Pq8RAi+aD!)vfV~m* z)4U77qb6qE%eFtzB_dBa(M=t67Dq`X6tZDHW(%M{!dB3L*&r#%=I?yOtzICgj?$U# z?)(0$!e{GAvaLGNwstSJ+no$eyKHG#_p_<^?jk&J!f>^%skQuFsEjM4y)6m1eCupd zw{Ol(XvNeD@YKm=hi(Z3a;-z3Rt5|MxQDr z*IB8e5xTy%;VZLo#h)Dy*!;vL(+~pmGsHt{SFnGEAadE;3jjT`X6}yh@tO+B?d6=2OpDv>nk$YI&KHECL#EXj}9Yb89%B>!)G5jBU@W z?A{Dws^utvB0H!Sdi#0Als4dKTYEr!!Or|p)2Zq5?WwwV;allwJ?Ksf>h;+bVC~Fc zzlHoQPv0@9#qat{UlGrtsy(b zw+TWDCD6YKj-zNnOG`N0hxap@08)yS^uR?oKM;r5m<)tR>ZoKLcKiUWi6KxL;XqRf zN*NBJupxG>`DFaGFfIP50 zqxQM2TcY>5wUn&v4gRH&D2o7UGBr7bE3yXal4QB!#_v?8%ygtq;0G^0fovxObpnBE zDqXBs!oi^X1mGrnWbCO7Mj=$AZ%;~pVu~a7%BMmWqk3t`RwG7 zaCHdanKG_ic6gK- z`STSzWj~v=Z{PHp*lrft+%|-K$%cb0yhSlqkd2;9?>Hslg5ss@OUxU%y{LuOCA6Iy z4hJi@%v9am0SMXr3-M7>uq^g#pP;yREEoLUF*c=`7i?Mf-==Fi`m*p8#$Dg-Xs>`h) zW4ba%kKLuLt+vp~J zI&tMm9nqR`*Pk`mVTSw<;rQ|q=b8`x?1Et)VVg<+_`AQ z=Cec9$VVpKhmle+o8irgDg^2;??+}cW<0loAri&1gpZ}&$>C#ZsZ9QE?$DHMW%in` zrq`z#7l3@Y0aZh9SF2U#C`}VJ&s}S}g8txXvJn%V>Ic8}ciZpn3|-?Vtg-8}LfSYq zH_$YYxX(jPiYFdW#hpLp?N}JUhUaHaUjH=d(t)KAyo|?*DTYlC1p_ZT#;fjhi}I@E zVRN~{1`+}sudV&z(Lep9;cmsit#%_Kir0AzApqSsf-qN$YR<19q_h-4r#2`|7SB+b zVquU4o39pFJJ7hGd7rL-$6;{@(=)rtM|WuNx76~v{LuAp=_%oDwzizth(H=vlw5!B zy6+()FzglNd!UBXB^>js1ZEx_>!9e&=`VPbUL8y-FV zO?wtd=C>Uz%Ea|dKVU33%x$M>7hdAz0X+P1TWkE55@t|kwHf48b}x9j;v_Y?9$pVa@rwj42n-=`DTNx z2OL;_({Te_FDnh?-2i^Z8zT5RVglu`LJMp00cQq|Z*@U4Y1r#Hc!$XNdV6AYZ}({A zX1v?zkk`|JoD$`IDiZ=M@M&O0Q-WIeZ`!-9pCjRHnJNb!(m5YX2ROJOqW=0u9eeiT zu(udJBP|bg3Hol4G8x#4wfgon5cutB7YJ6lSVbK_zPm5a^MC*#>jxA{L2H=D=*^Ek ziGbBLV^%p(!jZmqqjYjuVDi8@9NE-q#p^<4FsgQuR~^Vcub z1)31^dg+Uno1LaMakLFX31`(2k(Do^F*B&9n&PD;ya(;vy_d{*DKy^fKpA)&Y~|nA z2WUSocU<8Uq`cy@n7Tz{7vi0RIc0JI2A zlCCTKmDHVpPiWS5aAn77*};}p7V5_}4^aI8FVi{9^mHZg`;AvSABY{H)LgRH+7^iB zjQFM9Q|uOqelg~48T%e~CntT@+hV97m3Hqq?+EiSoKZfQ#kK$21peTGuNiF2$eQo&hHzL4= zB!fa%4{O!4wX~7oGFfK3CDA}x^z0Mf<$+unTW#y1NRImA_rj#&V!cS&cCRe3>a?Bi zrt_*ze%(O+@Sk-iCzUS^AC}7Wr$OF}I+<(5qe{=6(;VC!4y4ddK}Lv|s12Ajt*0b|q58E55UCXf4{rJ*PtzR&8~B8mEj7zM@8xOjVxmEbn%Y$L;}aO(f0IQp z;Wb}x)pui&LO8&D`c07>J-}lo1>hgTVkHYD^w?kohPTC*-+)UyAOyBpUfm^MO}p2nrY|9o%6Dn5B{hjg@olxrxtpTJgj?{X2GqPh z#v_5X#0kxqLQSz6)~S>BtKL!#d48|(`J)}r-7De=-Ti3^Z46AA>OH>q3&zopTONW& zKFJ2@Wg~-esQOSqlLi>*;+|I^^bp7@uHQ4ebL? z*(h2Jdyx+$XwL)9i+ zMfUT&9fHY*(rB|sl!1{@fDMiZKcov&+xOFucm--ck!;`IxnvBWUvMF$DGkd~u?|=R z&r>NNdDamT0b;IG7L+@Hwp_k5hu>A^fAwuY+mQ+LMOoS87DtHUIrE{{T*Hhz@m$a& zxK`rvlvt8O#@u!Q%83-e8QY7^v4B|h!Yc*ALBES7#Nm|H6Ng017#sbdW{v^ym@D|; z)u1XnH9T!3(3P4UlE+e$na})j5P|}8tQcXFl!ML1 zDFqJkv4p}bXW4i(T!a{YMVsFwY_= zcUtBCxOirWRp{6OgqY`EkdRUnTd zAonSowX}HvpC(Xl7mzAEjMrZ`W$^dB4~Jdq@1ONGB)=QaO1+@T*soxaLU|t|5)}4k zWFWrtJsyT-^vtPTlL|1l&{* zK3^UrjFXi3_d?!zPD;!)honqX-5#JVNFpmOk)HH@Q7_qjfsA_t;ro+*N<|U5L+6`o01Vt5@xQ`o{p8xtfa=Yu4-kZmMN36WPX`c(;|8s5 zxv9T07E5&)K3W~yK|2%AHLS+N1BB_T^NcC4oD;a&BOjALJ>mS0Vl#7mCB^Lx$Q>jj z6a;+jEU7*wHVPeHugZZhP5dk!h69`4T~nTFamfFm>%FVLZ%TLgKH+UBb>0$cUAR=O zp}k!E{3)L?+QB0FquEz_d`zWxZ4}@OnN$n|_BO;xmi=H;K>0Ij06DfXzfyU9hxNRh zRqSFCMCsbc8af<;R<|%ayoZ#D+11f71+wi1X@%3jW2#Z}H>CzhH@cVMfb{)qrk_NF zYuolp-_S-X9|kCkJmE}?k)z{7N2T&Qx{%jn377+k^=NXZf)y#mMymZ4=p$sE*)*qm z1`3j(4MA2CjY7c7Pq#dOsvOa+rhyGDb}?W!l9`U>8$^pl3G}wa5iz41b#p6_{}T0G!2*uSP$e0T5rj3AC|67f1rlHo@NJc+pZVye2+3gOt~Mq z_yHPlmxw8}WE%lh(2P(}fC}6fS+cn)sb<8(Ty&Rr6F(T@z-^kG+t!f{-BYI3@PHL> zBEjGEK))!bP{b6hsXjf-gZUDY?DHW<3Y7eKX}+pT;2ARR;+T?MG)vmZTg`^gMB7V&`JDYsd!tb!s-o5mDA3#Q#!n?Xx7{K5qlf4)7_Md)FhZ{95+k z$NA}@t1B7oFYCHnjTeJj5XIimayoH*yz0P_UFJQ2eVVN&L&lvzlkEGsQbjxT#X+W? z1XautL7tphz~@-s680o@^u5MFo)lr@(g5nb@ihozM&6q9QR|#o;j#w=fKuD3g2EfU zDL>vvpn{X;_Z(gco`;J94T}}O@QzcAY=;egwvflWg>mcD%g2Rta+u=5MH4UrKFuqX zT!(V5UU6^5yeGq13;r7&JBQAzjoI?WAO~Dy@hNd z9+=}IU4F+2`n=#9Aj4*lmH@q3ak!R|m^Y8T|KrTWxB5hN1Vkr#a>iLCk$mI&ZW`NG!Yx`LeVkUqR2LkgG0 z^>;?F(^>Mb-7(`4U-7%m9$lq2LF|YLYj#)zV^NQzai9V2H;gveYj$A4{Bg8758mW< z%@$OiUG6nTLiTyO_t^x4QU{g3JlY_TIAHIQ>oUNnC71kS_x(|Q;D zG)w4-7`7-dkZ2J&E-{}r{f@~YLv%=CK$a?+p7dX=Z>5Gwx+NMF@nmh+;B#?(XC|Il z;);-Q$uNLkr%+aFV?R$oehkRmd!ywEkd4b4e3YF}D(JB~Db_GDODU?iO>%BfD9+gs zz1yd!`*;K`ybG8eQFG58R>|%~AAig+6PZfQzj)V|esMziLbUrgF5+9_o1GJ?^AZqG zd^bT<%%haiGn;+4xw%?sh)GHx@%RDPiYwIA^gZi&@jDd^`Wk5jKzB%Qm}~ri&CGne zS-kCP{C0yrnd=S@^1!2R{zX@&G@n>-hEoFBe3Jl3s;Mo2NJ-2u9%0H44Q*cyUSkef zzeCU<$>4U-#nkq*zJcbxOE27!3`h`h6T;+(4-zr^EANvZP1OXy$yJNrlA%;5O|MXg z9l~~xw;lJW-q?lUHW!|j`8qm*o_}eO)M)b8SIOj8BFfd(`9KYzw)C$qub##LQmBN) zD09wcsXDed_KhrBg`5FPugmvTsb+ecue_(NUyuT5;v*l)UAV3jq2E}e`X>r03W2w2 zGSXdGv}|?^n4QDF91E5Cb}N%^QPT=CLP7bnHRbH!TG{Y(t*Z6jkNh06n~?(J`9M!! zTer6doiGYqpgaosPW6t&JHDfos&?##H|hK zW=G{_YfkuaN$%7jWrq*9>lRpQw@$zbQhs*H9o>a-#-P57kJQlIWz3F^`4z&-^?mtM zrq*yDC^HU=UF_1#ma&R{Ed_AHhjbprMT0K&diygQ7ka(Oa}t{+K?_(baZ1a2WTU3X zm6n_Uk<`si9|W&Abd74}4~uZ@Bs`>sk`1k5zoAwdQh#_nS=kvLa~) z`?lf5o21VwjfWMot`5DuP!@HGl152-Ev%-&2`jfD?H$$ZLTK1H??`R!cM$^1B;s}2 zZx%D6Wr3d-Lj)}jGTH1PCK0_yDj}CWOh0FSFDZNO+{!pUrRDf3px9Kq8fuHpx>qSlSyK1*|8& zLg>63sP^E>?{d9fs3D$8BhVfeY$a14;7VY1KjX; z(p4OC4-74K5j;A!3|ZyU{`G04uak8hZ;DTB59zamhKkExzcOrGJG1q$XV=Ekx;VQj)wwy=up{VE~3A_h1Gr;`V|q6 zd76#o8z&c>g`lqD#upFVLxbr;ghwQA#-^AzmdWV16c7j`NYD-%qZ->e z4?yJY>tg{#jd#x~wR*l*GxVjpGhJ?9!vi{dOs_h%{rls&^kuU{I+NMwisnRr2DNz`SakW zS7!5HRZD*=fr=xEta^9-!_J8NYNgYbdw$Kbl)^4AS$r6mS0<0TG-~<^Nd@DPBXbFQ z>0N_6w8VYfo==xXy}DWK?l%~yDAF7Cf>fqZL-dsP;Q`TXM2!%F_cXuAoe`xB>fAt_ z!2d83d2^dxF;eqK`(3QsB;&&e&My1IhUo!qN5mUWhH&!|!KUei)V$&i4_1~&QA6kW z10!LVAt#OOWe&do)O1~ZhZ|@v^B4)}0f^_r_4)l8tPm#ott2PFFev~T5I{VZ8 zAA2evM=U_^M@UbJp|7MzA4^Q3jv#O!t3O}yocVO!VcX@qTjlJ7pl{ahdZXP@?y{t+ z8}@!ZAGd*}S}I7PI532yg;}ho`%Ju!_@H!Ilr-V>cW_>(wsOI7_t|9tQ-2fPIrM92 zsO-0S@Z}f|*$)>1)Sr-{uc9~vRD3!cu5z(@z^hDkMKi3xE~M~xt5qwUO!^E}F|!3O zB7N4Ot+89V?`=g7FcE;Gwt_L0iS>F3nda zbfER}C!)$2&E}%p z*@+u0`q~ODUhUrc{X$j_m%1O~9M^Y&1j~u8qUi4rh&u8PIQ%H* z%T<{8Hlc${A>9h%JJd~KapNa%FciMw=^oJS96#adkOmUVkiM|e`s#a8+oC!JF0z-6 z`efny^6fC_Efwsa_jMz}c(>@XuJF zqYOGL!?q&4r=>4}sBJU*^Ct4B*#-a*_(PQ^ zhnETDRQ~?xH(-SOCa--_q-$?mMRxo3esWgF#yb`TIA2ftrmudrXd0&)Z zpGPm}CvbSg*|qhG6NX++_3TQ4f%{l&mftRa4H8SR1K4}wLnb#GrnJ+;w@X!T3snCa z>%~!pM6zrTk<}=wGYFFM3mYxAd6z>?~Tuzk{O6m!^0+JR_E zIp-E?*AqBk^};+^PkqQ;25mM2G03BcX6}N~P9S#J+$@-m5cKgiSr3e(LWl_|2dE9b zi50wDOU@3l8IM@A$7%+Q`n=Gz)HfiNUq*;^g&F7~RRr!OYB;!EjJFKP7yzPNBq@I* zWDTqY&AkXcKBXfi$jV&1z7kqsd+Zq>9fft8Ssky3V{5n}Q1()3nQCDBZUD}Ley~o* z9R9!(hj%@wy@prgoU2Nap{?)S#|*txk;`+@%d0l8MLqxs&Vx@gs!z3u3zEwZEI^b&gCU_gj6)4km9AsTtI{W%zV5&dH%;2w2Z z?jsGBvd`UX0{0&HT^dL5dGB9{nz)Z);CbSOU6Ks@ZI)Qd1p&#Fi@L+X+^#l>lh^B< zTSL-+1Jd+F>I?4N(N<;EZoTtnzXY&bIJPucq03*#O#>*+S)xa}g8*NIK2qv(#Nb$5Hk42-Kan67FkB z*!%cEhi#K*@KJpd@(L|vps?L0$7*nK(>*MaAA=o}uw1#*}V_`0D1@Dz0Q zRSjFP+y>{>SPhRYenp)bzn_@fo4GU49MOc>-;C!D_~gS+D7~+5Q(cMWRzmCzQjf3# z9Ax{Qx#GHa{0xx7P81J3PoQc0tdmZfQBm+f55uTzaAv(pkt(0uTUsMBeecIFjvm=Gl`c z7KpnWkv;(o^a&4oL|?`WLGj<5fYLRi z?DSOO{~X9PwQjgK>|?KGc)RAC>y@74vQN~`cmTaEL3!=S?4qU$PO*O~yIKp2Homj{gh4NDju15Q{ z{ao_&GO?`U@wY#@lVIXM-nru%r*cS>A7VFF?|9QtwY{={63v zk~x6SCP+Dgf$d%&KmqGkWpR~t`z_Lur^07!5w50h^F~)KZDagZjoZK@!}3N~gR3^= z7V9WuB8@4voo0)R(Ic#VTy-!8I&=nr9cRephoc{7>UJrQyGA=KC zB-}N5Wt+TKG)dTE8AB}V#&iQ%{Jgbs6$&FfH3ioiC9x?w&13*@(s*Y8jLc0^sW1a_T%f$9p$A`qiDKVNmkGd z8Avfw1=1^GC_xX%9X30pw3Ntp`CQe#$8k6-O%&Dj(hGbAIxLyXLR3*w!dqVsQ7aPRA`y3(CP9fGR$#vU#`+8y}NQ zWA98w*@lYi7b@^&*lEXDm(avR6udNxJ{FmaQ^tfU$jKMo+hxXj6{CO|*qiEpv9Sl%kAk@!V)UTJQ-iD2&e z$iAR7^#%nu?6tKZ#)WtBi*IXM%D17W$&G5n#`i7ga9r%5%hW$$X! z$KRyIRDvVeRCeCILFMvT><{}gZ%O1|eqNpW`(MT`44AAy_@fyd!qy%ct+Yg&jpXwb z7YYh?0R1vDlbyhUJj$`pbv76H{;_oyFrLBPwD48tmPT)gVfT!iacC|9&Rd z(kF@G9hN*T1Brr?!PpU^E`gBz(W z_w3?K&sNs!>zxH3Y(Wnjh`6;{l12`%-$I{@3;MgYH0F@TDm~m1szG~SII(Up*<5l} zipI5B-6$o+a!2(W*o5bnpXG1(HjNqnCZk#Nn<%*6rwgX`w#4xXIivJ3gKfnw6tLjVKnEk1&Kgt3+Wg9Xn zPY@~is4&l6ODao*Kf&YC8PiBxiEr}xzaNxx{<`-$$JAWy9_P;bDl4f(&wIx*62Jto z`@Wt}o4Z6dNF6*!P4KbG*+BgMF2wu!aNWVw^0!RpMbVs*_f2?IDhYa@tEYc^U%;Z+ z=}x-5S@AdIG#G;1Pnmox$7XANC&lSC2S{+g7~ z2=Lz&bcSJ^TKM1QZk)n&qab~%U$shoc1H#VyXK)*B(ZBN9M@$!l(dB!zXDhoyW^Ae z62OHwHYCD9uv^I9ar7GP;@4UugJPMy4bC2+#E!{nQ7`>=&Qt3LZgOmwg^@~{NOUrn zN;A-BlYn5QPtm16jf6Wg#?smC_~FDKgS$Q|^@F9t2SF!XP!m&hxEdJEq!2go(9veD z<~&If!mv5GZ=;@2P?6s!k3hUU9Kzo2#vFN4#+(aV9N}P0_)hGN!{%95#-i$T)!c&$n+QbIsT5Qh5=v9|J!FEf{9>Y_4_{bVs4Xyix8juNPVV4| zURv-g!QM}Z2OE`q`NrQfjG7M@H-U6|*7`+uB`M`tHDtrXkZOI=)Rf7_RbPe7CyQZU zO3~-S{9Ecn1v?sAdce9YIb5oAy>)=`OC^6kP2*xJSpnz|)aPZ#aP<-dZO`wI{UN#8 zg#OCSs-8AR8(F3BYRAozvNi6fY@sPg(psMLl&;C7xcOb$Y+n+K2ENA-mKeAuR1e{Z zEBxzM3NXPQ6d;}a#tMP2GgQ%OQO2_L3dj1MMlrl#C49K}!!i8td+C9z(^f=+MB ze{!P0jxwB_%Wlu#kEGVy`-8_}b}GV`mK056Dxie=PpGLSnV>^1fw&l7yfkBK)8Ti1 zSTCf6bC-P+1-6oq&wgKelr{}|r~*e3ywoE;3Dp|5;sl(f0wqHP^SAFMI@5M9R6d&h zMygA87A=id)^pOb7kZ9Bqhw`eot^+^Fh1E6a0}E1?%$R|_^FJ4df{#I`5>*fOrGUd z876&+m_serMn3HG+c%z*6z|ZJvPEK#KeUBIKB(t3bS?p>q}2%IQ>0%6dQH=;8mP>Hi5x^lzzJha z&jc>r=&0K~2`O8l7Iqn=w$GL-aIWf7M_=DS&6IgIEHd{1ecs3J*WZ}f=8S6r+zrxX zh2Evg;#!2I7=l7}g6Bfubwx$$Otu)LF@?CraX=ro@5svwKlS*UFfm8AE<)N3nJ(kw`!IXacxPFRtk+>5&5Rmg^gYvBj838WbB@ zw3SMe4UOOK@JSTrDov%+pUSo)NYo?usqoljf%~&Bf6a1kTRM5+r zbr_^i{PU)t_V7EkK5&z{<^>viULU5#h4oEVm4(=j(j5|B+gp1x;7R;iiWrTWD*t)& z^DfM*gRQTm44Whf06K<}@WKDO^AGdgP;XpL5eb2?Cpn8FhQcvuWB9U7>E24b|pwPS4wGCb1 z&#{C<#jKfoZVYlp|DTiu{g<4yJ!#V0q$ZcU!s!Q-EKyZ)dcE*4H8Om{2cPUf+^LHA zPd0vmd@7PZyu;U8q1}BVZGF&Z6A?Rb9pgXRqdiN8*ZhK5K{QFBP2kmHC#ZvAp_ znw%z&B9l6}8bOzc&(O1Dhzt`F<}f%Gu^H8;XqbB{I|qBFjE5pXzraJC_sH@F;(P7DW8rbThtwg;b3qr3IdHvUp4gEs=9-x1%HH|JiDmw$C?v0Q!N;QVe*eG@ z<(YGGSMtKBsVBMTF_}`fip=iTyyrCd8x8nDe}SH3oJSGtXVvacpy`LE;z0ePKdft} z1P>@u4p#p(as>XC78lo}xSB4diB`T%Gi?Yfk7kPJbK&8~3sZ5k_ZmWNq_4tH>yzbL z_rlvN4Z|-S(&pyo;gi1shNq(?c|-Y+C=iGT%U7AZF-neTs2Y#_kkPX%gpc}ePu?pW zA4yzWHq))K5|}L-qz%r~&K+e#`<|pL($muyK?n!hEny9l$md!o!|=s2eJ`2t4-BCP zib=ir=XU{0IX;POZ!q#}tV>(GlJ$GHqAxD^smCsbi8OF(NSk7Nu>l;j0#)I%(O6IU zUA4>8$^V?UFX}o`Viq|Bm{tdX~65r(GBrXmKvR!RWL`dd5=e$$4 z8w5Bb9COzdt%79>E$gzwWIV&ov^q+O6OP!8J<}M)jH4#52?F>9zQ)9ZrnBk$-L% z`F-XoO8dz~&(|wGM#D=0I6H#&ajG2dtlB2(8 zCy9Rb*jBWnq@*Ph3V+kV!9lcD5un_-n%oQKK!2j81HK4Q$EE*?Vo8+yS}5w;xDEqzn>lQc;;ICu^H>( z-d#=p`8}ZUQowh-cTfWRuctLWzE36se7GNoAwEaH@?hV?-JcKaT055x7?1=_uZY>tax;iHYy`}DUtC!Tz?|2#%I1(??H1cnQZe!VgiHX5JG?mRPtHr3 zGzp+n!YIst?WF&h-iqys(&WCtQ@T;!u1bmzs34Fg#JC~S^+!fFdT?SgtKpeIkZ$O~ zoppj`{(Z8Jd6Dyyj~q|Kj&IQ^avD>*6ViFG`LXOZRDQcj=U~xXXkj#iqIDW%B~zoC zGvc+Q;j;${v#$tNcW346C@wDIg?Tmg+eMV#5n*+9ZTe>{VPVmN1JS1o_q85WOTZTraR`)}F z4TBk2)^?OuG=?aKMPbc^v2CGxxv4MA;&rmtjxv~C?pg^rGO{CwTTWJyM@8Pt$NN?D zqvs@*oEn=#(@hFB!a8GGL_HSB&JN2bgOqL6rs?xniU5IV0RBHY!fN7J{0}Jz0NDS2 zcE7*%Kdnr{bWBFpwnoNQwEt5A0-yt^BmGMPdA0vd*uT&DZ)CLN_l^G`qy8UcX=5jS zBYh`*Iwvz{YXcj7b1Paq8`FRAJs|&u3;A!E_51gA{u}>)Yrucs`Twszp#L9zn3MdM zg8Vo5|CW{i2LE4@gZ_Uc2SoZmpkQFs|7Pc3od0VF3 a{%ilA!*Y_KVE?p%{9XU){|~bO0RIo*#Vh9k literal 142970 zcmZs?1yqz>yZDWw(jYCZNOvQRG)OlCNOue^jdXW+4T5wGGt$!C%@EQ#(jfhf&-0%1 zKWCkfwKlWvn0;S+UwQBS8`V$9FIbU~kWdi~2`L_|?ECbezt>0vNZeBF+~y8Ia|?U6 zfBrv1dX3b%kMhsG>srtL`K)X+9Jk&6c1DHHJ1;7F=W`sEdrjvVxQxk>v42=# zz*b7}2gAd?^!)KwFB-4Jk7<-v`-_nHQv7%kpL8ODwAz%;(;>Uq_1+6x;+Pq1zew=KJHR=7_>i}uBZgu{$9C@54a_)^1XT7H4^g` z5G#cb@7`aH=KJ41Zq5S(?jOUc+MiCl`*AwjEwVeF)+xlU*Gt(SPo9^Hs*$L_kgj_Dd-yWb7J zrc$yhh0ap9->vUH-4e3xtgXL|*2|C$(Yt@d3HSpI2vuuc>o6>RxZk+(eOe(tJU3|n zW2v_q!0B+_0&Lgoc=!!7d)fTv`QvpdQ0#vD5bEbCc7G+S;a7Yfn%hAIRzQXbS&G~OYaJLEI^kbkqG)-FVq`6(NbI^IxaQh%Eh65F{HgkFtqdsf@iOE!^D zZ%|^c8O-H+MI_l3A}F5y_%0c&fVI3 zr2s7m_N*jf;;VYh&{uWqE<{^HwEM5>x|twf(Xrk0oTo6|X@)QJ`aRI|*4-j!bw`KU zz>M4FyrvA&l=J%|&dWMS`MVdiMAFr#yPIe&gQHgkJv0l9^omOY`6s>xDvC=ECEP$K zHb!RTZFK8Pzg@FVJer45*A|A+`Xc1bL0&wU=m`9sK6o9QzM~->Bg#_v0_%o{6v-!R zDU$eqr1~!%BJ?*DmNGt2-=C7mpO}K7-Q+Wz?Yo+Fz4QyOe3dey?>hF;Uif??TM=E8 zIhd+>E_g1hsK@>ow=Xcmz0WNl6w>dK?p_^WvON z9tZMsEi5JYlwcW~p+;BY{g9`oOiCSH41*b*Og)TLtUzkY@p93`X9U)~Gq?C={Blvd zn(QKtaT0``doItin+gw{%xzd}rDGYaNQKAKON=fXyt?ZN*>8eUq=`^84P>OX>GMc9 zUib4I?^os)kjF&*`e&r#UVX(}MKQc4;*4OR_>DPrLmwUUg@*)$uGDYXb@e-te4J2k z!EXG3b)GM;TQ^Z!ua0lT4}bs9qS@%Bv+y-|e)(#5tW|ma%HZ`T&0W(tY-h2Oki>CI zJ6ZIzDz=QYlTZNx9;s@S8i`t87DoZW5mifY}!9u&=`8ii;zw^_Mv#6`{^E1Ec5D}(%*sgDG69vYRw@J;=d=Rtm zeOUF*E!wBg&8eN;HBAOsT+5u>#=|vN zl1UrKJM0r|w!|*JJNL?(vRnt~p7kt?vt-6|5dKwN&RU#N z#zLHt=U;s=^7xB0R@zIE=tDp${{)YPuj-zo&uFiOMA{#6S_jVqv7#WZ&D}t=Pa?cl z!7j&oy4AzAZqid$2aZGLY!WYYQuy9LFL^cxJ8@!#Kt}cS8)v0sqQDCXu6bID?se%5JMzLmufM$^B*?sWk84 z5lVZc+_)dr4k3$Ry+5k++JV6Lhd|Oc?)3Q{@0WpfckL8-T^qCl80ZS${r0Rz;1OJD z6Msei8x#@Z-n~kZ*pyAFOO;osd}%gJsfrGyW;AkDAF!jg9@y@y3NmwUdr6Ca?BX5m zjsK0h+#)zh!;|S%Hz}IYse7h{NllK*PbQZ&HAy)0#e-K~lZacj82zwOs^SZ3dyX8# z^R8NbF&rA~{qerf_^Gn^cxSnIZ6ne#y0C_r+DrV)(EU?_6!mZ#gc-k>ObmIIV){=! zz+?!$!eR*R!(mV}A=JwRrKE`zwCeok;v1Z6tD8FazIq@WdC=esXvvpDUE%RpnVYRG zy0pCuS}^)30$`(*a3t5ub+ot(>eU{?;jD-&rsAapBwBU-_OX@bZ+Nx4fBITv!Ll*Z zEdML|HrC4sUV7;oG+@#_ovm*?*>+A9m8pokoWR68M5g^hsTFyO|9}$CVy5;h{Ksa67;-~e!qV}sGJOTH7c;fa)2gNb^uPz_q z0s8wnaw)qTFH}XZwXH@{vFjN!!u!)4N=u2Z>B#&fxNt1#A%Mo|um}5@t5Q>Zq4_#b z%s#EH#;tk}L_(4LU_|6BR3w}xCxNWM$%N1$KEm9tVj0Y0snq(k`3ic*6D>X|Y`yt% zZYYs-7z|l6kgs)HH2KmPE?c)>Splwy|a&Clv9p|9&XKa1h2roFn`|V+9&6XKQFd z5&r$Fh2}%%E1~h7@GE*g@L@A1J*~DTM~Uzy{^9t_SSX=m9WbjhL(-Al#%;X7aN(T{ zh3b?jZt&uuwm*JpJk(cN;eW?cRdl5{s_5|K6n5rj3QE(k$C5sLlJwo*sS6-qOXjzk z{2xC`T%Hm$4JJhWG}iE>t)} zH@YrrOfJBMT^AL*vm&7_Z4lrTxN^pz?EYvKmU9#JjvQ<`j+m&Na4k z51%8{ik5}}rI`8$g(^B47DI0t!pQ0V8oK<@OIJS4vKttQhS(En{O)t5pP8vLkuGuO z7RYl~FzoO{$n(bDLdY_|GnGsv!sM=((Dct*^{Cl1rn3kZ9m@3{agVq(5j%EIk4q&QrGFOI zl+jG$#2^u9eKY+8k&g=%mcB(A0c}<_S-45Qm)rE|v3{4h=?sq-RAS4H zROe4;JLAb{XXD&8NWSO0FLiF$1MXB?k#43bZn&P;$lbfi_93>{PKgbA7rjK-Yt#_l$T#%1cw%*fQRK*xr7XSu zi$qzKa+A5}<~0kT*SJ10bj<3gZO<8f_!wU$Z3ZEZ%4A-uOD@o8(j?I~q9_S+%^CAa z&^X$$#G*HpO*9=$;<*mxFW3h6xd0a6WGT#T1v*#?lM+augbVHm0aX(M+DWfUuxn>^ z&;KMh0t#K91KfeQn6L8O$6yY=i(+BvO9^D6B<7Pp^; zT4;I_xSYSTwkLFr7STy`%iG!N+RsXbGgHKZ4D2%YytB^T6aPx$K8Gg8tpTLtm% zaoJX3pYSyHqBx>x?p?8+IN*rWMZ5VsPJQ7QSOAJw!z9m}&gktLB{G#r#nB24;&qK~ z@b%sI^1dd8RH45rZ?ET-`0{reC>G32PU$yi3r}D3So1nMGQ8^AP?;;2G;_C^I6%2t zFhfcgQ_`eNswn&7!kIdOY#| z87-Qph}pl-$LXw)9OTxI-5&a9WG?Ou(4UpFp2jM1cw0*abq>7Nyl)&eUmy?va~U#Q zFl#)vU|ek*rsF{P1v`v<0cc(rZ05Cy74n7S%kQ9ScYBLJQL^b`dJWiwey-MyC(LtF z2(=0FP=>#%BJ%H5__rg$>4Mp=rg=iSXfeGCLIrM0@zE(8^g4q?FzcxDI1{o#F$JG} zM`9!yAO>gz@`5eD#LVb}L&xM(VLWIhTfk6!SurzC{ZB6qOZc7F-?*q(AxFCUzIZOR z4tO<+%LPvQGOKJ?Utp#rA>DqRBxvE#zhwV~C*`v?SL4U`OxPsf;**+yf4{EH=P z3{KrrwmtkRis-E2auXvfl@k|60iPnWGdGAi@)h#NoBC~?4$+<61fT(7lZv{bzWhAf z%3j=quZwIr=A%rLVs4{1`3|Kn(FG^%2{XwgBkhQ&(s#Lpuno*B`b z{-C|&0hZHQo?tuH(nStnb`S#4=sK~t7O%`lYcaQEIVNyJjqFk{$CK6Ej=Z` z`dQlo-|I|G;vXz_dsvk!ZJpd_ORY0EJ$OF$>J+x%uI24~R8y0VWzF2qz_l5zpd*!j8k>OAQQoDnz-S+T68Lvis^f_0Syo#z=@v#Vy@4aHDp`*K1&4MS2=B1 zCt73*F7awto!sc#z$QoHq>85}@+3O99iGD}iwegH5Z74agvEk{{!BiLyN}EZ@ol+& zS5`2&f(n=CMVMUgo*USXh1dX(GIF9>Pl>MSt zal-~O$Ymy8Vbk9Ukw>b`f{54!1;>ZR>alPh@#7oG_IJnGfh%e$Vl@)iCzdB>M^3OK z#WjvUB&2;Q`Xl8s0$|#+wQP_BE&yw+i9Wq#nw=;kuD~-_r zh}rq<%*fV)M)UW_nICzj*WFu~@KtUL$^>?LpjD^##@qTVh0a6=(-7&Y-LUGy_sStX zISZtDW`lG}LDc(Ztc!cE&8>0qM)E?$N6VqC_U*+hJJL&-P}wF$a@Hh-&S0$!hd(9R zRy`y!vVqnrn*}5K12Fg6;?O+LBnOBA?xjA>;t@YtZX6NcF{6O6!KN8w<-)Wjmcx93 z%xeGSD<%LT)WJet^JB$b!Cf5fM&?mi@1s?Od+mbCfQPMFKa1uxy(G7abagR*++jD#BZa$x|Q8or{@IV71kN^`+ zvPHVXh}W6usm0tRTjmK!_{b|O%xqq==afi&J`D4yVdS#+r0qjQh&FK^K`e*rt`Cv) zzZV-?e_S;TNu|_}v{SbizRQWgH`?+5qaO(^ZI6b!E$}Ut_}_6ETLNriJkX+CQWv9D zD+i0}-UQYtCGS{hT|Rg|n}9i57t&+Fo9KnN-+AwI%S%Sv ze{a;ZUu|nU6V2=HoHTR$N?L*U^0SPqWc1`|RyrAA094pkgmj(S%Tclxb_&8#-Vp+LZpC?cMYqC_y!2a=3Y@5S!s4!)GMW|#ND=zLC}3K<;E)72y&ID9 zq-yaA0fcs6mpBNw5ked~{DR_SDWL{MgXxgo>L)D2?Y4-Jq7 zl^)_dQ@igch9Xe7Q9SIM24Ch|4%A6ZQboErB4@$slnQH%g+)k2D{zk#ru3bHAEUDh zzR&{r)CYCY$Io42w70JFs7q6T%{raj+OvGr&rk~zwX)-B>%suQ^On?yC#tpT(=|1V z{Hm<)eohYfR8CIX0$U12S_=8FkN7u1g}qq_o1-AO8IOZVG02EEil`4Al+iOi*=)C` z6y$2wL(IM`^VyOv+5UR&wKjo?8I!CD(?W3=X0&hVBP~%KTZ-d_IDAf>;+HhDB!e23 zcFYhNGWs<@3R6vBzfoBA(0KCR;#psd#zD#SsekwVAbk`p>SN;&5|D( z$8jDHWA@MWk}ZW?grcHsedk}ZG5R6b^S$40W*b;3Ng)TG+I_+0Hw zJYGwJeNc_$zPsfB4FG_#TZa4K;{rilLNZ=^vNyajFFL<_eNR+?>6uH}$C_pcV@R*V zo8yU{4PoCQ_T*BXjWP>PxiFD!MoXi7WilQWVTvepUkn?B7% zjUVb?sc2|7sa*FYg-*T2lueG!{p6{h7U)g+^<us1*C@+3D+EKdd8qq$+Cmjf}a$M2Mj9-nWHLTML`GMwiwy6Q~VyS8-^>Qp>7~ z`+#Zu*cbFqZIq%8CEQ)sQYSOO(tY)m{pnABm+Tc|49&Q*q$30Pm`kCd1YLO$`%r1{( zT&S?n(wB)!Fr5Unm50X;j|oc7$O z?NnbTmkXM)lw|{N-hTNU$GSCi`dP6ZI$|+_VB%>BwABwLC=B?C)U|)lAJPhZ-;+OD zS^nV6Ow=N`y+IMzn%_9?ykRXgL1nGA+jDqx>F|<=!)4>tG7euB*1~S4Y(PiNlXJh^ zzxB=laY|*wUM4+K);Brg&k=ueBx}hOWYfB(+?)Yl|4GfPcca0etZTB4_V6pd(6B`N zse)2nn5OvR#Feeez?WHk1U(P)D^bMnGs+el$X~3O4$g%wgWeN67oQd!G%?tV%B$vmliD{Pe^~?=Ua$w z9HOd|-5{fnUR$+3#+LEr&MW3+@qe<2N{-V`{oU@Se~ef*4ZktOd=DUV;UbwqT*mJPqn8?i))t%jpVhakid2?Ot1`5?KNWMmwUgZQ22?oM^ z?h^S9C&AKE^U^lQIoyE0N&zD_$~~)UY@$rEm-h`8pkv&^_-A?5>qXnpC=3qLly3CT zy*BP*=q5UrNKDo3))NOrx^UtX#462PuL-6Y`})g`N|hKu6~LA@W{YH_+(Uz#SQx2*EQ_#c(@+SWVIe>Brv5vJ7K*Tz3Uu5 zXy1fkS$)GBw^<_m(D^6r(D|o}oflDEs zSdNw1t!?H3k$`gR3+%ONYVU~c*9f-dE zWSfr1uBC{+`g<@01G%OxhSm8@_#@RPtePFnypf-;nD?Z%Q&vVa|6EN3x+={;MkU!Dq8sm*C*7Yz?H-CC4j+3UcU5Z6 z;=0vm-qQWJ^H^|g77tBJBll4VxHx{hp7U1=3*_hE)Vvxey+!1CRGf&EtdFtPr>TTw z(&sD`6fg_D56Q`KaqxPUP%J~%QBPOp_S>m7&j+~C<4wN*b<3LHR0^J1IFWYJc1!v4~GK% zZyu-~Pk>Lim$2(|e)_0FD7&crTAop5|J`{saFyb?{m<3?PIJ4@6YHax_brBgD5n3- z<6k@>v}Ru0l9b)}D4E!47(rsB^ZztEzj78?ub-4|P4g9@B0eht->wTy$aqtzSiVQ! z_y71bsTy?QDLg)V@B@9n*@3w@nSe1)l=aB>oiyJDXmMNal;RsN1|!=zc#%ogJIKhl zG(nWzob&A;0!BLd<3lfzx7-!ugNf9s(wQ3-Z$+G16NjtF_nY;P5xwPG0lGd=)pLcb z%B^?LffUGb4CsCcb?1vP5)^dC-YcT`);fpQD4+twFxW8l4gaPWmQDfWA2d`xs}LXfkL2 zLbrMp8w`?D3kQ<%Y*!4Q8YDY9phVAiUMkZX&WWgalVk9IVP;(YxnaZ@HpveoU;#0B z^37*aucXhSKQJ@40;W2TP6Bt6r4K?0P$Khfrtniye?OG=;}bj38vc2F4SMf@hZ!#y znjr%+b&>(uRpLob>EgCZgfM^sj`O<8r##^1I*Z z)c3NhFMk;csK0o@^LqpLv_@~ZQ|G!=pk4wUv5Cp{cHfkR$S1ULmqhgX(D;{{+`92m zU9_gr%kPvr7rd69a-`8Va-=w82|U`7oHk_&7mqLVJ7n#t}xNdrX z#t7b(Xm%YMlwK#FuQz1{4OA{-TOU-+i?(2Q&*Y;j3iR*FsVq}Xw!WzL<%k_i{7jZc zUQ)Ab)*U%v{z8%+H!1GbZWIY+QlBYlQeQAPwa8yn-Sa^7{7a{+r-wiqZ&74mqTwu^xp|%spNuf&-Fdx*)&60Vz0T6!m02fK z%N~b%Fp3LS(;Hl)Sb5pt_y0%xwo?y*Az!^d#~ogM;N%%mr}3SB6u);Ie30-qnP$#) zG#qaWeFsDKK^mB*?P%WAd$U%CwC}ug9?`GOg)1G7yAI%@pVfKG`lKdbCzf>esAAxE zkjvG_kwu&ZZvc=p_J7S&riDf(o0vc5HJ=g zl4)S{F^aMD`m)IpqWHKM}u=yMEzQ=ZQ z>z%fN!oxvScZeS6JAMnclB5lCbM@?B$7bqPk1$CNVQNBC(!{7vl0@`>^^w$fAVy6n z!%t24ty;b$7;zrTM@=~9CUx7RxtuPSuhvxSLbxkbs5=cGhS0vBz6{JZ)la&Xx_#wN zEa3B!@oXY5Sb%C8V)2PpJW8&aPPERp@3-7sXs}!ViWl#>>)Y?2=cv%E(A7bb!iBLJ z_seR>iBWTND8GqT{l)|+Q7f;vxTrw7nUg3}RTMa&s0K#|zk*jsdi<~q16}N4V$f}~ zaqjphn_->0y+Q6)R{e_h&M|H#>7>9_^v)2_`%7X>L}>iS_5Y2S2pju5CYsn-M>*2$ z+XNmDj`!;8bA6yf?paU-F7Sp<8>tY&4E-i)9%b&y@4mbgSGAiG{EU&$O?XSf(Y#-s zOLizTju+^70E^smi8D!{-d)ILRPe8t4t?8uTQm2$i$7O)^c#H~zEAK&#r)8$w}PUs zvnt1Irs-H`y#PEM_dP^lSLzB4Bd{`LoX{@yN^2%(X~%L12SdFoV!0XXe|QBU6DLh9 zp|c!mMF(A~3_ne*lAjb4c?_N3sEY~W)nwOg9eYT@ai7fojX5(i6y*wIsgJrn3RBkG z1VWWe$j*gXM+1bk;$U#kh`0!~CKQGB`^t3f{qUF8^Sq1@+E_RHL`3Kq@7|&vpPd0{ zXW`AbJqR)|UfGZ|!nxqd#E=d9x_4mw+NCpLY7-Hj_zKgQEj^`}dU&V_5ia{5;iQ;m z0;HH?l#>-Ss1jF|HN|n&deW5EYR4|bkJe?vSIX>1aR?~qL4O=YXQ_lfPV9wjXM{pT zVDE8+ZNdu z5q3+R9J~HYYCQ*v&N5NL{{;6Xnt$9IOMde|R%==wLE!u!sT`%46b+M?G6{#9RkM{x z-0UEz8KCVEjdzB);Z8<8g%OIT;tmzTCP)F6pGZF58Z6yMfpD4NNlho4f!xd<#qUXW zOt)*#RT;yavvX=g4EHba2~d&Q&TS(@AP7;KOeJKr(wQR?^Y*$u~~!y&_OU^42Xcta-alJ+I@jr?VDE7bC zb8M;!SH7RVp(E&8>MolxA@9|%vrE+KaabF%Ay#)>{?-xYIn}NqmoHaEiy^H2su801 zNu8Wwsi0R+gBVoYiTi(|9Pj?H%So2A$7^>a0hHj2(J<;ZJeNd*JfyDYUFQg3t=-jeZ)R&_b| zcg4T+_dm^?nlP$NzK$xwrgbN~0FS|RI4qsv!w07ZU)S}+Ag(ZjH_z2Ivu_3=XsLnv zk6)iZC(15}x|XHY;Y05)CkZdL4MXyi_DZwp!xxOv;y$}{e=X_G%@uAk1*_;{&!~))p&h;#t22+4y$N%XHlyIs~`FCt{?H}Djx3wT`Sx- z#D!zr#a;HJm#8%*FHv_Qi{l3$$mIo-YK{N#Rhn27D=8*TiR6u|7_)Qpw<6Sz;quk{ z1uquvjvV0vCdqWfpQ)b$gCd(%`f2gnvoK4XIXrh$Y=xNL_VR`HZlPTUn3_QT&?;&^ zxkJ^#h{9Jz|HL2`JF`<$;CHB9(d)zO?in)kl(Uj7^?0TvDbAMn>hD0f-``~6epih^ zG)X0<)Bvd{hbTVIfH^_DXGmwyppArc1@Zx?>MZYD#Fo`m@-D&$nhLratc-sKQ=F{jucAr~hBs{J#SF42YXAXsA)!%{ITJJL!VEJt|gz z6{SDNR07wi{g(0jBhw7kFc-Vb63YF+Ew)^mS<@s; zJ9Wlyh_RAO-;&}u$-XLePqx7L@%S>G+cWZ&TwRcIzy62m<*QcDeG6}H6y!+5_eKt8 z*ZVB4Iue;Q-;?l|KG)h1aQ)4?>L71>8rrcOO%ypZcmP(YTX)deJ?4z`^pEvXCHx>M8V-iULD2(5_dv>oLofV#d1(Pi8 zQCye2(nVrdk>1NPqQ7BSA$9E!mkMXI>G=jZ_p|i;qMNoBPwc=);Yrj0I{x_SD5jj-({7~yj^`;R-t2WXe2gD$y_jL^5V@S;?FDocuGh8)_j|3 zkt`u~#EC#pP+1O?U#f%b)iG)MUn*&XRAUicWrajZQI%d5$jkPTj(7&j`2eGQ5x9w} zPdcTlb7Y4I##e1Jp0wnZs(@gw3>@#-0s>Z&2$Y$8#QsJ|)NTbSxSWCi^8KqaxvfSC zFO>&WfV)cDymsn1u#Fgp_h#4;j?4Xy;R^9oJ1eV@#2DDSRKaJL;s)zk=9$2Na^#e6lyu3x2kTB#X4)m^KVAhlACJdu}*x8lNZ8C}(f;6~`?(Y1h1 z0$|d0qIl-NIEQ8%@y>*84YMX^0uthwg0!U&!J-UQ^_FP?2xN!hyp+!&5)4$g#Rj48 zEnjjJK2~4i9x?}b2lgTRIHfpNMWwfqf(2vV&*}WdXUaT-D?V0q|FY#t_^0<2A#G%a zcPWQ|zhYW}O{fyh%OJl{Zd|}r*pbJ!%4f#hCq5e}g81^q^Vsl$j}=tLq90xp{Ub=l zr(o^Po$h6|iW&c**}}T^rSsJg?M(1$c)uFs)pC=D{Sdw_oJ zu$l#u6Z*~0!a8p23EOqwVwPV&^VrSC$w}iSgVhIAmzcEykLIm{Jad@{LS-x$8ZloE z)(M@8K~ZgRBh_V@AN+8l5hv_$>H+uG7HAw*kNlf>$ulFvHi-XJORwU{BD)I*>!~n z4mt=R1rHiLN~k;B^>U%&O z+L-B$H zo{}xsxQoOFPdmOsS@MIm=~(bp+15&to9U%wG5#q1Us5o~^E5kN5!}`ObL~0v(=}T+ z-&M$dltYDH)F3q(#V|E4Ydz)_jNZC4vJ}S&j6`JuQ~WA@_S?EV-I>~yLxoy5xx|6N zY=MuYKwIzg_>xSAq+4?2AwM^#8Q88;PUM$olIw=G<(Do98G`wsd3&Os4n@#4u%<%8 z4rx-;v#sZBY*oeYxr7n;i4Zl3N$9nO8!13Hn4YH6cTwguh{g$7H#L&phb|G`ROm;C z8;O>)c?lr{SZm2@w3P)b`b)hBM&jDCOv}Awtt>2FnaT)8gMACsLqIWi7@jL-MXVPb z%rak!AtE)VH3ejA2IbP$`hAJ`<5dLGE9auPE#2=yYRg^PZ7p_sjxg+HU3h5^L>x*W= zo5nC2q8YH}L&fGQdTBafRBFAumFRx{S<9(DN}E6|KEpgtC?hdWjW0G}pD&QYbxT^?Q$0aO3rt5opz)D#W5aD8A7g54`l& zHWd}^2&w~?yG5WkQO;i~f5F@nl(PDw5I1Q4-4d~&_^~@LTUyw=#{({PwoEi{Sc^&i z3#-UO7G0$2fF@XZd@Y5cvcLBPaW`qw6Zl6Hy*J3FlI1$|KS`05#V9XBQfce<(}W^v zH>%rBoRR1)m!JrK!Q7&f_OQsx;wZ&w%NX{`PcphPrcrarL$;S(bpgW6pUra`S&4Z7 zKAh0qew`{cBfbC(P2MRh_>I_4Mps;ULrqGfg&X2!Xi-FS#*Z-~1dP`(D zx^$wvwKwXGY_c7@5a42pXc7D;jHp-chZYRxAxrCm&Klx9nJ5}b2wDA4wY5(a{gFkZ7qS{1(>%Za zMqt~rAzjfu%9qKR&mQ26qSoqCDC-%aM^T^mekg6jK<(csn`njb!PS4D7A&BqP8Hq_ z0)T7#Hc-31iji(CDd}2NcVvB?Mco}Hq}Ym3sb4`HpUy{^8fDix#PfB*P)NmU1kea~ zZDP+cqM8&o$y9qydwLZ3FoKs{>rnsc!O{9#YM*s_0fSDb9m-#5?%P4wm4FgK)kxY5 zM>_>8mlne1)v3dS@ejrj0|c&3(Gj^HBos_|+n3{@muVn(;zk?w+grz9VaBf`57Bx!Yf$#qy#OQC|WwyyVIz{C2i zQ6fMgecR~|floL-`)NCbG7SS~OF(HlhgDoxPJJfrqlStT(GP<96F=xHL$4eZVG$xMCLps`yJt7I}rf( z(C4>m{K8h-=nOOq6M5TOzY9waMSiPIy1@j#a1?(tek%kSTI#w-T24bE3j0WIn+0xr zF1HlqZtUQI$7kRG4K}0ax=R}9Ec(`A=J#!|^47jrJgvz(M)&GvN$@OJp~<0QLDyqg zFVtaG>$J8e!=VZ(&SGRd-b|b&3%ZI%;`93Wm*P(#k2y62cP*W5IQ1FiK&pGGoc0a& znm0Rh_Q&Jp-SD6BU{j2CgNQ%~>>BJf|tnz1WDd7WlB49Q+K zS0*!Jn7kVcO&vaQ=^~Yxs)^En z9>;q9o3%o^I$zY<&Y+H4=x%7LlZhX$JFI2~lHNA8n|B$TLC0-f0v_cCYcWlyFMc-q zre2PPv1Yc)il6I~nLUK;W50^ml8GP~q~+I-hU3#(wDpPF>-T>x5HFd=a(UD$jNiG8 zG@RRJ7nt}d=wxrThg~Q=Z-h?P^6q?M_4TuoOc?|S(M3WwA}Czqdnw4X1NyZCa`eT2 zoNHsh-Er_h?#J={1`ReE0 zEJ-LPv@5tV@ZTf*lYy(ldXDyNWZ0=*AGW=!!j?0a@w2>Gq2c7bHP}_H%W#-DDC<$& z#ZRg+Ych`y=@p3fR@L9G_kK|&s-Rig=+b~rC|~r-9fei`xjzldh9Nxz;yY)n+i11Y z>5fh;Ae$dKG{&15QF564se38S?d=+NwFjMgEi1B}{<5(I-2RJ`VK*#s@N2Y3PW@51 z{&Zc{%EauFx|R4aHnfp7?KI6S#4%08PEzudWczpVFb^#v`4*3Xsv|vpSl!OrMD+yq z;zArOmBJC6D@eC6VQU5hFtt@)B?+$Tdi;pRpZruKWpCYxwTcZ$OJcRtkBPe>j*BDo zR9mg=i|VT{w(CNw`PyrZK~U+S!XDAgW;aN)5a(tQ*OdC4{fzaX`RJ#CP0MZK%xSCo zF9gio;3Sl%qX1z5&M`{k9q}s8X6nM{-oPm(G;JF<6H3TO{t!_X>DX%Fm=Mc`=e+Kz z17qv5Z`P93H2DT;rveZ}FshpDd|W<4ma8NH$(a&oG7zzpQ~f2zBcMw#6&2o}uJFCq znfh;CA{il(>2Xv}@C1NG;q%$FxwR0y6ovoLWqh=N4cS4SQ!($pT*595G z_+lJSV-N6v2P9!%KEbMk>(jN&=+};*!N9^+ftN7d<{CVVH2;vXxi?283m$v@=cIrm z|BK)t1d(md5AJ_WEwC0Zc?&tBIor6(9z>99OlM&p<8)Vjbg-tPR){f(tPu=A zWfFo1^bo-0Y-HIko-Yg`Y2ZA0Ylx=$gQJyhp;eLwvc95w^ zDj0_Xr)87$$-JbF8iYetCQcPyB-#2mL^l(Q3t;bvqlLaS^epI3w7QK6p(;}X^-_L3xer_`?7B=O? zU{VTZ#kWh>ccWKDpFLXaMYXN%C8zf@{F%q+c0OgJk52u18J5EX&Uz+9PdN(O;Sm~5 z+3hKo3~+Lcg> z8E5?v+>3+EYT9evK`6H1o0+%iKuqE38pM9D5jK&8ZVD?K zZeit+!fUV8Q(PStFgKqfGAv4{a-G8b_#INkFetB&S86^rVW1wqqa5$xaHp%@M(xI3 z4>4D@*3bm6C|hn2{`%n{OE$ox{c?It-sr%5SyOg;Jglvf&8e=t3H-`~U#jJW5J0}R z@L9dFWKKQn;k!6x3=`L!Kf2`;u&@LNAN2+5tFrXZPRr?-jLJ(cQiCw)k1D?ToOo6I zFTvPE;pb^#Re?O?doL-#n?4DzR4A5e%?;{;dpQUCg4gD0GR?dbqLRANU_Ck};@uZPpMB=sXySApDVExwVKMpq4u zdOpUPrum~G*%B*ewL$tsVc-?&cm5wo;aNgl1xFlIrt2e`wY`r{=a~|!u85_I*G7y4 zk#0^pF5FRK^M<%KcuOhm@RQ-dDPtd_aB{w@usO74N=(h&+BVac=#Vq5QqYpg?V4^K zXa(tK;h^-E&_?wFUacVW%$v;Qgz$lac~=3xCWYqsYf(&;x3CJ@?jCLR!eAV=jIOn8 zOs^bAA6TzLYHVHw5@y9JFH74u^&TD}oo8!`tC3SJBZURGFGi&UBD)gmN{G>qd0~eO zH$vmK`&DnZ_$G)qPJG05)hB!tabh7V1>dJBs(xlRQ03CqGtr($<6L8^(4cmPHGRgL zuPLF5(TGMsdMbHmY zxoXm1bm-Qju~e zOfyzrjc~iU$gDer-I@T6TF|EA>oWCb7zWo1;)bvA%FgqEW2@B)iOLX#h)pTac%@6E zRQK7iRW4;xuCDPKR{dpmk~FGFU@vNbtya|wR31oq5mtk%+zxNM=g2u81(@~rf^SJg z+^RxJtc<(`yr@ORu!fCl5|WxKD^UDNgB&q{Zh;~&dj5<_mf)D%NwN|g&jPjl03*bX zOJqM2ydNJWLnC^xJbCpsU@ezCcMN*>x~UoLwiSBt^PBB~X3{9y&2)9>SYVsJ9jG=w=LmqZI1WI;U175)4XF|K6 zQm{%PUWx{MkY`q|D{(J8uR209$K9L-&eryP@O|;xeh0&B7b*~T^n?(GJwDkUY0Cpay|2&qn`2E@Y@S*)l^AFwApS^oK z*7z=;^Y3lsAG{y0+Q@zXR2yvgJpBHp_T~TW<%;Njdc6GM>F0Akz~*y)66vzG;deUT z_A7>EopizN-er?bShBOLM*V&xr}Oc5O7(`&#y?K3XVlQmqt|}@pHK`x57>uJ!5DCT zvGh|0@n|ecRZRTOlZa02<%r+OjD>2Fqb~_!46mruQywJMblXnW_CqAL>!4RXEQIHCH=dE~pKsMTjK=sg{{-*++ zGZq}QG2?FcTFLp@VUirzToFnMM`2_0r@`v71aQR{sJpH9XPYRGKYmdEzQ}GJlYFYoUx9+J3Y}BuTq(|HsN{X@F;t;OJGcV3abMqO9d0%v6lD z0_$SI2rW~xRVv9$0%M4OTNoF*zRbsqEAn9ytUZN2vD)wxWfdPCc*y$VIU)0`WH9@pmCO9Wq-(1?dqGamz~o7 z(XRXguJFn2Kbz+Kn&7y7C_`D1k!!er_(XGu}Zekx#SWO>?jqjYx@p% z_pW_)bYkeVUxE?fcqBp z`8e#t+Zn&tb^+yKOoii06rC;YISVF2RfP+yWWYI-Z>^;MrPKUxh6Qy|Lmifx%@U<- z)r&u00TK*gl~LAFwYY!u$KC7q;3;Yj+kVWr-{!d%Ji>|b+0fl~a}OJvpfc_Bu+>ao z;JtVMNY`CJ`%&5Woe7-yy#QwX4`7`1OKfIvfiYKLlB4-xNdiNsGhA2HF&b_Iv1IJZ zy@H?Q?V#nVq7`{n8gQ4ftD}ZhAT90_l!Mz2RlmjQ zAW@~TP-5jlfE@E0Kp(9BORz{8av@V(5c<}KPqPjgtj1sp2kli`nne*+MV}68ZZ8Z) zG{X9TidM5HGr2`b01xs?@nOE;c)~4>z=lgf`vk3zT*%p?@;i`^0289Yw_BZx1J~EI z>Nzh)VNXrYGQvJHNfriOA+iZ+#+tX7k;KYr5;ZTv*HtXGH4>D;zW(K7ynicwAsD$t%V#>e20SkRm5y~NhcDb>Pgu?~u`%#zuYiRK23{41$ z<7}4}YN<8i7f*+>wmU=7F+#-c-}Q}q?A9f&U5E{Lye(I-9>3AC@$H>LZvK`F9T9xd zpN?5Iof;zGmR%ufUkqtI+=dN3Pf? zU#S~!B2de`2pZ%6LUkr|)jVvS-2zi(R)0l{oiSp!HOOz1a@Stxzofew%Ea^~iL3+M zqROsg7oeB9ZJx7uGkoi=1~UMGmH+P&`0wF?|9^=%RMc$w!*1@r2f~9`@YSWS0$XQy z4;e|t?GXRS3?Su-GmCAoth{e;<-|Ul9df*Tw|A;pGnZ1Ys3eN6KNsx&sVJ(KD*XO zMe(SG`tg7T6TVuMxF`aT_I{0nT=6nCZa<1IgKCn0keer6g55^kab)O+5?Nh_|HG&G zFOt$f%#!?hq*vsM0vTq>?DINR$<1^1Kc{rmtl9WRm5j5DTJOtF7e5Y(674~|7Q)cIH`l&ic~sy1sJJ=fdVi$6&Yez#N1Dbhz@aS^$0GK~iYk}74>_2Lg6 zq~yco?z(Vmu6;YuwzVeWBkqNHosi2Oy#w4b*T-&xqP0+XvL#zZgi2dKs*avQ{#Pp+ zmXQE(UPS9fU>st_3nA@|ow4@h%AEka&6oTTEAnA2CZA+oL%a^-*K zvAmlWjGd9!>LcQfW3-{{q;j)2N|C$6tsG+*i;x0fmJExjhSq~vjiq@BaQ{IK{mWwm zP(wNSt2q^FB5aNBKPRVjsCNI%N43a#Z|bl*Eg#6ChHJuljQZ6>4AD5f7e zB3Lh3pPf2o+8SRhs`)Oj6NinGA09DAfg$$}TS2u@YcNtX@vWc7`Thv%gl#e7wZhg} zQ3Ce^s;B@d)DHCGW$o0_`ns($R{^U@yvBH{*QbzPPN zyN4y{OdRenJrsAak}STGgGf$S?Cc3k47f(*5boKnf?mEB^HJXf&5)4`P91(HP_A0Z zfw_K-eE4l{;M?lc?j~YnQlj!mu}6JNhgQIx&`iYPstJHt@Yuqq&2ptln>djJxpCDjf{xsOMcAPcuq!uG#q2 z^jhQvi)zZiW>u$EN)9MKZG&ygct?XT0d9*)u4t<+kw`f>e2DW=#HPvIFskORq`}wDWulz?os2rC^O^`(??~iOnYSeK& zWl5yLHnTq4Y3N5HjwWUrxe{2wi9vY)dfuU;>5br!O*G$|69Ky^KD%(aeCV>unRecm zd^tiT0%f+z*@`Z7PWg;zQU^^NEySZ(So2|IM?3E$cPxN(=?~<3=G-U=F^~Z?8NgGM zChG^C&ZY~6yUBE)Wk7r_X2=qQL$s3oVPWkr6ecUG#S5QR2`vO8GsBHg46L%%J&1af z!Sg3~jEXF*Zi6lmJqA3;b$()Kn+>mbv}nb7)o<~tswxsq1#>Ge>q@O;tq-F@@FfwK zF7>gYez-tCh+Rxp{WGsAL(MqI!N}&5r{my2B zD)TeQWP5i;MoD1|<+iVfgQs;$Kh zRPkD5SXG?0y8O7x!fkmhc5LRwCTwO=UVG_%Ctd5l+ne{tCO1_E%4~R5-i6LIZjK_<}Sk44)%L;D}v#(c9dX>R+$52sMu*NVDDb90q4CYTK43u6) zgMNb7C1;tkwLq)X55B^W9X+3##s1PRs<6tS!ysD7TtS`4EkYv_FC-=pN|KR6DL=ME z$GOFm;kd7~pP3RZ7l;Ru{c38GxYdkI}$8V!%MbQ*{di|Hv*?g7a#DbAt6UM&nVJx^|a(%pX5XKSHv9Gu6Du)veAzrQ&p>ne41~tl! zm8E728;K(EEwh^?4*M-lGj6Zw)0wR3GD?D1_!6||rj2*N%=ZC!MtifZH&!JVJyvxB`GD5nOF72QS~F8bCp73{W8OKsFc&IxK*W#57^bn}**otnAuQ zOjZ>;>Z*k*Du z?RZUTHv(t9A|+MWQo-|8da6TEl_I`K>udk>mqwGMzM;xrfAThI?`>Mq&k!3fWceJn|807J1-~^T1BN8>L zL(GEhv>jNgjbi2~*7gC*gTSk?s$p%aH$o7fT`ND(lcJ9G*)DL4Lyg0SP%oFBdFV#+ zqmdiv6r+W=Bi58?u83DU^S1T3k~ex~q|Rl_yIpM$mdCW(+3bMV%_Pj&z1+^1>8?F? z!!noZEizTo_P&F)&;FTGeJ8wIOrX&`zAiBNgqi4enchMvEFGt?56@hu4mji%lHQG4 zZ#UfnEDda4UF&d5SY^Z_i}QX_zd7aOtL^mZQ5ml}<%&NRI)kb-0KAuQjzJ~5Z^nNQ|?OAgD2lUT1Ps2m-6zBoiH`Q?K!?~T>zIlt{Cytg>% zlxD_7T7xpj?%O%2$*4@ zme<1+erFo`c(}Y%F-6NeAu*MywyD^)iZ!vd7eW%qWS;2joZ@@-+U7L{ z@I$0}g5kTpfvnBH>O!fFV#u_)7)09&0j$bN_5vIJM3Yn6FFuQX9#-zLreHT{X6kl> z{vh5`y&D>H`w^NRCx1!-2e-BN(A5fida^rLr%7Z(dwH~(SoyK@Sf%!q5ty<8St{EI z|FSSo!j!EsvnJ)|=-N^YK!^&C5KMs%3^=;Y9}$fWGJ2(r)_B0DuV#U7d1AW~?klS{ z=oJKL#?45HwZ+#3r9Nd8(BQD1F+VL$q5h&21jN4(wd4g2)MVu}V>8Qs(f+zLbO0a-uXqB1?5_;c_Q?b5Yfw6t#&0YL{d*hpMgzF&Xci64ZVu(K|<`LC(X? zc6Ow$509*P&*~ zXVk&a=l4u!RHAbBWwu88X7$6;tktLEIJ6Ii8}OMiM0EP88zvHK(TQGaWI}MLG=?TU)^* zdapG&!&*(FUXd{>I1KwEI$rT0#KQIKdX}!Bkq+tC7n|^Di(7F!M_-)UXKe=Qv3HVI zQb@A6^r0=hDY%NbcxJ@e9=OZQO_P0{*a|CpGzYsiOd0X(kLY{K6m}$F-!kxT-A3T? zZA_~%B+67M))#l#Z-68ssp+%DssN!&G$1?wC%Al9R*HYaSTCY@7jTz?I&3V7FwH2E zzg%TR7gg8UZ+KPI`l8PZ13k#bM!C_ZA@wrkMD&;NT@_g@mAX=|2mhEzK2Zp`!N6ARIkRm?L9aEQZHxQ7rJoR}w ztFKqgMOG~Sys1b5oSpp)=V4cDe7Y^f&Ct?(V!$Y1QDJNOLy>QpS-x<|T(N#!KR=Ye z5`IHX?Wky_NP6tYk6Fd(vY^sDaOy{sfdlt!6uW_x+Wz2^w;NYFKLE!YhLIhscR);s zx!88L#6DH>oAq)Qw${9D4**}bPPWh%q3_tu$`@JOZlN4t#hj%7b(}H!vK-HRl53kf zJ`U#|7={(RCE_LQ@-5ThL|=REI;uHwMKG& z3RulQn(x}+)da!yno*zNACF)br{19d^?jP~!{Stw4dv6?LvC=_pv)j8cSD3{##7Vh zWN!uI`zO9HtwtRsxs{V8@l#gYDz{Ez?Qc}Bohv*J4Ro0L z?Tc;BDcG-fldm#Pp@?59Y2&jsi2^cj=3FAB^A_!j0NH5-DXXXvIvAMuxRl4ySciWW zCtk8)qXO`j&Tmp4-j2ANyU6g*B%}AVsM#3k*%woFC#MTsR22-kuyH%jsR^j!0~9W0 zJg|$A#Ss8dXua3qKwuYl$~BmFXoyVN5|W7Q9Vtx$-AnMe{uJ2iw<?<+kB+6U<7=RZlxm-l;!!*De=cqAay<*G+6^hqrAduTIf@X$Q z4mj=)$*uJ2BT`efSnoV=q-_XQ@K6UaCJx z+p@T%{*H9`2TK2rG@E~Hr0_S+!3)%>(*?qBb>r?7r`1jgZ`iWcbU4)WP8ZtTn4<@M zssozk1-$i+x%lb^%Z<}NA;wx^vi+?_5kDrNeV7&J$d zd+XUyEj?n~e1!_aFm&p3E+Mb@ef|AvW=>0&z%%AHD`p-B<66f6sG8d^63**v ziq&v?3$@(@eYK(2_3YV?+{?;s=z9u%05lX6e+OoM{wHR7b-Ahlk7h+r28lP)JJ9As zc-5TU$hT9a@u;z-T)V7LzF`Vl^XBk`P^%BTWDJ@+rou5O8mp);Q|$B}ReyG%Hy6Fx1KWvm-Uw z@5y9iLd!7lUczTtM`qUfid-K{s|C4|PfsQOPTsZ0+wE}z$E6Yh=&l1aWhqzQUmKx}h9>luZ8dV8#OdW* ztjkiNV?SPj<;<+xMsyb2t3@kiLn-ZC_?1^;YzG8EBCm7hT;d&6Om+%ClF0W+ft%4J zSgM<|23|o|NX?#RJqgDOkCg*{4Y-PjLlf0!qs_()w3r+s#Q4Sr8Q$8x%ECoz6~Nd7R|)ph$vr~Kv9;aV&?kbSd;@!@Hq z`j?RJjT_(X|BpxxOwRV(e*I2;#9#5PFsS(T1iXKN~|*scuh>g4JEZf90BE$sBzy4{fs57cdXHLA1)qqm~_ zZo^yufE&Uj(Yi@}OYydS#fx;3cV!a1fxl;PDz8MwvogdSI?EkJ1JxOUdsJo5iv;_}m@_aSN?Psg;>z^L`)x{>6sAob`Ngp#5XHU!p8*?Fi4FYgL z3X1Qmzr^$Zmb{Pwv^p{)u@drFGUU6-N=oAp%~WwD@Tz%GG1f;<15}0^?MD_$jl>Qa z@)r6u7K|PKJ(`R{%wvm)_9O|!sPoB!cN8T_mpkV-kdwj#gVAKtSK#O5|JiXPlbjCG zYyF=z7TbNq6MgTxy7mjF)~Z0HU$sGid~$r!iEPXhE98LYSCN4422i5ZM0(7q_7w!PjCC9)&)l)fUm6rZB~yulCT zleFzG1;is9{i>ddwJ#*relS2yo2x30T20W6Fb}o)Me=MGG+eDjBAZ@*aUoGhD;Qhr{R-Dd zW&L}VZFkKpoILYoA*|?yMp!zBi-Tc_!G>d}eJ-|EL2}}g&EWyyI^Hw<7Qg~DCZ=7= z|9+nT2B@SU_T~gSph}sAuA2`zc^vP5_1bfjDs+UlhB<2UmRk%Ei<2oD~SNCmn}0w+zy3S}qxtdRVsn_jN*kLJQ+3Wna-S73agMVeB5i_Qor3HsP!AKfFHtv zxU;?8@1fci-u@?O=Gk}gf43Q+qPC9doMulzDupO^g>q6sO1+w*7kCXY+ZHRBVO;%3j#FEB-b+*Mn?%ER|pzG0J zL$Uz9&~fGUyB8Nk6!`QB9fXfO5ay6>y>1%VMGe6(2kosCG?Ac+l<^$+5b?=w@-&cX` zn^R^v)pW!@^2Lpbfpp9`^%=Df&c?L#jS>9{E6Qx%!PsV;Kzxf5MYR6)*nyog$s|!i zt>O!6+sU%V#9VRI)Nj6q&~7uyOR-dq-x?Ev4lIt~^U?4$G+bnvr7ifp;``2X2Z35= zg)3Dh^ae%yXa4|4?(2WjjGjgA=Qyb_wx&9mqMBo%;?pFYanc62(|{nl*3p&U7${++kuw9hzT^j5(km3NW^ak@=PchKqLn|A}FAd4*{a7l)WT)ajvbf z@dK8Pl>>9dJHMOuXIrl_(&Zst6aSHg|1$f`d0Eq{!-F{l^nmMs6*tH~3WCdnd7Nn(*bojSCj$K)SMXxrqu&LY zUco|I2nwp5L7B+I9yt8eO|w?M<{nB45S?k@Swu&&1p;`2Bq66IKpXle3+vg@^j|%B zQ=#}5dx-&aKr`<>L3DLjxdQ4`MAmOMi$H93JDF$;ysNXdH}e}5!y_IzN?SXTLp1nj zNCJT=X&xfsw=))AYKKPT0v1bvk6=)PuY|rmPFBA1#XrLSbDqn;ZQ#GmB4RxFgTzFb ztXmha%ilS5VzkZB&SDRTwtmMF7XjE)Gs6nxr4>ObAuv#$J)#;>T-xnuRNLejxZ z{@ppsvBwGLy~wCVlW~j(4hbLF(~A{1{>*UoRLVnj?roFmS;4k+1fCX%PQp%c=apkQ zqv@PRp+~w8g{NHAf#Fz-bacv5vK<9DRREu!e%D?0pZqr)D!&u7VfH)`9| z)YkP?BX%O6-)*_ZtiGd}H)~-p22~rm3PYvpC=k=a2o?7@plz7Kdp5zhL9Pkm8~uY) zwvwVkFtk$l?T&A?5(V3uKUfUcSPBfj;tiGLmHFp&&phqVbDJnd9Vi`lR? z@nD$WXU#7^Cl0*6t*iD~p2&F(f+%cqxS3 zwCEgcIq2Uiy-U3%qMrH4Yu9Tx2vNEJ=kEV&3IxV@{|O}g*G5N0eMJ|Sa3(+ida>l) z8zhLFSzS6;q?__1Hj|vs9s$_^d`_Ft?Nvtea-*Mm9J&Wz6~Bqi#?C@Vt82Pm?>cNq zWq~+bbEeWd!F*yf>}l2idiZV2FERAVx_Lsyah;$RY)1X_oepjp^4Jy(_7YVxDKb4HCoN!iy4w;fvFdTm?1#6`lLOEk*f(>4}R(BiTh7n3D@)@xcwT1^Tmrtx#x zSl`3dA5EEl_An_r{_jM)zoxmrKFin1%=ATo$M1v=blrxPgYh~kt9231tG8uieBUPf zS_JgQj1j*~PzeLHZ*!byK&LXUk`MQ--c_@D6HoRo*&)c^ZfnkH(%vLGXe>*$^%M!R zdFh%$7IEdsN?^M$YF;yc)}0}Mp+AwZjpvoBUkU_1ijC6BwB~}E=jT3SBfd+pUPmd; zR&rhv-~{D7y&CnuLi%4F`u~}T^*UKFKdNKoGq#bx;H>{rcC+YP+youH9w7&W0XtNq zXp|F-kvq6ml`YQv798StZieBuMBkox{0yIhF(%Z%i%GGg7Ya(N$xeKYVLk7xcm)oW96L1n><0SGHh0 zLtkA$D+!Qa^eeX^~qLH!7;a_}de_ZN|b3|rtq{ zXE{r7<3Uw{s!^EzM^PxB~_w6!Z>%(8l0913oUX zg$|9EM|HvDX^7o0d-J3Xf_oum=X>k|Qp!^B`|*4w}Du(2OiT=-C7*SkdX2rb_5&Vy{M+Lyyy3I524T<=seUcq>JxWt#Q`A$QJ zxFOC3<5qgl-Rh8@p}_@eJocU_wU2DHWQ##;rnTMs)D%!C?%0SbtNUg^Z~jc43}IYi zJK;YE1sqoqh5aY|Wlgsb0_uK3q?IL^5B(X(tJg+&{fU{a?KG~e4%;WQzzpsp0kSw5 z@@attVbarRE^DmiGqy#_jk)7A+`NK0y_Ub~bv-ZtrfbwH19saCYY_?V$nzX3t`PFi zPz?y4R8(=?hiG6!P6eP`@t#O^}w-8dM3udrI6K$eDIAa*ga(_HVj%Pn?jMhVJCKUJks<@o=&27w;vIg1lGh&MU9fLG>c zZJ1RQh>iqBpWE+T>r=7CQ>j}I+u#_^+o#FpHm0>?;-MZBhTdP@2fQCn?gyr4hjBi9 z9z@qq=OS%~AIL3wI(+&Dhpl-ZmLwecQzpj=1cGV@i!#4aeu2qe?~3i^d~F*dY|zt6 z*Q_<|*>S4jc85#=cf5LjM|+QqUb6nvjG(B_)$xiAufy(-d0bQ_cBP&)0tPdcSUD4w z7?t=4fe(tzM?Unn210_%@~T1{C-abJEt!WVJCb3 z&9ceUq4^`G`B;m%S@ydBuHTIr?N-4~Z*$Lbk|{JV$#jhYWdsvRIe{CQi!I$m{zTQ< zPp5f5bmvG)TK_4M$}g(%lpBRYDDC!I0y8nQ&F9XTJOWGg`p@LkZP(*>#hZ=m^RjcD zn*9$fNQny{t`U_q*IoQE^ei-RVeocVw@%$QqB>y;6*}2cDcksPFBLCCa zJb&%?IQGl;cIfHx{uJW_;nUgot}MS((x|7EUHlDyou`#c{0+U|Pluk7$iq@nJE81C z@f!yf>aK5ut{)uUUB3P>0W8Ihfn)4?@$zlbO}d)2K>lb5j zN};^LR0*%u4(_KcJ09kYbH8JI;BgT#lL}cl6z;@TN5DUg&a0yg{LUZOSv)!wXM@KxkiTATku1##pv8$wBAjDS$WJi6Jqj9Gc!!-qx$*pldppHp(~%wk?Qr+m4i zFFJV}UFj^A87*VGtx3zhsVYf5kys5aF+}l@K?po`sFmAE+LkXyjBXoa7OWMwLlBBc zft4nTunU|w=iIWnTEATC&!!O@Y#Bj|Qtg66Aj{xS_9{G;v2=Fy@gYday6f+eH9?u=d8X)*3q(`d@3UPn z&*B?g>5h;YDnqVdrTMzQ+(P zZy5FbP(;xH+Wn7}lk3g;E;zq|TXDsBJ4OllXkv8qSp}}C)2i$Fgbvsjt?0mC=9jDg z?$(zR5(zt_&3znM3D<>gxz>!(;6{Llp*CSGu3VnyvXPG`;uY#KM;e04mREtjZJp)u zAY<4U$T7ExgOr6AD-&@_#AQ^qt8nO5 zRwBpI9@$N=rFtOO+S-7{JWjHuWEB%@IxSn}^qQB20*Rb+tQ-mYyif0FDQ7x!;RNJi ztpKO_j8IPsd*b7T4%?T)wit8W$qTgfwRW}@!=jg;6xP2a9)j!e>L|ZmO{BN^#Y7!_v}vB+--L!YHTPBM?;~;L5R9({7p?UL+ECqPP>F?`hsG;L zDa>XZAm!ee44hU$`=S6T>Je~m_mOu+zKdrLejlfV|$JPh<3UMdU}2kc5r zYS|3CyhLkH$dfS&Y=!kcZ`H80)Xsm6rlHpw+!W@&kK<;TKKZo8iyL^5Yu(`GkUDqJ zu&`%WKshx2y6D?pvZ4Wff`n+Keg2xi*;KvV)J^S1`bt zehQhikZ+zgm6DZ<;tCGX*@8{?mu*8#Cy^=j%DqKwGD{~(Bk!5UBpv^Gpwe8AAu^L? zzDhIaY~(2xI-h3Am+hJ;RL;cO7y^Zr3@u5wM2K>xbe3D2pxsIfLO%uXoiJ6&9sH(d z9p{=ltT(CYqCBhz!VX0!zQCIs8YtgJcwV7>wRHtA{t@2ZYtCKiVWyEup8XM#mpqb z9b6tGtXbey+)tm>b3(SNvb4_DkHpEDb7AX>1Q(y}6IjK+3$w<*OO2`HIq%$tf~aqw z>mu98=Y1ot$1|I3n<$j>-eC@S0N$2y;G3(Vt@&THesm_c+**(L%FG#>Vp{-vNGU&V z%f+zGkBW40j6*7&1N-%QOD;9;KWTBO#>OS8fMrRGaB1{^*1r`D^>IBd)CAFZCVTcArzqyp0=dkCZcmSi(mW2m;FP zg_R^2+Pd;2`0R@?Ked^K!{4T&;_i2y37e&wKhlw?W)!(YC41g&Z1K*`oY zm|qZ%3yIcS>smO}lx<2sV~~E-gp*a!=)0y{d2LIj!`152@Q6?Ev<_?ZPN0Fp~B4d$(^s zR79aoZjB@5aR&Y+{*0`3gCN1Ey7QAg@XH#Op;%0>ib8P%=xEjH0e+uBTE|)qK(oiU@+*a5{TJw3CVe8Bwv$8EAS6 zEZ>c3uAZ_z5+|D{P0mN>-?>Mo_F7+{=srV*lQ5(Yg43ulw^SFT=S}#^8KRU=DP+!y zPQlZ`t2W{02^N{C9PHn)D>=mFM6X&Cw(@L``RwdG&{VMn?-BHx+Z6<##6#7eV87lI zBSMnwN-gBCg%|z^<=&?d7x%%hb^OxRyAPtIbepoFxw$8LMJ;IUis4MEj>rKk`Ss|g zv&>lk5@9_2DPK*g4R;=?3fg9`*(zpzVf6AEn$eNCfJ)qY#>h95xtC{ zAUnV;gWUHP!VHnaP&H)G{ASXyv-w^*ChulB9PTQH;QOjMWHG@XeOzezkV=~5qBtZ5Ty0u7xPTu~PbX<~p!(!|-uBdWAY-!mJfxg!sQ}jn zJr$2XKvYc8-p+DKKlK<*n`pSMNKAR8X0g2BQxISG$s5nfVBB{ZOGF^W_n9hmWZPbW zIQ-kOo4Go@QuZI&QE8r3iFzh+0xa#t`Poa6s=D}j#xGQz(s$4+?m51Dd}8Y&<7f@U z;f78ISP@`}hFg)mwunAI4Fx+!kvnO@n^-XGG=R>Ng%;e5i@+z;FKQY^#y z*7Z}?xGHiWj)!2)V}UOcKf(o&9QN2%mp>6~B5H1*zb{BiDJhokxhQaX)sw7XTADxZ zBwfWX&C2%;du7O52gd*mXRa2c_CuylLz5%mT?IkG5lmIvQ~#BBJGa06nL@;)15w0L z?n0EbK^;t0F|3K`?f~ETI)g!!I!lHwhUOsCly!*C_i3amSPxV)w3xvA6CSh`LOlKg zm%!#4!Fo#~<-2H8)VorI8{~;io=JUF1*gycyVkM}ukw}KHhPRid_PWxbKgP%L?HZwBAJQFlH+C>r_}l2>dTi=_8tGJaNpH#oIn|_zSmgrU z`cLh?S|ZqG#AvFg2u+e*b5bJdd>9uy3^7=fl>m;HG~P`J0 zxD$dUxVvj`NN@-)gAOvd2loKMeFzfVA-EIVoxx>rcl$c`^S#e|&N^$IS<^qJyQfQf z%e8A?RkdRjsF8~5N!Q?7)6RESJgre?DVag@NJ%_b(;(E*vi}NYh9ar18=Y!m;Of=2 zPyS&-5JT_GU|lEEG@Q)3rfF=1d<^&jyX5gbAhflf5uc?vLtMxq{nS+1Us|dy@A}9j zl1(<|Z$r9xxPZa~0o&q`!fPs+6z>l1(4tEZqiln869elnqzC<#23JjT%^2q6j>h=q zr2f<(mRgn27tuD35{&rcOmW*jv`Ix88YsI!!=p}ihuUD_VufW6l^f&)AMGjr9f zu}TAj-{#SvS$nA5zu!I1unj^iT`2v`BVsjii1wDgw%6s41_o`DL~wF~j*tYr>T&}6 zo2l&c$a?<#Do(1WWHE8^l+f4+R!+2?jfm}QeXqe2hfI*KllrW#PA8gj)3C91#OELl z^uf2Kaxkt&UsVS#y~7UG54oR>TFiv3e&n0i-`197JHCiXUzn398Y7krQck9EL}-j)KNiewk$OcT36yf86{;jfFxQmO>2+xC*- z!&V8`Y)1^xPLWC=M?FH=^tf*D@zxyYrj*_i>X&Qd>18-m#{7g!YS$e6rUo`7Y^sX`h&N{LOkeSFd6SURy8_LiTz%hZE-%dOwn^X> zcWgW;7?9-eWMkwKuNO{}YX;ycKL-F2T9?(W_Tj=FS)BT?;*_!e8x}Wxw>MKOFfX)aj6LK@T-ABG7 z-WEWHJnJuO$>?@x15oX$F<2Xh0K4B}`hmNzJ$a}<^vlHZO;>8^#_bkUi5GkxnYfBF4~ z?!vxdo!@t9ejcx1Pi10a}=miAO$=3j8Mkqq?XJWCgWO49yko};S$NA{ATm74<+ z$m7;bLU#&D zeqARuYT7S}?CW_5-|o!O)jFT3&TqQE$KOsuhKvR@43rHC|BGKo_L4zP`+L8nW}0{P zKGfxDQiF4>ltxo&>;@}Zp7OC9lwmnc$O}tDOr)sU7FDKD3Ed*|=){{(1Gi9H18|{-7DD^yh1GM|~I$N~muS+SRUJY($I)!ZT|m=7a6p#x!dgu)jZl zHW{5iYLk1EDt*HI%WK|ol&{+zxRv^pO_rw-@OC_SiXiVerLmMq1rsuVWGonG_#+F` z8=DBAok+w{I+w=NME%(HUWQ@zc;3(XDgKQ?9YVJO8)iK!iNrj}5?R3|--&=)X-_dBfnz!{Jl^ zOF;5K)cQ*#;~QbN4c9dI7(dQo3DJ$1p7p%RSRc#sOL@+5E85HTF_NMCCE(l1s582G z9EL$fGa6BF)PBE2yTF&I`=_Wi_t5M>z&y;(|N6IL%?7oNe3Lt#Jbi-q%VUmlb4U9u z=L(X)5{%)n4s=aQx~`$)-)gA6#)m+q?8`h-=M&RDkU=L8{yeNAMEz8+&AaVD3#mJS+aF;V6?b|O(wN|svD+xHL+@!6$c z2vcev{i{(#{C1|tr-upqy6fJw3y;l4Tnsi16q&k$GdvCJk#ydf z4|~qBmRr!bmP~#V9(nZH?M0rRS$dgs=$7Z?Q`5IpiTH;$$0Ur{JM>ldBPy=)rgZ)qypB{zQtH0wI0tV%RN zdC0C-jj~BXnj6viI)BVl>+8(lLO@dk*ymVZT$7zv=oZM)7{_72m*c{-u!=AHu%rDW z>?;w|Uw8bGY|LBF88aP-JTZyMc=He!432=S!yjQSVRz&=b73wm$^%%XS}~_W8Uhko zZAItg)vyWVJHHu!c_O*SEw#G`4vrVo_i4nL6TEi(y1W zvkUx1c1B9wFK#E?$?0KbxqI!R=<<829sV$O59=!t#`$$hTK+j9!q_kj7tA^{=)S|j zrZ+8rO&$XW@#7Hhd}?qf{R8y_R2ufC|%NUEV0CK&N3j-TpSw;{`f`@-!I#BVKdPVZp_tC8*7S)qh zKl@|2+q0vN1gx{k!9aX1TaqD}+&A(57`d1I!=Nx_a@Mng(ZF#JmOq~OT0fHfSl)E7#CgR=s*t8G77-T^mQ}!8!~zYUP!@j*0I{t)VrgpagdK+bYP`lAEi7kixEdW&CjY3ZqfFiQu?`sT51EF`mYbteo=~MpKPx z_8PBQT?KT4G@MQP|Z$=3a%o{8FNR#+>npj%7XL8*iB{SsOC+Gk<(#O>N`e zV?PXAOKyj3^^mW7<^hA)F({o4Ru$R61HeR9__V3->hfIPCnTQWD9Ecti)IC~ovoT9 z=?KKq1M8bDxX|okyxlL#_n%Sv`MKURHJsq5KuvT?b=_}SVcEn6XFW{H%(5C&x9_yF zu78BLkr!QP=E>O8e)sv$wB}933D<$s(m=9WSrpCYi)GaEomyYa)FW}qw+p_?1;p5r zd^eRPq*4apb-I!!_}8yG#$9;LF{nb)7L}PPM>(l+%k9oI1l3yCKCg+q8hyLOwkY8! z&_&H1Kf`4i1EbuwBjM;GF&f7ibv^@d#L>s!DKVN%QvTF45e=PSP%PH3yYKBY42o_KMERJ}FZF0u4go9?@# zx*`72-rktE#>W=MUqWv6FvQZcmI*r$6c$3)VB68j@ZNwKB|yz7zC8JQfJB+?k0DFC;z54&HqATA}0T#7ZvZHHbz zbj<==MxUNBg`D$__(K+A>WT?4f`JdZR3Ph+f~O^3ARKd{yUEl$7(H>JO`?EhsTG9cX_%v6=V9ZP@)tH_rQH2-9xrBGv^kU%et>n>m6fum zF%uh@x*TVxx8_Z9A2Vra2Wqc<=lPkpTZ7+2gud(#d42BdpN=5cEKO)%`IuG1DekKb zDQ)_?1d%l8nixSCW<${xW+WjSYa!@c%xQjjpP=X}#2K5v-9b*5q;ivQK>@FU-TAqw z1-)DiyV5w4PsZL)VPv}_MoGd1jZDm+89BK$;fCApcACLNG$juj((JNpLwurK%1~ba zLWU_g)Ce#_>QE0%U1bcqTs@(WYpsEuUPAG0QA#8Vn7~8^Ggl#8n_1Yn-E=?|Payjk z5L{)*U%dND2|Kbhl9fv(URW8dsJ-!XSuq;+o;@Ib@C+M!nUj#Am#Czh}w#uhxTUsZYCw0s25_c;6Vu3vZ?H% zP*=bc6^0{JhaX}*i`ZDd#n&B{SxX23!2F|RM0`-&XwKH9LSs~G(E1>vhg-$S)z0`? zrdc|$RGg4?VnacYcCVyoq65a_@`XYp9dQ}sVw|1E;I)3qaIf_RXwW0y^J?vr?K8Wl z#2QaScIGv1eSqo&uARQnn(5#?LDN)RDBz8G6DP88agJ(nvYI4iPX)10$b+@J4= zjWN6+x0crmDm0O8agdlr0EjKu>DdxtcU?V_Z1tAfP0@WIx6EnDD1UVXr8 zAxctz?`Wea;K<{^>1xdd83MOlh<~({g$t|;iHsRVvHN@jnp%xkXp@PPp0(bkZhY0Orpa{Xt0G|<0OhdsoH$9m8mT9stAZ194noV=hbthyU? zSil5PZW40Eo7B#xL$#{8LMR{iKJq~2U=jK<7_)V*QYFm9c86~cN3PKowtsCqO8PR%-~2CJ+bpYP8q%SnnMP>Mqr6ovtpK6ZWdR#vo(D?*vv{KJ7Bu%HACn zX5xUz&eHN=6StoD!WR73FRZ@8YRv*V{L3h=?&R@D&`*o}HNE1| zm+Q*kd)}6i4~=fEEff3uWXxq^c7|wX>D~-kAbhH`LESz_yh*QX@jTRhw_V{h_ovK4 z&D-VIaUvz6H%3rL7uicL`PJ@qn$aTUM4FL&ulSeVW3cfZwG%!sW9dUu?!f&NFR0ZV z>;)f*w^CYN2o1BDNC?yf&Y;lY{x*y_KEc@A#6;nu_f{6(+glskD(i`FQ;p)HvAi5ElO ziZar01tz#%SWx2^|I$4xk#VjV=W8~DFRtrY!06fMW20fU(K&wGb;hPxtO#LWo)ve| z5K2F#w@|yJw<}$D*_r)uVM@ZgSv5^Qk}e^I*v{|d1$iP9PvYNk`bswLACFvQ^92g{ zmR=Yh_Z&K3JIBWB|2~;r*-cboB`#O&nc(!eI~t2p zu>!qMMLTTE>ir49s&xVJW_9rOQTr5bpVCc?iLPRP2ta8yX7V2YjJPl! zf*G-Xh2Jg0H7xZ5WJaV7IvGVrLDvXh>u-XpW58q1agCsGrzvlYpJS3~c#VPXKL9bw z9rc$4f+m?QY;#~_1LAs-a`0sfOmuRa=&URlL4Ge9LiGs~p4l|wUp84i!;kp2eoOmR zHjs51OWb3ZY(g~Xr1bNkm5&q-G1&%^I4)iG2T+G(06;nMGOzo&=$nTFSIAxDhR^WUF5fr`E52E-OjgroNncl2PwufiW>ueKddpq z5{<8$5k_tx zrzFcD&-pd)D6EXCPO(~K+{jSK`C2u?rkZBu`JvqR7RK^?)8_l!)%JAmdtZ?Cut^7; z#}s+ke;&_jdj@tPzx4IJxinZbSjh6dYgz#zo%b0$t%VqPT`#TxM5M>9B;Ut1-?i)K zyJO$pwud$4w%fJqmB)+G=SPF5E#IdY;7;DG(KhertJ~^(7GLlC`NO;Y^U>utei7d* zpQo#*#^#FmS0sTqS-*Z5?1?-d#Q;xO@i~RD}=8J*rI_2D@eJtOwj1N z6rXd)JAQ+TbHrSS)}8(RK+h5)?)?>@NI#k|rG7d_x20beGH0iPEx!vVX^xMPRwvS0wa zd_}ByLFt^_hg;ABf-;`o^!J@VZ2xGKH`Yb!(-&w9lUS`0ouJ7Y?JKLDoz(Sw^)U?1 zMZD)yqc|PwO`d6_u$R8IH9=g51Zw}-zjQ8u(&eqnF8v_Reo+-<3ZF;q|E`E1*T-_a zv40_HwxZFU)pkPZUggSaM`1wl6NmYv^d5!UVS=BoND&*k#HwI8ar5?cow`j{_#{FX z(DVudaewzJSz!nMWxFF!AyzJ;w%g8jt8$AC9+qnYx|lLDoi#y zd;aDP%19OnA&T$$t+UT+-B{_8>r-cA8vcj0%}d9Hp;T4Jx85BKL8d2T;_Nj8a#hiR z38rKKz0J$7DAYi9rp1Ov`}!bZ(+KHAkz4x{^hT|Znf1=j0MpAnnX>LZ`G%Xu6jwh1 z_ww;o0^J`jI}_`;ecD=G4-AjMy28TZQfrj4@wlUM9$Q_?{0NOymxq;(RiMQ zx%uLp_IvaDTANGdp|TOePnYR0`gdM`$#1!qtecL_8eTZRZS1>tzz-`&U`S}(+<+>Y z>|by4lBX&4&LY$ayIKqu@X!@M4G*Huc7t2!w&%;wt>xCyvgm$2kXe_rCYpMBDwDE2 zE)1WFu}cArtc8DHgItwe!UrNMBT6DDn3Cwd4<(VuJRm>^L8gCb0RifWGaX4)J-fUV zZ6CGy<`g5`@;S{cE_xqaMU-ys&_sjV5n@QN6FD=KFn2 zzD}@vO8upk%H8){1pGG9pkvn3dI=d*$iX*8X5+i$*&?yEIY5X!E;l?B$Bxx;2hnKP z4~Vl%b^^x=aCrTQY_S0vaV5@f8XrU*YzJmeu1Mm&+Chj~1l|J#e zTER5m-FE9aKhP!y*C#^|?l_B?Ny}EIW z4zcRLNh3^awx_iieZx~R!%|vUPDQ?vvo9t1bx`6R=aqRZX@JphSaGu9*ocYWj*RH>*#rtdVPFwdRMHXHz*x``3ZgNMLeV%DxThw3cz*AOFKOEv4Sq2#aIG z#*d@C!;h0GLrS>|ro7rtzH=8c68p2lK33l->rD3MxE%TFCU(|x1&@)l_{mxZdscku z56vYDHU`&%aUyH0RC5#;nf(T@wU6rz!VyAunD4oJXMyjegqY(v{r{@{|9xEsaj()| z)9-eRpW(j&r(4wy;zA#5{EKBEDw}9F&$LmI$>uSRGbeJxS(FDRoPnUAV1VJZ8>i zxh@c|nDqHz5I%1^{`ftppo-GEzT($J$cKbGc|;b0Uv#B%NMgK zUc@-8Jl;<2!gT@btTi0qVDn9ie`vymTDfq=@bQ%=w+5~QVUK=yyn0`MrO9@z~VX8(sL9 z3mjw$N&p1#jVkv1&*;`5)6g60FbBcpjt+C7Hv82!=B>H@RIN=i0h)JV@Wlw->Col5 zazgL#-81cn<0ORD+ENkl$yj}X8RK+6Je_CSIx8DsI-{SkpoGOG@rR<}@kJaSjgbM^ zBq~*#uO53XUGM*xe{8xj4ZxO4*4pE}`Rlo4*#TpUeR_34co6oMNUpKEC&xQ{BU06}9s!>p@W!vM5sdGOu(|@ytt%a>D!>Ev`}> z`tRFRWv~0!qXC`R8nj7dmSZDUha$bP8d6u3f#og6{_iZY)CZVv~^ReVuiT8V?Ho_Zl7+8SR=kvWx80K^Xn8Q|G?^Sd2F1jKsqgM z;Qbyklhpq5_^e6c9cFT(#U7%7+j1{5F0^OSUe6=YQ3&+=&L71KKLpyw!&VtJjCaL?b5CVWc(FV~w)NxLEVyy`^aIwM{3jE?sA817@UfWsXxZ z2ua^3bP(AK(wnhg!HzEsnkW5Sl!Hv9dp}Z<5s%c9j2%tcPrae&pTVGU)|}(dzF=M= z#y~xlUEW})6utbb%G@2Op^auL=-8xYLC<&-*ioy9%? zRAT1fyU0fSv4pZ~DN}S%Mg_n(;T|zzuwctmu?}HpV$L2&hiKTo*fp`bw6t53B*@Tq z51c`=$99=Y#rVZhq9bHJvfh@^ZpnF@ih*XNjC7Hw`3IFqWku2Y6L3p^}D9s z8|{dY&_HAh0NEMMVkn{7gXQFM=wY2P`|d->%n94XtzX5o3`#Hqve($0-^|GSJh3+7 z0kf`7fDP--pjWfOFAtJ!WUe7)9 zPIYKlNR26U7Ts^<%5DKW7-*VVAL|Owr5L2YR->Q^mbdjQJM}9SB>L_%U5Xa8;9}B+ z+~8u{RI&DgmhB7u(V?h9^~>!at4I0)?xtJVi}!OW5y>~@$odioyb=_C3P8cCu z`$UM}P;Nb%2aD8(KE11Rr67B){>>AEBl*WJ_M#_Nj67onziccw1k^xk1kkHdELhHB zmxsn0tBLmZi8_Bp{L9YoyYssm>3y9zfN1m4imL{L#Om#j@qk|R>!|%@d*DR$8N%UX zoGv51uIJ7v8R>%_bM_sS9n0E+%+A??I+%};UMiJfJBrPSJT!x11^QdDi1iLg47zRW zRZCu9*yj%aY=H!CJs3cS* z3GceUEO>uakH#6r$psTq;sG}T(J6mG>FFa$<5_-{Cl)u(*XsZm_h`XCC*p1ex{&`Q zi81>P?S}du8U$Q#QkV>?=&-!QExA~tf3>d@-bClWR+-hwL#$LlqC}e=V8kl?%vl<4>^kXtHIG2H z?g>S(a+zI$kX_FnaHlS!6wOd_(QyI<;Z|QL`;==WhQezMAeL4n+SVV!kcOF~Lhjwo z>gO{MiO*>60Al~!{d>HTeDu1bM3HQX70Ne1>p9*1&V9bY>@vbIKF)Z>Ttyc%Ax1fI z$2f_Gv~r9eq5BVwt12EcMPUfeOQwDNvZ-ckS%+mdCuGd0Su)n@u;YipRQ{XM#2${( zHFPcsj3wWHw`bM^yJN~btn1odOD+cZ8?{?v%?OQAYAV(^sW(vVF|tbv1MJjd+P{=> z-nlf3rYH>3ElHfIbpbDuPwXF%dW2aQ3*P+NPV^cK!+8AsWeF3KZBU`xo;Vj^$u4q~ zk3}HSglNQBjzIZISQaht&#QS`NOr@*YkcwZ*P9(!mFpV9WBxz7l*I45&&xR7IDK;& zKAOsAzjf}`vv%*3O+`pmm{uoNbPX*EGj~l?78hpATPVwTmpWfO0Hnuo3lcF?6l-2T zDlUIZgfqvAU$14x`j;_@v8jN`_J!l!J~)%ux)>jGCxl^uEw^9qL^%5*A4$0y7jDt< zd$A0+!EGFB%?u48bkdWDHp=wSlYWH5NK!XKystbkM6$E`-^tZwJ7(#xxTOL1jYXDd zn^MgLopVSDpIx%$YzHgSWD7y6+IwSQJd??p4(Tux4(W;nH`{0q|A}jKW=;jkyI%Lx z3`ql{FI<)Jtv2oem6U|6cLiW_RPv%y!OiKu!=yv*qw;>`ct%ShSd76u*|-V$vfg>) zpE4;bx{g*7e3r-4sfj-zC*p&16PrcXQQ!Xb{kntBVO0AJCD{js6=L+tCO__{EIVdP zz=jcQn`8~tgo#`y!=6;Tkua5N&Rq-l#wgYPl8KnWb!JO9&TpJVh2rg|CHn(%oQIO@ z7{UTEyq6<)5y(6iB(EbQIq(A7Qgr6e^dr=-=ym%*EA*rsX&{_E?mquXV{7>vg+v7i zC_`0=bIe~P#T7N>?R?V~2pWJqoK?dRHkarxVo8A2PY1~x1M-!BPXSNwi~NHSWvW}d zB`H7^^6h7v)8N~|VtE+VJug+kfr$nN4-+ISaQ*ec;-LeO$LFaq6jS9I%ZZkjLE)@v z^ZQ9yRFC`EUI$@AkG`1~TU??3EC+i!YWTU0-SE=J^F()HCFg1LJ-sZz(gnoiihy-U znk6+5NT&G5WPmtI*d!XdUnBp+uN2p|YYr%?GmFd7xN=3-G}B})hN*Ep67umsVWcC5 zNOb&Kg5xc-p{OkDmQ~SL88>+-w#qynWKW@jw~~`l;5>IAL8@KnUHHqbE!(*`NuqfM-$=#_=rZI+!VOmIJA>JK?C~9VUd(TA?-N zomm#swr6%1DFO1xRi^ZJNPJY$0lC7oXvpu|W~qeie3CYeJ@Q0CGP}~Au(`TLZ;J?- zp9AJ^o>X+iv8qQ!3mS_$KpwqV5qY$!EbYq`J&SvdhS2^oAm!{(MUtK0L@uO&r2Ufu z5)$_d0iQ|6=2Hc2l~naE`rEp^VKmD*8++sRp@QNG*>H(#u1c^ybPcKQx?Hjtz2sj0 zWek4-28OdzfPdPizJ1!S_BR-1-%;Tk%azy+b|rTNUg=dG?fgrh)e8NM0zdzQ8$!P! zwo??GjGiGrsZiNr8DwZEpc=11k5pIS8@nMzh`FvO)#ugJct~3(qpP(&zK)T;O_L); z;=$o0Wo-!_4bip!NB=#l;F%VfHHtLcsdgqj>AVQoWELl~Qs&l$G>McmL@XIDZ_L#! zKIrg|Cj1hvWPR&rr<#S>+|@x$+6xQtpDq$XFLP=Rc{ZV~H3 z)0s13E3}R!hMZz-*x9cy*GywehX%y2j|ns@7}|euB93?k-Tz7W#PAYSVoNymaRp`H z(un$fOSiFovbY>3)v{A3)78`}tM3o;k1oAvIK>gNdZXlBn-0dFy=Ve2=<0kO>w(cV zB*~2+MZbV&mz<#KkbV_s9$N`%$?K8qvk3t`<6VQf2 zY1xl5c)wOt*{#RrKQ3hx7jJ_;&C6BF&oz^G5N)9BYj4r?RElGhb+57_CXn|w7yQtj zx_Lzx-?V~;;iT^HSk)=SV#Y{Ak-F4jw8xi-Czup@kT=VNhQVU-VI`KWQlbIFWaXA==A*(UsWlLF6d%FK<)$!>*UF0Y5w}!P^EX6#2JhZYdbwSZ%IqE_PPCe z0ZY_C({tHD<(x@HClwK;z>UT@Jvo|=`lHqGkLU63x3ze~ zlmcJC)}w|UW`bVH8M!XzoaO*KzpdN#fSsN4+9pcr{gh$O=Airc!sE`gy|0CzJK`Fd z7MFvR0Uq_5;K)27IhvWOiSDvZh6;SjWy4!5j(fqfZ;1|I;6%jc(-@sCxzu{YF}Cz< zvljlIEGR>k7uWST0+?cTq+3q8&f=6S^VLH+0`^DDFfuK4lyG?Fs_>t8iuy(}6~wx2 zS^JrNe$=>zX?2-eUN`h44{MjAbhz@VteGDBUKs_GqY#y%;hIRh)DK`q!bKmXc4p_vQ z^=>Wq>i1dG^eHP6N7phx`SuIwKKe!opBHOgG;-AIXdgpwsc{zRjQB${#m_;Hbrd00 zGzk%;wx0qT5w1SaPBH%WGK+K*M~`#)I3AiqFjA}^?eo|^6D5ce9=zNbEAwljeTG&P zRdMwXszf0xj*D$VtTUq<@ltG#o|qZ(`Ro^e^BBba?q}43RCdlPa_5G-sXvW7sf8R> zcAu*)rDxFh#ByVuof_$XQ+0vH1Ei?-xz9u^srEH_zOS%HSF({Zk&eos(NOJE@XUfu zGw212*s7Fp$;S!92#OCj1t<cF;nG3$3 znPD2(&?DA~X%21U8u~qk0{1aWMBF!Pl0WM9LtQXoMoT$|5?P6X3DB^s&#^AgYA&AH z-#7|9Upeu9hMp=UqCvDmtONpX67_XExm3hlm5p%7!mR+3>o*^2-;gCQQ4ZXBWs|pJ z#|Tbe96!X{-iJ;lK4_@8YAsAx&j3@ayr4bnm@xkh+a{JEX-%8NK)a*KBFL}EF(Xn} za?rVqgGpY}(kM<8wW?G?3}PCb^-fS3GD^2FtF?Dz^3T`xMX%30zv?1l$vFuK>xu43 zx%^X+C00)Dz3gI?r0~DgZwO3#6xv9*kSO}pp7j5*ajKqBiq3$y3q_I^?-TCEH}EOo z*;jbl2`*N58^p1)+cmushJ<`>Ky2I*Q{UGlC(Sh>sPBn;ViP8ZtDw*+4q@5)z7ryp z3AM3@s_(Q&UITM{c0G633a)SqnYyU6fBmE}iDHlJw%1mw_spJ*+Xn6^Z4p=BcT?c5 zH|tf)Oar}$*Ey7uF4?|ZXuZ;@o zQgF2Fx#>k0=V1=b1wL}om6fB^SSB*>+fW(5l8Hg`dr=}?pw4yaM|@Y zK5z5v%$8H$S?o%Ef4p_|eHg}k?ycT$66zwIyBe;%>x&?;r(KwpxZd3D3`b?w`7KC6 z%3N9w@`vNRz9kh~_dyR8Ue^ku)%3Ie)f~2b)SzXr3t1+OH0YV;WJz2&c-(W+ zlf+P+x`e+9WKvzSyI*Z+Bl7atn5c#s^jvyWX(18LzxaRfwbZyN)qr4Lm02gJg)a@V%1e~eK`;F`PPeD3Op%1x+eh)N5ZMY zGpt_LGPV*l{fI<6o$#5cYTQx@vFhBB{1Fs5ZlAsC;9QlNhYcNvQ}*LH|8|N z6FT_b>)2KG!NZWrb5tIwjpc<>LLZ+NeXw5jqF`j&=&~yewF&QuPJsZ%i`A1cwP=Zc zzXI8?;UIKPTDMwf3UC-7zjvUioRV@lps}4}zj5r7O^5$byg2)I>2}Vfs?Rx4?m{4B zLgsd@39hH(_mgrMDU3dW-AxPFd8W68qxLKheS9tiMduSRvoNFUhavHlN=j^$NJ@NS zl-d{73kyCOg;q`i=QKy5gdbt{^;(#|4~Nc^Dj=#<`&?FFU$@YPq{!+6Ce>y1eS8=e_gN z;)Hrh3QfIbo~rK4M;}LoV+y=s%G2(zX?YzCrQhlcW;PRMkB-&t@eDrvJDRn+a+AeY7-r~3flLVLFTRP!ls4gw;5%oRpyEh$Q zX)5%HTJt_oGz4O~8<$Ut;o?+&40mK^qb3nThW^RVN=duli)Mb?VPfu^w* zcnUi#o@w|7ePFiUNtM89$+BPDDTAYCnKQ?7kJH&@FQ-qgvG?mh@IpIQ^FW9Ht*-ny zKb9tx@*xT8T%a31^VM6TMvhe*cb42lGq3<%gq}wXcj>$5$Rp}x6wqhm1|P#C*_|fu zuS^@~vAqpNSB?IVkx>*39}M#@zi3nDC^eeW6>xzdXHY zWVa&1)(qTI?31=ZTHh5H{~gwc_#31wl-zZ#uJ=TQ>LN;BZU(2SfJg2Tq99dLVm zH2Ypu$8>@XT*pq+APm)#9~-UG4Nv4QRGTb6da#gKeAEf)mg9V7jNfy)cRfq^poi5J z+ST$F?dXMXW_ww!XtNiL{J3vha3|_F)m$y5hcC=duVy*i2<`Ah{z+Y{DNCU|X|~_} z=3B(pG59LC)S#u61swAHnv-8C8s_{3YdGrs2?eQKG9XO@n&Y4WrKGL`p>;E&j9i=s z#_N7cZ)^XyXWcYjR$e}d82M#X(SlJl<0vgYVV0l*GekrZoJ25qUhjj)IdH0(RgOdD zA&!O@3Jpz`UM?%KtshJo83cV0;izs~$L>3GGm17$4&WGzj~zXjXsNXCF8*2n$xK$439^ zO%rbQoxTH5d>!4eVAE8oV*?f&+4L_zDO7)pj`wLbws;Gbxh9C(T#$wuE9^fF@WB*! zu8zXKQ8`ODd#|ZYPHwvqwuQGIN=@w(XvhGQF+yAIhebz2HOI2&{2F=QNNu6oiC#1r zcRqRu0`z^!%Jt2T(M!~!GZUv&OjU)-;nJ^dDzwmthBYHr1y|FPOa(D!zuZMV8&5Bz zogFQkrge^QRck^#vAlf)BJ5xitY#&ijPF%u_E^Jf6#p77v++4zpkdU2?7u6Ml(=D$ z+E=Q_Ep58{T%*JaTqrG-8Uz}4nuoZu+2f#auBz6+$JPZ!(`ac(C>eL;#oKF5Nn*$FO6=21I*+S_or`6R47d+oyBG7Bvh zMMGkdvi{fH0;cx6R``s618!-TFAXt2OpX(BnE?94s(s;<8uR;ZH+*eW15ISyAS>iI zKR#O7(x;|a8ZC`)W(Ix&5`MBz=6uWySYpW0m9K(Tz@J-n+dQP!I)4^bXuV&zlD~NA zVH4Nv<`fC%@x^PZl5XjKO>}y>T!PlEN5-W-xk|VEqhvj}<7PYCu7m1J#YE`$;rDqT z8pHDewdQQFq#-7@pdl9jk0;{{d8KdF@IK%Jd)-_$-tF&)M{kI~fbf&1w8|oV^KV%?^_o{ViqHkg;O zCcqj_-Z%{Zb}!uUM!?uE&GelH32WNfD)M1?26|dsIRBUL{vmiAHr4CW^HHyGq%_BI z(f-F({o8k8!T-9d{|K|t5&KPkak*sW9cSwvPxNCgiwjk118gf;eTw^Cy9)8f_hA~u z(B;wGWs09~>7}@lUtvkXa@+Qjxw9wioH_`hbaB?1$t~?@c0Q?CYrN2%h49JV71^_Fr`a zyug1X5}&Eb1ON4Fce6{o2wIJ~y2j-wMg+UVGg34JZ7Hu$SJG?L?&D3K-*V8CZ4ZM) zer;`-%S@SD&Tb}lBy+|vC4Qjq{`O#Q*I90iQ=D|8^7^*-<=OHoUHEpdKgjmvbB)X7 z=Nh~81kgWWjKqizGy`!um@I5>dyNq>o9F&{!x$}6;W6Dsp?i9?805nEUdG*ev@7`^ zs(xFghH*`O9t9uWf-WmY4Zr$Z+9i87xm;eFo{53w7vyLU=nRuD0C9BRB2#T9=u(AD z^Zu{D`&%4vbTi)dKiFgYt1LwrNit1TxW5TC&RyiT3{>1U33$Yz0k3jiLEmg46PED> zN#NqpKH26@Qd(82tof4{FcaX~fWzKfmER0RDuwuG%DvgZZI@;JEroL1F3S-;ibx`mpUw?szH@^%dLmZ$ku0|J4`(d;Z&yKTs`d zHxp7}4~#m=+!IK#!=K+&$OzV5mF1|1+&-@c?BI z_jAo<@rMBk%Aa)R$|YPjN<%6IUgCL{zM2qzn@-rK!swD~UYcE6hoFujM~XCnNRa+t zj_1D+4!2fHFW^{cCoP8)-e^CB7f#@ya%SWbgkF(G6x$O~(s#+a=^uVJEDOgY>G>|? zd1J!Z@o`ySQwBzbnNF+??5@0|SJ0(1uwN7}PWY58vBAUBfB)e>VC4T{wP=W6I?#ke zn^pVosZ4l7pOOvCtZXyPsDeyt_Y6;Xpv4AKFDU}Dz>=DeTz{|jgdkGY53`Wn?RTt# zCC|&(?~9^5pC&T2L4oO&Yepq2CeJIRRL0Zmy#QD+R^XkP7Q6ixyF`5)Yp5c#6(se8 z(3r;c{GM1!)9!y!N)>#^@5La#Rs*c$ru&GBlzE39J+zh8Y=NxQX!v?#NuE*nIQW$o z^mMI#0Z|DR2IQ#PAAUgR73b8nNz$cq0jSgGzswUAFQxo}z$2!swt@)J+9l2I4!0-l zMe5@gVlq-5$RV z+1!%(lsWpW4i)KLekk^R{yBRS?Q5`^uzc7Tkuglg{7*Y8{onL6(dK z^Z1lmY*F|R(|R{DTRnS@l{}N$|;AUolLSTh2y_akQ&;ff$3r5LK*e1Gm79QBJZNZNs zaNYYRG$h@Xx^);>(yOYf^-NagkA#`bOu-1rKY?oBGRk~NV?bsyW&YihNo#$-Q0WEO zo0X8y^xqbtF|U&VcOn(IzVlX2$f2BPR+*2z{CMAb)Soo;PLke$-6MPAQ{e8)elh<8 zG#Hd&E6OZT-&+1Qv`r+tHp}hi^sU@TPKC4Rt`4yZPa#WD0k^pOp>|$^qO2|v;*^dI zIR#mco>fT=@xb#JYu0RJirW5}6P@6zla2h6zsr0X6ifVW0Me=dZ06PD)%4K=m$49o zuijDTs9QRl66y3Y)SlEfG`?$_Io%_XKtq>H+0CihN6SKr)014jtM}&_C1BZ--~GGP zSJ?}ST1OoqSNp?9R4+)r3z9)#dpKraKH_&(rnu0`?zd1_E5SFdD`v@ITe@hamo=BO zrj&|cW{^G8__gmcij4TEhX`2dt82@!)iQ1Y^nzvgqabT`3r?JVY4(BYMe)5g?A4Tb zVcD5K0_EH4{AiUG{sDnz6hyCf zk8?b$*0-6Fu6eb6#W{>BdZKS)OP!nd;#7e}zGBcp%0whdqn}C8-}R}_FW|hT{5BId z$8(DYg1!2?w3lWV3gS&Dda-=4r8OBdaOS!fuYD?iwrFFz{`Ea~qkRw-MZd<5KR*(h zI<(I^=#{cnlulMlUvLwpH`S%zj1LX6>lE=(Jc&v;Fp5@O=Zr{}y|&D^GElm|Q;1it z-TeZf4m`oO?~Y!|h1!&o%*;k%{@=yFK946LM1H85860Z_t408M?I4C(Z|?@XrNC+}uzU6GHh`wz^J*BoP*@#u?APtN06we7iJ6MJ5H`xRO;;_c7#z{gq{ z!OxOTOg~w5dQQ+`kHL30e&)VF=Is2b_w%)=>#@HaCY-#hP|PYSN+Qr@%!blAfAg69 z&*%9uXX>1Py211DTz2tAOl#HK@zF{Ix5OoC6>F08F7YhwYO{yN}?o!8)Z5p ztG|{FC6a>hO%ob-O>+(pS!H_1eOI9Whpw{@YinD({iaYT6e&$BTGzsy*xMf7oBP6MP|HOwh$oUlTdWN#Fu8fd2w5F$OD> zH6kEJAH{mGyW}f4_JR%p{ujS;s;r}{j6zPH%}8r80LW1oAJt#T1)SQMJe}o^9(zBn zE1*>RXVYaec?$5LF)W0dN5bvz^=c)M@cOrRyzl4%(|mm1;^?C4M%Ci35F+8&$fbU| z*A)t+9$etT9Qg$SxQ43-Utw>Vf%7*5tbz6$t|<%V8F<{6nlCfW>(#yA1lOW9yHr0b zJi@|!pphcjnF)KekQ;GDa9rA5W`|b(t29&=M7-N)hhI7x$BM55nUJfJZ0vnJ1u$SJ z8!MUUZ{uv(P|hhm?2RpJ$T-JP&P|-gZ3q0{^nB*x#o?#ciP#ka4dJgLB+JScdbp0E z%Xnvr^2&=I^#QC86WWR`0;Z2mBB_z7X13;ztIm!Q!Xmt_QXf^EQ?!J_+#ux4d^=!g zPXtzB31&_icu;dLA|f=HGy_ihl|+q8M&iM^@$r@>Du4ugLhbsI-fyEUF!vn;&;?sevJKYY6;1RmAmhf;F_;Nop0 zN&U1Ua20V?-7(TZgx6rD-QN?yPtXs#0Up+Wp}>4C$E9Y3Q-nVqdYxpR_Y1|4(LC~x zJ-}}8%7qU_q{=nzl5W3{z#@2}j@UOi3n}AJ0L&He_rFGIWn@d&CMYy9vMsV7p@=F3 z1Dqb3!KT>=QigHy$m~tkV{0-7;_|d$`3yq;M?$F#YYbW>8WsjcPef(p7j#iR$I_eY zFdG7OWzgpLqcn_bP57El)n-iShdvf_3+HP9;&l-KKpvzPuuyo$3f@|xfbVAU{=)%N zwvcf(2IIa>eKe90-j{Vej^*|vn}c>@B}8htKxuNpL|sJ6Is2;*4@F%xdIxhGCgqyR$Az30dIZ=_KGLcuJ} zmov-(kvt{6-yf6ku9>DGWRCcj_X2*>1n_#DV;<_rT9kxhI_va+Km4*A9mQjaTqpOG zQi&Ix_UA3+?->0)#EeZPJ!_IkjF(*5sfTbViZw@`mbyg$58n$@RWF9oB<33}iB7^W z5y1ayj39Dk*O-nhGK++Sp_YWQ*FqfK-&kRwezx1k`5O?{PYwXWSWW(+hdBe=Cc3Sn zQFm;g}MO5Dc!$-i-99@hSm0UpW%SP^CcOzR#h@9d$)bx;CrBt-O^yrMNE#2t0_ z1WbBQ*%Wy6Tir~?O5{b;(UizGDgOTQ_IEYG*p&LJ9{`ve#S5bg zpm>-L1N5+uquZZyl3owQn_8%LRry!x<{|6HfB3-T=$I&|%jYAI>5stQpSH_h@nW+d z8fIb?9B1Thp)k)Kpu)693$Vu`kelT<%iF_91Xw34HHtOBCu*Ou<9RoNgywvovK{0?G(M& zl%<4RK<>jO)oLG5HOzx{BfTot8ZKo3%8$~|`y?3|0H5O^G|LcCE!{dzsP>4qdt{rM z^jXs&_)R{@v8lh|JrMx+ak+*tme7pzFY3x|n3Z4Q4V(D2mHR4ARGah*ZICJLnOMZN z-6x15^v0S|-jZnq5|)g;qRIGyyw;T`QjdswJNL&`uUsF&FTLMvJkL=#QIL4dMl$;C zG+nT3rbxkOIZR5FS+MgYT>4fKE$$zp-LXi_!vJKlPYdkJFDSUk)$d2dx0b85004pW zg$ZUI&y^ckjUd47n{~^JlD{+2Fb=MmRYW?viVPN1W%syu(o5lgLsP00ySv;=3G!6m zu?P&fo=Te;=C8ASyIb|^scf&pf^%3jQ0Wl{$_AM!AA}t6lrq>4MuVExYmVZjC_$l< zR2m}R_E5==VUsD*TWZ(y#BBbQ_5PY5N3)31Y}_wTQbQLUH@DUlL9Pq8*fW-buI=De zw#|E3F2bg%DfBMX_2Rkl$2KT9UyJ5Ct>LLO_FJdc}BM7iO&p^cba!V)S#2A0(|K`pNFVmTdEUT z$BOpLG`v;lEpx%~-~Qx@vRxQ~1M%&6EHdviEi6xq;(`aG$Cz4}Ime1#F&*YLQ~@#y z)7x^acsBX$HvZ%&I%AhUE1kMnX=CCtw>W1HbaIbw*)mRs>brzws zqeuq(GT7EQXP1t9c~;e8&vQcBsr0M(<4MH^`+fA`*05Ckl`F@8S5e8>S@bMJwJl=J zc#qedc~k-U#*ASibJ=7v*P^Hu0sZ#SFRLg4OO`F%yZ8^Y2sQE^Pw{xkdk2ZIdL@18 zID^QaarVm#vV3#!#{`5o9o=$kn>fb^HE?rF3GuMu;cI-jVMhfs9|wC_(+6gj7qvKX za44`~$JK6>aY^*rY{L9vqOs1_leiUX_V}s!#(EWWzp!> zDl|vhRh0^g^k=4sdGAXL?ngHBL7aAym`h}=-@e7D?9YjQl>4S|MEWyiHbrk|ECigGVj0#vjmyV&Q#J5q^kJ@mKm_`e1#Z_D#VkR#XaeAU(wcm0V zf`69NK`L=CoELvU%_(GIXU!e_n&@7s(+4D~6%O)t88rkphrZX!$Gt^h!M11hQaEX%gtscP&M(ZhOrglr|Pa^LuI>_zwR@sR5w+z*~oEimxFQqboSLG=*wzLwAU0GT{MeY z%c=~%dqksHI_l6^UAmh!*L)62`MP+oEoZToS3P0EpTmW^%UpNjs-F$J74+8KN=jjH zRuSOf4rAoNegYOPw*4Go>wK(DMc;^sx^m0fsXF~ztjo-Ic>-ec^viuSWAm=!y^MZT zANo@ud)J1K>lf#;bJPTa^#cPL1+g@Cj3=nFF0=s36#`mg;seMre|$=G@kmkD+ll2? zHHUd24PFIv7`Xs~e0peLUuXsBRACQ)`qLpovOD)*_(zv6N8gX6Zt&hn|BWA;x)4pV z3dijb>BVL~)5H1ge&Q-Li+jF@zNRWD4Aqw`Fg;|DNQIN(Bd`=Cg=RVN^?))(_FZFh zdCT5Y5uB@c0kQHk@2q0Gqx84!&kuZ@q32Kt^j zy{twJ$BM;+ssR3(LW-G>R7c-g5qd5_Nv%Vdt>MD#4Z37qm=?pFy@)##=mN`^vUyaV zuj;h1gNB03b3V{@)1bloc$}{8#TZcNUal7|S|_!B$2_c5nEUt>a5ZJP`2NnLkOUpR z#X0M*`2qeZFu&K$_%3KAZG1nku-$hME-fd)Ty|%A8S4Av!3H51X|N9nPp5GYl3jSOS!vP2BSPH^7H6LJh15K3QW)%Hqz>he+L{Ns7p45jm$BqEx;Nd z@XqpPh{_PCE@NbS2n^2H0qe4NR157L+;$9mdC(CneGSj)2GWVcQ^e~46=%zpJ_OKk zF1$ttow#c9bXc%0iWwNyaTy>U!@hPCis1f~qh`xvpxCK<84#%;ZkxCpIX@IIWM@S% z%v~hfIUZdRb+iY%L0{I-7@t1k;y1L3%*g5H3zU8C5X?k|m1yV9i#H*TdvG z7g84|Ep8V0i!(qaM<(Dg(wh8o9DS}L4r=Ji_gT+EJg!0M`lCo)NY`|`qK3FZ>%!O2=*@nYBi9v=EjEON? z)0IKsoK0KAcS`I5o(9v_&;DbBN|Algz@TsdmC$q$>bkXZvDvFjBdZlo_GAeOPq|7sDSBd#!!Q+NbHd@#ve& zJ*W_XvzePMa_ZsgTmdaABRKhMb;fUIV zo?03m74Z~C@OAg${ceQETDt-_U8jUSqIf&w(IKvS8qqzO4ykiax_(ET{V_+&E{?yH z^j&z5B+YvJ(@f`kcCLvMKJHNrDFpOT2Wj>xL!zam-`arBTok9&;W8^{ zmYwJVJJ7A5E1iO$Y+ogGg39WBUASrbERL#91pr}ozW@s%KntC?yJ9K+`tugYxj;*G z@g7{p)}{KhHpA>!@Br0bxNyqwo5}9toe+DiYTg@BOhEMSl@89W=>ou2F$g@7@iu_8 z7R_DW6I#6~Q5&9`(;DNsj>F#4JUdB=hgf-*sQ}XytPx4^O&*-Lu?c8YrzVZQuXnAa z33bcrX!R!c0|Gw}LCj|)v$>yzj}*)uV->0{LLLTha@51V7S@WuM)79y?+U}D{@GkE zeWk$QjMugj<#dA6w+SQhGgx$d1Nb)9Y2Mej#Uckafr!5BsGzgxwQ4U(Rq)9^G;?DQ zuKQ&TsFij#r#v6v>~h=rCb@In|bZBG3WzmFWyeJ z=sTP~I*#G+mR>;?JqL}Bxlod6VeM5+1eMd8bb%=DSh{FOQA|RVN(3UTaQDFXD^cuV zT7;VG%L?{fM3l7YtgKXfAzZDR+VH>14_zxMamVh1zJkLjaTFc>i}dG3fUkG$>uUV2 zW|8;;i_M2L;TE!?oG@=48~hCDevot?2erWYP4j=kpO$?bHU;at9P`ScvXcoTX z69IJ*aancCl`53^!Bo=P^;p7BlHO9urL8p1Cwq-siceYuxu9SDUIyC$MK~>NLd|vV z>_qoMm0`r>HyP6>nm+Q+w8?R5QMipi7!|&b7@!#1y*PmN+Fp>)YWf!xAw?DEY34O+ z?$NRx8f0k7u)SKn6Ll9*V*ccXXK(yuSSF%>cVBUY zNbSVNCgt)hnK8+NRHXBv5#rhG{#&zmCl@n|{&*~eP*tDMFuR2{3wEOza&dGMva^^_ z(A3*6dakMbXU63X&{LQb+GHJ{zwb9jOJDc-FS}-0zL9o(ULqVBDVNYX6oy?m)bN*S z^wP6><$P;WwF%k=IS~DvWjJWP`?cL!^47KrkkRW-em+Y41gK8qt&>qQv=Bh2_{uKC z>wn~|uCE23_jSFm2L+#wSDsJGpC4A9{!j_t_5;s%qCMaFT?t`K`a&R!*4 z?PNS1aY?@EBl3CJ0$2szE^UvG8BZ&^-nX;FPqV~0@;;B(f*UJOC;2N6C-=wRcRSBd zOwVV6&j`QUx(iiDbp^bgefWKDs~5|c1s@K)p4K3OO^;XVJGxm~>rWlpy_NJwQ{?!6zp^zgn=$GZ7D_uYFD z+gWJ+yNlGgKId1L&4M-$Naw(&h{@abrxx$gm#3dD-7_w>Y};vl}C* z^Axr&4^F)c_p>NV@B9HA!lr8L<%sS2lHc1|iImO#Tfc06Df*>C7e}dIv)cWbe0@?H zF-G`ytQCgVky^MS#~MY29|)xOU#QmDM{-$lLL#{VBk8IX(6J!IuzXrJvf*!`Jt6Gu{#y33GgD zw#T~P4jg6|CNcjQZvMF5xX3)@ZNnuuyx?#B$MX5&YXyv$|KJ7w?eH}^_!ku6fry)G zsa3wfZW~5wf7ipC-&6cUhf@fHRBBUK>yr2RtpJV4f#mW^!B^sFri=5I)RTwC6@`Jl zL#`;ySQ2ONb7w*Rq-h$r=MKbtDjlp!GH}@PK!qHJ@rP096>@aQ?%Nqga{oZU1rEgi z5Id0rw%}b&sTuUPNY8(B5scCRpab{zu9QanxXZ2ksw=+y8Dt%M!*vwIs5?5l(O&*1 zeDlz$_oTn=wzb8{^)`I-5sZvezHN|!=`cmR># z=6>!#8$*BZTbf@jJC|?ovAA|56+)L6%ziy?ANnG`y*PN-#xF@xjqaMW#&TBAno8mr!IPQeT`?(~7q@ zCpKbyy$>$TbfpPt?Ita!C@bK_-dWrgmmLAgWft9)*sc>(*Ei7$vF^5C@Aa^Me>eJa z@2y|eW_oz|)9|)w^EH_`fpy!oAPbX67LyCwr!zz~3py%2#v4x{T}&4t)yJC(pPkAN&~?V&K|Ydqfh-&j~xB!z<*+gQptz!;`SEeWiSko!6`E+%zU~^c;Yh89r&V z9G0BLVGE{n-%6PBIrm&_0fL;tS~`CuxlT&uIDYE%ThrdOBb@xrkJI!U(ls4uiyiTe ztKu6Q1dd`SnYN>#>lvZiZ zkjP~nW`%q3*a4qgYGvPDf8mXD-J;-9dT`vlbMMtOj0`VmDOwj#P7F4h;Q!IU&-!X7 zmN$A1?9RoDD6lqER!s$F&{fzW32oOwBgAbxPx%B4`tYAY2S=NYHmU*x{^tw;Jn{bl zgSeC5Tdzi z&VT}bzhB>2twrs5hx*r2Fo_DTUX?qJf7(g1=Izy~lRJr0L{MAj9579|LlIDy6Qj9F zoyyDLok+RypoSJTJGe%B+o@cVJ(58);{Cf>|1O+=yVwC706>y4e%sGQ8?fy@e-D%H zV0rWxW1R9Vkrz%2|LKa!sJCI$)59?D$kn28z3#`9mf-$dDuFIdyL+LoHgVMtYVX^- zDnEKsQSlMmJ`_n5-h6DiHc>A@;0<$U4!u{5s@q@u*kCsL|Dj??DaPb1!y!+@nxa{W zuf&iUdP;HQwRw^JAa2q{VASU6HKg>7+d6Eu?-ahcksG4~d6`nJS7LBmOtZ-F9%|nA zSpO`swKxW2x>Ziq%?>WREX9ts%@|Gss!1s%J!2gYdpzCi`1<)7&IZGs@RJz*i zG94oXh7c5ms}k;+<%LGCf=Nv=xRK2qkb4GLOf81U(~sYd{#XFJT6IheFm7N+b1f~_ z%vam}+`K_DK=s>Q(I)AsxY=~WHD#J(uAf&w(!05VTF%(J^x34@MTQ>svpAXm@A^U_ z-SamALRT_fk~5;!UYw+Fxgen0c#8VkGo&p`BL*R%gpBA*sMwJInr#HHbH#zw`bezE zXh3wYjxG$QU1td-0%yLua?tRcOG$wtqb8`AMxY>Su9{PlQG?FG7InAhG!Hu1BQcV1DqF00xRc^^*lB9C1U|V27)HCHxXgvejm%#X>ZE zmU*A>5fhM}C$M?vFn<&06R-pYI`%FA$1(2zK91Dj>CDNJufqEVwN~W|G}1jQd|v#u z^s}w=bLdX(d3B}8&ZKC0^RFC;ujEoIT^#Aw6?C~@nTKN5lOer61E%l~^s#db#yE$a z>OI$4I}c&i4@Kg4R=8N^T;I%ibCU1z&kG?VvRfVoN1-Tin&(!M0`*DG50oF`>b6n8 zveuf`aY_kf2VzHO{e6i4A)Jr^X?RJ7!}$_DOed6(;ei~s-UmacW3a_**}v-UkN}>? z;?WB0j9-qTg)#Hu2~O!ymOkJs(lP7K06&UPl zK2bX^Iz$ce?>7GOelIl)Nbmy+Z>3E{)o%QTkJb`=Kk+G$=e^;>yFoJJpK}3eOFuj2PQqsBO_|<4Z{8hmE5DcT_zVxlp=Q8W zG}*ZrPkrf~C>9fF0;co$u~e&4-X=)AB;8kS<<5IOiedVEENa zv3i)1xDm8?P0}iz{fuI{X+6@Mp-iukY#vuX%81shk2-@au*p2_l!irr(QNgdyH#j5 zjeS6GyEWvyxJ_A+%v7@ ze##?tc#!3+H%9jWY{F=VJh6P|7Fh~3@eqJw$363#sXgI>X4A~>Lz8^8$T?QVtUE#&>3z>h08jcF)gOOPgzOLfFvcue z_(A=h3kyoNK+#XHOLQx~9h>z%*ol*`AHyxO$^}p>i8W^d9LAaDr=O-od4sU8_8m}q z_5A{bYfeZV9+c?z!D@;^W$1mbVcofJPo7WI2>TQKM?i}8iT$(JZczOEL(~@rh5=D+v?TSixlogG zr+Fx7C8`d9_`!Pu4=1%%`TuhK$nA+G|7vzTggx`R_*;IQ{AWI)$;aB3^Zi&0oZm=w z9bY}k+dluOn?YyJxV)#rm)X);VE|$MUMi}IQrao@!3(BHv-@3nb87L#fWj)eMqpjp4Qb6a zLs`0-h6fXK>_4=LIXnUJUq8%>6?D+9)At%D$!eUj5yNxT7`L(OP|c2+`Ft9`-Zc{}<2TMWe3mKcx>0e`BwDNKiUp>uMe z=xv9s=oO3eqZXzy2XQT1rvI<$=?VaZVSRv5f5dh;GY6Y!WM7!r@^fz4(lNyf@u+Z6 zFP*HVi@m%yQU`Fzu_@oWl2*cL0ro2aD(j_AGqQnfNP_bJhwbq6IWJ~y~C{S z_?qquMn%^ZQ5W0p+mi77d@>MwY5;#`3&QEHzcgL#OOl~!4z{pYjw*L*dW1lx6E8A# z3heSatBJ9tft#REwzLlYtQ1E???&yhi4hDRSFTVs)tKrG(2= zTaBtN!;8^LaBx5uzg;`6PgFoknanp%&%hKakco@UjGs>l&kp?v70&=@7U9qMgy$!O0U;u)~6VR8B4vTMI8~6nQ{QNve$wgnul{30||4 z?AX|4-4b4(ZQM!F?AmM4AKBrKypq#D1h-kP{`aTkWQ0cwsU?&Qugu$|(&P!f7ZAqr zY{~Cd7vwF(N5am7!xD3Rejv8QCmGE<6Lu%FbL27{u77duj{3kFpbPB&<|7z8iqo&j z5gACP5RYLg;M+~Qo3D8levf8$UH#uQjE$rNA{Eh0hF^tQ(9u_3Ge>TwnxAv&5fdt2 z{)eyVr18lx5N4%hOj-(s$Y;RO9)9C*zW?^I8VG+I5Gts}-`T><`5LZN8!lCQMe+;! z=U$>Nr~Bh`X1oMKsbh$Xq5?i3i0GG>gwT9j~B!C&zSG^P(x6H5JFcrp>+jI7?1>_6%{xY!sPI; zrAYRYfoKNGDi{NZj1^yf?hvL(fTqx3kqtJ{W^^=|_L z1!Vt+kkR7sUxWk-7^?@=~2>eKi`E4$kQS+HRRgMTyzJ%-{F?d{`lU5D|TAf!$Nb7Wcj5@;C5iv%k|L_m{Vosa*;BP`khVXs? zocM0KpLK)?TtMvYf9V@!hsLg z!0$`6j(t`+*iufM!hu0)W~Q6JGj_S>XF%czsE*m)wiD5@UPA*}R?YY1@0ql;qQ40R zE(@6m0S4l%aQK~A{6i)^J%(@D2aw(0y+mVIdU~3U?<8Lm46z8to?ZpqVJ__&16i7) z)1vopaZGX+6jy+7zLQE!>i`auH|JE`M{rEP3y@^PUlLjxkGgH79^p7<-HPsQKKi4? z_`5Vr^Gq@S!DX`s9^DSgl!4f3fPCF&BpC;Yu0rp+wo!+gHxctk91sEH{nyBOqaFfk=lolI_}i4P1bU3I1B*h&E#f5H~#RV>P7X6od!So*XhKk@iHJxU4Fh(^-Nj z%9ia!kGWW(&Uc!%RIK_$?Lu6iSmc9qXmfI6kj@Om&sG+4f z7R**Eg#;c*y4Bz-2nmBQ8c`H&Zc2&qZ9H5h7cx5+Zu$7rQN>4#FlU9ub!$~a3LhXN z>5I;1&qIc&XBn9XYi3ZaY?>TbNW4EGI23C+|2N$@@q1TLf7P8e;5yde&##bWo;SBzBg|aE&ps*L{rk#nk#s~=Y6w!iXcKwR zRgqvb_1Z(qY&0NUupwI&Zo4LHr?Zp;jw$Ljky{B@qBv@IgGQ2=!rA{YGQ93gzs)g_ z-bFut?WC*e=^=U-#sve-7C>+f^ylEVI>JFNv4AuCmR7=-NzB&3fbV`|g+4Kpx{EwH zp3PzQ?U7~Lwus{n;uvE0As?n2>|rSO5i7*saPg2H6Ng|RwTIMq7eo{AT=e^5A)r00 z$GpVKRinQ4Z$L))7S1RlWKP+?^Fhgd*YMQFQH(m8ki4uNoXp05Ft10Qob1li9EI-m zj6+|`3HyqG6Gpz|z84kUHk~y#A7#S3qWE8Q3_6s5(=pz8d^xFz5MfQHVnyjhtz}`l$geG@0TCtB1utmat{gR2C^K}Y+-W<06Twg0AX0ajJ8Zy z&9x+&H9i^*%jH|5d${rIQ3^7TKbI)}orAaoXdJwMP}e{eQcRy*xeQ(2?E0dh+md?f zb#e{8zyBRzmst4Zi_$-!>tMM5*VD`ih$UETo!r zuS(BLscI^V!cot&mrOVYRjuZv=ncWnAqfF9d)?x1;tqq`$K*p>r-NLD@og0=k*__} z8**&o-25#xsA^(F1xAUpmP{N~yw<7K3O>lA+=a{bRiS&vaUd1z5*mFfk4~cFDIDfSbS&=pKhYT9>Htu;0gvi{tJ2<)yhQi^UTY<49*unBPW?WfrEL;cjq=kuD6QoZ6!w-jWdzp2v?TJ_OfA zcfnya7Y>*=;4jpCvZdWzZ{oU%TD4Brzb)y5j^UIK8BFVpyQLtZ2pBS?)kJZrbw^`g zLdV2cN|al&&v!eS8qXM}yPA^fv;^*v4jn&NSDcYeK~C8@h%?4+4+eNsL&%*NYLlc% zGg`9cEGK3t3LCb8;4?!xS3t2fUed|4Ch!fe$1@xe6H%0!Pb4U1D7Wwdw zDft@MeIawK2Y>Ue=hwa{38HRzl7p*}xg=hTf{Y z^u62pCsL^ftTn8(2=2D?GpysKWbCiX30>^%@l9`Z$ieAXvNl&h3i0`+a0ARLR@(ht zhjom)qd@$Y>@ywc+AkMMU8pKJI%8^!8|bfdX&rtMn_{Fx&QgupHt>jL%N9Ste)lEW zdfnbyIZqw=Z1xOge-->nl|pdy*I7RAS7|l3xeXVi2Y*`qQ4h+&jaAI3Wm! zijGz`XbUud<~(10ZnEy(zWSYe{5|Y3J-5(?n7UNQ=aV?2d0Sdi^;2KZdM7@wQ@_gU;vmSKN}t(C!};`j(KUPP27Kz0~QDNgPI} z?G#APNmMt2B5%Lb@_t|?mJc`Zafx9(`!$7_6cNSReYbyG{Pv9~PSBw39)@t=LvP%| znz#h83QKfV{dIgJID zAE?D9k&?i7P%fGn&)cff^82)`Cxs$@7cK2)>M6say`Whh`zFn%Wx#aL-WZ+&kopU9 zP=6K$6(K^S$~l2o(p$|L{PhJVNsmM zH`kEIk*hh3akct?ab%^D64_~04zF)J;lv-MawL@TH0GGitlIF736+XCmC|gk<77`F4S5)E`~(6Q1>3pOhL+t4d0Uajm^eUa6)YqbJx z)UON0pD51Dly}s`d|6@Lw5I!JF-ly;8qy9B0uB0rdO^YM}7B4&G=y=3Tqt=RVZTz?$Quv&=X!xW*pT|f^(I%(G zf?J#9zvzd!8Wb((CSygLIT*2329E|GQwM(Y#!c1X3rj;vTC#{UyBcN;LWV-j_xjjW zjLc4tqO7+WctPS^8>O$Ll^!HlXxA7WeJ`3|>+?B8_vvKP=lM@3)A938Z=a&~?MlY!iuc2x^Lygf$L$@T zyT{|_LtXu0Nbl*>Ts-6&ZFFbxshQB0Sdi};f|g-BYxuRz^XUw?^?~iS!`u65Eh1y( znMz>b>z4VtP+fWJ2lpqxgGOB&$%74Kom5b&hUt)r|Eo&w(RB&)Mzs@y4V}< zOQOqITxrjhyNmvdNA4?bVivImL$3GI#l)H`;SzlUVs0ydwWT_^dDR-Tu$62YUm``It+4hd)W4NBO0|FLTih{kmx_%Imp)U+ZyaWrGuy}kQf(bp&JX( zk_{|jh{rZuqEHhzbVpD-FySk0r}JmBj~fY@lP2aaFRi~4ErK{Q0)6MMfEjHg%9NVoOaI4aIuf5{)56KB6@s}z`cJG|v)xc!+XVV`X; zh%L6>{g|8qqmrMr3wg^~Z^RZ)_^*vUs{s3zvz}#ba-uK z-yg)KEk*9TC3!R1@$eLrm2egDWN?(WXSg!iv2AHe6HutbOf?5CU(LFT0$_n%XE%W> z(-Qk$&Km8qijyzw zdr%!es+4e*w&R&I+5gwDA{PC*5`UmPCTlsge2;cBS0rugzQl2u=cYbh#GVsw5Deef zl1CYk=)zQ5zBZf?R4*B?ae6ey{Te0S^bD#ud&b3br1tvEY}d-fJOM=VYp>^{tT+Gmrl-;h5_*e$w;Si zn_H$HlniHJ$005kR_WYMncsKZC@q9C-kv!f=cnufx^dax(+yVI5D{=4-2qds8;zPp zSAd<@>cji?s|F{|lH)r)EdCN(e}U49*S z^!udOiai7Au+jHaZs@mbSdQvb!Pj8AKXePRI10U7+cWpRseITzox7fc&BzjM4Y05U zPxTd-^?jtu?H(EBVDzSGyPXR+b<`Vv*uLueb90qG$}3>Oai7AIONcd;*iZv2os$KV ziyH@%TL~v)UOM_YyUeZ0Rs)9qLo96+@o*?rHWURb8zPAzMiQeV&!6m z_+{}J5<_8Caow=Mt+qR75;mvh&4#q(P|cqW%3Gd`ql-0LF=_D-U+DEtCFKyck4Ufyq6s0&WK|xnN3IY0P%`SV{{GX(KZ3-BN*2 zU1cuB0nNpbuGD(M10I}vBOyb?3#p%CQB8MZ6|$t1*(Z4G-9Di0a{~qMM!YJ`&xsIY_00%-~!DUsSB4Ok%RN`a#Z z8?>(YLRloXeqWF9l}0x zL&Yukw0+nU-WrKrJidRG8kQ^}&r=~lb{NDuJNA7dbO0Fh4|HQ2FJQdu2(dkb@UcDB z2(gqv#hAqcmE1IvlqXecZnC_2q&0%{DbIPa)@hC;n(BVqa;xh=sq!!qnpThBH=0JRJ>3vutD~;W z+~mk$n^>PTw%)=Uhug1_Ldjwr)}A3fJQZS23Z|Tc{hcfc4MOJ_7v;T7=}S|r-EaC7 zH09BJdBe}J^*bQ+Ka~L3bAO+Tu+p1BNkFv=0~*#S|E;du)pv{?kUSwz--a8{@40|= z(Y`0eM{Mu#_l9NB#Ht0km%S34PeN>cp-?{z?H^}WDsE$~oDfamxb<|FcL*9z+hwG> zRWb#&l68}8s?NEj#9@cTd6c7(P*$XK=4jIIXh4)pcEfwM(!V>wxAqe9`fl-`l9c^X zVu^*tXPpSAb^z+*`Tw+2pfPxhCV9+9vR+!rfTc;C9gRe|9AUDUSvV51Py=!%?BK~u zjsx6qs=LW4Kmlb@!^EoDF}SLBdf!JT-m@lCrUL8K5*&3WS6iQr#pJ#BlAPE4+$D>y3Yr=Kc8K#8pHg%Lg;lPI7!uIzq z`FVz-J)SK+mCzcp0j>WoiD$KH=fB(3R$PEo+qhy9xXNPWD!qt%iWpxNc49DdviG)c_co--mn-J3w@Mdplj) zi7#~hb2krDCn_iC%upitZlE&LiVM>=N2WZZuHAOI(t}qD{BE>J>{0H$;_X+*+O>6}T;k5ZYt`ULV#$Wwx^;&UW{XS+pXmDD2P~dTCd?B>(Os0&k?WT(@h9mXf%-DJ&@m zBTUi}`Y_F5!55&z6zCh_RmD30r>~+=N4(C;*LXGKH;0`uSZJrS=ldD1M__#nWe0*v z@FuO2L^1ngk=HML13ooZ{tugwIg<3IsJ~*rbQJb(g}dP(Af3z@>Q=_W zLh=6YV`KxKDnO~hAlR~(=m{b~Kh62_stmlUogf1BV{N7{$@|R6a;p#;od0m23v~Nq zZkNxd%e>Ak<@YK+e80qe%b|xqE=`vZ*w_~RF*LbLNrP3%?e7Zj<%GbGNY0HvZCJ$Z zRNN_h{OvvB`GbYQ_a(0BdM141aKmgP#(d~sUE5CHQ_#v(4r7pAI!&La6>WM*2GARCEh5vu|vG_Bv z21>H-e(K}&9@6yuMSS^|uWN{9tGp!w!C6Mq>rdc)^|1$CdLlb~50J8@hvNF@0_St# zlBjnWdCkbNyQZoVmP1(7sj^}f2s3^K*G}ekrkz^9ygw@Z#%%^Ah@luh@o!+0bi*lT zd)Uwx`vz3JT9w5Zhf88HNh;)E%0@(*EG-KE3UA1JodT>BGUA+t%-Pv9*>hMk+5cI~ zzSIOE^JXg{bH2sT3uf!ovvd#VU{vpJxFrynYzz}9+>pMulmvY&u!?s$1{eF9&z+ps zmM@u`L+sq04fOqqLQSTelQO-6XgU=V?A>sIoqTEhCq(LSe(+htDlyxH9|nW_oAWS? zC|ipNRA6m+)q>$WWqou2Lv4rj7Z8ELl`$8Wj;o+(Gj|*@pe|ZbAeE)>M*CS)+SE&D z0Va3+?+yj5WjladM$V4}+z?_#JSKcayip>>WHSSr4|9umDhLQiT%R1~rjY)^>&QOH z1`d(>>>V_{cJ#^e+t={ zvCS677`-<(J-~*(w|)vG`rz0;Jk*Tdo?Tcm(p-;;Poi&;iy2$_Rf7##asAbDgN?qT zz<9j652nkXHQJH}vsX|ZyT*zq%A<*)U`ajjlxos`T zB1yf1tL7u4oVdl(AGZkYnIOpAt(brT^KK_NJvUZ4WYDjgM=t8okMpH-6^1S58cw;E!`zCzyL!xNJ*EZ-0gSHJ?Gwg z?jQSkX6?Oa#k=-;^Y^aB%UDt6h?X^*JwFh`bZ9mcHJyDxBsI~4laSuvDK0P>8~1;I zj3$gKXyPz7jqe-Gd+5Dqm8G4a*?aqWK|(svmt(cvs!zAg)G<|X9Te2#=>83R zV^ftR&X2%@W&Dc8YsCMbG#+`!K>I(yHDW~T0>Fd_<6r{aW=hkl>k#m9sbKi( z#!&Q^CR0QI21w3cX8>d{hC@kZ@Q<-|fz%uJ#iF8FoEbaW|3!+tF=_Kp;R6^Bl}s+A zBlIpSij%nBdVDLIf!erhyqPOWAvLcmU2%IXCid6)`TKQ`jwP%2w~sV)`gc*Cyh|mm zFBQj+Z}LlXR*oYe0Y?KZpQG2t82^W@1j5FC2P=ts=ORb)pX{i0iJ)y9Z{On`ApTKg z9mR>6_p*%A{`)7%A40?g%56ixI8{X7bp{mp`&eu$yE@6}EE9gS=r8@NJOBTtQElS9 zbZ)hjZTrRIk&~HA@g$HH#>MH14koGpbNx$HqGn1jtDuub z+;5HA8TX~)CazbE;2-#&Ic1baoq>v#71zd_H=$3ZegqHnBWOx)7t)eEKhha|=-$CY za)sWXx;=aSxp?+-PL$FOWC)1?yEY>F_<$6fbfl+*#7a7`B}6LmwgfOI=>TH=c1a8q z*ZNUMLv={hA^;8TPj|LfSJs>wK7KDveB|enI2uCmsxicW)nfZ84l(gS->G~%Q}*I< z=4Ni0@wF#u{6WpkX7>Bjk1L`6N@Y!o05~zg+5Jzqa;r*sYOLIU4iA+bfE)MsXJ`lH zUjn{`{;BFp%^K9SM<}%)!Bukdkn|h&RwWCQH}Bw{urE0g)o%xZUDaxIl?Q#%9}g+Z z#9i7>awPnEzPvhc*aUVP)(Gs(E>?6m#SS<*mmlzaD9ZhhC;Wf-z9pl|iTGkMrM)`O zh!YOqpf>ngu3u)RK17xT#%UW z40s$lI&8?#^b39&z$=;l9$if;U*+n^Em&5>$@Gw(p7aYJFi2v?e-aB^(U_4c99Wu-*CFB6Y!0PZMnp;X)KNE4;l8Zv z$4YNkl79vi`vo zqxd{cbL;p>61kz?up_r}V?E`*25M#{ZeEE{%ZCTb*CewvZ)QC&kzhkicUTjX^GCAk zh@9L|+_!JaJte9LTa`Wq(l&#h2k1g_#PUtK62Oz59qZ{aU}5SxjFo5u6zoUTIUl`$ zeTH0Sn%80IWI9e@3sJ_E=d^V3LEL)ZK^c(xX`GX~cEsO85;4SH(Bn!IOF4dEn)^~U z_peA&YXmA#K^ z6b(eK6LIbsq;amCY>NX=#tJm=ct=ZbGeN2}MNP%O>s|Q!_P-OY#!kQ22-FA-ubh(C zHdg5YnraHb%mq+{Eq(oLzMry_m_-y)WxFk_*YynBU+rK)eZ#g9f}*ZuobC2%7|+Kmy~2H?&XWl#?6W!wy0K8U z4;v_CaqOfK0nVw2)!xP>=Ec33-$TT%u4!f_9t{n4vp?te;+DnOrIsjI?J~e0($fZX z_ugq0I`g|?sqP6yU@;1khX~>=Car2!y%ih_ZjaXFdi0Yd@FrPyyAu*d+NxSJ)=J3j-P9D3(!hmIBTdrwv z_Sx(drcekNzy7ATC+#j7+irxAq2aQF%puHD(mq$gALRp|81rlfm|1D{^{QA#{3Lp% zmc#6VoG^2HFrQ=vfleGu9o4g{>6B#1f>f#WUCxGO>yni$1%eu+C{+A#?;G_cIR zrkU?i-L{8tpOn0Y8c* zsmaZk;*uIQS=s!2g$I~AZ^GkZ6o(RH z$I>wO!dQA@OS63eClw2ZuAhmIHaYFTT~96JvawvCxOZUDE=-#wu``mVv$x$Su-6C< z5<28y4CvK6>&VlyCuC8CTqINIuSC5WAKum&K+0}o*%=YvF?Ds5^@$(*Nx_-nurS%8 z77wf?{w+d>Qd$J6Q;nqauA+=$u!q|S;`NW4LlhWhpPEc>8?|r=R~RO*OD0DoPG-qo zAUCr>I`gEaE9HULy1z63YSEsH*xU@B=HRb*M{FgTAU?@A&P?$$R$q7-pZ^0zz;}a^ zCo<|5%IZjQm^6hrC9?^1L>v|c9XsS29j>i{iKT<->k~pWNG*9K`9$&+1sCVTBW#=3 zOF9b~>nfS*GAHS&JsR5QUoT908Mx(PTT!aYxv9dDIdRg{3Q!cTeLtCdqAHdq@T1{HhR<(9C>7cr36kR(CO({Pnh-8pv7BMH&=uNqp2zMDv)imHdr;i&n1+X=M8TP zCjt;9$O-Eb4cA3ZY*ep494bewuS^zgiYsncM#N<1sW%NMaN;rsmvNTPz@> zU}five70Oey-Elp>ru^A=Mm*RubLgYAe|Xj5ahgi?_*OdI|U~xl8=Yndi}CHAiTk7 znw-iht*I=lIm1{pS(93$VD-(wAcIQC;pZy&?geSg@DTF(94fSvfszxfYVrwr6@sIS zsUv|!`Y!g|eigS`C<3?ayy{RCv%$)IgBz&cb44DX)mg})ej_H5rwlb|eyf+iPbh?A zQ$}1`n=z>%w@`GtDj?=MqG_^7)lJMMnM;8g7|*|j4Q6PtU{vet2`1QFnH*FE=`=Fv zX_)hrU{&YlH>4ftLJ%KGja3_1l7sVVM5iVDEN6_Q14Xtfvxt4ZqK;5G~0xkk2p48aNuAaucW?i$| z3*!*y=~F)CgQFQ%uwO^Z!A5lLEo6EvIse6-&u`oZ=GtLZPw4tr(J%J)bn$CmV@5XQ!WUkUA`_L4)TCIkHxSA0+|`*no$)=~>)KH) z^s|4~qSF>VzgI@B?Y+zL4|)gFDtXW*E7@X&e)F!@YMmf-tumPzGJd^xdJ$WYyK-!` zgucsnaLU@Je4ET$0c0+c-TufYA60@vmzL}yVE*O7=h-UpA$&Gf1Uh_>gKP?zl)#>u z^_K#kjbK#$$AqKKTv6cAbPr1Cl9YmYJsKPQ4?0EobGo!meLF|%i!z>(I1drYMp*gO zofMD!+oZM~&cd{406&to!c9r#eJO|5a&+j)4Lt|g%kLH8oc`b8haHr8Ez=U2sc>U9!gexm z3+}>PuP1l<@E-;*F&x&Vlp-{ues!uxL06#Gd+F*5b_PirPO>Hss${0vFt$_mV@Ct) znn5l5#X^V|$fNcq*}}C!`zPOdp6FIehexY7=)^{rE*w3>dG5i?x-E%?bYYAu$F7OZ z?ta2mrzv_Z#GPW3qSE}^3if1(o4^eI9W+U%C;^(RXyMK|l1p^XcP8ePboL<8X zIEa4C0Q*(DqwAP;+tFcSAOn>QkG`28d|Xk$6N%?f+&`J6MR@=I=hA*bE}^NV`_zaw zudIp1r=xvd9;LiOXJ*UkDTp ztu7OXyd-mkT+4>6pQT16%!h8uy$pq~JUIlcJ*8gP(6XA-5?P)pr`!|}N%Bn1;swR( zm^v3vB*uY831a&Neimr-m)SS6xpc~OXS7iwDx2W+Xn)j7g5uH(en{qmyh0F#2-Ttrra*c^Hl;eoXhT<7(?DmdaSAcPyHF=3^Z92v3>icqL620P5q^^K?wHn*CU ziinydM}(~BM9hsoR?HPM%_3q2n{^6Gd#>>H23qf&(dO32^Bm8;DJpKq<;i;3rP9%T z_h2x0qH)m4$ zkK(9sgczEal{l3dJ54_zYoUg6#BxGkJ`W$R{*0B0)ib3lvL#)vV$5PoskLY>lfHRs zx2+cj(hg(9Cu0OP4{A=!%-DNu`VpW_?6Iy!c$ZVnHsGDb&XU@AM4OBuRWJ@;;x@L` z2k|Bmnd3#X^VcN!AFofoQ8ykDXTeZekKhe1p2aRmgCC`NI8q3yv6>oYPfULW_LwAZuV>pR`NIxmH%lk=^+zI5meGxx4v$!DmZsK!I{+1b6?aH<6P+BiD2 zW#@f1j}&wXM^QWF!)oeY64@?A_HeIwM|0nwiV@zjtSn9inF|@v2N${WZKz-%Pf|6b zYS&8_XZB82qYc^@J5HOwAp0Ho$)RX+$TGK;U~w#tX~mAoa#Id-pZQ#SqcW-|@y*S~ ziDrXvQrP8LI5Pbk;H$OG1x<)4n1Z#7 z2k4!HYK|gk@n8Sg6@>l{c6y%^E$W5Lz`tXNui2xTHBx&v2}TOMiK_P3z;<`767|bT zyd(1F&UnkEiGT%$0|LDxmI^d(>IU1=@t}R`D<-^}(cuwkt8D0Gr z)Y8{u;yP0Tb#NeQ5LVcOH3Y_~ZB*V)9kSXl(-+WUXU2@9vv#@i>L0(32gE#pbp}kJ zLk@eEHlRq>bqI95eAd||u00s4%~sn}nJYkuW6_-nc0XMOU#!8{2(kyXvL;(-ZwgcZ z;`1$?Gc-I*9gc4-*#NrY0+&GUuM~^laoNW#fVMqI)==DRb78@MU*;pVN?`|xj3Oca zAkO5QcrU?oU;s9qJYQiEX`LA%4(DLvnc?Kk+*JRI#4PQFYl)=q`pf^QNm_= z%)556%w3WJz-jW4P~rt3*B4)6g>+T?TVK&&G#hkCS|Pu zy0r}}@|2!tm0Hc|XvzE)`6+|u6!?EBZ~Mwj?>}|h9S#_q3Tl{3h`Pr50Wp0N( zNOXH?@J8SXqEkB}50y%FL>B@ks2n&52*{*R>sgw?xQPNCLQHEHRerZCK%-7N=9<)@ z?HSgX*@QACn+2JvB;^Wy`ry13_3)dD(`0bkh_>{!D`R*#crj!NA<~fnLId8kF4~rs z=1l(BTgwACXfygEE!2{fT{7q&L$b?P0vcL{E5~NFb#OZ<`=0hM zY1xX`j}d}+u0%!hX({YXDh>kMstlJEd}Ajt90s)1=nf!6-`<}CSpGi?;Nb-rQ~E>% z?Kx^a+iD}*al69GZjeS4FWQhh1^E*A&%*yKXK1y#*Zzz@>!0xz)JgijVmp0C$~zAq zRBR}3auMemoKklN#$xYovV%(GxMwxhbio7Gbx(E`!&iF)n0DcpcIlWN2sEYkXhXgR z=-f$>$WO~ez)KfvCq{H`Jyq0`(2B%Aw$Th)aspLyJ%|BKUu=Dl%;FR;(*4+H) z%u`{*8z_@NTlw~>@EYc#y6AA}4fOIzSOJl&@4FeQJ#j(m<>5+6g|pJ_xtV!yF8;>) z`^PctC?BHu?~^T^N_z)Zq1uQuZ2+End+-!g#XQ)ju5}BHbZ@y#agT#t0@mk)A3T9^ z60xd4k(Z0kv>H2c5ejXmC<`Osna2TCLMR_ib@IyilDaMwnvAOO;v%fMz_qm>)YQv4h$=GN0i$hz}ai+cc0iFZHAVJ}30k1IS1~^zz*D)!h zWmLYfyDR@^nz#b_A7$dMs}?X{F}c7ZS=W-TgGr1>4t+j`1|EpDY$(ppIJyt8nMB1s z!HG9TMg5kNfnpg|MFg!o;LuV=fPjFtI^@nHE*aGxj$5eB?jxP_9d;v}t%9E$QzCCh zR9+^zqwDAa}pX6Srt<}y1?shy>5T;)?>x#?3q zT$-m)9i6*mPL$B)102DBq%(jQ<*mT62m@cj%XJUv7GXaxv_Gpx#IAqP_Ak3#*J~`4 z;R65J2WIbDL+xO1xl;+jI{cyW&Y`{d0GGmU+nz8E%IDm)C@;NxVP1Xj>UuoTfrOY; zW4;XGTb0(ed~3tFneqS}6YJ#Zk21z*a*fhw!=RRKpydF;^{;1p#M} z{SjzlZ(tdT>O@%MDjmP+6Vivq9eYTV=A6dfh|-QV3bx(mTY)oHLbN}nAZckbC7Y`R zpbjUXj>s4gkKe+92sV(yFVtFfuyX*GKNrVuVy>!s6)=K99|QK)uORpGSn#eG5)fRb z45d{o|5}G7)2x&Qt2!8D%Glq|{N0A20xcfpW>20WZD&fuG(IwB>?baPS*d@8FM!Jh zo0wOO>$Zve!AufN^BjqUVBpnti3H-zP+ov z+DPJSjurB=V?n2nCGm1^j-D*Uh63!-dvt1EN+zlpUSZ6D4Z~>yoSs&|llDwnga;`7 zgALMHKg%|fW{*8bOP*WAmx#Qb zZIY!NN9+#3wn`DT0D|rpUw;0bjCj3`P?BzbekT33aSR;MS!^v^*eJ9*B0V zzt~ZD7(^D3n*gw3py&Wt+x1BncIV?X66G72lNKys1zX6qvE|({!8HX}U;u8Uiayj9SFFr2b!SjILmbzteDttxr>XP3h8k07#!a%+n*9E-E_aT$ zd4rCYz_J7oHUnES4<(flB*02G=O%^26AudZ0qsOF;K!n=z%t;D0ciXz|IQE`?f! zM`3)>elV@rMf)KMt3zt(2JkR($urQ}^Ov%n)}j1SZSKnOlExR7P-{jRk+!VyDXF*F z$r39eYFAp6&E{q)?qv=XIFjs8pz$Bcx{dXvYNXK$ecyrUoQ-m1UoXc||~t&}DQ| zwl|z#0$$~|{g<@Gy}D;YsJuzE^dhpVa9dUKye|y-Tlz;qnf}J~MaB^mVz~YaODcVJ zZ&3$}`rRQUO+SXss%Qk}iP0HB-rRQK6fn?xf zZ&6;xAg}mJ@4;A~(u%(Ah&D5XUW1rxeuhN<{M)7mu5^vI$g{)?9O3kI2 zaSMR&XX!*6m=ffx&nor`ycaE;YoHqVgRj(zoS8oWda;1+ZNIq|OIvFnnY{OyWuopL z>}DKYe|HpN&7m$T!?Z}T$xs}iA;C9?{(bVCA|b6R0{7_LAJ)*94HTzS*Wj&`UwESl zfc(SPi~6)qVw!6kD@19THN-TRm4Ubq+x8JS1DSB)!Vgk5r38=TG_FGGo#|36BA7Cu z^xb8(RbxttIrsuB#CR9>VeAxDt!$I~oXDI1UvoPAseFHde4A{%y?Re}2t`pV$cFa?q_esp0t7}Lhwf0oIV z6NUQUf*jA^0Zx}vY`;M44O2{^6d zS5lp?PFiT51qzj)BEq>?U-}9UJY)>ilhgvM&FGE&@i(xhH zDrDJW&PP+GW93T^Yq!Lj`4E{GFx{ayqkq`>*Aq zpvgAv!E8P{o@97f(q4fc8gBd^k-vaU(9U1QL0z_%-`ls#^s$rnTRG&t#mjMNVu5NI z_{CqIJ4b%7lU2v2q{qD=Ek<_xswm_9(l=FzEQ1z#K=)kPEAPa4UD!2``}AKPnUKvA z?Y^a5Up2Q(`osn9*PnLw$IPM2Z#{&rY?RtK_uBI=_B+TWzKCYf?gUlsGr!6xbkI(r zMq_{2(%oV775E_~W9=1<)-}|Q$0BfEBoD@E0b)!=%PwLx9I+k+U1_wk(Mp!aorXX2lLjI z79Yiy@D6BF7aQ^C4|jM-XUJ@;;-~oH(uKZbE#G1!7^KBZy-b7ah*uZwteVlkBRAqL znug;2)Gd$ZgF*by%-oY7-hyLr zeIQ{rlbsMp{{rEaky%fmL$y?JfyQsg=pmjV6C?11xp=rrxv0xtO?G{BSLM2W6XY%! z9>q($5fj^#Cj7cg5z=mtza9hR64xmJF^XbZtGf^aKxPM?0WRo$3BHm~C#-z41ltq~ z6!|eS(B?P=*N2yI3v0{peZnKxyi3*lYc&ckY3W^4ZGqoXY0YAc@J4%0d>&PQJaw)*F-9EMZV3sf|~}|Or#1aB(ulJxo;qW zqd#Kwit^yNd0ER;X4)91#uUp;xU zj5!Mj>t#s70-xN?7FV??$m(5+_{KGuMz0ofjDeHtoIecYd-`78wvt64SLRM#{wUS1 zBs_4|wVvc)`f1JP1epX8jnS^8cQMb9S6EM;#^b(idPXrn<%_QP?SN+4FM})qRgy&p zDW8uDg;${*TgPyeJbv<;#wLf#hOImA{v8oG#8%C>wlYK?MieUSpGp#%Rw}Xb!sc*~ zPH?N9<8082x6Rk*I)bn5Jw>HKAmR$d^XtrS)^ljmgxUiR+BOI>fH8fW5IZIi)3 z^M%MxVwZtqbp01oCf2V2E0!O~M#fZRPf*)w*Q7YH-y6`&_Y@mae|~SE zAUFtQqb9i%yZD}<>r4BE|5lH$Eg(ic0c%3WZhfS8{T6%;GVID1Y?+ai;{{2pMU#gs z#TG`)y&;q2<~#N0$(wc&TYzNk)~rwd*ikq*mFTXS2K82<(3kVTX=fJ|M6-1xidbntsb0~kW01CTK z`SbDdypKUf=c(`h$>+s`bB7_34=x>4_`zYDE@k(uU8-^CDPRHRPuBW`woH#)!9B_c z-6pN!$0xc0c^f|j#>4N=@NX>=B&nWr)nBiIfpZ)DT1>z29F~^s2fG#+iwoX?^)_6m zn^)PJZWyGzHue8RQeAa<>p5;G8OlX_`07=Sx}d*Ezd>vv4J_whP<=j0+1+xNFyNEK z5ZY-BNqTKTx-vjeaR1AzPv-1zc`7xHN*1+m#f`8Ejqh^J+{Zt_kvrF(Ra7Q;H-Fpf zwS5mXu}j~4e>6d+j05p{O>LQ=T1r^Un@Ct=!4p>5VgP_|&*$Wxo+jSoge~vDa>IR# zU>+Z1uGCewXNGNEtJP>&)+4wM#6Gd%*tNej-)Jt=iCFeEVX|R+1%)NOF7^UW4&RMw zzAP^Q&b1m#dpfEUb`m$3J|%b@OZba1^*hi*HpS3)GpyI_jDi0@hKlise(aT;KG$I7<>S(ec(4jx`4jhbLxI{#-~m1 zWX~$y#Vt0^ju%U0?8#jl&)DQVJ=NuycucV!y)t%FNKH71OB(R8XIz)_KkS%^eKQFv(FtC(?6>fDcyfD; zyt(?fq*R5mo60@hOuy9%=6**XjRw2wR@e7jLO&(PL$Tm5g{gV1LGe3*+_W%-e{wQsd>3jTIha7yUo$FL~XiyODOddxE_KqhtkW~DFq(tmpYA}f$c zqD64(cJ~ToQ(0=L?=+@>E_|-8cg~qs*@K9C=oh0x9-KmnGTG<4DksA+a-FKFR9+-! zta6EJR`w%YyV9qh#zmgqx>Y70(US~`Ni7=bau1qmY66)zOxM4Wo;W5P5&*Uj=mbD|Tlov$99S12d6G!-A1lCghI zB+>+2LQB2J4dawI#a7u)>ul@YBv{1GZaGj$)Ctf281c|?bRu_isieJsd+f^_IuZ{j2HS!F|8|UCgbVoe|*}}pJD4! zpQB}fiwgQV`Znfs^t6{M%Y}>Po4E96+|<0rb`sVBr3~gg*1RO1;}_$qPeHddY;U1f zZYWbwzOVdoq|8jS|+nvhnq_Z0r@k_Zf0CbWx#>-%Xvn zD%bSkqT1X_?0%bpMVeSg`Hs&J7m>OqB_u%B(& z%ys>Iyfn0m7DdT3WO;=133*Xjg`;WdZcrVP3a1i{PH6dB8LM zbs;YzV;$==8-r&263YGpqqNVa#q7RE$BHAbr{T^Tu>r~lJfk0@kKPWYJU`UqG^KsM zQxC|dB>lz5tCbld;7}_Fd#n`u_6^#2Xm%WPnwIdtKKHov9@6+7dQNJ|E>Vjx@u}s9 z(1Mof=+DvRuVgNsZOOzPSImE|zF;<)e&p2s(^Qae*zr6^6>R(Fd;T zRQ;g5$G5#IUo;b?suCh6KVKe4wezOtu{&|4JY!70)xpU#s9C-J5FGyQIW|o!qplD~ zG|NTwvk+IF_fqRrR#ioKrKI1ftnBe=R87OOE*sASaXa(Vtl2P!qP)e?i$K($9cp4) zZV6Fi&YR?^HIPbf#viR+3xsvsa5a!Ht&3c^DTFWm9NIp=9gsFCek81C=Id|V?B?NW z8weeK&u|rJit-=BR26y;w17`Dby0T9EPh!~s~ySyvY~xHTrL+_c&RhA72z^#8_HW7y|HcvC4kUhTd=ixXREV}YL@&8^ITqKHQId*?c6%K>XVjK{l>Ab}(fBu*X& zy7*I|)wMZOUdO9NfS)?N%`jVi12M-gg1-)VDPW1OwKFsZf4maZe=FWvZyYZ=$rc!h z!{x3d-y%30Q2B~p?~!k*5HG{-%kNSY#wv@nYfbS3G_OI%_uxNDNU8F z-`Lhe>7H4GWN$Zlx4WTP^y7wrN}rsJbfD?~p2;}Se=&y4k)tNRw&_D;4{-! zeJW>mzc}F^FjmjLM#<<_+j)|WK>q9R5IH80N%x42^ks^fCu+Is?sv7frre#4-<4+R z{*`7Ibz@g+&UDza=ca*dS$*wp)^M zUH&{|fpghQ27bpUxo6a!WzGk4zoSR;5(!*@jOH!sIj@FOb+2Ha-wrCircH4w$SP5&8GIyJq*GQ#w0uAtf=*0grj``eZ(i9~GM!`_vEtfUCM;MQfhOsoJ)wJ}EuShJrbUh{&R zRA`P*ey)foc2NE#_RPhBz`+LNIWi2fn!|bAL+CAsJc;&cb4pE&Q-cOVG2ZM$6FB=E zky*AAL2O`1P#vsN{ETEd%7&Lg6s8L{n~&suy;>e-I0ud*ATH&F*guP_3wr(%6xq6+ z32IATug5&2XG*MxGy)`W#be_BAx7n~m&U@DU*4I^X{pQOaoqt8 z>BP@jPabgWKtHVr1Mq7Nk3zFdJy)geG07wZ_KGx3?~Rx?qRD~{QK9U@VB4l%FDTD4 zf)60DF_d#_O~^#c`%+_W8c#SiAU=G8TRJPshRJ-{6x$3x#DTvp4^f$Xdj4xyinC@% zJp7K{BXFl^B?n<_@;tRe<0>Fu40hz)LuY1}^0gX2RH7tbjWtF53CW$aA}sW6^)G zbtvcsJGivV9nPw5WB&ut8;||kYbE>8tWw?Lzze*6;qSaMQ5D&+wR&;bSmv;wue9U* z#kaCU)MeTpAcl%G47miS@BV}boE_H~{EsgO~4q{>KD8F5jrx_z% zC?n@iB(=qZhcdVm#PcQ;6`Ro1$MpW~mr79Djeh;NopB<)cb~MBKDoGTYi^2bh#C*4 zJu|L(Ug>Am$vkn=mz}dSZY3&^9}>JfBKGxj+%xH*k;n~UH72&~;C6tU*r5F(mH@8v(WvX^DNZ@o zDz=@-p`;>;esr2gVS!+&lZlFGC~JqQYvXk3NkKfFc&(TLzM$NX+m1~LN&IH3Omz}l~M1sD6rpvju))Qfpj zTDPZsbetLp__?f_Y@ab13;F-o?k za*OH#QO`_8!Z}_n6WoUom}A@k$T9R#gOoMT|S^t2Dzv+%v(gfysQf zOdUz@rX#k7=>owfk`H!kAocRatGM8^+L?k+{kgrqsJ^~(95qISPpRq|rs{&FfjDb# zw?X4M0GBr*EXUliVp>~oPL7iRP}cMs`%7OUBi_INW#u{ANwzriZn#w9C9JCGp-m#r zAENQ5S8+KY(PnfK*bJ+srQcUH;~W#G_%pubm!?z)LrXaE36UDd!JA&=4`B{gQdtAY zBb90WiOnOH8evf4x4?i|QrdGARG@~8jQIpRlB@J}rG74V0TJQX6s$r{%%2F=ZaGP1 zO)#<_nHefPad5>sRfkd~V+x^9vK+ahm1#oxkwHv=a=Tg=#$T z=~KLKqtE1NAiWK-_>Iq-I+T#4Pxp@s@clgwsdGMq3J~Nrh!}|N3krS@gKS+KF8_;% zvzu>G!plVcq}V(G`cliCYDB-#q}ZjYz8gljlal@yyS_^J>&6O}*y+4L0N|{$?8F%7 zU`6@I0-u0LL3A*_os_{Z%yOcuq9D+V`R zQWVC?2eM?u0-j@yZ!b8e!Yw{cf32%almJ*wMOi-Yi*&@h80lmn5Hn*cq;sW3My39- zC)l`-z;vx_8-QC7OOxP4pEC3sT*Tdi_RC}{QQ0wTdB1Cr9ztlGq&2IJ-Gpix{@S-2 zGx~2~Ya5PCPPs~F{PZnTM=V5L9Yi%z^N$OpsC-W-$W?GXisx`VXLZ5cN3?}NQ&Wdo zzc86wpNHHR?4{edHiTDo-tth+7^=FRqrPww6XJ!j+18XARGJ0U0FylDz1HFJWWw&MWY-~Bb?i{{4IaOlEcxS zV8+57u26{yOH$fA#asw9m}8BrOeJl(QWY_2VYk{vL!Q$sG{Nf~T$u~=$WQ{XTT4Oq zNj*l|v^|CZJW3hJ-hf5qYVtIi7>UoMHd)}$3Cte+IIP7W<3Y3;G?^Q-O{!g4gBFha$7RbssJZ8LklEB={g+mTBgw z!G2QQos5PsbW)IK5h`=dJ~o6<>-a9T+p9)ZY;D#@jZ6I^jp=h_J+oyE^Q-)xI;oeo z$ywOtS10lVnS{6;e9Z4Pj{9h}0wZfP7U*&38w45^kl5~izK=PxYZ6=6IyYw<8T|0M z!aSE%;+*^!x@~f-osg7`*sL%&qxvht`HDBXM~QAt%E8)NXWCd{-4Gy$E}=#-?PWLuFv(f>UEk7-{ML%99pXwK=`!8b>E?jz{>1 zLKNz_+Eoa`8a^xH)r~J`zwYA;_pq{->dCX^^Q^!|-b(h{9;dC)NGh*4O{XQnwAIMj zCLk)H`=xHx9vBUHSCziQbdnnVWbtGi=8Gb=uta*A17K72cFYh~tMU}Al%D3+QZE6~ z=Zxn&qt_Z@c3MOHpKwLz(~w;IK#`hM?Zzy^qF`7OeQ8IGoMD>p2SgA zBpEaDvn@aKSCIFxE@SjChbAHJS((DsN1~+dWRZq4&ZA$6pCM_vh)l>@Z(xPAFbs9%4d|#20wvlmQh+xps z*s6CBa3FeC(gT8Ps9~&oC`WW=fYW|T{bT)=|LtH3Pul@oMp(6mqy7>obKe#zoqt;} zE!7v2>xg9>6pl>Cqe6_0U5Eu=c@s_C@Q%Gfs9(94mzJ^k_AS4NcDk%8FT<;vE#i&W zKFqU6JZf#vEAi$J$u&(i%3r232u5b3$UTQ$*TtUMbK16e%)IP&qXxFr1T&&Ufg#jI zu~f)z+0Z(ffio#+PQ{>H;VB+`lT@0()nzbn2~&QQW_3u5 z6E#X1wldfzqD!~=EpqZJoYe}$${W9t)&WnGmG!t`H>d$thh{Qz6R5H@*6>WbZ$h=r6v z^8rTLtQIN?WgV1wwdlK@{Hx-_OItqsHY`NUR;)a|cq7`eiqfcZV6`0KD8@S;y`D%L z^CTPGeo}<|V{>IaiIdQt2;FD#wikB_htqLi5`I|^<><3;Fv=*Toem$knzhm%nhwpM z&IX&2k49rDd$iG-DB?G+w8^J<*&$>5;Qts?9P=fR@it)Lnc#|n8;74I7nSHK>Z!%2 zdnw4~3B%0l8CrM+>GN54H^k$Ug9i?bZ<4W(_!bu9baK6HJ`DmW>Z~4@DfHIwxi~Fu zhi;ki1^H(*=qIYOUpDOO0zyQ1V|QGZ^K{HVcAHO?o;y>87a?V7%55L-xu1@azh-1e z8P<)19e&K(CK9x$laK$KT&Kmomc(sL6@LAem|OgUw4*s!;oL_|4nN`3KfJ?|ZQc#6 zU&v>b#d#E+O9!m~>pa%3NEAGLhv%zC$GmHA=$S!xiLRdlX^s(jBS%yNU}zIu;t8as z7ji#*E633Lcxvk{LUipNL>t{SOb?{f9C`iaMR*`noZAB-%ZRGq#nV)$!u*Vuro*}} z;%0fI4i=>nqb3R{{}%vpK#sre#Ji#MxwxF9ec^4QeK|n}G|#eePMe8U4b6a3b zcM|hvoV9;dZ^f?H~5X+lLS9_3d$ge!0JYzJB;{eEhb&<@aB4fgwwj?aRmK z=jGG>c3t1EZ~OM;_V&bwtKZ(2&o|^S_#!&a_5N)xFj;YV;DpEe`26wh;3KH#~T#1J)WOFe!3s` zPwxpAgcNbPJ?{9)`^PtI-fp1XKfQhUbbr2mJPusQ^ATU1`<&?|R{vu2>BD2)KP|`G zZGA3p`~BnN?Qy+BJD;GH`}>#u_9YW0HYmhq`*J-1{eq#se#9t!`T)&5-`|eUQ1$iw zczk+Kr8z11^Ot?cm*<{upFZ9{L&3N0?c=BS+uQB-{^85@{(S%N;gP5&qMfAKKRlQ1 zLm1xU3fP)h>@EdT%j z2mk;8004*8zZd`i|NsC0|Nj;M6aY1VOse6_5_nJBiXnl&XM8 zQF@VHLI*{fAiY1_o@Yp&XTOe{t(bD?wcue~d-<6A90P;O(XC7-<478M zqk7fS3T!$i=xKTyYPvgj_dU!wL$S`c$|-U&a!yK(C$_`lN@K&ew`^g)KKDDdhO6%m zc~VFAPXdrsvL`zO8l+%!5VSR}I41k&9TXKn7&rLGjQaBjf{5w=zA=M{{=PXS|MxEn zM)CKJ2n754h79rdZ_}U2gZKY!1p4oq{MSyP|DK)yx&r9Gt^oS4EBLP~`2T?lxCEI` z*_xTje>M}D2nA>ar9!|aF~7DCbqoyh+R(BbMI-#FJ@M(FE1}^DkwY) zp{-AA4mHusZ&aB`olN_9t02m7LvnLsP8vaIl)TtL?%_~1HGZ4q2H4*2$ext*H$Cv!h&4&oI$zsdyn^mk>WW; z$dlD_vfBxtR-P}?f_9leyUapIFI{h@5|1jZ6cx z5?j5nJJw^8g~J6XRgzlduRK2lKSRWYm->Ug2g{gn=*cZ^!L5LY{@6Wn+uy<}j-Jsq z9+k`aXrY*qRd=I@wLOd4Ha5BHA=A1u4Kn8o>T(KlwMM$H8+$A(M)+aC=KI_S3*g=yg$-i`Dv|?zC)#l4T6+~!5*}qsV*)st(kZE^VrPBNVssr zhh3U{T|@1+>$fg&#-~a_P}F%~vOk`xW41N)3U{lda#uJ;QV5?*bb+yl{%pr^dfRy$a`kK)SBFZ=%6ANTBYGZjh5S!Px( zgvd3_HrUrm%;W0ta2-R#7UJ%?)P}S9?l#t^8-mta z{iU}`ZtD@>4hWERrA?p%gD)dYj7-!_=*C#)dc7}}b>Fq*Q`GP$yEm4>U#NW|vu|R4 zaqMDb5S-|p={pQswqYAQ5LX}X1HNlrKa7mSVTa>14qvi=@crJ7%^6@ zjcHl$1>GFbjJGr+=fyAMtr_fPCzB3HmvDl~+Spva2s)N{2@argnID@-e9s!YXXgbE zo$yv=#^z@#rdE5$flWW6fX#PYpv|qej1}O&w(fnliyUmM=V>t8#NNdXKaa>-E0f^i z8=tysH?zR%fT<4x|5o)@zQ5eGD9pYZ*uj;J$8dKaC`#+I+5H(jZh!Z+(`33~!?B`F zgS+drAnQF%J&%IAx73z2q2==>4wAlmMpbWQ;a<{=k{)Y<)wuS|(o($Q^ta%ZDPMW3 zo&c^QPlf*dRhREEZQ37SZV4~-epHY-_@H6co%E4lk^<%+tInYJ#~rqHY{M8BB~BGr zW*I#D{M(R%htoy2srREkAt0orq`aBD0ajfS7?Sd{XU|}7t^X>Iu2yZCXw&}d__#B$)4$E$uz@d*m*iZH7!?}Igs zC3LSw?2lV;+46&YDa3~f2=}#GMQ4aOk#fZ;Un4P9}EX$sZP-@*UuPSpiO>r z?Fz9OI4j-@Z$p{zz-Q-IX7S~=i87La17g7rUeuy{7Gq~NQujP;+Tk4}us;2tS6gVQ z)@I8i>p{S(k({_<((uRyuo^R>6@Rg653~f?=|%~Tf01SJ)Ya)pXh-d#1y`{ zNbqwqgqM(%6!xK!5ir}k1-LAGI4!Gvnqt6?1HlJyxv$&DW{B$lP^#=xow2|@5Tx`l zM4cQ?*ZZfZ*4~#vsDK6g^fOw%$&uK4W0aAWH)}wsnc$DL!odqiaRI!aV1eHS-_Ln4 za(gD;-%zRv3=|y6 zp7MxTLWs*C1Ka$<;UwyOSS9K0nN|~MLVqY5d*LGzIMacfg?=W!~*}b9aKxBM!pS3|L4HAe(Zr)^Y}!kcKM;a z7zF^d*zJEC)2hCR4#j7t9kmGI(VwDd;XdA7ZCO_-o|bNmfe;W;=c5zOG?Q0TBe_5f zLG z5irhheEVz)W)Im>isnj^+Lv_q^c(FBs#V!(fzf=Z`pJLVEirgZ4U;?^GrHpsSXWsdTo)7nJbz6L$&+z zm2{NK$`1F2mgwsr7d#xv*^9sgHC`7H&(OoSQsZe)-OGo|fo&O5)ergWZV2IJ;cY%} z{2&754K<3ch9hmb5+2OlFIv}d>;tF+ct&mj2$%uLLy0bQy(_?CjI*64UC}AW3X4nh z<@YP;s1x4QC#(}9TzdFsM<9f*^_py3GbYY@JogP(Z&2o8@vRYf`UZdB@`jHlAbj&R zIxAGo$&HNLa|EJJu)ey$n*;xC4+qQgP=T7Tyt_UX2mI)z5SBtZfeq!xM@#Cs5Yg zk3x<_sqtQhbPHE}(Wsf!6Q@&@BoK2j@IBMvOwg!$@{znox%(2>IW~8(GYJ9|FK~Vi z_jJWcUhrN)JY`}E-nbQ$-h9RPH{R*lt(Xj}l(B+u-@dJ}1MGYLCU7_#z}u|iPn;S@ z@^txm>eoL93a^f(%4Q$l@XeBTW^2#txVuFh7&NY*Jc-Ku9Cea~`igb?DVYne_g8y+PrJ+Ro&gy|@g_OM90oSW*~iCcZXfIZeMsMCXr2F> zRrgvI+DaBmvgK2dmo0(s_xSGH+3Y@^dhnaH!qG>~(sJbL4jp864V<7mr4vNsp7tYY zB;!O}3&c&;Ni~+HSJJS@hHxL9Y`Nq5n%dg)d*qM^A)2O(!Xch__Ohs001NT~CVE+z zlwRRElX>fw($Y3LgrEWsS#wcr`qUpC%({;6OueS8Af+d13fn3WM9Cr{h=Bl?)7NZK zOeUj6`KpEeX^PZmsEDr1R;k1rxs(93H9y3tJ9i_S92V`5BdnYB(J>54I13uStx_rY zH}><3oEkAz{=w%2 z4e0mx2pcvoRnt5KRbP1Aw@3#y?Eu)?#1%7keRFK8XZgE%TSdd83J~M2xMei$%-I@3 z{P~_OtW5q znP#CJh#xU@QrUd3xuf#!AgXgo7T=v6kTw#Ta$i+7d}U?jiU%t=S!cjbDBlDLs=t4I z1iQcSzF6S^%?%^?{vHYJX`ULI^gf0Tl0PDh_8Qk!_>Ztk+GN?2kLEmu#9Bvzs3jMq z=kK?K1pp~(Zf&hp<_t9iX@fZ5bd9iODs7d|>{rPl`6mRJ{!#>dv4|M`q6GL zS}Fqo06GWOErWR*X7)xTT=IX7;ez5NH zAp{6Q2EgCpNx<&z`Uo4ks25nmuj!OZNc`cP9|RHxFuFg3ApetEkOnGv*PHks|CVq# z!n6jB6HyTTxb0Dm^ldBLtPI#WB!;4l35nOE4to}_l|l0HgC9J`E*&i(O}JwSv2tFa z$jQ&w_Vn}wJ{|-;&_6RL^C>>&Q~j~;VIT>M9o>e>9{jj;U)>(6{px^ZjtI(=4gKJ0%)Q64<#R{``pw|xjsAg~^HFHxI^7YV_mCt&Z&?*9I^ zk`LL=&QANr{%T@=QGecqez5~$D~^q%Zj+9j@&f4XL%9F(FzKs#(8R8f`-%HVPQL4V z07fX*ulXa z6lhJ?MEwORBrmB6gP7ZeB;*2)zXuhvx>g8ngWN8be1Qq<;zV#N3C2W1@uXovw+VB#B!$CZEcUC=R~MY}C@olg(E0}NDw6pAA6A6iTm7$_Xh zEM0kA;{aQis}D^ZIr2n^p{EJOm(n_=Jj9WfF#25a{=-C*=T^CM$ zZ}d*ND~so~^)1!LA9NyPtV|RQ;4D#8e=>GwK&jCZ2o`X{aL4e$in8w|C*$h%2JzIo zOyKyd35^+xfk+R)Y1Hgm3Wmwl?_$y2vezw(Unfrj$*Xr(1Y1eYZ4K2JO&DJ^C?)RwCm`Qj)-|ZGRlKEe-#{AAZiZbv}MI%wb*9`IiH5$M0i%DCsYQT>n20 zxyTttNS?N1m%wXH=&!nb1T-O7ARZ7PAZP%1MTw>k>K?cD*2-sx{f>YVLp0cv12W0t zj36W*chBFj@%bxO{p({BWZenQ)rpDhy>>a2sL^ReLDxB!!@R^2bWvG1;05#Z?vlT(eRZ@^w%P0CU9w{Op{ z#My%Y@<$7>urQfKf=KKXQw6+Ez{y>C{FX32Z)?ki4+N@K1R%I9%*^CXiu5i)=n-vnMO#)ebMIHOgu{ zCNUfZPB|lcyyzv1C1b#xsMlJI{H3qrjeVkz_ST(`b@5?b*vYqV-n1`nFPkDyUM`sI zTNz9gE7W?*G40y{Q1ap4%v8?1t3o3nKe63dQtwNLw9-K~0Wypg38JglnOhEaYO~R*jF_IMgwc-V>{8+{jchgr0vkGgttrO%zQz1le2@ z5&6*HueClilMj-W{^HGJ9nOpLbNH_Nz)2P+JJhW8hl3Dj9#=^YBEO&PluKv4oAKBX zAp6^@3K-Mxp#{wV%aZ6jm1;8^_@2jsI^n8SCC1La7iqL!W*}VclDsXxKP$N|0qI_M;r>RBcl^w^#FHBb9ewe+DjeB0t z%*kPmxLy95oh`Zk@emqGug!T%CpoKb`vQZCn=@65jwhI|^9#g?0;0fB-Fml76L0Ph zi+Eh9iturIVDr!}GFNJ&?iPUUfN{>1dkQ)YIuFTHWoGxto$d<{xH>cJQRIXW0UVFA zvDCyRDUJJp0khp0&E!^X$cu}M3tA*Tb?Q`3Lxagb-tsSCmvdhsmZ`-`)O)X05eUTz z*sJzWUjDd}Q*@zVC%Ef(!cCWxJ*O#=lZ)FO8~b)3)HyFYbyDSeZoujRnAqJdLi&$4 zD+5SD_5^}1$27>|Z!_LLK|d6P^(+4&DvgBVy90KjyHie-9X&-2`?(Qg4#cW=@0Qz- zT}hV1&s11;>Lp{Xw;YHUXQVZ_Q}JgiWX5ul$MbTpaa{-JAFVJfZ$}P;xU{?8=%9OV z-9-j}ydA?Z5jQlS$PF+XHIv`NP+FS2lHZ1xrxMRXD76nnPy&zd&7`P<($sVL#5o{B?j2lE?2RJb6V}j5?-*jKWUWBoM>%KAN+atK- zj_LnEn&3#OtsW<@6#}}`;tX)v8D=7v8fS_KUb{{8-FHX2;!jcIQXZE@#NW)yWlzSg z#f96myl|sB#jfYt$-`(Yq4b?@Qf`?M|MO>*0o+FoBs%^F?n!wbg5yLnR%kkvU)98@ zQyd`3(idr5yP+5YJ!zO(N(rZr{}1ziu%R`+IoE+G_7_KC5c^njCQB{Q8pX`~__56Y~X0b%OFSwCsKldvH4v-y6r$0crG_%1$KZ zWE|_g5iq4!FaFVmkXU>w1jz+3u}!<7hF{XYdyD<&h^3I(K)rpgTBcRQfmQdDKzv}&Eor+;mmjwc1&ka>!H+G-a9|B zw|Uf{+(M|=AR^WrR^x?&py)Mz^*FJ$A7)m!=Y|3d=N`|P0K#^S3h5{r`R))>&UW_4 zDJnYO5IfIKo4cKxy0n|lJJ{c!R#Q{+DYemtTDf86%LUp#z+2ed1WB9O8e{lSI{Z5t zt@^1kXM0^#z1xJ@cR^P?Z%*1rQ`q>y&O|e_r|v!~WOB}1W17{D8HGl z=PY6$`qhHYD=dsSgc8n4wI89IE*2R3$2;bmxcrPgLjoCVoIFU@oX1sP%WnCKKku6LSHa`R?JOOKlvb3}!j6#;j8jQf4E9%mxqSSozZ&qkEhfi6Fy5 zGFX_=IvOoiE_be8Ji^f%upO`Ms1qFNdjVOYWa7_h6p~D_K%5|m`C@tjeW0;e8SpNu z2sBw(Q#?TwlMCR3kvs&=zQ#8@yC)egZchYzpp>hx!4ZE+!w@{%)P!lho8`f57^|II z=dHQ6EEl;mDtorZf2(k9@YI2<4M(*cK@_5?y47J-|FpSbZgBHk_zq|b9M)#dYj z4utXr03-bIc6xCUZJA9!qJUo;o;AGDxh@n3!g^aoBcmg!xbI$i-%2nssC!HX6)l#Q z+RYajU9uC;5R7z))d5w&T|lM|m&`gXkCveCplJmN`HTwds(?2?(@Ly{Y+oSV5dg*S zg1#kFQ&U#}Pv*aHHMK8J(9j)|9yv=(nFLZI$Eu$`{=c(Wb_3UqeLVJi<_e4wDpF4~ zm_NKIbJE2wv$b@_pvtVFQhH6>`IDmg*X8W(T=?n)aw0EreBK9lxTyQ^;rZ#f-TM82 zbP&n5e3&dS3Tm-n5+DGd6FMlR{fo{S0#fH*f&w`W%XRD7)(z|RM0|!GQv1%dZ*rVEeE{LqLC=XpMi>W2WH`y?+T1OMuN6T1JCH z*3X~F-MBq(v-H0YkD%$se zw`Qa1$4^n}6oB#{4i^(W`zU&Xk2WM423-%$TwC5ZEpyEHj$ow5KiKc7e75kiy1-N* zJ)0#P%*I@@*4E-K$O%_gSIvxUehp1-Br2!J%zf8hRl%hNYc} zS(+6yy8*D3T8n(zMbt_C0QXqFJILe@)-a1Z3njBQl-HsXf{u_PrkQ441v=iy> zo0t?5@{XO*MpZA_rsMaEHUM$k>F*B!#J&Eh`>DviFa9{K1Gg9_e_Y46O!j?X1RF>^ z_Nes+rcclm_iO1mdeWgF%n#$?;j#QPv@sii=A`@#2xXr}1PB%Pd0a<(8=A3};K`pbI*aqXZz5tQ_!^E-BLf_X{P5&-9da;^-XoLruO1G z9|Cx`q{;VL{w5lDz;lLKT0q4d*MwPLf3Nrc?hd15ZE{m-NNhuoTXAYFf!D^J)B|37 zsHv$b!&F~OizBrs+Z2DqNRujEP(j18Gj8YfwZZurfHi+06)vuEXrntx6BH;27m*4e51;DLB1 z_Pi9AXW8i@eDq?W0VvS-HPazAKn*`5CMM>xoG0`{M+a((?gwO2*8G5>QyM8!R;G21 zyVSvK=Yy_PnVpS>!Cl0kjIP7pzzrLWI>S&po0{-s6UlUAMY zhl#AGX|sqY$cRKv!ywiUP*FShePal{VKpZE#^zf#8h)|KVl8YC)JsHFyVqOZ5|mpY zf)lh%U`YBV-oY6}$0TDBBzB zCwsCPDmNJK*q|AHPH-?uqRf0ogoDB>t>9L+2GaU?=kOnH>ckMBhQbC_Pzs2^lagvJ zYRjG1$IO62%+b-2s34#6>)X#E5B(RJ@}S5A5(dew6&Ca7d{Da*3G_7M`E#NvXY9)t z`R?kUpcilGoSMBX@rRoSTIQhY7{>^NB2=a)@u03w1y24K{094!#?-nHdoI-_AuY3~ zm+F*R&NEkzm*}7HUYRKShBZYpD}zd zGPkf05T%^8g2kI%Ne^_dW&!%hii_ewS)t}XvNNj*dB__SZX$H<-~W(`pV3$y%-v5f z9G0j+ikeP`1VLeUE$)9X{xws(-xOqc@KEp4B*zaACYF*16@d}CCI!^M6JSqPRws(2 z98Et0O8#rZMF&{S9X`E8!|SV+pcFFgh0j34X_IvT;ZBHIRzKenuigDXNI*ftGA_uV zg|PEVs00O6!0kj>kV7$UD}z{&3CH`)j#7SaJk07Ny)U#*6qV!W#m{r)SQyT3wZe4; zj@YV<2Eqn!&$mcE;KYX}OI2JKO|mf2EjFLDz~;(lXlZ6G@3w&LIv4ptJlNbD+(o>mEvvHk>UO4qAq3Qqf_qfK`kJ%Y9o=zFQ!)HFewlF5q+LS zI(kN;Idj7%kTTKHu>FIw{HuNzSmY%mVcMup+Lv@|ia?$*99wMg4BgZQ_02@&dR&uKP)<>DuSCYUvvpfEFMn zx>XtibSOVJb&;T~{H6L*^x6a|nbOU`<$Bq7bPz(09=M-6lcJYJ$EoGEL#b``#<+6Q zx#o#$(exh>D>F~RC(nt%RlBqKee5Lp-L&wBOpX13{)pZ2-}|Si(Vq`~_%djLSloG{ z$>QjEf44pZua=6OernKb-2+jOgnS7{VrOC=H;}D=iyLf^r6hvHS%9apIUcH!d+m!o zrXbq-S&-NsC4X6t-Og5gJ#t4aOyHrZLA}?c?((v-wXFQ0>W&${(`PTc#|HO3B`M{n ze5zd9n1X@X({|@uLY!8_w}rL}egeH&vZI$R9cj|RHb6f=ZUYxkzByF$x9nowoy7lZ zS{7MJQ!W9JjWvXj*eJp&K|`Z&6^;Z+ zB>U#%AtY)NGL}LIRww4IodU{V+M~J=RHXwn#)cqJ3b5V1VY&2z2Uo914*q-$c)#V@jf=W4#ndiYN+RIk}Sgarkm>TsHuf_axzn)=q(eZJ5^3BK-d{=*%~5 za*T4sU#@L?)`ovslmz+OLfjzy{RuAm%@112GdhGqi+ltJsP3>H7aaqaU zi0wop5TzFW>rT$os# znRtJ+ZS3~;*|qCW6DAL4%ss@KqV*$ffB!Pn)z=49F7!|d)aak!qo*6pYtM1_o81%+t*5rstj(hjjaLoC|Ia7<)j&$6vgOQ$Kak<#cYQX!^(D~n0&Mg zQjJSn!Tggf()ZG%JnS(iJeKX6GL=5j9X)n6nNzi!Qm=vAtOi?t$4nNbO;42Zd|-k2 zEBJAWY-;D)b|ecUZ?goo5T7U zNxrUbYwXgJ?qOSncF~QgCsrpkQ2$V@XjWVIj05N#$kih1j_w$E2*C&{ zfu>6y8ms@#;}LStq3pWvu7c2|7u(g73vVh>Mue%BI>7$P3g4JD{wCEH+@G1*k1@C* zlLbUTKuQxD`3{JoUg_wu-Wy#^{jza-!xrhV-v0JvdO8~V5&*wLM&u#&<*NfM438__ zaKcQkvYvJ!Y8NJfM7o3X-TiB7<}~gU4c}uYvG;o#D^xxAt8Zr}%mJqEmv1FS|6=az zqOfNm#JdA(KA4Xi{|;G32NqNy&&^!~fn9IA70WBbUb%Zq@?Q2Y>o2nSvnl9b#_L4| z1yns}qOL9YD#8Q(CmtxYc*Wu|X`m8O3FiNxqmmSu?_xQk$;Qc(2&L2U_7GABa~^JL zLV?6n%x-wTrl{oSO~WP<;Y{rf{J5U6ldty4uFYR%tzQrFrrfYM0`L z-s}}QJrIn{e*DEXO~&+A49F$8Y>epXu}KCWqHp*f&zJ*M;S~@sTUn45j*liMq#6Yg zTXYP(btkTuNnW&3_RP1#TYmBzXbVWB(h|~OeoW=FGj$dwz9%#?eU;k!#=C8{yRUa< zvmYDENkt{dU|laSr<0{|Um&@Lwx>0X-dM3$^-gW9w~o{;b)pH?@t?S>!Wr%f(8xFuM-2>;*i+6xdiHngwmV{8fM%)6#o+e0`#R0|R9ujeF$mQg$JQQX7 z&XKx38=T^nWI7QQLzHDO17=(9nwy1D@y%4ZD-K<{+oHF&h5Te)6xf(q?|Qq(7$3oz zS*h>=v~+u`qhe2JQ76?M-J!ER$@xRIXkkC(KlO%93Uj<;*@n~K!Y;Q{vnDhK1TD9j zkrmx<9Ee>{uKjpJkBFP}cjUy&tG5Mg^cfDUuling>O46kHUx^9dySva)3~D8y`ur3 zKf8*_^M3V`6U)kVId_T|kgGLKk^Y#{jTv0M{ln(;N6qcOW@gVz6aqcX7yYd^jic0q zfc2-3{1PPVXC9W5Ldv{=lq9=~rs>+%hFz4eQS+z}dWQ|4Ozfsgz83HkE@U0UV>%EBT>{)%Ga}upyjr_%vL`VPIC5#E` zU8Lhxv22O94A!Z4%ZQwr%}wYZ!Y*N>2?G4)HjC8eEWK_yMs2*zSKz{O-AW?GPbb{} z&$8LCf0fN%{VAKRgs|XrOzW2KtRIeTulTGe@$uIVD}W={@Ga$qy-dS%N?g1YK|0{Y z2WYMw^R^i+kRWxZ$nb(`eJt7l$`ABRiGjX}grQ->NZKqfF253uS4KKx`3Q9WPD$(i z|F`66zr^vNY_(Z9+H?BwwL0?PBX0JKaA+e22$H4-4jhc#`ZB?l3PN4->?yJeze5*y z509M8Lnnf0O=#rPnv6K&CE&|UHi)W?gepAO`b*56azCw&XP9KOV4Pwsg9nEQitayb z-$2irCSdu1_(AzV7H}~@zL5LLzOYid=AI{R-t<*D>7brnXZi#eBbOg-Qq5NnN@fZ5 zc)&c0nYUX0?;I>4%bYl>=a1%3{l30_HX&)>psw>N_Kx+~z+tPP}%;g!Cv`$Nrvtgj{X)V$qvlwPEkLT9gq-Jc)DpE$`U=h z2=dM^MecS7U!VqyJQI!$rI^VUMS|vZdt+UL_W&P8&>iQO-6NDD>r8|f^&ypyM38dt zLB9LUP}^d6iv#r~!IQcLP~_P-8P=Mh^H^CMi|qFjgN1dxmV4fom~#{1i!87Gqi^7j z@5~g8bY$_Y=q|nKbM#KeXReR8{OM=EsozYULp94KqWYPlVzYb^5slm`R5-Z}TX8p+ zFE6PYXM{U_GAa=mE?8%G-h z>eR3HFEw&$IhkZ_V+u(34`%I#r}6>g|7IiN3dip)e1{_eUT7-gw*;&N@{iA^cZ>^MZ_-BzXH#QWR7*|YclP72mKG&|^Z*>$#h2P~V~kKZ$KAIY^>_uH zmeYo?FXtJ?qQCyptP{$M1a0pVeIOC$1CdDMfg-&(eoqLBp0M1*$b0}Cq{f-E5p z`BOlrdIttLZ7ibL`uYD;gU7tT*9`HVc+ ziT4D=Yx706hgn1aPFE z`um1jP1gmZ)BAfM5iI%#F2JY4t0ZqJCGznk-$`PC)VM0-__2|0h2oYPb&!0`eVWbI zk~4|O?R#K6k7ZGP96gV!k(d;FS$VU~VuFpAhJZ_Q7lGpc+2@O3#cQ^{NyKEt@@fP- zZ2*1C)uP81wT+2+eK1rl5EK$*D`cIx*yz!XR6@bzlfxUXymEqCG%9rMryCF}OB{8& zWRRDG@~QsnmG*yBiI$HYV1zNhrgQA)jyGbR=IJ=ECiPlef<(Ee=OqH+3q*V-ILk&% zt*7xMT-X7|-1$%e6u3OAE+F(?FoHNZJuOS%KpLfFw)w!d1}5BkE`>g9^y0G#jITo`3k`X6O)l|WPpqtbGMOT;9j1TpuKQQXAh@7yl(C?Fs= zZ2s8SW1PdV>BZ-g(t9!T{WMOA5iB#WF}F=TUp~peg1u&O4IqxlUe=o}H?#=mF{GN)w_bP0L@=R#7E+;IOS zZr01-?q_od4dF75!C{3##nBC(Az_S5_1vyd??3v%F*y$^U!wqRfTo=^*E&FbMuR3;-DJd}KRj-q&kt^j7j^tr; zvC&*5sowHqRNHL)|I!qubXuaj_5LD>0;6gzId31dhdcg(etdw5YvC)lYXmR;FTI=3 z_G|O;B0yjwQ}pBs`iT zaS23mx_qaY;^NYb?&N6ap=V}QCYgGle2p&c;s+^-be$Vs=Z%CK53AckXW+?BnMWqZ z#=6G3C*H}k?=I$I3Ndc}tJvzgnN*D9g95z=0ut8KV>zR%PaSWpd2AeyCMI5Z6Boy~ zXW;YL%nSl|EySIFd9`c$Cr!LwNnE1oeYHU+->K$iEpr;dRnsWgK{UvlBPSmuH<4R- zb+i_b$eL4c?dP_n95P6*TC(Glzr^vHW{}fEiGTT+@_7_Z477v-mfV#nMt$!dt^IVl z$#1hBe(Lt-_Gr)9`FPXMhuiRrQc_YMEn%Ogkasb+!6WRmZ8Pv4@z@R$L+8_XBI;P) zzRkal^vKQ4y(B2ulB1bkY~#u)WPC*O@Zmm(goMP>?~aa+1d*Q?rLTK)(AK##f3G!Z zJNUi7YHg3WNGrodlx7D%_l?NM*Z02W@8{Nsr!La)PP$2B3N}S5!$Nn$#dJz{TIX9g<-Tnlb#VpY)24Hk^L?yz}-rSu{-~1*hciUyz0H3B^zQ4exGsiin=-R5O4A9lEM`#H7||= zu_L3#T|R2F)nD_Sta+rF`Y3j*cLg$FWN3IY_C_FqX|8QluW^n z-JNtFp-3FOO&?@`pGe-^&C}ET^K;Uw#gxX|{>I#0=g0Hr?haM0l5*DyWkeWVtCWKT z<+jp$fC>T!{YDjd1MHxQcx;aV|84!sdPR? zt5s}!t$cIr<#}H5ovT~q_uECpM)dZ&jd{Da0PAT!|kD!3g+wf%!!`YV+7>U%mb%HSbr;%9H6lyMN`V=Clt@`)7*u= z!U|T8Gt-!mkf4XLxUW%8p-oejGu?-Z3SBo;bA#&T%bdlZ9#i)B-wBq%tqchld(K=m zT55cesrt=~Unu71+FMi{_hGLK1L~rq0dz>5qiWWsd2kzYCuSxUwF~(@Y%O*SOOmnD zG#)_h^w~Tpe=6%^ytvujv2T5klj5dsJF&bXxH(@807XE$zw$Ku(M>x6KD_VoN_^+F z-0gU(ZSpFQ^$WvANXn6-8Tw3T{WF>FV5Q$*HLFl>(Kq!E9?G{(m zWYxlRbRT59;2$zFNNQ&$L*s^Th+JPa$#_khVy&jm9!7bF{i}H_@2{Jta>MoIVaG5x z#h4lVONn9e1hvb7$tV@;4RNxF?I!!~s1`VC`52#hatWL%#AV7Hr_mRWCj?k!{St;n zpCfdFB_W+Jm)3EQ`w|7@HH?|AU5`>w)%NTC);et(xrX)sAx`&=Nl8vOFiO2?v`KS6 zNG7F~Y~`KVs{F4{9WEV2$L_c@uI!5b&39hG@n$+x0VE3aE;lKmV3qQw8F=mm&+6Xi z-KKn6+>Cv%Y3g3*>z_<`RP4!Qa^E#BPk<J32T;3lMaiO0SxR9XyO`c9wtm z&3R#onO)f{D*L`!2_Dym?oo=o(?Vr%9b+t*rhPa3>o&ho+a{ZRVOXNutQmnLZl^^b z!*-Ob+z}8hQc z1q@Sj7;a{LxwldP6(``{`)fhAm>MPFY1+{BvBs8^;0=2n?)igLpYy_)oMAC>d!M|R zktwD-6+vOFKnb1ijs2Vy7iDMvqp1l3YUQWDzB<2-tc<0bKY`VCKEHkjR&J3Ssuv5X z{1Csa2p{IUUNV9p~l9Fbb~JeBVFJou3u zj7`b)NvKT9F|3@Ho9Ij5wDTzsC2H~RK%lQJudHmvzM*)I_yUZOlDWf7o&Wa4`1J5_ z2r2bB5aM1O)$qBiYo&kXqb}YUjUYN*3T|DxubkS$$OT=lj{9tze6GgWnlfB?g&QW` z{d%i~vC1EN-Q#${(jp_0R{V|{k(rqpYTQNFEN6B}I!;&Mb5JP!l&>^5QF+8@A4=s> zfR$R%oeYaTCHkP@k0kPMxO`e3+HjDT4Z5GcFnHVorGIwmJqcJbFf+d&Yl_}u ze$txPWadhKGC%^(6cBK>nx3qu`*R8kT7ZH)1U{#JTS0;Ska+2(b`ai zKail5l^2VIa2NJP&0Ft}1S^Ahb!vl-zDn&r2a5S-HHmzc2i}ZC6*}Oh{eFJATt)v~ zQ$%_@4#MuizjPE1B*=7<89HA)B>u{Ff$q||?)B)F*%t_ko0P!8!}7%2n6jJ~#px=r zN(!H*pteYO%c$tPXvH`AB47xVt+&;fB?9s!!U@>>8zzpgcRI^#})PNk@R~dh?tCx`;?_ z^f3D@z*2n+N&Wj0CpEPH(lmm-|-dd!P1LuyW|02aRD8ks&hEApUVC zZ~XA&o!LH&z<#UvLjJnz`};iimCvn}(>3nIGyLW1zBd+9`>`=|~y3aE~7_#0J0Z4g= zCdWrvgDB|2DpN#O+?4fn1q(nK$64b_g}R29tyv!@0Hck(09HbY0us0$1u{t-}4R;}!w2XC8FLQo!Z1$%6J!0|h zW_*{uy8c|n!x-XCvfD`$#I7Npfp#Txz@fib7R!vFu~5*x`;9^%|G||@)D-n@M)fPE z1^h97-CGK(#(tD+;`Vf&E@ownd@;qR$?)e?Y2$=0 z2Tt`7We<=-z*9V4?k`O+d0)>|o31$c`-$t(4_~2}H>dt$KwpOF>n@8u`;Y8q)h(U` zI2B*W56&?7BJAz_^#;mpME_{%8o-pN-9Dw#XKmw;BJtmylA2eKTOtIhgBW1HmNA%+ zA=}`Vn81bP2`*JWYx@uEQ3D&C&LfX28?WE7I{Cw-FQ9U@5-nvC4Swl#_YP)CL2uPuqj~1drq)p;~qN_MKL6K?;8<= z&saF;^bZBLWMqy!cTJ;AoA><&@uS=eVe$us)XPA8R(XAJXy|9dC$+9*srRj9wlUTW zu=44U=M1k&6ut%q-Ghp~d*=k4PJuCa_);gy2({FRKj?Mh7kd7ELF@yA9ww8EC};@Z zolfqTay6k+_Yy3M6ZW}VAx{pqG1>%1ahHTk+P*A5sXO(e)6<*p-Ap;|>C|`Y}lbvynO_`;Vky&I54SPi;D;e1$Gb>~tzw6xh{aN4d z@B42(>YVdFuh(^5&vhLbZ-ceo5h1Z#7bJ^b3^{ix1zNoL^%`r%PI_jyXMCz3`rd+p zzh+sY{Zxow*K$PPf-=m{^{h<`p6ldMCXY<79HIycyl&GLc!^7ja+k}QF%0YyYR3!b zs498(F@&|Ika59$c2Ns?apzB(8XViUSbwbLHr(YI0c$!$d_crq-_}g2ERL{iS$#MA z*tkfhpS|t1?uB3OP0p9&lcj0u8=x2`cP<>fHxc;RnnaY)&B=8jz>Zu_mkq7kr?%EE zu`4q>>4w3EnH)2Wba8mxw|n86hoD|-d2nLQxz>v~L_LHKrL7dL4)sHTn-0m{(9`** zO_U^3fFMKnA6#QM7#i=5{u5^lS8)DOLc$_B7hm}y3K>prJ5I5A&T_U4nxMd`><#I4#~v+U;yud!$o(GX>wh`5aGTsw2ZfmCoa_^T~pI6ZlG@m~90wb}*k zJ8!lXGB8q75}*HYeB#7LF~0Z2DcYL0bos}-aoK#+y(bQ6<>M?h%|%8e0gXM+*W};X zN zbzYi>OqreXF+!Gaa^`G~KiO0$%WFi!YML;-4Wkps6-mU!RQ{RZm)x5irLZ$dPc~Xf z)WO|a^Y*sea1|?OV8EyLb+drUSJ&27^=x(tKfZvO|6AgN8EP86kEBYvF-Z_-<_TgF zKuuP-=Qd_UVd!HMK;STlrd}xX)Ow~zN{B7{L^1G;rdGJgzw1iXANaBY3cRxDP@#icf1@c9N>=ao z%u{KMb|{;kZRMZ8WFGuhV@OWk5Q3TIXH@$o&ZUzvzC<|Xm}%wx|5tF!S z)A$4Zb2P^*WE2EER1Mom#*Z5o=cr;?^5q8fDEHaNGl09iiw+A$N;Kr{b8CW;)_@L|M9?aIAZF2|X>jZffZ8a3y&v4Y33I z3+ps$CEaLtM7LAz67L+1ZhOfec$l9VKaxo8%Q?1pSa=Yy9SjXsT{h#IReM_snZBoU zW+tl==WFDYgOkA{r=pAl5|6zVl7#byyo{BjDP**|_c2)a&5yA{bY znDb^py;wOK3E|?&dO(EjmY)~6xKujZoz`=~<^Tn~N72Bl!cSNYy1=kpEe=sGu75ap zDnR#7b+d<~8@kP(VaM&}S?I0hGdoO_W@lu?n2(*;QmgEjm6Tk=_ZKP&N&P!xq$$44 zw`c4RPD-DWJ=%+iWkTaF!i;P4C0Xp4QQFos#47*2*5IX@1`}wHMg|_T8g!Lq>WNLPTPpqTtl5SyoV8(N5fvo0fTYyGfP=8r8Ky@ioIB z{(^6~U`$!&#EQcd=3LTgvW%7m&#dZOW0Mj_^BeC>9-f3VxC2oMQ|!bRrr;8_E#ZqF zXj}8$58dBA82crtG&$2F77c|H5*1~Ct^Zy;_>jFygs2p>Sx~NXEaiy<5EPfx*D|px z8MujP6YcOOIiVV#E9`${OW-2o6i-FShF7|KW|-;K)r-zFy1E5dw14m?Bs2g0Q-=sp zz{QNgBY71+A|g4TCq!jBpQm0>!b}2eLYrsF{XN1RK={UtG{^i-sw^)Y@Y1gGA-sPY z2rpH~ux=w03fv5Jc)FsWlPhyNs*R*A>gyn{3$B?v$w>i_%TEf-{ki8y43e(H+T`%P z2J~DfXtd|>3^bfXrO2A|^sZ6=4vihNonA*W-+yA2-xnmveN#vwM}bh1m;?tmBux%} zpAH%8Z6-Y^if!2VXl{Tu7Co^+x@JyKCqhfJpPg@!j^V3(2!Z$mInBq!Oc&=w7$g8l zv1^cu@%#L?YELYe6`lzeAk2@BzwR`px0`X50Lv9+HEK{u>yz*g#YlSmS33|$>%S`W z_BpuhHJC4Iw%$D7ZR9^YE|fD_5@?n3>%-$WgcMn^nJF zyF=b~YwW?yOd@Q$nyirI6O3;SBd7jR{)ygwvbe=zd`q@1zG1@ZHNvgMjiZko>%IR| z_;h0Wp{Qh0X|%}}jIk{q48rU781Iu%fAPe7(4nj2-OQJJoaLUM2!QYqtIc!hZSLf* z?p9zDxO(i&6Sf)MK(@L%h5US9)L@APeU%@$Wj+*{R;*1DZd-4>^m;gms)L#8lCG{A zl=bKL3WzcSSJb_h%|@&Jgez%JVT+3V#rOw9Ix;*Q0=xuEEE}HP$#^TBRDI62VIU@? zV(!f6lg5*&ZuL!Z#+GgIzk}vC_HzJ+2%=B%QU7&xR7tTtGo>32QI58w-4D3}XoV@( z&=H0MANB~#KFeHKvmGNW>Vt89(tO+2PXvaE+H@(e@h;Z)a>#+D9xVpTwG;-UN;7Rx z?}^0&W1wCu1iWzNG~LKWMGRJx#U}?CGG$;S)pb=GTUCSx3rfs_qv?+X=G_xz5l1Jd z^_7~{9~$UAT3rgRC?aKgcErB>`G@g3f6>L~{ynuz5~0RRWI0yAXaKBmOuvuA>FHaH zG#bx^vTw{jCxk-)Q~%U=`;3TBHkoc;eCpUo-SfA}AL!pPTnaf6K~U%= zMVD)KvX&J)EpJkvO?UJ)=tN@^J#Tv+NLtrl{lZTCcYF_(O&iJUf@-@f z$KjGBcQRYIFFzJ3!S*fusKWiSM{FeL=$}_SET!%A`?yF=bF))Z9)snU?mGLR%hHm> z!;I|M%o2$e%l5%RK$^6B+UYKy=zh+|dRw_;sxeeVA33eayqCxR?7#iWvT{Q&=;#sZB%x?v&-Bi0(~SQCFTCFUu&O)>!6_oxh;Q?kG>h%%-uA#2P_UR#$AR=(Bv zZg1|7Ye(K;vl{JA;Zo*}6vp(@>ovi3By_K7kqcCcD-S4Iq(-*99s|f-N86+6FDUAh z+ia0e7J4aTurx~_>JKCDyk4Tb)qOgm_+8JPXe7=6%$t?QUlONwE38_7d75=)YF-y|K~vixV#VNT9h zBci;h{4yUmnevE(EUNL{y{${m-*2@WTVj^S=F6P#jdrJTHSomiWKC z01mE>GcSm~(;qR~`%gSrxc=)8fM7PlNp_8)(QjlP>Lf?^>QOfW-2c4Oug@p=o7QJI zdJ)h_Lpr zCmZvC^Y8p;7&nN<7W6xbIS+}7uR7~wHYBDDK7T%tyG9ga$I!bnQM*JXPMqi@7V7e9 zLQb1VGqRXrwSNB`Zi*9!f;Y0R$R9G1MUwfNJG8+1wA>Qr!yw91QR}2MKL9qu zOj3CGW!>^VFZz-)OasW|1wXFgjVlyThM<$(I-%R%X?_%1Qc{wiVViH}Lr>*YknlwE zofh>YvZ0z)8t7u1aV~6Zk@-?X_Qv&h>hl{LKxW#aVigNI2nB)TL$a7{$h_)d!^wN* zp0VjfR;im=sWX#ifo}1sQSe={ z7j_@C;N5X$d_shF|FJV!S0p;S!Gpoh(|B6|(1oHZ>N-kzpzwt2N9-+mWcY?Z)u~UP znB@M9Ck&5i2*^WYREVmlI1I)iL|N9YJA^w4L~tQ9`~smvOIi8&7Eao1<$`W0wawP} z+wxlT_i2}H%j(=Og=4rvPn^%2AK4cbd=5q?(iP6#SbBG_{}^!2mc9q;uO3RWg186^ za0DW#IpZLKIW-%5aoII$i$}(f4+PF;yqxgD(yeJc(5)#2EwMSFX-kH#VK1$Z;nWS3 z|Fy0&cT{tAbt+cMJLkA7Zo=-recW zftwq5YBeXe8biz+x9!u(bPC6pWKZ_QaZsT8WoN0a5L4`H*&{0^yTtx030&>=vYSCe zKFtm|q{xgKtLJ!346u{Ur(nA)aWjjukFFi;v|}Pcr0(sPeG{pr#T;zMa0#@y0J%7u z(yxwBeQ!7o-zb&tB7{@UDeYgL@2q(1%Z_`P#;E#6$rx%Gcf}J|o^}ELLG-A^oLT|2 zt&g#{=#a)9fidfeI07e**-rnj`wv9zccyj~p^#|Yn%%B#vzw(XF5ME%~lUxkKlW30I73Zk)I!9FzJfgU0)Y&eD!*?^p zQS-!QcXGzQ{^-b0&gBNTcP|J88yL-dT{>haB$LCU6Q3)xaCARTh_5iIT{YFVVlO=PYOP_H8uVH zV>B`_|J5rk%~-jb+0+y^gJs&>I7I=n_dVALu-u*-&y7Tr$)b9wXgtlZv*XMciJCVL zksZf|qtyquk{X>aZ2}p$=Stoa;fwvpS+aF%M(zt^-7&zfncN zypYqvvHIsaZMl0A@2T9maLI9$mgtNw0Wz-iES9d{vBR&-5q-(=^@g1Vm2)h8i3>dI zFSC?4j`fVY$Dq$KZU;)nogH=@>*1LFk8V=CPLGOqAz|t+57K_5`5N1}aIAcpP?J%q zl@I_cQ<0g^#E_2sh1FLdhh>j|tv(h+#=~ZF6Lp3ep){=i!n|;x8|9K*MZ&7G6I^lf zXQ<(l1Qlxz$A+NP#X}U2Ct?0s3Vlm}S)CJ?Loz?Wx~jtp9hLy+we1fNHQ_0|H0v^z z6Gv{|jA=W1)5-L0!@gz3Asm2loW}}Sr#x6>b)IF8?-6CvjsG-+roFB*R59nK^}OCxP@aXgR_NGS4o3Mv`NU^tvpRSNLJ-OYSTY+R^?sLx|>95Z_e8vwep zt6v7YZP|~JkN296=PFgY929;1ERQdd*@D_Yd4O-hPG_$0B^vv7dLHjqnQf0|Cao%c zzf+`EFMG5bm6W-(e2C_mF&ow+(^^jHJ^fj*I}+GiWh!wo5`9YNnXapPk0&d-Wr|8} zgqlmaO(l|3hX;HaD)L_s9sRU(a9#?MC9mrVPw|LF-E+=V$4?KNs^qYF>hQSSjX>s; zB8Mlz7SjHYEhOb@&5M^Wvnwl4azd(OXA*?gBo zQ+(>W;$4#Pg{{N*8jsw*wX=yOZ^7bG-`BbINc6j@yYKOM4;I2$?f(8bR5mqeat*hQ zA5C8!uz$U0#eTdvy(VA|FUywCw0b#nwfn6Bc7glU9>2L2*O_v^WaR=LVGO#BDs6PB z%kS%u>%2VC+wF4x1z?Z))dr$Muf<8*M|jNKt+?T-Gk2Dab!cQH^#1*ms7x^`{y*{4)Xk@wR^T{Qi z7(0u+R6ZJ3R_VJlWY>&Jn*X){nfurhjtmbcJbDz`u(Odk)KIGXcqxAQ2n;~xgBk2u zE}ng;Nj)rDDLGY$rj=7k<(2~x?eTJ3!m2PMuyc^ZA+dgu)WM0J9u=~@9z62a&351I zMucft7dkmOJB5K_eSX3YCp8o!D5X;;4PpHxA7Z-v>2vq;7bJY#B z?eEK{9=i-p4Tb-Hy_;WRhPtY~Q(%9!!xbicj&Avlt6*PX`u_bp2&Cctjvqp)N9U-r z#kUlCN0bZSZah}EYVQ>Uq70W`uwru?Sg@ZBYa~;bo+hmu>el2ifN~xxfu`=%9kD6! zl=bgwUU6uu=vItfpI#+J@bCu#Jj}A6N@I2YMdSHXq!WSL?0;6qBD)p$*=*ZlqD_if zhg))Yz1hOQw-9-=#rEl{nV7Sl-Ib#?(dg(X^<52Q9T?=|we?JXs;RtDB31VL!@UzD zx2C`_^|8BK!^cOe$Vm8{C5~`{HpeH|yR$VErtgN52U`WHhsUh<8){#ndk*Y1<|)R! z5i)WnR_X0eQStEIBlD$7YJ6;FTckaqK;)uu2xRG+jVE*1mwa+J(h)+n;%jGGv+}}? zgfBjj6SJc9ZK-8k`utVlp?7cXf*koTKyoiE*-aVCeTznK5lAtj}59AZ}c z+{QdUz!TTJCD&@cyv%UniQzs777i3|is=1tQ4 z#Cd9~Prb8s(Og6hot%x|r+-w%6&e>~M?BOj;9r+X+}c^2k{d@ACh$*OSrv!g{O z8qBqVvtP`yy*aB*D{q#wJ#oU8MeUe_IaB;f3E!#klj6qZG#Ye23Q6M_71DC#g?>^u zx^sMa_O?-Q$LCMlhcrJ5JUImyTIVTWU8=gL0&2!H>qQh6@xo1nZMHwj$e!aSBL|F9QUBV<0-23=988RE~ z1zX$CrxSdzn2@Xh1LDP{)4NNTb%(-2-KRMwh3jmXhFeDefr^VQoJyAl6F0X6l;${{ z4;gC>-|pX^0-Hy49vWL;JxjoiL3kJ`pCL$u7 z!36!H_jgF)i%GRW(EICncLjc`j@|7F3AEvmLk0C|M;bJLMj)`X)p$mh!qU9p5)sXX`la`=AqCexKY9Z;?ND zYdCxqaddex`xXz@!W_($V@$%4p=~5|S45o&u(ZW!WC;%qd(De07+4%UbeY&+9HL^1 zK=`6)yLv_4%Jjp-sQ&8WSh@9;>!iC9i0}$b~kv?DwiAZj0q7a=yYLVBLg| z;is$EcUXbB6imE>^?8WMaT=u)WA}!&JBf_T1qgQHa>$~QMUn*Voh^afu8EAMw?Dlt zn>^6w(KRb9O-@y&Uw2xgr|}>CoW&_KjoTQ+)~j>3`C%m*w?2^twngjvVqxNxQz)9_ zS#MVAwvVV-rCe0B@16%bly%cr@~l;}3U&6X@=*f1@g}cZC3#Nc0ScH#Jf{ZMGVE^Y zSKB|NnndXh*MQafUo#n59|3L}?VqrF*wFlLf0bg-|K$dCDSdxv7do-WOf-iQ#9QgN zq-i59r1E&)_vnKjAF&dAYyf6ig(FV$?E>U~Gri>jYW&V0)bdLUuid;Kd@T%z$fc&h zLcvQPySn1udB0ZB(b6LKZg@|9wz$;Rd7w`75-Y=|Z`RSr@cN)4|J#ouz=ZQ_pY~uh zIkFXmnxVttKT7Eh6Ib7j8JGDL61vs;(KrnhshOLz;(1|n^9QCCx4?;r_rS(wT)w!& z<5i%}x0$=~^fS=cEx<$Sp%0S|P*G7#^@NQX|B~CwpZVTexr*0={?vunQ=BBd@J8)) z`l*Yp5p1tPaf}!n51~%06B0?KemkeFJP)_;rP;{>LM|~+TyOTMlOw9YtgKfMevsEH1V#*3>Qu7-PLt}|hu z2mmyIC=P}tCUM06Ji=Ic;i^)FOkmGdt`$^Xu;bf zQ&Sc|nBc_h+(waCXVUD2b;c7cq)2CfGM`-drTCXw5f?QW1G8yi6jc&D{np34mrbV9$Pc9p1j3laQ1YCTv_n z66pGJ-Too!k1Rr&_2M!c263@Gxy+vaF9>8&#dFXUx{Sj`uQxVcE##owQ~7l*wsj?i z;`lBh4UW$fpkC2H-P*kHDyNcaf?taHw_#BI?}{^>Dk@TEOx z`XnC^6}KtE9Y%)`WN(x15SYJ_S?eFP?6XmsKX#;wAVHM|>U$1F>rVE3Hj(@U;Hne7 z^(DDXYO<*4%o#Ij&N=iR)9Q1av9@@GTH#w!7h)Ml`rFQ26ni6babTQ?1lHXnVnWQ7 zT7({SVi^Cw1y)&7mhTag$;CC(T4Jy}mYhXS{69?4>SXB+@z*a2a-6u=j)p+{6gUK% z>$j80G@XS|lcexKqlpUlr_<4`adx_2RviyCe}8XDxOq+% z2Fr3Vz>$RwS0C|z=EUAag#}sn%f@X?ZZ{k$EVTTH5d~`V?iNLZBfE=dKyOE}4l61l zB}$iwCb)HldhPT}(+zPjPc%5eP=U8aebvaz0!9n(!}G5lQIW+cG*;h=kd50kjG|9@ zMSzvz9TUc|1aQvAY-X-TPmfNHj(-xm@`tF1b#pY5({^t&1FSJge=y_({0I+tl2x;n z_C%Ly&Y&8l{T9W+Sfh$VXnPln&#u!UlrO7hrKJpYa>8P-ut}|;@U(4E+M5H^kL@wR z^oDiXIEwy0T&h=26u*K36^CA?b;0+vbMK{<_8VG5=@1@#A2!Hjy?8+W6xQIr#^(3@ zID5|h5z@HK)i3*1M+0WgpP^w6HI*hG_IB2DnB)ZLiHZH(H%axkYdEXAIF&po77n&z zp3|WKMWfTnv87@anbqCyu6NS5kHER3c!Zhvr3R%7nAW5KMQ3MEao&^Ufy(4qp(yXa zyy;;<+<_(sRsz^W**GCut|uc*$K)&Tc3hg_Lp~9-eg#a5ewj)>6BH3TIuuOD*tEQKr1WCD{g$TP-4zI)JF*svvw6tQ zIrJ0Jt;oRcpKSgg+terg=Emk17kNyvs4OBZ5qPK}RT>G#KPcail8q8h;++OG_abK7 z3#c!wfBw9u2w$?YH-YHiC}iZ)FCrwA4%KAcMB!w*%FNa=JUqQ=KY>fOC>RE`edWQ6Uf zgk@&M@9@J~sl{1s#xnbfi<=hjq@_9EYreR^A2pQ88oWmqtC`23^PyH|N-oYsO3Ctw zAIL>{lj6R1bwNdksR0cw1dKtx*2^75c7a#Aa!`i1-~W3s`^Tpc^d>S<_MySERfUCv zX#IID#zvZZgh2ZSj5bzZ=wEcsJj@V-8xf<)%<8+fcycGt5Koq~17*(#D2sJoJyWqc zF2~Q~mc}n>c!Vb^Jy~^TavNQS*ozMYEXJRBEVp>#ep1ZgCmVQu{)F@Y$8g2UkBgnz ze}1WVSE}lldPPPTde0kU{Q^xsY^D)qHP21kC~K13l~MJl;?TIZEB$6x8@MjdJhzRq3H?R7j{+(ay;qCZrGg z7TAd$%4ag`OXy}}D1kk^!fl!_2A0S#VEcwUvs=D6eYLnk{RuEqk#qZHRlUJqzN}JJ z8@FR}a$G9!T++dxk?GMJhfeXrZBIO0=(OiVinI%3@7WUC?#EsFFYnUW^?;g&vS!ZC z_fFOd+#yZX;Q7aQ)mB}}cDm=y;6)nlu0{bzr90N}iuKwN#6h?rPm?Ir6RQ-MyGNLC zM(Nmkwb~WB#t!_o4eTKJ_HFl4_(aQ1JDZi!@5f@OlKvdt(#nF-!{nMICs<%L0(A1r zgNzEjdX!vJdFEKyhVMGX`hLc{vub+l@Hi0B767A6}ikM%P*SP7Ql^%bE-kuo*mUwIB?3ZNg=%eeY9XakMFKNZqVU!$hB?g~h`VJ{H>vOeD*aphk03>a}@F zmM`XKz&i!&aaXqFz$84GOqqP)t9AK|?;#C|9PyV~&rh>al}CM~U?L~1$02(63kMRx z#;k(Bc@VfDIdR|=IucOTasHH`YKLFI+Tbo4d?DS3&ipIYPDJ27@U&pI^-sowDnami z9dM|Zlm|KA{j9Kk@YBkQ;a5%8tc3cAOQ7gxdIB#k7v%wJ!u!a?3x~TxfZ+`O;1EZe?h!$L z(%RAEHa{3FO|cEY^z7G;Pib(Dyv>Q}!mzPX8_;v_=w?)r5X#JPXXG3#v*J-Od ztN5Ka^Ilh(!WaE^gEeKg_V)%r5+W1jLFHfrilHRp`qY~6H*?j+>xN=_$WVr9Cy0$5 z;7CGx$iRTickCPEOGU_Vw0ob30!Dg)HLvXd&l&BmgXNQPp$e{h}(x0q>*VYUA$tS?VNh z=j$5LD6k|7r5J<&9dfhgs1K(n2UlOEOn1*M-p9t-NZ=*I44eyVlYhYlwO42pl{1n`e(OZBaJ#!s=nFkPqgzEQa?6Z>38-b^QdtSTw?Tjqu0F zdMNiMEsZyI+37mA?KvQ0;9%-~K>Pog_~E?jFQ(uo>fr2o0Ns*=)@bRa8aKuNp?xMO z>I6a`wfftlSOohwPWNhpj3DIqK*Ht@uZVUml`~LWAOqicR2{zIp1Z+5h7aR8w2?fA zx2C6fD00oXn9MImJROs5!CLv)IKEL;Ng9L9R*O{K?+U?K*P!RTbAWgNqqn}LG5@j) z8RV^$zzm!*Ly)SIIdk~DO}#x{&XNA`@{5ar;u145;`6k%*T(mcB4ShDaP!MBgW-Vc zUI1WQj%RB$96|Fa=&w<26Vi7M_o&8~A8}R2{J;D{<9WAC;QtiE)4ZIDZ1|{DY^u~c zaErFs6C#CtVuS)uc)~-;MOuUPRgj~*$Bt;}O=Sw1ih(DtI{QSPFhnV)4o#Vjf zCn$VbCBoKMmL)de_gOdGs}Z4mAbSW3X7@uRS`zIm~~3LiZy&N_XO z9g)RWy?b^={YQ9)2(4l9NX;tO-nr{BTGTs3{E7ea0;tkBs=P+F5>HdiFEz|8OP@Xm zYPx}tSK$k)I$zgIe@NFjm!wY3^0%Xiv`UP#+Yk{MmqawFF4GX@v}+GM&Quv z&Nyh_S@k6kVg7fe87I@^e0dxkfM=85{bZ5YF$l@JjURF0?2$Y&$$}a*$0^sW5MwAR z*@H&WoPl3)D(q*;9z)YM>^oCwDSIwOvt$_ZM4SlDC}fMq!gYc{G=S@zz16wR6IRpY z-@8ZTWT(yK`AqX=;ZECYZjol*Mum-AN#%pZ2B!EA`<`?p&|OLHPI%Lck==j%(Uve> z!G5>b^8sU*M*I@n!hvn;1Si*7mlKM+n+;_SQwIsrk0CphSzO#%`de?p&oU{EO({Bb zEesbBW_SP+b9T+oq3N(-UvQ9o2#B|1Ct{l;m({|i=P_oM_kM;LQo6D&A$bl@8mU5# zgKSsrgbF$Gc>UFY>22rCyC41bUx1zK?XFl5JO;c13s#~D7ITX#0zAMj{2Jyt#PPDG zhLxE)2k$LV7BFH2$bAITiyM*|my>KAO(5|GS6-xbk4krDfdp8N`_F~e-6!KeBxY3Y z1Gqz&zU}+Vg_@SDIUxBAnv9ujP;OBlTsOC~KcWNYYTMC*pYw_8PoE~2I6BQD|)gRwcAck;7vYX3J+#dM8_wqQI-J` zFArtoe%w#Fs=LYYToo;;ulc97Ve9sG_w${%aLi*0Br>K)LtPHr5w3YY6j$|1n6FYa zvJ0mLl>p&}-`{Tk`tH+XUTkir4&ZFmibC$f;AxT6?g`0Ls7$JloJv$eIu5rfDA z->kwU)70|$YXprx9G=Vo&+)n0;OlSgwFy);Cg-|tqGmLU6%zp(|0WeZtxkTmS&xG3 zDVbIOA(+PS%!zXs(*Az;$Zp74E#M?pbbdQdRzm$px>wveAT?aK8RSiWQ}QExO5{jr zOFUJjTe~=ucw|>{_i0~h{_Aq8sF%OJS5K71KDJ@ z%a4V4;8n7my?5*MC&(<$i(QX)U5=drZNL>I?%@%+ruPa^5MTz}oq$~Dfh{0p75=8M z^c?){E?r_9m)YfjIZlXM7^RKy;fIda2M&aoE)Qa-gV~D|K#&A*-VQ3NE^Fw9S%61) zX+QZ^Cocy19{tlummFCj3R(frPezu)mqPf92gzhyrdWes|BpPbXXD^)SXm(I5&UXH zCIdGHWyE_;29g2qg+Ndx%xouqD>Zq;p=Ww%Ibq{^Q*W2gTFs-?UFU+sk;5FnK=_Ch z6YiCGxZRQkIYNrgQFYk{r-vk*BAIz$lC*-94wo&~7Hi%i2S|4QW2q14s8 zr!LKGNe`C?tB2MdVQ!=E3*LWeYtxk@{=`rnLPl7!LND8j^J2wHH>=_xO-@V13c&!Y zWn6QND?D0!P4QpZy#%oc?I+p#JW4Epn&C&mTB7OO-RIJMAcn7A*%hbo<{yXHZDK#` zctKMoam_lrs{~3MfZxYq@cYkXq{>fFU{v~{%(_J!y^%&1en%O`_5W^~G) zZ_o5YlA~#PW4sm!e5JqdbnF;@pr~>hEVJuils`J~*qNG+2XFG$Yu7Fv0eaw0nPh&u z{zp5;+qYiVMT|q`Rk?imIPOQchRspEByL#pzoX}M7-2E;q;KD@eMys{$L|)1ph~?n zJ*z8!ekv=WJ&*6N_&KcCX}#1i9#XeI9wLD`4NmdvZemSPhXcy`zdZPqMDT#0)bA>% zhMODp>C-o80@G=}TKOmc+qrdXl|w+dl|ulGV*)z9H2+w)a@PCPDj$5UMI8j` z2=rO?WQ2jc1rp?dyi`UxWx8TvxkStH_H%fea~2j0{8tv;fH?Cw5)xT;J@tQv8p9Kp}`qfz19)frl1o0+~Q6% zCRU+eY!pZ(?(Jdzsk`TyEt6+&TE5FAWTdA7S)RNIZRjYkWyz$iC7)!!4yry<%<2XPe~zv zFL2?H;lwnY-WQGYum#8d!KHlzK!HkE=p2eN+Tf-spND9^d@}R+^2porx^=soH&q9A zrB=cDc93Si^%X)-b)N`+C|F#C@x&oo^R2%&K|UdDy&;&PP9S5FXpJ7{)2A|35>3a{ zWsr+!Q3;`xS}B3(;gmeSN@y?gxuce)_)eJPwwsevO9(N=-zKHUzXeOqo9PibxKxMG z{3h)o5a$3>K&-!3GAF_*0DGjBQgBf-4;~uqhi3^&kfQ}Q9NwX3%!x%!%bdqLM3B(7 zghQS{{6_2TU%7o-LfG!obIhiF4>dm01xiiXOKV>EF@WCT;bTf8!FhDxMo{YLV>n2J z%XEO638_XZBUdNDIR35Oo|^aX1ulCnnp2mZmnze65XBr6oIxplBq%Kw2KK%V@2v(0 zs@3Ma|C;)Uw}I>te$NUTw{Zq1@S2+CmP)_=Na5x{A^B!6U zr@Sp>wz3aUzc)6-0(S0rdULeTJr&^vpm7B{l=ed!okuJC{>l~sM;!R&AI%D1{8x|U zBwfZMl4fq+v>RjnEe3xs_3!{UC{%VEwFvxVm*s>$DUwC@W%qEPIMt-V`>~KIer!|8 zEf2y;%DSe<0}R)Q#0B=)Idp zOU~gZZni}+r8lg-!4uOGLCj;SeLx**VUQdj3&?zid0ogbGIxKEw6 z+N{>XXJFHg5mwSdT<)-fINlJ%xg0=xv{!m`87NXv_~@pnmBx^JA2g@*oud&920Z>b z0p&i*-{K}}V<7L7`KeS|b)G^Sp((fs+l(|Ex?aN$gr4%C<|p{n!@!Q6=hjWpJO&e~ z#`o0dw#^0f#oM=U>#%y~=o!;w&ki+Gl1KY?ip%SZOrFR1d<&HJmg)#vlgJ>r@Sq*8Yj5mPUy3rvL)PJk<;w27K+NxNMvhz3Ppn%;$hs5dtS){?p$q1<8x(cgxxJxyExzm zbTJ_?)XGu6=|xPFMwmtN1#smD7SdQ z=8tHYBL1L~!%>#C@x)=>YS0S@(;E2$-iy^yF)27iP%pi0{4f%dcH|btydFyY))D5w zUF09<9kdD4M#$(R;Z6W6096sno7naHK??S-ktz*N`rm-xm9Ii$+n7~6RbuwGGp>}b z%uLW|j@tLB@7G-?3TsgcWFlxkFKqw#rEn-N5do+f_59*=08|b&4QSo7HS72}KL)j_ z#WrBn?0k7H-fdM{;FVKE0!Z3?$3UbFW9(_hJWwg_Z4WyS&#Z?H0@fV(NyI^h`sD`v zmJ1e4Zf_@W)5x6gvl$U16G*)PSfP+&4wn|)A{kpr~wAhtA<8Vq-;0+Q)8_jk5l}sM(e*bF|R=p$qG9ecBUE}jdFHbv= z{RL*DFVS^?>gw;GcaGix$`0cUISqyKd!wxahL4)m=LT)wDH!W>8kAIVedK*MvQ6_} zpa{@Xi`BQXQ*XR176X%`sG*sQ1EcJFq3Gv>+KtS&QuS|04mw{R{OLsxUh%)uP#+1fs@tTQd`gvMUO0SM>j3bY;2jgg=Rw(u`S6D^;ndUh?hMHs)ajto5cxntJWtN$2e4ll;* zvK*AYvXjECf4C>V@kP&lXU!T?4msc%hkb23573;^hx@};<$Pv8uW%;o2;l8DW_j5S zNA%YQB_|=yasRLmypfRn17-rB4Vl#oub3-(%bJ;UwRi9d>!0sGe;y(lvT>QO?=s+7 z*L3z;iIhZm|3GBP8(s`EcC) zc9bSu{J#vCmf!E!zPegw9Z2=X`r%uw&*6<-8-@EW6?fo`&&V$|ct@ssZ0nb#1=M6M3b1-l2KpYgd*Wd{%B2c zbfgdOyM+*kgtoXN%_73(8SYkfISt(ifjf7ghrT>Fq)aW=ms;-ZeY4NG5J2k0B8hhy z7Z(>JG^&CrLKp9g=?`;a4Lg_P80&>qcP=!J&}O!;9$!j%4_pfTh=^&i(P*_7J{AP| zihMJTot)=g=oBisPXyWg*9ODCbzfc_YW(jm>A=Vve)Tt>6r3%5IqTssVkiX&{QTKI zABY6u3O8Vp&6NCnzxC`zLX~Bl_(1oN&@wfR&b>(yD)7E&2f6&^P9o@9hTmzw@OAh8 z`|oK@a!)JfW=CCd<(Km)z=WPlq+0YEJHfH4YBaEIVAVv|+aHry{p1f4!CvH7$g9SW|j0#xvM7V9e4 zv0=k($pyegsuST4QZ6*+ln1Fwe_JCZ8*p!Q9n}$_S$3+>b`a0a%WIl`zqoOsLdN2E z<*}-Ek}Fl`*7fz~s6P(g)4?IQsPvM_c!<6hII-YUOaY{kOeWdf{B}gJ1&LNd^3H0# z%DbM@It5DZ8Oe}m?u(>TQA*FMQSj)l;vb#Dl{S(a@ArsL8y9aGE&Y%u&;#*Ik>NqL z_LwGn)Vw|~?c{_z(x}1s_poT#I=4=ZdwT8^Vf*{QxT#SNoITsz6sF6EIQase?nxv4 zJNT^~WLX|Vb(38KcF!^PyQ}tBw_;r!zwe!WIfnjbV&n(xN|O((16V}sa_HgbbnqQm z`Px#emqnPM5fB)*gx#2Lk;SpcVM7h3OeJ__dsuDN`bq6l+_x}!ZV{+nlq#THnk5iN z_3sjn^S=Xv)QM+Nb?ZgHKyKC(G;&ECSzA9A_2+%s<)_;X9HqHfuM@~P*92I%^gC_7 zqU_@@4LCkcffl`t&ixd}%j5lD8$4zb9iPQgxscLpF>;kGDa$+V6Y6Ih=*`Q_JVeuS zeaMSU0O^z_LIq;>;j+E`hQi=V=S@dXQB!<{h!@aqLN<3#eOv7qGyOXs7u>gSZ2q)W z)8i{wo|xF7Kv#9QB}B`27kEwNIHsd|>|s#=fgS3K_{u%37FomLAHC3e_9nofiKky> zmIp_NaI}aBI3*Y}!ZMk7vA{h&x|h?M6!7(lo&mpj=xP7J2dO zt1xm2P6<$n((9C;Cw$+fb{2yS=PsRmKYaMz1YMeIXP&Il?(xOMiYGImT&%$BNAR6ii3aq4rej%7d_PW*@L#V&w9H5BzPDRJz}b z#DAN!HEHw{I5uNs<2-|JD2v$*3cQIFvuRHpfbk)bX2)ph8-DCXXG!YV*htzt2pF_> zMKd3kuP_vQiR3R(EA`7R=Zu@6mCS=1(0iAOT7}oPBSEeGIM09Ps%xFil56Ev39@x~ zT$)1gqVPY_>Q&O2RD7=PTaY-aFuA*v8wMLJyOz^Wb4jej;c0Y1@-F{tG`UvXNBMdF zpo8X~N9oT=%P2P~TRd`*xOr8Omg}dY z4iSjks?EHSXr)ToBmHGueOK%7g*&{P)P3*F1%7_Kb@!A0)j2mG-_GNv3DiUatV2$B z)7s~Ju2^*o+Fdt*{V8W?;S1Q(SD$kW^Tw1rfWltCq@4OMuNW+`)1N=9dNs)9(PE#< z4$N&KOsWOw#_>SX#6&T(dheqbc6;U<eBJPXQm&crUqMn+ zUTg02jhyN?D1bhkqZNZ@)s>WohZ*>P)r;RD(SbMVa==0byl@G@d3;8~J|mC?Z%&3b zP+i@f2_+R?Jz3{veph6mx1S%nF)@xezvy~6FpxLxBdKMF_I_W}B3IlWg-yE>?;s}* z0&)pzt|6{CNeXxC>dCC4$uipRH-g|~MwQb+S zJ5(Dc$^j9iC?XyZ!2(z)Q4s{CH|Yq{1(Yr=v4Tob1Pd(`r5B}lP!I(~K$_A~A@tBf zsNp|1o_o(d_kMjpydQo(oDXO+3e9AnJ6ZaD(!mTkY6UnJaQn=owrfNGyOkv^l6?$;p-K!AvJr>L13MXx+>$xgZ}|~< ztV(YBfUj5sj2tr4!5|=6Ga)1e;%~3ak(k0TOU6_l z0q+-j^BW}AFzU41!Owo})Wu(KGyYf&5S9W;0Xk9bgIcrh>Q{fYDXL|e`rThJ?9aD{ zo5!rb5_rpaf7!(E2(j`@usv13i{3`2g(Hu*14nvxe|#+r6w-J`Dg;4I9Y1TO`(BbW zER^*5pyC^v!(sAwI#JJ_#H{DOtKvsMzzS01xtACtyhu8)a`p{v2%VWM_Q=kq4e2W{n{#hqTCU;e|Z5oadv5n18&Se3sxQp=@~#5 zUEU5~zy|*betzCQ6_OYHO!`?%X7IH&)4c2c_<<&H=DDFmuK5E9(_g8rmvcraEj>Bi zN@Q^vIZ;uEl*Sib^v%43W|G*X+~-GC9=n#_{7Bc}rkgi4l`vj*xvfh#P-1w>!gN}H zoov;<4utLbZ6{ubi0(WlrBQSjXl=7sBdZ?(*8CC#KT`sj_Y(^>6k=^Q7==BKcbc-iT&A}HrP@YGpvA*6qT@hW2JZFpcBWI!tOiE`8;oLwCbJz z7{txN&3FN~Q(0AYZT)*GZ8~NA^!kdpsQunclnK9!0^d1zuG*!YCv0ZAvhwse`{6Dj zJaj3_o3IKz^OaGzKFe|Q)uZOkw^MLi**7a^e7kFSkZtE%y#onO>YH!uU}G))eE0xS}o11MeiboWU5$91l3_wj4X6S?cv z)s>{%CdIZr)j`}5uRii+H>YY-Y*!a=WUvK^w)BLxEm0|JYby?|N%pORR%@}#7q!~6 zY~}|-JI5Kj^lw=J;#h1c_@ zD%r$e;@@W7EgkSb-;qlyLmp0z+Z%bM?Hi!&QX7oMHs^{}ZA*5)^=yUTQ8tOnm}w<> zbL)rZ8ON1o}$`r65tq^v$@UVE6OB&TH6Nc5xk$;2+CcjW9l z0o}o0P&tqbU+-1npfr<+R74oO0g}Xjq%~;-&X$hMd6!Y2q{A! zup^5`j(!z#c5T6iWwsR)1^nYbAMGj*c(A#1WQ_F3la}II&%`Mcx*rFJztIX!t~dW| zDMcf}zVle54^1}m_)_{Q*Wqp0^}X-6q3dWjqMd9_?KbjUxohN3zBP5m^{}$#W(&mxlgnDmZCvsE5lfWr;m(bzISl6YIc3(vCNgV zVp+b-7WVjR^LMt6n*VgBhSGfXJy)9^*gHB}HJb(QK#(iXUc5*N3EA%0 zm3N-^`C)2tx6#<@-cz#DM%7B&Iy)S<$H=YidQDgwPVo-Jc>m;Ol395~{*{t3HOJCC zd+&*hj-J`gP34N-3%i=?zR#zbVUud_%%|~Z%^0rGuF^;mT~cXY=i_q@sBUW@b8l0! z%GX=F9(?p@MS?DE*Z8L={SNESrfok%<@wzB6L&BjGA`06C1rMIMcRZvlgcU;iz8>6 zoIQK{z@;KpPqo+-c1Pj-nI~e!gn=4>aMM9K2iAg%PUxtxlL zJnflfeE9irV^ng?X;CZDwI>ht|CsfYtbLW-f5_p>@nYG@t}?4AxusWvW9yTOjE}5d z<>VZVczGirgwL_1#NEoDZC}KzprCDyF{kzU{pR0FIeK5><$ZqqN}LauLxJKp{;bSy z54XPRSFTw0wfFiQ&DRH*#SFDlS`wYxrjiRCe$>z_2xfwz$tGC(w=DV9Q8u{Gsl17}7v8yY*pZh6DCmqacpxI&}wV`9RPXz6;-<$hrkgUukU_sBB$*zT}( zvZEUCkCdln4&oD49C`BlDy%i;n9kO1+8@;JreqYFYTxPf{hCzeip$y+U&759jl{2C zD_$8pczi||62IRSIsCMDmhpTc!)U$i=cePmk&V8@BB@2CbC$A05&8a%8CKNj&UdxX z=e0ufGd5x2TDbQxdKr4@hfT(sYXdq&U^lH*#0ns9>nCSY;@_-B?TC!bB`G5bpK?m6)+ zBBIWzaOJK-pm=R1M`3p>HJ`L&#^Jh7hnt^z%cay0_tWhi@G+FuYjw?C z+rki=a$RB4j<@+a{WfBGFisO=9!>Y88q$hYR2A|J_=v8 z`95Fr*Czum#a9cv+rN2fT;y!*oHy<_rB&P}#+NBetGNd^*O2o4Aq1M~YF?3vTcu{N zmpVL`@%uFM1uk$rf5mf1T;Ga_0qya9HlEr}t2XW)!FY8CcSHJCuRg$sEIEySfB=H^Zwh0&!POitn?PN@XOw*BVxW5bv;p zh_1cL%J(nz7|-NeiTjfluy^MfJb8s8b1%EgAU;ERcQ2M)YyMTk?;4!oy1D8l-EqU8 z=QlH--N6+8%&~2SLinTk&dY`&bV%kGx<9(F*K1)JgeYmADs&|f#d#< zBWmLiqsQs|f2_1~Y82Wy*Qk#Z-*Ll*yoW}`wo}y6K~8N%!QF z#2iC{lU!QD``3{%(w0?)qnSOG1qFHy&&0Ip(Ju|1#W#Pa?p@eD81^a)CpzzlsjV*5 zyiZy4(VE8oDvw$4k)P+`R|;#&E|;G&m$Uil=eIUa5RYmcrqOb`x(vThdIYQUqzgSF zqfew?sV=PM0%0p_^=@2~`~n;Tnzgh%rvbQ#*LyBg%CT23^{r)P3UxtJ^QOv{`P#{u zPlG9Xt`{9H^&*PrNQ5_8(H-TlSM;-{4OF}ICGiLE5b+IbBxm2zG|a|lG5o*e3!v?yyN(n`l$G?VeO0+vHAX+A}-`H z&vP(&VYf^eYo5yOEF2%t>p!^e>|{4dy;VW}$fjh3-%n<2=ETL65f)m={3{R~4wC&0 zX;s+Okxao&_@IZw1w>oQ99FNX^%SLmSmCrCS`j9IALY2a$}_WM_YCT}JPAYfES){~ z{4FYHnw__uc64&0-aJ9`_Y%){oH#u6+*f+D7nXZsRl0wj(YGlyDokcLO~71&bZidu zxo%}e+K)a1dpK}MU$Q#{%Em5yO{VP@28+xl`O9mKteXnN1autMg1#S=?pu^LX>Cu; zJ;n64`a~lXWp8h&@vrlgtMXonG&Qr#P`#+UJF%8bnp?^(`@Yr3k$FUXlZ4uMxe?#~ zC7r#C><1R-Zl1T0t1=e}kvP%UUkR&N9#-+T&DL^N4POM)(kZ7hMGpsceYKBEzSY5U z-{=r+iB(i*4#O}x2ZyeQ?i;uh_5Gh(ju^&!TNV5LRaA0%oYXz5tTN6t*4IzCGZN*` z5NTv4Dnx4Ic`1MM7HL*T^btLg=Ue?uoEtWC%*G>HA4)vVDyEgEcMlpC3`kg#|XsLeW z?mQ0?U3!o0giK>ollHlDmYxkn`KR>WsfDckbn!*mKndJu)(@{FIPi|BR^Qt7{wSqth5IEIS6bGY zb6DIs%^;V>v_YkqaILf;XuXs8A_Cyo?b{5&+>$DxvZnFc$^9*hGpQ;UxLU@?*>@_A zENm_u`%?FGzQJq~5I#v1AfU<^jtbZi0E<<=8j1^3@-mFkL@X!gtTyLVN=66Zua-PJ z?ffyig)V&2!ali7v-Rc9B-!>0moDi*8VI(|lw7imNWP!F~LMDettI<1X-9G4U(#4b?!v!kQ;0PL=_&mZgcTtBCKTJ&mT-S%!W^L(wv z+k*tP*h9~rbghm^q1gCqtMjuDM~|k^$R33bEn!vwkrN5@Wd2V8XCc+o zb`*){B&)V3DP1cWdR9^Cc`?ReZMe@bv|^gD){lbzA^MSru;&IOng#5D%5wYaGl&AH(E%=#f0yS}oUUB$Ut1z-77z0U9L50H3;j`o`% zMabKCPp@p1{2v5d;x&_Ch7APG8Xb%;v2(VqNgvx z%IJifK|{ML36)2Wp6wLo5f7pq=``_-;pV}P_LNdY{Nv&DSUcF<(|f|+r$Ywvv#-zC>!p}7CCa{MinKsk0y~_ zPG^-}Sd4;yBztVqeFy zA8iFIA}lPN)vb`D>G8=^1o`0PuBsPAXmebRQCSywh+ z?305n#hc{dd-h(?gVy=l7X3Tkq$kZiv-edThhSTXv(C#dK#q_s(m(JKHJYVo`IFS5 zWnTZ_xK~ely6bj&D1Qd^j@QFG45LGwvMZ0wSlkVrw|#dl?WQhT z@{|%P+X~+1T3sRTM$Y{yWEGTg^850@9V~#Tz8Z0pC< zlq)Vp0Z+2#mu#$k&qwjSWxG5@m>)UfM_$2>ac6so)$9^M5O#A%fzLIN^t5>l<*9|i zC~+Sy8`Ik%aeq{(oerk;Bz-7$(JRf^A7ucnC-7w(W51_by#`j)c zhd7u%Qt>4iq3iA7a#(#J=P~gO-c>xfN!E2mp|i} zd4M1iJ33h2A1do+=$Z1!6g6;M&i5Z2b}5D{Jzl|I{?2<^zkb!3eaadheq7~aXrZ0M z`Pa1}YY83CGp}q%Ebhbk3lLY~@m%+A8Jke^X*Rxkd%wV#USa~N{d{pT6jaC5!xs(E^)T7iyI+!2eBxS)t zu8N&wyWirVl8N-5@X38rTqyfs2x9?B`1}&~2nE519X9rA3YQ)Y#5xrwuUxGxZ1wut z*1c&9M2%0H24aP!z1g(>lcI^oj3xM1wY9?T#0ue5gU0S>6V@nJx!+gmeb;~t{0qNI z@|!!Hx9aJyhD*W;aFembUP}Hgz|k;G7Eg}w3&<0a;Lh%3)hIry!#>IPHsc+c^|4aA zn>TL`dv*6Nlj@7>QB%<}n!;Ub_CE!UUJM7nxbpV$)y9_xMk7r-S-7=l#5fXMo(ZkTZ(}4%CQvYJ=jesfNvd_=nojBWw zXWs#_l0(gL2=W*%MSl^{!igIZ5V>26#}J{vm>{r}>e|Uy(PLu{gFCir!eg66h3yBThm> z@W3+<1k7!LgR^T%aJDaTk9>Bh!YFKc8v}3|mpiVY4I>FB0~;E{PDYPa^PR5G;KJmU@+LP*@2H{xca1nJ;|(8-VJl z9EGu9tL>`73u_5_^>HZCvW;70@7xtYW@`KMZ&_c-5Z?nkv!S#j=f3xHS(EIgFA$Ex z+`cWPjV*vq{pZuff*Wsf@@FfwUmVDr4lE-8SqXt* z#;QZMTLWbPIKH(kby>6B`WVLJ+YrT<=+%=MH8iU@KRQ~dcn#-}@r8Ayu%|z& zvs!+LKF#WYV747Razqmj+>)u1@wRVX7vM~EaQk{tXn)WMmAZMepxXus`Ad0uD0?B@ zzOyMJ*8dpnD{mN;iHXYAmS>!q#!JNh^i#t({zh=%J=Mk zUVqi!2dWhyub@xv#>D}}rmQ?>&83u*h~p*eJ})-2JGI9=6&@?zTM{s1Fiv}uNz*2z zt_%Y8fi8E1;fJdsS;>gFzkTw1@^dVI%j!+naFYDfB_wb+fODDW4MGt5FFrq|QxRX2 z4T;u?OhyKdY)8zK5y-gSI52jr#dg4SM#$S(U%o?3?^q5Vwahf@ydw|$i3NiY21$j zM}x+y@}OreB>1hLo>Ze`f`2AkMtXlTyYM+z?9X1Zyr}d2XS8;*bJ2Y{!ZyBR2(nGZ z!Xg10jHZugm8wNaJGUhBJ}=StrXJXPWF6iEcdTK&AGD^Um7u8$G&BIF2nSzs}oy^p5w!;A{1 z5)O>xw28zYn~n%~bu(C`_Vk;*19~J+tcoJHemK?xQZ7R#_=PV%jst7*m*cw)cmhvY zF~i33#~%vr#SStOPG3cNyR90pI12oT`pv8WE;ZTP@p*4WtOvv)DtS1u zcW7+9p)e&b4iD+fId8}Komu&}Fw~{=xpyRZGDcWMZ)W5&jdDhuDu)?mGzXgl`2E}3 z*DriOY{58(*_U0ogk0N-FZ)a9*ze9(yoY^*i-ZW1nc(x>-lH$5NIpVp>Pl^La62r+ zwMgun{Dj#wpBKcHRUutnKxfleSm0yoK7DHLDR!ko=Y|zoesgc9g8QLdKrZirtJ}p@ z)@K_(v*O$4VzJY!x5)WWbS`w@fQX==)P1iH`zTAuUtIZdImc*4;ovbU74X+-VfD5L z1y8#cKXF3*vc7zX)4(-JxkNFl@LH=d$xUIR-wE>Oe-3^b@1s*!z40m^OW^LO$P^2 z*m_$5Eh#Xexx8X1S*+040EYI4&z(K0w_jqLyI~_t?vvyf-~)<=W5SmRWJw-@(&|rL zqV(h&IhXqxN=2yxOT4$tyJ{BuKSckO(R(V!jNKI;A*fRkb-f{q9K6HYG81n|opc~yv7M@IMp34IjG|+~z z5u^?IdG9Z*kK0Tzc#?d=W>_{U7Co;jy;3yo>?|ShXTExc@t~M`nW^iX0H~K@vyEkg z|BpO*uJZJ1BwVF_tnIm#$l>P~0n!Esv*urI@l|bV1fKauI!G-5(d#3_zw=r^)EG+1 z&}%8bD0$kMWoTsY)t>4-r`$And3n(kL+F7yvnGlnbY@RxZiQ*-exSXfX3W_fTlf={&)0;yapzqw~P~czy+Ov_I=QQK1T4+sM@$O>4Iri{{K75wlHq`Juzue+! z*wfRrGwjH=a`O%r)1v8Em5vC9Z*LrQsXEM{KJQk2aHogn%7P6W`vNw649t z;*AiCPAgQ47PA!GY_4|=gW%Y~kuK>uWxPfptcg4Jm7OPf%vXvD{B=YX-LTZ1`K9eW z^l2REhwu&Vq&fp7XQf(ZSmJ@rI@&6=IFNwZy2F(Isxhulu> z-p7H-&(F{4o-DCjy$k@cAGk>)QIXvW54l{6eR!(kcVUlhMI<)E6dh@>aU7`USkq&= zz=YYv4?Koew_^E9mJ!HW4i>|_YZZMzPiCi$^>Rnd7lJT0N?(JN0zeDki1{U&-8JmM z0a+IaoK-;lCVdg8f>XuPxuDKEH#IKKJVks9{skcYz?&QFa4)dK3YVHd#)|y>@pDnpOl@Tgu)uQCmvKxAd=Qzp$E>GC8TDy^%3s(sYt_+#xdDV1-gx?CX72VL zP61`{)1fI@72|nXMUV4uZMq;ZL=SVzqrQ*|cb@sq>ZtQJ`jq>=IEng{6Xt>XzvlIB zDBy^T=Zp{>g^OX6z+tX)WxsjF9+X%7_?phj9HP#XoT{DUHf2&M5}R=~aM$WrApU?G z8w1I=V?kJY)Zx3?B#p|~baQP)_%~Pd(#9h_BjXaZlx|~Jmx-tNQBE(LnU!mY$}e2U z5B&fO%988s@qfl6t{)sk5IP#8q}9fATJpq2|bcImk+^`)L6*N9vf*vaWr!0!mSf$nGs?UBvf|| zCH&~DW?ssbK1-4$?YxTRRaRG%Jm$rw(y;{Cv^`S`#PumiBIY0w#W_Q=RFhvtW-Ln< zelg4@{$y&7f5Lqy(|i`$bg=!Pt^>3Mb9 zh7l;DK%d?@3@6Jee)F&|<>Oc6 zh?~!&0?iBT_4C@=PeH)#^P_=}HTP^s^n|}z|M!*XROnWH$=#iL%4Z=O_A1~K=sKQ= zLdxLa0Jo{0QWX{M557pvZn&*^hPVYml751unQ!PmsudvRba`Cg2xI~MmsoR#mM-AP za|@X7CX89Uam0l1c1Q5wjqrab{}HbU2Sz(&!e(cxBHf3$ zr6vqPx``7L2w`d`S2`4?rTML_245eA)W2Vo>RfZ^44&Xef9K*O<8mU+eWFncq96dh zML)6s3D|*42tEU{Fmrpkb7iY9u;x09{}Mls+4IffqVX%Mvaxe0tLk3ORt+1vbY*qY zqZAb^MNBnQR!`pCQ8ZiiVa}I$UEkz5F!^nISw>DvE;L_O0#`M^Qplbxki0aszNYw_ z5eDD;q-FOf7d%Z)Snl6B0JDS7FlRv!?Z2UR`3BT}A_$?$I6GVY!UZ%1Yu9(Ws1L^j z*n0B-B|bo@71>f zkng$PmAg~5dk%vdxB!zXptQf4>{QF4W)MPOzuMnmACrWYTf~odL@f2vq9Y^IP>K%5 z6N2&Ti&Juw8;Rf?WRsgCj|yE({aKs#qb_;A{z)eqB{?4n-6gT%?9rvj4CrG(=*32g zlRC+i?Ed!s!BP6Z4ui7Yj1{WRLv)CUh6UGNf^gsF?W6o6`_#NextPG$ZjLg@Ex9h( zoX5BLiMp>*NtCQ-3=;FO65?2Y9w`6%)9@m-dyI{G*4DBs(LHk-x0LCU*pUf%o#+Y27O;Fy z&LW94mj1AvNm%l4Wc_BSnTnNPJ$U%N@C)WS4AJ&1f*_0|lX+S4OqdoyAYbnp6IQ9e`^@TfyR~HRj^-N~N{Ti|QbjqSEBHmTFiPR4wRuMiNJ0%fd9 zK!V?V1jMl2gHBrm$!U)OVxHKDO^%qIkS`kbIEC(sh;cB0t%XV`lVEp)U&C)=I>kRA zlk9#+k+j~t$sK2&l(rQDioRQ+LvN{0!`A2aQ@4Fku89?p`ezs$0R>;R@zo8&1b1k8 zHNf=XFyo7Sh<6c>0Q$>-1x6R_YLPE)26)I6r>@X8Bg9X@M-p*c-Q=p4wo*nV95Md! zP4df3tv}V;KMbT}Ol8_q^4i4zl$MSHytvt^Q0cW*%%tJ#@;nE4!Y5~7gs%Mfuh52^ z!BcLJ%{lujSDwB^BJ5vWk+|6Yp?zO3XS2s_9%#@Rt0#{E2_Ja9R2CHM_N)l$a}8U4 zvb**n2lNcIJ*{kD6m+?|mG{ffVm~6WSxh_N=P%P~05|-*4 z8>eX0JZ6C~?}a5A&oPnPjpQ;NxaX@?nb z6J7YkOp9Ni21^J-TPnL4#>Q!>lfV9~kixn2!IyQ=7rprznKT6HB!(h?0WvfM1Ao(q zb6{-bVq(&sGSe;pkL)Y#AdTN%Q4$XhHjvt`ezHPXx;ZsQza4f6fz2Aq@7&t)P$igm z<$R{N5uE!hR&jFcv8XQNYe_cLqfq*h_wWUf`$S4t)e>WD$IB~@aosuYmT1UebNQAs&46(z{Is%_X^N7-bCI>q9 zK^^C@%--|t#Bc#r)(3bfe3@{4YVFb1vIo8BF-N#zq>%i}3c6of)N>JZGc=)e3 z*~oFeOZ!p%0FLyjb>2seQg>po112}}zJ)#%1RkFM-8`hM?(U_W#7{8m#DiComXHkU zu|klK(NiNnUK5le4G7$6v1udu+`vd%Ut-2QiN;?41`!73Uj8jtozuKqKYa!@|X4PbCt@&jOGWK45ymz$m9Ib?X=~?PhX<>@~ZUw2&m=qa=SV9Iu!~Z zTCZH-JkC`~=4E0!6;)Lq z7}9bJeZI>wpIN7;*iAs$sjFk0fAE#;Y^WIOQ`Et-0Co!bnw4&~9}8aL(hgT>*|}h* z3zJcFQum=%`>9*j?oTaWJKMR=m$|SoC+BQN)%g%7mu=}>k-7U=MLfvgKve8!$?Xt- zT>l61PL2hBN8=Fy$HG$CSCm2gl;wd7JpJFeIyc#t0t-UO&<)#Mvyp#g-Jh5SCX5Lt#xbHJteV+*g0= z{nFd-%$}I?eDj!fv-!{x{gMfz`B08f6^)MRcBWjZ=`xyK@0W)}_5F-uG|J>Vpw^iL zBX1*#pZi`cJKw$B;uhQor}qQ+osEDWqF~`@9*3oeuLv3k1vo38xp(=_+PCdW`QUmJ zNS$lzFS>sLfNz6s>f&B9hP&z3OvKwV4uAslFMyfWmFtX zw;hJTWpD^VLjnYMcL*W427(Xn7TgK$5E3jva0?zZ$Uty+Cxg4YGmqTd``-HQ_o`Rd zSyg>%clWNdfAl(CtNaF0;d517tIx0cQ+LPgxm(^8D#@g{J#SNLR0~ql~)jfl}SaNSF5rI;C#DqoAjIjvi zVn?hd$_n1=5NA7qg7G1cGJO5mpIC4VXlC@XR3ya=O0KUI!@6PTudf3()LD@gn4D7!C~BlcTHH(MF8(M{QBeyfO-UAl zfj?H4v6})>z#?|!ww#uOIM-_OP~NFwXj5HYJ4cm+f4TQi${x?1hZ{&s(NFH^*L^

    N-%(rm#D3fEyqPyp{ z*H&e)SCt(%o4Y0JcMEx)>yw|m{7d;Q`28VkgZdr4%*e<$?a7+A!Q+t;skUUr0}ZGd zzk+~>Z%Zb`+1WL&+O;4?_Fs{&x9?ti{BYVMgWiuxzOB<>rBSW@fquCQj-?;=Bxbtz zHpeq7?Tp+5bDCt4F4(#DO&>P!OvI*Z)plBLUgw=p9tVoEK~=bIZ~}p zyd!X|50T#B>u|M5;^t zI=7QnQ;*Ddei`vXZd^gKFA06=qU|>BeR-GB=qYQ;n!QY1t*nFNpilVc`Z#gZj({xu zHsY=!2>O}x7{|t&gHsy&adF*UdEfgv6Lry|ukao()nw757Y=Ocy}1->S+{()ixc`M z6c?nS$+H&UQu)U-+;s+IXs8Z_3*+l4V)${EiU$xTs9T`MUQb1RMx{M$%4(71InS31 zPR&tE!D?-KgZ04Hr>P>>p3n-qwyT2m z`+~>qb9sz>3(YIpD?~1)O;m#@up(vUk}ljRR%6FwPICe;=Z3&c^8WxLz!)jVmEY_j0Kjn zgq3R#6VZAzIzcSPBCP}%lbH$K($n|4PiUOXQPfiUS>0?^yY*kzuHI?f)l7C)i~8u? z8I>d+RyZOfU1{sb6lmZBw7%-ZEodb9Sx+zfQBRk3E6^c=&#p&Rx~vK)b=8!D%ES71 zjm3rn?7O){rL*yqmwl6wwVX)F%SDtr%dDRe23icsa=UT(dKyQ8^l4^^?R~wbkZOqN z3EV^uQ+6}^%qkS<bvXc?esBp~uN z*OgZOP?b1g^IK;=pr)ePQh z;tVcd6A0ZEtWsmMbB8)Js~zgJZ23jbH2Y;KFLQL*ujbIt>ltH#?}pWGJoavbx`r1U zW$x2<+v~|^FTklvzQqZq9=>P`M=Y-)WH9)ifPgEp_)z9UVaZsLn)0&YE`}N9X8E3= z+XspHed&ku)`v4JLW+kLkW0f0a>T&81Esn~U>hirL_Ku*a6eN$Rp_Q-IG_7hUUlO{ z2_X-o_S?_p7iWQ;^n-XiQmu;;Q;xfu;>^@RQPm_dY0KX-D(7!8YW#V6${hIVRUM(` zJCTx$cVQVC(A=N#yK2r>L`3sa<-@fg%<1z$8TO9 ztoL&^Xcby3aogS(Bf$`_kh-kmCW4!FM2ZoxFnuTu;f4lFI`r z9#oS@ga#TXPOrnsQ^Qz=>SLQ@>dgxxXm^O^g;5^V8IlCE{TZ=Wc_*_^%s%3Jp z!q2(AYP8skhBb>nMS;zervHH#A1upZj5Lo^@``J)dpir*YgD9ux)$~2=I5yz)>+32 zH}%Z-LkboqYUNhiMJNd}LD@zMXB`z!^QEhlNZ=%}&10fCQOoy?MB8qe0C2EeD!G7n zG6kH3@{?_{i62V5H!oE?DN_xf?FAU=Bd|$a{6Z<%Q!7+d!yzmoO-W6-Y{{L684<0V zY0mZ{AElw%7?Jb8bVu657IT)I)J$;hq`W??1!!X0t5NK@| zk;f4>8L65Z%vLT)bfp$#?lLd)h^t;O1xRA(L(85% zE&OPnEh)auUO;+EpqIYAP62tRn-=dhAa8klF;!yA|5|k@Ak@(&hUgbR9d<2UfZCS) z^TN!CYZ7K#RfzB``PVwZQvWTNFzH>cLlc!Z{?|W1;b_^da#q4Gc3SImLbGiMMY|v-03jM-r zjxoV=aYBih1xZc*mV{10!8g?%<3oIrKWZv~vK*Xod|@v_Wzj##Wd3>|9Ds<&G-~uz zo1G!QD*&S*H%(nEty1oOexi5<1y*_EX;%*nriU-S^6AAr%cB2Qm*k_+i=ppvp>9|0 zR7~@1b@sszH7_a_zKw6Ma4-$x7uZ-M%L{4|qM%?lma$FU(=DWnel5J>tW{9Hz2%>U z96d&~Ky~ksXup+bN;NF;R@cem440aLhW(UAbAcAY+PUCHJ?xRRfHf?`n%L923h)EuOvRiL7sLP=62SL@5&RrgcvPb&dbSdx-nAK!B~X?3WU zS!o7)U@XLJJ#g}|-}NS3rKYA{MXaKV2qDDLlpRsNvh3ea(>T((#p^^)r9^7d4f0}} zg@|I9uuF2>JWwzXd!8&n36a-&$Pqx68=-a754|q==o9F@u#p#1p(;yHMz(!|T-t6i zF=fyM2$BxkRu)rxu#Sdjvv_)*ct7h_-Q-XEzdP|Gc|?UZRlFkb%wQA9pAn`L#&4LBKi`cBO=u{k#S#D z?DIA@QH{5JISHXtG0lpTB2)}YeEy!u%i}oJv`EzG1n_yo^VlUbq$-5tr?L|oX#Usj z2VOB6ia3R|AS`uto_B~N?kfh;EAA?0iT*%7EV5DY=EzV(qCO=yRcK-h?pc#&z4)vM z^1TWucjRST`k-OsEgr~H2B@0VRnDZ1WmSZ`fJ0is!=C*xL*=#Nha+3JTw22e)5g#J zgchqxXXnujWw7k{v1B{?0}L{c<~WfX&$e7@0;a2W&s^a%71_r5e|lmQ?S7-q)^Khz z|6bbUhN+3vPZJmwYoKq_(!ymu>D7GWIq*hvm*9A?2jGc~&)c>IN0r`I9F+I4^wk>_ zXPz83-5lF?i8wMIgiOEptq?LOl%ORpP27Vn6z`;)8E7r72>>HqW~agEMV*-57=jt) zFHJPZd_qVSR;i5aIfTcUusDURne$J%P4$XC!eFFNsIgv+eu+0T91gH;2A~Kwt*YnN z*y+9TkMT8y_!U$rS4@pH95?MAuGwll{x9=mXSsTIGf`=vWtb$2s5MZIN3Uf74$OQ3 ztBl0#;d#a+_#7dihzLm%;ZurgfoyuKUE1|hUIF`O!B0$x{RD1c@}pLt*4|C>eXU=G zCpJ-bSweB4<@r=mB8n0tqKT<-%10!FxC13S(!q3_i%3WF;$z^6$V{CU5REr04*Zo= zRQH+Mw94i7OuZIzNVq!=68hCqP8~13P%U32-_cBf{ivbkwif8DD_lvGHIOJQFwVA! z-Ug++EY5+xVhhJ=q%i!m!CQNK>%bGI<($S^s&Sp=Wt>4)co&H9TAz@m?6ZT+tZgZW zfz=B&Qt_DAwnG^RW~Eit8B#}k-W(!fsHmB8g|s*<`vjZ}^=FtaI}pmMIXmV)|8`mU zSGk+g_G@b$eeQE>F%3)YRP#WWg8=~1XizE&9|O}#vWp@i*Uae$W%ZB8r^c7w3T^hZ z&1_FE{H_z5@?GYSX|~3Pho5d+S<`)}@tU&{H7cuQUop2ctx_~R^w~;Da zJ})a~z2l;d0xbbe+>IwL#BPt^sLG6)NZ^;FS@&XP>Zgn{ad8bkM^Zqm$dfz7^DJiv zLn~m6N;I0+{c88SOoa$>`ul_~S=|M#lTl6(e+RB{^QtO4LJ89P1XAN7Y01x{cbHD= zLQRAso>T8)wroHv;fK*!c|lOI!yp@MM00>-Wk0#W&2bNFm)78pK3p6$ zdex9Z4;O&5qffO~?B)p{e=~Qy2zr% zoZY}fO-y)5>|h!mcirpFn=I|e?>NhmX$qV^!*wLkA}s)_ac({9u^YyOFBM5{L3Yc? zkM6<1!vog=+l-yXv_n*JZaAyQTaiPw z{tAd?rh_?x(fcTipK8c5{EUgDM)YVLxVP+)AFi$0?godk(WUzYL;cJ1UB`&iEJ)Tw zcm-s>C`!ma?kuFCf?Q5M9U+$;14jZ;_!5Ew|ntRN5}clX9It ztab}q3|26DVtu2oWYV?V>n~FJL%bI|I9y>~;(}q)rjVQ%P%9$$`BU^Na z9faRigOrCCM=Az7TE7fjo-D4IZ+1B@g$zBrTJ(aJ+Au>Es<~Gh#6G?TWn>j_I9z5UBsq)J><;h67~Q0g5gfi=~coAw@adD3rW%5MCOD83pHjp%O+=>VWTY z<*u_d5jlunz1`$xZxZcg9oehG&Kf*ez@yWmQ>FUUykjDEWY2^AwxC0&%&KPCrb928 zJgOzrcHPx5{xNZ>UofGA&FYIxIWy?5Xq`FMRZXD`u+DEM^$(yrOR%a%P`+_sA(5RK zdmRaF=ZsmXxJHX{dt6V6aix7Y98pxLxdWsC0CAi^&QgwL;y{f;$&67~##}vy5z$w} zUmrZI(3q+5dt)5{iWrI%OVwg%ZB+KWW+fXVe$05gpCjrwFHi}Vfc#-CESARh?~*^9 zuBRlA1|Z|SntmsGwaIBtQX(W`Xl!b&${Vtc@`X?0EEQ%LfV=XjYomE9OH-={zOO_< zKOgkEO4Y|8>rw@^@tQ&(vxg!+6OeXnNayTk`N##AL2m>79qo+4_k6d+oQ=<*#kyCr zdWdAvr{40Bhf7l8h-o=>Iz{jSn!^Nks}T?4%BA^aIhBfKTjd4}Ekh3yrRyYxDf{y& z$XV*?4RFY}V8C>_aM?hibVN48nkXd0+;|Hd=u+xCVaxQcyN?og?Lx@tnkZ^(T-P8NAb{Q_;@E>AZQ3@1@KD@IIk?cj%y_S z2%dD`y7o+2_2bvF2=mTH7jxh~)``z4GZ z=Q%S4+N>0oUv+L{8se2iO{N^D_gHF&W``ZPT_%V;C;2700IsZ>8D6LCGWWQ~f^Ypd z=LFPf6kQWN0rVmap9daeokL3O!1-|&>&d(bYdpq<3+Ib}Xwp(4sEVgZa?HPK4pmf& z>F6Iw|9(L&!P8cnAUfe3HAJe=gyzywdscK6rUI+cU!Aa& z9Pjz^vVI6Oou*wT5P8-3{SJyw+Lni9usD6c9v>fh$u*Pw;401b9%p7`b_m{^Fg{_$ zkL%lv_@9)0ONUncLm9>+Wd=^BHt$(ke%HUL`ik&}qp82C`W)A<2%>&eO6nCj_d>Ng zoy3^be6=h1DW|A1PyzqT>&&^W#Yi)GGmfWvPWFy`6VGO?&8G}KRg;h&aSh@CX1K9z;9z#L|Yv!Or|QKGpFbz}xXZmgeoB`}`aKKNaxrC;xx- zK=NODFk|>5kbi^!XRQ1i{68Xx(h4CLyWMrnl+4;lyp9bjfzJKhaQvWI?O#eIX cFN#T6{<{9 diff --git a/resources/calib/filament_flow/flowrate-test-pass2.3mf b/resources/calib/filament_flow/flowrate-test-pass2.3mf index 4d1d0c369d5a0f511aa582c1e68300947d6e8c24..97978494050f01e29cd2ffe7c7f4e0a74d70c295 100644 GIT binary patch literal 142301 zcmZsC1ymf(vu_9l2@*88ySqbhcL?sTySQ6|y98O>B?Nbe;JUak5`w$Cz5Txbz4zSn z-rI9}x_YKss;g^z=2z9K3b1g@@7}#bgr;}zIPz#Y-u~-{{to*crz9(<1;Ek5(t+jQ zE6h9ecWLnm|MCt=!Tg(7bm~u9^8O&cUxj}r#pIt95b(|Q6`K!WN4dBB)}tuGTc=(I z#BUQ*PicQSvL2wo9eL3lq^SR8@!QZi2WPdXB@qRF#PJmp_K?@W1hU+jxEGeg!!OKp&`xbim%1ZoJ;VZUnx)fJFRW zZX8M9US{J-0|a00UxthWUr+YV0{&@asG1eZw^=F@c(=I)?E$CK@8x38Sj4|Gw;8gy z_wv#%@^<}l7U=i3btm$C{t}-X@OFLlWOMaN#4lpf|M8$a@FDQwlgP_$IBEAer$~UP z{YKz@eqhx2>n4cRVGjiD>vobfFr3d$!PEJ=l-1!tCHD(drf}%cUMZj6Ox}<+j2Zei z0)EDdMtr)sf()@*>^G~BzC9n6#zXslD$NauU+?VtV!R>I{&tP(cCiWh)E($`HychW z@^bO=cK327;^*^rdiVDHA@Et`jraBBrQJB-+?o`5em?4cd4%5dzI$m7^y|LTcma7nzr>%tRlhk8y|q8bzg@f@ zi9g)PW^ifUzansZyvexSKFjblWxwTDzDQ`+yhyl1QwlUS*1QSp-9M|MPhujj09mm+UZq|kZtdbvOG417GFKj{NJ9kv-ZRU1KG zFUn6KCtCqe_iHpHRZ^}d8gUMQC5E+afRBlMWybKBc zaon3tf9njq%XK=#JbH-g(w+f` zY~;UvP)AXf3A=mRa_?*5csul1fhxU_)9=GUldMns@g6Oe5q^Nf;!)S!;>qO(4vNP6CuCJO3kFRUiU>iYv zWeoz#wB*5k@?v&772BAUVy?lTSQ%F%_p0*d20X>yeVMN)uCg|99yP{qR#-j~j}Mc= zak-GL-)6xL(v_??SP2YvnlqMXaAgHr)Wnu{g)Fi-jj}!>%rX=SANA$tXXa{2K_xx% z46oX<)F63=vdVuds2|uVuP7-OVPA+p`|8Z}zh|ZGvz0f8OPU#0|56wpGWbilI1w;+ zHtZsPNgo>%#5MGtr8trMD?wy`fQ*%@EtQXo#*IpbdC0wx<6?IY8k17IdM+VCE|BKd zGl6EM?Usf1xNi*KPlgyuun_2ucIm>XiZO2k6c*isuB#V zEo=FJJ$q7w)RT3sG~VG%g7;jVF#73Gn}3bIzB$rmU9vzw)3DM{Gv{mfuSk4ZPR_Ol z{sUvzj9H?fB{4R9a3-0@l!S6pxp3)7B~$50tU&3A|L|0d*zun_B=E_8d73h6SH^72 z3rs9cMl10j!NS$sV9(tR{2N#TrK}TA=|DK}pZI0ZxH!ZN9mKCPnf`^>FyQu7^WG`+6U9*Fv^W+O@ zTp%#9*v7WlVN9_CN*OrDzdeiY!u~F*ezCs2VMDv#_)@AZ z;@=!8o`7c6)tNppDT`3L!WKzLCA5q!(BhPU=9B$nbVEXsEG1NwA8SU!>!Z5v@W%sm zl;E$Q>%@QYsp6-Gj?1;9CS2nkRJuGLZzOq`Z)po+X@tFGEd<{1tvzB&Tyx$oYg>NN zBpOnHP^vqt8!18;;FQrY}OBBoIaqu=b;m|N31GOu&t|PuAJfOxG8@uBCmp%! zrEavcO1~Q-pNg=ElkS%$;ndrkvnTpPbUnFuCAKw@+&jmmkS%BAEAqZi5eMFJb`ku2 zvZ* ziq%g)v#xHWCyh<-pGAAZsGfxYAi*tg7Is%BrJZ&uBaO3BJq;5YYkcL+jdxqmBWP6b zG^Q`!N{LlxRyxVZ)N3e5zC6M^TUG8VW;7m0eXamq-|*$NLnQT= zERi-gJ?5W1Th2~8ssr4+x85Q*iOKzZtE7-3t}m9bF)rp8Q9BL4P5|1QJL_ItJ~|pk zzgqVnpR6Xk@*8e`FE6S-afyr&N226}G1nvHYnt`gXm>Hwy8Mk|3LQzNiRbr9V}HYH zJnBVR_Afo!47TIpiwJS-Xy)q3!7Y{i#N*Z?g=rOm?vT$fIOXLEW$!eMNza#xyLvCH zK%ieYCYaTgitD>DH1KkgPGFO~tTB9YYpGtHv=hYsA8c0CY26j{doC+EbiT(vox-`% zuTic2aklwcXgq$ctb;Tr7z#MyeXf6G?5hI!*G}VI>uKCxZcV1r6!;7*gO$D}ef!Ni zsXy+lElbKfeqy1d%Gu#*+v2i3*ron#pw~-HT$e?D%aN!d zZ^^vrI25v->>`^_boE1Hl-$u(QAL?PB?S%mNq3Z=I#l6F@KnHS)O`LU6%}!h6K(R# z-k;k9vJ(;iiO1Ejp=9;tYzp$_zgdvJ^-a(|)+&Slc__~|k3`8!GRY_}$bTnI_7(FD z&azG7Z)>a+9*sM|FfMZ9_4i*#=ErQ-2oK>$)21M2uUI!hkw-~{!pktrErx>=wiG|% zgeM*9fy?e2oFv>B+oPiD%3`}NCjaj{`tohs8*f?lriO7lDx>Eya}l=EcFCON?lh)y zo#cAz$DbsA_c2|!8Isy3x$CUogl=}By{2{KsRjZ@F%H^JI20E)rSCLn7-{gqu58mi zJ~jaUkZ}Ypb>>2x^61z-(cStKowsXqq%NvLoqM`GUxky{_!+&LACwC9Ck((@~ zT`&Mp-%tlzB&-`Tr}eVrHt%F@V%a~YqV!o@`1COa41`^1j_XYLAA}S2n<2{VQ54U= z;4lK1<`%o6Fv4X<_Nx&S_U7?Xy6j|WN1ahrWV6$(ilq5D)y*+AW>(Re%QliS6ElQc zk;)+dA?R(pXn85QeO)-!>uGt(-F;oK)SLf5gtZ*yTH4u&lI&W}YRKFPln9^aacLbA z=2tkp+omZ3ssP0gZ~rAGewh7X`|oyQmy2n9mLx=u|94er8!>aoBVbu@P8RjRIv72? zb}@>(&x{>G@o!u)a837{OO1~u`>5ahc<)(c!VdR!ICZ8BR(onHvVqTuE^K52%FBOQ zvel7EzZ!EjuNTb+9E@_}|nC z>#u$8A^@3G;P9Eut|sX1m?&A`axrs(53ZKHC_FE#CaNBy8ddH&hu=r8elzO(mnb?IXrYFgIt>U!;B>N zMP&7QRr&6j9POx>uGHxNyFAkGtcgEx!r>jDM}Tfq%*WorIHkGdo4K+xBdDi2)NkU= zn^Gw3#=qPmUy^dXr70v+-3X!i&ZMWI^l_?Fmf#;S%8S{T+{U^vl~w0uBxZd4g+xEf zJ_F6l%JVW3+Ws%1uBa=>PW+JJCrwdR(C816p~YsLuUP8ZV%+5J|BFbS(^gfIHT*Ci zGN<|fAv&pFc8_=$5B#qLS%_Z_HUjWY7iYUWp2ots$B$mxyN^4>wpekWBYP?w8%PuH zZ6%ezwz?4u3>sOh!kTNO}C0p8Nmib$1Q%AubV!crX zEfO*LM&Y6nL|iGGiHgI>PcSq3|q4R=qpn%FR>Uggvpoz|49(~>BV*f$1+$mZ(+~_0r`f>>S-snmhN%uq`RT-&JJnXl)Du3>U1|kCi^8Wn3@sujC zAp`l)Xdti>-ivpNK|`#%wNjdKyOH3J@R`;#m$DtyrH>rCEdP>25YY(jY+e>K?1zPXnX6NxLlYzmPSi;fayyKQ+y>LwU| z0yXR;q{D2G@FT>9Q+0A*@LQNFrUx~vSgbGi&k8|Yao3R1qxY~4mobBfus7QRwlC+$Ge z9$Wl0Hsjz=+heaibWZG$>{6k+>g(x6;n1V3ZtdaReeG~*=`FbdIh|UEP#jc4}t>;4LBAc!pCZt`9$}O1p)S=K?Ng`U>M?rDcZ}f+NcI zE;FF>ml^0-^^f+1czxe*Ra5Utqeg3I8i!?ExPTp>eW4KXUK^L2K^5{fZB!C_7n?t; z1kJ9oAN9Yorkw7uEdTBOHt~TsPa*_`vbECmsPP&DVJpPwZ&AMM1!`6Z*@)b!2OURQ zR{yoRAr0!uuK0Xfa=zDY6RF5_VG&-^C{C)3cF@)mV{VIaAJ8fX{{#-Jzh={5<0A}e zwBV@=%P+DB)4o<)IuvfE)3q_eRD4??$ps6R)DoI6?rMl`f0WtBIM$FD*I*4kE8k+% zJ}Gw~_Sr(1D`YNVs^;hGC_m7{pfbQz$ILf$D+@W+v<2svQwLiV4^w;z700dt!ACW# z08?dVx;V4qpsDA~w0(o|Dy+|Z7igJN9RblHuh<5Ah*oVRBGXF^V&9VNy!%jz)X4ZI zPGpjNn`GwGm4eW!OsRp2BR;f!F}L!4(m+%L{}Cplzoir(AF`Jj_WvAuB9Ec0TC&8s zwn_LR&XA`X?tXx1-0`qT&p&kNGONnhoE!ODGrz(oH^j#Mg?v|mgM4f_?w9kqbI zR3kk(y1`qaR{vuUClf)+pjMNrgb$bh`s>Ge5(b|5%}kyS>{KP`98Zo=k`Qi)j@Mz0 zlYXtVx%dLc(7wX(`ECt<{pP?%5cDk|V?IpVi$kA#W`;*=fPfHP{rk)@$sdv-it;G# z1qzF__g>r*hR@h9)x&swnC6@33yH0oNO(=5@vO&`+7_=TgT*mEQi=>{qS-Dh^sj@j zi>XTU5<@(F9=n)rpPV&o(!BwzpHUnd0U9(jwcxgF_s}xQJ{$*{iWa&mv&`>;u*klV zVT?Se_N3TL~q2Iq{%F}BqI^^ z&~Qi=_hLARlZ+9H;~kn5U8?hl4mfSv&!GdJ# zQ$S|J^TKpp+3=&qiYf<3S3MeH@cO=+zLVu;49k=-ZcJy=&aeJf`W z%L-3YL|2IY{?gnSpKa&d#K!G6Cl0sgL9ZE~1HR2F{eFfLJL}6+%;bTL5MZ;8l|8*9 zR=j>jDv*7P>X+b>0&oCMzypONyIzA_e8KN`_at-tr!qqUJtr_SVEJV-aJHTSaY(ok&573$!anz z{nYZk`gX=a^nj(U+IHu52`ZJWsx73S zVWBu?e+?Kj=J~$AsgIe%+rGN~7`Xt{QpzvIh@;_0YLc|A7FTM@tHC_iqv=D#I#3r~ z^JM`w)X40s+~Z=;yeP#FYaMr zmz)MJ?Ve(`4qy5cwuB7I{uY=z_ZhK79ZvPvmp&lPz)@WvTN>eD$06eT7iTSVni{D|}Yg08h{iyH_S%cUZ=fW(P zYd_qrLfh>_qr-83tB0W1`|LUnH7NT$3ae$J($_d^CW z1tYj+KmPHLFc4I%3Mr*m>Bw}a)@R6~%j#cYpY2#karm*qE+y3xsHmlhV0|>ekh`IK zL6X5+ntM<9aB4%xz12=lM7T1}by26hqdzOt5ofl7CV}eB+mKFDUmTR$0Ul}WEav2v z*v&SzWu@GQqg6y#531S3W_~)gG1pAQX9h3^WJ-{n$(5K68VAvNf#Z06%}$*E{O^I#NM-`TcJ zH3AN(`|AymBQefb)v_oXF8T~HyR;e8U@H; zm!RI~Bafj*!;n(gU%N_Wa3pz5ZA4Rpo_h1?D}%+c(lkBq-020`E#2E0XqGGzBQL_@ z;%Za`o%jDye~D&En}ZFQBzBreYNGMq+~0v7S~o4_N@k-^NdKkt>w6(Mot`67E)GYG_iF6|?G!$2U4GFrOlaqa%_)>ic|9 z6}*k;SeFvKizB_Pvi(w1fr zec439l>mRmxm;j}n^jT#y+6C0>g(suW1FPtP8&yO(LJc1H3f0&X-7ApO=cgth-#l0 zC@%bCpM(N;4KRl8-t1*QuUad>eW4tbeFBy9IyD0Sf2>@J)XUC{7PYhf+UD;7?n(2d zz@M74=;fhJ$8AXvrh#G=bWfb#C0hNK3a3;Ba+Cx?4W9oH25JKaXHu<3Lf(dcBxka_ zm#6!9RQt9M`%&es(UbKfK@)q!ux)W5T-ULWfs7o}`vhua^;kKf=Fe4E47lVT`Oc0O z2Ro-6E0rK|W5tQ&?!>b&p4J)|=99GJ6Db@SKc=pw=4neA1rW`VpXnoCK?%nNZjwIf z)J*Y6sVto8tmm1&PuH|n$!qLPPdP0vJd%GG z-<{b+xS_|JmcpV>v0-po2eL|@$r0tBc+X`Gwq-SU`iR6K2YY?`O8_Ddiq>&4qkv1= zo{Mu}Q@^CAtu?@#7INZ}8S_-+!Eo#>KZ#m50cWJ?K}@`q)6)tL-ZrcJ-&KJf?$+bEoq4X6dctxh+Ux`jpd-Y)ava--_8{UY})&|EU4E(96;6XFr6h6>wzPIc1_wE#PhD)dVp4g%N+p5!|wEe_NMeV6}jp?TL`g@YK2V|FKfIC}3Mcp0|o>q=_2WC7a|by7sWLS?Hrfoar2+oqZF(Rs5O zt?B!oW_%cghQE2WONP1yb)snAnN1J+PBYU$!-`|Aact8viWv0@VfjqQul&}x^h;t`57`7rPBPLeh14S7(v)w}_MVOR#c0Jh zC27{y!t^F$r5}#avO|f(k2+Aqds_&%I9Ee?V@r(<1>f{3WFQ9g9P5V+_K8YPVxwuQ z#IyfJyE1Gj&m|sI!eK6|Ajo)?q+Za|6q`+Fmx_s6;2M4MrMmX}Y1VL&^@M;xb5Bl+ zy$$Cn%02_uuB(Q!MQ|3J6f1}$1(kRjswVtE$G`Dk-;zdk~9(?<#FFu`{bqoLnTyK;)0C6GN>mU0f4igR97XPUxlVu z1L%?U1Vp=(Dx&-txF-SRE@oCMIhKVA6Uk64L8HsI=Rb}U&G1GLs#Zff)y_r&4wqwm6(R}SRMmQ zeqT~kwjuX^)seU>m8^tqOvHWgV5t2l&{*;Q)O@X%TWQv1N3)SaY=-|TM1K%{-jH&I ziV7Z=EKvY*k`1O_OAT94+pDRgjAb>nb}m2I+-y_=K>UPL^LwCQtIN>8SgrS!qn$-l z1t6=FmBSOljMfIl^=b8cKe?7#z}A&sJKDZq%Cs^Q7niFoJ+1qR9wu;`DmS+w=`$+W zzl+a@I)$&v~ELo>sqfoYz! zN0JW?EW;KTyIkbgfwT|s1YEgCyzq8z&WjN|<@vim*|uid8uEf&u^3BmnyNV0Zi%vh zDmMGzG^#+xCK49$rYqgqZ&fRh@c@CqLex8~JGSEfL_LVU%pT_mjG^_9+b~#7KETVD z5NhQ^`H}U2Pxa7ieFcBu6Oh3Mfv*0G1a=}!qHgH^ZeCjZ#iNyM-EZKa8ls(n_OHxN6 zsi5x@Sy5jG1#7PP_BwnI?ykV>eH(=8om23+WTMQ`8fyJ0ku<5HUa+F18s~ zAl`ZheWCVb)!gHx`=&_=-cQuN*vjQXYO^QONNq*QA3cz9T1BlN@9vvcz}Q^(#j}TP zyWTNW0MznvrluYJ6tj_~Xplk7XFXN)E5A${s9R-CG@<_xW5m-?y98s% zoVt@D2Wj8MZ}*s{pT#B~#MYXhe(0#OE!C_tHVevV07Ji<=J!~4(U@O7MC(yJ7j8pm zm!^s&F8;vmgZ@OET3zFN^K^GWKbw3}%COY%&jqc!TOgNH|470Q5Qqrn_ z#h7@DLImV0r`_Wor^Xz+7JS#bU#zx4UXmXiQACh#B3}i%4LP$jkjzb8djw+bKxod93?+ z@{MHrkDy}aS#DR`m)Glya>iS{uE$yX?!cSP_NSe#(ogXSoi`vG9N25tjkoKQ(zl54 z0Y=VPT(;ZY#LLT1xvyKq7iX`WRV)124;xROZwOZNulwrpGzL+Wnpnq|yhDDf*Dfp=b^xvW|_Kd6+(ikm{!+5)2RdrADHV#liax z2`|LLHH#*VQFHmkD9Yl54{s^kSW#E>nlAE*D;n~N89@0&A36C%0Sjrhm}32RZovGz zCmRyucPF{`26Wy{T5qFpNsdA)A9+&>!U{TICzJjv=I6OZ2U2Z#b#5|n;g$VBl`kEbqisQY4xDseRSW?SG4&K_Icrd;H>lBEb;+qAYsS9RU_UO_M zR}3@$i0RiJ?JzZJ+Qhbe+ys;@Ib{w>+l1lIG5u|qe;LEssUAiH&L1=}58AISC-Ax` z{Hr|zMOt2dB#2S?gQ~|hk$$|BiUg3W!L}xdiBCFG5$rKVUK1PZvIqD{nK4sgdcUTO z_1uAo9%SpVS%Qk5zP#TMqWdnXM&b_>Y0z^UYTAY9P2cgC@%lx+4zo{;Lz%y-7)DUl z0Ie(DcEykDeWU=o>k*Kp^3n-uLc58nX z!iES7Db@+8T&h*F%;2d)SK$5^*XuywP7+{%*(vdrypmeDDYHQauj%2jH=YK zpZ(rUp2C_Dg{7E_Qw73pe!@<5%o1cKFEZV{3Mn8!yhoAG# z-r-w*iOy9E<0waG&n8rIlTM#JuuguMTh|~#xd3mwO7o-K<`K!XL)kX&k`b%}IK%If zhfKFx3>uP$5?r$c-8{Zn`{&JhX$`8zx;y=*w-iW9QzfCea~5YWo@>Z+DtES;s7yCf z>`tHHC`mrBFqfwnPPUD5<2u=MCUMU4xpyR?kLN^JIiRUpaENd6%+gjtl$jNr*ks0Hh^YUcgxApOzUoWd?Cb%t8MG2HIg}wo=gkdA}f+Xc+VO5 z(fty2~Wrr-Hv znMcHADsHy$5d22(jToPYn|TAii6|K8HxPlxDq}7I7Ua8pRbvf=JO8A zDl9#n%Ng!BF$t~7920%~;X5}msseNsEWVAp4o|EZ+;=f-X-~&9zS6SJe!vf3DCefI zdifRQgf`Knx~djitk`0Jf}7)W#ag_IDE@-^Et^Ev(a1aacaf4}LvscfN(PqKF|%G` z-d}{BsZFr?!1R-)i~KxfQr_JnKxfj0k2}Py8B$6T54)%x3m?PfL?&q^B5`-mH}*K^ z+jkb!^^lb4Vzp?J2Qir}w|$KL#KgZlueE0njJ)*_pl`3e?V(Wt^=1S{D`SjMfL zB+fl*`5m3A1x*$bkb{Sg)k3SEszzekj1e@cCiJwJ9IMK7u^}|c(u`Q6v__1PS6IeX zDiW=)U{+m%lPBBzUH#D!-pNS>M{+5V4fQqysxDi)#qP)@nOyxSlW@nb;)V@L`KQRu zp95byvY+*$n;{3cEkYJZdsw5P)tj!aZ>!4jgg_lzb`psXgX!F(xN+Iip>8@G4{q&- zr|eo4ezU5|R2D7Sss#TE#0{RG-E|cZ+8V;P@Yi{q&gN4z!p@a@boXv@ZAU=o zUv#N_KVhRgy(GTa3_iM{aM-9XlarkOz@5yn8Tnxsd-_VKJbgl&m0CnQw*rQ&tf{%- z4y03i53O9h-VzT&Yiy;F<+>$xH_3s5&8e5)y*ExYLFUGDDhdxDHl8t&h`S%cE>C!& z+oh8CHLv4go0@1PG^P^7Ji(Sq;lhU<&n0dvZ0jodx0H?-*X5%mL$cB?f{oj50R_gp zI>#d$9RQ|;EY#I06r!5&lPc$(Jx(`&7lugfL>E^iIhlRk`|l=0s2pSomQq11&{Cmg zmLeM{;^;lOb<-@{kZ zI4Wy50p$w$VUN-JH_&Pc#>!n{*+b>IJxHyHDz!f8P6Y<5P_*s0onRHEJR!Yq?FMICyy!zEX_rbY$485+jB8YiQp#j6^fwoQ@`MSJqNc4WAue)%7Yi zuOp2?4-D({jBP~rv$eWW>`2FsMQx#SqoW=NB`s-6sE`O{P76H1hpGpwwrZL5Gtbyn zBc!oc^oH3rQ^7n>Af_Fi``$uk2CJ+2CjEt-4HVdIkVN;g4?-81RQfSX$ zGcu#GA$i_zwo?ohp~!YC+ziMlvQ-I^X0WkPXWp>7^^^dxSdmh#$BY14j{IF;gv1nRb+l|D>q+Fmb5v!S3F44~nAV@5&(= zkrJYOWz|Xime<;MK5EkN%RUm<$`LgK@=aWNwTZ|j_6USUxeXrg5l#915jJSoXbSJ= z1vjv15)YC5JB(pU_wR3cR;C4+XKu_ry?&yquCXa4XdRR=F5Hg!{VK;=sFJ%rPYU zORItemuxE=svkmQ%*fGinOqeRZ*K*?h9eH(ro?u>!0ayYm))O3G8&PgXAGzxaQ!~j znFueaJUFcai`9;>c8PsVihNQ-d~)pqC!i;6hwSvQ1ilJ3T#oJlt;%C7r#-hi7|NW5 zi6yz+Vz$Qoo!DRqE=g+!Y~&E1V_l+#I?hBn4z@^5qxl#Yx~90>7JPKc8kXH3#79xP z8RagK#G#g1w}@<8A0~yPJQ|8=-5;|0xy}!@9p6zsCmxRnrB7KhU(vh|IG8EW;ac?0aGK(5LJ!XMxt{qvAW8Y?I(L0ZmxSI#o*U8w?7Q{F8l09;RvtW>+9FyP4f=)K~$xf_1M?~q5U(@ek; zPoNvhRWnC>*_OGY2o{3vpH%vhttb})|Cou++>sdc+QBO@RUu*8tYZYYNHpy+@6>LO zr~d27AAtf^D#axd9Dr8&XqAIOH2hHO9Ve_r9QR}92YZA?Jc}Rfev;u(&rOt@x|F9= z%tDVd2}5$5sjn3Fg8_7c_8m!B%vd6bw2!T{s)!A?qP#&I0RqWQ-W+I=gLogsndSjEiP74l17>l9r)~s;R?h=Vu{k5r}Bb;|pLw)jr;B zvH4?njhspA0DT=gEtyu{ED(@AE~F~>^BGwRx-2&f{?UFcK5)2ZGinV5SFsa2^=QtG z+;LW@pD*IFH1jrm+}>TDocGx3)=jVljW#?&gyD&%Dm98-8s3*eoS@S`hf2W8GWK{^y9h87soI9FdFUTUTieI9}nhit|Z;bPBTk;i1)9*)_ z<99{r02ywNl_t(+T?|`1E%xRdbO5aW(Gl2@4E}yAwsyquTzOpwZ`OsCbfC`r%drx` zNp_8Ejdv34SZ}LA!usiis{tPi-VJr=6nu5*#Si(sqWBrU;cw(DS~Ec*-~{awKVLFv zCo&%@e4c8uk-rR}o!1w>VYkaF6X<3CGe5S}IXcddSCD-Rtr_W)4d*=lB<_a{!TScR zEn7gnqHjlL^eq5E(WW%J(zo`qUioT`HMHrXNXlaQ&q@pB36pa#IW^V3^p8PasQ1Ej zKXTx9zfUY^WrVruNm(MZvOaFN3lGAhrt#Efi7DBDZ>V2k2N&)Plg+0s5@)N7*N)tA=mNw5Mg&%kvJ3T?vY{L$nqgt6ki@(oSG8q&%V zephw)Y;n<99yY=Jc@habJvlxhNvLkK|H(Li`ukTJQ<4PF2Smt3V=(29z)+8@uY&ZS zVrv15V|ZD^a*a9x%scHjb+*=#XJHfk%U>_1Q%|fgKZ{Ho=?jo~ZZaJHA?h7ot`x80 zqZ7dpADI7^!N~uJ(i7&V-KFoWn)6nr$U87#z-Him(T)Q`*jm|0lgJ}g$b3f4v@bp; z{5BcoZm$ny4~f+>vSo-&&cNrc83EvE5bEz}e%`B-!7 zolnQ3B#8)0Gu%g)Q<}xD1aG?O@0bxa zz7D+U*DPfq0M=LXGfu-*XJjPRQPV({whzJFJFODsILS_QV(%znQknlM^2_a z1_tYcOal@Z0Jm^&5*-W;2&jyVvm_8f|49u7^&32FeM*mU#cG%s_4 z+?BaLu{UaFW2KTyLrVJX?Hi+Fu{4Y{<%`7yQ2|lr2n~Y*8m9Ah2|AAYS{PQ!%O{fc zp~GRNai6i!^-`uva;i!nb$#TKcGp$qua}w{>IWmIN`{^PNMdp|rWON#WZ8u1ZAsd2 zn(k-SFp*i9$%o$)?yOCfOyw2oj-dlGe<8mPHo3RB$0mjSlNwxCwbBIms-%4J zc$}KbB2W#o3LP-)oU)XWP@<>J@1*YRML!aoC*v( zY|{!0AE%X3XupnPpn}GzmZmQiG#2|aO3i{Z9{I`-0laQ3Sjw#hC#mWN1jPgyTa`W! zyuujBFdhCBpN|7>BbWT2W^bNL7d?#)Nq9T3o`_$&7sEyT@9o-!s_w>)`c7t#%!N>+ zY0WUi-WF)h99z1o)>H5ozuk0~Xls7h*|NDt?jX;}?SsYr1SA4zc+FQ0etoNdPP1ud#w9FIQo6sl18X_JRO zQiq<3LtUW&4Pj)o&oRF8A%Hw_7_9Ac&q{?HLoB;)u#n;Q#^%)F%|%I_e_@^nYpxLg z<%?6evp=Lcf$7E)kMjI)2*vl5G|`Kctv)9D-q>#`hzoatZBVoeVxB-LR4Gz@&0n>rGo- z36RPYFMwwn`SWDrAZFIG(e?$8)L8ez|5}Q?5sE^E)fQ6Tb!*ARsj%#bli&%iN8~1< ztRWzgGKf;K#cZZ-3CxS%#eXW?Hpc(z?S}zH>$1>QQ%V+ZFl6JGn zNPxf;DZ2AdHo|tK&oOpnTGn9k3_Wu6X%H=5nTqE#)pPaI(gjS#tU^(uOyy0c+CFJw-xqOUW*X zBtt)W3X|8cN5+c9bvflxi32O^@ptgl;us_Gi(|^tQdiPlePdWcTHm==L^!L2vEo8!K?x-L5RMDo-l)A=lu^8Wa z#@4C6SS1rYnfT{@P0Q5ZAg2maKdDf)qhi{?K4VPo8~vlCZm}>)t{kK;kP%p4F4%Gs zs6>DA&Zf0-E3Z^Y=Y5Cbg~LQ8A&&J%@_aI4iC5Dl*e@o_pOciqIysoS1D{>ka?$_# ziqEzw8F;!%_+mixanuxBXz3(bov{>pMnf`9y#(u!zF4~YewUm^k=~L!RQ>Y@!VFas znVvo-U-`0hv4;|~u~FV3wR5(;9KZUv7)KILx|h;P-QJqNkLsg+L>DbzvizDu$?7u|$GR+zfVjq z@{;3rF$KJqL6UZU8a{N7$x=$)-dXs4Kv1jjE@2SIVCfJ0>pJ)JPWs||#?K<-b~MQ} zlf1=WpXoN{?zuoG%M9VI0M^A{a?vG9|aHRKXa~>eM)xx9u zq6gYzp5xLJPv?Headv$z$=hc|{gIN-cMsT+dkgB~O`t1Av;b+5=_6WsPP@3(iS=`( zjtO4X(`wwD9fJc}v)&`0GJY~YtWr-e{UHPKJjuw4mI2tNYQ|TCr`;Eifd2X)Qn{1F zXVNSOSSskbYBpbQ4Yo|jAYJ2?`3-uJcjX#D+GJ^Q&QSwKEO~RJ)ET|p;*PAUYK1Ef zxXO7M|1(_4q$3i`@`1m`UPt^y_CWt9B*&0Tk_h<+x~3NKhn8* zRkNZ;Gu$d$R!Dx<_Fp$zY!R{sA}!ADxNlO<%!gG~H(HOd$1mSKt+)Db>Lo-#7&n9{ zg9d89U4j>htG8La@ppUg_6qN?CfjBv_cj`mu`2QYl?+S1Fa_Gxf4YnG34X%){&OGe zC8vtJzPv~^$W?gXVoOcHgJ=ms!ls3@ecpC+rmGuqvPDFuHq~PL&yr1 zaijl(f!80caD6Sh$#`dj9wH~_FCjvr%KXz&n;zn}R9uDQjU4%0scePgm5$<( z%PWi%KytLr<*hXBN-4IbsV(nFM18tkr|U*9!q0)-^N3-NT}GcmHn@-a8oWLc#{cvl z4DP>sT3LbF82=w6(<-@Di;0@U_}+$CJ7;nh`7W<=wTQLRyo#2zQw zHy*;3Gq1{kM9iV3DrfPgrKy{+qThBzqfqdWqCD-tKtyTAR7_nuFYD~$!9s}V(%VcF zTHy;;fM(;RkZF47PnEB#LN(Y->?AyJw0ko?BwK1Y&h5r_TJMt6W}H4edqTllT_AID z%2ddV&44;Zy_>Me-v)0TArkr_4xWVxSEPZ%j|xSHjPb(-OwxAaTaFPEu^hX*>_L;= zk;HF9JGzUve?F(oEC#+SPD%J**zY1S(I8It=}p6x{2n?j)7xiNa zAW_m`n@g;kQ@7FIxP^y^5ENdspxulJ|D_mX{Z{EylI8Tzj-)!3)v+C^E)?W_Cm}Pk zHsZDoX7uLI{leOs;*+y+=9Bi1F#?Ho#^^@3{V0Mz^cf!|S#E;hwCeK_TmtPmQI0{` z)qsE}(c4eBS}YSqC_9qkVGyL^#Q*3*ns~7oJZM~cbQQWh5~Wq6@hN*4(}A3Q?x$@-Tx0&XC2l?)3*J)#flbp zDemrCthiI$iU$cUh0>PdUfhC1a3~Votw12SySo&J($a5xKhJx--}^_7O=dTPi(kD`lG(voG?F=G6oR6(Y zYmxG;+{+(3%8frofn=)kTfYsYwWbiH*j&sX&oisfr+QqxbY8;szw_1o|C+h2tluKH zQV^S?d98Z05JrLB;pF8^#K-gz_ndYs^m%5s&r8C&-S3gQ`uDf zwy)`?j^3dXg10Z`FJ~0t%t!EeBEw4})rTg}V;0vT2l~^W!q?NfpL&G5q-9+@{~Mwg z)8PB~=K>%J{Id8n@_Mt&_0yl5M}Xn5{PL9M=f55$)$Sv3I*+|M@eAlptMMc;!>1_B zhLEi1%d4)UeAP{{Z3FN@UPHUTCL}mxjVQi3+^Gv=%5+`-ORMUrsUxvL#+Q+({=j&5 zqc76&s=-(<0O!%wDMn1{cCpZZY)TCNX~4?KKcFck$^KX-_NkS5<1hJ8(3B}NNx4E2 zkwazG^S*-uWka*MTplF>ql5>~Wh$Lg`^1@jvMR!3}rrGx+v zsV<>q@xpfZ4f@*(UpqR~oot2QMCBjs5FfOsQuFqt^ki~jxLV^@p)Tw>M32>Npcee0xIK_9_6P$ zR}~my%0AN$r>w#?J{2@~gBxR07tUhDhAv($LZyXc!NCS~yJaPf& zXG?rd-Iqf1e*^n%2yEj*h+kxeuwz3%wv6D10uYQTxJhrgIxIa|Ka;pi0l zOvZBn2*+cL#`d+_i?r&6HuMJOJ=9E+miC3A%d49ZIl3J0Qgv7Y@#!Ue0in{qI;%cz zZJA$$#jAOKqg!t}=>-hFtR=ft$vTlCu=_5DB1`yAFskPwE4H8^U@IZcr6Q zCPn@k*BpC2W`47brzNZ7@yA7_QHIqiC+q-a++JhLJd6>EfjQFBFGKA#gK4XI3kx$? z;3}S1Kq>!?!Owj(JFX7DCeFEYoRGjBkdjW1&fC**mGLtXW_Xul6a(0fP!W=iGRMgr zjRN=-f1~L43v@tHQ)fv_T|jHjGuvJM>+Wx!&(@8yC&hj_3fsGVzxa>E(6xf0U^iO* z7gIxLbjL75joN$z$r`KTr7Yo>6AP%y*GqYV?U`jl`-n*(ERW_)4$BP8aP(XQW^zjX zWJ_c!8q&inMO@?b*=Ho4P3H;PWc+tq1q}WqC+X+L;0d(`Q8Mbhy@Yh&bUE&gXJIJ< z=D2YN+jdljJVCq62Y#B@6nT4otEg3*v%t0v(Li33hOeAIe0jyht2`*uCDVo-y#*y4 zU6;i|5__4A)QUPjFyBn*I5`{QG*EOKr;hvwxnkHWnnrZcc>D#tu+pf$hw+W}Z)Rc{ zGNIm{h}EruTGr;)cs~(_zX8(94^&mb6@8o>mGEdstcf3iG28L~v>8ybrdpE;ky6!~ zFr1cb9Qk~pRtMs*ZUZiR!>u^gXRw-n>kquuu68w3{_*Mm4EFLIoAHnrL;xn9?*bIf z{^5Q~rCnHWYXf5WH)W@b&s0PSPR;Zsg+ix-VIQz7XV!an5>AP=zVoh#8q0)+FzjObE_Q@0kuAKPP}kG)3?+32>md zW#Hv^I219MOJL**Qm)6vvvREe$PDVc4BlQjhIz5M25A#Myr1v!ZjVMW_#V<8M~_4? z))9v(?89B~(akwM!u6}6)QdFt$!_m<{^;iWG6B=t0BkNN!*{1H9F?LY#~!p8S8A1% z@|b_1Xm2SNIDRDu$(dOvxHBvyuJPUx^AXQU-YoabUeQsd33Av^rAB;kPj`^?(3a#* zd~eiuDRCP0Lw%c79)upx3M zVN1Sf{_bJIYfiF-HO*$S#!?or$9o@RQ)i2+7y$uY8>r! z#qph2r^;PCPer~1ym^PHaW?OtpQ$2_UWG;8{xGgoC~H?5vd1125FU+H{@^vvOFK@G zI+#@-1~i5oYuTJZbyT{<>~A?XTc9lhhfdhEmhQC3NzGpPATOO%g^4E8sB{ji?dfPZeJ2o`tM*#!-e?6ZSV|Y%(pe zGQE{_wIqo+B@!Q#)HG2L*)@A(S%cVP_u=ouzRN2;6x$nU=iqPJdqp%dA40&xO_#?3 znxqx6cKdaTE!OmSx$?oSO0peMN%B`9zJ!Ov0nOfVRfN^XJu_2x;CJE#bmYWKq(gz# zbFd5)y3g!jOsZA{tPq>20}fPwKZsSqpllMgku4V9*f`+Zx1)z$}76zwA7+TIS|GoGZxeIHqS0)8wQ%a-p3 zk7`VO|Ck*iMFp0KUDi^BU4(_XJd)e}ao%<@gso00tWj~IXHvbUj<;JXa~-wp*s8 z>Iy|h^QwNx7RN+`DYpPZ;qz5+e!pvIQrOroA{C=m1-FS{w<8A7re95_a1wcC|8r)~ zeEwoNSy^she*oAZ?ke1%bv?^@!xc@SP`ca?aYD-0tDzRMabxRj^2jREmZ7R;blg!G z+is*x4a9}%&*M^&5yS&yr>KAu{cl112BnmkWX=+5!1;ZUVo)pP4p>tC@q4ofCMp4_ zNx3w(>lyfd?rA%4%)Yq!)i>ixp?`dmH1=I#NpV7-hUNX0;@kR8ppz0;4`?vfsr^~) z0V^Wftbw|aRPa36pbK2>-sI3$j-peqyUx=|z~4c|(LK2eZlZj;O1S?+*kfvv=~IQY zy}cfuC~u}gf|eqLs-`2q0mY6}Ka{V{vDZCA4Ft65R;1<}#z5OTU1!g4X*zPXuVs_^{^f8vbcH)&uT=_{YuObD?l8;Z73#rNAXVuXxJq3`q*?eLgw_pG#G**8^+b}NM)N- zwRZ_X1lPP0JI+j*FROR_!R{x^(iv#mVX0{$Wvo}Qs~C*16I*hpL$7NTgAokJsjaDn z#JlRR z34)$g`XsmY5jD-Csx#ToYupD41+Xszl_cC(VW`60hb+4Wd|i(NB|*q0>Ijk`iz(p6 zl;K50s-YsgvID1(huaRsc5yW!(Qn}KM8%#ij!l_+J0XMp~}T2rv;{ zEZgk**zUgnir&#nHibLY>&SklN}@%RQ|q0zK-6>WcLDT31t2N zH2e%o33Ky?!n*nBVWJko*Z~+2N*Z@~iPqw55}& z+eUHnFA}>9K>>z(a&48SCg?npBw78f^iFM6%H&Ig^tI4lWvr}ZWho&n(Bj4vJlgw{ z^YR6ix(?IS*winR&;+5cD|_qZPP@*pQ}O~j^XUyF6z7NRu7<$s1)1;63$hxirW50V zsT)4^#tCzL9mJ2mYCo2E%#E ztTwAjzS^jSzEhb_gsc}e?GilNmic5CPF|C5gqC=t<4p-QWMBaK=qx+J@{J5q8_f(_ zq4zQ1{VTR=0~S{tY5D!D@=&T4;^YNFbiD@tfp_OP&ozdmZs^OL(>KQ9r#k5 zBLnz{sapl;g+GhunPDFXy5Nrv!WySI2P$_cdX>G&EE%@Yh1DX)8m23BTGV^Yx!iRW z%b+&_tRmPNqvY}PXK3prvm6^KW9@0JMK;p=g~xAFp6}8Fy~}1dU>DmQlNZ-GQqqx< zg+@EXkijZYuyJhW zk)KO$SO>=@;gZ_6if!*?gk5mVRNP=EQ9aav0fzMm9 z+973ZrZdx-?#N0u$Jce{`8 zBwjRccYw*S7in@P4xh3}lktTg)#TW8CQ1Dz@BrdmeB%^DzEp%So~frl*{IBzdKE_N z3VkFNP2fUU4v#6n4s!@7$?Z$_nX{pTiS~%O(XI0;t7AKm7g|+_Ym58#&`QdjN(v81 zJ5CJu8JX$5HRY;_st9|@${-OI&~0^kf89nDUYYlIYBmC-eu&c6`c2Q;PJ{g_R(lcN?kt6%fHyMge%Gs5N6fH zb2+pLC~K4#nJq(y@lLCWk3hTHe)QVkBYj+!SCyTzSoq;>S&5Bk8jb-Qg4*bZ==R5LU9bzL5i={ z^R2CANgkJ`Yg(y_Z0`-#lgSjn31FP{Sri=jgi$+!ui_`{zlaHDL$c+Wi^NIRYP{{< zjh9qhT24FMioTR}(SDJwBr8#>pDCtUGea!*rQj^e^2NyZtn$bz4+BP%**8RU$7%`; zzl)rFe7AUubjv{gmZz}vr`iISeIos@<3OlMJT};gjZ`l}d6}w8XFzg~8a=bi{ngZ$ zIYEt(y@=!ngrfwGhxae66s8R+d_4}u@5rVa4{t_JS@MU;8xmRy5gz%44TgJV4KYbR zq`IO^Q}&=7C%W~`*OrV-^s}Oqza1nP(;KQ(TQ72K!5`F_WFc6}`|@P?IqoAO+F?aB zbtYRyRCoMji5|Bs45iyzs+h2_HN>ah8tEh-wNI(x?gye`IrT%4OG4rCV$7|Vp^uu8 z?aQbOTmqV6h)H9NW@|1LdYBxqQx?c@0dey(+ZFNby%h-VyIvQ{qU#kQdLj?l{TGG2 z%)lG8doVCCH}40*Y)|KpWo4FaLr2Z|Q611!rlF>l*l3dB^?J%ORSL=2IvIUv*Gp9? zKA6M5MIhD@r0>EUkXC+H3(iSM&tI0on6oN5FhnjmjT5Rk(3w^DqB1dx&TgdI<1O%8 zvkf~7w;EMii6a$&z3$W!C5z)Gb$xgHB_KRMd?1rdUNqcI8sZHPti~kDQ69FL!l`DF z+?n(?n*K`KT!?3kZ1&SKyeGQr!C13+?#=*^5D#j0{T5%h0tiaEf3CZvKK|~E_XAkAp_ksDwKGHUzam~+6q5fda?{8g&y_U^2%UhH6U zo?-9qzYe4Hs~_P8Hl4%039ZH}iqa1CTBHenD^ngHhc9XNV6bNJrtDQmPAa`-fZm2| zd04SZPw|jUZ}x9S9rWS=Jy{bvy&|@vkwWy_;5D9KDEK}_8Tu|IS<_ieBx)LkafFdW zF|z4ovAQ2L=(kzc6E^S9BOrN)#M=%wIH3yo7Xo#`vh>56pmGBg^?5f9{=lH3@bs?O zBF(a&l?^XHmhz39HvG9BD2i04eDryJjrff1n9@v}k{5FTJO&l56f@B?hi&&uxg-=m~p{Locn8$ z@5#&B>}c@Olk%2#dq(p7H5o}oe8b8%uRcQqvlwQ5H0Y98Pzz9BUB(nG%hKXOQW?B6 zf3f2`J-|2e$&?Mu8OxXw_-~osQOPM?lBr%Xe!o50$m+Aah}8HZKW(ncM@pe2(9*~- zWfcJBe#05*42=in1I{DsJ_8sfF9Vu2QY5itstu1&JjlToNCtkoi4Gs*B8P>1VI;eL zp4ejkBSnVW@PJ)^@f(&unFms;%><^>p1&W}zbmEr4p108I|BbE5?_0~c%BdS!(C{l z?@dl~*ol;>?x~X4OuN-jE5%5|KB=L)0fCAhPvz$JKXv zhxixk30s)44CkQMJxs)N*Yu8Z+X;@)FQiyI-$U(WN*-lORAsQo4`anpVqvy6|B&Zn zxMGT-Ao6qr?BBScWpiPROy&aHY?I?`3b+)!UUkaG!VwtEuoUa2c`rUDhaD^MaxJdj zT#kQ;T)?T0+A9h@nyx9Sr^hGm7_AS|9QkzZKJ;;a12b>a&46HX82|TyXI{qm)!IUj zcF8J>R2N*JJUgkFJSV9*3i$lYNrG=iV+e8wV(b@{-P#v@f3a62_e*lAH|Ba{Z*XEm zIXrpD0wqOsH{Rg21nTIaa5(xVuY@Km^v{9)OLX=Xwjn|lvYo8DaF{GB zw_!ddQ}l*@b(5^y;PsEFQ=EO;_<8qvj?#r;`VojSaeCH2Q-*y0GCVVMMdbL zfvxy%#fZ?sJkIntxc^qg$My{4PXT&+x=PS;l&QWK!QbH0dqsnyV`(7_ZS4mfHo8=` z5uIBV!S!Rx&|z6N&cbh=I$to$$c^cUqC?-Fa3|m}T`(e*n?0}}<`pjrkQL9~>*hI2-iq%hBACe496(s9?OY7??p}6m(B+I=G3Wa4XRHa9HteWZT>+`yD>Xg3hl7`Je3) zmSjKK;0-jYDEcCIAN^Ojnpgt3uyQTNmvw$?#jm;V#w%@#mdY8kjb+CBqnrHC9w{{) z)q9iZ20!$f{G%rtk;~$2@fK$Eq``zC@axFbA>f5A4bv}*IJuZ9l9H_N3D!CO`k@-Fju@umui2fp$ZTzJJLD& za%Q6bMRd}Cl(NXGCq&-{jnfxg22HQx{l+6J4{4hAj@GtMxb8G_wS2u>!BaJxaQ3Oy zoO|9y{p*#V_eM<-KQGz;7WStIc%S+Crv$grcN>^aaKEe#wk)kMkFk=+-za3cjc`;Q2%U4^^4S z1%I}&An~-{wQxUk@;WR1J*2;k%D+&~oNL_h-0|sc|2?B!M&6G2fq3&=X0-|nReO#` z{^a1vW(}w%zSa!;C5oy=$7bSz21a4g_MeU-bG6h>vNF6R<_361g86u}NlVPPakQ*w zzGdG;SGPmxg$=7n#{H~(VtnQ#(2CLkU1tqbI-}fikOwuh+Nq0o#>=T?ACv5ElYh~W zx>Kfqi$$p!bwQ-a<7EC^4>7OW-@rKDlOBx7%2Y%?MA8)F9DDaJB0;%~mQq53yTZwv zWj}29Em@{zggx?)-F&jUkDl3-);Q$7P?wR99Vh*lCj)%(a^7Ve$?oY3HH9&U44yjQ zC`bNcVuzEAcSn_Cm4OefzmD_8ss$WZ`div#N>dM~A;GOD?qI9nK>i#w36{{&zf?Uf#Oe^hPem=9No*S-o5QR?ydhhE~RG z))FBG#bVm@U-GPHOYP`HEC*(}9;>x?HNW)a#B}2<-zzxw z3(yO~GZOchc`D+Z`^&e6^edHzvx#G!a5sxS^2)<6i~X6jR;o{awjSk6 zKd#y{@B6#m<@Sm`5qVzDdtl&y{J62z(nuL{Ts;=fd8noq_CIH5FzNf~wGc;w%l?RC za&xxOsG8u^s-|%JV^i~1GhJagc9>8{`#?_5QV@mQRZEFU0#{q%&I66~(SQxvZIS+e zo6#_T*!h^gf zeQ$(W%nZp7Im$?qY!{M@|Gi@EihNfZ425m!M!ch;kBRBBR0gL%gRaAPKWdBS#~n+l zeWGrLyWUh7v`@~ENv)3`M{3H65hPi@SILb2PX{#6mXj6z{Z*vR2IexK(;f{gFAM$= zOVRulQgxRjehpM3%7C)P%P8GEOi&W`48^IJ7~%ObBR6TRpRoQ%$p6;LT8(Jjjb3cT z0$(>`A-a#Km;BaZ*GrQjHnj<>=0qaxI5$c;57*QC`FMyr=H>!*%Zh%uo$9~G^53&| zQIw7=-K_$QuS2ff_SZE@V_Q+>lqV$I8c=I4_t`nlf_?(@PFtNUUXWkpLYr*Ex^dv< z;!ey=^f2Gw7IyiUN=zt9I->|85BfdNvSUVZ$Z>d5@qX;I80%T*PeYvI`y*Vn;Oham zdfZ+a@@ifFhDn3=@CG5bK*BxhViFz zwQgP8-=aSxh~xd((I*@w?XP;0Xho$2rd2`6tR5rY)_6tBr|nO(zvGtb>%?D7U186c zRB@s4vhUz%xO>l#RBLkMX&L|A3-tsm$yTH2jxu^oWq4rq{kLPvVs&u&mtAaMG(^Wn zLT#^qgq|Au57KVC%AuIr^CJ87>8%|!KlB-i($XI>egL4>=^5(Y*VsHUnlS7_3=i+- zy8k<(M2W;)YDKa}1!_w)FMHRVbw4lr2Gy-4&~r&BubKIb88qQj3#PF zR$c#ex7Oic;xwIjuVosu-G}giXFls%ecG`HwJ#9%pun{$tldQQk$W!=<-m0-_|d8&ssm2eN&u zbyfKehW~M@BIrU$XNoOXoji|sJ42>oF{32u{+$ls-232C0QdmMC4R1&8c zeJ5eRsx*0qZqDvCjt$UiVN1Dw@)DoO^R*q~{~~l{t`^?^>IWnR?S->>mQ6L4@3SSW z^IBolD^ZFaOj;d}MAN%i#vQFPp4<~G1->I!=LUVm6YXQ1HrJe#>`hLzwsQbNR{<39 zn%uf@!gTI~OhpyB%%Prx)G~^`wMPPs{B^smnFa#|Ym4B+Ul zdHx>!3;RVJ1AGSXtVB!EK3!ph))&7`bFB_nn#2A|lUV?&yDNlSCExU17WHz0+%=mj zucd}uAcS}ou7~@&R`0K>1q9+WM#z}}Bi*2q+l^wTjXIQ{#RO2NDvZM@s*z1&p! zS`&dlj;3bb3SoZR~%ScS8sFPLl=>~dQ8hb zxs?Jj;`BWM&5CSKAlK-W1LiY?->m9BcIIPh7?un@D`X)s52#-2A4++Y1{*6u-=~B4 zK_a5YA9p4hKVfjcpNX#p+?@%f={&f&eDQ-{6w|$Uv{u~!du;6fqaD@^Ef<^%pM{13 z2`OP8!<-~WON)On5znKVsA>=Efb5M7g0e!U0=ecY^^W}$=CDU23h^jM^eL_hQcMOu z=yo9_{!YzPM+Tt+ld0$>E?)BQo0H5kP{iqUC!rgX)b{)+gYbvRFjlS*G=xk-n(dSU z$g(|gs>!5rdZkf{W6OZS@RCCbiGu^eYtri^86x*kOBw=NQdN{ z0dbGxj2qV5@JKJ720;VoU~)@6iU_pk!r4&f&YRx5AX{{DTbztWfYeKi)KYWb$OgMf ztl7iIy-q>1_LGqgdbS-VNj%b4m`Q&~$}TC}gjciZHYV41#A{1fkP%if>E*^{PKnk( z-}44--_kC6aQy4Wim#jX2Hr1t6~`y?<&V2PQUI3u>c>Snb$<1LoqBl;ad+=p-d?CS z&HM{O4z{}KRKYU>0_<(OBtSh=;45#a9+3AN z5)GSYqQ5Y);ub`yB_4UO_^~>Xz@{l$R!h>fN$mISy++@jWf3-~ElVC9VnOyZda?CC zY|n?Y6GwDzYl09z1wOIWIbrYj>7yBhn;Ifq5@xt5_s>e9=fx-f9L@wOZitb!VNZ3o z&fp5qj1)eDA!oxlP~8QUsU$n`IN2Z~Y$ue7_S+kgqxGm2E5RH=N-_FD55uIS{c@>p zI1D2A;a7iH=)ft)U)N3G+>^UKxB@KJ*)c%UEe z4TnV#4uLmM-ai$%BqQ0#4+Qbu|pu0Bcx61N8fQeeAQiStB|tu9czMtq^4!FSncDh9kDv;evIR1L#R3 z8=3JNM~|4%eX&N^Y%haGo3*qo>*(a44cIJ9kY#9P@sP!W!r$$&7i^kN8b53i=Q+B# z2+rydjpkN2ntuFjc@r7@AvD_l?EQuAq1k{7lNPXpV#9a#d^o?uVhSafY8O>^WU~Q9 zOfBU&c`CnyINpsF=0=1&?nUp3@p7%v|79QA z6}LAma{H>4suEO?XL2cKkaD{u@oN;9s?y7VnKup?T2*1S=R))c2LTE--mqVM#cUZ| z%K{1%>dkx(C;&?_g9Il}-^|h8kw1DOuGmD2sij@J+hS?0WgF?*rBUSG6;gM#zrX z-)_x|`V`HpJ}F?OXY!&vd*N%IUIzA1++1owgW()uh#H;dXe0e;+G6BU8Y*nlMDQ)r zl6-Dl91o$7)l@l6XDJCA8SxZIyRZZ>k0&O(r+*J1OdlUdScz1_rj`m^(4n&Bn~kwSB$I*Ma3hcx zo9zWV=`X7A0e{)dX>rtJq7u%tWo8--Q^cvrX8ABk(K2O@QN@XT>>#FJ%Pt&jqU3oB zy7QF=1R5_VCyN_tnsjH)*@WvM63CyeLk>XOX-oElf?;~%3FvT!QjW>MFtz;y+<<<9 zB;767P=LufsYu3>m2I%hgi{_;R;VsS^HN;jkNu4+eaNL$n+Jc}qVK;pZ3<0Y>VhWl zrPK#S)gUIM(0z4B?v%Tp4!ssGaloZbQPmz(cdY}e*M6NRsLS`jCNaj|NwFl4h>QC{ zCIq_F`-|1}lK(Q=neuHZg$9Nv3(0N{De|zIyJ{0MLxo)kfcL#%i+wBN#`rPUZ{}2s zg{+X@y4VS4P`0<4HuN#54~Y}kIxO=t)PRSVZSod$WCn4^8r9|JTxh--(Jh?>oKaEj z4K&8?rKI%PCK6F;zdD6(HC^fn$+8Fsqooc+*1Fn80{gMD&GRX4nHY&4j`&v*;z_Y% zO#}2R$P_<&z3@bb!9VaBM<#Cr#{^&J(f8M$nu<3cD}xOLT#;107AKI2#D^P#o#JPG z8eAn5Q1cW88>OJuNVk*JABB-!h!(9=vrOFn+3^B%1!Mgz)llx@~SS=eB zO*;!xXd2|woNtxDXKJF@Ig^tJF<;wbT*;@E=JPFhIAR0;s{A1iP#_KR!oUTZiu0v@ zywFTQ#xjFJC0x3PZS1iOLpe}r}Yy{-cELFAC1Y~hh%ytfB zam=wc(HJR3MYYL)FSJPfq~PZi`ib{V1d>><)Upu1O)E33FkqIkk}t_uZrTeVhc707 zX)V1xwZbR>1Z2>yykYkr+Nr`If{)4D-4Gl-CZ^>e;jD^1@umKrxKzE2BZC#{Z;hci z6{7%2TEOgRN?yn|k1OGM;huW+M(>-?pw7bBy^K#Hc?k0OuPNH%#zI5#h&D3Nafo@r-Y8#_#ejnR(V`%YVSbO#W+vgyAFrzC0TFNllgq=_!2j1DsN-%^x z0dx8#ZBLv~tBvD!pwO%gz*qGdy?H@W{9&PSg6TD&2BNCB+R-h7vFV|0K6RR=!KLxu zw)cP(NmMrktJz$WzO}Mg25G-v?jn zIoByo!~|kj`3o7_?m568O_PUP(%WBtE(FTH(8MR&0ZzK>S$?M%1mD@P?OrJdRtvy} zA8Vk!O_lJSk8b=>fV{o)5f!-lcRq5#cYb(V98JAN!v-xz4*$)p$1`o#R}EpLIKA6z zm0iMm9*h>~xLlliP$1DCDDMZ_d(B+b9 z(r`)M=Rf136W%zpH}HUSlD_R^5|1;2&^g)Z6(pA`&b`sYUTi8gbX zfJoKgz7e7dta?8-Qr-pQpos&*JD|?>QKR%T@{F>{z*n4U2hghS8EjVUkAh?@Pd*?D z?)H*^mj`0}9hsSwfRGdb64SjrcmYVl%+YzXW*+WRhM^I-OqlT0C?Ch==1gI5n|+uq z^Ly;^yo&7PB5n~&pig2n!O&147rqw~T$1Ce^v@i*!8uq`-80qIkY(Lr2$~ZEXp~MR zyJ#20b`HzC*5bxDnWJV*0Zr|8iwEd_g9j3ds#o7B{H0Qnq?X4zETs(|?e;jg<&9eE zIQtuEvqX*Yz36?NAad^yJQ(i`h5UmEggw~r3>#g5fvL%(82i-6*?27Z)zXH_t&cP$ z0r+Fs9+xZIxnWd@u$v>od=Ia{mVjdEl*Ctnd5hMy9!VlE7`o9v6WYMR0>OeUKck+= zlxsFkuWPd1P6tEqY6`90=+|+~6uaw)D8X%luQU_GeU{2y81EJ)-s_9q3G7m%vjvF5 zPC}rJJK{7H_ijX0Do$qu9YH3+oc1-Fd;=wP3t-_SpA$&d}#JUqu?E_s`GM88ay=(e+u-05mPJ=5hF)77w5yS zkguA^BobMZ3-lYJz(^bVTX^R}I zDxU{6WzR4Ik_Mx|w`*JSAI#6Pq(`z+kdQVY4}mbS5ywj`d2WR0msBGbG}Pzdv2ri3 zK+=!;m(05nn9D-jaln@e3_!H%>qVuUzC3JG(5@*8>up>;dR=_YD|GNg)AZBzp&YlbphGTAR!LhPxlhGnq?uG|C53 zt@U@7M?WTia|HSFCHRF**oqcJG^YK{VmcgsozqD>j-~E&rQG@Co|4nfX^64gJ8EK8ur*LpF|FS#O^tlo z%M7NlO;mh*Mm0tQ;ve&c&0R@2<#^CNx`66)&P(P*wP~4)(=s2E3omqG0p{#xgTCu> zu1+reCg*Jr*r&JcOD>%vwQVplac!Y4VAM0o_w{-qHKE!zvhvGn*^YYowm^@wvypvm zqLu)%fNp}Z&br*Nvz%`or=i4CRGgAUo=hmn5i0RB#W}sSS}Z*iB*Z_U1c~NnqDW; zL^i53(toC32ZXd9a@^LIU87BGWK_&-Ia?UieN&a41Kc9baA&5kz7odWq-?_afLU7aHvwy5eQNiZbd}c3RPk6 z3&d)+Xm=V@apCBe?*llq>{L}4Q%WfeWBD8y)R|Q|uEizytX3+0mp^kVEx!Qo&XJTw zZ(iXgRA(P{w8P6J7C0eJVNo6dSVK*10_CQE&Pm6H9FaYO1%lHN}6K32TnpCaV`UCc?h+v zsxL12Nbb`yUlQq7Nx0EzLq;D1t8*GMjESH0{aImUA=DEd)hsk43`0|VjwJ=F?^t=h z3WnroV(>o^oBGyd*#D?5K@xds1#vk%<%HO>&FjmJWbqVFMM(eigQsHjcWN$LvpW9O zu(X3~{~l!%s~%;ycYTebg4rm9 z-b(!JjgK|x7w6B}nwIQ~=A%F}X?@=@#m+f9@3GZn?n_~E!vy`abZpipfzaqSE;fR> zWP&u$lK9jb2M}mTY*xV9dfBw910HJ$B^p7mZ+F%crULHJ9x!vN7}8f;8w2^rg4F$fGI zX7HpCSFxV%7cdC-RMTn5>U|l9BGg%kTxoaFW&{P)@El)<`rZ%1nMYO1R`&5IF`Yde z+v;qnvP=S6+_xv{HjP?}*Xk0o;syoWC{f{~IcT8@LZkiFD@>mMP~><&FRizHKUbjs zPMBi%BY!?PNaS4x#gkv~C?1tVv>Np(F++Cd3c_LBBiiGI{7p{WdGA@o-mWh?Gg7O< zo3)y>f_&>+ooN5Mbn!QhMHSkIV1e2}RGX+I?!GRta*ss_&uwDl1Pbm7c`8tw6ZRv$smQ z!0CDsag^FMISm`{rKl!A$2oXm+|y*_mRzW{1H85Bkt-YmP;GpDIE_X^S9Xw-%9791 zK~&3Q)_S5kUeXZJ`7!!8iooMwQsG#Wq$cSzZ1CMx$QfboEd&jA$VhM<-e@-9tT-Qf z;o|u2k@FDjI(wrt{8Jrt#%@^>?8a@q?2eATmo9+HzfkO6Pa9bQp=2oir!W9@#3en($W-g{( zlft)cy5HB1Ub*6Crfn604ZONU2Um}}dxhZgk-4SlaGSN)8J@xTG*%b$L)k<`1IR0I8O?0NfX&cn=MU&AjKfY}%lW@H$F-`RIOMc|iK zG1GHbeDyjytJ_v(xupc$8d_Zen|)E`ZP51Sr%iHEoz)L z1#pStegd;wua=23^VVmvd2*-nrAkX&2CE54@VmbPV~SK`lnFNj3#qSE6W%G7_LNzv zf#)6ad7sHcxbx;os zqS#E6P5gMW8X<9rk>v9i^vTMx%x&U|eR4)$^jQPD4(YIN0)++t_oZHxxa1tv-kP))s5!*)A+LQ z>$KPK&z~>)?p8z}uS#gvKmFOI`Exz}=jmp8-1W~5J;&|-pGVB65}MCHpH4L`K3$}J ze(a-px_VvHQr{tIKEJx}JlnDvl4M&bdoI)mpt7t~>aq6c z^t#X@H>HZ)37WQ=ln-g}UGPdtGG#RHE?^X9jSl}_ zoJ^U7mxckIX_g(XZTWOHRj`V|ICy|Rh=;O+%AUN%-Q2-bJ|DSPlpD@Vk?a-4hY8Wa zvG(n+l*-Q0p>CPAxcWqmCDb|mnX&lOn&`W2R!Af?$R>S|(l#-H((dOgvhd=N+IiMl zpQn@=m`CDFoM+;UgGZueYQXhGNPlQBW1`7d<{F5F%v9CBXKn2tV+ltW2k#dOpPF^N zJ}Wh|*C#G$u@eTLLkYLGNj~LhQGT}|-NV(@!LWj>;1Xt5?dovV4=L3m8w@sV@5gqH z8RFSv4B)2eRufuagxcALRZQJm<_(iGdkq)F)n9vJa)o^**6k7P%wO1IA(c9!>m2u| z8px|(o}-H{j5iOiI4$Z<)b*0W2;GV*e9@u*_+6M#pAzN9IN$|g6kFI<9&Y6%;VCD& zWR;D9G~fJ-x%gm}Gc&?l_FxU^0+6e6X)=5vQAdn@0;97oFQw1w1p}s|XunWA$H6YH z^!e{^?T=}F2c0Sae&}qRtk0n6T$b#*e_9MpjB;hqLR2)>yyUA4exIyT&W9)Wf=0r3x4~>Oe0L=AN(2B|e6Jii zQaV%~d&mFTUt$#|{s+N%?8Fq2uy0tvns#RU%7r<1=aaQxEoIZRbTnPO^fOooB)>E8 za3;yf$!&z`DXj!vph+TLOm9vT`0PbxLcLhtDWu~R^Y?nG-GsckqA@C4e&NFJm6yya z%XO}hPG(CzF1brf+>Uw7uVSRKslP_;0+3XKf5jv=UM?EGE*zD6it%_sa!%I;g&_q( zS6a2hoF6Sb7lpdeXoyRl>ub*Buj%Y8SBzhT4Vw7UwQ<;F?zNRN$i_tp7WZC zn*IX&Qn!&5hkK7P74}Cro8EnLNBODo%Jxd~wN3^O4c+UQQnZ?!wA(6MiqkibI8w7^ z?j4&-_czh^ETNlk-eb>JnR+e1udkM>e^91Gd|P(H;Vetj+F#r+f)r57DwvBwOM0>n?if;SwSy5h87K z=q~d8d=-cG%1)M4!mr);j5?~)ji~fY zc0ue55X?L2RSZ`Z0X@-`#g7_7Nry(6I?8JMv4^?+=)q)zZ%s18UaIeFGG%2+OGnCq z0-UwIthtO}cMToR1OwWSR&i1-%aHJz-F(q4x-CL11od(r(YgG^Gkp$!w?7~TZ02F@ zhZJjOWrpbuxl)@^2o7im+(z6ypLJ?3k8T=8fbcLFGo^)#V3ZbvmS3J1bs*Wbo`AgF zwT%(#;tAeEwX!c>3}g?km$M5W2H=atUfS|qr*f#Wz&NN@+yV_|xYv?LfI>D{mRy{x zfka0DJK*W8h633ue#z^r@D!&GO@%IaUvMEmQ?1M|8>%^}ArgE&l%HT@uX&~Ro3@7mnv5j;h-knv{|fu9^pwnLqy%Z$~OKogKnMvbvST<;jv(gu<+Y* z>uHICyE6&%9i5>l9cytc=&C@yL??h8wfiF0lDF;|dO3L;C;?Rws?{ zjjaAa%3b|ufaoPZ|qI{BO-1AneOCXpeC+&&iJN28Y)WPZYue#H6eQwE!slW z243UZX`g94ppyt1VflBpE#LCBChVJiGxI&MwFP~-P9GO2mT}MN)Z>xX z@Ccn2g}nuA%bHVolGaeUI|R-o6R*#8Km9@jW=S0kP2zT%oseuQwfu%{!@}~?Q*0el(owR-#xR*!S z%u~p~^8;vU!iS4AZ2?<0u94qd;YeM0Ed!FNz-!b6gy1ND*8k4%MmG$fY()u1Z07Pw zw*yWgk@6l!q^W#MUi+5=$#Ot z)4dXYXh%U=yY|lFD_eV&oegBfmd|1n0DwMG_;QfJ?dD2g=RJ}WVG z*)P~kJSZj-2F1KE4v+drR!Hg+Cpx#{20(s(Bvl@gzy|MilV+V4Fcjf5<#Jgzgr;l! zg(|G3*gOoYBp5s@)OcN(N1jV32oZo3Td`KIoXhTrIwgg*eUbf!_kf3#f(r& zISSxj)6oHmm!tg3Ylh3}rJG%MbG^=`B`Uh<&R6G|;$!%i(MKt$%;~ggy*bw?Yv!BK zjrwB~VBA8~IWPpP*C`Hz2qg>4r3i?2TTn;n2nVfXLj&?;`{F@G1q%Mz4E5<*h^?@& zKw(C~TY<3u@w21dpV~EWEyOcb--5Fl-cK2z)lTkjXOjKbn>pg{fH;BDnG`nd7>%`{ zV2oZID5}Sd<}{WGw0R@8Wj2AJwV<^}8tS@Win4X$Xlcac11Av&y;aIgbiSsKRx`4U zCCkn_+K*qMV@@_%IoewG5a>r#gvBVep(X=LiTF9O{jr;$*tpZ)pN3F0ds(6p55=Os ze%PHnPGPAcv(XlVBZB)9KB>KESeP7=(aD(H2>m&jf|CIw$zl(JJlO*D({(2E@^U54@xSCMrhudsM@1S$C$7rLW!E z+f-e9b9wm7`MZV`M?Z0?N%0ams_Ny}LwxUz;cEJSiFz0OC^Bw_@mjWVRl*B6(ERJ3 zTUB?_2Y8=?`Yd?*ut&s!CrJM!{>AF@Gh07dfY~~tT{AqNZbzV{bG1*^qc2G=Ip-r9 zq#AP>kV;48@X@zuUhIGUnUe1SXDHQ5_e%U=%Hna*n-KQY!N0?fmrV1HLXGUa!I_hL3?RKMc1J%;uB&7vLlplR zn+u#uKPIRq#rt$NMkaA&?xQt?n2+0}?%bN$DG&hP05Vp?S?s~vj)n~yAQYiQIVW;$ z{ALX5K*XaXUvVe=vnDAim2EyAxa3&>z34m3C0b5~uiSco)%3dKGi7pQvpervvHqGQ z%G7W5Jx;uRyLg~nyksFf?liIFzkWu08K_K28ERu=YX(O-L)T$XVCT$a7hlsE6w^F8 zQakx0j^kkMnx>*>28P%Y@OeH@N7eHn@mg_!i$^g0V;{nj6`FV2?1D)`+Fy-g=_ zp!qar*riY<2&%t%^2h~D>Np6)pS0XKic3T@7=G4sVTeE{fyQ>vRlVp~4U974C0xAa7o_KL4 zg}Im?DnKBaC9=0ib5&K5-6xVYLSCILr#=IzHR6eo_C_o`IH7!lP>@P8-uAdJS7S6) zbvlC6Y;$b=W10;A{e@dL!6`7HSru{GnLb$x| zT4)Fn32u?ZSc_y*9B0lEzJe0KS@ZHTk70!s%X3Bpch7&8v!wI&aINuDP-5TyGAoGs z#S#zETDQ7z-ghjgd)DUjSZ^&eijBp{M2-+zEw4HTYqk$o&_ArK1jX5OggTfA|ifW;#F#5b?M6?oc@XO;FD z+h=)#U0vPY&wE5y73=Hk=atKMPs6p{KKdT~*Wm!9Q07T1qPaqf;7paELWr`sZ0Gkw%KSjmy#m!Pe{Ez z4)AU>-6VHT+KD=u^W#7vUm9cBKkRTl$A7&xBceL)twqM!#QOUBc5CE&wyZ{}85)ns z#j+PHU?2v~qA0|l6^?zGq0)h3=92Zu;)$%lb;}6;trAmi}-~ z+B3#9+7TLFX+oYWVR9J~W}S%soeHpyNi{XYdUu$V9SWQS-mm7`s%~UW?~eW{#iOp{IvtMcO^rWG+)2DO!kP@jhX_AKSrvBG$PYBOC3|GZqp$$GMHI4HUm| zolh52{ul{GEl27%tkuq-4TQo0NpS$wI`tvSwl~2Q2!sP>BX13)&EeC;pBTx%LyFDa z5s=gMpYGKa>QN+iYyC5#vUnl%ezN)_#EI{dRASWfgz_L@7FP45&}NiggjHS&7)=3& zTbP@7O@{|4qz{TR5ceA72lG`RLRqqW#zIU*XsD1Ar>RQ_MDMK5t*mePdX_&xg|0gJr=$if3~wAR zs78JjJbfKLzU$mBtnpLy>h-nT-g7U1prmeDCYz$JR^H01mD{M+rY5Q#COic9C;Ol9 zT>AYx3Un_e!jPfv6V~V3hkEk`eA}#R2&LRf^wWa zP2kZ}rE1UA?W$XKi7*@~-P*@6)?(yzWmGVLlcTlr*P%EEw4da{S2RJvUa;X(Jwfdv zm!XV%+K{3((LObe9U@A%JpcL@h{|BS@9rl)L7Osj&U1iA_tdG+BES5kJ>m3|+vY~_ z0S+m5KpSs+z~~b{SQkj_`TQ=Wc0+OY7&}6%b+fmU^zPg>Ktkizp|nv~WZK#Ob4uI4 zF>$i^4Ab?N8rZiJ@wKd11lfV*5Zsi3$_^34(0ZF&44m1=6#9f})^3pK|} zw2yywn-l_g*Z-4M&D}GhuL^=}Yq>dX=IjqNGH?_UHb~#Bn}=dxu%hsNbk>AIT>U|Z z1_uy^mA~dOtmEUv-uUq-b(z(#9T>MhN3*3qRzaP9&v7Qz>pzcSO@9YCTS#W=^@Uys zM;dN>aGTjRab8AqT!LGbqd8oDDUj}=AAG1Indrl%C`5^ZUfP{`4esrhOy;Y=9Ge=B zqQD-D4E@ioh$;+t4E8sH(MsOqm&5;}gXqWoO4Z= z9lo{N;e3rInoAac*vF<~Iu22zN{cFTZK<(t!qzRZu<_a%cA+N~2bHmo%{C(;Po z=)@?tbHw29mNme@76NIwm>SS&_@bF8DT;~x8voCj^w004v4nKYjTj1|d6{2C7lGbl zn>38E4cK9yC$bRcB>>X0eMe=Fw_l|fXGAS+z6^&1@K&jlh#(u-gkL?gr+!W3P6Vstjw0Ov3xj$};D-5bS1+g@SDv^N6~b9CxWT z;Vx@_t`6s)t*ANY{B(c9pe3@`w^ppt1w{)oH~BnMu@Y7(}zna^mi&?4HH3?3! z;I|^&q-6%Ke)PdjOH6C<-6fS8a%*74*4N(x%rYOfuN%BO=T`FjB6H65L)Ux!Z3n zj2tWemDPm!-P+|Or$kbzaT6ySB6<4z8R0FO)pWu>?L_ZLM=aLf8c}@JX5yVIe3v-XFrXW(B}RYjUDo@~A2eXZBd)MNlycQ zysc}+I1=36K;E3&rHs3yw(|%#*Z7~`DxFF)$;`FDk|qzfG)H6NVa#!8Vm1}_Xf5i| z2=q8a+g8)ZC$l+6=;2SqaBPLl2Ms$>20r4fScR1gT(%d)`s)y%^c{lD8b)?@EeG1E z2>G}_+Op?F2rICRi^cbtk})^!A=OAa81n7pq~ec@$TxR|RL*7})0I`*Y9pCa>JsS3 z3R*TsLRx*-Go&n_Hl9(d!zXXq`}2Z81+rafwVKEU(Bik2q?53>U-s7-VTXYow&XkZ z%KAd_$w~c}>UwZ7u{2@%2|txuvF=_YTVNeg!6KgzE&#b&@ZAnl^`iwhy^`qd*MT-i zQ@1riZGB+er9rU6IV4c%eb-=FG_Br^ne^8Ta-910^e7{^NJONq-p73lN#|h~j@~4f zh7WjnHHNt8b1{*Q1*jdFT@infzPe*fG^WmLa8{8_+X?{|uA?xSi&8`wLYlGmPlDo% z6;jz!OzRzfYauHWl;Y4@Oa|I^bpo{0{OmRStEGN{(is$8^Ebwiv&6WhnVKRrC$Q&sq|eP-F}4m<-eVDBxZBQj_F;Y zNZ7(!$cOGIV>kUWKvvshuzZs8c=E3~d;(U177Bv`fcqY(JIx^9VmJuvz7 zh}xW+J-d{IPZ0aH*mqp1u^@&l42nVN7&IJ7pLL9Sotw?h`1CF64Ad_pM*ymgsm=Y| zWqaHcC;3CI5imbU@-ak=ZV2D9&XriL@6;6lwvRQdNUejIRd>S72VN(ujv@YgQ3olT zj$~Zv$27*K^`=Y>V!$b-F0?*jn)0Jd>`*2(ZV74CQgh}d*3QFKkR0iV*ME1wutv^~ z#%_&veZmk&k2Xhq0L~ywA2Prvg42CY6;Hmg&d!XAp?_{>MK^d22(lA`Wr~x&C#`)PS_6#rX zi&GU~4)Cf-VZ-sUL_@!6Hj*{2N*sgi6K9}qK=J+6VGj5mv^o0nEI0x1icsuFY?GDp z)kTwASc-d*$+RLls~mPx#>9Xq?3@8$m1+cYubQpZ{PCM@nBop^4vyQ2`g-uo;5=Ia z%T=)5a0>C=9Awg;*}3OxeQY7&K$$rFECa5fY_&ehH-LY=WOno^S#RIrawdQJ!CvC1 z+OEOG8Box#7auWITjx^Ii3XPnS_sQ+QD*v^nC7seuBm@RI8s(~G_a-w z6B?|;?C_osIAI= zNHTZ_HS7@GhiLbhPacir*sv{tM=GX6yduXgd*M$>fd)?ii#BI7sFC zk)h8GciCF!QsrCxTX_>ggp40~pXiH{dTsXMl_2|gIUA(Yc_V>SyjLmc=7o2;WP z(Z+#fbpV0R<5yt{a{O5`j!I-sZdwYx9y=RoEw-7)xD4dSf`8PX#|=q+H9*%n!9@-6idcY6{tQ}6VDka#rWE^Y$i4&q9OxuP%V`;0r zKOD%}JwJO5rMBh_7+4B{&#X}z01mE5ZpF%{f(VvPkM`~_?4M8ZZo;ZuOM+M9Eg(on z-Epw(C_>z({erg!Jg76e9ftCVL;+-g+0L|T?7>k^r%6PO%UNYdS}H=ra?J{~|GR3C z7TnDwi|&^lD?AYYsoEf=7UMK~@}tFWDG*%OiCGmvhe-o7m`|8Ogzf$q6gx<{?yN!s ze-Tk@C-sqfpL~PmOi!mUnkH$_LCRIzcg;ORs{PYBSUwF(lPel37IFwG*XT?xQ1+j~ zilfb6l@EC97e^Zv?)#Ox>#aK!`#!?M%GkcyzL@Wp$3~p_l-hP?uz}`S;8GT6DdD5m zYb-)ylQ#}M_WgdhsvhqXwuOtQzc6_7X?%zf_ilz|-fr8<-+l+RfTE<#V>^+hremeXrE{YvwZ9-)|KH`4@#JIhj zzwAy7AK(3>u^KD@xY=BzRNG@Ys602KyxeQpgE}Yc6V;R{8M@j7Qg1{0P`BGkS$X8q z2GqDEi4P7D815&p60C86NsHOlAs8qJE zu!eKg*W3|$>w1$~;kwf`apd(O*Y+#dvO>R67rNvfdcadH9=3fPd$6~m*^Dw~QzkI* zdqbmZX*@?^vmk98S83rOW`fO!017aRATg$DR$SiiOE}whsk8Q+I=TcLjpG3=i>T;3 zvvMwDkv~*|5znu;?KH~ZoU&&xj+zz6r7pU0Ev)$-I3eEvvG#M5n;0MR&p(~6SY@{U zkW_M~1hH1FgsjWHdU71DXTcWkfSt^tMQmv{>3;4>)di+QY)P{yXDL*ELYx20bP+Y- zbiOg&Er$tDJ*A}{{k+wqQHSf6!z0l2*TIGBn2bCw*;hv})T5Hc#F>rpskJ5D3R}-2 zy9-6CBa=hk@JbEEu~PQg$BD*jFuN;8f}Bkum< z$}Hz{cO+u7o0C`v(6J_?t(CwuWk~X*Io8@qUVfj4ARXwmG2GqF1iXFB$BJW&5}v9p zw=vaTtlYmf40-94^KF*YxoVZY^#&s=Q$Z&*bOfm4Sl zoqBEgO^lo_zjEib0E)g>%x2TQksz8o8s421lNg3=N6pDY69xe|=d9bt>g2@xmm|PQ z<~9;`MK$SO~DV22$N-Z3Rxs7VzZp4*l1n-Q_(kl ze!W-RhUaqzRp+P^_#xS^(i}Ah9%QclU$;TA8;qO=TJw5SA$(iu<*N4lhl!D8`N#z9 z(Rfz6WeA(H-z$`6%CDvIqlP|+l%ou&7uS6!HxEaWDAqFu@@#@4!E(ts3WE0qdxhQn z`U9grucborFQkp+<9mwr6WGaq=hZb?CFnVg+ny@G7%amn^IMFpF7-EgkAH*jh=Cp!ZBfG#yKo4V*;^-r9qup8Y;xMP;Myd$Gr0DOu z-W9z`ZY$0aMD2VX>g>Y)st|{QE0{8?j)F?AI%Q6~4#n^l^A%z_BQ@7(q$WF$B6XTV zifuREpN!48GmG<#l%l^|NYNil`08i)8HCSDvK^gDCAz~neTveX4>Z>=`s%?9y119k z=glMz{w%nbj~HL5+N|(m|4L3TJ&j^#+a9a1^rPFYSn+L}5vOor{ublB1V&rA!r#Mg zu4X5w{<}AY`FqqPxQdu2i?j@y6<^js zj~TF_D(i$prxN;@^5PPcSaY2_)@B=5Ib{6$p>_bJJAljglf#3I(_>98^gsmZ!dQuC zdVYOVz70EouQ40hmH!u)>E?jEgiTJD6PoGRVRKr}=OzyXm(t(iKOl+3*4re1`+Fzq zOJ(18uUkCq4!gfw zk=3`H$9?;5$wj{6ZPk3%5?7Px6HU7{&<}iNbQHvPS?duX6QpxDWZJpCx!bN|B>$=W zkTsaay6aCPB9?6iOE9UMKU2bU*0(*q;2HMS#1bAOzVpAVYw-IVmQ_G)um2sLOmT9k1t{HqV(L!#CHz;Yr$? zmg4~WDw9>ju`8iz7PS;qxjE7Kpr@@N^cC}4eB-%s;86yIaJr{6lY~(Unp!i?SQxN&5Wa~AM^BDqMw?P2C zQnrf^2nshJ0&>73>ZLM9L!To6waZOnaSkS|>sjio;)HZC7hI)=o9o5RKL2omomvV{ zKHhez9fb_zIrbNv64@>v$GIrNv@<=>QoiMNn%}*sMshtPUoi0Ip41Nz)?zZ0T|Uz% z6@TGWY4{S%s{L^{N}CN2GMv#yF(9P$4lJ2KIbJDqTd5Mj_%^ZWShlBnT$WXduA*Gi1k- zl6fF%pZ+pe{waPR)|rb9BpQ9l`m@SOcI{n_xnJ^ic5Q&~^LoHd?-*c>I9~tj^?Y%7 zE%kWG2ilmcLJ^n=g-l--7=h59f6UJkO^az3gwl z{f_wi62BerxOobol3#C+pMg3$fA{mr)1ToRt?i3xC8I7sZ^7=rd-o38{%hUfS(Boc z0gpS=+dp2(G`sgFCme9OJOytyU9$H7H9wGX`0(BsdBL^)4g1{xOtk4(SgqK;H@V48 zfPQ&rU$*?}77rIoq1w4Hap(+xd~>x{zg!_CS4LIN~^(;u)BXH(s%f0*?~-8;!2Wj zEqmuBSWPS$ZfK_1o0j07fsD(5G{`rx*Kt2Y@bBGUt^+WvV2B*?7O*Q+R* zyfRd-eLn7}*C>=T5E4?@qY15~qwhzKUC4B#-ld}Yv;S~`@k$eiLO z-dGGSre%_TGLn2IfIyQ6UkIf7mZmLjUXo^h^yc(EF@{Qt#0;u+VCB6a-o#)w=W%Pn zM-z;l6ruwd9mp;Hc(8?}5BiU12ZdRQ6j;<{&}Y+AJ;Bfvp5b7d)G0e{NOuq3XL1p}z~T9hsQ!&n(|XEh8jDEz|*ndyHx##;-) z$-RnA%lpjTY(#9kd}0XN&cXSKyCE%@Mq(6Rd!;i~zuoiO?tbJTAUPS+2tzuE5o@N2(YNL0i=Uj;ty00lvqji^W&sEP(WPWe(JWRc+0$F>gBtT}Zr zzP`AeHtqSMq&R!Pn9A~0+@lXKM`1z8A*1r~j#;hkt=l|2n6DN?(#kqdiyj*oCLZzi)Eu!__xI9Z~;h zlbfw*g6f`a%!KgDej-z4Og(_-dV+d?BFq^-0N79x%6?b{B>4@jz*ns@=-cC?$%Owx ze3sgr5lwN14?+-_s%oIl(Wwc?HLA;Rwy!cqn-Dg#vSJ(3A&A9m4zw2z4P`LEcA3cu55K^Jx||Oq-KR0 zjxOeo_kzdTt6ZMHx!Y(GV6%9L@u_Qk^%WqY^EWy>C19h=P{Twoyx#MQ=Uol!-cq{% zbU|Q`uxE>nL-eDCDnp=K`)xzI4{{mCGOy{L-`Vb@aVVB-j8hgHM z-3Iy3C*T^O<%JcYRUh;>+`7cQ`)@v(Vi(*&^658F%I6vJ-DlDEFCP|Ru|0e{a}R$t zj$8im^Db4pToMpVVD|bWX31kj9xx~=pQjW zyKffbW%>K+>bIp5s`eE1<%`}(AANeacb5R66AD>3oRDa~ZVGdE`wv}hu?g-7t}6e# z?p#b`lo^xWf_;u~qh}2OjaoTvfY+(UvT0w}S+RTwE7~qK`Y@*zWQ!?2J%87J+4KN9 z05Tq+?NiDR{_+dd+^-i_k|hW@$*3)!o;F_IFPq{^&V>7d<9qw{W+@kUVP*fUMPAtA zoEtuW)J|bOcxyQ|K)rJF-ZFe}k?GSC-?{ zKf>d*5*4}V&7q(+9vz8+i$y?*g+hm2JfUxkL&}#lKMyDMQ+E^&GX_n7M4;DMc%L5@k@Wto+gGV|Tl4Ac>$86ChA$0~i9g_!)m)9QIC6L&e4`lk@m) zqwqfHrSvS=Es~oSD3`h~qNqf)bHfjdU%GbYz-T9ElL}m%B(77*Rb_ z?1KOe?S6I$1A|-qv(p_YYy~EwGUx;A=z7@GZ&Ycn8uA&=CR0tIH)6k^&6Bj0;`_^P zdY{lO!;+YH_sk+L>7!^YOL4h-m?669DM1HIGA#FpdfakjK`Cn$k6_6k(8s@qK;{=h zq@aH^Jf(ZV{JJ%GJ1`NTQp**ZvYfAl;3CaLFN1A^fZwLVJgEKz8E;_ma3_9dw{+X- zPyDnO>9qw-s2EXe>fFgq(v#6}&ZHnlyn`pX($qa9?coDz4K_5>>^L})w(8mCkQQX- z^CzzTPHsXU_0^(4`6((4K0Kd7b;3Ad@5D&Lc$a`4o)dwKZ(BEwE{TWRu9=cDp$~)^ zaalHuqhwT@bTPYVjh2yOJo)2@XQX=b(#|(54V7>i+ud!>Kl;-rq9y}jYG{kRHImTK z!{UC!)p}D`Mc!Y1@ps=`R7>hYcErMla$HBkLQ=9>l^0cwBJ{bXBVNC+Y9ZrU67PrW zT;=c_*O@`7o;T1lZ)7u?qCKmrYT0e#z1qGG7p(juJ8NG%J?2_$n47j3%-6M8DFkmB zU-}?xcjz|*A;Pmj?K^M*OeA~ z+e>{CxOKxnrilh%Va>LZSpFy9*;7^i@??y(3bvn(vjFQZN`nsSQZS?k1O51|WE7gc zO{fh~wYz=O9YH{@xQ^(TSyOwjsmbsk4IC@WOx6Fz1J-W3&>|P{mq_VhoPre8qS7VV zIdx;Xj2je?enx}5Z@n%@2p`IHt`mp#U)QQfvA}w3N%CgV2^aW=`7cO2N`SUzv(JU} z(ADD4XAya6nw(a=^Z@ZW z~>pU`+&H6+jFLU$%dA$Gsetyc>{jbAJNEgK@;R#dc z;6x+w|DS8Y`9{N=k#ryd{S^cKA>(D4!@yQlVs!r`iVQ9ck4ARczTQ4;GM{dm>n7`#!{SbDpN7HZbKA$ZVD0V;PyXs zCs2qvV$NO9nfGd!-Q51Nsp7V1B7ZUc(3#j=wY=_c*Kw?UyFI-^uD?)8k{dbtA4<5V z>I2-#kh*IiuRyWCs0O@ZgsM7(sfNC!3?r@NGCwrgCcIDAWR^YGuZZOr%q;OYGv)z? zGv`E;f63PWp-I#?bzRcxe}}3ATb}o7CW|xS>&*NzQ-`3!nC;!j4ueX3*5*Wap z?9f|x;%R^TN29`fy9aK1@Cq*A77nSU&z~m*O=8SXj?(kOgVxoknW#N|kJe9?e&@wR zyh6Sdje{n1g%cP&!E_hT@%h8v_qU&{KU|HFL0aURWveZFX@2am5ZUY_fv&}m?vP8* z&wGNeXM4SbKpr?*0bIFz+08Le8>R;F^2 zp`@g(_$beWY$%Hs+_fz504;&&>UatehoB_E9O-`qBf+?yBv+nPpFXc)Ru)V4ij}Y& zl+x+3$pM$f{*otJkC-*Cq1>$#t+{t3HD~=I?()swdW$V4PZHFb1jsuIyrrL0J?Q+S zG$CVYJE}B9=xVRNcz@h~KAEk^_o`Ikl82(b&GL|&2@Gw^I9$0yO3yz~IewtQMp@v; zUCvKk4&%P9;vxPy~Q?%wqZ_C(=v7Fq;56s zm!*+P6XBVP;Ln5&yHsOMqGohdX8EGvXb2fpqkxVHFbJOLhG<539rQ~AMo)lVox7aB z2xUsfeX7aP2V!W)M1GviU(_e`s=Pw?!en>gAoL|DsBg;zu6ow{cNRPykgD$Xg>8DQ zS(EPeYqnfSI0FQDTi1}1dA{xv9FPkxNe%UIL5j`nfIp8`C7y!i^9CL3^7D4{)NbvJWkI zOo0ILsIj=55M1L(l9o1{A)7W-c3gM9L&f=CH*wvJ)OS8_F^wq%wLC~Z_>O#6BS*?Y zQ3bN5LFYq+bWf<)pB&^QH8jle=-;f2eJHRsTV_KE566LeVh4~W0>l$Q)OTCIo8uk#jc=VH^41jQI3E_83LwBJ4y%uU$K$rl3rFG+ zMQIFt$z(y*l&l}UlGh9;a|leeaT2S`QD2#~WIkPq+f5pCw!h6{b+x^C3!69l>-?80 zTFOd%RGzdQ%m7om=`$#60F-a@5jL3#ZaUZcXR&wc%{iDst`8f!(c7P?E|*P&BP#fbrv?AxT3b2oC5jTblAyr-Vn>spOX714kan;2}>cu;x^oAMG8_sY)^Q{zn6_AJsO&uk_I3P zQXLvD1{d*C0SKjgA?Dpob0(VOGP(KOIwuz1{!WD9?$l6Y`n!QEYZx;75;*sf-~+LB zJzGKYYr+{gfgumZ4d()RT;6mp##Hoe%&yGy_BcyZp5XjQs(<7O`h1-dmjt}XcdZl+ z*PH88WyYRl;EHcj&Px!v?_LrpZIHa7;~`k)I}7ehO-#YEt*!MvHZD%KF_eE)TeV; z7e3AA+k|4Takl@mWnWu5LB8+EXs#SY0-4q8lM=2^**VU4lQRl3WqDkM{+KnzTRV$F z0N|`KHev_F?pi9ZLLmW`=*ia5j8AheEJBL^btU zfMLnMfeEt7r09idE_jTnuXv~)0jj#WGyI^CYl6>I*K!L(T8a~fZYm_}X_o_r0hA7l zU_YaNul>QL61|j6->5}a%oss{&GP;Lh!Z#)M~#s{PNs870@XdCEIce*GmmMXvd{ag zi%JNR=?EWc%)rsfGu<=d3n0QcdFH-an|w^cvhiM>BdL##LHq7 zlht9;`;!bi@{LJ=f-d&0dX^f5?gkp z?YI1WE6ZfZy#xHU?#5Tb=$dPL(8fvHb(a%gq8%6PLDxoWfmGvCO|M>IZqQ}akU}6G zC{Xm~Oc<#8bL<;1U|~L5t*<59Cx2vnyW3HM0zrjCA<6&77qjbg#tRGE7v_M}x{pN_ z>bGW{ff8hsZ_Wgd82^b)G=iHJ6Sgl9r{=g~#Ey_?zLKCx9WP-C^1-i?xBeE= zZ)9={9~QtZRU3ZOgLbYwRH4H~))j^9WS4-;3742nD`iIsDNi0&7&dr^_HEX~@vbui zmz;B22OLm-mA;e#Y;yShXA5|e;Dpr+g?bLZKE0)DC}BV8A_09x*a(C)}}PqNmxhQp)7HcMAKQ+h2`EwsYyYr?S~YhY&*b(ENCrj^=x1LvRZt@+ZtDF8Q)g@?PACRmy zk~=FiYbLp``+K!pmu;1a(S&d(MWI*cPoTyvE4PAPJF!RhpjVG_t_ZBsQ4HZkhr`Sc zul3BWj(cfcy=}q^rmXfKC5nT8-C8E?aGk%(vcibg2cJ~C)HA0PD?+Ewp;nic?)MQb zd=jZTaNt0KfV)YDZ}Q^|iJ?UPtV~&;q9)VECwV?}q&jlDgT7=RcK;9N7LWw4F=T(! z3_J05>#x09LlK?nP-R3N6Q^Y)>RPi0Bg;~bIHH!{*?Q^QW+)VGBEpQ6h z=%q;5+mNDVBxb_|fi*^S>34^2LH2t{MuW1&fI&Tr`B%Vr4f`8Cb7@~he!4TE#xGi<;6Q`FcY2yC-A3y%u`!j|-4@s)cgf4t zWgMcAa#W$1dGhELOey8q0Tw@YPR?mm5e(#wJ4l-T|wVE*26uM}^B|Kiho zfp1ODH9#h{ip5$zHtW1Xk&id3X@c~Xe<7@k%PF(R+yNe#$kQGA6I}lrZ@2y85}Xn_ z689D)H+9TvsM$P;XCBotFy)0RwD$ZCe=R?gR^ zT@O0aD@6d}u2zs2J9QbXK4ltx&EQztui`0d>gj2&wTuCVc#o|?tGo%Z_W%O%>!R(Y zLW_%n&l|8)By3yQcC=jc#Xs7eikbDR&{px=8IZAOcN~wPr^ik0ZDI)#m?(Npe-8gm z?{H+~F!RLhG=|llAafwqwKWZlkE9TlEJo*|$}LUoZ4 zg4F?U!v8LF2yXAdcB6fX`X_*HkJ@7o1QY`nV|uR_k#n2n0lA7YsLy?TJee8CbF6EE zU1k-I^+b~^9+~P3F!AO>9k99^84Z+4KRfKB^}ITvS`7m4=Y+YpG3ejC^c2c4%n7RXO4 zf!r1C&OjI7%Wo|u^}iB}1ZbW5kD!VnD4Fc+^ z32a{A?K=YZQaRfW#Q?1r&AQxkK#V16u_?)vOU{S^Ju~Io`dN|&F;|wR_mlQ=HAv@? zKMx0SLIlS+U27#O*t%E{Xexyq%#AWJmt=3+Wpu3Y$HXBh(Ce#dfOM)loFxRIeOC1R z>~-=BZ@9UR(lnH@6I!P%S7?^)8d{PiVLLOTQaTH9D#n33QX{L|`U0c1>j3Ra4&!l7 zcBmMOLSY(&R@OkwKqjl~t5QjrwWlS`SzPM(EF-9qphf5QOr;B=%Z+)L^%uv26CqMW z(->|>qb5x%x?JAJ6c2&2-_&@+P^^74Ko#QQ{>Zyb0T^oCBe~iPl7J&nL0E`--3Ua) zQ-iYt`WO8t)HeR0{WyXL9*(~lVz7*@hMmsb(tzgCR(4DQNsxFDi*u75C*t>0P0uXf zt-+fSI{=MiYqyTW7vwqQP;o9+QF{#qSoQ$`X=%_vX>fZ3@0aKndF< z+0{BNG0|=;y}#H*QNJ{>tsx0tb-{s&`4#R6DFU(gB4M+C*mA*-P)w32ni)~6$2|j1 zY6XHeJg^D_ww5;-6aMvFzc$fr@XkjDKy!Cek|snLw>jf`%gC6TvBsJ-X>cfJHJnhp zgpfCZpAr?o^0ftPdb_~KzZB!vl-f7jY29vM;$#u?WterXQuNVgHv-OI?vqxa*;=f=OA#2 z-KYY)^Mo?vC|lC*VZ2@^VyKH!3L9u^pobM04p^Un(EimJb5(K7DWj4>#bT)j&BxT- zMh!CE?J!TeQYa02nwL}nGl;Y0Cc&@Vz#L`m?zzvAsZ@YY@OXhJ!0mCXC%9p2x=aoNbePF|6Q?WHYrMvuqTO7NHtlW!M9XW|Y=5KZ z#;^Il;L&U8+K=U2?V9 z1klR|HF~9K2=`r`_RQUA7XgcuosK2eb?ybrqyc3`r~@cF$1!J+fxxNP1=Nql>2%c$ z``gwn;9&)3qCH#PXz&##C9g&mbWuqB-17o9(_OF_%$UPAH`;XN;WU?V>tv)k+;6Fi z=n{*e(_k{bfwB=rOVcNiXD8H}`Nte!xL1SROMe7ZU-U~wXzS@Tt=rIgx>d~Gb3<2h z-%n}LK!!TCPEzDB_(v?X_Osv>MB7P5;vmlN-IFv7tZIE&mw6~na~oW_UMrZ_`7+@y zYr(m3;o1L$BWD2{sA(KT8_YElAf~z73#Pf}PPn*0Xnl>Tp%nn*6FiA9tK>~!O>z-3 zf_^?xKF{A4CrJFD0Uh+zBLAeF0BE^JA_uuNUe@+$nVR!EuK0!*C!0d8r94I>w@oWX z^a$NUtYh7mo3@)dKHBXRPgNqRET8TaUk2Ol_{i+9Pkkg7zv`D5jr0j0qR7i`%t)LP zy7&y(g1>Vs$mGOJc>GdT=Q!x@m=1WfM8 zRUAM-d*87<-yUEH@sI5Ks*x5H{e%S%j%jnQPK`Hx{PM{o{46;cpjF5$Xdejy-`0S- zEkMVqfCiHCPGSVjZQCbiz&Av5=TV~8r9B*Ysm+`3yWvi?FAWe*xpq3U+vz;x0%s|1 z*VWu~K=n~}w4O6?kTq$`SZ_2Iwq{FZ;5$tH^2hUPzS-dZjiLDy>?70I4506ASV^h~ z!k64hrj)J*XQ2p8M78;z4QI;?F$yE1c@y%@a{}&AesYdHyB~(-2kUyKqFq<)RdfDn zuVF83;);KfrN$?7QlD60#*qpcjN`A3FG zPK7km(7>lnq*G>W(@m|+AW=KCgZXMh?JzC+ni2V7Xj;8)szQC*pm`&&eiY+K^K9I) zLB^=B6=DmvPW_1wPhVJ(}Q__@DQ+Y>@JXhqv8$n)ag8?O2VyQz=C zpk1Q94ExZ|i%SJvnm4R(O|HHpq2-=w+7)c00og3n5C7qs zzha~@22bD4ov%6YX`>y@9lKoulTS+IPSFPA_>tVO9E5hkji;>8dE)NzvsTJ4uMuEM zU>{fJ?{SAUlH`|?Ns@u;m45AQF&VKi?DFy%+6%Vomt#{y3|+0PP}BL6!L6Ccg3rZx z+(clqleok+=hfPn>D~oiE1&B)10(89`M8!3*jSL|%G=&7=1G^Gh3u}6GMyQVYuPSz z`s+0kzQeXo&(bQxQqneL`5F}siobQ*3McC;!t1VxG$&L%a<91Bg&2|4Af$D4Ypp|t zTteIjs2w|2DZ?kZYFpoy1$wrt3=gj@4{V4l!xC10jDfz%*5o>^7Ge;253b;PHXluV zAmZQ3fV=GMm6O@$;ryh2GH4X8Roz6fF~=bLAq8-;r`UMFVE;s+z~OFg%QLzF8hagf0)IvyzG5KO`I*NO*{+pAx)^L_q&$L2X5cUQM7&mVBmZ8ar`#XA( z&%%gUH_~`YNO?qS;ly@zEzy_S*F0V}@_LUcmI5r_;(;|}S6SmZtnNbBHbZEogRs)f z7pCK#?C=^bq~S=y4-aH36(6i`Lpj(TRYwZ^=8_dKc$L$;%~`MLd&rXTD_@_uESCHfrTw5N90OieUqoNY96;!4FD8p5BUgo@2bc?w*Ip3z&?4lY-#*c z5KC4ERDP#o6>{V&TKfO}L8xv%kOB<4X6-QTNj+z){{idcW~}yYY1P ze`^UDwRHz_Km57BePn&PFU@_vtI75Ad#riibN2n^4)00j!}Il@mE5kUZPu6D@DES> z{!hcmFQh)~Q_cctqM- zLOt_{b%V$@DgN81Ls!0Aw2ikK|$!)w{BhsbO@KSo{82)D99#$=mFc^%#VW2imDG zs^3EWb9wW1-fDI~E!UJjJq_i&KLcD2EB)8`(YqFVlucy(1po=*vl-!zoTZQ%E-lru z3H!5W;&fJKoAAh{;{Ggb@lIXEo*aUSKyLNj5TjFHjwRc|74lq6O?ob0VlZvCibwr6 zDG_{*y>3<)7~?yvo-*m*$jG{ik?tQ6bO-*qcrZC!%m$uir;YBbNE%l_Cpb#rO=A7+9%b#DG%}zZ+-3YR6Jr@Me;)<4 zBp@0L8H-W~Vz;5dXOvJ0p?Sms=sQ#N;A3BsY^MRnjf6@MtIwLgh!%io@LxO~#k;p= zXZ71D_oJIBWC_fRHL@E3R2a|>7Q)Hy0s28Ry4Qf-kj?EMy&>v|*B1ao-I~rjOf59p)nbbV|-q_H$xd@|;V2zc`7XF;1xBL-Zpt>YUSWhr$Z!iDd{L)zDQBO*yGaVz>DA z6y;>>_$IGQiwgOPW%B3`L2riwLE>Iq5j!4S)Bp*Wk4Z^RCW$XjIrZ9^AP<6@tAJx3 zD(G``{*``fs$1gLPQHu)8}<3KO%?_z4R(0tdh(~*?BGL1WJGV_^rPfY=Lr(lF7kX# z2uH-VmS+1Qa<6T~J=g*)x&W1=?l*RRj$&fPSIK>u4&t7*FskSPt!~#8F7F2%qH`@E zj)V_qx0mP7>@i#Yq8{h=Nfu?CzMY)-Dk$f2tpt+s^}AeH#tCAtjE{Z#q92*x=GWsU zxJTVr$nrMX$y^cjtZYa7W@?Xt7?>NxG>z{g$i?`_Z9ZT~205kA_>o0zc3!JB8PRFb z*6}L}S}$pqlnUYZw#V$nII+R0&S3spc9G_1aX?SqOmiC6Lk~NLtO-BvnIfIlX9N07 z4AHN3er@MIX~ROgL1+7JT{*WaSb;UiRsq;D2HR{i*M%z&ZoOVP)Mo4i&-)46mkLjh zPxHrsWA-7*oPOPV0#u2Cg#}?qq3*#EH$sh$VXnHYqhF%12}P&zJ7LDd-D`mzls0Z; z34Yd9WPKhNGPC6E^R+La=tp>&|8YjfyCgvQjwrJlj@jbL*yK=tT96N$BC0 ztgqpBOjJtnb(_gf$CLy0jd?w)w>slrT}T}5z!U0n1f|OR`3mYki#l7VD+S$MFTVnR z_}{?T^@&Z*FTj4S@K~Nqy|yqJ$m<$lMtT!=|6GBn{xaunuYE4CG<9@x9nn2?6tIv(2z=xW6e1<6UobPW*`~Fn@x2-kd z&e0BO;|qBS$<9$yS_gB)pDV+ct^V~-iycN$J@o(OlGE7ubMIc zam!;N6A$l?_KcnhS|6u6C5;M7&nmmWLr!qyfH3+l%k_ z>5C^ettV_HZ7L?(N4LLZYBUbAzhLTSMmBwP7A5~6VJ^LY03kt9e*q!?mR|e?gzO=9 z{6iZtqt9SsWV5Hw4Dq!dW-|g-uiZ!0RWfSM+*g{%h37g`K+!|vgb>PhO)4OLD>+q+ zN}vwbF6J$pZu^ZLBdWZI>G8mt%_1p~rWs6VSB^TBT`*_(`jT?Zr=eHW731TbIoY@X ze)?gI?DCVtobV0ua2%SqcpRh}o^I8qz=Nc{8dlbj10ciyhmwWf^q?GF+--nz= zeG*lf@d;|d3k`tp(JEIX#t6G3H|S1@^<7%JB51F7Td4u|htMV+or!e_T6*x606i0E zwI~%y!C?jb2bsvu^(oevd+HXobubJr0c}UGELM?0XnlLy z;=&(RP6fwfRZ+P>kYzM|VICHBS?Jt`7yS3yKzL-Rj@eb&+PZcXCY!Nn61q1I*V_R! zLNoM^%)u|a=2x;x{{X^xGz}W4yy<`$ z0~h)Z4XPyLbh&a|mc*ez(xd@0Ss*+D95-tg55lh&tJ4Y9sUJ3u&S`+NDHhkvO(Yxu z^v?GrP*`X^RKDg*NNdz@EY`T%Q(_X1qy|-fXwatA76XjKDY@=04u3m}O>j@6=}UyQ z!W!wk2GASs&tp^_NgVFmBs!|%7F>9yE$Y?zMlKbXAO@U6}w`{|3 z5yBH3g8j)NWKwi&-1A<0sF~wE#jfs^nt4!k=!kP)feVWRpMADdG`%9%mz9pa-}W_h ztnRbu)$7n&t|k4~Gpi=muBf+gj65|1LXe8e~QGdPiHjiiTfqZ-9N6X2Pl+5@BuaW7kqI8377 zo_$ek34h*-JI(aglDWz*5zWe5eE%7AfFHzBvvm$9JYDrMun^Tp zGW-8~b zYE{nil+ykzK=9_g*^II1hgj#f1y_V-enku>A%e_*iKiwpL=@s&w<&G9e-q2;4&;FA zz8M*2$Q_t7WTCTh*icpGR} zdgd0#bLe>amOc#>sPf{4cI58Tey&@>-6f?Zs;-6-gaY&t^#;ySurd!*I1kF9=>)H{ z)R9z>648$q4IvyU#062%txRjMTpSKptax(Fd=o9!L?lTX6_-B5be3&se^XpTfm7Mp zg|yBPkJ^xnZ9%yfg|n!_w4kyfV3&}=j;|lbuncz~CXV<(nrXp6udm*sdW1sz=d3&W zgnf%X#)7q6ABiD&7M_Wko)0IVE@q$m(+v$?EroJ|g=Y={mM)rjt+|xQJlk!IZuMJE zHAz)U-D&3c>DRaNdJgK?tyylLVuxrZip6oO4Ji8u`-RO~m|TK(_Q?3t2V4;CMV8Oc zUrXhq#7@AydA>!@eq*80ve>eKUBJ15{Zs{Io@HyN=9@RrT3qIN)B!LJOZFG`;FT}~ zJs_{pOE~2uu3=W!*hvHNtvgxmMuetTD+_|-i@{8p**i*)Jq9xS5~C%y;V{{c084xr ze7nMnYY@`o^ftvU(cmrs;%0tq@c2wLhC=5s1s6=6j_c*lmsXlK&et><4Z+TVbm$!q)NCWTZRPx$8I?X3|Lm=mxvS$4B)&YGIg zqg(W?TXg1GdUqtSF0{gCZn9K>K(<14^D5>_Lp%|>f(s-=>;8S6AT zykqWm;LCuSf*CDb!r5Y~%Jztq%sGM!X#%24qnKfk`EvEU?Sffp=x8#a#B`LbP@FPY zIr*61>lFjew`Y>FF9dTUu0{C#PZkp zKIGx3q;B)RF%cKE{&F^*11s`ie7?=GDYIg2z1*3uq1n`l;X4|V3Kmqhtz^*n0a{7c zYvfy;`r>Q7toDORL(^%yLsz@F-f~}%dD%g{z41ptoLEq&;rT;79OVXt>Z^zeu9p4E z4M$i=dhVwlTyR#3PPCSl+CUSYxxIvQXR~KQ$GP&1=CO7kx#Kcc4rh`CSkQRmkOr$c)(UB%6NMsLEYBcoqw7Hy8;ACIn%L3e^NtXiV zp%iD94tk5LIP!tswfRoohHe>xR(KJpQ$NucG0|!l{`56*>_Bwl>4<8FBY|Ea1m$0B zy_#~pa&m>LG-$CevePgE1y`>O)JYJb$V1Eu3+M@K#i@?Hn(KAo27TMU2pT^;PUvN` z1gjCGvZ!BL`B+HJIh_Okr#)pZ5m*sJW+maWxNikn--sCv#CZVaG+&P0QB4>zs3@+= zw;)f>Z-m%^AX<~tC_{Bh$$5{brEWPb0SZ%K_@&#gEHp@$ytc+*=OZStp!Cs{@`lNn zZ>jzHJ0sWD;YhAC8d`98{RuihSF?E#a8XrjC?uk#v2B7a@pT8)COLG?bKCkq-ueGY z+t|8n{&$6TclX2ZQiqrQllI)P_q*NQ_gjw`XF&1w|67GN`1#4-zvtz8M+K;_J{)6x zzI5=v@AH2~j1tIk$n6^FoHFqh=sqzq+IVj9z4`roGgNcB;pZi623vFW$2)I{Y59Ka zt^f1$$$Q5YL#t9p*!lG}L!IaFW`7@;C)n?zKaS=d6L#8VFixaK@`#O-JnrOoVw^mb zw%3wA=hS}~!B|ixU8lHM=oe|a;6_$OcSumAACiIl|9hl+Y=9wO*_n+rW{h(}^*0Nj zJ8rs|jxKiB%Y`w_53kZ=Dkfcnrxc=2>=8 zhn?m3dq+_!+M|r8A3ND2Ka}>9+^4HbbsG3wd5Nbvs9o2Kd$w*jJ}j#UefRWTGbe?L zx0=*}r@JD3zbROHrqboIb~vcD3=na8?2%amNrDB=>h2oMUPgjVA*UAygd!i*hyG7geXVwld5qbj##ekHMs73>$i5;->Xz} zOn420jJiDeg}1HOsYh#@?Yuc(^Rie}aBCl5IrQpOFDTq=U0*qghmP>0_gAW(#t*R| zlWTXoxwyn)3Wg-hJaG)-mgLY5aYz}2|*{BSqx z8lJ0FWeP2GPpwhSc~@Vg;)k^}ILd3ry&%Z@k)ipHG1oucAB)v?t*$zRl*+*4HgTZO zHm9Ye%ggNmOJ$kq5Q}xi+_9Vwo5w}(d5?{$UxEv1#qOPbALA>Peyp3Tz-Sb6HSRPF zQc-aX)tGp}D#x0a#58aV6VX}4E28>=J`D_)FKv1c)*U94?NY?Oh2(WfUE-0Z-m#qv zmr9c2Ax~1HD<|u%zQ??L2Ncv{VtPX6Pe*|f?b67lLH^hf_MnZ)mfyaynAVS<(ae~< zMZPB>7$snoz`*)e&LDs*&ITiC?HK(FaKDr{mpL=+1fML}^-N2L7wrLj1$)udTz!=g#d_wSc zmkxcv8O=RpBL%=wmkFOFBW2vls!ULaEXKG<$IM8H>y8=gbR*BUkNiH@hFvF#sIN$I zF!$S&2EE?16*dwY)U%W%(@*A;5!iwORLN)Wz zfQ7nwx_qph%_zU^K&%e#dY)7<#_!qQRiT*N6wwWYy1gV4>aiE`SjV`8Mq9Ygp8lI= z!RE+sbvLja;;Yomao6@F;%9dP!*Nrgn9rW=Hj-YZ>vwGf1lg@~p;A z)|A`T2Uu>=0}}5W>WU1#qcIuVj$k=s%2hg$8oNCl1`TsRO6rc=*~Y}XGP&KRwg{`6 zTSa(osB^UnzuWo#b|BwGw|@2*IOz7bRlC%q@_@Oc$=xxj_y8 zaf4XL<^6Ec1{;d`JgqP3Z1!_j`i8k-q}N@91kk^eby42T^bDKfqDo;GPP;YA`{A=3 z;_i9*T|4$oWp1H8(2RGuG}&r;;cgB|58eXz2&DRMUThjnR4jnhbE@MKz`I!q#tS}W zXA_mGaeB9Jg~m}KLzaR~T)hRjtt3|7B~r{)6b?f_ynUa2tWr@%*p9U~+>SiG|@@xw*Fo$LVr$;efsx+9R^PmTUiiCmo?9YSa%FDFe;%*;gY_}8YB z2lyLIPAu!2{$o+8EH`L&3=-i-mbz_KJGi3aG4##(`D^>fkX)PV9YtE##?!G`?P9Fr zYqzT-daUS%!ux&iFf-=&T^g9D;r?!`%5s-5g4822zmlom7ieJ8|4b_c963alFCUlVcRF0hX*=kO+@9oq3 zCh?H$CePUFGBD9a4EELO;tb4OYx_7_2Eo$Ky}>W@1ONy}NmqFM>)WIs^jpKf2;;l+ zWX(ko(#e~MTSn=_7+Qi~aYR9ok)#pz_OUbcoukHsoTA2cfk#%SC^HYC7E|eIF!}4d zgA)bp75TCcVab$oFF!w$+?cYgjFQ2;Av%VqN+dUAKAPz<744mVZ>qqdiz?eo2wh2m zo0ph^i6pEwApq~Cf0yenK$pn>+!$ik&7nUrO6K?_SzpfR?aouwP%u!Ots_K=ZSjgh zt`^e>E5+n(@Dusxee6Dbe|%0LjEFOyRJ+%PXp~Q8RO8+3sOOBN@eZi;t;R$M~PPR|e5Ji_}}t49|uD^Q$_ z@Mf1y0x))U_Wo4iR?>ATiL+lz_9x&bP#xw4Z?=iPIqES~{iuSzd9h+}7D;FlN&biE zmi5`nGDO5yuDaQc0_Fyt?n1AMTCA$aNQ>?c>lX$t<4p~1^214aPMd|Ucoq3AcAv3x`#gg0)yU2bD=ueJq z1&IvhwR`$K{jW>)H5GzvTkudqQ?ChJQJPC{%f%v>d!|lDdDRL$w2X#eXNNfNmiz%{ zHSw?&*KR(|R#qh{Iko))FCvHd$I6OTI7#xwsBaA(CBC{tdfpWO{&?UjI}hCm(*p zj;=!Ng=6o}fp>M!)@D^<_d!=Zd(T~sa`bmI#%+D~>E=wPON;-L z{;x=}6Tv4?6O-&W+$x(Tmq!K7h6MWo}?l zuwCk~w=QB_tLgqkoBdOc`wP=oUL&ooZ!lsQR4|`oQZ)T8{l#sRpH=84M*J0QRQ`GL z?{FpWwG(<}XJY=ob_~Kix9f5CP|{24OwRv?;4ht#`>z(~=+n=a7>*DB`!@eK*i_8O z;p?CO+r}C-Sl!CMvUQ9)cd?SRu(I-rBrkTOkzp}V;P3-Z+(R4% zf_G^V+F9S{#pNpZL9QiR!*6lrSngjb!6cqjtTzcchYVyM?zA5`8cHVk6{sld;eUYydZrFq-5N9hzkQ*l)pG>-Dl&EEBSU zvF#zy^2l`iO1A|FQq=Gne-OUwb4;hUA$1+DRy>ZhD#IZD^s4N3jec(ae-A0UfGUsr zPGWnh| z-#em|!Z&J_?Wf-6_)+XCKAx*KM^Qsi$PKAAFkl}nr;*+LTB!4x-{|**uGy-)wNNx~ zWHc+T!y5GOnCdIoaC7Bz0b|-RNWwGvaR?OK4ztiS3h}E>dc8dAKP#$&Jtkm{ufGIjqB8-_@5T9CyvIs(6aU&Grx?{CZKIa=|LBaNoFYv6NK6x@9_lP)!#_!%zsqx%>K{LV+5-IGxC3;V%ohD_RKx4 zd_*6O*ox&n=9l;HTX$DgF8cFOsuI8O^mMqE?XfQXa@pr^&ljSR!x1ILmYWf^>+qrP zCMHJ3<63r@zE))1n$&e6>lBB8sNlHy0@L8hjcoMDouA{j4R%IoOf%495w*rKLuTci zPwUA;N;;h>ss1&rSSkXtY;C3N6<|Lx`FRG4xD7uR6*F(8u1&W5HdXpa)&1{6Lp}I{ zv~M#)SfSPEsW>*3Rj4;Z`C%w(5%O~Qc)sskYOTJ@d^4H`L8K!! zk%a@PmN62B%B*wHVZ&A9MCp`$RJ~?w*)xh)`Kh0e^k`)WUqusD>dr~0h+dB(Al17s zs(y8~i6a!sH6dewP^9+3g`dos(N}Y4wq}1YoND;nRgS@Xk=WtY0t{2agw~YRiWE)$ zi%antnR~9wFRzb4qyAZ)vBov%v<{x&mVlK6cbaZ7<-j%A%}oiWW!ya|ky%9n#u|)^ zQW(nmRf(&o9Uj?8h6{{{*edK`BSY{vqyrkCEYxoSb<;JPVFot~Rv=SaNfN_tpP$b` zHIk}Wb1pnk4zLkPwCV8tuC%gDqc_<<=W-~K^Rbd2k!eNdiq^~J!Gf>p(zF}*nqxYPL_LJCq>2F@5vo+es zM37SGz6Dw2kQgB%=Qhc%=ze^^zGy^fvUo2i3Y0Dh@Q5yi*CA4qozR6SoD*&Bm|t(Yp3SjC@d;KzP3+}n>M z`OrDKvU*66Z+Ta9Ky}Uklte*%Tndt06a22J31%3JB1 zyiiwfzL;Jh%lBEVk8!xvvOi$)p?^_>q#?a~yP##?Xnw^fD3VY$jtJH0Li=JDRJt!c z=@BMk#nh-}AmKvWvyHXXyT|q`hZWyrJ$+{dsY}`pt4qn)^c%j`d*oa76Owo)jLZgV zUYD#q&*m*r-q0#lL-!=4sk}LgiNX`F29i~}Bk{ESL#bxZz9y_|Y-X(cU%z!0m%I5U zQn{;cSvR(=U#f>yV_|5YFuRP_%Z)|Ka{?de1PDtZV~+(wlj!zyY$!i5yYAt#*Vsh) ztGIJZ_TUm?UeF#1f>WB0OGOCyI_eu+n!N2zt?cu#a%CQ>ep9oOJubH$Jz zULHN(n#da>NhTwct9ZAyLJMu6!0+cgtL;=g)o{fQrfS`7u>Os8=A)?Qz*a0!bdU9w z_#go$CNqE@7xrCAa`W5VVQq=g8}hE$&8#CVv!l=A)V+$vreqH2Ro3KW>sBi1D0<=a zQC3(~BKcZgynfF|u4MU8k*%*L;g|(tcdJO)9ikr;KeJ)!ii++1i8q0*y?urXMnm#Oa z++wMb8Q&}K+RF;wtDVX!u@Ay{u2qM5qaQTp8-)}X7Qbo6>1(C{B>G*`)2{f^HxAV{ zK8ziqZsc)s(mLw2txcXi@>|T%Xs1uGZ_qdZ?-Ul|p5b1sWq1JreU^m*ReW@EhkT>T z!orHAMf=Ut-+o~#Wnx4L_6NUM?@_I{U+!anTW`V=N+z4fRf||Rkn_aK!mEQjg6p_# zYvV>Hz}Od6!)sId_lgjRaIQy|p)_$V=Gm`oo?~~7b)^k7F!9@_BdOCcp5M|_n*^~F zN;Js4BKE}|Swa{!eGDDDHmeQa^}cQ18Y9Gfut|KD{vx9^sl~tI_wuHzNihtna@na3QDjo_5FS>7vO~ z3YhtI;gc@Cf4FyXmv`F*^(iOpw|IRR1>P;6zzOQ_%!Fc|SDoW7TYdYxD8%(%^&>E{ zD|{U1FlbJQkzFoZ)bK$9gjUlwXP_b&Ng~N%S}8j&E-s!NXQ*^0^7{d9U9FAPv4Rvj zaurWrs5D_5Oc5xSq}GyAWx5?$g%Ed?ATt_t8#e`UF86UXOxLGor{D2#?D$ob|L$>w z>hPc~D;BuohqZhLc;yrQNyCvK>C`DfYm*U&@1Xuv^;T|Px>t>6Nm&I}b!aEsTB|ID zDJZ%Z7mLZw$L;w>J_-hxO6(PMzPwIj=0t=EDVm94VNPWZ78@~KwJGA1`bn4bAP_kT z9z{>{Oj^AI-VcBl&qdtuovNp~7l7SqY)O$z)Zv|*GiM@Ve3H#Df=fkr2| zaCzl)#F961^8`~Lj~x7|q!rYssfQ++)`oP%N;PJOT;8qBpqJ$v#T1%!dF6XWK`es`aKG1maPX^p2h!m1MCUFtvu$-(aMpQpCHi6C$XClSqcte3LX=U5BFs{6N*Z&3 zMQ|BMk)CCFs-um{&Pt}wR~(|jHQ-Rp$|z7B|J}8~gGKC^1dDPhg=OPikzShQK})2& z7-m2eRqMj4)&<60hff++y%^q{oq(AYC-eUGu4&a@_ET1e2@{ zDg#MN8PuAu_;-*dLs&vV2Hlj4ji*7i%0-`5xX+_&(?U5C>kqO=>s^4yu%&2oMt_V# zir0w%88nMnIRlc{<0d&Ixz0DH3KUn?o5HqDs54%n>(;xEx8{f_9JZjBR`hp`X%1?S zKBg1z1`KKrca85uIRZZeSdZqm3IQJ(r#nFpUKbHJzTlK~n*$%i)Wa|*poDq}R)5FI zCe{3p2p7od+*erxJtxUvKJCjWU9)uER}#8eswtu7*K*^i!wx@8C9*QZVX7P>`Poy5 ztd-2mhXrS{@*W zcE^NcMtz7B%t3QVNA$ECZwE!YwK?X0_SnDew82}Oax^JTD2fdeh}wa;1w(GD*yB|- z%f<2yI!1{fW86i`l|$kT8d1-}stY~n2gOpaZ&@-ICmWmY^Z51K>6d$(xlkMy1P?x4 z`$XGSOGYBNtfx7K)_K?=NFH+>X18ek?9O+NUc)hqEqxV?`n+=7fdCyuFX;YCMQF1M z`Rsm5zI`e^QdMVRzUwIU^COpSkh&b9enZ7q!)2V#H3HkvRT|oHhvSF1$sy$qGTmJW z$iAGTRj}=FWiis0bX#w7InDa6+udchd6oRo6+SR^o`N>!r0Z}cJW5*>xwAEGc`3dJ(b?=&)cW8~b{H=z z4&gCq=Y-&vMqk@%d&5Vd{2T(ZpxxA*nrZ&pwV0x{U7n71&0QPeEzs)Cu)fzJjgzL>Gu^;Y>^XBV1HZ{={Z|UF@KSE0RPauVC<3GZ`SWq0u;{gQv~&kp9<#&J}Kz>APED^sslP zfa6xb)kt`@PH99R75zOJF3Z$u$QGBYFj9>GiHThCNAmYZi3oJ`KURCvYjLJKT}0ZL z68`iS2e>itJi(EFURC;po?s~Pzs~CE*A>7Y(^*6hETUXQqcPiM9A|F~X2Af~>nix$ zy4MNPRm<<|XMaGeIx<}#pE`NPvzzq)F!t3^aXrhr5FCO83liMjJ-9mr_uvv>g1aQR zySuv&3=Rnd4KTP24g&;thrIcnbMC$C-Sz%>v)0V)p0280J-fTN^jGzvh+yg~Iu`f) zPe#SE5PfT(`wq7MY|OAe5c=x@<_(VJ@K{%t{%g^P=ATLQ>?=*K`t|$i zWJY9!!`{ULNEkX3zU`Bi6=67Jj>4g2T*0ab9Hz0%c@>5W10JXz7(=Z-^r!M-$95f3 zi&S%L?#4gppNX))X}hHixROyv{N{=0D$7ZUlOGr}&q|f(7S$-L{ET;SqVFTX^QyyJ z9l2+&quFDGLTXl|9E-?L)mQ>+knz>-IzBtk^yoi@&AnuJS1{7gRc0a@o9MI#&Jx9M zpLMJ#;$29~n=SE5#qmAg+q(I;T3Qb~XSxnb5)e3AOv82;f5KVkS*rjeID&I2qyL0HMul>cH1TKhCSSLEUr+hb)SV z?s%}4+b_IC_l+L4n^<(xy|}v4TT1ycKE2egwYenjNW(F3)2X~5et}Y;=|Ot>R+>0+ zK)VR@z(%Kh-$O2iRryS?!<_s$j~>*rB>WXCFJWgkCaaeqhXO3;EDJ#aE|a(e(|PFm zgBbZK)Z=wTxGMf218c`}6GSpU1S5N7v*+VaI5onudR*gl{5sA3G1}GH>J8w8P5_RT z>5cm#bKX}Fo)v8;Y`eGAm;80wviC&?XXXyw3Gv}RNuValyf?JU#j1O|c6RhH{gB)v z5%>7Z&z*2~T9!Zmb$)5_ia51C?N;5hk{A!_I%v2gxbQCLC4#ZEv5OeGWslO6318p< zbamFtUmHt^Ey9satPEPY{Pi*d{#aa9JCK2gf@&TuBuK@VrY}R-A8Y(&yHSljEV#w| zA2U3ET4B|V-An3peZX|$){&P!GL8T(9rjHLQ@q2*D);;eNc5A~cP;Q>Hka5Zw~)|F z@aNb41(1c!3K_o;Iv>wkM(Hn%w%7mwhdvTvQ-IFY{_9gM#?fS_;-;g;DJ+DuO6=D0 z&7bGnSbkd~WcQmUTP^ERK$w^GK6yt;)+5?ee1?}>%_k4WjW$+Gu|V1jon1sltn|DP zP}7o$?fle<_IF~DuI>QotD-v`CBZKgG{{5hls%!rpvY5$GQ2jBO`PPy8;u(38EVpaNd$5a9=ChX4bQ8%5eP^Jq zyNMB8i|&!W5E-6{IL|}ao=)TPy@%sl=6JZ4_j;1=1c(}G@aXmg4)ybFsrzhY-F_`Q z>I=8k!%wnb*8Ily5~6ArN{|*yZD%*0q(>V9&@4G-3%8wSV$*>JO0+0Hik)zs0xft^ER=oB{h1o1(5jkACA6mbuez>U>tnRnjnQt=0 z%M?6>8P}IZ%Bk*-hmAzpV_T>uu!T3L@}H7WhPQKPwh>a!Vb8ydJXZ!9Fxhj7;W53; zi-tFXC%{R1rQZO~2`qjLJJ~=a{$Bu?&x7=re!Aqc5bYNF!==t9p&VMGz9!ft^b?be z<;=#F-4<%>{=B*>IM;OPOuz4{OCClAdst7j^Cz)BKQR!l_vfy$_G!7vkLBM7&&aJF zU!OnGhZP^a$q63pFo!0ny1&#$b|@jK9v7SIU=d@3_i$M(*c;J|6S3J8)+b~Zr=r8T z0>4dSOr=%TnM2o9a9P)jS=AzousE@7Q@IIs*C%3w!qD0kBapHxh5M$Nch_)Yrb<8O zlGAI$rn;}r`VZ(Sh$1{L@IwT#aPrKEoc*xY(k>ZPz5AwGW&cmpr%Ro(ZX+%_{g}D> zG`Bmo1#?0%`rPUZ!1xCca&I^>`fJ5r&~#c=-9A~ z8%Nhi@w@U^q2<{bjrty{guoJd*tK9dr7cG|hv|Q@md=?F6KdkfI*rqHeJU7PlR{AW zkg+7;tV1^8&f&Aa-tdbDs|b6)44;V#HJKBfJcfBCaR%-v;>aucnKX_em`ZAk_B%3}mA@LAdEaHS47CJu(`8H&nEpV{bf6}E13aurE? zP+CQ;Hys5PjmrhQ?zI*mKMC+R#!>W3h{H#CuwcGFAzV^lQK>_G`=`Sb~9 zz^$p^GTa~nGo1|HXaBWp{u?h4GK*ywr`%G-W`c_S!w#L+V0oMmC<04@7YO~z>a%~P zCSF<^+3zg%2BEXf^~6f2rb1tMlMW~XfFyV`g^$cy8BBpvY^1JKPCl5}_P5d~pbK9j zYK~h6Kb1a z`|?k~Z@Ss7qJ0FIy6g4LmJ*9;$s%YoYTwgvv4Jz%p63elHe~lTwDUwI8wREB z^kP~iiy<}nFASU83}kir0)EMXawx3J8T1EB;D|R-$`OgeD}!VZu2ShHnf!PqzDTtn z!fi#W2Tge`%waCTAO0KQ_^%#7BbqNLTIf3?kXVb8&%!IEdMiw=pY9dcZPGs_gGyAx z%g8dA!U{H>X6Soh(et%Tos;!Y{C8j*ufYv#Gww3cFV+b+V-~8qHi<@dDM%l{myZ0c z6_v6vEe7r;H|a;I#cACWj7?|h{H%K9NZAI%_?RwD@jAJ2AmWMX1NuuWXsI1zd^f4^ zoeo=$QN5N03mHI=_p-icfY*&Vs+dr?YOt$k&u)U29%WL?F?4IY9309`7 zs`>6}Lgcgm^pH-%x)|2vav)Q+8Scq|Vz}M@fl7i! zb*K*7fC6k{rhA0}ul1o6DDJ%rj#U%kd+|Jf9z3xc_RD@_R^@P`Lh1Yt2ItY6k2!`W zgD2}8ymRyjkI+9D)F`ZD=H2=GW%fLyLiu|J-Y8!#wDTsX4!wgtnd7Fg72dW5rj+`s zR%Zp`G}8t6q^}|fFM2U8V=5|r`+5)>L5#Z&EgXnkSA7``hBXu7!M)z;6T#Z?)9pxq zeolawV@AnmoTkPiOwX6@Adk<&u57`Pyw1d3I)}itLn*eK;2js=a0snV2tHFv&Kua> zxs8bq$#Aa>Lh-&2NNqbM|jm;AOO z?9!lmbPen%u`=eMbApdL`U&{_S%e4H2j9Vwl>X?4bj5trmyrW@_f$zSZi|(a&_%7n zZq}8_5tXKiKF@iPVV0^-!|1O|FV08auBm0_PK;*Ot*KSb;wzsW9Ai4kU6kWB=2UAu ze2H3BO@_~dYzEiU#9{N6cXOFX^gdxEmGgUVnw(hi+&~dJZ@U95wY(y*I9&I-{!SWo zXo@jqw>8(FK)Oo0C&VQ|Ij<=0?20~Ea3tC%_j`L}&{wpdD$TdO?GE%lPCnFLL0!gn zrf)>0K{>@fWFFty^>pM}AOTCt$-LLj)EKJH-vzs}seRT}Cp$7FNgOygd_2~rt~zf@ z(_m0++EdT_9_y=jokpkQCI@6({o2V6O^5_}gNe#uznc6_rZ}CNm9RZL3^c%s?KEgX zj9zYHkvh_b(%%5LNGO|IF3Qt~71J;wkQJDu{*Hp0+u9bqr03YMaJcO z;8|kVc!>Op)Iayj8(8dz`CuF4^ceGe@LvCq;QIBYjV1&fZ=NMW(X(ldRlJqax_dH? z@E@#F%bxU)|11YTXK2i@Nv z^<7Sh|Glob3wpZ01YKra?o$LlkdTWSKg04%oL@jF`d(hu|K4!`VD;ibkwK4;pckRn zKiEN!j~7oALHAeUuyhoEpVj+bE?%Am*G?CY#{akrnQnWA&W;;t`*yERQJ4XSAuleX zJt!oOTrMvU8RCI2_fs3M-j7Yuv!!U$uRA*&K~K;a+Pc5z7X{*ofqi}X_Ztb~&w7<- zbFa65zb}4qiQvUZrTEg(q7oA7L2h|(tB5ev) zrifmS)bSa^u|e<7j%P0}tz=^cCdGAl*c-wWrSitfr#l*6J3m>WD@?|MB-t4;OlGW+ z_V7iDdc2V~Urx5Wf6C=Mpq&Xeu-xEaHE6#0R zvV01sOEScW(sowx-Pggb{>}Vg-yGe>%J}dq9Q&=Vi;QMzRskdVK|v&cuMC#8VV{z? zTQ2c;k6a>L=w%vMA7;;9nShS}XPA|wW$TX{y-x1qhLP4yz0NVWWVf?!Dem{jS*1qm zuQWxCn)Te5mO>6pOOV!!1|pP7z9#(R9W=HCNci%yH-NM%g3$jdY3pFvA0hfipzWJKmia|Mk zchz_?q3!Nmtsj0ul+2iVS1GN?2|B7UXgOMXmdY9;M3%@p|EW46gE{MRYU;{bvDj3! zR=EbSbC=*-OA$f$urJDd+G2>&cfIY=8VCHgO=akc-^f%q>M(I&<~K1uvFH+JVmrJu9n7 zVV?)=u#+F`uyH*-2^_7RKsW1h8x6ITAy&ra9GLeN?Eb7VmQE6*oqaWc{8FNyX(Uk?jb_%^ce2AY`e!jJrV+Hc1|bF5(2Rm z>r8H)f5j4>;-6ao_)BqN-Rv6#$O#^9+xJhQ%0tC5pNO}>kSU{j;-Y8K&Zki%@1M>j zVP7-vZ9@m(eDnX>hOTyH5V+%Dsr|saZJ;{5T3r`^$xh%j5>mJGbl3XnXemJV`_@bA zr#a}AEPh*v`v_v6no({g%;>0P>H}D?mU( zmYBeqpBxN;Vr3?G(MVLF@H7{7ku$#YciH*7Yb2v;kQ?WG;fHiVtuYsO_vMON6$KHj zk@^M#B_GCvww%q>%h7{;Osa5V%*(}{n-_uV64EwWyq`bbZoePSi=u-C@bpFg`NA{} zy=6)>gK->BZS8&Ujem>h<3h~U02L-FAt|gbJ@>`pi zwPwW-m$72*%?hBi%#6*Um#to-m)#EjvTA)bD8g^kh@Q&5v~R-SQEqO~h|j4wBg&FD zQC{?)nJwLSIyku1UFoPb(l_fAYD>pS1%{ff(M&N$@Lg5ZUBP6l8^eH40puy;a=MPz;*^S+7 zdvQgOfZUMAaElc2q4_f4VFL2U^;@|foMBPyhu0F&RbZd^SByn; zDBD;AC-pc$Y$+A$%-N;5Ha-mk%iO>Op<5eb4TvfZQ6grE6;<0}f3f+ka3R5r zE=k3$cVT5x-h0&^f+g!o$k!OdA zhG^tQckepL=|Ny;cTd{%>XGDqjPW_hME6LSqn~n4n%QX!}pSs9`a}K^7aAXJUwZ21=>nG)qL#X zZ3gLGf3#6iAWhwRNVoaXKSV&+bdC#sd52|DC9d9(aCO355WEo^Bb-qx+G9F(hsmRu zb{i;Kw+#Msoii8Xh8LUFmy6(DUB;aSp8QzGKH|l?kLkKq7dbAykF|Ur zz$;(hTA!39DN$$XpdqEh?mfW3_71LoT|}`Sbz3B{e_7r|jDU`IIGs%0L-m@NMU#;J z22@4tY9rRfsuriomBW%Qoit{Lr+bv`gC;3UhL$mU>#l0sV!K(EUgd$n0Bd@;;(f25 zN|wn=V^FPt?ut)Lj7XPy`=D{#-p+v5hDFt~-0cmn2)K-x>6w<$cYb>Sce`9`ZfC0O zmx`;?4$t0T`|Q_I>|e%R@_zsT+uB|BgOaq3*oU6^tDg+4r{Eod9r!gIy>(i(SLZJ* zv6(&`T(mWqWL(%0JO-(^xG}2TE4uzap)R2t#$WcKBweMQ$T2q>wa$8r^ovVEb_wn> zXG8p+nkz>SP4=%J`>6Aqo^!b57txpWxrS8LV?^@KDL^dpFv86*6OSMQWz^$x&wNWv z!lLZ5q_~albKix_oUKsrn7=E4p}IJa+CjiN0J4IP&_`^0Rjn@AXOV1hCC#NQFDO|f zP&=f_*k>b6^(9m-`bL(Q<$3XN1k3EFNM}s=_Oq^|{z4$n8z~obr9R@Cx%&tLCGW=e z+9E|#BT2CsfwQzFTQe7CQjD?x|SRW*^r69c7vE*>I1}bs@ zB4ej$SWqxSE+}R65cNTE#VLluB$;2gii`hIKZ*!GVYlwt=A+Cw1~?kn)DCra59213 z#;$XiOiJoCO<$l-5+3v=6svjOqvID-wuItAFMP3MhR58PPr{czv+gQ4$=34ytw`k> z(=ChhFuT8R95(w|`3#b0A1st?3y9H*ILlbG!Ur->0NIjKUBYn(0juz}_|N6V-a7ao?Le<1nK1 zg{kges7_Yv+E~kn@_^gB`_K`K_0#U+I`4_hFiU}U8?+?;?Rku_OTw6JzJlP~qd1m3 zCE~S?U4Q{u;wMAQU&2%w3$SlhM%4xtMxlnej$@LC?WOA>yS#)c{kt`4DdkAWC z!wveja1&RJ7?s6P1q+3p{=A9#TMdhxw9u>u`$;VKA~+Ve<)z^+x+Hca zc@#&TktT7>M3bz*GTd9ro_i2aDTOLubB}l%t!xwrcAk5C5z9RVlTr=$mdmn@WJsl# z{#e9IY#~p4RD}9y`)|2_RsXlPM)upLGT{HzEPYyedl5Qg^*_qW_B{XI5lr-dYRXjp z^Xq@@{=dzp&)EF8^1mE2Qp%yq|1V{>vWb5?_3WRQo6e)_=Jx;+a+iv+WFl;WUT2) zTH$K(rd1R!*V|Gq1Iv;%T)1UlGz`UXzw8pJ~gtkHy_5Wt%iFJV&>Jj z8W77ayQd41z8hYly|eU}VN;Ep?+>S5CF>EPSWb5>rlL841sd2%+51{c5qFH}!uw#J z`C;GG+o5*EE4cA(yf6Eh#BEv<+qtI8=NfnHrya!cT3(b3oc%WlTXSz-4Npnygtz2( zO&$z}ykak9U;RHDtYvkcFrckd&OQZOHX8isl}m!$=dLQw@jrbuRPWMf2sYWpHc?=k5fgw|K6}-a)QZmA1XKh zFHc-k3mnqL=CK1%pcUD4%JwyRy&Y$e4y#2=vidV~lu#eE}hb647 z74KBsYd?qlqzkn7GZ;chL!ziwS>oP8 zk-vW$>NtN(T;PotBq@jP_vS640SPVT^m#OIpUF2I_%+LwkZ{EDXkLK*@X!RdFwgy7zkr6K3 z`5qeA6)UcGFAvCkCbX50BSff=B8CYLoXigEugH8uwD6x(MHpF z8tZY@J|Vt|+dM3sS3}|h)PKjQQ)-^fL2|~Y6ks*PcWjk9yI_g3=3_*Rve~j8Lmb;f z)SH`m<3O%H4Pp9TOv$jdQaIm?Gd)@8fgeoDmk42LmuT>oh-uz4mF1X3jiyo0f;(r} zWY)7T41TN8U7X=U0Q6<)Zp@TC;@r*g=aed8l`M)1E|&Ya6|J7C1Ln+miykA@!aVn} zc47TwhzJAzYbX<}3Wf%b%vLK54rU<_&5=A}6eP8CO3%-bmZINbX0(!PiLFiKN=0%` z<)c{j7CT4F_F|2`&oAt-CYv|Sf$QkmR#?VcTt&T!{JfKm?ObY<-@dml%m1~09ceGc z{Tr*Y1}(e|_>lWIkA?q7R$q(^r$Ue}Vx`8_XQPx>Eay}OhURU&)Ud8eJtQ1n0Vz?# zgpWiWd*y86;KB|}UdHaXscA-pVnqht5Jw$2NjGag_(ERP!~{0~?{JklCioH>AC1$l z(-FZCUBQhciHoQ={T`vU-VN*_KOd=T3Vi?$L8yrW7zJ{bK793( zN0GAWtnc6oMq0DSqu~gm{mp*1qG?2I@%^U%wvC5Wxz|iB5tgmDkqzfTRQxLPPJ+L1 zKgC=OO*4`vc@ziMx`Cr4v&U`ud>1Dzp_R{zu*-f&UXv_ zUJRCo%MHx3lNd-m`!;~RYpI;Cp|R_NXFv+XBJv)5Yp6=PN_jMZN@+*N>0QFL6K(n( znHhio$VTI91oCBk8Vj<(m;+)Z|9Rz}g=u-IWkfAObc%ddtq0K?DFZjRA5nA;g;Erf z*|4Kevh~v#&Ur5QU7;GO0yaXl5Y@ZjStMSKB5z0lavl4?Z_ZqV{#L1-ZsW1^jlz0C zsOGPUfNml$M=@MM>yH-`Cq`%A`Fly(x5x0|$LV*3zY>;XUrL)fGSJA9Sr0buxU%dc zl;ao2w_pzc<%u%iKwR9iET{MP{W;XbF0_MOPh)3JP19E#T{uZwKM;qKSrxsys`*8m zwjO~UD}OJRv^}1NNAb{F`;rBhlS1A#MS~p^EGu)3E+%H|NRD}*v`ggmSyG7h zL@a!aJ<;ps62OMx^CMb;T&d5)3}v(QdD<%`(shc&v`E3M3u8O!61 z$+j%m2Y+o3$8q@!e$yULf7RZ@jk&9*ZC(n7+rkNDzJxD!l*gCJh+pRjLnm?mimfi5H1yVI-ISIN*{F6-R`|+kQU)FNCJvVo~{`z6EVy#bXjkH28@#n+K7u`HWMpRlokyL@gyBAJ=yhf1wlFa)a{H&DDMz zk%fL2wfaY?l&UkkI;uSIGi;H7L>a8&U>#_f{acVtrQ|q8ShI_@d(X6kY9XFpiZNB? zt*EV-Ecfc~*P4_^8;dF!p-)WI#~nPQ;Ywydp<>(`QUfrE%p88Wo$189n634>WQ%Q*i=dp$ z|4jVd_6Vlp{*MS3M5+v78__FiiPfr%FPmp~;#b`xfon*SjVhjQOJ>W~_cYgu`&HgO zl7)Lz{Jnm1X8u^}B)(H8<`D-0pNJnvNW;+>PpX2t#(d|-${K3tH3R;ST?84Rj#u_< z1ii#D6t_){t!@6o*@AejfV3)u>4k!g_U14+n-=7W~^T_4`i$?Tv#?* zE9D*abX?g-V^3`{MO2@S15p;m;zdMf*LMUw&Ac9!?Uuuq5kNX3fYuTM19!gCc>b-M zxEAKlTw+Ti)Hged0z+J97Nr-xa(tqA_y?{SWDHEM>*yFbp}NiRQM9sfBdSTk{9As3 zmS?CF0s3R4a!Tv1X)bko%mRI)MQb+h5{pSVpe&MgP6s8}O28YFU2X6@>5!;mxYv#Q z0R4*M4A>+0mm=o?sdTuj9xz5HQA_fRes-c_R86p#krym4uf1JM17i`vxy@3RZd!tc zSeJB1SX&O&E;2@^L0T4O=0Yj0Qz_JvVe&M_tEJliG1Br~0oW6=JUw5%&8fU{6%g{{ z1nxNs!UIh7lrG7caarC?*U1{Z8sg>VV+1NPV%jZJCPSiVN%1yz*?>{zZ~s{w?4Y=# ztn><%E2K>;E#gbbbPW|O;#kLYdQ3*ba>rIh_*+{T#5q`s{0c==m| zLWC5QAc+dfU6b5nS_8#vu1Y@G;Iw{UW&P zvS`u$f7OZ0Ca1M_H~KG7PkS2W^F&A$sV)NjQ72CT~moKiTP%($mM#p zvlmnA@rmwEIr}JdH(qcyY=O|435n@ykmCFX)1xCB=}1tqqgClm`ftguN4k zg+=lOw@qtxJpb(kCxc^SNt~LnVSv3up^py5NeKt!?JKDYjz6=Nkf zJbs8)a=qM3yXp60dnEt7l>f-Lx;ba6b?Zs!!cV_Vr|Y$87)BNt%^?0|ibZp>LYy1Z z6L{@3HsG1&pG4>Mo^O&0~D-dXYrm!^!0;=3?Pl4)Vt zR?MP}=JQympCacFQ)0;GP-XVj^YyVEi6G%^`64e+<4O{`T__oz-w$ze^^l08j7PR? z@;`ppEzn7I2vL~X29li^Mh(Sv3%JG8ulwPU)PGOT>?o2o_3`Hczr`&RO<*sjy=Lzcvh~($Sf=r^ zp{J^_2=Vw$F@ji@T!^upK`>Ez_Q528pkP{MS_8>PkGH4)!|R4wjW) zN~2Zh^?~P{%dUZbQas){O4Q<&l}_C$4!h|T_$xZFSv9HjQF5QkZ~|PO`N#bB>RE1` z%;`DG;zJyWrF4tNIt=t26&3j*Ix_W~^BH8&;sMk(zW{sI1IQCg^7@HJA^JM<;{};X z3(d-;@AW@q*zleoAlP=xFic^30Be=(0VH+#$|$My_W7Hj+=9|CK@xx%im3d!nu_7Roe*vvU)F$% z&zJO>>WnFp3cCprsafWIy9WT?U6jCP4d$Wl_W>E$>eb_^-3|&t8YI*vUL?)PR13uZ zfu4C7hK+R4`5jr&-AcZ@7piOhTv+T%H;NTx;mIj4KaNcjbK-&9S+~iVWd09y{NtG# zJR`U97z-olPhNa_UZ&t>k)SJ610{fG$_u#XgC`%~^~X9Sdw;?qK;j>5ryJ!me^gNb zH^nn@04yGnL8Uy_PM6FYMuFOlmtrrR$xVG0ZF8dr$P*5>onNn)7iuUW}oT6-3=g*KIHpSK<^nGqXBEB};)%mQ>pYUv? zyjkTT5toerl7O%4SlXS%q920&!}b?d$VGz1eD8CnHIm09jvPV;c8MP1x5~5`psQqpLKcl^*+?{j$BXtGD*jqp}>eh;bgdc>Q} zAT#mX=hQ)c)-|l^<*kq<@m*Y5m(}0dI+)3bh^Hqj_l(_ORFuz|?gwJ|RuoMrhLn^* zEmc$he*Rhj!|42GIU!?=w_7f(LKg9k-bQm`{ve!PhQ$*zpC=dLu#Saiv@ZaQLotsv zU`Y!g^(LKKn4X7Fl<&oDMAKrD;b}0V&Ar8Bj`zt2mFNtRw4J8$-qud0k@2w$i;kn6Y$mESG7x@Yg!{gUtD9X;cRy& zERqJ*Myf{Y_(*3Wm`LzYeZEYDqb_`?OR{N}lpi-cT&K}H<0)*l;px$erl%AbX9Qo- z&kh0{t>uRktm+(>)rxjbMv-_C^il_7!_!ajv&-nJXo(Py$tJGo1$=>ywlz5}({=F+ z-Ig$~cE8q4>XOua%6nX&wn4U12oEr*a}enITT)`pu*Y~^H0Ie{n&1HwPrq}iA!fH= z^pc%rp6wlkqcJp{)pu;5-Wei)DjgNK3Zy#I)%g~ARl!Nm5Kb_h}YT;ZOwTk(;GiDZMk=Rb|2;3ez=1vEK4 zZ?A0u)1KuzM1(;pJg%GSc7#my!hh^^xbs!>b2g%pYjir$cVK9f&E?&W2iRp4jIxkf zAe`o@`BBogspmDvJc9_+Hl++U41YK<*rs?vK@2dYju4DQOR<~8)|Xrwxz0)f?*o)vO+f)qrkQ; z+%O;9yWR7RYA@>%&DVu;x>;bRJ$TP!)ynY*CtK2*0V!UhEuld&XY|Yhh1MH3`vd^s z;&lJ{hvPvRC=A5bF;!k4yb-O&JC&0nLsmC?>|ENaGz3Gx!U&Zi4$P!0P#8B~njhPz zDwDM>PY+=eSsXo{a*hN-p85LtG~_59%!5O9efz|sGy;z5x0vkEebVgtqJILZSkp0F zV)M#$zJa@h7FQQ>j3ZOLdgV^tLcq1QYP;lMr(RxDyel%JQC#~aO3!t3&u z7M2iXM{9S7F;X(D0E~&leIdhj+ffM5V83p-rJ~O`q^3HGM-wI-53W5eD1O(^M82#r z1G~Nsq;N3-;*i64mz8)(R*YG%owsiT^7k)@^^a#rii=cNdm98-i2Yh( zoae`(jhJ+!0rTsg2XO+Q(4vr0csrxIuh#7e*1DSUx|X>vNu3%?+|FjJS4Ga!vhS0< z3s<*zW^~62D(M5O(AzKCI^M3aY9*6Ujefeh44!;ZtcfKDKdgcsfFdhUMIZ+|8s1o* zU!<;)SfN{ugU%`0Ni#F+2&$P5E`2I3=!dQeOXhpB~b~v=cPCoZKJR1(_zt&28ceON4=l zF{_W*M%^zbOI&Li*dG@jA;0VE$UA6fe?XvMog?GqKXXyUBH1P|*T5pMxF}DLy4Nn+ zStig0&I&^MCH9z;T=w2}JU>Vg$h`UKRdU^?)Sms+4iqwdf*i4}quenK??kIf-dLjA zT@8g-M#D9q$<6u{IW*FVQ`tg;e}Alf^IC>5u+NzZ5<9)bSgG%lQ7W zP_@3^Izwbd=Y$DHeswtlxyQ4{{HN&Qo{7?f&Ciep(sKr;o@p}Jz~Elp<;(MAt6z&a z(g2NowPYrXj>^l>PmfBN*;%l(!twk9*&oQ_*x-Fc@+1fx%fRd*g^spNsdNCI=rkDR zn9VUG!s@g_TA64=Ru^S_^f@Cd>)}Et6e9c+S#{O_&rJ06bmHUzVopaeGSmy0Uqy*dPWPId zbf5yqEn2&ef+zRG)744;L34L>!sj*A7%qI3*spVJ8ioN(3z2!Hgy%l9d-cJqq?Op> z$?pm1J9ez#Jn|=G-sFsXze5M3>N4cVZJ?hCBM2+5h<=C4k3g=iV}y^k{TURyKuymh zrD<~#NnO5?EkXnfh6dUl%wF=O0X4CPLIgX9Iy^L$e#@#iD5YrMGRPU7KF{vF@M%Fg z?>UVvC{CsY$I!bxr#l#tHe&hq|bvp!wz)MwyQn~JUqxtUQ>n$#9dS49Y2 z&t(NnNa2cNH7>w-+tBUDv=ny9qD%5JXEHDKIj0@U(BQGU!}zP_;o0&sV`RrLCR0nD zg9$yTflSfW;{&e;hP|(LJK+pKi`7hXt$4xE5hxg;zuW<2oO~V1Ujc{g?zHJViFQGn ztKGNkq?+7myF;fO#lrNSQ}k-mHp8`S25&`1MkISUrcm-~QlTUMZMR2p$aU4~Ii+q`FcPFarA~i!a zA5*(dZLqG;e;4IYM_l>IIXheQ8~O2*zm8q6fyb)J>D3MOlf69F(gkKqBtTkjZD}yj zr0?9_|2H&J;2FAK@OpW%DE{(f){DP7b@uml{H*Wwd_U-Z?dxU~W0v2!ybN63FzuDWdhtz&yR!CsYC3<00$`xYqVpH%7nMM4x6$h?P8jg_IZC;fm~M`eaa^1A6d z$KvLl_ebZ7@slHv0_asZBh!jB{WBn$`oKKKeD-Hm57?9XO| zDpwjAZzukMVKR^YKp*e#FI~k78aU22)Xq3EAUBXsPUo>)C7 z1M)M9)BS{o3{dPu;nvQrOQ+a6faA<8{%ZWeb;b0Q zVt9ux`KaRLXy-Bh(+bSaFSE&w?P2M}mzO0o@J&(96)0nTaU9fe_XN3xdUH4izDA`} zw0%H;s+)-iQUpEz)lf!2WP^i)LxsKJ;C9^a4*vee0xvJK67rs+EoU1!T<`Z^*Zbvec!oe=B_E&|lx!kDo}7(({?VakYfB#0{fiTGn%lfM77_Gn^M1*d)<;P;i^eDNlQMmaUo^X2IKSJIhJ zk5{fyD1jHEqi^~cxxfP)A9>GD3k6bB&&Qpj|GusSB_PI!{*^=XNB^t(;VbH2HuO!L zS0jcWRL>yBVCj2+W-#{F--O~#8{~eBgththF8QoXXJ!E*FBaFqwH}4_$anl!`<$-b zx4-9ge$CI%3l|01^cR$P_(NdSr23T}$lk*L6#ah9@=k5*2h8 zp0LyUIf#Y4l=y?gI99_bRa*uIq@R^t?M1iA zJ-y_nW@Zg$4kA*#$-$K71m|D&Cw~8qu6-24JL0koIZWW%YMW|klUeG*=tn-SdsU8z`##s6eYeh6%&gS;7u{ z)D6-r=LRmJ%b~W0x3_Q7g!XTQ)&b8vo;mphvKU+Buc~|*--WM`qGV(&do?w} zsHv*Ds6JQ1`&iA87P9~`bgriV@a5rkt6TVv1$9O(m{Q9#C`bC7d{JO!|0Q&UVR}Wo zVQM6`xv$&-MMc^epSN$8fg#!nhlD$82xlqhBlw;9LrxQgd%Ca z*)F!G6!XAHX7Fy-*t5sDCMAMIDL@%}^EDCY{<-3UL(oL72TK^0+Z#hNT{rKM3J+9( z8ZLY+%dA0e6s9X&ahJ52nt0X*ymKOixjTdkde_jms^uJt8!ILQ4d*FnD9=?wc()$6tL#0~4KA!`@H7 za&B&Jv}`9ow)ndz{NQ}p*xs5HylyFYQLXolc+gp3p>x&qwl(F9M*P-wP5I6A&DY-i zeCxa3+lv%y-hz7Yd!?SL##j85qMUv2sDnht&#CUwd^G9-1gZQv&(TH|lxWW9qyWK; z{$DYrgZO;B&6j}Xj*Xtxbsv!9EN;pL?Xc$U z*9-Ri_~!%vO)h&8!ZG!ClySYHRffKf1$B{}PF}6Ib5GIGy7w?ShCMQ#t9^84+4BK^1FHoX@TU5l75J{Zg-5sHx+`&&l1PAGj() ziSv82Cc_*xpxvBc&V~1nE%~hd%j8r}azqo+Xp42{YUxdo@A#DC`G4zi2pevD`m-#99B7HL zzC~3A+`$Q*VE_1-Ht~aoy{I_mG(b1%5BIHOGyaqfnc~IKay`}A#89uL$klSedYsP# z*3hfEKokdA!~A-jt>-mkUo^be*Kg?PUB6JHg!=R7X+kK-G%n7+&LITk{@E_m&@__! z_Lk%K{*U)<)KBD2q!cd7DKbTVqo#V`hy3^Qx)WwJ-E~HV+KnMHNY6AgLraW)GyexU zK*qn`5IFJ{@aLA4^n<~Dcf+xdLxOapvwjZ9Q?8TV5v9KDk?#ly6!LURCH^1_xpPqn zbe!oGC*+SA@wmI=ZnI%j&so=%gyT-%{2U8s!+~h?h(@ldxv|bhlhv4 zZiacY23F8r%K)dW_>q{gtqO^OOlWE4=S@g>Z7UT^UgR1q2s5UV&wgIrjQ$q)Imh|Q zjT<+>1^Njl@sm_vE82!fq<1}5S5`tn`^=`H_*(_@3H6wZBewT)m^ED~AyX3}{X!m) z^RsoNf_{RQS>LFRFI9reM+|SA4JulOH)vlR-8m#hHYHl5*eX#Fz!6Uc5XM zBvUP{!~$veaUE2rL0Hpz8w^6UmiW}mdvhH?Q9j*Vx4;Z@?VHp2TR}AVtD{eATKCqu zUUNB&vd*exBp+ySOWDJy3fI6Ui0tj|#ZCp2k!&NlJHV z-+%akXgg`9I_dOfP}DtA9*MkC@RBy?0=_y$W((`KH)65kEi0^&g7MbQ7|3v^@-w$f z)kUOoQbToB0>_~In(Yub^POO~S+2<*vBUo2n6KQNPgbxIL7x?;!axZwHTtG_OGPE^ z+qZ8Mv3;JY=WmchP1L_;_7}9feYQF-YEz7*n2!-7dDb00x|oK%SL0s+ANm z{3>VSxjS%*vql>3V^RF*ko^1w<3(jN)gLpAW0auiT!Kq`yUW;Y2I}yE@?Gv7lnZv( zsoR?w#-gApjJi#c>OYfAsum~cz$)Z*^L|DlVZyQwy2^05lNoV_1A_n+-LA-P<@41a zJy|h74ZRJdssF7m<_3m!jG|RMzo~vag=JeyZ%`?=j4nElqR?OFs>+wMnVXFX>p^Ow z_@N@0E9}=Zx8iy;7RbC-s`oDt6J|CWnOgwz*`74x=3c{N5UfS(FA?FkQXF*aqbFc& zjE!6riZe@9cC&{&4Ssw6ikKJ+oZ5}dD9i6?DgiHb*Js78F*aqbT{VVSJB9mW6p^(C z8Y-TiB*Io1xikJ0ASCncv8}_y`qiRLmdD}ZG9_~`hDT)zvv=)Pw)6d^vASWZ5GG%ids(4nDF?MkcAm7r0EQ>RBvD3 z2{f_M7;fG-;Lw}N_jYZHys+4bTS0j5Y?W{LIRIGNscn&|KRYtwYJ-H}u+yP`&yo&GojLH6Bcc`!jNM;cQ|>Yk9zrLp$kGpL9teQXkZ|f=nvkURKBN#eqr> zcun5MP06?Bd6QeSQG*APAAaci4I=5mZk@WTnOkC3N?XBUT~M4xxo3eWozP%A> z1^@(BSk1x=329ztgOeliBR8wlP>uWy5p31qy*m+y#fLx|^O^oL8G!(GTE#b_e>Q09 z@73Cld^yFT z5v53&q}p*?O;2j*NZ5+3tnhDGO)&dD0ylqxuet<;IGmm32ieRwm92iowML*2WnRx+ zYlKag1M+2$SxE!}Vq9uerpWv8(%*Uo7~CyS0-lw1ORaXNot4#oPt7zBy`uJ_8tm{q z?+>K1-kzj$-)JcBz33efl8a>br2b#! z3OhYFU_DX`t39-{qwr;bQjrWPb;hMnT#Q`i*_=o#Hz?Ze7-2C0puN&P4s~k) z{v{gr^|b~SkjS@~<&<{r(7#+_$J~J(lz&hIG#lQ?82t0_TSr!QL`4}5I9B4yRo-ol zl_)<9TlD7Q)1q}ML^ze}S}-_&xCWjFr#&4={^8u8D zwF46$e0q8AV&s=G%5}_?;nw%G2*KI(iww-aU`%9ZDBVri*ME45mDTB=MbDYG;0&{o zFORRt$o#gN5Nc^@*$@|-R0KupT`|l1bLfB~88*bd@7Y1lJ&!FV8NG);OtuJBX zodcuWQhMynFTqJ2EyFs`$uYJK6MR1I>qdk%W9stgDEmBJkoxY4?u}BIiNJTWiTwS^ zY%>QsBq#{&(Js2!e)y|A<-x_MU@nKMEA~}eEpCLd*jB$o&yS$#dZ5`|278Nkic5X7 zhIXgUT5I7KgBQVO28|Y}#w#q)3fK;f<-u?2HaQDkkT+?d4-|IM8XQ@Uc)zq^ zXey3&|AGej+aEZr2zNr5d*2M)nJMv8O+Ce0G(Wn=RzS|te#p{0Hpb=c?R{Ov^4b$H zzO~86Qox@nv31e8O(ie`!A=<9V2R@9P!3qI1pNOVBV`O|5w%jAw(u+5DrQUc&|x2@Jr})$ zxbil3Zrre%G@DgP2@xK$i|8%lpP^crK(Mk_v}Ga5foDCwtGm*exJ~&1dln?o(~8Nq@n1!4j`0zx+Ah~ zK+lBL#su@j0SSer0#?}UO}tkXxpsKdTLu>w~${xV9^-hQuNiq6(|L=d1Msc zwR!$PH4d{~8*Ki@vZ;TL3_1hqe(Kxz%upT>!z7Z-4eK^HH;eI5dQBW?)_F-*$T~o8 z;M;6PMY=ngpUlTYj4nlo15&l@EnEDW<_ZvPYV>M*08=-!n9ReIVbvF1n({|wO59rk z)%Vs=b5cRsF?DVth#FXRbr;?j)su=1P4doIpaPOAP@H@jjzGSjb*iK`mjw%g+6Qw* zWa)2bQ%vAmr1iOO4_p|4fZCuzu<*~_&8hkD($lPu-)Dc<#nz-xTVt!RE9idTn?>jU zcme20amNV$wVzjJx=x|wSdBSc7X&Fv?S3Vuoc}2l`62LMl}P+f>Jj*=|I3dbwMAkd z?JwGAl>-`}RMPp(vT(5Ad9vI=%4{gQQhdE)U!(Xy^MrWyXN#Y`MbBCoe8uffS+cj4 z`kvtT$-e-_zk#K+HqyqOF-nG)zM%eDGNxt&=s|p=q|t4?n3YDBeOh6AS7G)%Ir6s+8Angq(C#QB}f3}+ZQ5*q{mu!Rw1z8m=ecI>D zPM4v7e{j}NZ=*ds3$)x7&{kk$&rgF! z0A)m?V997_Cl{7mThOEdxAEs=i?bDr$)P$qy3I4qp*C*2oi;#aa>CEYwkAyMe8w#g z?X{dw(`afJtv(62$p@(C(+&PkBk==Hq)67r#agkje7Idx8(FZ4BR` z>GtZR5wE{()bN9PMI$}%*kjtCV+KVG6m9x8iA~rV%_(R}1K%64Tg%PJQR6aNU%0eu!`K#IR|7I$RFMn{1(?9$s?)c@fFbts2uI6y-Hjwi8GSJ~ld zE|ky+p?$7ZZB%o#+8kr*|K9)M;r}hx6%IX%^T9PD;6p>V{+RSyJWb^r^aoXfL+L8F z?Oe9HRu{syVfld}g=V+LSK9^vJJ2JB3|sHfPzdT84Hw%{fO`&?Thiv_uV36L#5w*I zFC8V>Vn`{BZ4aL^s%m^lWhRv%uAO^#Ad%U0NM_&(QVEC?cXxJn!1>pn1P~i###nb3 zj=IU^uYi2Qh>wwmqJK!6<-QDJs()YKnHs*#ty|%9W1PI7kC8zmoQO?r1Mv|Mi6rBV zn6%-b?#MU5Qk>z;q`^}Bh{*-8DL{XT19%vVcE}7H0LJcBu2!Pb5qd+1Zd6-jm{y(r~Wpk{0CE z4u)sDQ-V~^dMm6uEbF8)^4C0s!eg z!V++l%#Z&wsnG6wN`A@*Ryg0IiJO#}*%=591`PAI;889dDCj!zzN+SSo}*MFSF$%CaQF%S8|x243?V8A48 zTpBb{Sk!|)R38#8(H=euvRlO&q#j;sNb>@a_wEyBh6V_c+XfHed6-t$bYNhreYJ!JgLV6tp7v9m!BY( zWePDG)uLJEBeo(it(#;QGkoAxop?51d+~{ULXy|v#g*Ht*KRu*{zVCc?`j&hNCdLP z+0)()UXb-inPKY~(}H9M!H^gsS?TAPb#XR8Qb;x)pI?49tZlh^*qsSPvzTj24=XSa zQ!oHBfgbH4>c`Fp`CjcD0*ao^T&Zt^i+^b0pPv+CE%+(K@Nw?O{R4tw7`7r zab_#HhTt*EgM))7N$=5u;(>xC)gSWBk##`$upKSV02-sFq^^u_=Gk;iMxY>;@T_Y5gSE3Umm47SPVE-1Hh_<`L?GD=^M9R9OG`_hiT=Q8 zLxte>uJT)?;?s!vwI`Wooy#O-wBicb6tA?q5XjF1;rUK0z9SiLT6gqR`ZKxKn78gssf;v~UC6y{{ zs2Hh84ND~O#YrICUg|Dk3;Mk}=wyVAmL_{OAAfDzs7=H}Z5xYUB=28n8l=@?R;8)? z+KpUk@i`WmLJ{3XSH3}VXiiIukRB!^gh8E4JJ-U~bD8=VnL7XmxM@(-U8~i6O-a)J z)N(JFh~8PCN|ciT_{-b2V*S7kn=o+(v-Og!wV`I^kyjyAh!b0qDwOT0k`e>w`W}f; zNA#hwuo@&iO43@n^%X^lp?alsB(^O4Dc?ab>q31JrnVmN)wW zK2AKBqT9@8!sXY4!nmYcM18jQx8_BEvBN?f=*=EzgGPft1BV(uSgI{Q+>?Ij=6Uyy>|2zM{q9p{PlfOy#$4 zX=P>7KASHQP4)Gt@Wm7qYkMr31;`%?D?1s%=u=E2 zx9u1D%r|Q4%eOvrZ=t@7lrR4X+nQ_YbJ~sOnjMmlVSub{|1VIq@COuuXpUv0HX8gN zVu?A+j9K(_+MZME9gs|U`Gg~Jdc(?x@#FvUcr}I`zh}LaO4%o49G0;K;WKy$HniM_ zLyUx_=-N?S&8yadW$oH_&vt&~*&%z9+uX&7=6OWr#XX-j#x2oGlDonl4&53iz40DM zh#U3rr2X&Yo>;4Py$Yb3@|~Y*u&8p3>8s@g9txl+{k(+9#}*CHS&C3XTK}thra#S_ z^!j&#eFhYPXMfb#{ZHB2ic9rKr%Dx%6%Y4oddHvWbG>hG{(jq~>;URi zg_PRA4myxdYVh8>L8J8H6Q?N{WJc0mcycukpxw3tCZn%UT>ijzbb$=Lfbj5k%;ak@ zBw@K-m?*zwo=Ef(`? zPxH}{0SO~?e-eXaEb3pBuTM^#0TmypbZ;gdpPG{OE>{NFK7YErf-X};*vd*I8vkjt zJ_3X9u0XprbTw=d;mETNUb9>_XFf4d7)%}=fC>V4=U)vdtpLZwQ$Sxc%tg2Q$L{>K zIGkmDTWReZv~*!CJ@*lCHk2Ry5PZ}bKXAc2?-S?L+g|=V@0lH?eE1{)EAoK>*06iK zy2atHKSiA}x>i0MiEj)F%8rTB)0&Qa?!RWC7L&;J4YeN!x^Fh&tjDtVK|eWS^T6Tp z*D@N*UB72w4ObbMH4cbe^;s-Dopuzg83Coyee7>u>4R((2avA>G}o-i4VT9zMF_@S zEu4oHfSb=Jp5BL5tOqEOBhctrcLb2K)X_Hcy5(XzZ%e_z7F=)r8z!4KRfyRbHQB4r9T$1Yk>h@1?(9!`RL2%zhd4vFbcTD zG_D?{yc;WC<_&Zr0l{3__$a{XV-$4S%&&rN4(^n_Z}_<|%3NWs0QcTFi$CN|y0z5z z6@sHgtk0lUYaXO_KB`;O^u4boidQN@p+HdOW9)E{kkxm$&D{{ka?$6c@ZP*8e#NWAW z#A!TjBl5^P`8rTg@OR>Y7Y)?zTVQrtpnlh+alZ5*cM0%hw9CzAEJftnvFH<&pKe^j zbluMdi@5-$X8p!G=!(~N_IvzMao|CY+-R(nZThte4Gl(Srr5l=%jfdfM(eb2SG2rYFkNuJ zTEaw?V21QP4K3+BkyMi6Fw9S2pa7i1=9#*ZFg;``&{mJ)eMiV>8JT>MeFc$PUSbOL zKs;$YDCiH1APZU?;)3Fs_gLRLhzi^UTa+PgzI<%#SrHfjtc^h1v`+=fq5+|`3*0=$ z_Cv$@DRk}xmf~Itzj!S{ zuFlfO1~=r}Lz&*eW)*$ydpd zXI=m|LwHa{H(iiSN&B~WIWRc_!-VY=Pr$sv)xH;FOtR+Q#GQ%1BP((A=+P#i48g5# zl{794D3rD+y=5Lk-XGJlwzk-c@ZM!sTgOINt^#r)1QN4i z`k+-tFH&{Pw>jEWm-eM^LrOG|1P2A=Qs#x`(ttHazY{057I@dc!i2mVWY=u#+ii#l4f-Q_3*4ea z>?ok!cbj>TWJ5kV~ zptta7frTfbbAFPl%!DBCgyko9yAi%k$afFXcKCy^94)rG4@NM|(PU@#^y-^Bl~RRn z`AVPx^!D~5?QSVeFW$LRbE55<$jD{Q?w7`jL$rfWd{kzMZrOtdwYNlXI`GXOt;vNM zbWZDN9buiUs~~sa_Rr1ehrUaZME4ZrDKYnD1Z(g9NW$zkGbus8I8z-A6>fp)920cdo~A zIoL*W%zc@B-de=w5cJUh)Od9r*!gP6H7o?oJMkMOe%-|1{7#F>-ZXX;(b~9vvP-+s zT@)??jCcMF43l2lptiQkS5{nGC&)N|w~gi;YN+QGHPo;3g`#d5bw|(RrqV-M(%p2T z#XMnV1^w7tiJ)T!-7K)=a#9Sm!&{KY&j7Rbt_75;;g5aQ&Uq@GQ%AxKOHwm~IG9O1a2~;jp?2q@C`S+L|Ij z$Kn~pDn&w27;}mB8bY#uiS@u~=A-{Bn1)GLFRA|>s{@&^Oqe`*$C^?9uXHOKK4ju8 z84$1$2Il#*b8Q?Jha1Mp6}kL^#sGCnPZXcu14+VBb7;4vf+jSU??hsZf3_|F6m&T0 zC4fBi{Pw6`mT?9iOo7gH5*V4Ry$13e{$KB;S%f0HgZGLd{J}hHE-B6j)1ISLlU`!* zf&pFT=+bA>1V*NMW>SHS3@%K@hp1e&X2;P4Sg9gReK+&A)}uFGw|nTe=Fk)@fsvO` zT7$*4dbC6o&;`M?FcGAH4K6 zPiVNo9M-f?TJ4^lk2ML87PKg!6*x+nOe#QyP@&1Q-=8=a!9KIWLERP|M#^~LC3)#I zt1dr-G5`99MKhx&5o>E1CWg%vb;D*D)-~>0)*M~Q{SKzvCxoH?0Tgit(~Ks^0&~TD z?CgTZ+H14cl!)2Zl!EDeCxiQsUs8sGhE+URP~MGtluZN3-&@4gpGf{UH<>*?4kM*gTlT1=F z)1*)`wi_+JR4L+NVdOTA3QIthI9qG>?i!xwoq4N*h=4mqSYSx6+z*VPT5{q|W!RQ1 zl@JOt5q`MiuV~OAQ)dSR8W5XTB##yb>xO}TeVmSNBMjW9(vK0MXHU8{?ycNm01ySu zrN42_FN3+P^3rH*GJ0F@lF^EE31!i)XAhTgdXAD|n~|=UV5a8LhA1F;rNnkpQ) zjk}Ul25~(~HkS_V@-{DKYUZpS7cHKzTrunYh&c%;yz_wqaIEGORPhexJ}~~-*BI3I z(s#M+An~xQ4Xgfp|YaFsZ+^NtkYq~_B-@3a44aCc-M*6vUx~*`IWrF z`K6aD6PT8#KQ4rT=&V?qpM(b>DHqQV86@|1lA$C`;IhI&JB` z3>uBL1*#P+<$n0^0dAechZTlEgUKAUkplot57m`Ej>f5Iob*i`f|jQ{Xx_OSN(bh2w}J?Cw6X2nk zfo$z@_J37AP#K)Tvn&f##9xz#3LvLrCx;!M+pFcAvm%59h5R^-ipc=d1{l(7uQLlP zLrOPfc0Wz0!^-p@b77V=MQa3@NUoFnV7q08{ckYUDjXY|$k7^}@;#6OIPAAi zUU9z~Uo2Z(mVy9on+SgXrx)-V?VCWBv?9UeQS)&EsA=tkccWRlr4UnH1*@U6 z-N61ys<)VJ3MQWh_%})hh^B4_wIl)drWZ2LSKXRk1f_$uhstHxKNYR{oze<6AKs`^ zgGd?k_Ee?tMPjmxq#QqY!vk4n${%>r<;4Dpfq~PoL4zl?(5psq&`vW)D?O*R*3Ad7Wu%E6gW8V}z;x0ZbDF3i(5t@tSWP9}JW6tw>Ls9f0W=XZz( znjGH^Lf6SNCu`|!$0}vX`{_PO;@&lQeJoaL(e2=fSeMPAMdqc) zOgv0Bz`P24Yy|Sx{k`db23#k|o{w(YTs?g3sume{X#Dtka}bv$?Pt`;gxY)6Pv4F_ zk(xS@S;rMgWefD+Ky{@)6aSe;)?hY@LAvT&w_YPU-nw0&0tPdu&Z^?1aQu9vK{GH-rrYMq(wR7sm^L8^Tm0ioQUCAggS1j4!aoes+Nj=l$PhhSv(|K`||}O2a

    V^p)3@ z4JV-Rnvq}x`B@rEh>VO((4eCFeVW9?U&@sV$Ira|P8YO?wYJTCS&>V9bXIw(nwcIG z(LdXC6=7N@_lhcT;^aJ)8>7bEu&QuJZ<6QU^J%w@tWPYjkGu#v3IgCrm|?GGQy5=l zXuD)UET;E0GcGA0{*I;O#B)x1UX}^h{nG)vS`yT9E#-vc8+(PTnVY}NC#qRFn4mW) zC}|-I$hYvfouy?R2Zr;e*$wU&HWxmt@m*0DOH;ysj3bCk=l|p|=q!HEf)l4KWE%4~ zy_O8t-(&ss6-$HZMT+k?g=Dm~wd)=g;e-X!uh&(MTF;SnSd2YC7WrjKrQaZ$i1u{1 zE?7t@rM(rE3vNBQkYIY3McM5Qq{OG7WvEnm9U5ZVWUtu@OZd*N^ooM~&+-GK=leT% zLTD#jPc;@c&=)>VSF8V$CS!rPcJn69=-61=Rufy`PGU`l+mVHCvfxQChveJTjvP>8 zn#j&>(u+RX%d5|WIjVE?3R?Ub$pIj#uOYcAm5;CExM(h~jRw<54n#MUE0JVxrr|gm zYg+ebfUWN}?%iz~NzHrT;axu<+xDVIOLiF519r(Sb2>}MwZ!YR)$4&59irKgN7 z)Yo1eI|3>HoN|=u>FMze4?kx9xU;ErG5N>{yV7-t)#_6zv~;CKESE)w7HYo}%iy1@ z)p~G~%SuJ*`QBaV@|?NFIevbwv@{VVnnV=Y&yfrL&6t~;d$@RM@wejMidZtMu}H90 z)jZWR*L{XXu{w8hi2+k_{F&i^wd)s^WH$HP#DtDA?l#Oed&DXXdqE_x_0`qarbs2C z-Kn>HXHsh2a?zKMfOS$c!|R-Olrg;;M{Nj6)A(*v&_Cv3qcm`pK7y^mN0=d}G`hMB zvcXowKxFo1XfR?H4I^TO9#AITOh{mKesF}7OUfT7^!ur*TSJ+(_))==3rA<4 z32HSX?V+ZO)vifuAw zDEpH9#D61XZh$ptv$#@0eSR+Qex7kB5pu{)Bbd{5>x$gNn5m&2>k8xh_PU+|J?T-K z%JCGb0}H+n6ML+kP4zPab#t5uCLh`JYo=Vkw6@f|JA5Doj&>kNFVL3pc0YLjd_{#t zxvD%X87UdWcTrsY#H}<|Ha0dH&pn}I+#V-HhE6?MTz-@6ld!>+?YlE(-&jSg&@cY( zyE5dEn&ynE^z`_kYr!MxaIeFJ>TOl#fc2@P9`D=lr0V8u+1Ii;)E-J*6&L?U^UbNy zVdd$AAu?Sp`S8McoU44|J&s#Q9Lr$+xo7)34dzBiOANR-GH&xxSi7|J%NmDlZ5QB0^1@fXnT9x zx2$*RnSiKhYo~N~onV2KS)B*%(8YptDAZ=L@6NMzIb++)P2Ub*%6KoJ#gND&dAd|3 za_5hWUYY?bnf{;?UC89TMiND$BmA$r9zGZh4%3iMEy-h~ZQOrYV(_@SmHHaXqf9Cu zzbVB+ElPKEu+@vRTmo|PMtUudQ&S1xj#0h57SR$Q_l1Uq^`?T9W>=8#b>yGO`EE$} z_N@=s^Ht&nBfWgnfg6IGPy5!zx#CGn$EK^%3@|%9Wdp-qqjpZ#6Z)qCQ^cpG1wSRC}JAddErQg19Z>}Es zRU)&P%V#6prrGMjO~w(*piBTC-pM}-rN8U#tw@^bwr_N`=sr&En`fBp*X}|?MP=bw zmuH#k1@S(0<6`GWb3%vL4};9E|u+>p2

    !LKY>Fi|_NTJbYL})FSuCbvzaM@b@wcIe$~Ghihc4vOYnJRCc^&3` z`WcIb1KC{auiP%y=o5eKLg49iBwyAEbW&&o1oGD{|&U>s6%-D{+ z;CbPH9b#*kn&JVhdBTTa2TH`FMYXYqSKDsq#Db)Fc$KZeR-}FijS1tHfBxa?*Ap}} zG|wouu045j@$%)%{|^Sm4lt$0lhRm}w5zDkpGSOj*;p|>#qRFf^+EFrFK^IG%1Lq( z(^wfQqCHkLEj1O2i;LUx@i=nRx!s=V{ou$1VXgMj_NZjRiEBUm`u;J}4qDBPlX3cj z0EDX!JiMqyUCjDJDX)t~j*$EE2Ea?c21$M(?<`9=i`VU6v=z%tXo&MwdL9GxQg zKR?fUB=bZdKIA2(#bVcW-N6puvhL0#|C{6#ilG8@3IjIG@a06rK+Q3sXH@fxQDI%z6bT>Gn{Z`I9G)CTqNLlX?Y@9zFV* z0o6q%$TNnnn*?!P@9p7glFefvo>%?>z@){pN5KmhM|x`)+Pf_cuY^eW2G>baV~^z* zfKh{!?DQdI?YUdM`{2GWnT&)e1oLk zF|%+ItDFKG{fNX06JcnAUKHUgQlxC!golD9nCcAc&OyaxWh#nqWVGEY);P3IiGyTgej;u}A|HIZ>$3?Yw;iG$oW{9B?L^>svP;w~2pbSJhR1ire zr8^}=MMY@^r5gch1O)^{5u{60q`QW@#&h2H{r&E}|DD769N4q>ch-8=6KhBJ1oVuF zA6-%+d7(>|_w}3tpwm_=dc-=i`bq4KNeN96V!lg#6Sv(mb#oXr5d0D%NKE{!;?uaT zt*v08S<1SSY;XJ1nVJ*-qQ}gPSMAj z;?XZVMd^-COQ?%oS#>425&*~jiI-rj?TRT>#H_Emeo_wJ>PZbWosaj*PiwQz z=<9}$auhxa+&`SUI+47*JYxkzSFz}ufiJM-MVVZJF0sD7?gf0mU5{73v|(^;@sNzY zR88JVhu+S#`udS+OsQ4*Q?CE~k)x+rFZAKCtCK9RMwQ-O-$;yFe?C@oBPm~Bs-Jma-hr>(-O>`vCf}bM zYkl85DNQOD6Zny%DtH>Uszn5`--5$a2#4oJtIfefqxF?hB+6J?8*^w`#>o0Otox>C zr&aRbO7z@pG+mXF#C98{p=x|Hr7-pB)2P+eJFNH5Ks@bU9QEahO`)K#g`+hZ%e2Ih!1=ce;KK~+}>B$G?f;bonkug8fJCPq0%LW^E4(k(1z#(Gp?0R zna{=H&-rsHkE6ENUR6il=BD||%+>RZap`=CoP~cT!_t=YJ?$`Lk@a}g&jWNnx97Rl zod`-5(#!Uk$ZW)AafBSsb$W?Ev8oVTDWZYYGadBnNl+I2Ts@;M%u--DZG~C>#>}a6 zl!nY>;d>b5|EKec@EF2LdiMKcZe>^Ae>=;JLQe133W;>FMmy=u%uKXxPios(<+sT@ z_pLk%X$Z7|nciM039t{UCT!%*?DiFGP#uq+{vM*TKN%00G=A&SMMXHeYR5Vfvqn$t z=muz4B02qGm7C%KYb8a$be5BZoO$-4H z?ozvN^R`%8Thk*hodx5qHSY5+>p%NKS!mqlUqpyae4mlIpz9ZAgQ~7_6P8sTjU1>H zXQdjC_-g;M=UOlqBgP#GMHLAs9Hl8_diUyt@V8?tN7-{jv6{c;ll$qKJc+zG*o9h{ z8{?@jXs}acm;w>xGBtx-Lk07VlmxMe`-Uc`c(ivgbLo5+^kuN4RGq?p8pHuL=1}QC z0!m&Ng2;JE?0|PuNhd$Eb zA{Tg`(sBhja51eV@_S2+1idE}DC<$V+zK1i5?&}V3=LiD`0(L}$9@wN9JpPGmV%lBK`sAYBcu1$!5Z)+(xwxq z1>|aoa^ilh@O>haOn#L9>eWS84*Jkl7_r)JcFKyHN^%PN)UL1$rIr;(^^(hR1}>43 zJ8Wc#2M#73Wx3~Hm1gz4xnTv3JF&M90GNC!0hu6jRd`~U5(3mrf9=WjIB)DZgVd6o!!XQKUZ$iXAOV3*E*Krwo$>mx6Ui?S7xL6ICET$_?B4~QCHo=?8m zJf{Z@pjsUr$kM9t8MqS36wQUwb*CLoU6Z=2uKZ^`N`yHB_0d!4?`zkQ1R0TQ-{^r!K|=(74SD@C*~HkQMEF=i;I@5C^6viaH^;5S&nruu zINYuExfk+@Z2M;xEdeY~WvX58-mlDW&+nW+8z}j%H5i z#!22K>)}lnMW-H4pOBCcWlnWbwCJ@`Vwl(sy!bz;{{j5Ao%AFo^vC1P^j3R#96T#$ zZ=o9Jj8rVL|0pmWqw37Gr@s2c<#F_bhawk_Jl4E>mmL5;%pH~$#v!F7`NnV2z}%`1 zp?AqX>Gvh@NK(c8U|!t*Y*)JS2bibaGznh|5hUL$mkk;NeZ9n@?^FRFX~;2Sow(xp zE=kd?fB^~^{f3J95J%hL^;GcA`#EB!>`N)KO zz6ICC)fdrJQ=`k5&01I0v?VK%db=mdDlGG{Uo zct*DJ%@QMNHU~2a7nd%(B~YS1JR_Qj(SJ|6+U}5B8AwDnu5sA-G#g`j;l_4}KQi+D z;2k$JV(-7o_@mnbesfS$lPXXg(gWYZW+hlKD4Zpj@Haub> zPFx?~SThI(xyHvW@&(9)x#(k3eqWkN8l7~pgyl4LKyxls&1JglF}>K|IKDTXAzig$nK>+*0HUk3#DR*5t8(@it-i{~Uz-a5~wP)6{OugTj|GA)`Iai)}wr+|O`SP3UNo<(Y zHzD~PcpMKRvRRP-^<6!Qd$-k0*WbLVk1RIG`wHbqEw4KWCbCf_KjDf?&M{*JrAx)kA!Q+P*wXMkjl$%W!2`$y&PN8h_EvH zGaSG=FZX5g{e5_|{b?C6Wy>8cw1hdGxBhniS9{A7;;%AQ1*Y!q z{uwGG$O46?N7S7bMYD5q_TD+(yC=W8wnQI_;GY}jog@e=XNm%s^{kl>6=87nyf1S6 zk(eO^eBGl|FPb1~t2<=spX=|Igsq~gA20rRT$$cZx?1-BYC&B*v=8CWCI0yD2QR6H zwTf@d(-i-)yO857NtJS^?EOwjl(n1ui$B&;RV1OXQf^|xgta&|DzYFXk~yl@F1;iO z{>BIOiYEw|iWoaQ2*Sa-=RAmZe}(^6bK^hd368!_ZtFSRh-^{c_30rUb~NdJ)KLEbKO_F!{=r#CRFt8#cG1ZZ zpE~2s1$E(P*@kJ4XbTb^?Vx%G8(X@OI47ir zs|L|Wu3`f1yz#m)+ZSm|I2uFhsvOv6eOAaS9tu3uStC^Aq)X%V6Pn|5oZ=Kaiz4yb zGeiI<0V#%b-y}oI7jFf3-(;zw3T9$uC6xS>tE#FOJUo~I6FD6+|G6EhrQBF(A+5(k z4Wt88^Ty87&~O;=`RyX#$2JBXv_=4|BE6NrUNDz43WNSolmH$IjA_NCdW)B?l2 zsZX}hYJzzui3t@Fh&VSlw+j;Y9@VEL>Ms?SMrkMqelfO`O-{GhDJZ@zp+!F7>EP`p zA-S|eGEsrSodcz(>&DB{G=*6rKC;Q}ebko6A%L9pIPRAjt-eV7eAl8t(+S2~!8%uS zd;_lwtgv7Rz45zo*Av&{&;uBka@3*0dU0nEBd+W>b=>*8eh|Y6?W)c9-R7yT&0)dW z?I54y(8?Wofb(?7mn-v(2@SSoXMg8~ud85CQ#y;s=1ykQ&9V@y7r~m1riLQ>zCw<} zb=VWKoBYRo{*p>f2gNsa{gfc8N}ssuj`t3y~Y+)a$s0!e3!Nni;5 z*hA)WU&oyo25_O!={1)4jgtW7N~|t1rrp|)v{gndwuz?Jlq)&EH~k=5ZZ-$91#Y$C zhYH-k)bbY+9F{l($0&io@D6F@J27ML`Ha^^cFpueTg~_N-}PGGMj>ehUr8`{QY4uZ zD0h|`RIv92Xi-;g+q>dNoQYMro{yTo76bJyJu|a;t|#I)#^vq%;=I>KEPPj9T4reT zEqUkDRqaJgtzDfmYOrgO%9@!Z&7aWr#7`( zQZ(j`Oa-FG$u8v7ncU2>Sm&H}s31Yw5hk(g6VFMCJQVlg;#nB6=H|=Jw3?-4OqpS# zhN){r zNTdSwy?D-W!z|UN;06kLs$NdtQePn(qPf|gwi-cu084!LxXiM(UzYgyow3J|f0^VV z>nZVXs%!sPNrLqEW7H~0j-J|PCe63iKt+C;WKf_FP_-mz>oOIm`aF*Y?0LE=!C}*9 zi)KPDi!fbf)*VPld*?sD$mB*jpt6Q}_0-Ez~9 zu38XKM$)%JD|7#eTPT?Jt@=huXL@QeOYgRd05lP<;z5ItEoHdXzwU`*=yVOf8zihO zhqwX9YjZ+0^{$NI6bKd3340;osHNk61xfT49!(jb^w`sla5fBnOy1Lf4 zcK{Rt%>^ar!i)ZH)?ykfk44YxLuilyN`5YeRl6PlbGd~{i+O!Vm!YXiQg_kVb|^dy z^TTE?W@CHcaE(Q~XIW8}0G78iJ7@?MePm?hi``*zX7%`)JB>YTWWIAm%e7U$?YO(= zQ@*(cjJ5Q{)6U=v^aj=vbZH{5&o`*F4ut66yiX=0t8b0bzA53F{eG8!Z;$cTOdK^; z_Z+9_%1-YOivS_RG#Ik-eeFo@Q(s_x_)Ze45ldkaV(GKQ2U8q=Rl!rA3{k~~q7AYU z#O2o^1H&PEfzPw4gUidLUPgRdxI9o?m*$3G!1xtx~+|aPf=to@s0pKWXtL zT|el>znteg(Rz=r8^fK!Or2*q29P0#D=lDuMNU>yF)iR!YY#KF{A&cDG1Q8QBpe$8 z_2p^i^L%e#Va$h8$@yJe%ICoHBLU$%B;#8?oHP+F3x|p&Y=^*2CPoVxBBurpm_Oq2 z%1*APNtrP=n)sXaoEBgMZK%GwJe@q|qXP1{zir`3QA|p=xEmr#g$Z}19G`0=UZJUL zO5YL@X{EfSj7z_T!fo#$wa=dA#DqWl7`j=x#vQYtne2;S(NeT80k#QLc?2uy%D>4u zQu2um$ZtEec3o5t4>XzPok}=rDQQE9j;`!xx%*oRaEf>|&NCwT?fE}{)`j-Hw{Jh_ zvulM+!I@yVr5eNr`A8!k&mg^YOMUurKq?K>`L-9Nns|=~M6L!-;>UxAOrxQesNu$M zb{YZ!L*ckrPbm{V8;xIFG?zP$SWJYmondv{E{QsMbA+wf5~*XPR;5Il%HgJ%si&rI zfVn5t?7iAp`J-(xFRRryJctXq9=zmY#cDeeR_R57f&y%m*HiPoqNAtb{D4j0 zV51jL=@3S`OPQ5)-gTAwb~6}M== zN!B6{a^VfnYQm5mWKfR4=1M%>q5ldG-nK11hlTYEHBN&SFq2_k5a6I_Y2`k%I&C_P zL8X;~gKX{a!4ax^lXJ}+TJUi)J%DSh3VWt8$#p=qV~g9y1oRMbCNKL%KE|hmQ_+uW9%50thEwnH29!@QVlL@ThNL) z(0j*oG6ch!h)wSpH=N=XU-jC~wD>--gb7iVh^4*GnxhsS-w2&6VEe-*Rf#tjxjDIx zrm4WKiw~$t^u@cXi4eCQvc@bBE(4o*>PNP6KtNiMH7fmwpdR{>8+yx4JQx>sU$-$d$kY`}(4(rdzkSL-Y3ljKloKy<7yyLhV8c6lt%j@o0s` z4s})4pg+SmZr&u2qKGAjVhDraUI-ieDTx5_=$OY7n`AyQ{2 z`FNkYPWH5LCv!q-Y8-)~vF&b+N;(jhqrB`LdUgL~>?Kx5`Tuy<_!{l{K?U;N{WaH7 zJ6$_C`ke&00ZKtAe3ZtXQAia_EOp;n0V#jx zQ0F(3-is=BoG*JKS3&Ojw$SohXZQ9*vsQnG^=kp*WoW3$+mN%NYN0GRtdlT^hBIcB zaf~#?Jh6804q!k3{A-suN*hjGTO}}*_XXG+d}m39lmi;yjW)chc|aLJ(iGu~uGb2B z|9H@oc)2!*Ifex29Kervh?Re!clHmOJP`u3ryP1$hNt$fYs<9vMP7UBbE23qs5$J%*T0oDP|ib|6JC>rFEnnjTbN7zVFJwqT{O-DA8&& z+}uqzp{#QLV%2SlLNArE)=}<^SXreXQj^(8e^|q|R9jPMB0cG=u)yvO)AR*G!m7B1 zKXIZ*1pz(=i#N;Ze|z8H%P%)cw);k<*Uz>V&JwHg2}U!*YdAK3e?8@0N_$xMZmbAt zoW5h$geP*&449Ax=_nK3QflYK%tY<;jQ(D@&%fY3Abwp-wHoN#+f?p7%7Sj&+w5(u zlv5su;36yW?kC-;0(f^8)l!^m+^Mq*bjO*OlCzHLtBZ1*9H=^M=6_kadv+us@ZC^i z9;fbg=7_HS8Zm*zST$Ad5se8vUtYl1$Jx9V!g|wj4brgi^D2)ch@|s|6|3Vbi zG@}5+N@e7AdNuOk$fE!Uw>er5_j_)$a=4Q)B3`D2$G3N0iCxF&&p6AR1`4`lsFVq3 z{TY4jM5?>v{Gdib0qLmW7(!$3OErd)gAPhZsp_0XgVJc- zlZem;K=INpff)~qXy&=npBq)u9F_5wF~gZxhZ>xDPVp$oxt9->jGDJ%;-p33gqWUnT0>L1mW|(wKhvE_gXAdRh>$)z4Ifz8 z=GoFVKX%KNU;2S6IX5|vypS=xtVFYgUa{_XeYyu*s~Rpd_C}0QG=4!q`64&&b-~2c z=rQGtYr37z(k`He7L#1QQbg3qba8*3#KIam+(U6Oo&~LWrSqz}%iigL^9Ch72G6sIyLQvs0~yEpt9{yc~S(0-%Uaidx4RUl7d)p5yK2DsWLc`dL& zN)2ypX`b3ae$2)bd`#&VUoSUBa88HNDx;CAwg=Uc=*ETZWYM3p$c?_gA(7zOY5X&Khw%3OlGep2F2g9+fo;$|-`SPvm6SCp7;=WXm&XK^l z0xC*uoOuvj%Y6Yd%*I;AxoPGXDm%X}9YY6J%?j=8Q*hk@CZUG}KnUUL^=I=)%=fpg zw-*UQVhJqn5Swj~SY#xB*+^b#=Q98OBoi#9V3L-V)YWL8qt&=6l|jYLm1;xOvI2_N z#V~9zm-Try3Pka9CcJm!862XEvXFN1?~gjGxQ5DBJ|x-Q0kdh;o|+)GX@*FfB(S_( zI`{MEgvYPcjM=uf%2PhO^nXda5_lEWIJ}zViw~6pRfp>xEq-%9u72Aq$(Y;=42f#J zoGqu`G1E+u)T?9!mT?M!jKj&!`i7eK5uK;M=BGIcd~56%Yn}lfgbS3vsuunS8lUGl zMb7=L8A@_r1=H7)pFX94F%Rm{b0r^UpJDR|@c0gu*>Wo>jV?Jt;9kmk%&Z!Gu>Uun zn6a?T)v(a`0$|~}#HcA6CsUCS|JOJlzHw+2p>l!>Jm4s#YGhX@-=vC0EB@G(uEGX6 zV3osMHMQbArdvPwUofu?_ufezMaXF0g=u=SOZrsOh&=kZcl8X zQ_>9=Vo?u+{}N(#O%W!^bVJ)lS>Iy-Ex}U-AKIyE<6tCbY3=_tTBaR`dF>yQ;&|*; zbI13A?&RPuxDmDS>(?(KaS;uVfeX)14aM8E>si9Wjg1q&!J$@01ZUBY$Ff~-{bV7F zMIw4_KcrEP`06&N@3aueyyRD&QT`)af4$W1nax7IVjAfZpJ!-Ge&p!?EbsQ0V=Q5) z0}4GWBLh`6o*MH{)Ie)tWuIF)=l|;|bM@8*>q}fHG>eg#@G94-nc8aE(^1}QGh&in z+?Lm8)XNwBlzx(MsBWu^5<}zmJhRDKM$j@VnZe&Fdfbc>Sm&syvqqxKN0shLXI%E% z%AAy0H;GUTMV!$%;{y9uJvu;_YZM*vHR_Pp+<>z1w9TA0-hw{ zSt+h|gb*?Z@c39%b{GY0xBF0va^}E%tK8iR@)|C2HUE(h>i+C%J@Z=BxPZYzY5;;7 zH54X^%;^6K90X&*dA`Dqy#tLTFGAIAO$%j4ycDCugH94M6K&@So+Q85<^8x9h!iiq zW{4cC$Gs{+US1B*t{w4DRPQ331AGMjcqjlX!Mjdr9b?Oz_+oTLJ(l}VISc|qWkDM;C13@1+9=hGw$WL?p1!5{3cq>R@^eE4wo zx@`}z^cMPZxGoUOaevmX=ACRT&9Z!vrB)lDs_OQhtc?Nx{8Lv~YsoYrfFg3@#Ahj} zXGe}4DOEt8{}H0$_(zB%RK%mF?+}B+_~OM2qqlc7@1#v@d|7@>i@1=yQ#pPX`0tF{ zxV*0u5b+7U5QwYyEigREel(OhU=-C@O>#pcdSGCMGYQEF=lAfztiT5p#NtK~|GBXJY^)JE z43`XwZ@)LJ`^QR&#zYtvF#F;m{gjiI1p}i;tOc!)@r^&HW>)?2Vs5#L*>b`4$tnMth>2Oe`lY-=?a zGYhp=+~&k!$u!}~xXGJAx;Wgbw_*t)%~v;a+iFIvm9FN_{_rOQX*K(@GBUmxF#Vny z-rE<_og&+@xx=}n6h=7gbANc%YE=ZK!%B&;_L;>W+tVIt{MS(*roJnTIUMD|e9xd1)`1y&EVZ6yxt0W(9Jb1?!U36jb?z)+@x4Otc zXD8W{dhL}R1jGq`P@mM;Ju`Xm91_RPq6v?(UJRI*lCev6qr?34nqDzRbo3G@|D}SnBrjN-S z9$$H^t=S+~{Y`+m62Twc*Hlb1>Y~GNmkWcEt#ytP37kXo8gWkmg=Ga4$aM@?CTYX* z4oThrYFom>JJYiP?Y3!$huaIz0TDU#Z0f0>a9Di8cQi1dFj=Bp99#C^(%{IMh`GqS zWZAdMeEXXGB(#bPFBiNHgAcCb{*nd7jprQkE!`a)OoqV2gZ$yh+RbR4FhT+Bs6<{< ztG`~JiaV2ZA7-`la*i_TQKO)g`5`4 z-`MY7i|UQ*^h9q9z-0jurn0~OI(_YYFem#@C(J3AWicwF9v2Sf4fp6j-!Y!~oJ(tI z{`dE@BaB#v@5Gg9uplFJCNhfShciGh(`!s6mR~|S($d!&4LM?e=T4o>57<>zFpu2(bBk z?vY8^ycbhtB8OPWbN~DQs2Lb3Ane9Y-?%a|hy(lW>8hUhw~OkzeDXQr+t4KUH=nBi z@--n_n)}*ZjBTDJe!QY#TJ$svE!5f{Uf7|@|9AmPFWOa{2E?VKgFL<51^gXBq31g$ zJdWbxAMp(|laQN+qvSgM++HNfgnS}{SLh~?pWVz(IpFa|GslF521>$Vb#)0y0shUs z^JGU)8U|6rxMtpqqL^(l@k7W9_Ne9=jq&fe7ZLIWHiib;h0i{mjkE#Vp4=wSvdw(v z?Z55Pp+_uozA$5Z?#ka&4#1t(tgM>8AlxG+uU(+LlG;H>yZucMT6u=4HnOY+QhS{k z*UMGZPoZdG-##46;4%x6WYElUu$-gB_D-UD04QzFy>uTsuvjwGMTLs}g6qrfa!`LV<3>c=gR zWN;xRV7JQHlAto%`Q>jhR8Ex$f5p)=VKaaJToU~YBE>w)NI(yIj# zAZ2*W>Fo{DvBgF8lIwV{e=I3#t_IwM*(>gH$u3q(-2sDKCO81VJ_GHamHBtZS9>1c z{I)R~I4k+%%Xi_tfKZDjA(>=S2TN)$4BNUnE&te38#qk@_vSBvhX|BTf*CH6R#{_y z?Az%)J#)7LWq^m^ifjgX?M*vpTgA0n$yOx$hZwxtCmhOT$A*)h`diFm9$~n8Ot&y|3+19(H^z%DsXiB~c z0>KsTDsmz)Aq}mzsTr(K`US;BXlj>{Sxc6$HDxF zz%i(&HXD zmEsP*HFTd0SdMvbtAcwgg>O_PQM}Z8g+DRX^Lj^T3Q>}))HY3;HW|rx!l88(g9~t3 znX)zbC5=U&Zx;-%cNVXE*eQB?{k@f&`$ATsW^g3$7ZjEcydh|}&^AWE<*6VvJ4VldRyrAKYUP&+QDU4iJ~<^R+I-1 zsRSOtJg`UY=g*%wh^sq{?>azNphrh)^Mb38L{<|1Gq@t2$e1&xGvHz`lSjJ4ectzy zV9Ruk4ck&39r-NISdWBGsn9nCG&RO-0Jd&E%@HfsILp@Z?6)B50?Q=`vCa8>lFXNU z7qsMMl%5v<&D>jc^X|DBU2Q%9$wCh3_Q@)$vDg03Bul8`ssz1u?WUnpd9zkT{M>E)-fX-zaBmY3mw~7# zGGRCZ(XGN|+gE}zcG5#aV%I2Z{WMsY1j!C<4iFK15`+2R{NgVXtg&)nb;1vfD<~d| zspgY|RF(aK4Jtq<&R-13I=j0c~iCU5?dutYe{0RD3@ZfCEuxS(<31a0|G= zDUWri%qCS1ly;bH!u6Xu$}9@Y@`#C1Uw!|6xhX7u@{SoHkEs6|ytcfsDM3Jx47gpj zmlsjhL1|x{9zs+FK=%6r1tjqM!6jCB3d^B^FzZb26TgByQ04sjTFfiK2QF0=Lw|~? z*ItmaO^ze!B^kP`H`u!FE-n7z-{VnjMd%Tp$Z|V^2KK|7%BZ^=<25x@m2*c~pa=XY+Qa|?8znj!Hd{!|bB_k`jw_$$`fC-ZD z_;Gl7O7&sh=g%$-ht9Wd>Awz?esr!9fia8yuVwUX^a+vuOLXB@B&zqFf6=xvb5$}! zbPC?S&ZJQT98;+RiuFB3xclzDcgfG*nw+!6jb19RW|dM0nHxQcvBY%Ow2?@3;!$>^ zOJ)>hr^BL2<=L`m2$yT#H^Bk)CCyP^4AH>Jkzgl128et{@`$s&Vi`-6f3K+WuoiNB zL#5P6)pXB41TMjI4{rW|hW*4y3=-77i@LneK-H3IFE-aiE7KJ(k)5;D|0}DL&lfC5 zO|lMJOC>GAlB^Cafvm2!bOo2lc~*N_8-*Yw0D8%(JL?Mx?WFQAvg~dz1p_S;qM9~h zL*#8Y%HY0T5(K8frA-r`bh;dzg;psZjs0z!jl2-iBMZfp#lRR$-3t0y)h}QU6wc6fiAdZLZ5F>Ts zGutJ`A47041jztq=V{nB62+?(NAN#E15fm(lhW|jO#^n;aiO7^=^N{vy99RD&luS* z{FJp#dj?i+b2i1_mYeE&x`nui4gM&l?-O+w*{9IkMn4M zqef%_yz^_|^Wy;TY?J&c>Dlh35aWVPEDpzT&f{4Eacb za+uLhLeaJ9)LzJZeAlpdumpR_#M+$JuJ9;u(fcybs&ZuVEF+GZF=7W5q(!tUw%^n^2QQ3t&oc7xnqydqRD7iulcy08e6{zAfY0NlwUIQ(lAY~oe zVF2uHlO|m9-w2O>W#ImPt^WT|63l7@e9mUb$@4qXlh(0iF6Yd>l8(+K&)A{=s^82Y z%s_w#{MKMwKXq^2?xMe8wdaBi5pv>0wUgrE!eJ&2k_*()DYxxht>o6-jro-hURvFS z=+ABU$!TB-11uXT|9;f!s(GB4C13&5y6q$I?{LOJr-z3J=c`Cz-PF^Pn{_~Vh7{m< z_4Wr_^Cgg-=^;Z$FuELs*W@xDHoD2dz7NL#+gqKGz@be{rw2KAUC2?Z9bvDYpS|hp zGMV-3+Vlr;*cnQV)jS8T8wfUyx4D~p^6<)C?qczkLkMc9Cg?oHd2>sw3`-}X`w#A) z;e}NhmjsS$+|%tz^JMwa)1#%UE4xmz_DUVq|9Ju`{yCEM7hWtLdy$f)1|$6NAQMtj z6dpC|jw)+-b#SnEEa7hxQpxzR_Hm-WD`dc$k`C4sS*vG(5B1ww!YL1TZ^48?STf{Kz^^9%gY@RpF?xt^8gNWjDo_|Mld!~b)SS9$j*8kj`QxexTh5uSNH>z66& z1Lw33R~QsOrLjLaVExAnstKhMQhuS9suOal)jbb-KjT|8?J->3fm}1H=sm!KLP#dS z&O*Ya;3F_gv>oy%$qJku(;1KQ5)%{SlFf@J;uIQKmU13SL*OandiD;ow|Td%k+9K- zucAlgD2Oo`P_Om%CpP&#V}Ez4=(P`~z3&|ugUyks&`4HgSX=ko6{b*2_8*}^D^XFe znf)LAxdp$4lbIg>^*0s4KXfVdVX)+arM<(1v;Ud|=<5%uaad&l|6!0fbNic@k?b`P zWe>mc)(lDEfErh_mn^}fL-KP8Z&jCOd=V(u(9e@=&?2Kig!+h%qEA*iBnO)huUox8 zmaNsx$4!@kPUHJz%R$PepHu`!2eC_g#`%Sw|Lt-Yw;|LUHuejgp+>v&Lxbv>9*0#sBTc963-<@cx0uKaF9xWY{mzCbg zfP~ntcU=^!nssJL&Qe-WI{OgB%B1r{2-&V@{yNXQ}GP-Z( zFi&wMr1t+ytzD~{twrV9ab=P~x)rvva{1%eRWim_A6`Wv2<(w6-NhQT4GZaqs4jh_ zZ#3Itu&J`3R5^e+ItSQ$z}!llamtPohvrUYcKMIJ6#U18^;1J9j3Yr$T>(0vxf}tb z6v0=j5Os<~kmRqvqB1b4^1i)fHDlJxs+NRJr?S0=T99bz3ENZ~BDR}%*12_3UOJ1IY zsVaKkYCmlLW6Du~u+Y#L6yp5XBm3hMeSKQ0KReKDnbo;i-5g9rfFC1p^O8qc`iZfy z%cAEN2v4wVfe?WNaGP{%*V*@hx_g7EGojmKGJxpk@moUh&1^n2A0z!ppi1;1wWb=@Kz-7OLjb0R|;Q+j9 z=j@z=aYeSB5M@p-Ba^>Z+IUaExe*X;YR!9=#B8NpD_1pbSid8Q^-6jiU z1ilU;UgtQJHNO07l|krByDcai)_T;r1L14@8_~ARE_<){+?NIPTq)<&x@*&GKf2qL z+RjU!Smma9x56xUTTvp)_I@6p#aXZo88u|kfR%tSXIj*+q8~Hjxh589-nlYPPbUqQ zC8wM%`1->VvPp1TjwIUP25(6wPaKR775{IMo1JVCE$njxJgxk7vOg9zk1f>EG!kq(U$jGg# zsh}m|(=DC{1dJLRgUan4X&xeNZx>`(WSy=(0`maj+XMX}_6+Z}$K=gq&?r!gnnbpk z1VQ3lSQo?|9fL_ENST6rm-6hiUFZU>uKkT*9hT6@IgK=8dQ9{;wzKr}PNK&QNhT)P zwFrP#9W;1?+)nWSof8PHwmStJga{jY;?~AwC`hzr*WI^ayVZIzNp{z1oz_qY`ojT& zc=^xgG#5ZQg3%&%xP}8k16y4yhV#{(o9#Y}r{d%h05oUK%_XrE7g~&h?+}4H*-x~R zl#&u=JT%Oc8PmHDq3CPK1FBoOgGqW{h_UEb0SB=B2z<#{m=)M`WFaa?J-8_GoOtE<64r*Dh=@L`B^d4fr=%Uh88-1%?lL~5EU}-ZgzhUudP|?{nje~% zgXH5izZtVoC=Kvq4W^Q>w!5sCQn3Wje)r=7fNTH=L)_znZ)ky2?}3LIZ1)K!4&>vn z_C>bT3G77eL5{2CIdVIo#^h@u;Lh&VaIEFjjh+2Aum=*XlXo{0t9@FNWH@o6jVsGp z4BoA`I^|!`01*|hv}x4%jnhdv5cacOI{SC26$>@gA%LC_X(!0Wvv9L!p`@hYVD&cv zno{FF@B(n3Q2K_-uyZ1;hfR6n$qg;x8awT< z7o;SqbX1+zWnr}wVzAo)imR8-<`!vZ+?3b2aQWiG#S!u1ZFl}VegE54R@HZ|e#|!f z1`3f);eeDMq`XQ)vE!N{itx=8VT-hDVxb0q@v|=+%86?Cbc^!LVqhCesndBIqA0s* zM+eKgP$20jdq@ztd(#kVdo4>x&SMDO39Ze-iVs72S~40AsWv%%@7CCHnc%vxOAl{L z4|#d~M*@Lhe8%$C)hS7X7}AxuOrLyUkJoW>6fBfm(o~;F$H6|1^qJ{k?F-qkvr9f_ zI?Uu->TB%rtA)TmRoxgh6d@KmJH!8g2x7b(HYMyN-+^Ds4>9s!M1GcqaW%uuVpJnA zU)@ZpDJX7|f&wB#{1zsm!47cV{PWZCvBt zt0X*)6r(w!NI!zbZR)vSD6CzgLqUU6ZAEEpF*0RVdqpK@Htks@mhK=@isvD|RaNOu z*vl6x_WNNfZDX1WO$4vV)VX3ca*02GgULvS_I6LX!eVuj26Du!YPW+0{g-{}`$U$o zyAMM9mqk4+T_{|;rm?iwcl16db77wp?2(F|CDPa-kUrhrBikGVGpoZr)yf`D7w4^_ z*M*^P^QEJEWOtW$5E~l{!kcc@H8nL&F=VfMRKEZH`+%g*g9FrnQoPl!v_S%YU$^f zrOrNeTa54pKp__NF)|?GZjnilXWJ0PL{k#tNYh!J!kET)t=6jyv( zc=L@Nxr^7x6M8hM5GNPob~7gqESR4R9K4A|=(dWU#RCR=wQQ!0*kUH) zN?t0qMB+g}5Z%-e z@3DZYd^h3L(Q?&I$480-65k^o>HAENMz(B#D-0?L<4QYum}OXkiz7<>8oL+^#y6}LM<$6kj8~;mgZd!#?{@Fhs zNe6wme4uaAy!hdQ&-I7&4=y|y%j_~99hNPBSuxr5LVWo^eQbF6o{@>f?en|-1DSkr zH#!S9$94}kmr54#wfcsYreAGd+6S6{LrnaHgtP4f3m1fg=* z=@%T&+jdK*BH^~NQoR)td8VSSg1T|y7u$_8akBIz zBHxfE$yu3!FC*bvm5%M4T3S-F9!HSnm+bYi1twKf!0ITfVEK<6M}+cwZxiJl!DV~# z-!L-?jLs5Dt?;+4vxS$7rIs7dCp$!$vpcGmbuY8kwz=2(~ISyOSp2Is6A(MM?&~oD2My-<)RJD(44dI*jI_#u_i|C6^h=e(C#2+*-}5HA;Ga`rIi=E^+b>0wxGYT!sCI>UP=1Pf zNjX-dlG0;CjI~SgQC1BzF%fE~aB|kL!Bwv-jx%wU=sB#=huUk5;bv={#imK5oSLkH zBy_p6`|R6JbKkfyrQw>l?dV-q{j!v-W_qm_{$033f_&VXp!xD#`T~B?Rj$2>x(}7v{0K>Fx&8&$qjQP@> zW?_!Ks6SpqNi6z|*h7k_Sa&-GJ}k57jgr|0saV|>Qq_fOr3mBfrTb8|w_S}cb62ko zl!*~<;E;LC@}W0$jYyqFo)7Dk4(o)9okK>c%D1rxj={?!Dux>76?7_@Rm1gzyp4n& zuU_{qB~QmEX9~}4BYc5-Of7D$`j;-XY$KPC8sP}HQc1B6vu@ry&*PCTYr}A#(<0f7 z@HK{D!v|^aD+NCt*R&s!as(dGvj%vvSKl?e5lu~r3$YL}S=}~!$p9XGXSwU)5gO!;az?z2M{bhpmqP@Ztjhx?y+E$tvgFJtEdAc*b0gFZp*^6cHh7`^yIss3#`p zVL8@Kd7kTKEBKQ^E@kcP9#r0A^RXnM*Iy&X>^IRjtZ@_`mIk>H;&h&roQ@%lGE#;Tq5SRr;DE>ieeign%d&!7=qrbx~jvc9NStaSOPpwr#k)-b~y@(rH>Uz@N+t} zn6b4EsFn>r&dSP47$l}Y7{KkH7m%R!!0CInWOkNhu~zvvcjGCIUpa&6_`M-V2#o2HLrR0QnGS`}@praSyd5kw*ZDSR((c#G>u@4a zAo*(a&J|fEGFW*A0+R!(vH72$K7A*vtNu)U&!Rb<|@bVxYF=Pu(KdBC&1D8*6&<^ z_ae(L|JS02;Dl}Kd3FZg*P_vnN`hLRIU`inXT`#zz3{1|A^c%d&mVPylrd0~lX555 zS|oVnU4Mx$1I9ys)*oL;4WoC0pm7*!)C{La7b2fJ({b) zr^r9DtYGPw=9A#f6^#xn33{a_`Qd|4N3XvDo{KlqB#$your|3;lTX7YMQwYl@4Cn{0Urwskl0vp+Y@Yd z7n=o!?zR(*Vi9!>Twt;H=k%BpV^3tIVi(^NM`u&Ss`<%;W0SrPuUZlyUU}B!yGrX( zYf)l+FLhP!+AtZol9i^zU&3oDj0y9pe*mEBHkJo?auMD#nvs?Fh)%6i4KLO4!x(RCwN@WaXfy&!C8(( zH_s536i&_DQhjoaB1Jw`j3}x{nP9ryq@C$KO>*B^0`$_(o*^-cnWvXBE=rJfk@_QV zEp9KxjN2HTd(`+NiG%cx0WX)__MSL+eAzeFrv0$%(de4&YVpH*!);5`tHPXGzC60r zp0&R~$>Lai`k-%^!PJKxql^#XX8@T7_c}j--t?Ty@0KSt^ONCGuKj$W&zKUwwYM#~ zyri;eGdxfMib49`aSl&myd3G?N!5&QTUS@w3nTIo#_*(R_3=IpzHAI`cWL+c2_f(( zy%)^p-Hz8~_ zWWXdu_)7%aR?0&jOoUaL;XTM5O&Ffy#X5F84C-F0v5^{k>V{_?KO8zR^_v|o0l0R> zPt&%{WUQw4EkiA z%4*z;`0PK1IgwbnpO^c~hl?wJpMr&^-?{hp>sid}1g-Pl6Yp1_b?`6iFYNp!e`;n#{u z-0H4%;saPxl4ie`9&S~+$hobkEcW_)vZ~qF{Z0_RbyFF8N3f_}B{BVddk@TN+1zdv z^47B{nkHG_peyJNWzJfC;=8;VNQi`Ej5Ie44|VZeLiEg{7I}Y8P1Q~uC$u8aHE{!4E;*97%4&+ev*>14OUHUcm#%7#DXlmNLi~Y1b zU5@@uziX?$k&MbB&U#_E8_s*TZ+juj!m6x2bCYhYWvcaW%>{Lbev}ILQsv;oAHpNy zSvvyU&{6rPLL5Z{Pvhg+ z*TcrLP7{uwc3wVS%T zlu$5vpm|Mft4VU-Jj*jg-edIu@6I=S`5&igpeF8`3Ve8hZ}`O=pXF&GVgn6oE+p`7 zfXQa_+tJTlcqMklB;DrVeHi)W_akT*NmA)xh@~ws)zCAN;e!f!nKl54_eJ1oE1Yj^ zkUAwtuEz6hGf-tWm>oePl|QfwMKiVI$H*Q%dHlLm4nKAlVEjFDL@KdOpPVj`^;}0m zjM`aj`p-*BMQ(}#hbc{c2}#~RuL(n0W}HEuIYhv;i^3NFZ4z^3WvSbmt=i)DPCO6wrp! zqU+TGnJqu%nE2RAhqs?puZQG;H$+(HR&#W3H&^6x3^RsF zTRYb?YNRO8xj7`O(1#FCHa22aLEB?r+9v}y zX?-#*$vC!7r>bF*$t89X)}U7>n3#P#lCQ4ry|1*(>649GQ43zxcGuqU$;q=W%}*AyEpcI zEG2#XxO3q`pA7GUC~KyKszMUqvhMLGcUFC-4sO;I6_Y-uyZyHE2QQ(|(5NVN=lXld zcz{dvOUTs!Q$SpHFt72}>xjB&_$zIJ4!PH|AA5$3@To)U&gpUr;Ar-vr@2cr_HIAT zBOWA9y;5{wi{yEn#d9B~@KOn6IbSI!D=VU0LiMgzS!LGvf>Ml8i}t~6F%vt-VY!@g zM-nKO!UrA`9!WbY+rX?d4lRW7L1Ff5dc}F%YW3ahwwROdEZ#jCM(N``fpBXYm<2gxe-0hBEp*Xk?&Z~04($P!w79$aINb&HT9th z5JTac>*oFKbhLOf4-R1+oxBarQG;6xFu_B;_#LdYdw|Z}Ho|YajWso$>sjcRFxl!i zF}YH^^cY(8=f z>UcZR&ZdZT(y?@G40V}Yhu!6S5aRFihXJ=Y?#WOy#jCfm1K7xeFd&9tq5LdlTc-2d z`JTT#Q|;^${a|%k#V3b5DT$)sYTJvbMB*cbxpeFK^&Ru>pBG^Ak?jic-e9$Fm#14Y zzfR7^?$=4P>XOZ2&fjY!3@iIA+1jBY7i3iKDj(#eCGU4l139$$sNHluGfw{0mR6MOcl6L^}%0y;P^K_Mko4PH-`e z8wqJwCIoumX`WIcDU7B70UE~IcmIq@$#tUu(I-+^v-C2ZDwWXiHpL#v4zP&`+HgM9 z=>DG?!fs;pF(awR#8>mkO5P4TQMK0W-N_0T`=S!I)LNE^b#drk0SrdGyZ02#G$=*8+HZ1|zSv;`>bfh$RJ1ZNFsG z&W?Z9i0mja-#o z$Md?3?CnKT(z2Z!ZZ>j;f9sK?(Lr*1Tebf7cxJ@f+=pB4^ty<}F?Mkz>mrZxl*Qth2p0= z-)?4U_Ow$_1_V)%(UtUyGQ`CC<25zdY%dI#CYJ=fo~cm|lrSJa{+%@;M28e}>g$gr zhMJO~S@#dhgjsZV#>JtuDQz8&@L(?MM2c%2DWXpavo$#6_pS6`TJH%@qW0>J`wT!g z2vxoQarw|xj9Ri06~gZ-i;W?LMBjC6EP8+y=792faM;Md4i3=^$970wmmsBUnT+f- z#U2zJUDxp1-z>Y+5~M=H2YYenN;^R%x-pTTwmF;;2CZatbM}hq1^%ggWDlDAH@R!H z8cwwoOyOUncZl&Y-MDc%#kKyQJM&&s7cTXmHb2CIFlTb9(sT8*sZz0V$n-DZIT3^Q z>Sm*aRmE>BS>KDvptKBs&y$H`VEn+vZ>)B<*dNb)uzwn-BhQDdw&NnUk({v3Vwntol6`F`&l}y)0)K9u)!S=CXR2$W z75MnSL8}`h$vxa+0c>TX9uVvR^E=QK~R!3m#4u)3g0=kajG+!>f+o=+Yo z>_oY@{bpg!ByM-m#02$VZ)~QoM>TE3jJy=61A>*0`CIPJMI^9vcde1`T_jgy%=mI- zh2VDI;o8N7B^G6>j@|{8jB|>7V?QEQ&Xl_;w6tg_@Tu1QEuoKZZZ8GqqU>X47Tcke zWq2+T{8CQdbInWV`el_x?O{w=&TCFcE@nq5;un7-HP4=%L(wn)ZHGjIhmk#OV+>p| zjkmVgy{$))SEGHj$m$((U@^*vFHmDsu}wc#K1t6!X#DY@(-a87hE_@CH#>QOHsvb8 zF<;mdC{ZS^r}hH`6Tq?MB_QHpOiUtq-d{+xfk>H>GM4!^@YSq2w*VkJ4N~9+V1U<4 zhGc#C@tNhUmczn7#5PS7B>}%Tk|Iwvu9tBe8yn+KayX=!vft_RE_nKs2E3mV&?c%& zKi`sil0)fX>P!9zC+F4b+O8H=d53aBR!b~nz3p9%o95=`8YVL5uG3JC(l76Qyjonj zqx98(oe$+i_KN!s{@&%Fq0uY4!W0)X6e1`{IlVSXR!ywk+ZiqM;{awO=Z1GG@|R6=Nj|F zk{ZVCy5|7L87pqA^7|1C0B_O)5ft7dDJJ4-=lkgdB+W2S-JI;a@NlSKdFCC}vKT$UU%upd^vL4n zTY8cEIvI&uBw-U#S)?_bc^hx2!kuU+_qgKH1c7v0U7JqA^hnVq}aDJYh|X;d0udO%9tmWE=bMqXs+_>k0H0b zMj@Tr@83b9LRW~Qi9QxBSuZG@%i@LK^LE%mLim8slWNXGD+dG35k|cd_Os?Suj}03 zwDXL;C%gB9P|lFy`k+eth7 zDM4h|(xm78r!AE2RNKnZ4sfcd>AS0RfWRKGTRWe@xgfwP#EJWT#SwJ(_Sl2bkT!Em0e=Lm zLy>gM@kD=n=b;PRODt5_!ouS`cYknPGR})Rd8qiW&^tAYm)NzQOgc~9Y9m$i5$w~3 zS9^qx_2WAz*0}2?$?eDiz&u&`jeH_j- zyQi!oDamjtn-v7PmcKkevriTN{LsfQ_f}l`Iz~Kh4B%uFWo64Ip1KXLaI4h}>@IzN zr>i)1)8Ys~{gpO}NHD^Tj@>%t@vHy%$cC`SiAxBhpnByR5y*wlB%W3@bc0Rf((5~q zHCgKRSrG+%#olov1c}<+Yr86a{lhGQx|>`3fLY2<5_OmFsdFsRg?ji8os_?pO!5Tw zprS&MSg#=xh@Px2M|&;hQ>Qr>25K^Ml`XhA#2u#CclW}(C}3GqL8`G`)`D%Dzz~%O z%%cH0U41Kp$ z+pO!9>a{!ATZ>W8$Xbr5j`cnJW_$h>5u?-2!wbOl-ZS@qFDJ#-BKJ&C@L|E4@1V_5 zBdhY>m$-Tm76rUH{ zNlI;%<>vwTKImH7m3;GFt&J*>iYNy&nUB(zoq_%w$2Jidm|+670gzUFC|7E|pwfQp z_U2f(Zs3Es{aqkwR9bL)6eVs%a0*uatJA(vLI(k_6Y@_=p|twFxK}Dh321L)eW87$ zcOOoK3<`>vE1(N}E|6Q^W`D8#`c}qkxwDHh%QZ^4*o5RPB-2gLrdl#w9YFBN_Yyh1%iASco(@J+c-R}A@|~+O*Mn`tPcXsyl*R%q z8+(4i@Dmwbi{;lA<-m+?s?fTpSs96*AOT`kYP~>Uem}gJ++JvwyS(k!Utmj;bIGNN znhMuW0e~rRFSO_p9gow`b1xX6oJ_g;BQ6;LSZRs~3xcg~RM}ROnkM;@3S|3c^*5Al zEjnSVm1+#ta~uCx7x??=QtkQ}_-qN_kH{c;V=rBo|64X`A2J z-#9t8x4p)sqVm>RvIV0GD2x8!UEd;S$;ZsTEvZkTib%RWSde<<>0F~`kV?({<4-Sn zQ1a_jPfkrWlY~9N$%lK5EYwf6niS}rlf`=KjeUQ|_j;5Tu5cT8wdZ?ZhKO8@Gip|3&(=#C-ZfBwODAfCpw)X#_YNY}eUMPJzdGN{X z|HF9xzLuf1Dah>M#1ZLV#so;V7ACpRZ(RLlW14cSks3)kKvUUWaD8DI_NnoPX(ktl zEx0wJ|5%=StBMaKE#i1;b5vSu=aVknm{~T5)OL*L)XVL&^&+ys>yX+~Lbg7tsR?V5 zyk!6Wg!{p_QQ6czM)XIlCuuH#^if=T(8!o9Sq2Our92J}X`Emny?lsS6Q=?usx)>e znPfiw3-C=%D-m`YmHE-XI;F4l%O7`?+ba@w~_AX~O+J#Yj{Yl4$eY zZ!FHX4mxKw{U0xY4(V2FPKlReY*##g*s55~tolXb@E&DE)k-B{M>cNGk=SU&L(<}y zNspRyr5h2d^zScjqDsI2?Q<>Jf-(6)-YxrQ-Q*7mEC2(lZvWRnWDe>uj+RTt^a&^H ztJgB;7|+SbZjVZtx{;;tKdxugZrJ?`ZFvwqam?YPM8N>-y1FM_3rxOv`OA;7787ycRg>k}Z}1{$PTVzMpmMK|63JQ==v zx1S)=ifNE1jZzQ3N5NQiZ{%aZmqf)2#^$QvNI;Q*OJ75`Goo+G!}wMK_;ihfGIT$w&{VktI+Bqt>x>`-`^FK=h=vteu#`ty>W)wIHqDYdwu1{S{vBP3__5t*m%qIMSD^ z(mF{yq9gwK?0~n_JXY?7MfT3SW5Cb=1*Dym6KSqn5*V`qlhwpB$*E>)d(j>_^=`$6wz%@r3tu#LkWn{R2S_!yJTPgQP_f#kJo6b%ql5 z54KypU;D!x%D&BUAsX(GAk+OT|s9SEHNG1_Q**CEp?eCOi*@YF>tU$qzei?er;hTKV~q z?5jKOGsMfk(nQgu)=fA+2%B~GR*{ks*^~zzza6n^m!kfemvdHjEf&CduGUoF@_j5y zVx4y7;{u%)DOfr#8lOWLhuEURMo$7B5;;(cFs42IM{Y74AUr|nIkpdkjKZtV+ebp*(mHEk z9^d)^td^LK{c!a`6cnTrFUk1rj<<Q9NX~ah+Lv6&k-JiF>L+lG zFkB714QCiJ+iPiUbS)8~;KV~MX~v_vJX{ScuM9oQRm{u7PJnjZpCqJznM3K3cTf`nE`j1m8vpWB_#I_z3^H@d2T@Q^0QtZ6 z!NckY$Al@^&mTJz|E3ODZ8$bZii^hP1nZfMHQlCz%%LFle12`~w`Lw$2w&Zbezn@Y z;E)++A_G}0k4!2QvhA)fj*!uziE&9LlaWWpwc$+c*?Pzd5cV)Mt~3eFeF>g5Nh0*E ze0@Ir**OE^?_%vhyN|*J8g@)S&_HH9^XhK*O*Ii-9o~PZLoxiBPZs(soj7)_=Rb$P zGJNs&8Gp+2`a@U@Cq@CQt{}4f+ktInV<#+flY#XeAnBELJ~6g{gEDD)0AfL8^?(T` zaHtMDFd=Atws|p>N#5w!R(SM#zbR_!Rrd&Qt?9W9Q&T^2V0w<{aU3uOB48J>Fxo&Hnux&$J=tL*GY1YX+TOWq+0nb<;u{ z(Au76j03uyYyXgYi9>99R+nBRtr2<0bsteXfVxTZs`2D6RRWcJbuX-e8~Mo-aO|D} z%js8&%oC%+Whg^FMX-tLP=$TeoN-#lw&{TBTjm zt{_$-F0^odC()=WxkQ02_9Ib=PE`zzZoI_;X19*%k+8crr!jthc~+4V6J$+oRZJu* zyPIE3$uwTrNpT3tk<4`T4hQEgMpNB=e9>heFMozDy~j^JNz;xcWfDXQ@gmGvQV1~n=kH$5 z%xcu=MZh=&);_8}_^xlI!8ycX&)TQYLf;)EYJJFoqa$E|D+z*+gtN)>{Q(=<;%|1i z3}76gHVAHV4!u?Zcx~XfqD7%vRp`_Hy`TLSX}T{)C7_`MpruGlppX0;YHs5l=02r8 z{#};^gutmRUl07=c5zj7{6B=-@iH$g6-*35)oXy>^=bu+e2a|~oPFaF*lV8;1gKZso zLfchPc{%-`U}CJ`iYdv-goL%0hJDG4MhtcfrTE&9wN@-9HPb(?IFG zQBKH9m?nV^J8jxKhczD6V4&|brgdMss$GQ%b`2_Vo@COOfolp}7MLbU-55}%f-?*c zhY8#{wSW3!o1{u`we|L<6rs&6Gr)|~(K(x;kNjDwi0{7O_l{{@OpJyFi8`hT4Dsjz zvu#&-PJep3I{D0A_H&zc z+gg2G-n9GhlaWf*qj%mb6Uik(@%a{)ZleJQt%3nVp;d4nxxpt?dNVQkbVckl>M*L_ zYfW6%C9La0#L~{faWUyP0PqaEr$xtQrRHuOXcP_w6)T)zAS!*2{2;LWQ7Fg<3(D4G zew%Z%ec)E8ZfJNB*ns2qe2%CKOyzkv2-qwRDTwIlk4rPJLORAN?cBBQuEuc&6zU$O_q-_4(^1A- zr#ljGkWgoY4ZiT?2Zf5?p~)X97u1^NSb27!f1 zkQ-8EDm8lD=h6ZWI0B@%e*H2!G%1n_BB->b6kHv{Cr-8x(Hjci)nqBrewpWcy~OvV z;NXQrVP}`UD

    t_X1iI2ZvDpbA2c)0Va7KLzwi5AxmMhM1xNRb}$YP)Bry7#y=49 zdrQlu#mOwQtR=>RVY0Loo{F_noGZ1x*qkDYV@W{zSDSQrLeGOHC6b$Hc zVJU1pGMJ~7927p586GnQ0#53irAXRQl{aEuck{DM!(ULG&HrsEgj9}Lrv&uzzPC6A zGxKW}?z{nm#FyIC6HGP9YDqQrKJ#&HP!Fm0+LQd7QOAyJV-6@n_z}7Ke;J0AHYPWF zO2{6O9A-apLm7!Gp+f#-j@B5^>wp<}tcyozK-Tp2^*yuO5*tfN%hdyp%!2Q(p606M zxiMh=mWIa}CK3Qdf&LI!2f&D%;!Z>Pl(H#o8&Umsgczcmp`rMP54s@|n+)eP5RS)W zjP>KGBMO(4FTDFs8{b-AioN!Ekd42MVrzIQfB_hU{smSv1`DEQZnvl6eyJNJ7|a1q zSO_tU5Er#x2Aw}w{sz#}d%NF>@{rvcs^7?Kv#K$#SN(0_C?qUTk^!_sR>5hlTNJuW1y zjwv;zSacZ;O7lCZuf5Cl%pC&V|kDT}alQ~d3*44o5$UnJ)dk}{3pi*$yGiT=x#@7=3W3DouwxIp{ zl_j_lN$a$kRnHbzeiNm@n~9T|2+4Ncc1u379Qo7hXqbQ!FW6&sp{*cGK~S#Eq=;JypV#a1Xs|CqutGWJFwG<#f{7^rzZ#kp>makFf$BtRo`aV^sL z6db}U=f36l@xG8riuQd{6tuHLV7@BCLIiB|pR5udCNhQQ3eF7ZBI)>kjps1?v8z7^ zR8?7;5r>O=|AvvEtVZWtxFNGw49QA&p2b>(3o`wwuQp|W43+EJSX%}S49pd)bLj6x zF~2xD>PHg|>u>|Tbd0_%pN-Ob^&^Y-BJC7W!68}+3`pt`rl@Arx(XaYjWXf6dLAZ` zGTciUT~$CcC89J52!&vm`80dWxwI%W%t;6hKcZ>Q(CwmuTwKCXd7N*fK(5MAMM=Pg zG&cOOn2qg5u>lMvnCCCuzP*`TvcL}#IBqWE3?}9TY`v#Kn3oKUt6Eb88yhqq&V3%7 z9{uZ@EV9cr7yC(aBpZGs?5bIvEMoaUyx)M^F28`r0SF1|hN;QpsE~R0vM6{7Gsx*| z&4^JJuHg%X`ts#dpugHUmj^EVbcXCB^qb1LU+W8n9{E=@&AiXgC^KO!0hIC6Bzi4y zV>TIUqG*)KMi;@0!^R|9qGaVjK_sjv8hK|>K|4&hR|_C)9nPk z2)MpWURsR9hP(hwHvh>@aUN22%;m>ah(K3PO|mV3e?6;GyH%EkV7zU_*$X4*;b~5j z@P92pv)%$Y1qL{GJFfoow6Fkuj7IxBeRJ6j#?A ze`H$ThEO8Kq}tg(JMl@&QBVN#o3e!>rwm4&_{y#y z;!qxV)F1!60Ng#qOCgG={fyo?()d48^09JVIV!u0_rWpM?^+5i2@oB7m`Rxw=l7>; zOsoUQ9ZFB^ZAfSu?ic^_EgIZidd16bMB}=SutFy~#>>Enq4M1%sn(4M?mjaUm1J4o zeakO>;kAEQ5C0W(58$EtE5dq=*)y04aZ-wHbu=>QFU*P$cZ|0l?r)b<-=xe z{(;eYyG0uf&zHcI64upH>_T$bhy=l7&(ms3L6Aqn-no1vgtr$5Sw9Wa>28=+ zUojLqlXFRYU|`_cN4bJBcOanEh3Ixkupp;;q)Z?9fM)YDQ5-y|79aHTW-sozB}X`8 zwOnat=3e-9b8D7Y_e{J036vEo$3KZfuqU;UH8_5k)gO=>P+^|NL?3!}*yAO^_xqrX_|$MQ zN*jItGyx;>t%Iyz?NdtRSJA66qH+g$ux&`dy?%(ZBorh6+nedkYrznF$fWm&xz+sV zAG$JjPTr)W-eby2n?v2v3yidQmQSGGLDSZ-RgkXAE-S=WBzY!o-TQI9=JuNPf0;5i zNh_XG37h{%L(F$U053M2$^7KVRgN}bUWExSu6y~Lflt6wRy#9eY9{nsJ?Vc5-q9rQ z-@7^q2dMNsnsAdAUWBBrn=l9szwWp-U;UhKb3jKRX4DPT zq^FZ^Zi}yEMacjl^psVV`<*RbW&j%iItx?VDaHnBz8on@p!~$>oYiM67yfqFipf zb+}0|Cu;&_Q)!J1>lzXGCm!9LRt`e@{9LjDRX*10n^rj}N@OF$2Du0r73i~$CftX& z9)T`pZ^PgagB)|;_&FP|$xr8iLA~bOAr<_m-BJD7$oet;m2{J?RkIA9tqVC<$9nk% zV;ok#b0m-p5yMtVr|STTFXdmnS1u>@m^4q0&Sa6V1=t_xwu#K@V`I{nLz8dO8L*se zj;8IbWF{~$>f)+J=zqMHh?9KL(;9)ajW$zqdmL!s?u^Euho}pjdFI+mEU+ zF`*ggD2u0ZjY%&VowO_;|A=znthRekF3k_*mJKuigA)$QssJ=0TNA7HWN%G8X8_9H zQlu=_Q(5)J!_sz@4*WMANb^(x!~UvCmBN~sn5*c8b0*ieZQgyKL{*utn05+17#8@L z%=_-Bbk^=(Q05fABrzLwzXtpjZwK|vD`^x@ zXqVE+s(Nb*@4QU?)ZlM4NARTxxQX&=jCOoLN((&tG?p9|B#`6I6Wf z0Sd?}#iF(l5SDsJBiD!wgdvxy6^?&~&ej$crcSi(OUYqBAfpw-lzqsU1O@5s_+O`h zQ3ltHkug&;?HvKWqW{gI9qw z>Mcgqri)m$V>7%oMQ!JWfjL;J!oZO8$JYISWt}Js2zaJDd%7=`1mkyaHt{j(Ux66P zqz&!}nuqK*^K~UzgT$pv-poLH5+U#(VA#;EsVhfmv#3$3x*`QCphpkL7(+um)*BCI zeT)Zm6yA`1PJ^rzZJvuG`DI!i;&6>hOUQnR=)=I$VZjOnW9iKIzx{GC;aHGm``MyY z|1a~;t{K08fC{{uFk;eNI-^du0{_NnktW<@ca=SDi}&74)5<%fd;wcj=g%LrfpB&T z=^`8j?*2LbEeTK8L7qn81q{dqL6l2Fx2#r)OPAg;+>! z)#*FZ`b-4O=zIKdFwsGP?(Rb`x3T3WGSnCpMrwKL z8E(q`)}qSM+LEZEirLaKnq_Yx8#;~{16?k@UFz-`;@b2>W?ix_uQikeWlnRhw=5iL z0TW$qbx}LcWj`#;&dc(&VFm`H2G$3N8t7ag5Wa8Aq7wGxZ%!QnNNW5W2F(@)+IJ5@kb=;3e1?D&Y7t zdq(o!q>6&wB+*R)8ODg-W;lPLF~ynUzx+BN6_5;VPH=+%wt6*w(LC-*YSodR&BDun z+K0N^l|%VyYo%w-!Oo9}_?gX>p1Jp8>7y4lSbuNKcBK`Z9{aa*Xr80|#(z79rvA%t zDhJRl9Hi*%9VP*a4H$a+?bs`j67^Z`V5(q^!>yDhm&Zo?{I4*lM%) z-U~nPHya{}GWY1TDl03iRh&GNJ~_%uIB|hb$t9OXtxidLeTRFhUGo;&+T$@vM@Y1? zd_v#8zkIFd8=N#Rl{!|&7(%Z_nwn5+gRM6puBakz!C(jY%~G_4&|w0=S9TN;>fZ+k zLR;k@=QG+?g&q=rPyPtS9{Jg0T-@_8zyOp*JK!JzJsqMdd?h9~`R>bw^`MLInhyNez!N(;`TkyQC z)TGXK<&BJ|`?*Qz58qqd4E+3;g+zTU0ue0cuzyk*uPdt#KM{V4OJ+kd+xZY6i;I7a z#%J-JJXQH3)xsuoUu)qVJEoJb$G6fj#Nxaiz@@2P|J5I9zk^LFn4mp5Ooml?WE%m$ ziq%_X!VPG4gzkR<4PJD6rW|lqt|`CC*O-K$C1OCg3#`gJ6)QoTj+uCmH;vgEErQUW zek+A)OFR9{-8w8+A-x=}Ux0xCgg})1P_Cg}q4g>3F6X`{mFirQd1A{Er^2Maio*8; zhaEZ)1T9|I7n7Pg&*6}$#Vt*DA2&H}HVF%CL&FwDK^kfPQBijJAe9j`7(?eIsTwVJ z54b9uyjHY@e#A_wzTHUZYCN)%!$*5W@C?dF8)r`d^9D2lbWluD!RzAm&%xH# zT-(uYT?J4aO}AZOA-FpP4epiz3GTXR@Zj#UxLa^{cMl}EOOUWwf)i}9h2RhzvhecR zd-Z?+>#4c7y65(pnN#;vO;=CP&}u{W-pHQQK`QEsn7`QqGYGyie(9OGnKsr*uvPl)=LhHbba5(${yQHR~ z0yBXkU>1nNu`J^BZoO!7!>jfhPy;i3Ad97VU*FpVh7WVEsEjgw%_OjN3_B>H-$Mu9 zmu%7N*sXrxsJ>OQJ8#>$yVcRKTHKP!@YIT_Oeh^_P(crXPZ&S)K>^2Oin>?9k1P?n zVx}I|*lpCzK)ys61`#0a&M2D~had3Z z_bO}K!Y@AF8TkJmEU@avE^~e;!SUwNs#{-18B^d?e-OqJPpln0qj#M*`4k0xGpVuU zl&`V4jrNXMwbT(4Wfn6*v!Ze*qx%70xX*_i<3hIxqyB@?-M7UWV=hta!#ic{&-tjm<(ON5Zteg~!X*u+xi6h8P~39XUOUov#fa zA8vH~bD-3)4N+ZcUJ~7v%P4z$bO~%l zIsW3rZgMFG?!<_x>2OW=@g&+k#z=f;g6r+9vQU}jc}yuyC}#^5iU~PxZD{hdO_GOJ zq)LO(RW8Ax`0V}a5$LJ&j-NK0@>vmdvp!IIQ3()`j&h8TbcGO!ftsGgVL#+u!l&pF zjG)=oYlA4#!6M2flKEVs>H5MEj+V|K{9ZbAjs5ONg}^~`9#W;HD!~N(KsVq}_|5P; z7smKpvrZ!`L}eDP+cXS>g{k>%FfQi5}+ zVEsqyQ8OAH;jM+Km0W`f4m~}^^NDk`uH?nROs?qSvmBQMmqw+uhQ_H6FWT@->#-Rlb0An7cag@poCy??e>C8 zf^c`+YvmWGXnz1Osln#Vu!fH=S;-4Iey?vDv+faP{$pG`L@nNi2a}R1xG4?QS~o3z zbibf*V=#wu{_W|CtiHTdXAv^Pa$OpU1IpQ>kLrhYp^MbAqUR)x8tU?q@6hbj^?{DW zNI=0)!VG~nxU?w0Xy|OIfX6OBSArbMbrB--83+Tgo*4RK! z9pcsZAbl%%X@Ep0*MA%#oCSytk(P@Ct{-{x0cCN$*TB3h%l=+{yCT7ZM-SY7h7PoZh#PPyZ9i}Rwm6!fESi+ z{=t1-r}=&A5ZD7YT4U}vXzEUqI7|&3{Uumre0S8-79}P5`&)To&n!j@$T!J!l{A@P zfaLe^(qCknv^EPaxROn>I;5mK#bWtrQyb+$6c>a*^Mw;q8iT8FV3fk+J$m9wTcO_( zzX~FLzwzMfzOze~&oLDmW10uBIpiibD+_m4%6iq;Y}seti8rfu`Tn zwH%pji1+Mb7CFiN>7aA3SYbP?=4Fh9ih!E;F67K|7sOi?UoyRimRy*&s?~8Z-aPIF zE!gkmm2Y#UC0>PJxEH^@i!Y^L3{wjWxWozFicl+Xe9%OfhODh%#w8u4qxIZH^og;e z1WgbW%WVVoEp-BC!M0YBr2RL0dbRFj!OVG&saPE6CWD}Y)68-xdOYc)J!q`RvW29d zx7HRnj4aru0?G5fkG{%fTuH5yT|YM|KW`iy{@dT<7erJV1KHNq!; zVi6SmMT)+)Arc_QMD()$lrZM3t<%+~^#bY!JN>1I%ljIin6YsNR2LIXdoRb@p*ko* zJIp?uc_e<@exe$7`TJ*A_nB7&t*tnxUK7y!;36yOSeaFwlsgX+@+&re0deG_($}~) z)~E#2?7_zzl8CN2oskws@=jct$#6d425jo6#VtCA&FseB5x?N#+&yQ8!Tob&8Xt)W z`OT4Nv!&`Lk`J~hpiej}vaRz+U0)>2b>bj*!*i#^VAV)u zR=j6#~)oYCY|%>k%4k75ER zkbhlb$9kPD6Rk#sz@6;ztuT>N_e`pS3RRw`n1J`*qI-G7_o^&fFA8AsJT~ZuHYpYH z%X2+qj2pDQ`F*NV^~aUPqIT{gVeljW@_hf6X&D~XTJi*JuQ?3xqPzWhrMH?{<2sRhk#B&=9jU~OBCdPI7ShlaOJQ$vj za4@1sg?ehe4E=65xABfUqN=BZWZHVGjsRD+V;oJ+=a)y&OxLRwV2+k{mJQrakq0|x6LlU&o4 zz|-y$Dd1P%zfGNbCEuE7cs9CF=kxv$9sd1-qd17Mp+@)?hYP7@ApPqZCZPo~#*3oJ zd;UOr@E-Y_O8cPCz6Y^lXVC&*OY-&-Iu0J*b8H-jFMwK~goW^%$r;nXG{k)&mwjSO z2z29AfJ~Nm-K!$xObmXWE1&L3{(1d@p{*NM$XL$B{k8IE!37^Pc;EoAy&{e`tXSHo zkBO2NvGCkWO?Cx&rg(S~<^%mT;`g*?5#W;u)q-z4oei{&E0Gn`fCCr&VWOA}cMXBY zu~UY_OGyJb^?f!YBJP!v&;w8<8yo|LMM*bV$Ro8!cKTZ^9`Wu_T;vR?EGY*DlLpwJ zQ}TpbD&T7SNga|G($J05^NYI_;n&!i$zxiUi{tySp!LM#C)?98XijI&8J4RY7Ahh- zc`OGr%|<0Es)AZ82t5=-QvHRbrEyu6JkpCfjX@`Sb#W}j5^O9zw?&Gq`A zJSb-;`Y-OzOh0eF$fw+SYkof@WsiGH7c*u4LAB!c`G?jnf7y?}#CP#FmZ+EQO<1m2 zk9@-q2$z?!eXHUgJzwexmb;!p(`ng%Kdip@KR;|6&IOs8M4?>Xp&2ofO#aYP{y~6p zCqYdGBL?Q_p87%NF0A9NYR^kl{Jbc|+U75Z&ck;O*U3Ax;0ZFzd&cWIyP4BLQ=N}~ z3%((cin=f44{dhP*)H-evlQ6JP+Ra|%d~*8S_47K=|k>jyC>NVrApW`C>eiN%Mm9( z+EcxBtXjIjX9y@5R@%VwCJKUzYp`*!C(wk$O4rP64eY2qP70#bXL}@d6fc-^gC&@8 zAT1JhE^{oh zBUVa5Rumdw!+{HRU>qavuuMcmr1BA+XFE^P$x#=x!a>WeW`(Zv%g%%S+lq71t1lr<(<| z(dmuWY*ifeX4yjO12evg5J!Jv4ye+(5QwS@rl}W|g1N@)#m%W6G$r)~aQ9gIwMB*# zidn{6KBk&fW9Y~jIzcIDJ*L&Uj<#&xq>)1C;H-jLs z{;dODZ*duCStIe_sve(Ek48bQ>GI)Rm+8wOU8hhdW9}q08CM1s5QRjX(ka2&>vjJm zN{VEEVRq9E>D#!nz{~?-m#yw!zb@zmWQOLkB}T2UW}fTcKeP=G4K;TMIdtPet$7S( z$Ms|JI2myfG^eIay~@nr-%xV{#|cQD>zcU_j7v5V$54?{E*o4j4Z3uC`L;G=Sg zw*ymMnM?~|(t>So-;RE^BS)U_hn7jE8uG`$7ok^cn6t{YbZf+`A7&J0ap+@&U_z;z zVW;V@GkL)2il{%KB5;^%eM#$4_D|h(bp?%{wu8>wlUWq`Trv+O(iDl^B1l1(W1s|| z2-sK0D*qI(|Cg2rR*R}j%=m1%{})2l?Bg-W*7h(*{^ z)!JnXmVM()q-+L8t5<>a?Q^^QTKLM}Nr*PyI_+eUg{dekX+-b#(RMADqO%l3X%r2D zd1n%?T(047(4LclR&P|fY+XE(DQqiw&b&y$tH7TI@d;!k@;#nDC@H#Dw41owe>j0Vy?i9`2s)ZruIbbXJ4Dj44<+Su@rC_$JSIahbcmgw zDd4Uk}WAwZzt(IK;{5()8PZF7GlYk@Byl&9pyp6V zHMI#bMG|iXcELAc$eo2Zyot?TTk4wUZIG#Q4q372yYFk{oO+7yiJ~!$?IEPdtp;bG*vxP}i9()=3^(_f0 zEbz&yN{cfY_-Xe_3`AS2=-sABH>m;K0S_MmH$&M7;WbU#WASe4aM|AdEIc%;NNz1`^}$`T4@ClnUfs{m z=3Av7y|J<1lEa`?#z!@E=cPOOvwn=bk2#-?pG&o0+nUH~v zbAd8viazb`e2c$z{>a={MsWeSx=IM{MM+JJpJBntI?t<{ zm}ap}ox7vU2BT1&3LC)?7W{6DCMV{|Qu3FGG}kpBiC8}ijU&Cw=ZKjnNuWxMv^bf( z+rhmTgWfw_2K@|@2F2xoK6?9Uk{w~J0QgT>EOzh4Ml6^ACej?nBejbf(-${(5x*`Y zNd6C&=buFEG~Kd(%{~Ftl#qZN0002>_x{^zan3&dT?hb#00Sv!Cl5;}4`VGK7fW{| zPH#sC1OP5T3-Qlrz{y_@kgqYRIK+)B%65xQt7EH4BwYr^sdwJM2=`dFQeiC4=3Hy@ zn$ec{MBHu3djZGNJheIf0#w^_F+rbGA~mqq!{YQ^3VM z{d(cp+peZxedy!^D%|ICrIk-oShI}U=PxNQdXPa z_wgUfFn&{J>}KiU&c*qM{e!APguggi_?xQqq;XXsEw0RB&Mi*awMKJ3sX4jz_DBQ; zpO_k=3PG-1(ee*ytd+7AFNKktv#a1-^Fvgvw^vI<9zUi=hzrDmB4zR8xqra3uJ^U$ z`@7iE{#OO~ciTVyw^IKsIIREM?@x;T*#4^j Waac_W8Rd^4;P35^_&=Bh0R9K#)6uN} literal 123202 zcma&M1yEegx9A%}g1dVN?gV#-;O-tQxJz(%cY?bPE`viLSa1nCxZB_i4tKuqf9l-( z&V8@yP1Tw`y=(93)vH&p)$&u3hyB3(?%g{CsJwgEGza(T?Y}-4?{MC6NV0O6+dG$SQUK4-n8JFj`S*xN#<8trGta=Aoiuvp;Rg^!CPrG_IVd;Yp8BJB5ee6B3= z^1OENsmEW)u(r-v=;dPTdidP`zOK&r4LsKB2w8kPnRGpfNj_4Kk^M1SDoBQ#}|MB_yz_Hgr*!T6uXo0 zUfz1`-qG7VS!etLjyUh}eR-Vwu@UgLR$k7kEYkfwJK*tENaXJ3cXsb{FXWT|{eyD8 z(S4@!`OM0X^WO7(_U~^uJIJ7i%krsDZ;&nI0abmy++s(grCA>3a}mF{*RhOqVVyUg zlK_+BQugPErxk?IHa-!N0ME}7A|ihGAZ6uG!fzLQM-i;2YnKpjpSYQqW747Rm*G3( z_1?#=m-2FGqXRbl9$t@b0jzJ&m;uisZ#=J{6K#>#o15!7<$&RUpGI#F!*?QYg1tT` z<_mECZ_lmy!h$d3z0${1FhYDIh^xFUI^L6W*=k4WYD@OO% zO~=Y&>qfw9e*R|tEA|1cYmxi+3~`bO?_<|a1C&|CGkb@Zt&(D-1? z-#8rvz6AvIS06mMjDx&??Yua0dbArpOr2;CG6jfvuR_v9v}bRBIxY%HbQsi*`Srr+ z%R1gYf%6_2WLo#gfypd(hzhZUMl5sgop~|`N5b}h>XgRp*9Cqrn(1!xyBc?I+zk@u zu?&0UHu>d3K;mdMb#oTk<S?4+t2grhlvkHFgzf_rj@~f3xgO|=<0An8Ad#fwHx_T9@n7#g)a#OCw%zA#yFLKX(lcLHKMFVtKcjp88l2qt8kn}tNsRvR>dkM z+o*p^?3Z3u!W?hdu$v?Syt!pA65_4Io^{x}vN&Y1d;!}&F_eLBJr1byACB$Y?U~a9 zXV$Dd_-3EjCuocHYkwdYvl|;0VwcykB&tCGAis{h-VRbHHoovXFn`NPsy{)W%4nD} zz7)R-;^2SlAzJl6^e|$5y6tdf;XZ#$9{DS?SoZtNhL@3RA*bxQUqdjRZ?CcSgV`9& zk)W}%>b*y&a=Xs^5*L?4a>U9=8@Hbhm&*q4dJPi$bd<`_B$PQ& zSh-ufLiv93;mdCVg5AE-?9z`1>O@uXvs55D9nSclHq?Zmg& zCm5w*)YL2ySzlm{k+5xeG(=wy|9&C$y8NO{nx| z)(nhImdE}aZc@%Zm`L#xXhS{B4cn9`v8sNI@WD%J|Wc*bV-#

    yQ`U}xG-x5>QYorsq+lg~PjPlydJ`#z`A_oFeg9tr!$Fck z!7$kd9_o({_M%leM}ard?wJt=*YYl3bO!ps-sVWN?(G|{N%S&{>d6_l{MFypzrxR= z>L_m*Y>}V;QA4iff5<)VN4N8&3`jw0zsNj-D_@hj1Ev1sG%xH^&rW^alym7w{-PbM zb5S^%7W$A_!~0uy*2U7n$l)-b1-@1|HKt@ggG>V*?y*^mp3!a~-XSTDXO;;Qas1qK zhcTOmEF1l7&?93we2JU_r5YPAtXe4+rCMPmR9<1#EZiv7OpYnlw!VEW>90YRHM3-p z#XQVa(=^zpRGTPG$23|mfBN(HfYA1^WRHYVOMQ*f)MtHmkWgLZXYl2_S5b!a+zpdrRA4g95)dvRZAyc1d;enxCT70V|FOg@6;Ev2**J-+63zZ6 z)qN-`{D0AE^boFO^e=T~uC8@c$H$h)cy-9A1b3-m{1{yLtRP)_BT3?!Jfru!Be&B( zYF`sgu^eGwlD}3ok5R{oc5L#7Wb+?WCnikkqRDJUXE|D?oc75^teS?kU-&RG!a(DBNo5F5giiKP4Bg@@I?Lm%e*+w5CB|H!2I{}@I#7dt zJMbp(>CUE|aFBP&ZiHsUGq%`%bd!#ZNhI4*uWm`F&X(U7w{JgPk!YG0+Ro0W}uo(arP|>@U%s^ zCC1Vvxf=ALfws9Yl8#*#&y)PDt2m4}n74=t!$L zsm0}wcd=Fd4s{5<$$M>rv7b`V;H23EDRBQsZZH)eoK&5sxz~zhZY}$5Ah>4tV#yFh z#f5a~DiwwTp}lW`Xc`bEEzpoK)JJyv<6?Tb9F3{Nf#%gUzjU1VHKkoFq1(;|h2s97 z{)Z^#9e{^XUGp43w`Ex}hb+@NT=$AL`+)v*TxT3tD)4Z^$+O(KAsRyc?n=Z!=y?Tf z*!j46POj*8=9wB0{#zPrVzZd;6FuxJPSooXM~!cpUhjH~8@@os}nJPVC>)TK3C?R+H1vg&tA8LlEHDmn3LZ=I8)M9jtPb(3t zgtg;Z5PUVS(K^ft)LPU30BaYARWYsWHdd(lg7=vTl2fBamqDLoK&r>(6y=^Kq6@&~ zM<#W$(iH#hNC{`qL_&1JsQ(#Oetwa9LHpG$Jo+nRBaprfj>T?yKMqGF-AAzc`3Qz6 zVZIwJu+=+8YQ7*9mN0TST7(c5*IQmxwqNVxzg4P~0fJ2|7~w4LmTUyIo{vzv5!?Aw zuPgwUZCA9mE#i(1-P~4O{rc5Q&wupXt?cSh_2Lrc$3=DiDf+}k{3_(wLqUm#_wO}Bu$``{&>e9pW+CPMU%g@&{(N;1P& z^9g>9n~B2t{sbNDhm@A%X-^WOX1#k%M&^J2=tLnz3;AG3hn)Ez2cVnqe8(kUPCwux zMbXMBUTOG%O?% zN>%RU+3^XYfpk%01$^S+T359z){1y;)v~<5HoHrdbU_W=pg8Q(3|vKy1pYq^?7@SJTWo_kfp9&1iYsN8` znClJgw&PZyHSgA7uSAMze2T_H=CA|2A29N0J}hM|=FdXDjXV#B%s*458$z<3XQxds z1H_wPQ=@czmmN#(rDNO%5y4kIh_;*mmOdcY&i!b9@@}vhwC+BzO2XnV^!tu+avIf( z+e6BntV7%E!<|G}PmwVTES6dUhkBe-x)8PzPd#`v%i!cqpZQ5bKH^Jwg5tlcvCp2z zdl(O*C`Wq8Hwn^mX)&EP9G&L0;l^m9DxC^RkCC(%BQo?Lt;O9#IMI<38T8BvX_Pr~ zrtf9`0?X0)vk>dqRvz$m}~N@rT(I-V_;yCC91h>9Bfxw6+$-utKdGl_3m8 zDL=`Wia=)EW_>nvyfFJY^J=ICUp}tZ8O?kk++f(g=o;OPN;|^n-gO+3l}7GCKPV}b z^0zp)I(Wjs+I0-WmX2W>`#V$HU=udAAqTaR2Nh9nI0Of&wh-Iu4gC7HOzK>`R{*MTO`A|tjPAmxcHmgUEm z-r2O^<)n4v;^_KIG5uG-78IvOHC$a9T>G6n<|h0F66w!G=goxMKELaFo-99$>e9j-I!_|{nKZ2|$&wZ6gsG*Kygiy_XS%O}bXQt!}B06W)@`|D6 zoKzQb)Ti=OIwa!XCXgMEs=2SEwM%9fo3MrhlZl6ZXp(xr0QJM!gHVrbd~1$XyFGU2 zW|_yFX@~2gYS;vjCkT~Pd4LpbO@iZsjM#zZ(L9Z<+&GcWxP2H&mHqM^I5*S3FGL+N z?0Y;CLq%+K3t)HVJX^u&uC{{3t?3Uy^wo6D(z@$gW=)T@Yy|TbaWOT@daBm2gPC{O z3lih7vsTrYD6-9aGwW*%!mX0h_zKrlqwHo+A3od8@?z>{Vz1;zjnHgyHjWLR!NsfR#W#Q^rP26&)7n}kcxm`_7g1`q|DydxVSk4M0z-sTSg*|AkwrE z`tj!pb5nZ8l~THV{=&6=DHij6$5L=OUZ1RV=R^z%no_6_2o=>9$zUH5ti^-}!&|vy zugy96J{rilB6=g7J{7~;5RDzbcg&9Yz?&0ZljGLBIly7pZJ$(EkF06u#)R9Kgipx* z1jb~(Vxnyx(>GuGK2^V!Cg_%t6Zt%i2sTnTUvj#dq+Xhy&T(=hTIntusozp0aRklW zyf*>Gb8DM)$I_lHH+8ioH;+nI=UW!BmM&#px8BOo2S$$B0}&nyP<9Lo}JF~=_jTZ z4;D`0Y_3RbN{_~US}o{GIB;^3X+JKI!|^1XKtxsjN_o!3O52<$E8!yrE zLdr~KMTjS%p4u#rTjetgAMrrSEa)QL*(J5^0qLqSv{B~`(hA3NlW%ISyk!2aJq6nK zs2t@HQdr`q)oe1&Hw?RLc#@ACl6{%wHX=d>0XOmrcanyMvcpo=flId{g@7*nB$dVu zBwAF`v8T{lEQ6nLNK{t6Y0!a_eurqd*ZsvB2WWT;I`c2f+w|K*$wD$a^mNeqX~*EJ zeZ%C^k7{2~)Zl~*vvIa`8jcmuG|%DMUg$O;1F6tqFoOThocXDAJ_Nno+;J1z5FK2PqR`LaE zv~HU8AmUHOfQ-fnW^p%CNaLDA&OpzS-nM8us++`cnUnY&eYS$B?QplN6wDYL{|trF zxfSvfDyh#RcGenombxER3NYe3OlJ$JkGAa}bJOhA1z=)97)td$iDW5*SCpLkPSufdG+fS<%gLY;-&Xs0|oC53}o zC!rp3xDQkDKuJ3DLu935!ffj59APo!2M^V&_K|t{DMC?1wcwiNf zZKe3}Z+ZnaW8C>t{tc>z$o)^ysC%t{Wn3cyQ=YqYo{g)P0Taa}l zaPY8M?=5`Nt}J!iQBK7{y1lN^kKQGD`9mYkgvYK&st@-+Pla*aduY((@-)}WZ+x}2 z0=!T7T3)>7@%QlOPpEBTEU<8j=Vow9FG;5c?I~xYCu2T@X+6*!>=K(*f)~Q`2H1b; zvB%jHduQ64+RonN#e@SD?WA=SXfjbx!hzUyGdhnD556*SFG~+LBE4J->rR5bpGeY1 z4-Br9f3fvFh-pok{O(E%!3wf}$HIZ5C@vHWQ}&-KNCerGLWdsXH6#EMmiE$BIl@iA zL8d`N?m31jhb1M0CHaJY5_{U2p~GV{dw4cU*Z%#(dvUqa9p9bVS(k-j-hF$YA~dbR zuRS0eK0aF=UicV~UyUJ}E43!JIK{J0s3&Z(ktZukEfzb!*tBU1V{NH6>6MfITpcxw znWIs{rh=jIn4EL9zUgN){}L{X2SYV?(Sp7YUT;)oMTp^+DgJ<3 z@oc@B+2RU|e4`L;Z0?H9@g|K~-$%9up+b=Z|ItU>}=j z(XWwnOBCQp4%ae_GI@>F?Q~aV9pjjbp)jSq0XUH5v%j&%=FizL0D& zvRyvD7?J9_u(Gg@Z+YJtiTsF=m6D&|{Mhlijo-XM`amG8)CipfkSo4gXt-o$;f>6p z0t4M;$#k$XFcJDnJQ9q&6@3xxx;KEwzX|e0=5y{Lt%(=CGg?WN&8&D>!A>;-SX76_ zY5+-@7HZbk04gmLyiG_iRpjN&vNd{(kh!mf}P7nb%)9BSHIh|Jpcg60eyA;c2DiWWL zor(u;RmkUf+efnM44*yE3N$yhH0}uvzXoc@lgpJ%k5=XABxoE!{i;X;w|&3NB^!j5 z#+Z88^Bky`oWfx1Bf)Le>1rBd>C)fg8wlJOPtuEje@H?bKLnsL0p()LR};`qFD0fB zskHcnC+AFu>3|y0IcROWn_JRu)x4;G9L47iWG1J`*X{F0%`rptw@My|S9eVrjUZ|@ z6CfNLWJd`J6AG`V#(>5FaU&Y8j;w+830WG4!R=|IcF%}~O-ryVyYtP!_ESMdE_U7Y zaE#XH75}E0OHYpBsA6zO7#l4Mw)2_UmFp*uOsPyO_U@ZNM=VQ@4h6yO6du2OYh*$E z6Lq6#>{fX~oA%P>#{?oqy!<_J+~cVHFxBFaVbxzO(;nZ-WWJC+;HhxmFfA<7y4{X= z+|Uv{xG;_IR#N68*d_|uZjg<*?ra5dz6ibS|M-HD-D~L>;bWpN%|Wd zcJDUVpQthYP^;V&E!Vn9Bps)(N`hCT&f8Y*{zb0aKYlDV#KSm6&HK&(?XTpJMF9qO#RyN?xWin!)BakVd5|Q4#+Eef!q}qvn&GDg)!_RoV zZ|sAz(g3-;N!fWF#>50FtL&K}*=r1yAcQrLNAnVsZL!(yAPshdN$Wkg0jt*}lM}z* zU#lG6LXhP^AFkoj7!i8qHXNn;DT1>&NU zyu|T$k5y<8pp+z-Ejy~8s$yGgBY>~4@Jr!`HKJ2W8ppzro|<6GtP>puB|TQ5_zBti zLMh2^HzfmrTJa8B;{x`gm@(q6pro|r4Tw8g0r2Jh%;CKpJ}axX7h@+U+@W%pKPy*x z?zD600pT+LpBNizfND{3or;Mms$PUj&g-qyU$B%pB5`w7MOSgbPm_sbgyoLwnvtbu zQk`qQDyl{sU8y0+xm4Kdbx8lf=pdTJ6)rwH&ET4I!=v*D0TvJBSbcu9HKf0pwlbTi zz;p#^B9+Ka?xXGa(h*tgPpy3KJ|)nmjh4cO>0d@G5R)%|UX%sQzE`WBvvY_0O3F~% zXEl9HG9VmWgRyKA7LELcDD^jzk<^VNE#eZi3}7W{?)bO>2WK-|Fwg8niX{d(_6p(! z5K623KyHBZ>@GEyDI}=i-u4O~fbPfS|JN=RK5iP^UPOpT;c;R5BqSB*mG{EbQ} z;N>pU&%?uH#EzEfB>x3vo{=NXQ)!N69MM~wWe#Sn#==WEURsuv`Kojwxt)bEv8a** zm&i%2wz>GC>)j+3cA;XwW%F7IUcnf%ZNj1FfTghsr_!lIb3K?pi1UUD$TG@oyIWEd z)m{Ld!=xxlfJ!sXnw7mxrL-NyIg}WP5*#9OaNs7fawPM9`R|PU$gHsWI>nIVU>2)r za%EVG%}+Mw!dB|6_EKa>ODH>Sd#Lo4u+`9E-xTC*q_ohcS5X&F6gu;vv>!P!8M2DO1!?IZ}}p*e_5S-+6s1@R!O z!ah5Kyl)+-Go~*;s6DT{Tzea{;^1GuL4*q*y2rrkGCSiu;4aSNHSEFHI?AuVqDo_c z0O!kUUo)rum5tUS3bsf2q~d2vJmi-{QqEtDZ%0;#P9s0&&$0P|@=vu=H9aRLU0$H` z^~b?nk+%oqw>>~zkM|v9Zf+`|B_QAq@*gfi{-OB!32-hf{sD?~T)fWBE!OqEyk5UO z-@J~^1^B;*HGX}de4T^x8u>i|FUP|oFMF(SmyS1H0!pb4W7&R&dF!h^ULD;J`@eg7 z9w7e1ucz)JXx_n}mKn@1c7BNX`aZ%N*VT-38vR;o!gm@A@O&I*+&nmHBx@yZwZ8m% z&t|yEhR1)g#rU_NYt5+x)4x>3$T>B`)gc^9w<6b8L(Pa4zUL1;jYJfmiDj%F-H%iu zOZqyV9Pf&kE+ZhQBRS-fr*8w-M`XO z>h^g3#(!8mFG($?XirNe=+hC0m1ARol`BMqiXW^TFNkr`nPLQ zxferEKHh1p9e!qqw68h)7ff{he8lA0r9)RZkJYX8TO51oslH*(bVM2r3jNRuEBCn& zrj!6z_5p+T6#jd}yxjgUR)>)Xj-0c60ulP?OWSoF8};|66X*K%LKQMl!_}d5I94Vq zBZz*-Ypw3PYj290oQw-2eQ79MYB|B_Lj~RFQQK|I^(HECt&YUbT z*Pi2nmYM^8YQ`rfHa}|->OJJ12P{M(|7*h1$9krB z6_m-`_wQ0hOwyiTg0I#w!iP_OoDm~p3 zhDVdYLbvF}rg5Kwdnkg^+If|9fc?+tzEHL-mlM^y3yS|8WLY_oV`7^3#l5ofC|7Uba1+WKJu=_ci+S z0CP|GibPw@cYtKrx~k+l{xP_?a#2hKo~1*7+l$-GA|(dQKlI& zgmnRsJk7$e(%LqPhl_(>uyw3)U(s4+Ru_gI=0w9h`pXqe!bD{&kjPn}xD~9#tf`34 zAq8}=VGsqf|m63KWfFn3_O-0z4M-0=K9_Y>Dk`? zT+`OYuWc^))qhF}95bSQ|1G^|pv>+81!3)6L53h#LhAeQgWXY?OPIZ(?4Q;CSbi@xw<#x~LMu;NcW|m}fy1CvmzOPv`)Hd+Mi!;e z*Hk~ZE}KA?#sRdhG7W*uEPYu%W2dJPF|N<8hqv*gn9pfPv~mf)JS3^D#17_t6>;>c ziXH_QjegiX1$sg5;VuFWkhFegBmK-JrRXa(2R5{@s}ANNv1lyqYu?t1-+~SvI201? z4l2WsiYi698q~}~uH6zD*=S(T@0^;5lA|Zlwe66aA2@Ba)S*a(o!@E?!S*5B&;D|i ze#szA3#LL$3qc0hQRanEOp9ti%2Ayi_|*PUDr$x$(=jp?Bu5H*e2rq33EQ56bZ5g& z#~+>Nk>2v_F%bly1D8I^&#rYPLMp*Z2_j`VtaQoQo|rP1G{ahglHo4Bb&y)+(ypc@ z-n$8VsTYS^#EN*SO1}m5x~H|t-89FuQ_ImtOHb^!4rWsq^YD5khWX^lMEC_Eb3>vW~I%FMb*T^DAn5*@)HJgf<`4%Bgjd!RBJI4>K~Cv;A*n>jWbERY@?9P{wiZQe$v(#ZT{Uwv76YR&?jV)g=@tS<#P zD?CN9T>hf;)pnxvOg^IYT~Q@n#!l<|IB~3Zqh1DDXny$ak=Rm5BpO_=JK3CgNB3b=JY%N9g0WZ8=)$0B z+En9fY6DFyof()|b%;o$V1PlOu@Te4Zkcj)DI0|@NrYGD80Klf8gZZ6rAesT4un6% z7UnW+o)lxV*;m^da_v(nxQXTB{GRUM*2vPw$%llvzqopFAh^~So9r~2?(+mQp7xE$ zV2BBI+rF0DCU+T0>}dbqL7l5WQ7koQQLMCuC_Sf%B%y77i6m!y!a}>|1JU^xO4lLu=X!AxqDBN^g4ir)u%JhmR_|~+p+#&mv+jj%)j~uSAKxy?<(tO zV|imptE|Clqj)c|?WC$hSjnj_|N0Eoo=f}hAse)igKn)QF9z)pUNTG3wGeP3C%UhN z+hKTceT{y z5K-v{D^TbhIoOLdceMA7$6bbAJ$hE_v^z;6cG|C+?fH>?q>D->Aq9d?TRxK;6dBR6 ziRum`wB-7kS2W2kUqo9t_Md= z=5g8bdsOIH2tQ7KG%3{7K{~Y|^lR!RRNn;D_=+LKoTM+yJ9Q1`61Dg-C0T$zgK(jG z>Wsx47ErXa^~Qj|cOKUI0Hv9yqCtG#*!;H$0=d8T9|+ zKew*JXX#-K-Z3!-E_d#QjbbXJs!9JnaQ+EJRHc7=VD?7mjmK7)i4_D&5tnM#XngG6 z??fqlPDhh=c>O@l(h5*Tb&YK+=5CdLKkEGh!yUnEg3$(B{o%7d2sHL5%;k5wEKAcs zw?%D*AbL1c{Ti4z{tMOKH;sCf7-+MQ5aZ}}R0&mw{u4_Ia+2UGUhyWmV+vn znn-nGgF$;C-c)s2u-X=tHzPbigK*| zDfAzEQBjwA-O3zO-x<~>q)wfgYh)nXjBZTU6m^+#C4dE|aC$b4locO>9eYH@r+OY@ z)%;u~PysLMT5dm|PK=wUu629;H%h4<21^4E^eN7d&3bdM7MHs!6S{Lg%vh%>h`cRX zG{z*nc#M8~M<$Zqk);M*s50{`uk?Cux&SAVewf%D(7Q$C9! z%eU1+G$Xai=!*)b%il7XQek(ah|y0fZw92)aii$D?|~a82p^Q|XluVzkKB`e=sl@l zC+u(IeB|{vonpj-fxJWb(2moJdCv@sOK6P0ExJC`PqUK%V*ao>o8%loa?~ms<%4|M z^PY31;BpTQRS!4nC|gwNIqH22qtY@!=ZFXg1N)r@wN0Ad02E{abgk8h(z)lOh_)7M z0agSwB3mdbnXNcpJJwFZ>p=4*qBIWN*3&v_{>IS~UbGU^<#07$liM1r*Df%KQ#T~` zc~%>2XiNjyi$1L0o3?ysgsUk_Zrg~H#f=Z_5KPe$hpTG2z-tfG?)_FPw&TF}*Rgn0 zlTj6L%12-|y;Q#v#ynsDb1qu1Cfq`sKn>o^-Gp&Sv?YC9h!ZVNv(r#l9hK1)Qz>kS z=1_Zox`(&=@}M33OX-0$B}$-}h!Zbu!*Nf=xz8v>YmDDm|MIlMrq}eh!%8uJWEvC; zYX7o$d;FI+aYlUoUIi*~475!7R7FEyQHUU2UA8L!iVaj&e=F9lHG>Qhu zhG%vVIH(mHWbRQ>UO$A8&W3al9E2f}ri3x6V*m0=T41=+byI|UE!6_pf7z!=Uf2pnIg+KHFlCC%RYDsm zbm#a;dV9*~(?5fDbOAng`q0<+Bfa*NheX598ag)-R&8*C zB5bwn$}kSwZ%L;+Nxuy4Ai2bC1t(` z-ab<5EtyMe=SLgvwPmE6)B}n2tTd(PdevwsVoZB8yM*?FIXr{0(c0pab|l;AdzoC= z`%eT zm|q-TV8vaf#P9S=(*gavZBcbjB(aw24{ho4LMg4iP>(wLv-AAt_iumH z8R^n}B#8vZswF@Z2cZ*hAY`IXhUA-W*vHu<~rQcQZE{~+mOR|d(7#5{~%s7{Sx<&z*c5O*uSg>572 zry8eiEv73dbfQl*wnF(f@h^TPY!M4dI^Y`pymC9B&e`^bA_S6T38b zkeH92mhBhVApmQ1ML+jXD)AsORf-~!MY&vb<~N|n9B(}nGwYKEGT-C*t(~Q0>09UQJor6 zNEa{qAaykw{R5d6r>ii`-v?ZtR2?Y30 zji)%fIc0H#)Ozq4o4o-4MK)~b5e&t+O6d$`m^*({K#@bi3e(@?~3^?+q5V zy@a%+aVAK1{t!V)NB!z{Wvh&W5v;BK+$!31gKZslLmZdcX%U!u)5Yi%7aDQoU)oJhm0D`d$bb`R78>s&ynh zB_rD7d3E)~&aq}?mPM+kR-dF)IoN#mKcwxt8%X*ehC)&m(@OwFz+S@`nvr^`;!xI?j-FP=5|Sm&};ZE3GRa3nNks_(M^tRG9iw6Si`Ry4pW5wI)c!TzuDmAS{$O)zwJN{lt#A1mWjHkZUQ8`;|pF#K(jK-;h4Oob<< z-Zf#==43+B)LW=z4jbGCmiCfVr$6N}P=>q6YZNr&NJU53FtaZY$e;y(aet34{$QBx zQ-s)D7}#wXen7&;Vhi}4~OfFm5%+g=ka*ichj(9d!0M_ z%+mrX1UsGkPgAIR2C%28vTFP~A5HS6slti!N3(f#P6=A7qlDC=!UrcchaV{zQV1HW zthh-4zVgTqubE3mhf7sgmE#$XQjy&zwh=%_=Z+|y5)MJb#a|TtR+*ykF+vCNHITw& zY-T@e;`wj7sYIOB%oCAu;9@g?Ur8gYmgBE*v!{9wIx~TA3Bs7fF6tl>rt}`t6Ub*R zIA&LiG`LN14Svq*3>KaDEKUy0d5CYFrST>MvqL+t_Jf96eQ?^E*ZYPV`@%w)-+5jwu4yz} zpSKrSig{pT8m@E7TdUb;P)}47NBePLT2J|`Lnd38>|uwehqW}bHC*EB^@pnMmhJ8_ zVHr4v0!htpMJ=^T$^q%S^n)(nt{q}P?77^1oYdL;##(oGEcDj z?8vC%BRLG=@(>o zCZQ6Oe}HI=9G8;wKu1KJ^qM6oT%*OPbp8+e!j>QFR@5^6#in`_lHpp@<2VxydIa#) zUJ#_GhfCs#^ta1`*GTKg@ftaf?0*KiTk)@PM_Ip%CId}J!SVzisvCoFzjf}}Eh(r>xXKKr+Hh-rO zt?{P{f3JI@6imapt!_;nA&EI}a!APFf+3X9;3sVeJM;-Qs?CPpl9F}V>9dU;bhDnL z(pZbBbrsZz7-hIf8t+mwNd4)J+JPTb=IK<=z~!3TT%-{jw#0gAPXH1bJ%;|?Pfc+g*)+ z0G`TzCHEMeyT|*JJ{g67wS2S?nc@+ZcA(+{rB7Ay7Wpp4c?7qx6XF%8Npd|_IjB>@ z@&5dtj0)2yct~Z-L&F*J<#8Q&LbBMs=-pvS2!wl>{BruM@&+Ju-I(YIFwJaZN?*!o!|kRRui7Kq139EaHHooBL#|!;H)KL zX9p|7OI3e6@g5zRIo?$JgHNz>D@j_|=ow{&9v&;an{6sw%$$Hxz}%uTEzDo2G>OPlT@v!+6#rBT`FKiY6YQ^sK6|f^*Dh`?+-=0yEl&yHtTB)@X zP{(l*k1)4)00XF>w|FZE!)JEZ2ZefZyK|}2y4lvWV>Uq)TD+7 zCAz7PX?o5V_T(w8bRZ^L39{*9nfSdY6hr18-vevR|(Nn*pQg5RSLavo4o3je7rO^yF zVm0wWn9=dJu{=BE6&JAYX`2AZl(&NY6TA3m|2a_~{r_>Iu9tNiahIRh z80k{f7sFdfL&vm~b%u5dLDgh<1gQtOYyoeLfNdEJbLmsK=Wu^OG&cIpkCabd)=0Az z-$+%D7&+o}K@!t%dl>G4UEkl0XV_Xh})m>cC#WX&XrlaTIKN|Cot zLT(1qutA-*W63@sboZTT^+24<54*dx~qbz#7o7mamYREeo z#~$*!Z}-QkpWppqI@3b8AYl00JlCi9;4vrNR$$-kwBa@F8}i&zv~89*5a_(JEtX6Y#=d=y@~}X!tA3UPLwd;P z1eePXE_?lF{hy_wSDl~vI)=3zGf>aS3zj}lvh6<~Vx! zymVJ7@VkWr`mwC~_}?+?G2&s7vKxFgi6mR1e^2n|?#0QB?8M51$yuvb{x$smvCn3^ z^%$QWe`nv1x3_ia)MZ&Y?AJS~Q)Cqp49{uNT8-`@FofP|Zt=r$nrPMnqM|MC`2 zdMS1WoKl@77XtPTrNpR~Cq2f@RmN}}ITTUul1tBm)=+nDG`jmbsSF;YS#d8j!T9q9 zGfHf+JpVkrEa9M&a2)26_iSE8nyCGT`b@+7oJl6e!%MUNH47$>hH#MM{6zs&$hIMS z1YpqPfI1Bwv?V@oWenr8<{OPvLp5@)`YFG&e~fk$L*L;ESL|SgGmT{ljhg;lruQv)qqnHI#YY~%ezI|GZ z+K(=i_ul84*GeR%?W_-Y^cg@NT8qu6TneEeAWa@MB?K<2M0N#P6+cN1XgTtD87nv? zcm1Lv-e}_iOH+L|**Yf&3w_bfjRv$CrRh1+S9p`V@;N_P&BLd;CObBhzD)$ARnN?@ z5^Hd`g}2*u4Z3YC5=dOvr)I*PSUbT1R>*EkqNxAwufoHaPXTKVT3uRHT)YS#68cmg zf*tW=@y$h?s-+0G?-orGNv-Jxs`m}tXT$ql3Uv@zs$|%@gLj3U6>c}VR9bXc>&WB%`UB=bZ`zDElPe-p{89gq!?h#H%S{1*1N9`p{ z`LCWp8K+_Tcl42y8rEsbN`u6_8l2JU%8xVqM*i(f#IzzeMIfhT=bx&76Z0O1>3Ti-EE#{VO?s@aUDr$JTl$p4+5^=OpRI zVLmDpQe}<|V&cr7B*fg|c<0=dw=drnspNHgeYP{`vN+O8bup-h#22*xn%99(s_@cA zpdG`00;6NzMs-!r{;%PllkWZ`@zhF@2nR#feM;m@R7i)DJ(t#9pHaLW|D3oOkkTkB*L3Wm6DT#muAdIUcye)bWi!VoVAejr08vGiT}E5D&I~YWSHD|zb+L**w9DV!7j8WeO8+rVM;)TO zm^E5TA&LE;hzRt7|4d=;l1Bk%Nt~j;1U+#qwZ)ZdE7EYXzP9HSm=B;~l+^2bEvKVG z!pn4KYKz#N`qtv@*zU~6gniR@A#QeEs7`hQ@%-lE%;v4S<6)&3NS?`v?8A}TC?1yy znJjuNFo=%4?Qd`=clvXzQlygIIC+D2-`o6q%Ya+;7p0J$x|aAvXXPWkW}u3p(>f() zQNVk_`X!-ucm=C!;eq-2q zY#Ag|g&@uTH})q*56qXUQUQn*4Czt^rMD|L!uAvPo(?Ug*ccSv8{LE?rJkXevI*7~ zUp1XAY^7jA`M!t#R10)4^cyuOMLqItM%hj@a=%PqHD^LDU(|B+nyrXA=`_5(!wmj= z%l^Ov65Yi8?F=%VvCcVp{|w}RkH%4@m1|=E^hp(1@~S)6^_T)>qH1?I$MR%$m{9X;M$J4Nn4 zOM-t7LUfPUPH(#&%AbF5|Hkz9)25t>0fu~*{UDDspV#f4L;Dp;*RrhSFgbR;&QH1I z)(qZ^JlFDM^%&W|&9G4F;>1Y@kD!(_%ZH#U)9|D}P9-aCG$N1%Rw|d62zs8j~{V$4ZkY;Nq9BtjMa%ROddZ*r;DAOtByhS%HQc?=Y7x4C^gqcXdn(`WNj!ub4g3CB&qlt zKSAxlfKyD@9ZsbdLxt>}#{aGs{_Yql4L=D-r=fB42a8jTcxcG!I(gFI3pFq^aVamO9^MA! z2o=)F0W7YhM@>1eS}y(!%hXO2#9=5XhqQqqE2r-5aS?nO+s6ZJTWdCk*uUpmD5HG6A!G)~(P5Q>jho^zgrx(E9PCf@v`KJ!Guf{|j2X!cCV zQ6pOhjE+^U1b8bM!s<}!yvC^LhOW93Zu_~n;lG^vusCL`;YjslAo*LaZ{Aa3mVqXa7+k@uW+UI@K4N@Jy(s@SV=$j<=9p$9s z1jU4(?u0+u9ckWL)x`2D6&fYWFfF6J1b+wgqIi;hz8*td4)OQDZ%!}Oyn8Snd{&5t zM%*s~K6FvAbv$vc&t{tw&N|GD{k~Rud7tQI*pN_OLj6O-@PlFE^=;A%u368KLASOe zI&1Nl=+NJBy{KjTZ9!xi*ZVSei2cz51{^O6!Z>3B3-hF~5j#VVVcWI5a9;=!{(;1> zM7AMB%#l5bJC70nWV(yTzWJs#U;bfm*b3(r_cPNayg%zVgtG56mBbS??IoIL$EysR z$7w!VJxE(cr~Xb6H^0|xr~c$6c>%$pcn1-{88EY$6%wmMC7f&(wV^oRTE>2nFob+P zYXkwr1-@&UG$F;2KiOLO5Y6g+b{>4~7xQk-3LjJ;bj9d4TDqo9Yd-6!T+^2bje3QT zy4*<<^k`hutAuFsI0wY{(x&x_azJG)+2^;H=dagKRf8 zlH&@OF!)kWl3-HbVx{l2`rrjt$al+*6pY)2j1D$gRm{w_>!IBpsr;BwpJNJSYXUOB zT(pNV?{`f3ZPUbH>tC)I+I*$wP9q;*JmAWT8UP8U@TAeTL&D-H_z*o!Aa#q{w12vR zos1Y`W#GWQb`X=LVtuI6%381i3bV9+N_e|on5K1Yp4o>#y3E^P$G8GtiD3Tk*v zk?k)6AQQBQ^6;kqpxHKlPR$JX+82%P7>9%bmpAmOci1XzRkm2Bnr{Wjzb(+h`1;^& zuA6n-d`1BF{?x45rVXTS!>IB#Znc(H3ArIfDH)K4Fre1~2BWM93E6Rc`) z47NT2r#gt4FuZ2wcmSx2&jwI+4<}R$BZI2y?{`>h$-qotQ_Kpm`=5VV(Y{lP!FQrv zf=7v@*?mlD)h%k-snE~@-Ap-*j83Bn=-oy5t9*OQZ3m=a_ZwT=JZ6orv7N^>clR37 zc8X7ng^U%lM)q1gVx#Cet1*#FE&rryIqY`s8964rU(YT@?!h3#4V;|$ho zG2m)0vRN^C$FOQ&FsK&%%^IJGS*UR^?-9b`X0Mo1oAnNYJLq67-}DLO>%n(gQhT%J zA&qR}*@CPmu})i3+0!zd=u947UP9*qByfGxhaKQ(t&3Di6gL6uXuEHnWm5~$9Op0P zPfKAruEvuSblOru3-^@&Fi%D2ILPM2gU^O6~HR5K7puMZ)44Nm0#LOjXGUhC!^ReyO6WfJ*R;_CK@;E zjpr1zX0>ZZ`9-&?&v9C%L^W`hHv)N5O)k!6&N9&MdqLDNJxLO#?_DMS%O-<#sh)YQ zH1b?oI1Ifc&@YB3Nla#<-oD8&IIr1g^560ny{74%yR^3CECw(cdf7543cVWzzk1eW zORbcw+c=X*8+3KPVofe7Z;=3reVZj8T;efF%A1Q4lD_HK=QST8%XYEj}t1SzhYG)p0<}SZ6twu z(A^NX6Sbd4(Kt~jodbM=h0G#Ez9QOKAe;Oho7C931yZKVlr@H5O}D*LWKj zvx`RjPHZIY7A&=rU~~C_t3e!ArUtGCol}0YP{^CbO5`KlZsEtqNu5Q4RY&TS_;@HL zp4!s9Gv`FakYWDZ60>t1nbd9DV3b~?_LH9cYXhd~x?H3KP@hnt^SHc|m}J@L&z~;1 zXYx-_m^k?v2?(dOUDx`dpGI!G0r-2yxT=nP8PwLs>q5?HFa4W0yxP8P}>YwdHX2F@>cVnmdZp; zMoSTWwr}jaeGM7KkK+N&;OSgcCZChFl(l4Li5RXnfU9s~&6ZxvTvR0a@}-W04y5KD zhsBoOoKQwpT$3^A!M_fYHrI1n5naM!smjVKi{S(Vrt8cF#Cdh<)5479De~q|5El~Y za(~#zRgb&IW%GHg@8+>H)@fD}mhubATc*>XJ{=YT-ADTB&_V@5UGu_k@xZ{SdChEA zjoG4}YLj-QK?1$OUBeYrIRf#t;OB*d7Yk&SkK3psXj9_v z`SR`j*32v(q#t#z*BkSuZi274^zzW8rGfPGpXOq_WqD8IfSL~MBkcD*BZdQMovtLy zTkvL0&?XlN_RYP*;rR$XhaGn@xHdn8Vtd~70L1s}6K)!-t8^FK$mu(lCH1(wNFPfV zy1lLvgJ1=jP-}ipAb&J+?A0-Uu0u}Tj|+0$YX^7^n@Lv*KWiRKw$ll$>nu39=T2m zHC9p%Uy)E9rVetq!x1KMO4GS>q&SiGF$NIppU@5h;ubu1o1f4>N%~o>X+!*wjPpG( zla6TZsr5kA(MKTP^6N@aH;qh`o8K1oIE}}{PHNsUlKtlGpXNX0X+PQGb8Z<2q!m`8 z)7fH5g7jB6<|ap1%j@ z8v%U+=wQE5u;}cVF=6a6p9JB$(Ojfw&)TBV9585W(Qo+DmWbjcU+}(zz zr5g!mY*dn^TAEv#AkWKVZUswswX9xB zK=;5h{ZF??BHeh}1(KQvmO#XnXI>gI?Ch@1j0ID$^TlW(5R8wiEC=`?JU&Xa%e66;F9;UaH0?uz#l*q~g_00L~|_`%LS2S6_=rv8ha0Td&l zp#Zum>Gy^8thIdoiB9ndrWP?t3pU7?8S`v!KwRSM>sy-UB zHM5H2fuYv*K?A-nu+aRjk`Y=TgSox2FIR8NtaC2%2p8r}%fHJNj9}`g7FK+31cX7t z_0fK=(m5#&^HF0>(ESWW&qB4X7!oGa1u&it_vRWnGXCRnl}2-9(mBsWsr|ejq&NeY zkRUtS!P;7>Py_T~13Z8V=sITBTq3$$Rrg^ahcUc10-wN3Aipugs!KeV_xg|V?hTi& z+%4<74o|sYPHGx*-RA9yWA(T+fsNh|deJ=qjsuXHIE(9%XweSXW|XZWgY-yN-hvMG zMrF@Gt_OJ0p*DkyI!z!;PpLOd;tX*h>lN)f%VMy9nHunKP|-Gt;)9L#{A4_}yvVGn zkX4`afxKvXE7RzLR$$ri#JZ;SJ9+sgUC1DzU^+9E<}&!yBBc!y9~lo}cC+(U&C=d( z=2lKB#P>#aRSb3zu>D+ARQoB5UBwrHWO^r+eYc8if!>Hs8|d=3mxVRIHH*dUgf zf)c)rdFwc>)QWusTM?kA@h8H6F13(b65>mibcpS~j4rG&gTE5H42on^Tw1&1eunB~ zm~j((W2m$}UxjO0IRj%49wY1imfiA~w~~HeT76UEmbvPkFXoSEtnCXZ#~s37$d1;k zumu6h!#4SuHH|jPCcVEZAehU8JI~dQo;v`>o2P!Q>{(gW(5W>&KQ#GAw}{!t&vzT> z$-*N0z3Wxm>6sk8Vf8mcXJ6($OnK}fpfQd{usCUv|3f!1tR;(NZwItBL%jb$Z+e5< zM9r)RS2^z)#03k_?j2*l0MN-a?pxU-A;l_u-Y~-t)9%%KAk-h2pwqU$*kJtP|P!LgC4`!6i6Xn-_2UeUZ(w zu;B|eP-|V*XxvETM?AaS`nROmNwB-zXnLz78e)I9XSg%gzJlpw6@l3JCS{Q%hikS` zwU8vcV8PakLK&Ved%N3HmRLesY9$&XMCtd2v+K>%oBEH1zfO<<_!k;~iBAbsU=_%*1QV7G^pUT38WjO=g{N99sGMxnS9yGxA>diuxN# zm8_LiKJ}U_q824h!EpR*z##ln=Na8QE@BIv1Ke!bXl6fmiYFOYu=y+jPp_VO38;E6 zhDRm>0#sO?bQd(RS{5!u3~SH3)Y-FfN1GQB4HTE7r-r~^{xMgfC#Z#b9q4xWR4N{< zS|A+}tw&>vE76+n50~&2UDnd}Em9|AVMMjDAB1a;^pR|W`A4FS?{7|2ITR49;^yP) zE~ezVD6+iPJSz#nU`fnkU`5rjXS4!ZNC2>0=X)lmB*R0A?uEE#dpso~Q8aKv)5x{G4k71{$Fy}!UN(h+`#yZO_@{dpNDV+_JU{JC?4F^Q2 z8F7qxm*MeN=_51Q+K^mMI;=XCS3-Xl6R0G1IHVCS0M#TtoCE*?bk|VxnjFPmh66LF z+xFhsjAU)V^QzKG-4}`2_;+OdMQIAQ?e>=mc-~`Jlv}s8J>L~CB)!bLPY#dy?+z)C z5g5?sy@hqH|ON2FFtn9!OjMbQf&L#OUEQR{)9@~;W}4L1aQ>a0t#NEGqVYE zGdj!45iBVZrkWtr5)WTC7I;p4f)yI+s^Ece_jgoyv%>VX?aKDx^wSS6=Q*`8y4R4s zXAGv%hLXyi7U@PCo4%}bzviW?E7+4XB%%FMV41L#P61W1TcF2SinEsU_|>qcwL^Xl8;?Egp@kM`OV@=`GZg zaa#&Vq~!&#)L$n@sGEGxW4I8=M%I(NGul;WOW&%{=Sr;a5_Xu{e-0 z>U$j(jS894nIgY!fXp0P07vDQJp8pj49^z{WhTSwWD8~?LJig+3=270!t!rN7Vk@D|))wxax3$%)9Od0Nkve^Za~+5VL47wqQ5N zn|XC}A%yn7mt7h=Y`-qnjEVdAEo;NVJ>3M7_sP;_bfP%?sK zd9x|ocQl-zj@VJ|DLsjX>)DY?V;fo9Sl+{c#XVIzf;a^+4PPZhiH-@K^rgcNlQy9f zKe0XpPZ{Jv^35Zq9Z(IdWPDL+PD`vXsADFMuUvE09qsBx;6QDHpg?*t^;fBF^y8k$ zd4CoNLQnI2*9_<9t%;v5Z;~UO_h8iHu{?R`w`|Q$vUZ}1w8jyigPc`eK^^ngg?6ec zT1Ufo5(-~ZX20AM2EPuZ%X-8Xt`v0LA66Zo6ZL&fo*bnSph9g}nFgr3mTn0QK6Y!% z3m@!OkKCV2Cu4cu(7Qp|D=9ui?c5D}lE_2EkSVpnD+|)qGKhdx@$4Fy>RsWa$1{OY6x~bc zJ)hw;#N$*g;{De4!v{?e)|rfx8x)6{V2EUBK>LzJMzs$Xr$z&$pD8bq)GlC;Hm z1;dO5_9!|frDHEXlMEHLYRiHcsKd`smoARauXGP&l#cmtZV2_|Gjt&N;pFldG@}=< zbcbmU^G~GRh)XkaO5V*k0`oKQfxj5(SWj}f5)|`u#09UV)xZp_gAF_}bEns`E322^ z18xg!%>2201B*MO#mV&DhgebD`T+;hGU!yXN9iTkW49U4C#l@Wy|3Afz=}<_Lq7H9 zUPsRG?b)qgpHjLJk*lgu&Zd)ql$Mc&XHvK|VJ09+9rWm~+H)ImARb#cOlyT^xK6}i zJk4aDMQMAlIS4^6GK?xYQ|Z3G($%Qx`pwLDZ;vuRPoHy&sjrI@Gq6uHl7D4pzWha1 z)uE40eT2m)K7sDig5;am+kR1@q+Vd-YqTN$Z9rg9G-r76-t2`5x5bK;RAhq(-kbNr}$wYaRMp&D87ETSwN};Eb zP*ArZ$(Ox9yZQq%2`s33oe~Y|I5iZQB4#M4Mye%L92FX5DObaxomxv;`ik1oB8GC} zV(WSOd4I+Wr))(Kg{c%KEMSqXz6S$d^-0n4d@L^}j_A@M?o6z2>>zY?{g~2e{R9>yi?_o6F zt5D4qKFal1yGPV&mf&@f{rUnVOL{R|Y)7!{TWyWQwIYx@R7+;MM=ehy2D;`Bhuo$joK9?SX_XmMqyKATcp;Xf-}$Y?*cYia&~)6qD}(H#v5J+CU@;7sq`Zau7xcHpwk z(;2R-a=gs;FoPRL74~pO_rB9K!?S;&g;{rChm~cm3+V9(K|)l{w{M-P%{ujnK!UI8 z^aA;cX`>Q;9IEZ!3d5OY6o!LpR%^q01Q1|eHUEQ%w^7)L?BNgkT=M?NxMib(h%^0@ ze`d+yt;W=+Sw>XC1Y9EVk|jMC3~Z;<0#Bt8CRHGSwu0%AIEZb@OFD*&*{Mu^_bg?u zSTdu<9f6l^@6L}Lp36~{Mk8iDd9QyMZSHP-=>2_fJHNUU|(30#=`7!dwKn86L;|{+Ok+Sb`xi zWr>NU`pl;P;a*T4LI-=KY;6hBARZ8xeeV!|!^`g}VVI|mfpKHE9x(UoP}i=lA}IoB zmw`iDbq}m+>!nWtZ;n-Ol$}n)?(xP&+qA6^dul~oP6uJt_J*SXasYcOZCg)rpO|-H z%?GOjp5wWI%WXl2RWXG-*AC(e8H&KW90>SZy8&xHeg^$}FV;8N54y2WbaZ9+vJO;b zsdJI+r2pgR?gc#Ej{uY7f4Ll(cf^^c{q7}W<@kJzIZBtBEmFhBC}+#&+_COtt_m$^Xf520h3Xg`}#4)3B};=c_zIV&&N zZ4DU7@XZMiKtH*}|4W_#s1tulUy1d(RoO5UC8A_QV#!1Hw^ zb&EXyp#t6+XJYIt*rgAYyFJNc!lPA}$-X^o5<67lT(htv=E|V;2q(d12#xNWL+f$; zmeX$eFuDZW!SuqY;TV~A7A!y{R8_RS1=UDdM>&74EoyuQX~CqOaauxOKI>Y*9E|5X&>F3GTOYHl<5Po!Ga{%0W47Bqn-*iALxe zJZL&=IsCu=!|mQZLo60Z znIG&;8^er0w?jP-F;p=COLj!>=sp^Yz5}R^pjTQcbg>@`SD%_YS=W9w<}YY9Kq4C) zdnx{Mp9wMw#e}8GHDX>)1sVYN94~a^zo-RN<^3{$`7?irIq<22O~7Z4j9hA=9#XFa zzUS1=Dwd3mAT3YLXWP($TNUl?vUAtY4d*x&qxsztJ%|v|ldy8#DzpNFV!1%8=1Nr) zUaoY2zfEg6ro;Z$O?1xUb59I{fI~I(jd{C)mOd7G7WRa{xPID=|5uAH2PSr@*br8} zqX?%_v-zh)f+KWm<6VIDv>YaSYbUE?H_KCF>{_W_hGS(t=QWpRJ{rm^}tP{06 zIO5&92jmN(UREiwA66N*)`R#|AykjMYJj^P>N>BPh#;jS<$x0IyFQEV@WBP z0L>`kD!q=F<{Q zT-TYjq9BPM$<>DHN%{B-(Gofu8@pwCKU|)oW?Cn6(Ncs&TmFZp_Xn0CE64XQOK;*f z`yuOIR?fT#{6t6NzH#wI;k{-qWPVxZYB5(SrK9a^MzOOTaXk2NPp@W}6(Ntd{_02N zF{<}8PEGtgAn}nNmYC8lglA_osZ(8gnoiAb5&40Mc6Jw-qUNI z;F^vK_?K5ipclpS7EsP%{+Mun^NQb{zwapZYN>qf2T|`$Jq^6QB1BicWK7s5ui9bb zuK{fuy5V|)=*u-I82diWgj3tHeE1)Mum-fY1VO?C5Y7IeHF^QC)Ag$f0(qBNng-R^ z&VKY&1Nk#_?1n4?r}(bTuc|S81w(c7NgzeQMH414xfM(*e`s-$7D&k}O?&@)-VfID z+?Sc*p8}^a6D~P(Kd^p{tYdJPQr-s@lh%yW>Dbyg69ZmI|KDULs$~WSYdaM1ZoU7P zQR9a5a{t26`@`?)T*cMUiaE6qOuWl)B|O&Nn`f&P{tp|yA(F8mT)4yFs$c3GW4yZ# z&NjQaPu;6%!1!j~W`9AVT9;i>Lzd&q|37f0VYV>q|ICShSx{8V1soGxXGs6>ht5&r zEjc}RtY&vx!#arO5s<|7Py-cjNV7-H-X~32nml*td(I-wO*rw>;mE$n3Tnd^M3PpWFJe21i%PwoBys zYu9D43oHHKY5xD7MFA>`zv#g)e<0t+dn4XaB@aA$cuS@Ygv%?(jFv3ihSQ*{&OcI6 zIZQ&Vh|4D)g=K$0Iy6#w(;|PG$9zA=GMxK=;YQ9pry2{MS$rC9VJ-qR8Yz=JPx7*V zAC3hG9M(5`pZWhd95YlZuJ3}306$r<{*&-d-eBjm3};}1se-=(AdnNP!u2qkd3gK# zXQt5U;w4RzE$xq|*N4C9cyPqxyn^KYoM8g^3^v|whr@h!^z=);--{vhs)u*fqHTZd z%H)nTYu;h$tt;NjRCB)eeEufhx60`HY|sM}5)-!rMtYIp?$H?iNI^^HVWqV3*#j?A z+^ms@mTZ~+0GHL6XD3lB!W2bnj$a|l_vTqcaeZL(H`3meuIu-Z2smJhxUAk(W=cAnGm zd#p0<|MY=(wQeX{qYEesbTvOvp<(;MyH?qdiz`?&WS5>XxQPp_TclqM$m5J3vrXV? zlVJ5q8itvSUZ{%=z>*!KuO5Je%iA@1oj;UH z-+h2L5`%8?8s)J$25NDm-AdF#80+;k|87Z_!R_BNMh!@Odug?QFdrbG+!7(mJNN{E zD*}K~jN^`&d<}C^)ByrX>{Ch#Dq(euI8PO-J6V3)ddLCV-@k*{v@ z=T6o&-1cE1lZsCJT-;>6nLq!DYwZ@T>`xW37y1iHxvnb^2T7Hk3=fL=OWWW^xF8|( z3S&=922fzpxJ@|+!uPgLtL_*xDjioP+>`o6)=?+e)zfeL(K^T0=~j})wQb9>kT7YY zlR(cRHn46{nV3b|(qmKdJ)@>8yLD#)rbJRXUs1K(zEqBOFw^fr>dGqKR|TS4AW2Y> zi0hj;ATOc2v>?EQRno-Gg!gqGD58_iZQm2y6OqP&*UOOo)xI=X0T#nvjZIHet>F-# z7K54~7QNADXeKbtNE)cqmT@s{KRZE*ifF}S2brHzj0NgAk^6_=@@)a? zIzYG3#*rkEBgnxhzdOWIb(C9Ch zPA`0)Sg5Sh6iNHfQUgY#RFlt}G~#cCo;}gV#kWY2Bk(`A%ujuXVR;iw_9l2o!cH^$ zlWwY~{S9umo&LlZ?ca|GH_+t|IAXoDZz4l(x}lK*!}iJ$58O#4dfiV9Hr^1VHL|7R zTTn1}1;xUhdGYiHfpr*a;-d|3QIshQ&H5B4cyTTpmHHEwR_q6{oQ|P%Lfz(pP-kYO z83~IZd~YlnzCtcf1y%(2km0Dg#asmh1l?VhY7HcqJw$Q8P{PR`(`Aoy3O;@;kd!dE z$I*J<(vVvBhWqJG{=ByY8pI8@Ev6F1GHI9SCR-=9ZiZEAu}_PN+DX@VC;!@)nR?w- zWb!BLMRJ_duz9d!kzy<+503y1l8`QP(N#ZHG5R7_+xxg4D!wf1Ay0ef?K$dS!PS&` zmyvaFG{+9qSPtLKaM4>3@poUs=aLI!L?l?>KjN;3wv%JDI}f74ZA+O^=wpJALBTE= zQRP08kkKZ(fDob~63}2|MpQc9H;+$9<%Z~uTi!{Xy7@dN&~@?VR>%eJVUEU6R{5Q>Mw$551*vJ9>mHPTS9n z|Fhqu7)lFbUvV)2{ADdjZEMVK?^&K3e{{&zSJV~xHEKvY=gm^@GiO!oUCViL2(xM7 z!u53fSnEvQvKB`=w`sd47qM$TE@8bNC@mkC;=tvMI^Uw$iiU_ZJ*P^a5_F-7h1dnZ zc_dhc@X*LPUu9kCyZ~ZEsyG1Mw(+$9!pZKBm<-P{Wi5Ud4R8U&f`~@%@q=TRt`Tkq2S9PZi;$q`3>+J?;N2W zt|qxvj{^xwmbg(R&NQ|;OI&GEg%+VX%W}X2t>2QTXTG>{&OWbWuU+qU5Qc^|2F|ni z8WXH#VOhuz&`>y_GCiD8(kofslr2#O#B<3}Q3Zvg-Wjr`F%22iDutkM05;@LwV;}5@58=|qT^s&bjAA#HH;xjW#KQqPUQ*c@LjiiKf zZS~}zy<94>6IfShkz>Uv`UNj2B`tgo;uM_1@8%pHb&@i7Dn=c{+O$#}9&CP5bjy&E zC}D4*+#EbhjEGD5=+-teGVW;S?ISVmkIh+s3dXR&u-S#e-j zWL~q>SD>0Rn9UQ95{hA(H0pPMNLaao2U6kI0#c}3F#GI*m()WHVP{AexL-Byb# z`JNII&3qsB3SLc5_Y-bH{Ult}+#V{J*Nr4ndBqdn+=z7P|A<=Npp)!9%v!}-!Js*k z%G}b`514+`tTLWVBVRwCE-9PS4%UTq)U#38zk)85N(m}qL`J@p`8{wkvDXvQSZ)%q zP0WKQtFx`A<*^cSu0IA7(v1F$ZHJ0*h-KU-o0gNrvKq!x!E;G^UYZmdTq*5-lZh0Y zWX9)dpg^+I#26W;pdJgKjwRMsl));FzQPH^fZ^jl&omAhzW*^|tWD2t!evCPtas3Ds%-Yg7O+J5$nBAaZGfx7-`rqRx-WCuceFJD91TTtfPPX-MJFzXmXo>c_& zQ3F`3d2dndwG=&7*%}NWK&Cxjf{8(v3c{58s>(JzeIOO?`55s2K753ey_b0faS=snm#w?gr;SwKA49MKUj zESo#}N6WMUHfQ4#Mo^quAbTzmL&tA38m+ye>W_3}wdn@D6iqj@yLH0f!X^DUq)O_` z$|8LwM92{Fd}F=~v0||C#v2@FiWuXS$3W8U+ldBvlg7*QX1L)z*!WFanOcIz+ochi z;kfn2orz0G%q3(v;&Fsc+grA|d{ey2 zzbZ+OGf!GHCP!vyjAy8UZ}`Kq?CYx_0|nj%@-+cP>Xa*9G&Xo%&m{!SE=i)NTpE^X zd8f8o1kIE$Hj=~eb3%F2?Pk~}t<@4#w|>qjX%a)QIV9FC;;0Mh?6B)uogY?Vu2+HX)`Oa` zbFb_;4U3>bBdHSy)t`R#6Mj%AdI_4wyT!P`;Xc|?gqNBps?$5mm9K*&+Klm`*%SnI zPb75k&&u!Czv4%Sj6mdTp}lYPxq>BD!W2W5x5np*VP|L05rgupeqk&Ix7*7!*E2Nka2r!h|BiEb9ZB^|)V&4|7-) zm&#}O@H_utaW+4~mn*LcwMgata|E4R?RWQDgnuoJuHUMDMro~xDKk9Uf4nz7?sKaeeLg=s(~RG+ytaf+q#P+gQp~D3JanBl@5Zi8$HC`-K){^xB^+9BJzOUc!_7 zn#4sJ=F@`qoAWw2nRluCv%YYM=*}bm2v(qoM*(~MvW*|pzW$2uYL#_A$Td%JJXzCC z)!22{@@DQXC}NlZotXJ%4r-%__A1wtd85f}5-($-suH76TV;A7L2f1Pq#gAgLrj)? zNK%j#;+;Avg4?C}#@WZxm5X2EeqOlkl|2tqPoK~^Nkf^PFcIXG%PKk(oiT9;#=ppv zvV4)SJ~|0Enk*v5i=cQ+bYeH9dPU-ywQ}sh%S>HC+{dNVd8Bb55s-atiSGB%7%Omz zxD6E+v|#UUn3ypw-h2;fSFHw@kc$p}aWC#Fz<4Oda_bUT?3H%0jY^3cl}-lh(L!rM z`#31y-)~~y^4mNWYg=p}A|sn@R4((m6qk`*R9k?gk0MF&X01;+TF7f|<ndw>)1qk-Qm627~Fp0x>^;+-TH~xUEm}9{ItB$`2W!LmQita&9-m| z79(b@z+a0hV;leUY3H#YE%3v%#uDvn61Ct^X`)LxZZDa1E!V}g< z*u(4EXvZb|)$ixCDi;jr7bd#~mur%TJ~Um-#6Jmv9iz}0{TNqM2R`li;|8%&tCXuh z?AyEYW2(J`Y=L=H88JnqqT#al5W4a}&7I(v2~^XY0-|HAYCXFLBLfX3(+eXj@eY|I zq?z!kSI-tV!Hu^(de!5%g}A#`nTWv&-EByb3H7*#RaD{%aCpHPw<_W`RWifT&uO-< zOGzy(iQrM83kVHDE!?=<5wWTYUILvhzS$&}U%GxhFbe_DXUHc)n3N9Y7SJlD2!W=7 za^;R&?Q4$8I;E#*yXh?`CC+Z_rJ>z!wrS?hOdtJ+_2U9z>M+ZfwZ$D5ABOp)h=8tw z$q~u@KHk;CujEP{1^M4-sOFYOn`f7$s61`gvTNf2A{46P6MTDOoLJ{2>_||Lmdo59 zNQi4+W-^w!5hqu8SEb0o3}UtmpgnLhVAKITDHZF|1aj{r0DjHgu1q!bza7u@f7n0x z^K#j5_;#E7=QmgP&*_+A58zZrwT#8=Plx{=c3o5*T*R0u3;6#!N!C-+($W!n@nL2Rbqh5A zhD!W)2YazhwA-o4=MUn1C`K@N@wCTZ>iOlZD*Oa#AjRqN^QbnzlJs}%{c($^wPEL$ z^7wnc1$OnZZ4>7}^4+b*gE*?EQ0IFC)G{F zZ7`g~+kPE&lTT7*Qw@$!DXtSALw0i^y_#*#K)EJ4lGM_G^kh+vi>I-J1@_shd%z`Z zOGKX1O^7AjH1cyv@bUbvd@y6gyhKKu?gGy^bmZw8J@|>F9Z9#(ba@T6M`U&8${xWF zvz|z^w7RfVN=y%?=Gs{3SvMnqA}8 zGIS<^ENvA8KBd@dq91?4<~Y?=LNJUK2ANHiFJ-)i(Hzp&c+ns%s%R=2y%1r z4W_YnkaCz@6}mfW6iQG)4m8ceC90GPfvU7lrGBtz0M+y*cbgr6=q8MTf!`t8JAtZ2 z3k}zv4c`4$yW#C~=vwcHIK;}bFS^2+7jrySWmm3637co$rxcc~$aI0j;^JPz1s&qV zXbzQI7ZP5Y{%xt%<=)oPntL`l28sJ7ItdxQ+KKzLwd9kSPU1E{wvu)$m)4*woKz8T zZkFoX_5!Az!`+UM;OQ4mkxyxVGjFO1Y~`rfZD{5?q^m6g&1zeXe|b``oEm za_8Q53cSOjB$UcsqGD=roZC>ihkw~y_3;f5ClE$q*?BzDVwE-ID6DYeKxUG5VPTNI z{`Ue%IU-v~IgZYy&zXytQ{AFkL|+{)7k!QOYD>KH<)+hI*B%44H8Z~WbmGySJRF66 z%^a^{w~*1x0i&2Qc<^2FcwSaiuK^F4k)QVN=-c!>!tjP~bqsgxc9l=ACRhq9dRdUG zrDD=F3N8L)YyO@Q0W_t8qEy^==S0X-I})?G zH1Q^i;j{+G(5m6WUfzTDO=6KELeu@4m*n0~!%)>1cX%eNiU+=NE4okRB)7rA`Yux! zkv}3vlU94R6Y#!iCE$tQ6yl%|7|p_3S$u5zt;b%>yc)N}2n-VM==&08%@9pT@IZLq zFs!)~ups^QaKN?IF%m;JbxzZP`l>*ldb!)d2}OsrGnZw2s4wuQblLxh)EDvR!r+ec zwTeUMQ?06+K_U|#)Aj)&m){l3@}1M4I z`S%s4;&kah4|CmEF^l}HY0nh&=q5r;bvi$DT6S7^J@-JSXaH#sj&Tq z7_J;*z(B}!>YGS8hJGa3m-u?eoPOSo;7cmQRgFLM9uTzZJEv;NP}VMIb`kOtr3Wjz z(f?RZz>?>dI(N)z2L@R}aecEDKCPI3eyu4HWv{{MT3K$7AgHUp0oUAD`rS4OGiMvy zi8Mbe%cRL9^xZMz=ggK)yoomQ1I}II?BjmL%0Ten ziSM*}-7(uZq#b?gw)g%H8(J2d{qrO5iL}>XS1ad&(@$4XYB2shHfmnEHN^+U&s!%# zUfw&^6wtxkH-z=}^ofcOMdBqXvkn+>xKZRHJMm7J6&FS(->idO{EfA2_ae73Fe1oS zq`A~W%B|;PCty#GhPI8&48+A73JqQv`XNgr2XVE3mI<;{5s>2_*W)Y8KB7}GHPR>? z`d%p&!*W~5&C+gMHIW`%&MQvWyDq!VfUoiXxAtv|VDSp~PM9_?nROTELIMnO*ssb! zj1u?3?e}}c2MJp@eWPPUXz4)+mM_rLKopkF8Z<^Gf@-#>@XcF}gV62Ic(gv4m#874 zZGscuP#oAX7{C;_w7qPx$;OH{gAJq{!4Q+u*8W$n>L%q#no1(Agc)yHkB1P(4Rxm? zQ;9LZMeXZrSN~1ZB~>M{c$3YMRF52wI>Q^Ic#-S%VISY!6R246Ns@Oo_F~5;M}yhq z7T(tT+j_5IU$|ZgmXqhdPip@BWG5bmwm6ugKr(`DnjW`noC&!eW8Aw! zjeiUUG1xz-@zR-drEY71Lg~vt6 zor5_^HeH8Cfz1)FHnrSK1ntDUh z=*VQ)B{vHnmo!SAy5no~bB@AXIk>}iFw4;96WNLX83mHFA;F_VR(Zs&DajIOf(*Bs zoK)52<+~eczCqW(N5@;l7J;`?O2a*F93xsn)Nxd^Yc_tr0rB}7p+fl z9vVR!cs#VaYgKP2BiIL_5GHjY_bt7c2dwuTwwF!X|L@2Y){Otju7ATe2gBeYHW6JP z&9J2cfme@hCmP`-d_L?WqB5oL<{et9(A4x^WF`T{w{7zk_i!*gG@1}Y7<&!719xX1 zQ9%N!J$_tV>i0je-ZP#?(Y`|bUe;2t+gf4#Wtj7kKai&)f0PbH{-6d^iOX%TPFNCa z@)2twTN_2)w8W|tMtVrVbd^VVSo0 zG&Yi$`JhUOKYsPL5dYL0Xq(FRmx}$vhah-;QK$i-VjmddlrZ_y3`&ZOGC$3PjV_)c z9@Dv753->Q2|98Vdoyb-823e0@Z85%E~~nHh)36O^Ake6SFuGw&HEJpU7n|SW`YN1 ze@NGVkpjI0(lqA8WXHtY)e6`WM-F6RgR|XI`IeyAj>$Tiycs(T zHS5B!KS`4nH5^e*xM5IB1>FldOvmKN2I#zhQlXm`927kwIxxIH0Pgn$X!`p5aQqua zf6+nQ2F_ACqv9WIz@!o2p(j;|GmKbR1kW+s;>&z?*L>=IC%MoWLb!Q3WN|Mi9BF!V zg$vJwFfng9=gaetq+>; zUO%P}OF`@JCmC+&A2}2HmR#-)TE!UC?bkg24x>&k&e5t|_Ng%1QBC^tqF;&*iiYpE zi4=5~pv^mKU6jRKSp|l86X}19_0JGaQ{O)R&!Pj}HjFD7N z-*XX1MUDh;UdftN(N6w+wS=XjnAtvQy zd-Xn%W>TG`I{$|^{>5HMM*M?WmhK9{uLaFQdW|d`9L2F+9Vya79s+Yk`$2hXsq=d@ zw!xD@i9Bu>AsN46O$VtdTCd{IgDV5%;xmGLLwy#op2b?2m>uEPgMm)7X+appnk&xA zAIk9{9fBflX?me;d!cXpY*C<8)RZ5rS1Ch8c0q+Ah6zoeKN!RkqNUr)1e&sKbCmsm zspmi3;J`g_K4EP)aY=rN-ES4c z*hChOU)P2WsXW`de0fG;hw)y{muM2cf0Mmpld{cS+k~$g*yW9}ywp!VPeurj9q>OP zyM2(V_v>^xKT1gSd0miuiMMQ-sx=PZls=kkGnqK2S(3>2Zz1XDdVA zy)eNX{ymy}m-TWx{qut>Ip<(HJ@2OvoautWqg-1(ro+Eb6WsLtF_2Kq?u?tnI%lr6 zJ(Dy=VrM#dz4&!2+cYBv-g%fUJ#M@A*>()d!}0v+3=snXR<}k9M6(;mE(Juccg*NQ z=F$-iT;%unHXUa4&f$`6#1Ve#5T6Go1)^|#cW*q;Y8$qok#AZNZ`}CSo%zF{Df}h|2gjaz6yUDRvYPHzQDM~KC=Pc8WklEeZcx^$s?zIgWF;)S zW(w5lqTP7oH$hlv!m;3p@46~>S8|(t3$cIGpTFa8JP1*ow`p!q>{ zM14jN9g7!9s^;vE&3C`+3UdFjn%g zpL8=^!`E>>9z4aE#3htpx{lfvCn)*JFcMM9smNosfxmwWkR5? z01ULuvAn@GZpHn{vW}2T1p{?(Ak?Hh%bw=RVrR3B0oE@?h()!$YF!&Lu4xYouE$Cq z5@+Y=e4#VG+6uML{!Eu#q~$sqOL^LI>h zK$&){4O00M>f}!g=Hw26c9@BZ>C44yv9$p!5*F1bg6DcA(#wJN$5)5C_NZ9uXBD(GE<#q_|4YR(?#Z z)ip@AyEBSXBhXvcCeuIfEq&7FWf4*`7NbY8Dyvwjleki_)wP17V70bg!>dMQ?}{Or zcXtKjI!LV*!|tgmDZQUQ#cfD7%ad;*)3E`{>OZQujv?GKa-(JBf8%JYpxcDwwBp2t zl$=FmW>rM%+w-Xug0c=EH|!`sxX<#gd!Wez+Y?GSqMAZ2>=?g|3b~9WI7o!Dx{5_Z zN&=jeE?|!N7GJrwMY*U_vX3FSS+AiZ=Xef!y+r|86Ff902hU&bU7EKNb_9Sgz zkPXGAS{;xtP*QM2kA+`ze+vuZ^hn3+BU!au+HJP-2FDE95Oc0saMR&Gf>MSAVsb8; zA^XW#Jjb%$ipZL#^XEE~@`KWd%uU?mm4Wq6q%psUz5sQxw0RXU)XMXUwkRb6GP#e6 zW}=~svOZKA&4$j#U@$!M&qTvj&XOZlIzt*=#OJ-2lTv2`qO$Y$G))%s``H3f8*m9> zFBlPt^>KX0y~=vlp@0oG;4*_=u4EQqW~2-+j&iwB=1QIs(a}&jkZm5LFw@EllZGnG z$T)$n(Rp4rgEj&K!Lk#?H`85&A6J(z~7Kh*zKO|ok z?=~wMZjhB>!zp+E_DJ)LG8caWS7KU7%1~SUdwA^uO8lu z$#&~sg#E9R0h%C55{LXrD9H|M!mI%msq{3=Pen<1TTf0^vQJa z@Q#0O%w7hVCgtt$CW@9)MLO!Wnoj?$+<1WklH+)yIsh{d5z2X85hPYW`~tdPU+Nxi zi?tiLSAc>5`V|xQ0_8T4>EdN1jf$;3wzOeiah4&q@Rb|5^G1AimS2OG7e`Gu;w;Lt zDyCU9N%7P}vWXT8fMUp;RKV~@4rI>3v`d@ht75umRA^8>i$GP9hFgXCSp{IYWSL7q zAP0Z`8+6ccw@`!4A*VmFogpE|2{qGFwn8pd>+*S$lELr!!$M_QUugtt)t0HMp-RJpsQ3_un~8M%2DFoXs?asr2{kL2@K-Tz0hYl@8-8h zWoCq7o2t}@7-DoYDj~U|pnw^r{G|e@wV_5?Hv#}!)CP@ssHp-o6Ew9v!1By@JTqe~ zNObWRm4k};N$cfK+*V&h#9%x0@K$dW8xTgtWGjI&Q3z;yjlU&**BN;MiRo6b+EtWG zRDMVbl&jHT5g2N6CWVRb$`RWEoTdV^?Dkn4l;>1_wh-;gta=ebzDnpSXGM^+7v(BU zol`oxyozEno8@V2V!$d3A4Gwr}BwlRsq#9EkIUbFI|X z=DkHFFW)%Y#_bLcHhf zOCE)TOGk_emAoPtM`GTA>>PB4zAo4Duhnn~L%kg@wb9wHG~OKqOj)uV@!c5E1^_73 z>(hsnlr9+9k8<~Us9gh6utZ3PK3Zg&KC8?PVDMPVBQEm80I5osd%96#4sJi1h3F*QFfVjodYn2u2 z45bf&1C|&Q8EhPo7b)LpozosSog3-s*exd8itQ>gYobY>R#hz;wX3mSZ16%aC^A$` zKPMg}-5Z&rvzExUN4TOzixqT5{#QSBY6{XRY9HK&-TZ5`}+brA?SFYjYfowQk*hx?yxbbTQ zVla>OVl@Jcpy@S@jA1z-dF*r4n21q$c^;aF0HV4Ik(3Txw0!wYa z1yK&kc+7Ohb%4c6KiHE~^W$12?E@IZnJ`sFjJf8UB>eK^GZY(stfu6o;Sh~Qm8U|- zG*Zm>f);7bO*}G9JUrAOk~$rZS$3x%4uJlsEgdEZN;E@Wn)A7c1pTJ?hlc3jXk;j;e5A`ecX`xM)b4 zE4|d!W_57@33KEYP6K7^Rn7&yG87>ii}S7s*4T$gN>P3J7A76U zF0w>yU?znOu5fAMN=cA(@D`T+mAG8zVI6<3!_+YZLA+AGo4~d z&&Y+3kWrw~^WmjcAJ1D2p$}NuxQp^VY4zQFaws)2_AKdv)KcW~I0ZESz32Ob@xcN2 zk9Acg4F-^hsIyJ&&7Pfc1e}I0wfJDCEH`_b&z#wiPJ4l=@$)qNwX8Zt*`x39b$Oel z2v7Pv`XmBkZHyHLh82K8+1pm-d7|&z1Gc!+mIBl|%12V)k5lT?b<`Vy*CrF`O3fHt zL>*dU(5?#BY2PY(7$eMr=3q6cI#ahr0H*YHNo zOwlOdQvVzaQ#AVe39Y1QW|G?^B8)|ymBcocmU$W_MeC8_+oUsrL;zBf6JDl0tup~* zys4_R5jVs8>t)hCEtJ?;&c1t@-mKi8CM`)ri{rllX~W#s{d%a&H5yc31E>Yvf+kfc z?{&5lbD11B?b$_RTdPd?WOS1PCl7{~Z;a^| z$_%W8znueNfZ76|zH7%}aAz(1e8HoWOA~HFQitF&N%gFKAuL00qNo4`=>%-HwY7v% zpElj(bRD5VA1Wpsy*%~uD z@Eu^?-0uAsw0KY$FXtRF8zcE%T3~!8XgB%<&$v2kSG!+y$oG| zjC|S%+KT2YW_Gk&{warA6RRwDK^erHTw8-}QA`1j*b)g3iN!eLz>}{FPQd7t`1&O^ zva5mb*orsxh8k_2wFEl5ofzKrD~(JMP$$Q&A)6O-Rwc>ko|bWcNd4t5%pGAKP#HY$ zK}+(j`Nj+Evd4mm*XWIZQuJl&OJ2K;ONF-^ZnPq&pex|DpO|A<=flXOtG-~d zqVb%4Edtsye3N6`|HKC&%r0ZfL6lEULSKpL%JxiR^Cl90VLy|hgGOPArv;;FcYL}G5y}}J!WNg6mu9hVWNp!a+VF*(FKauqQfZOJ0up#wT%xcbyEe> zW4zAmst9+3&Uppw5TzsJLx65|{5+URd#j(P&0f5LQ(Wc+E%LH-2H;Ufa_$+%`vOrrDHu>{KgPB26yYxJDY5AnK%Ep7RZcf9C`2Osb>LG8Y%fU90N{kP zGEljR@`WWZ4!W&f+Qa`#D#*FGVDzvEv?wM^A`Dv~)4GYB&vbSo`SmCC4|1y^*4P~C z-Uv=*O3FKC)>Yj}fg@>(X1}}w0>fhUu}TMyXYlEIIF9xk^eN&q;f$|*RP;_Xz#Pzw z=uZMDUBY7^bk&Y30B%$>m}^1)_jABpm$tuc;iLejwLs>vSjXk3TNF3qN#!i$lZl?T z4U2^JtpvEIm57Ena}y2AfpA+Jq>`f@$w^%tHg31n099h+pQoq|bR}PfzT)eSZCR;5 zfKweeS-ZaV&eHxu1CnziUD+U=e)-L6t&N>5Eimi8fWE3OYsG~Ieu$BA6FQJxtqPhs zB{MSP692x}yy$MI$3PXi+Yna+bQ!>g{Ay~iz0Xp*UX~>cI^9Q?eYuNu&r*6HlO!-3 z>4S924dS20-=chK7@j>uJ1x&gxykRcuG;iId6{w7(~RvM^-b5eLn3IbO9HX=ga@t0 z#t9@Qn2ipya?7rrP2CHvbtvAl2-SYdRE?q$Bz%8j;Z4-7EW0cJ=*Tr;d@nXE&FKXi zwp5*Gvv?6FiAtMDmy>{U$uF3=$E!3SfZ-1F#c@juZf-ag;DL^T$3^N?8yX!f%xVA; zx#VX)Z8Q8TWU7?MC2^?dCC-k1z8b)DBka=<&}B}kB>`~D)@7VD&kjZqQ$U zUGA2i=(Zv|Tw9$|VsOvC&QN^tnRePSiPL28Q{HXTqQe4Lpgi2nHc8c_P){*^NFAiM zUdDsasYwud1Ae?Kk|W@edd@Kd|7)tRHLYZsp}VqH87Yfgn%=4U|-E z4Lbh&OsQp~FIQQgxszt9klh%RIf$OHdKfIPh?2+c?P|v&w_%?JGUaCjj9cKJOs=?4 z5AD@V(q$x=7QtFu-=MYh9@~P3MA4+zTzr=nEg`44NnQNKad<-Fb*g2BcHAya8 z(_0oRNzqG^Bqb2>@;Nc2b!j9dw|%D?_AmMyDryp5dL!`0ik#j(j@x(vivB?QV0E;UQK%Ws(%a z&k+~Z#0x@ikd-cx9q@p(p@PkKxpky2{b#;LTLur#f!B8X2)( z`1!5IzP+FTyn?q;S={csT!j`U2gh@NxH{PL)m0#BO}+c8>)9^{7KF{&M>*T2%gq^! zDF-r1&B2Xb6i?D#_wJWYV9OOv+qt7;dTYx;HrQLv7910^(bquq1ypXTy#~z?=UuR( zILm%z2f4+gWkc~LZ&GV$_hz#RcRay_@5`vAXglHSVpBUM;qy2bdoWwNT*xLyFDL_p zCSx8ANIc^i(yX56A(}~-1>leDYU#tQO|o1AoO-QrxP$dc2tu(qgRD%s0QC@rrGy67 zp>aLh)dQ0OC8!dqL@7nqSjAyr+p4RSwJCv_U=K^gKR(YIxRl&GKM%ArPFji=g{Hqa$e1)mnn~U)6v+(~Q_uLOqJ1NTT%+q2 ziv(dUGQZ8PBqxlfJwV+Wb2JD5d4^-hf*I(oH5uELK`qxH#*d(6ySBW%yiGK#48{H{ zBofc+cQa&1VmwpGH;Q?p917s;;SN%7;nW*H2vGK*Gj!&29njDa0rDt?UAdB^nR^Uq zNdayMstp?U`MwF`fhj{7pA;%GakHc<BEX7D_#N zM6Q8T%2#H;d=GV_$uQ9XOKTot#!7~1M$em*zaMc+-dt;2X>C9d_Ii+ zQC&bWcWhk|qzdsG;QXnlY^BV)ptz+IY0bq%M6G;c)K`mDBREjt`|+FY%Vf~ZX2g4F zO$M_^c3g`R{3H)-I%9Vuj#u1Fg_=|A$ZcUOwn`MM+i3!(<`Nn(Fkk+|Z=N8Lok1mH zd8JZ*;>%5U0jg>;YW7u54reMIOt0P1Qn{dv;p=QN)tM500r4)fvgA&7l9&gElz7mT zU>#tAq?>enIG~ScQu3~%?MGc0p2x2qGJDGeJhEs)G`1t5HbeL!aNV=R~lesp!4C~FPblp z$JK8Sr~dvAXQ_9ocLz*<4@6yfH-A;0PZ#Z5Z#%<+Z_|+8O~3m6UqU$jAGZW|a{Zq6 z?uq?gPO<%;Qn&uRZTEX()U9aoqtpD`+^(uV$xPACu zNU}cuAlL8V@fp>>KyhvbcRir7+wb9;NzjK%;aSk_q!1Nkj;!yX8_aqnx~_%QOimAH$md#yfx5qT3UWAp=$wIiG8`B*`o>BdcP z!%;tQ+>UH8JL=FA1QEfU%h}l$V&F}m*%m&(N~^Aszwqq+UR>Qip*lfz&_l-m{rc#^ zoKSqDPLP`Yr3CNyThDdPr`3bRD!5_h4)V#t|5FOGsZd&oxM3UY!n=`6{nG$nb3#)K zu-NyrWmCc9GZ*7M_Ry_6&(==7`?qDq>R|v|cPV=H^Dpu9FvAT+RC0s)Vyv#V+;=hF zsWGnM2xiU(pqopdO{)G2b1?bSLE`^It0AW7B?xJ86%0iad%PENMQ@q0*tfl|*z$Ip z__U=sO;smj)AZYqXAhAfmCf(gudQ2Ys@Njj;Q__YB-hpG&us@b!|v%#%SO=PoqE=n z_4E+kLpn;Xsz~ddchA+&Q?8@a6t}^qxCW3yx2Fp4e}qptuDlz0o_y|)W`s?Jxp(S^ zDuvEiYP);YT?tRs0^1*U$8HXf@yqVf7=D-dV#Zo0^V8hi{`=~tB6SkhZxI4bIk>lv z{7gQ#DBnCJB%CsjQkPCgRm;$6irqV6Hl&<*8II~wq==_~|LFTpBAagO1G)(fc00>m z)2u~Z_PlQsdg9K`_2y0{AKaRXYdQGS`v0S#^c@(^#+4(;`Y5o=HuiuCci`T}?^tW+ zVav?|lAD8Qe`U+*N$-fOUA|vZ%nd^$nQDqXL~w~=*(SxxvI(rETC|8P&t0XpUZ{Wn za-eAjVMiC?=g-;St_4#6BWw9zs*l}BjI|}>@ahYk^JZ{CxbM_8!5Sd;_|~=i+}o*t zQXcKD&9M%T=AL+P5>d)wncQve)O85C(3-&tAhnaGpn{PV`8{EpLSK6MU-$Ye>4J!h z`;rV4r+G>7`bqmTyV>T8Kks~183@cdI0{=!^n>fqx$$WuQ5vj(ntbvXF@zZ1=Qe5J z=4~NP>Qs}7SIz?otFHRsk}K90y{UnnbNA8N@OhZVKYP05dATG>kKX^{IqdLFAwE|) zBc}KH;K}CoIQuE0G3=JUGis{o%~oma;g`ODQ{+@9-PA$SLu~`{8{zLILtj_Ei(5%5 zd~T+hZlB8~Sy}HM8W};^sp-6@FPT$WaRtwdL?;;2+D|LlWmP@7u~MIoxcAAh)OYin z5hR_VV1kAXC@&S3)OoKQF>WrKy}O@jvPaugNaA7#Y?7T2n1Tr5Nn0iqE0bAP5#n($SY`<%4gC8l`Y_ z&7LR8lWtPOGWi)U`p)$r5$cyB!3@-75$)lG&4})423KBdj#wWF4vweBOilDsl}}KH zfg3sR@F>izIZ)-|#YdA?^-#(j0ye~p)OD_Q9I54bdz~vj0u^3M0sAV1Gxpaw%(CR4 zMv1oF)+N5TVw4=B~_2Hj0 zK(UIl#Eg%Tz52^0k?0ZNCd6cy7Ig)^y2RkpE_ikWsX<>`bLR!jbY&h zb1JIx^xulh?f6m#G+-ygZG@hc(vRxB+$F0?GlQz3S5rk)zj7W8|1H(u$di9Am2po` zuMFA0$jgHYErJjVV{2c)k7Z8be#eBsb)!*Y)h4j^&R+kglspR(oEb(<%Z*-q%Rodo ztP~Mp`Hb2W5enSQ-{p;3N_)I0R_7XnBq#NGeL~?_$SGCo_)Lm$bezsJfk94$GwbuI zqgX%ekl@u^kh&CDn;SX??&2xga$%uqlZ-9s{lFH3ckz`XT?o)R9H!HfR%a&2rO_5= zU#vryDA+c|MsNos09X95df$67Y!E-pechcKV>gs_FYE(Y9|zw%SQqQ z`)2GRGd9z2h|D%mzW{V&2t@ghcC**-XL%^TF)?|O+6#Sz-f;Ti=Bw&0bzX#AY8-Gh zV1G+vboM*W1{AdK#oxA2sT8USkq{gaxph3kwPuI}DGPquz=J%TF5H`=d|?R4e;> z6QFoF%r6ol%89B`9x7%_JSU+*4Y!xxYI+^a8xP&10y5Uia_G+hC88NdKR8j7ga>1uQ;Riy+qA-YmtS5H9RKH|Mmo?=Jepd)NIA@m{Kx3+ZRh#uo-dO|H# zPUUr!bBd)P<424?cbwl`V3CpR>`h|Ljl{-Xbc=f0g32j~U@VU8z(~RHCVh2PF^zfj zMVah$E|oUz(P30GACgs#bj+735pBScCPK>M*UT;h)V%?udF1jQ>J>p5J!b)PtilfR zW?%XS%-#_*q6Fqqe&@tFyq+DrwF317hy=hQe6S(SG%*UHyQV4j3XAN+gB!AoUdTMw z>$2gxM9_P~Y?BH`#q)9$n654+jxnseZj;`lRz|C_$|L z^KjKwpZ~)HEz`r}LPbY4@XtP|d9bTPuquw}-hp_Dse910%+T*EuVEAFRu=JdIBMHi z6zAJ)MaTVXh|IyI)MwQeA}Y1~E~hI77XnDvAP0O=^TLkYc#wX(m6(iP{;&75G?)8m zqB!3ic0rZANC_NcR8^=-^0LVzhrjyPsfnN6_YhUUKATO_p56H{t_kQ|toH2jrtG)4yhd?9I^f3bEo5XpUEnkk$Hp40h1*7o#R7)KzwZpRle3b}@ z>ysmzwUPi+V}pB5u3xDS!l!7FwGhBVT*9TVVYMV z(2eOm(^L2`r|A9O8?B(Z=iTEuRu0^PuT~?1TNQ2$q@}3R8{!?#qPwZ7^{3I6zqs#l zyXa+j!_niw21-qq5o*iF?DEdl*^3SLOu3ivP z+eIEd3>*QSl_=ERR~-%wt3uBMt8Gi%ap`DV=t~X65Wl2N zp7xdWWK_5N-*N5M!Gr8n!o+{UUa?s=2gg)wA-gqW$4K-%f06xKC0u}B#4~6n~KP~>4YY8 zIw+-9`dtEX(a0TlVQcaR@Pwqfc)IQ1pny#43fUuFj+f^lF77yH#Rsy0zgB8PGi~o) zv8pT8sdH;G>N!V`!|G5dkityJOI^sS;cmr0iI~zCUdcZ|cKz}`SlSy(SIrLr@b6y6 zW8dc%VIs7L4kNt>RzSD*L;4;_TFscUzrz$ zyUC5d*P&Wc3`D4>-Y0<+6dn3zCW{KTEP}Pz$;7BK7_k-NDMGD{8G5Ig7n5ky<+lJP z<;|a+z*5{8Z1*ViKH2QAr}fGqpW^Bl6jpnH3f7IN$zPfwF(g7a=A(v{ECGNx_uXH| zW}=>?uTOTjV4{xUs7;QLCP^&se1&Dn)xdV(uSZMj+q2N?PLgss^(RaUi|^4QtDg{{AXib7(EkCJDJMGl+I09DJc z{JC`qKh}J!EAM)CUBz=)Rz3Ai;X88Zw$DLUb7^!D(Zh5!m}6_E?V~8Olo&{!S1$m| zcabbXiQeIfgh3_nB|$j`%|E1mm057|CB!-Ab(|~Pdv7Ru=xcfYvJH#zzYxn4L2x*w zSs7}pTRQo~hOYv-))ZY?1VirBnV`Aoe*gdi0$Y&dC1`G<4z?(L1xdzKo}R*HjpUnT zD_=A&S$|E#RS^0paYpXNUP7nN^`0=O@0RDbZ*%9ZRK2I$aCa7SMIcKgFV>I22404I zf+q8QvL!|n2?6 zA@G8nX6zqTr!==?wk}efw(|GHw%-O={LJ~*tSfhY^9BG$jR5M0m!-QS>_*hfS$vH0 zhSmN*VGGHGCO_e7#}fTz4Ig|8`Szk)N-zIskf21%!_oi1BLj899J=L;JRql3&2ap@ zzYCe_u&$ZwXOO8-6c0?M0ISaBa$jtK&o^``p2(~1Q7S$WC&nqvhf7n)cB6WqFe(Q3 zY7aWeRF)172%qi5E@duBWLt4C`%i<=%iPjKAa?uDP}(v>4wtT^CzA8J>nftmjV2te zx_&YDWEbBNP*`kB(kAwYD~YUZ{!lVT{BY-4w(PG+SQy|kRQxHg-V$TyN8W#w$%kFN zqPuzABC&6>hoy_6XHo9^7l;2}Sm84XB)%WNkobuH-A0)==STODY?RLy+6t9;jDMF= zeH-lFp40U1CQ+@L2j!}`ii2T|A10v)43w_AIP8PRCj~$xqy>~K%GN*vWkp8itL|ox zEX`@D)<5C*-|2$BXaNHE!~{Qx5RR#c320*w?^H*46D^}To82!X1x;4Xst2niMsZ1XkXG;ca%b`oAeoO5CmG*oV|4>ssjoG8=o$rjjy2MNR(@+e zzrS_EwpPstKms#~IiTWHU6!&3`T7Er7JcP?bRFgW|CKk&^wEItrwbfC8(WTB_IeCA z@uv&6>ojQ4LKgG_nZn<3*#>-Pz#&EBooj0w3PxYMUB%_Oql*}xUZ-C+pucZ)*yToR zB+2Lu#g2eH7Mc#E{%4qfK*ouQ3jcp)e$FTg$~*^o2M0?r0$E#5`V(lh?lTsV0>+kS zl{uK4K|4)td8OU7=Hkn|0lKPHGUccWsvW*TJI|TUT&pw(K=E1k62At%mRYO>IThs~tqT79cVX5VBsAlT8Vc(2 z*fVPK*jJnLI>@*rN`z~=aMm(T`}MIglxJ+!i{{@;Xj%1YQ;!W;q=y(&5odb2ylJXT7*TPL_J zl+th>#O6oPeE%&qfdVIKP60ld`dz^WCYkIAG_5r;wUZRMo^BxAkyEWg5JskOf!hB= ziNT0nmGiS$Z@eet2aTvrZdPaKvB6TDe@NngJMdo~Ri9kr`*oz$b_=?KMrB2YCnU)c z>#e_S_!jVO*PgkHLS}*$=DhJ(=(O=8ZwGitP#HzJi_*qTKfYZz%bdH^zXA%uu&BX8 z^!Zcqd^+6`D!-CU!OtS+D!%y7^awjXEjXj_6tqz^VZAoeQm`~*cY$<4^OOP5>nr8o zgB~bjlQ;yG6%pS)eJwb48-&ao+I;FXlJ#Fw@;A>yD6}uc^n2LJ7Ae{?y!F`0Lm65! zCs?1-QaC)X2Hu0pF;9c1<6!hE&GQP$3?az0PMkK@ALQf>Q4JQLE1rDMJPj_4!W6B^ z>=uv|&z1Z^U-qk$#4D0u%R2m%eMp>g!Y9%uDgOoSpU_`B-PJyRSKf4d)Ur&-8!)sz zkhj-n;3#Eha}_$J4^kc$gY9kz9(P!Jf0xueic)>RG_})4G`am~bGD5n=Y`(^LqTdK7AL^@o{M^8t_REyA07|lg zadKEKXY|a+%&_&SclL@tcxJs4^;V$x)0o4&X?s)GNh8ri7%^GNY+nOr%i;;Pw`A?X z?C|5O1=rQ`HNJn>DxEU??0+WU-9Rh&Ut@fqmh_hQd|Wp+4^3Q#i6J_7F69*0`o(mG z)O+T0UHcB!#W1~@r?6xng$EgVO&Pe)S)5st2;EeTODk{8Y6DA)O45le%DnkrEY?h} zT0~1Y(uTe^8tbi1_R?ni-#z~C@NptY^|gyzy*2<5dH4bdg`-d9bPN+}z0DE{YgJv` zYS07|S^RJ)<2H#dvV=ldP8!V1d;_gU)wBKRG7WEm``)2B*N%KX;Qj@{cqJw6@;6SI zJ)2lokBOoiLYIHg(v0d;V$}p939fz@ReU$t_A0rB*-NDKXo>wh^X2r5pdP{JQqr`6 z7Ys_bs(t*nRSCypznd>zTwIdBsOJaV(P{=^w_Ifn>h=EqxiRtK{t3|Q+Z7il%-1_i)&L%AFtC8kuFWFJr zY>a;MqOlw$c&J_%{a9;<ZNYfK&nm{iVhSBLUAgu1VIFm0fO#kbnodWls!(gwr^YE?5BbxLz)FZaldXpS%1K~WSjFSayD-EGq z-SLO)d0cnTe2Dq<(ol*QfhBk6vl7_9+^~=Ac}9<0>SlfLDIb4}*@Hejy90bG9M;^| z5|Rel!VWr*Jxy=eJTZ14b+b>p_Ex60rouF;-+i;L(kh&{f6KGq7U~X}x38|bdj`l; z{?#0)N=@b!ZQXyblkgi})8fUu=Z5@AS(uED-;qq;Mt4T?R`YK@)_+_f7%7Sm`+{=Z z>OEEDf*eDDHDG`FVz5xu){<424N)nwby zX5SU{*b8LX0c!haTufOERj)Uof{EDEkdvusQV}h+(m24r5c_2cY-b*M>psq`b+2me z8z()1ebsKvndlq}vjfbRYDP>xTdBqz&W8$WM?7t%P7Tu^&kg`l3r*hBtkFpt%MFjg zPf_EW69OxZfPoAK(h$nGbAfY{q^9D!5q#1t z_BFB?p!bQ*AFq(G-gh}HtMFfv>PnHgzD57#m>*CYTW2_l#j3+lEtTJ z=GX~KdMcDKYemH-JDuNEpt{cNT#s&8kXPGouoPwcbhh$h?D%CwY!w}l_>@7)3BsJ2 zklW~l&9V4?{h3RHI(%&v2?lzQ1F-Q-ygR~|e1pT?LO{>$mO}_mru5CphGL826c%Bu zrG}CDI*RBLtc}zFO18TLb$Fiv!%!Ni0E7|%Fwe9Dzjxbk zxo5U7{So|}zD9zS)W7EzNfyzzI8dpT=?15&f(ho=9W~e<4r>ZCFRsx{%7rers5N4F zLeanPGf5S^0XDU232IltSPTOmos20rEXBOb2Ba>q1P_wnSwUx>&HFPz{mNH`G8@{% z#`p#v@QA~IJQ(EZ5#8?V%SX^lI~eiC6hu}YKY9WEPZ>2Hmq#f8ToB-C@lTUMm2T!b z-~BKf>f84YD@3Ga+Sz1L8g#3MN@vagfevaZs4Zic{+MCvc`3>8QsmhBjwD;flS8W0 zae9Z{bGclZ(MR&y*Oy;(1<0VvW8+q>gXx)P2MMwBQ=Hw}hggJtK0p68?l zEJcLx)`o^ray$rA9M+JXM#=BSQC4gzoDInN&`Gl&IU%5cQ|Mrtne)J2yBxS;4d(e7 z^t}tgMXJ4mI&lH&jTvc5#63>9O-?qMQ{fmQt4(SXh3R;{pS+`xY z%>89nLXyn9KK8TNWcEqZaPn?Ew!)ORMaqM8TX|YZRpgiB9&)!m0+PGIEYTP`LLQPk zWfjG@R2a@sPQ~iIJF|yXtzyC_7cpf zu(G+I{_VwI0Tj)W*>FS0fhJv<&}oek)X?9`G8Ew-k>lb~?XMH>gisyY3{LG-jmNz% z=mQkU8FxwLQ1FnKP7j`G+*bhZL7*BsCo1B%1K$#@vtLRdh0oEuOoeS`AOupSv+(~w z-_jz2z9vOeqxL!mz5hMIk%6!*lO`^98LwYEOP*DBOu?W1dyP@5}&|gq7~2D zSllpoq;Daa8dE4$ZroC-K3a%jtNgLhvDAlE>-aRi0z3(?s9{OUBb%19|DsCgc(sTx#;AE@`9fCFtf8*znSFKYX#ODor|Txd>pey|RWE z;cJHXp`Io2RcT#&FVQS_LxSF&141=S%+TJj|A2~cls)W;kS50akTDx6%qr9l?)UNB z;?+Z?)-z^h`TTs~&U)GGu+8ZC7ZC3g2I@%)iX`1P6oMuwueLif@YhhrGSt;ZpYR1m z7r^yje#_~=!}PqS{U%_@Ar&rO*keKIB^YiU+pC7g?95h1mE0mNm<1RAM}Rtj6MnK; z0<$%$HVz~fq&7NL1OC_~I6M69dDxtOrU|{N*H1DhdTq?cfvGU?nR65n?Zfc!U{6>E zrx-)~T~xu;G3DfPp({*}@Rwr0`LVb}Wt{7lBW*?%@2&{$oyA_Qm}XTgSQbn%J|v^j zi6Up+2nIqf()WRYsyZS*<4XfH?X6JUM#3ZkP|mxx&{O!h>Ms=4?}*%V?Lr_`HZU|% zsW)mJREBGaOp*x8Z}$~Z1KJ}{5gGv&Ij;=`6*9L=hnIx5qp3n2fWu8f ztp#MQztvYR3S9Xk>>@&4EHQ~w;7VN~0t9_d2s`{jr$P9U85#{-AYlSBOH>G=n}kuW zjO`Xz>&hm@xCn|6QSDiySr!74Fa6|2gpC=;4gl=W^v~=|lJoLengS%Hz&Mb0eTDn1 zmHnZ^eZA>EM@DrUMOS*}v%AMaq#C}*ts&AtPK>3;H;zk1FZ;Lpkx{0`A}Q_;3PkYQhcpqoOVU}bb0}55c3LkthY!G@0#&h-U>k4C z?Xk{xK965hJMN67Z4)=0E9E)#+M%3sx4ul;>7uX)LAt zN7aF%yvyz*hkVqTIqF_`V(!&Y$|j5T72q(t@*sVoXy5a1_0>F2##AmLL6-F|HGZ}L zKI0^i9-kSQ7#yK()|KvCqoqlMZBn9+A2ulo<9EP+^aHgyW&uk1TZ+_~>PT7|{|(_9&9u3#!Y5Yj%V=BtrnOOtn*U}Vyh)?(uVETjlCXs-ilA$nURAL zgA2VdW~1C7bVuXH6i6@rNFrev1&HPuDjf)S(Km+NsbF_6$hg=p%%GTUi?msj*oa7h@&IQ)enUy+Y`p+cI0R}iV>@XYrn6A_$_zfl|?@-s*YXhjdnGS%prflMe2x)Q>PaC@DL zsHWe?Z#f$ow-*qmF<4RK?g_l!h62S}1OY#0cBjz!Ze5^_3;8{Plcn~vl6Er;+FWSP zAjs5)eWXQ*+5B1P+^zvd)5h5f9E!8&_^xkx_Z8X%zWE|we{`KhzWI@s=SvpMMPVL> zrZ!)`?V?0r*R}Bka(MEXJiK{q2vY2k-}`IGPZ)U#LpT-Ah+M*Ga3?o{ikzljhjeDe z5$+qWT39VJRtsf3yhx|tK;Y80YK)f)&m1 zmaHjVQ5+NkN;~6668JEz*_?_iWk8c=SkmzQBwq+2n>9~09PCr7gXMhFRaUu&0o{Xg>ghw2% zpDmczz$LI`N^)4*R|%w>2C-9CTOrRg_Pv}!OKjqG>WOM*w@TuDttCbrwe$G{2=#RR ze4&%$E-zNBal#{n+>*_TCP7x}#gj&5(+`iR^VgSv3fmOL1SaAv6nv8>Uq>MnGbfX^ zX*RDVMo4izjpK$H$tXQWZ@k`u7X=&)`!HkoTWOM-SH3g?|Jioh9e2!{rWYC(%qnc1 z(c!Ld?MZZ>60h}|U|RIbzVsEIJmFDE{<4|vlD0eFjKvkJ1xBU5-r(tGs3&u}j?^Vm zQ$z-uHnVyqw_pXw5V9Rl8Gi$A@**eX*4Y*X3VD%40gd;sCF7owy`np|j!SQ1_1f;+ zj_Px9@@&V`WTEhciN544Y()Am*_Zfh$n>iYDAuFRzODM5@GOh#$p^ASzhvw@IPy`IV0Kr6#zKq`?{fSKN@^`*- zHPE-AVqCAGdV^|tt(uR!`kofRVzRHkVPJ}iUBFF3lgi@~^P&Ljl^5sfA8k;1v<5fL z_$bEruHRENql|Zjhs2DrP};bg44f%+9_Gqg-4vU(TXD~skhHzzZb0XMS`2`M<5gcq z^N57<{6Q5+-aScPS?%>@G4;yE)okN26`c^1(;sdlt&~PdhdfKiyIfOF)1L}k=W88H zKt_Wsq{Ye4*<7E+D4Tf*2_?3AUQ{OggKIxSw01L^+c+BR%sS?khF^_1xF6_aN6Ya& znQlxbfYg4bixzoFwx1xat7w_MZY(Gtv5mIJYgJ^A?Fix*=Kfe;U6op|iQc?&*r51j zi~fv1gO1^uu2~jh!B*jss2pd@5JM6W+1T^uX$T=qFT*)Pq65&$GxR)v4Y@GARGC*= zH5}aieL7@N*em&jCBq9fdLa!r%l!w&9ITcH4|5LUY8(=(^~BMcOWxUfkiukA*)Omw z=G{c2t;sOPT$3_>EAd<_4Fjoznd(GOif}VdE>BR3lfYs>trnZqpch>`k#e0{WkoA5 z&v!#^>aQ6WEju!Jo-@OWH~EQg;&fHsI_dFbV2FI(W^|e;*Bv=zEq(z#sBl$Qy?eb( zOuY|rOmlUY^ac?Lz5q6Zz%r^58|q6LqVzUKo%u0td)4YBI;lAitaz~U$;-Eyxq*aa zr$6|~?=_n(1Jjj`P(R?_8|#Xs*hZgEF$0S1Og`;KG>!O4ra8X`!q6)!L1oNEl^m4V zXG8&HHwO|&XnSB=FOXmS%Ji#)wj&T7mYLC-hC|%GNl~Df0LTkmM$?c;KSh@B6z%0y@n$$hj6bGat z;X2Vwd;a77TI+U^QK^ZygtrYnBP#g^{_f$a#3TvIEJ)gZ_b&CMFf&8NP0#1&pWup) zODXeSl7(vqoI2s|`J5+LQ@|pUfO>{u3=$3=zV2UX*BUVlHsticnI()ZbjmyhY~ghj z)l?x7;6pjlfYWQLt;{3@OsYm*x`0me1^W+GN9

    w4-IWAV&j1N#_@6!5KjA+ee=J8&EH7^xOX}_Ij=06{6s;gnSb%jDa=y>k zXq@p|VDIZ+1}5JWh8`sYit;a)f7N_y`P$ZpqX5rs{E{%Q9G+?qn7^jsN{hKXnw|$1 zUfyR$LyR2anwHAI|5uL;-FfPtsnC3v4gWZJVa>0meZ9AN0*gUvq9dY#A9tZka!ncG zA^2(WHF^|@42+4cTLaWIXlfOoNc-6)jiZPw{h^E=8~JDDR=b&b*HGZIBCFlN(X#hF zH!NaFpX_fCZwH)~qYccj4-v`$^W^O3!Jn!tW%8;m9oW(ZleX+_7+zI7Pkpe_u*%uiQ zP{B%rxTQByetb(?{In@~RP$gqr`r_rEOa31^lVhFa|h5K+d!1fM5+zA-Fp{L#d`G- zDLbD0zRG7tjp8RqS<7wBRgBEigDCUa~ba&NL71gKo30C1Ps@JP)kdbt z_7v&0MlH+TU39El$~oDqt7C;giyYG~&f`J)k@q+7s9~&?uj&BHp?gxzpN47r8%Sv6 zS!v}mO63gVnF3nCarPG@aQz$sUqUU)}@mAT}WbX>L5{ z<*#H4fqNUl22(XP&k0XnQq?UWDO3H%{Y7G`NHnDpI_TIRv+C^!yfx?J=xmr17yrnU zY#5s=#u16^R4H?LpDti~LcAK1;VhfU2=>AtHKK#zMcu|7jp0H4Jk2WeKK?NdhSu$U zC{|JAMw`OUc2V5jiACI9RZ~?$4X{U2MJT^8GFwnMwW^jx-jqDN2}!UxXH3A{u#4SG zx}g7+;%6oCi$u5u74V4H!6=)`emOl*#_HU4d#54AiU-M2Ve5{l&*U5B)^Tc21gz>Q@xkFWAKfXxdNfr+XV7`R`Eh6!;=@Camo2hONwMIXOb^s zlE}yugv)Q3o$$JChhKYiv~{ICPS!rr=rZr!(iFvn{ z*=g69nysNZ3zQVHOlq@tiX5Y`!LlDo`VZ_K$=B1yZsnUwaYibci3;?SPSQ| zDJ(2J4@BTHf0BGBmi)|WQz)Ug;qcK6^^;~jairJFKbr|#VTV@_&ii&7Y@Q1HKD8xH zIjty)zd_SjRF~gv(2&fS4uCt`FO$lWu9k2hwx~1kQY2Qs5IM_$%*$uwCsSTj+yA zqm|^uJ+yL)A*F$5Kx>#hF4EcAcnqt)o+6TchV92v`Z;=Q-trL!AL(5B*cqDWo`-%+ zrL72l2Fymg3c1qUZ+T8`sQ0p(o8^_-z%sXo#kZ=<*a~6BsI?wO6;FvU5IZORD!H2f z!k~>rgHz(?Ob9HSsIx6|e+*b+7*3(qcSjTz{7{H^f-y8KNr^f?kJ~7h+n(N3W#9@- zOi`-coPOja1w_zJ8lwBk((M%a6X?x8s~EOI#ORO_&Y;Z9Cd);wNn|L?*VRHg79tU0i-1d5ZX#CLl{PkJy_2~1T$E43+ zUrfJU`*nr){P)@G-*;o2w7<8Q@1{Bb+yZ~qU*G-ijr;IxQ~l5R?b@H)4;uoDf^ny` z_}|mk=m^i4w1TcVKm6)FJlnY%3%vbyOxt{V?UHZ!+M=P8`QO`H1YIv(xQL3rp{%|7 zg7^CO&fC*IyFYL7Uf(|aad_j|v6d&M{^#ZR-8A_%W!ue<*RaE|Y2rIU|CLON@pKRYawJB z*`F>I9Kk%lhLI>GD==B;Y7~ZFoUU&=(7>Um2w4_$KAYnIrn zZM;V?IS5F;U-@=)+C0x&Z?Xr`nCZ@0Jr{pjx@?eb9WfOL z7ZFc!y7It6|3ydwg4jGmNl-s)T6F(j8GPQsB%slcvSZu=ekTp|sL2H{3r-l;C`q8pD}ZOT3!ANzJAQNMbi+Z&$`Ncj$~R1dRb z<2@HLVqIQ!X(8=}9B1t<9qLf04B`r3TeACiYdoy}F}6p|&(yB^@n_p7d_)d*OU>Y+ z-0z{|CzMg=Y_h6c$v9pAFoOTh;a5RCVqR+Q{zKbD@w9+hN0vi{mHN2GZM9R6{BDDp z0y@d+s$q8*NE=4}-)@WJx6u`L;pZXznH?YG;63MOlRDw&K_ykr$=4v2{Wg2hiQcmR zSBdYx&{jXE{=5p~x(P`h^ zKp6q6!yU}^^y}WmU8G(#OETBXGe6U$$*p%AZ0^xn*LXjBVhEcBov-z}?I2ZGIqDJj z0O0?^m;r462Y@hJr%sLki^MuZTNd19VebkgX852tPuHsEQGHZ;s#gyN?6Hx`0FZvt zg)ri^LySCtAq0*+5hb!iAs!h-RX=(c)V)5Je1|r_Bx=9?Y*pSLN4{W_+Yjh}@2-pg zuUjGk$TJ*~JuK%qe@JRFxidTF!j8i{GP1lr<3X!5zjT(iaPGGTj13+<^=f>dzBv=#r=GF5WW;C9>b1s@lA!oPgGv5EOt@k)$>Xbb& zTLN%x!uO~6P6HdJZeoHob-lKZnXWQNBW z0_fJ|**P>#^F&<|v|LWpS!-|lU8L#t388Sx6v5wB=c+OQ9K4J*^gk@>Jycnw(&QrL z+txME_6y?=!EEP9;ko3JlUNI|;T@2Tb(2v`*F)wK)qq2mdhugLXD0Qc_nR86=>ps( z^Z~!J7ST=ys%C9|8aL0Kp!L2#5iol@lTU1)|2OiQ-?zg2G)M;oQ2u~1bGP*QSHW4| zfq=A@4ks}~WMTCH`@~9Z8JpchT`7*MH;Kqbt)lp#hkOcW5{++8c|lfAx79=Ik~eA2 zWd|-##S9RAERiMQuarW)Ouwl``2qa+Jzx8O?TQhcbFOhAZM(&{Vwl;pscQMPhxt{O z@4`tQi-M1I?M+#{sD)DAk9|#kES|AaT!CbV+Z>j)^D@!(=DQ#aU~fkJR9+XrNY zr0!3ZMLZ=6ny;g+t4dq)!+x>k0E&hnV+_~HB4k2T8m-@D)h$Goxn$;tzi?p+X35*O z&`kVUg$*3Nu||)bQMoHcxDhmUyfsOz5=+`h=x6Dux^mkj8i08J4^{ea4dK2!XB2KL z8a*#785kU|O;sNojku7wLpypP5LU(-^zfM`JgRK(I7_>Gij9FO^y?_L)5S&j9z>Y} zZv>ODF69@lI<~XSLEppVN15wSU#vluoQ{*xlIOR34oG)!;}W?>+Dy@XS#W<*uJ!5O zXfClEjf8{A{v}25{vEUcqVpCIIsQr<9?AM$wK7u9+S7DUX7B9iG|$L3uUc%A+j!RC z9?V%b@i2)^apG~F0WCK_-8-;!)T32F=dHdEK2h+;LpUh*M{clESxGjzbc%?x zw#JqmLMwE*U*E;>W-EOAC$Lpma`YMBf3&lEbo+k>>Q+k>nKEh-ci&pNeA3oAwCsbA zWvQ$5G=HEHjE$|*!;IIyUg2My>El|YZvrG%#~-ZokbHpS@0%=e;~hOl9w%N${2JNf zK4CcPd-z#t*b+F_zsTqNA>iIv`KLX5QL7i>T+h-7{0@cqE4n1S4KZdrKIYEFJE~UN zf@g7F`xEUH#Jqj-$-BaiwqEX=>M?ctbp-TX;%wg-X;HevON)nh-R@>XjUSf6fBY$J~f6oqp83F)LQgy|>s1d!q!a}dqx9PSL@n{`!jXIqiwRzWNX*Ko9Fc$ z(ZBk%X}lHJyFLwk8BZnurSMPx{r{AVKK^FkxjGqmc?)HY@XltIw{c!(-OM1dyaCe^ z=CMEB7Ft8$aYKRwrgf#A*lAWpo{;!Q>dLQoea926h5as@M4LeoRn>tYkuXt(7$cid zvk#`*Bzv8j<%mGg_2kRhz~+B6t$TOz-%|r17UmWA8DNr-EJz$RxjvFy>)d=HV~dEF znKsH@o>ME{$XZ|A75i@C_3AhPos|l2kD~6CLE_aEwf|J;Jpz7zF-ek#mR1gsSDI}byE=B-u2T{A$>;A1&W7HX<|tY2 zMY$8b3-O8>{8d%1j!Sz)H$k=*CewG<)^xQ2C2%Wlt6nzSR2KZ^`m@!=2UKKaACROh zJ6uusx83}IYNS#h*~_8GgE=%-m+vPug-N!3O0{zW$6HdmPJ1I429A<%(fv0e1r%o(aKz47q z1ce+;K=E0Tyday~sw%9_na7H+D&QWB+P`ad-WZI8hXJA(06G&}O8}kMQLtCQLo7jY z?vHK)`_vA8o}CB!g2NDM*-klwk6(3IomVav4~O^!n(c0Fbzzl>jc;5w{YW-sh{vOD4EJ$UVhjMla7~iN~`8+PsG28 za2$KZEG4@?D@a~qvSuk@vK9e~f`-gnu4uj~yNHeoTd$H8K9+++ULcb~k7e8&)FQbX z>Zq%3GHYjSM~}@x@ha5E+O7R_*re7o>W=L#hSYpMenZrjR_#Vy%i`6?pV|Hjalj=8 z%&mWd)W3WA_hm+B!H(4(-7QPK+j4cOpY4r40=VbFx61;6nI*(P=8V)rt@sQ7* znxtcM=(o4gWXGCTS@dqpb>Z)lO{Gz~ItU^^A4oXYGJ4Jq97Y3;ZtJgOn9uhgW5M=W z#*0X*uiUxY`4nHEwRmT)b`P5orL+b}pKKJf3obpWBJ_c0eT(+=sUyn0GQikvbm>A6 zH>f1~0dDk4|Ec}*Y73ARRA!@SXsgN!~ein&w8TZ3^N2l*6+WJqvEt4nJj3(&mtk z3VOD9^z4tDGy4v;zk3m+F#B7{)wI?i6_n)r?vC?k+t>$o_IYcIX9YJc zOgkH_d9uE+y^HRf!~UduG`YxV&f8$7;M>(t{nD`Sb?FxpS-(W_QHo0kSYomV>pyw@SvZJxA$j|-MuKJJ*LV5veVWBaf47#P%kN#H4v4jjy233@ z%lxT~e!0)f7$nlzhCvu7y`Od$j`^D?e4BF0b>V&+374%utF(80U{S(onR^U5RCPBF zvYz(mElrKUI7p3c%g3wi8 zRQ-Z{Vph_@45Jn)3w>W!+pwR1P$e(r-yn@m^f8yli$AV!eHzs0of=B7A!UDB^#fXl z)&Ju-lW8zwoNo596V+EOd&37VjRIOX0jz9KVJ>V`_|C-^6<-upAx|g26HQSJ2+B&g!+CG{8_o|-1%aebkIh(#hmBMRN%*p?O*iM3 zeB&c*HcYbASeDV+dkA5=r;9%t!#6GTnRO-`D}3=2)p?{s!n&{3^fjQTlf9->|NphyaMrCFd>o=+L#}aA&AGO>BJGbJpZOsrilOj54mS3!bjYf{ zUm4ZZ1OC%e622UKVXvHr!e*DjyhFeBCOvzoC)#BwULF6^nP@*`QqQguz+ML(Xa2?> zxkM+zhq#^$lH6C~Ee8Z9LU$tLiJhPJRA+M4{@)#}S*$uk{T<`-Jt+G>%VbX=J<%*CP`{aU3(5 zU1$C%uzn!_yg>4>7Wid#$f_;gjH8h7|59N^zTQ{pitQ#F2u;K=M4gH!QPw1oH6mNJcr(YvJ0qK2 zpnM8t=<`ye=j!D`%{wDxtZ#@xaFI07ZM4u%p53YuoRMi(a{PY8$E_k~+?x!pZ>Hm= zXa6eCM;57@B>j0YVk%Nbf0&~YD zC4w9>FAA23+=={(Rt7I1CrQAh^z^jfe@X%?e`lq^2Z$yC6%KVmAa|?|*!cIozf+*pZYjepN-aR=xymBSTOu^c%%V zE)!N!Y(?ou$1~1oM8e0XC-&@?fkIo(HVK}Jj=Rtlc^ox}F%6FBS;*&hb1w?V^UjPM z+Efh>5zzENY;Ywz`I(OD&HPjWj!}X2-rJ8D17e-^h%Oggj>@>`2xP$y6om0k)pEZF zGcA4NX9EdN)(d)#nXtAM%CX8WvPCo*fDK8YBUY?NG^}62ESg7Bz29mD)8V?!cSdOA z5B+xe4J#h@j@H(m*5*$}KCE)=cZtB>Kc){WO@@ex8Ilv*7%tq&se;?D=M{1kpA%$$ zc|g%62wPZk8as1>(Kph4L9i4~*5_}5zBvtXc&?3T#Up&Y%vd?v$KorkYQ9`Q7|)q#bxC_GkTw zXK=f=LYLyHubch;>|R}wuS{IXJ2&P{M%2y&tL9>%X#1C7DM_H!Ai@*nSa}y|$DTy2 zUyQ6uQ(8E@(Y@q85DO@B0$KvBQTO!g%{%A`u2?*k7C9c3T&zM$!Uao)r^-{+`^T}h2~6_Z1u^h7w(Bc!e_ z?PPMYc!AA!Wy=qtRF*3?TpG$)SGcLgNyuQ zbcfLNW(tNGG*6`|y>npUDql{ITt-M1Cp!bEgP%Y)1)>hG{G!F+%%~n3na94yZlm4V zFiRp`$!Fts-}YL z!Clxer#eiAwa;2(0XiL75UKy&a^D2TOW|{lr8?wRkiwB0U+5=I`874M6ss4XeSQi0 zt2#Trn|3Eqnx?Mql&wnjxpKWnJ9ij4lcuG+`Q-fez_%qln57*7wkGED!E}K5JGWTa z133+xLNOz&_!w~xp;|6HDUQYPi;)y_lt{WIwwM&u2C3^nnhBrs6jwKU3$TuL50z|4 zf4JWCMY@R40N>lzbZ}-=cv~5qZglfiQgY1sYiLJI^iV4U`SZr9c(yyaF6PC{Cy*4| z#)VwjVx9tPkW3a-bCDLgp4^@wfXtM6?9?-&FXK{xtJ);xpv#4(CZ@pJg|i}`gi9gw zq{}jrIf&Aabn%_F|CxJDWuKT&Ml{q&}%P zjQ&23DXCyxg80%h(@USZ@0Z?X%{p$~#MCp3M93B@Cc_j}!**|<)gbLoXYuLo1o+BU z501N}O3?LW*1s*qo9qV}lVpbTnw>%>>>U$nI;5@((-ZTD%d>Nclb{ZtE>EQgD?)0J zXh?OHFf*N{0=T1vLKVdKxu1mnJRa?K%nvmercFm6I)-C_Wc;&^+I0A4MUX(SjM;eC z&BsUl0SWG8i%76hSds?u-4(?-o(&loYQTjm6tOm23KYi~1D0wU1POz4kv7-zil|j? zc8LL-xgV@>oDu^BU^j5OTp#AwKwK$6XU=@)bM!d~V|(dyvg&U%Si|5B(9s4gWoxRK zmf~d&p?gu5{Ff9TaDlGXsdQ;L6R!A2083u8m-)7S5)5}jq@>!2>pE%?nW?BgCM8s- zd=Caux4-($?q$ia)b|NK{_4nnO7KU_70GoYg@E0gah-YlA9O*K_2F_BW=l%4k8JR| z&-HDt&A^&0YRMg^)($S+Qj~vml|Dn?6dYdW!oukGoqk{k6{;rhHc-sDy-C%}Ffyoo zz;8vmIB#U96A)#y4}^chVgVQ^5Ns&!;=``XM(u~=l%519@#sO$T*dBUtdtp!Q4<6K z52%4a|BPL;pWA=c)dnEtjWeNTJ{p1yVJCW35r<3p)>0Y_IjYGJ*@PosuIL(M)KCPI zVG5)vv9b@wHQIww^#gaad>RVZA`%vxYpkDCLh~d*h`be3Ds}1%dyFF;S6e}c{Ue4$ z2bT1_QL2IgR}=r#vnUDj8pb~}hfx*F2bI#sO>r#1Wor5RZmsLcHk1t9)UHsy-{hknL8N~oCkA1oa}qdH&)4TD)7-J>dWJo`e}}$pM*z9WKwnQ zd6`vU$m^RKp`3|g7IoLyhk5>w;pVpGsJ+JqFR_nwaSfx(ebYO#9#z_zFe}}94*f7s z%ySU0l;Kr7k0ES&0CBBxHLpWk{V?#%b-r_!{?<|{HhnUbScOU0@tm-t)#1)51@DXl zy|V|J-eYgi-3#~F(Z?Eg?HZs^YYLy|hdU4xIh2eO@rQr;IWpg>OY<-bUr%4Q)#P*W z!>o_Shs|hNGZBVOvjP+q@#7?h1uC`N*{P6+9f5l0vvmH5t}9qFXl6~$Ao4tO*6!QHEQ5sT9di0Aip>2a)BIs;#0LAik@ib z*M~M{k*gX0A@-S&_6!}vN1CU9j7?;7e8Svd7*8uhCEcZ%$qKvTP2E*>ah;`^u7+qP zap-AOj>w=ijDK0ER#@()4eLXDn9(KkmCbM{NOuO_8sFuAU@VbP6Ov9;U~`wx3$Y59 z0>NjU-)u|!yg4#ak{?f8h=#s>JCq$UR+lth9Dekss>hgqj39iR3v}Sli$-lgYOd*l zCGGtb-0V$gJ*MsmnV!!pi88P3X%CCT8du|zPhdIWN`y|fu9|4`B5HTd5;6|7go9J$y>By=b}cvmT!-iL3H%x6`CV&IzZ z#MF*QLX^-{5z&LOa_gDm4&h7s4$K8CV&6&3_o+zV30#in+SZ#gXMymI%DVZcZHRlw zZeBNf(~=6pgc!b`yj9gXB_j_^?!t-Lkn?;l?q~(r9Tk$pL&!IdGDtmPQ0Tmp$F|<} zPn@yswQBFyQkm2J+F%_tLr*p5aGUc}hek(>)MXuV^KH;H_*Y+-)SgzP4yBDVPz7Zr<%Q{kplN>SWi4l$qOH}SNCV^2!ueZpW zrj6dlZLy&G4N}#qEr^NBvbtd}jOd;|qUIDlk=i2~UBs?(T*zW>m?>Ht)I}p%=B88Ae;q&9GDb_~c3rDRN62(tGX@RCMUX^9G*r1NFR#$<^=Lf{~hXjnGM-15b zYFfSOo7%{(&7O%Of}+Ra9g`>Zj@CAWeYt`i2_rw*JjG;zv<*)q>trV5osO!ghcQ;v z`%?ssVBKR&i;N{0p%Gv;7c}axF?j`hV?j5iN9&s6PbWL-@o~m_9>lCBLseVflpL*w zrr-(NHD)XAQaK9{} zQip?R1%$~>Jf&ypj6po+=lz>!qCYESD>#A4QStblax?3ScF9HI2&LoZIaXs&bXvur zac5>*`WpU%0E`zks(ZILJzMdksJ8$CbC*;Wxkja@*e>@@A#(IfnqB+d&bJ0B21BZGmBh z!q2>q(H(snPTJN_^mt#rV}HCp;=)HNGzeKkn2fx+@=ytk1h*ULBy2=_#ByWz{Kyd} zD#RXR5v@UzBYg;(Wo;R0f+BN6oY_V6roz3LbmeM4W#^OikFZr89evLv9L-oJYoIeU z+bhFPao64|8F^cVK1_3pPv-D8Ek;HXhc#;_d@9oOJ(M%xnV=p{t^6BndjXYHXDLd7 zdAl{V4z}TXm+G~cF+RC{q^CfGLcDPZuC?~h#K+j5BH9T_i#1M;@~Mb)>bJxu7gV^_ z%+j)q=CivJK2HznWa5EL%z5vcKaKmcY+--)`tVTC>9l{@Wn1v%YhU)Umeq^XfVYb} zzAKZCEIfmuuKve#Tqixs!#> z#B4C++~?&i?4c7ur>x~^WP_j_6Xjbz|2R-<$mg_UsVQk zroOeJ3usnt4$D@g}^6vP)jm z5r)tyY{2>wdGt9m{OG3+t5yN2Al?|Uof?#_Z~35#Z#^77K-Fu5C1Cv-d=jKskP^~c z-<$(h3a@Byztufxmu*N7_}E5@^h=X{YozLq)eOV!cmY~iI?10&%k*~A(O2zcQx?6_ z@b{B{!TEVnpekFyT#ZdGGb2#G%=E`~_G^FDR?5QH9))r>U*oiPSJh#utWMua!iV}% zF9nQjfhn1>-0>U~Mp7PFhUI-RQ7P7T z1QsSfUHpFlcR+~0>>T-GO0<&uuSRz5EUWAguZwkPCAAisb!A?nMINt?4ptg$m8w}C z)r@cOlZkeuHx+nB8~?6@^U~You&zpCotn64&nsC^nz%9wLa!>K$6K(Sy*b^4?1?r- zp~ih$qSFUgv%};!*n6!N9+qRRCRoQ4oofhtv6egBXS9vbV{J9kp_{XjYqRErJ@KflL)nGydwx{BdP1Ak%tQk;H0hZm7P_KMCc5Y5jv^F} zLbEzlXKz*8-=IzOAy8{UK^eME-=v*gS{%tZ*#}$2O!c7%cyoWRTL>H3#s?=F?nT-CxLnD8!GhY8tY*yf+t9mY_p{VV zV`nrsG&#Y~8VmBi_V?y2Hk5?tvsnnD6Q1UE(;d=WJ=QU z8(KM7Y)iK0G`MbSlj@y9yWY`i=Ksa7t`pt&<)|JU z_SR~!pBR*OkjUPz1jgs4#PzL~KMi?(n{#!f!(p@HR+|Min;}896*9XOEuM>W@BK|{;ev+E zn*J$hc97API)+7A6f(NVB<>YdW7Kq0L>=^#HnDCGn_bGvdZEA$T?^XBwyKVY4u;g; zt{R>qs2Ktp!&Z1Gu-QiyxL$iWnloU2gUu$|)NvTK#h=lAcN}$ay^(FkPE}{9!U*Q3 z`l!+Uq=~7cut6i*pl8fYEq)s|ftLWiPZOa{^5;eq`3Qzh*YO&tN0mt7Q!gz#BvJ1| zJH7RG>`^OT{*g|$Qt3A6KE4fg(K{;6$k!P<*;-9cw5iuJ-g$s*osk?(u|Ph)F>Io! zgywddP+jVcP>!D8rHN_;@tufHHY@%>_C%XVGSLWX(8LrKVxfArl4Ti)?&I{dV4=~w zjoxG76?&g4EeK1R20fNL&*bTTY*!kHh-)_&l6W=iA|SyS*R2Zs+^;`Vq9u*Yd|< z!S6pvi2*BBmgVE?+xvPttdDPRhtu_bKAcbAZin@BkH-ryx3|yRTO%dRA}P1?@$GtB z?uXB~!+SX0-ro-A>;3(3J$>BX-%sne`~B8P35S!E%jNUy^YU>&++(yJPH!I{hwCN& z_4T$~qe+hw?n?jj7Dd35l=t=VcK^IS4(IdbemKQ7-^2CW`SY;c&X@J;{P;MZzZxlE zlqBZ-?fm}!5p8(8EVsky{q1)BExBdVh3cw)TC$-Y(bMDVnpKL!0+| z^wRn`yr144=hOOe2T}6R+k`cdw7FeAE+4nB#r6IcjXK^x59h~mJzTzpQNA9h)BSqs z#B40QeBQs7<$6ARd(dZ&Auu?$!^hj#w~x~;jQ?mGwK4JOet*B7LWk%h{^xSITu#?$ z+36Zl?c?(jnOL|V+K^Z1QnI;1_z`hl@bF)>6Gpqa)6ol zT-Uy?``-I`pO4SS{Xqu#&CEL28OQOj6{)YQMsbem90WlW8tTdh5JU`qC5Fh(fEOey z|5FHJhcuLL8u_NKO(377?gjB;DRpi^=4GB25T!D)c1h%+FLUYWLb!(Fx>yRFNRJ7x z5|DZid7SsI_4;k$U1dol&`pu>oS0DeCN9K<>7tUx*=jU zV~DdTN<)4p1@IkE9=+h!s#MEi{1LynC(Dauk5`N5?frgZ>Hu>ZsL<7PywR`;4^IDg zaLG6+_yu~I4*!G<6#sg;$_~GvXsO^A#dBov3p)vXS5N{WA^f6FKmfnwqTrwZ{TMt6 z|D6&r3IE+CU=sd&aNzUs-&z7D;lD)zOu~PQ0+@vV76mW~|L=;zOEV`Yr~6eSODika z4zd80X#?=Y{@3UzQx~g`MdL5LfxwqwvGPU_GjS;?H8(f6dP)ii#k4!=!3HUg?(Xla zdU|>`Zhgj}?J;4F@2<;naJ*X(@9eRRSC&kPMdCN{K_6;rULPnDK!sQTg_vF+vqQf! zYip%y+@>z4NV&!2Y0-7982`vo5K3N+PiwdwsfIkPV+Tu}O$|ZXp@V~ij!sU|10{E2 z>bDRELPKo)6=pPDY{*+ryuCZWzrC&%kYJo!Qo{eBCv{nZ0Ae5|fE3Sqd3mXTp``}y zklF^Vj()kHAHTZE+dz=+kF7VY+oH5R+Lp9+M^@zpCa=YdrEz;Yy8cxa>s4TjIwn7hT~=XYk~ z<34^Ydhw$tHc3}j)V2ADdHehI-p;j=D!b7S4^{A%^Ml}1BhHdN3af2kaaiq|)4jY5 za~|s2HDY??&~{xx+rPA0V%}bN7@Tt=ghZ${A&AE@8{BX4fZ!I*)r`V{Az~<#0ZazT zHSaWJ)+77Al+8EofpZ?Gea-GpH}-a$9Unf7od1?gzX_JN_$36{q(;^23+7vtBL=G{ z87i9gSBGm{%)e(KTE@d)*52ymTF7Zw>^2?pP)hY%FhjeH)fnmNL(orRDjSx>uqPF} zEwrqZ2z}9Ld_+jTuesy|HUGO7Dif=Efp;k>IkmO5YEv(jmB z7DCzj>N(ZBkrEiaSs$xav$L~1>2b@TJ(#L>`F?~M$Srq$Bw$&|XN5eCty|8o==${3 z4c@5m%5dW+z;}V6&dw*}MQfZ#sYceu6Y)KP;^L{)BS)B-4tndD)e5)RA#3D>D+Fcc zUnPK~a}7GNuSV~`A~E{CYW6ViA_V1u17c8dapl*yE8x`Z$C}R;6&$E&X=w>qH#hS2 zn*XRMzyZ=BNCQDdcZ$KFxWL<94V6aD#v`uC%E{R+e1A)VFez(Hm-CUoxXxVL>7amd z%g)QQzg2M-Qp^LKrKo>k;L?vDKiqe^*&_DJocM!Ft&4P?kOx-BYJ3l`1Y;W{gHT3A z`5$*Z7&fzON4vNdl)&fu&)GpCMoa7KvEb+)_7^BnJ4mEn1`BJmjfmQgp(uSW8hKQh zdpk;mx~#0M(~2-RRTQQ8!^y=ZR!gX!3*NBqV`WlXCtWC@@iiQMT&J|6)yZei(X|?szO7&HZr;YxtS&Hh_0sGQgvqvIGb>p5X$7~ z|9W!tC{ch3u81qf{07#x_sk{c#hqyv7bsp7u}vNK9m$RVOuG+iS?CaPAtU%q@xToD zOtydx7x`5lL$sQE{^<#8eUh`voJSD4+_;EXpE-trxY)qMX92D@rH;5;pxU51kc?cM zJMeCzrj8c=C@?DJ%8$AIDj6N3{n{XAMjLaK(wP3QxQcf^rb zKzV2Mo@*aegYr|frqoZ^VIJo|B-6$#&t;8&L`1stQ0-HrusqJmi z1^YNjO==!nF;(~cygAMf8Teu^R+E4~`%p(9;1fbp4IeTz&;{I)j$%2U4r z0i?ejvsa=!zeJhvZBNaocQV`gxzO{wmg=|fz7m_}8X97g^SOgRlDi8^l}AvJ>QzEx z6$mma)vRB#xAmyUIZo9{d<@v9%hMP!ZQ*>YNhPY^WzoH;EvDI*9b#A1ewMf10$JMl zK!*i+a<*?|#LU=^D7+>8x$sH+2Tzl5cz%8oL51oXY4{O`AZd7h68r1KWZ+#WDJR9m z)DvUg?5_62`&0m|x2oktfA(qIw`2)5hao-Aq_>wxjy&Pwx3n?B3{ITEizc#PM%Fs_ zR0s2V1rM%J6qlqh!N)(%XR_$s-NVVrNk?brm<;?0vi(%9Cf01xn(veV_2>!&UDM>Y z-W3xiipKc4Z~aMe|0cB=@sxDx+THiRe?ERNhsDnR`6Okxw;~Mhxf$>~eA(gp)fW-c zLSk>Rp|`?8eco@`icWk+Mid?9M@Mmf1)Np*=t;UwG6=5XJWH(xEc)M1VK z_ScppC7f`j9KBOuT!%Z!Ei6Np2i7wyukb>HwU+dt*K!|Of}i15NqR=RPK3EBV8J;G zF?z`cd!*`LAuu5qTsJNKe!TlKkL|Lg6WL|(tj9$#kcol;ed*Uj>`v`*;;g`;g8#(l zY0<~8-WX(KpD1pcyE-&v?Owf=H@cA_3?@L63xd8Dj|%(0eUnS4ki5!&cgypB-TNoq z+0>^5vX_JZyy>kv%>H(U9;cNo5CsnK6Q51iA#|ymx!guN>3{{8@oVUw7X9vkvefFW zHr`GPspS@A;r+XUwj8g@CW#i#R+B|a?d z`WeEoyl9S;G-gop>vq2Os__`I)i*bXte=kf%?hzH+_erGvRwbCEw51OKYfIrD@wH& z)HrG)fVN#pm@X>-#9c`JQT3RVYc%L$yk*`E7gtKIY6}h=(HFm2+ zAx{fSG(1hD%>%x`K*;}XA*bB2-h*!SO6DsM*@yf48CK0nYfgCWNz5f(_`Zpni5rE3 z?fT_G)pp9%$+z4L{#TCKi<@84?#EKUu=sk}WUVcYHWacE1N}Vl{X~ZCHDe?yM`L3{ z?flfn6hJsn4%X825h1oz#6~snc?2M|>vF({wM9*CCO0Ii&nMA%F%&6KZ(&{PBq2$~ zS2lI+fB>p4fT1XW4FA*gdY{>g{kGdHUKp-?sHA*8X31%)u8gat1RP7H-j=B&&c;0fV4@63d-;<45b}wg($&FyMh9`l_htzXQi>GZsb4Z?Px6Q*(QP zdHB2~-@{`i!d9QztqJ@}a(92%YaM1=6%75%SN>!e4FkCQ`uIJH$?iP6{u9vIxA(`~ zIzp@)eZRXqiCk7vI|=gXB7(tPUk@4-iRQrdQMhbgxEy#LZW>_!*}?T?$DSyU6o8$w znNDM#99liu<#yAC{gQtGXe@=m(|?0SMlZmGY4%J3K*Q6+Kgt00W2th)`2?rNJTqW|ymY+J76ICl@M|G6F0#zR zM8T~I`2ZNqep(#vTRGv+JA1GBCCSV1#DW=yyL434@RDm0R5-XigU*7oVGCf8O7f2f zcGJ)C4uQL=RkN?am&PM-$|rLL_#ecOrY*-QL1!^0V=b7dgNN)53s34x)$$6&=os&) zQ%+|ns<}B4bh2NdrO;0NgxHTzetQGf9YF^OhU0YPO(g+Mj^x$ehMU$ty-Dcu`7luD zK+#vI^G#Vp2j{(x5e{6hwpMd+C_sm(-2bexJnwO;@}}mt`OVfIOIFnoLYiz+NdL*f zxTjv=;Vz^5Xi>p=ob%V0SKV<(I-(e*>$YvRQXP8fhsTcZelvi6{LMGFKk;t@04mGu zYqxRgG)n|ChQ&Ov&%SNtWVUYBc3#41=1+=SC)foXDXb-fbszf&bYj86;x@X{wmX^K z+5y3M+Vv%VfDX)JWF-;A_c2Qj zx~PP3v@)hsjAShnUw~urmZ4vi3>KL5KgLJ*^z?YJ-5D@gw6;1* z#`aHUgVWO7><%U}0^mgM_d&<|hr&qQt1k~0J1f5-qz*Bh2xnq~m!oJpiV1nW&Ym<@ z7%IGtdw-Z{5Ru`t8QCjj#XwDsJebWWVirn}#eYpCHb0VBENv8F9~z>krk3+j5L;W+ z@KXY(NXN5NN}dD!nZLpc=8K^QY=7PWB&Wee|HEg(%faGJ8uPbuX@9E6$6>MCz4#L+ zpFzIJZ9%4DlV5E%^Yj%_5fOquQ_P?aZk(r6PeaaY^7x4Vco+kyC`%4P(eEj0PB#cN zt)-30fbU&w8(Nhd_$hbC|L7$aR8S0HRxgbzUH0o2(_@9p%p@L|DJr)E98N8_ffNyv zZn+vyF3ZpYU$_ep=k|}UnP;n_={r@xKP+=IBLGufH7;WUgy(+#Cm?rPxKSiAn*oW{ z-&7PDqK83zk7fAgzJu6r_-Nc0+oPs_YOfBE9zc&Ty89`^h;?*gpJo`(9;NZ1AT>_F z_+UPoQ&uLZ5QvSbo7vGKWhTBxZd0jq-`OUQ@$MpWFREl_I*zRafyW}pHmupba05lZ zLQ$Yi0E#DFm!P+?BqbrC>T@vpDGdUA_sjhiP_3y%=CN4L3>cs|4Q%<5z%qVtEfv1UNVbtH-IRiR__{gw@q((1kmlDo#fi$#N4QsF17; zOY|LKK_@aw`jQ=GQ1XmjF%7vrvXNocu|b(2u$#1w)A3}YTqj=Qud_nf+MruJhd7^x z+yeUyCK$5b2&%VOY-qfXIF?9J7PQbPu{%fvNFP*9CUC7=WB0XUV0f? z38}MzIe)RUPMNTFX1ErwXz>{5mt*nsQ@i$pD=NziXM)@=9u7QcsyWs}$s$#+@5swH zGo8-q;uZN!5z`&`p9Z1ek{#HZ)iVL)U;qN6gZP~8y}gc}v`|Q$2z)s@aRNdFe&BrY z18XDjr6>BguDpsFWPkfB`=2ke`1B^dj;dZ(k(LIeeS&y%${`($e-dZ9N`kH|nD{C@p- zW}kxDt}|xJ7^9`3{lxjtPg%T7EL$`Jn^e($a)imLs;W{}vl#0?x=wxcnuN<76MhDw zKJr>ZcuZ%AQ+@B(%h(!jHPEMnsx`p9q|MzzuJqH)YB}AxN}lO_?kc&+U`1X3k)iex zF##w+7d9ZxnpMg*LQ`>DUd76#srnL5K))gwOb>-EE2Y5^6=xvR2IZybEMaC15D<#R zotLh+`nY7TJ=-LtgN!3TlLcI3c;?i zQNw4E<3kpz=f^fODlDw6OB?9P2f2mQ0k2=p7XmqYn+LT&9{FlZV1vbJZqcDOl zvC96%ty@7h&em$6Oad}4eE`nX1#-efg!#uO?(i7`>&U@z?NJHdmw}mV04!twv%bzV zaeLGIKqzdFJ7$X^?{TYi%;X9aVuH`(?r+`LXgcATALg5}VPREv0Pb$2U%Cmai+D$+ zM(j$(+E&*6xI1)!zp8+)0aG&2Ippe=^tf1Y*WWJpi5Iw!QxNgLs)P!yfEJJsGv?9J z(V4b_-Uxo779%9|^}*6>d_=@S3trg^r}FwQK$8*W8N9jXyJu42r)Owzv`eZ^7{Wyi zh*U+?`ss5qNvh&_aNcF$^UlUc&anDamrAjSJNk^z*C;nfC;|T9)xE6TI6%0{Vkn-i zY^UEb;n05p1kIfKdKuT2(|zC5y`j97SrM1f4{s32;FD=KD>~uRO3(pLR2okQ&A0nJ z6~t!HhWXl&o;^qEfhUcgvmu)ZTJsHD31CcyW{`@ZiIl`Uuy-fN^*Zx^n9t;=G+(ZA z==BbuvQSZZ9u=RabG~hWwQU zFoflV+a@Leugt~`x8Pf|JWI>R!|zCT2dve&xkN}!`f>_2AI<<0BXWiS`cJ)%d939U zW+8|}(xuXoPx&ITh4+ZP`=-xkbVF?ruWrU(mbA+k+bg2>UtiWezFFz$7*9lM^}!LK zPnEXSiWX|AiQPQ_k$$|9@qD12B3TA5TdhhCU95T##0PhEE1bQMNMamnGk>lR0I_~rI3T)KWfN+B?BRc7~m^O@_ZT4Nxv%V`H^Bc%xu(<91^=d(T zS*=S1{e=?_P}uaf--_9{+mX^ycnUD_y#*5Tm!1szfc@R}y`kFC>FWg79eQFa0_S^Y z%W5a%JbPpU+B5XtdKjd7_Ka+AV|rp257y(ETY^gt#8o8Tw=Ir?k24=zAF7l(HC>Uo zsaRei+c_-n1vdyauAiF^ZA_XD`Mj%_g0Q2!m9JdB^9k^kp*;P{$1LpV_>xD}~Nz0*| z9cE%G5{cWxO9Gud0(ALIz!8BKHanMupaSSfHNW{i`O~@RLm=U6?pbXAFKyK-wW_wY zNQ|USgA9T+4~00Nc<=o18E1KJC(S)r0m*exX=HJsH3LE=FecqWSBR@9%QW z;;aA`|EoDxEf)DM)DyYhQoM8#YUR?TOA&6|3hYxQ&8ruHofx>tpt~-|0vOQ_fEtJG z33<_dsa8t1^$4@;2nKSx@66Rjrq3!NO+6|RceU48mJ$J*t{}=z%&|4Yz6@bU;!7;J zXZa^_f3v=0bKyXY;M4IiaC`?W1#J>%AxOSNtZd@ z6CMv6UE{q4slS7-6GIor*j36l1k+ z@e2zJu;d7Ip_HL1Mz^3nuopH=y^r$Tr$hbh&Je)VaIFsisqW87zG>5==PE=hwEzIk zUURyao2$LFUON@TjGHO>O30V;h>u*_qXFO6fXwY-dlVsx(&zXOg@2L?Xhl5p2ZI9x z9bj^2bCYxVV_rRY+H!g?5VylWlNEmXqQb4%_e4-sDJ|@YJg-E(n5Us>;52bWqGH#5RK1(g zAup405Dmc0^Iqfc@n7e$ww9~0FTU-)+I#oO6roN@0MT~e?+41v-KVI)l@oG_N$kq@ zKIwbM%$K{QZ|VZO&ZsKim^}JD?2eymCt1uW=nv-rXLd4{i)t9)09aYdmx&GUL3b}x ziaaTuQpvDnNZD+L)l=QQ`&SCR2qC`E?sBkH)w`q&l04}4A9bDP)))S%$J%Yd?IHVao&p?(zV-mFNzR? z!Mn2=M{6irYDkelwI`z@{cUrk<~4FY*b@T-dUuwP2L|n3?kby0BFNs48NNJa6>;P1tjjH2b*pmAWgRO15U6L z83DL+qBX7d1Mmf!BW!<~k8wP~<43>ib`!bLK<IWTMjuvJg~)Iz}GkQ69&9`sm} zpKPcd*&Cvn2{=e?@Mv=cV{`*E9`d(Om%LRMqR9iH>-7^`7?MZ4b2{p z4mp^>+pGoPo-4_7(_K0})F_y1JRM7G$jO>sTUuKaIJjb5wgQt1F3TO`+G#n$JO9*g z5mP!a2hwx|P)zn9*iOc!=#W>Yi`In(2c&fySmv3g&7j`*UKpf9{i;bRS;?hg-z=0`x#8AvN6|rny58`kRE#DqZ25> z2TZG^F)Q+A95)$YXA5|vR>4PXb^yP>NJCVNha24i9Tm*&jP!CYjqUnqMd$V28_WQu z#6A3-KfiYn5D+k%s3jE1cDfV}8&m`BY3o3O`9FIw?DTa7>g4OB&|wyP*<-1=`v=SW6?x)wX8PwIa5vMjYpX}+r^01)&vNS@VPsr(g$ddCB;&cKG4RdqbT^SLqK;5HHoq7@@^K-Ma zmE<1Q3NOxdcM&oA8G&w?RoiZ#Iyg@b#j$jZOjHeJ-wRC~dh$0jVr2fp#n5y^;IBqV zSNm32pBdbD&->`fnrc8coUW)SB+601hLf8)GvM`c;=&5NKF&5*J{kMtTZ*_fhQ&`m z7}`ykRK#MJ3u2FkVNwBWQTQ!NJQYA{H&*z1ZuMA)mBgV#mCTOJw7YUQa z|6-I$9-b(@bxd?#h$-$ioxU&CAI_F{tYtlT^?-eaORH{&4}fPOU#G=8bvrc_6ij&r+=MynOV9S2OX&&;H_U>%aFw@TjTlBIHxHV zNy5^flPt6H$luuj&};yGt5K7Chn1OudfRtV&#vnfNkgBCoXj%FFaWfKE^M>&%lhmj zzS`js--RWDIw6DKFeHNyRaGzcF^p|HgLeCsMe$5A0Qn2P7Ph`zkm~Vh+%rkfIKg3^Lfgp7N^k%E}5H2mu7a z90tWKHxBOrntIzrsv71t|8iFw8-+h!5N6ViGsvcv?}U^-RfeQUF2 zJH4ekAHc)ry)w5BHvBeQM}fl8cHR0QGbb>y{>>R&dsER3k|(n>(ZX@ocx-Il{A=^S zX#`_Ev(49+Ni#W%sjO^>&GF${H{|%?p1BqSal++rB@|a_hSVkvx`4L@Ltn_M2~t8e z$0qN5NNa^wDIc58?~_V1Szk)xX5>G@Y{;WMI*i@>W}e$A>;qi}L|0x1(mIS{iRLi= zbXF^d8#o9H<#r7>D0tK>x|2w<$YP;^*Qyj!{bqXDv zGjQbgpU!l5yu^QIC7jA%AASLug_mOM<9lD~R!aDD5GVy``SEUL{C_%!jSG{%TOk6- zxYxAhQ9|H%7JAqn0-~I;iTZzK-^;F8 zR8|d1S8!4lXqfpWz4tOnEy&_w*O^g@gbPO`1P@21i5_wRGoEqPMCSr2M4iXR{08ig znP{QthzRWm{vg~#O%3CVi{69jZz2Vl{?UciTxc0?f2~Ai1-_!SyDDAwGalpy zsML9(6AbIB$)jq0I{mews-FfK`wbg0BqQ}*0_1#FRF6N9WF2_9$a>R!0W!^pTDN~U z7k{zQiCiUyj99&J)!9$L^vJD%st6(tipt9Hyn*q&=++iKwq17QX>^oUHEV^1m&FX^ zv_7M%Xo?;78e_aiEWjnX{RN|R6nTO2S`%!4KCZUV!F-OlE@#D*{MP2?XwnoHuxFcK zYepLLz3R+y3^bqvDH?<5hgR4Dsp$}KwmgDV#y$uB%T4}-FMrK$(-<9AQ&Y3F^iN}W z129~M-vjIM=6iPE-)uL8KT6RumYiL+7oRP{AUqn7SG<`?R-vRJCwYa_Lh^QiP;XD$8SNaN~lLnF9%*@iG93nxRBTv3;Zr~k((t$4T z7*;I2LkL|d9zR4Hmf6fN1^dgcJYRaBxAANITsPR*K^_f?xM< z@*=66sTV6rB3ytn`a5S zZH4PG8O{T`gdyF-A1&oh35t(P_}0MKhsmZ0!rg;R%;y)%gQl5C3sX6Xxo@~@hFZW=1TzrOxqkA;Rm;ICfLpz zux`B8<8pFZhd*v0f%HESLoc5{M;yIP#X((6m+C;B`V>8ft~sV}0D$$mFw?angrc&9 zfFzH>Vn+TtZuT~yws(W%c@0)Pv89aYwJ0s}HOj{yI;`hgq^>I8^Erj3q{*OziMrLX zTIHbAhiHdheAIEv)D;MIjt8GQ>QFxk0CQQmO_)m)7LV z&UlMyfb8TRP&EVGXNSt;<1>6*$9Jt;F3D{i2j8#q%mGQ4@o=@+LO3+FHV&gh*P~9> zzLCAEzx{Dca2()^Gv9{FV_{;Yov#3l2U^ft){xWmM0rrqDR}d5K!ieIbrv{$U3(`< zWq;>3b^nh*1DxB;Q3wV^yYu5#1eM>l_;3a!K`cYbO;$6rxr|m zdRn2%bG=D&}0>)Bdm^jpe|#<@y3kUITui?4Z*G7Z?;cO^%nm?7x)t zM$+Z3g-16x+7Hv|Xm*eRXGWqF^sX6$Fc~b?ZZ=|cEs#M@TFH;o9V)1ajKKGrPYLw1)Yq;%n~UCoL=| z9yZ0Nf`G+(JO#4;DxCFr_b%?z8Y}(0FVestOc@NAw*mTc|2AYkQU_B0c|%x)-S+VL!Z3X* z>=J{)l2SG^{!hvv-40gszB&ym{~ebz37*El^6lZq!DZ=P7NXu)AkMNfK!n%?Fb)R5 zN^OiC$GorAuSAC(VHUfNCl8vJmVCvnaP!~Xfs+8}uwj_ID?E%I8Mer&V|Aq)h;kLB zD{*o&$h;R8y9$#>%HunGuj^(o$ua*TSokeo>qu@b;YhH(U{ODC)qE-nfty7{=>_e~ z!jwOMN61Tb0E8%jeEvr2APIIJrcNiV7x&W3?Uk&PF#^5L322Xztb}vluf@kw8oUBjLktJ)DB;)MFD6%J?zssY|8L4}3ECej`#^+yemP zCvnFNnddYI@Ajgbn@wi;k&|@23O?+?TTj_&Z*&m7VbT28$ps-1ws^r5SHx~oh~egd z326-rZZ5JVqy4V!qb@Y!^UgBmdmvr{@Y5L)ku!M2JGR`=aG(l$>VWG_T}^J-k3VTc zoV1CuAtozPtOxQ8y_*>^1{pKK&jCmIj(NeMbYItJX^u+PYGn#*u6;2{lL>4_+MKkv9c(7W)$?x1ArUJ>i15xh} zDoP;94~KYQdIv%+_02d@dH|P^AYoME-}l1e&%jUy-PG}9klz$~83YvnFGy^m9&rAA z!1;YBNx1V^m>ER-NV=3eu>gg{=h8Jl)SYF(to`Ob`~Kfk|9*R9_jfrQHPP6q6y@8;ghoL6OoF+PP|FEsJCeL7mYhD& z|4YVs1PSuwkOtT!a80;nBSL{HHlccRb}SL3L@5#u1XC*embb@nE##lv;lyk?Ra zzut0s;6CKULq1t#s22kwA;wn##5iY$im6*-T{LaEn~Jd3iIO46y+bQYFxRK%)3tov zp*@rYbM8E$g~6SitSR!<@&?Hs`GbS5z_oOFJpbU-)(=ny&C3u*ATOTuXsLAD-XzfV zOZL6PhlK*D$g8?$ih_(Et51PSqXPO|+lCE&wpiDh1^g??nd}2T3f%r$(4%1$H|1Pg zkc`(D3y@_~(h5o}qE$0&M283omVElT`5f4rHx|5sVs+g4K9M&Q*#2*xw9!$F_@SL2 z_lfKn(GrV@hN2>-&Br)xhgsKb3&+tR)H!KHAaId_gE+YxEP8HWN*gyu7vv;GIA*qc zGCJdq@jS4T0$M`cc=e)K)x{!A_^ucUN+bCR9lj0GC}4%P7y8R-+#4MG+i47!qwb9) zZN}?6*B@78gW{)A$el0A(!lBUOG8c$X%+Z)j17n!W;E69-9}GgAMj4_c5xlPf-Pza zTXq1lSPm9}+Z`&$^0TbWzCiVN{}svGx$g6!D}+cGN&YLuIn#e+lSyM|Vy)R8bX%AU;~=CKR!{RfZYd_c$IYvGsK z2TTdD4;7&y#Ni2mboT)aH#D5B>+OOiCE)(#2q@;Xeg$@iIvG^RzXcbmlQyqbLE%}8Bc)2B(jY*m$^)%B21^eEdir}H4VV*NJt5~J$cA+Sz>RO zIfK&y&*OV9us7UlmyE4DNj*PXg4txdy+ho8nE<+Ezl(!%GO|OVbIJJO)<;ca5JQgGuZe7I^u^h?3%=J^6GBpwT?)FJJ%$h;xRaQPPw2~y6r}h;jjXx-5Zna*K z8SD*Qn1T^YRmh?i+Ym>Ej$bR9iIGcBIy_P7V31wm4ia}No3BH z91pm=xO4I|ba1uX(jYcphRA#=dOKZLcEbnwhQNbU27&l{H(Nm)-LWF}Ik@5H$a`}t ztEItrYttTt72x;)h+84yjGLT~*ZDI9v!|(m3MsZvTLu*LzN7wDUiV}T9a7OuhuC1b zOUJIyUp*(cI^i=F+t3{3**_E?Bm@qQ9J>A%p`DEfSVBj534;r+j8MD>36+^pOm8#@ zVJ}m*O3zsXPOqYr6<3OxsyZlwsZ z_DDwtBL=;4as@n=VMGF~h^7_TTzh7zJnwwaYXU6zmen591U0i(bSNr!1G_k3azbVD zPZl7+b{>S)vXv^nIl>CbKRDPHJSJ9*acECFwiWkd!OFZ?BUVpup#603xYH&4E7RZw z*W<}bKc!D{rkcR085o+`ccT>CLx0O>=&YJR0^8t@ip}|#VIZg?>f8rkI}TVe`||kD zS<&SkNxr#8EhpZ@=dHzKyyGq%%vKu!ZChdz2Mt*wl^PG4Hf26E`Pqc``qmt?`Sp$c zXMitU;Cmc7#n)d2w0R2Mi|xPiqP0H$WF=$1%-FcvvhxlR3qnz_7WcW=JnA2tgJHPZ zWP#Oqz!~r=IA;VVjT{KY_}SZRATL981xi>)i#L!sPVdnK9_z8&$&1UR|&{ z?qe4;cGsRDMk$yrR)Zp##}MgAEi)=3iH;x1+DnDIisV#~n~vARo?1lf&k3m8asW=@ z`2-y=EKv(f5Xaiuy@C&J!4>`g8)bendNBDP`&a+ z?0re>9#N+TkcF6KB)1qSB8UlSe|#Yc67%0!x~Ul4YvMF^ih1Q`_7@Jq`FddrV{x5Q zgKi(5BR>z>jb4(K6k!~bdJ<^;s}J#4Di$rR=S^uJ_X{o00dlBp6BBJ}gglF0f0;Wg z5;Vnl#OwQNzkt;sGORZ1cwuuiK>D>MuHG~uO%4{Cy#EoJK5>5ah&aTL1RNLUZ#-GY zS5^z33kZ`b;k&r*F!v$b4PjY#lXr1u^>;Xp%eehtDEs#6n?#v8s3#j;~CW! z)s-PX78;U(l6L%2==gxd?Kz?YOHDj|;SoedP0(@XV%EH@Gr7isD&mefnWf#(`fe)a z;`ivg$q(d;dS^(!cqd@%9zk_cd!7{-(i`;n^ZwCXscEMZm-1^S*-L*WpL@W#ud4l2nj_tOsq`v1(OkGduGDA~MlBt#@0y zI(1tOxl2kbp{_Hi$7u*9^=&uuCSz5(TlWdp&bruszJG#2AOIOJG0f66G>gSPn|XLq zF-x7eH>K=1RLV$IY;-Y-;^i4pS!C26C)q8&eu$j|{Do^SRLTrGK9pMz7vbNt;^NVb zGfiu$kiJBrbr~%QL3QK1JiNTK$D8=Lo~NWN&F_XkPto}|a5YL1T6CWo9=_2_c`Hj@ z(b#@u3H_j<*YiZGVAJLDGY-*DquNF#hH7}khnyYfo$2;&tDAiuw9HG4zm8~#uW-Yc zr`sWApL9HtrNZbC=SOaLcWA-0lI+(`3Dg($ zsFdGlg7Be40s^|i`vw8^Qi3NEJ6694TwxhI1KC7U-0+y=Q>dY%2zj%WRjX@z{z@hE z;DTvmG1bZkBPUJ~BWzI76(n>op(leq!bXV#C34@!27;$RQ!|?$$;OU^ZV8E)q2BP? zKl5Q>hGJSJ375)}9(S5^qU7g|`7YkhcN?5QA=PQv?th;f!N$TblfIo zPea_K%9>GSU6*b1qDKFWjL3H$ce0Tl8_WnRf~}uFnSV?mo%M zoqPDPfT-1HDkwZZUv+LCH@Y!pXKO2B*Evz=wlBcqn?s=^XZ_sZ?F{f%Q-839zHfC$ z!`rp{YkT@2(N8IHrJ__<)@>8Mi<#h0TU(dGxzwI)ZKY^naM9>muZq8g1xsaR<$K4zoZ%)1ws+=M9Utb328pT6ZEbmM z%Xw&Mc(q$=J|_1~;ivSk8G?%&oJteiocb9$;G~&lF!A&q{S$RhO#hVg<#ycARHyf8 ziSLu`i{Q!WzNc*9%!V;R_ih2ooS2j(Dz+o_VplMavA_06tNaZmXKEu-t|q$}Kt z+Zmjnq90Fl1p0-j`E~fmkU0_`T8mRXyFRF@xN!P&d2lu_8TahuB(S}s<2knfbK++6 z@ddWvLj~M4FT&eUyxqpto2UG|_08WsLn2}xm(HmWO2=Wgk#y@bj$>gW2KnA^%wupMN+iC&eh3>h-a6c ze-jC`Cyu5UzGTtb+0k*cWPn2<_~N75{@Jw=PoUpi0~007nv#0s((*x(`!q*97O~#C zwG|XE3;}HBaL&Kll~R&6y>_&W4gPa1kWP^q39yxH)#Z z(tPDF77fCt<(|b*XW<}iI(YB=TKukRH3=SSXD2+@O-T5(tlyz~hD3;&07Z*~c3*1_ zbMii!{!NjCa&=fU;Su_DLEq!{fj@9*W74O^29Y3jP^q4gtg z%TEc)iIkAs;5^+er2d0gOCM}$WF2{TUchW8V$3c)3>P&R3~F7W+|4oMZW_}aS#LFG&NWo4T1wO&DIY)b@@!YU+V41Qf`n0fJ62+2JhoT& zASXLJH0Ivf(1i1kpf6P5)P4P`Nn3G^*3#5~vy~D2-^9v~1X7lvUbUW#bJjzL3utskcq&4wOBOxBsNFosW6SgZjEMLS09;(MaJ&f zXUtQ+yJn%QLlrrV&J;{O8?XD{yE;GGq)oqO_MGv+_s!^amX5d0!Qc9=sCfBfCc18a z$R@5b*zEX*EZ+7NfIB0#b|C>f=f{s9--9&Hxc8WzzOmWLkfV&7WKJW;$LKR^N6&7( zKxJRzt~**VCy5fS;YR?~-Lk<|iF>h(Lf(Yw{*}XKbRzzwF9c8tOo=3i@oD|M z%Sf}RGaAeUyL4K0ys69t2Jy$_Dy0IMUM*m6HjmkL+(HKv-+V^?l91}wnKNhJd#&EN zvEA;rjUnA=dp#OU;Pcw#nqg+&{XdvqMAt{Jj}h?{f!QZq{w{+eU_iJC7M?c=(;ChbvL3r$*rwL!8j&=VWMt2%-lwVAt57! zZ5M-%r8t@UjaOcOE!*DN&MxCu{2MJQO7lX2mjV<(MbB>=sE#uRrEE8;ripc+XJklt z>bh}I^H*NqDn|dH>$<6Hm+pVGE8zB?r?l~uqBz~-cP{xoyXw|Vad@BfCd9ROme|`M zqk}wQU32C7*B6{>eIN0HxxKe@e2uRh5&0@db*jx-H|)o?!6iNIwd}{vx!+{(SzWAe z*PSPoLnO@8IM=X6#HOJNH1BAD=XHWFoK51*3S4L6;`xXVdI7p0S-m0!ik(Is01;(_ zJ}SPWXQoBZx`q|QgeG)>~1g=Lbv zD^9-hMT$VH_lKZ6D^2=bx}Bsqe;pl1^`k?2Wbpyh<;w%VG05A-O^llJmb3%fRL=x5 z&nPA&7%Xn`Pg{sb#A?un3e#MyQEB_d9Y1_bB&|&Z_jPUn0}#3@Pm@1DQ_KXD=ca5p z=9B#05IGj*AvazqaViP{7(=~E`F=g`OrTxbsArtrlffflPifn=U=Fwgdpu`?E^?}5 zF{yvPO~+mxcxz1p&Ceu$p%Myjh-M;q*00amifr#Z<62TH$Q1Z+BW%Y-`tFT$pM6T& z(j_sCBQE!t9G%t1*m~ZEcP>oaJ0&)EbY_QGL|K$paZ)c79BR_ex79FKW$Xe|HYOPJ0;C>Bn!a5SBzT3Kag2%V;+f^YAhVZiUi0-NPTlF$=^{)a^(-YK0= zaA%Vy#>Hm;fDxv_}e^@SAcr zy`fi{b8*W}B#~Y@0Udg_jVvfsaFESrOp8K2Bk6(PO7G*kAO8Nje}SU+A+``vgkkB_ z>)3lHKhbZ{P5@9>d$Bd2><}gYFEAbPlr>uTy4JMzP~1;t)+WQ zdri3jY;8Ri|Bv7?lbu3jQHU*3B+53n$>@i&Ui|xEtEH+8nTI^-j4)++V;!P zIXdRLzktA}7>@~m3)cEaZVPgn+TWGIYPBI2aZCW`3gR8BjJ_{u0d3-1pzj<_5l1>@(rd^;n#v79k~^iZbD}-9RFqOu;P^;AmDOVgyH<{ zJ>szxgrb?BL^_{UoLSMq-Q?(zz(^P{!$ozAMy4IBLE$E;R6(iRMnsYFdS2j}*_jcpu1QqUH=eN&iq zx`o7c_88y-uwQbVz6Wu(-d>z?kqrSoQZ2~vXBq-kO(3#r1u4$&89{dZq>t%}Wy_JM69;QMo%a1B0TyJ@+IMZwb1ovX!fDYje%ZCFXa1lYNnw z`0t$kWzw)qx+OvZP)BK=M&=K7+ii=6eY}XzhHw$VA5JqfvoF29UCH#{hd&h2 zadJ+c5-8vf4V_Dnj4bs0TYGU)$j@>$I4G>#u5iSH6hLvK{Nd%3DzVG0uU#nW4%i$% z-50xk#p&q)n@t~}I7b-kR_EqtwNrkSy|`(awbANmD`5cJoE!-iiFIX>?5US85WoEY z`1%fTEcgHa`>|*CmK`dq2$@f|kcL9`NM=&@dLAQWOHtXBQDzy1tgJ$aP-JJX?Ct-4 z>U_uV_q(qDxvq1a&N(j6{oMEG^Lf8t>wTlQ@msIM5or06R^%4yP9GfrL{BGMxyEB)iT!W~u3a$r-4-+yeLAz^}}t zyZBE_QE6gC&!(|W7QZrZ%Mc%`JT@QzWh=pI{6QvgZsXR4FiJk9pnWM+xz&-)+6mSz z0oXAbc%u*Dr|9YF(@RQF48JgF7Z+~n=(oO?5102Y1WZUz{+co$Z#24cvyw6Ak{{8N zi@(kisf(2OU;XI9F7cegxXN9pScnTy5IAR{2LFiERoD@?`BI&PJ0YqBIod; zcj%Xofj;v6t=QpUr2t53hIao>x5~7K)-_2XA zcu<(2?|6U$um+jn6MF`Vd88VSTs!#GcrLv=RUhR%Nox-d-fqVnZR^fo^Vh$UT%+Mf z;uG9Vgje^c+ra3}y?rIdBk+-CJ8Q+v68Iaf3f*}(#>h-TG&wzOlqHQhFfUhkKKAk~ z;d7y}`NX?w|Ay+%_E9|1E*yugR8v&3&weA`-j!Fbu1fsuA-F(&1+Axxcpl&KQ0+Ap zK7wO;Gy0PE^K;BcK*KmG*HtjZ4JGax} zPGf$k;__x$N0+Jv1~@3ekqaxfQOi$)#o)~(O-0KwAZrHa*j6Yt{Td=yzDum^bA5K> z+u$Y%40FwVgDQ6D7lDZ+?0}oDT)#dw$n>!CH6t@1u1N5`M=-sUPk@VOIwNxwl)^ds zF-D<;aV{WooDYNS*x%rl|dosye?3ySkqmnL~?YB6tf;*x&Q4&fK(C= z#2`YczSpn&})O-GTd3)bKc{325G{JRrtiJKRq|COg~o z`2q7( zyKg&5#G+$nrMjaLqU~bOwB2Qns+Ovc8`(<{t#5U@u=mdCy?AAlnUf=XY9F;wG)@sG+F?4v9_-3{u5ew{>gN#=Id`i`%AB_{&|LzjJ- zh}FT1km(NS*C&9doA**7bML>V4-DspuIY#0^dkV^8tF&TPT)TCf|8UhM|nhd_b70m@fHV z(f#?opDC+|gP9qtmR0}lHSfU6{!Q)h+Kyi?j~TgiJ%^#ABQmaTwSqeE;^pxC<^U{V zbH5E6+p?QrD%Hqd+j^p*L0+t@Ww3NWSIt!(YgyZ~H7p-I`Ql{jmoI!6Y#5iE6nQTR z7fB$AGfy_|raiegWJW^ca$Px8?+s#ALAo1aGygb1DGvEi!?Jih6j)p(oz;OJom9@! zLpBE?LHdWIUTZU*mOIi(Wacdo58nGeA*|lIBk(9b2S*{D!?V652+x(DoedQrvVZ({ z84Z^nV^`&}aPll~UW_m4augmEcWCwmXu1)S=U+xR8xBu}66LX?qOTFjDcTB8J)ob~ zj;AyT_bRXNlaly2;1t+x`^G=gPsfM_*)vXC?eDOe*=X4KM$g8~u}wG6L*SlKcC zt*_F}3GtF$dw%tq1-amt5lmdNvOS9>IhRtJ%Xg1IJ^Sl+Rx07D2^#@*bP^$O&~Ot( z8!A!Mv?;ZU!HZ9h$zR>ZmzHE&U7eEM!3U!4nAU$c@&&_xyWhkw}j zYbjr1q>?Noo_7tqFv~fs!Tq{c}qZAu$vHRGlRpT{EK2uDK93=KfUYKq;1MD0 zw_qv@7JO-_@xYx*NJ^$>?o$bhh)~3AONUdgvqVqCCMMxWN2qp0xXsMZhpv91uk~LR zs?^TgUy!OuY@#fuPL!y{_GgAkxl$6~6jQyX zG=aV|k<65i#_@X9L+m(Sul_Ct#O_}FS~h6`$|3B~kUm_+R)S@FcfN=a%n;Mlyb1~& zl(O#Lk(9{^z~Rl>8^3G4=9sRsQqA(Z|M7Urrm}&4IT4_MDapQ~L07!m(_V~HLwCt3 zi177JJ@G5Gb3!t8f+C?(=_ITSXyv&?Yf{`9dInUtrluyY8HJKc1#5=8DRDy!cRxak zpChp;xRo>Ys*Nho8dd#05(pw>baQ@6u9})mmFKy;LFztJfzaJy#~wuJw|2+DAx7CjBd|F!dON0XqYu_34P_P1C6^pj<%A?KFjg|^;G-aJ8!K+muruF8k;4FdN|S5zC04516P~=XMeGft-+Jj zI>7b!Bllzd@ayb)*zDNo4b2W#(5EnnK4F4=pQ2$}-`?taYRYM3o<0En{rfovyZ~rp zow`@n<6nzSq*e`aXdNQszxAh`(-b*(?krv1#ouO%XMWD)Xtw^X%6$=6SMQ`r5^6Du za$&H=JXa-&CJFv-j3(}|8i6Qx&5J+Bs?%kAw%&yupcJ%0WM5b2 z*`Al|nrWes&i%n_mq9;(VmVjZi)C`Vc#BMeb!>MIC~Y{=8e3Yj+_gS0ceyk ziM^wB4@tTzc+>7T8(i&~(SAH;@$>EN)tvG_Yv?Ke>KtG0rv6`{<3(mYW2%%@=P>@j z`naUE&5JA>D?<8*g=xFETK;|d)yi0$?#d5`s*Il5uD-sI-d?@^ZFRa5%t&Ewbz$E| zl1uGKwk70&x@;xhdHyDsSj?>$?yRAy%xo{GDb6Y(Ws|Bw0D){iv^O?ZQF4UoaDV3l z{E;#KVGdTqH{QvNf1tTL8YL;Q==<#x!4ndOvGX+WpzG((y}X>abfKe}EP3(BdC0F* z8?;T>mdu8li2LG?2N1)@l|)!3N`5jK7bI(=Rzjqb3c7ujTC%@uV6NXfxq9z@zEx}V z6>Pbgtf&-JWxOA<$3EIhyx*^cKYRLj+5ecjNJLG+2Qy=K$&BVdaUv^b)0~Akz|=18 z47I=BskGG1pcz3F7D8;e6eaXR?G z0!KQ1&0Midqd0IaW_o6Als?Li0aS zlf76aW@g+-f)cLoZbCT=_)>sBAvl16PQn?s%JwU7TL75|Q^dw?heBN^P$8 zqEdSOtgp}8crVY3GCm?8AOMivZH+KbUuUd45M*p#n&@lr)tyJd;p`$S(ysP+ z?cRO(0d$^r0Gy##TLXOP>(@_87(Tn|MX_QKI3;1{dcL<1U=-cG{W!7UxAfAH=nsLFCMKJw+WfL9wab<3 zGXX#E=e>G1Gdt`4-e38?{4Z|ul_pN}p6r{EB(ZRyB4ebIOKE3Lc|A|PSJiWdlXLH_ z7AX=x!!BLSDf(eu03@h5ZD^E~l&rfEAgw-bvjrqIkAzhUo@6CZ)73Lw5rB0~)Xh@;)TOBSYYSQf7$~9p&5`qg3;ZD~v)Gpc>q#lj{NZX_ zTZtrv0WVjwWJ~@IceyR@=<;?WU`sWN(EMHTUM_kE-`97&r?^U_ym%^(I_0ST3srHA zw|MDI;hQ&aYD|lsY3EG;kaaDjUrIuB$ddeIx!Q=&7WJd}Y-j=F_fZXx=8Ls63H*PS zoZGmx$1V3*yz_Op-M6)*-yId0x2&CWt}=QzZbUyHf73AHVn0>+b1PE~hyBdsobZui zM=^!n87tS4OmLesBe|s1Xvef|**lhAZ&}o`K7AQ8E4V}meutJ~qJVB&vbM|-21izN zpbRad+-`cXzKbj%_TpK{T2^Bz3M~|?9PK8>58Ni@VRp3%GkFD zKSfX~@c}2aI9z-dy1L9t3Tgsq(bk&g{mC^MP1C{gg@u2BZN<+`I=$J8030GY7B$a` z_mK$plj;^fBpRSM)z?oP)uV@}5aP><+}5?2ee^&?@lq7R6ue)-Xy|EAP#m+ipWZ`{ ztkHx$)^YYx7l6KX6po|q1y@B-?M1im^PZFJN;6Qb(s2%Mu5Qs!bmCidb5G8=7g}10^3t?uo<%aV zH(^yE&m<6>$Y=dKD%HU29Y5vx`*_U`4$6|%*SpMlF zKdp+8gX@N!rhGUs3ozJ>1HrpQ-2vsRAb$k&BoQH2`L<8PTM`t;e{14@!ZYT2J!0cI zp~FbMG!R{mU+fcjT(AL1A=kq=T|riqoHLR0A1jOMTbXsy0m}#?xGfS3{ppG_7#p&^ zgDniF&V)vt!5HRvz#Tj!&SbqZQP(r%1%N6~W%obd3&5W1JS766j_{kkf)LTTKAaMU z5xmU-<`bhdbFH!~u~mxL%PESAo}{62PTp+uyzV#o9+8A7A`X%R&0*e{gO$YxN%E9V z%QFN>Vz>P;wUGo#6eR)h4#Nh0$+a*>@bks$qr<9%?Wv(1W-ad6Oq4lh32n{rVHgwx zY8^VboG|qSN+bkYQms{D>KI4N+c8a$)ZcyG8C0l0Ms#nDcm=xC+Sv}$?H!u0JTDc| z-JfY4WWr>G831{r3|LW1{ShlnPJ@|gEb*u4N!>9_YrS2Y4&f(R9bYQ^?OVly&VBUl z-Vr!)!i#y!qap$SCjr8v$vAom*yOmoIsozHq~@&m?Lnjo&CeGSx>-t6wN+|)d+qf* zzaM&uY>`i&GPkGfk!vSQql_wM!KHEj@n`zG>`Z~;iKG);9X?Kv8(fBLt?byLMFEy0 zW7{rpp`Y1V@=t@N_m=Xc2cK16zEAh&7oUH88-yF0nqUfnvuS){;!4#^j@x^k7C%b) z8XL7;W!!JB>VarE(V)t)A$rc-bNgZ)s}JB8C}71to&NL;A~<=KLPWCfSIN(8x^0tB zZ~vpSQvEg1KojynxQs1BFPmVpI&3skFB={I1T`!d_PoOlWnu;R2O!#d%3|nEdGhN| zUXDs1gO(ImFFTV=s@1(P-BUXka7+@QvxWhu23+G#PrBV<6=SKjNQ9%RJ-5lA^;K6? zzrR zodzAQ>b+}Ulzhxt9lUW&=E$VV-2$wT;H`>z_4#aCXFx2coO4J`221muYiI!(;9D}E zoItSI$2SlxFfa42*y#<&BkP{ub{Nw;$ACP8iVE^i!IZh9Q-Z#p5$lt_W!|NSJUjR* z{D&$@yRWn=s3Qev$9_?bj%?8D@@WE%yOL6Dk04fT6!JZ^K5>K#PJW=q>u({G$-z9moLC+F_0;nYCs|jge5!||OZ>qT;#NhtQ8W8w`UNqK!HbLJclRsp z-A;j@2US;C()gS@T6b^l-n3DKi*8f(Vk3598il=?GI!=u`^NitMfAIdzLc)u_>sdy z!>W)H&y-qfr5=)4U1C3tvd;-Pnt8u?7t_C}e<%5~p}C4Vhi$MUz+@ zB_#^f-ys;dvqDS9Z}lJ6Z`bc-W1%fIj&nT%&NY&OGJ4{WqGeG4&UT$t$q(GgQ(Til z^d$jMSda=jyYdcVe!AlQs)G@nssf^_w-doYs^S{a$~5T<;6}miBYe#V^~gent^BN* zndL#U+iZDJ>fs#@rEet6vd)Y?ICAun+9=*#x_CjwbxL8JB`%!dwKeY(XzE#cGEsHZ z^Hk`PfOLLru*Pw=)}#)>n^$lyp-`bdUHgINzbc*~_Wg65iYNCi!fAsN*WB8?9FA~1 zmSox@oU^6l{J4gn`VOh9BbQI6BIEblwNswM6vJ{Ps+NHpo^4){YGnNUK%ACFZyL3q z)H3lG9kfH-ZoV3vXdI2G`QdI~UdEW;*%Te(*z1mqDXG}#0Jo8??^kM<(`eHH21-=x z+uO}Sm@}IOEeB4N^E@=0dZ`g$C`lFC6eKsu8N^nMcs4DKI8{8y9o;{d(^PNVU<8_L zcAxYL!9_-Mqy0hq16isX?wPgk^Wj;|BiHEaR{dg#hwO&*4begVvVb0PP@q&CFOk7? zJ`(VFpvcR90*M~TAtb1rDbtPoUHhHUQRyV^Hhc5DLDi)XpyN~)E|SOxJR)p85BD~> zkw``oajZxxw1oa$cRRc`3Y#1%OlN=n$*s$L{08yFjoN8qZ_#}culU|&$d_Ng7gAxuA&vX;_t2??elcOM@HQJiZEXtN z5i%Z3I&dRL9dk7O$NHJvtC-+;#y#mWFkXqGX3cGwAHinUa-*9AV5-4+F(#)N(hCYG zf%p6`ggAb^t=^@i*pZ;xiKzMfK26|6$-VD)BU6}Kn!t#xz<((j`}J#?wA-9`uHLDN z`Thiuq8)!$GU&?vHrn40*eibN9^|NfxF0ZKi8H;HIrJCbNjV1YTa!i&3R0fu4`)ab zBk1c0996fIR+ZnW<|<;X^3C|>_Whc!J8~r!A|OTg_Ol z?&V`6)~GQMD;U6&8P>|3DS$YZD99WCkJfBUmv!n84`-h3gB@r-n47q_=k~P0g&oKv zFwy3El^pZ)JGeZ2zPuT{AV9>`Wj}Y)c+bo7*5+qKxySHZh5GC>a&7Vj-|T5PIb(hZ zZ%7Yfj>QYKOw=BJ4SM`|@ORat+bP+6|M)U+oXbheND@ID2WiMM+7SfyhG~}u^$d+* zFgN?%Qv{L^Kr7rq>V1WeeK}u0 z5h$72n<81+*^IpUYGPI)^LZaw#Fv`=-rgS5cIK3cpll6>>gYEfnSz2 zsn}(L{BoXNDJOTB7@s{q!VZ4#IF(DFMEOv9X7@TC=ChGJiLej1AdTHMLzSqf!->pt~h}C@JG;z1r z3R-1m{~*8`ML?6P;)aj4*n2US2-dumT(dJ@8(fbLrD^C2OPmm~h42uhQGzyDc;VrP zl0gEuo2ORqO%F0;%Q=@T9NgAj9h5y*b>O`q&3Mp1+)Y|%=hC35#|Y0Mj>X~(KChU? zf6CdJ_aHf-x$Y)^Z*5EBq|s&d4ZIPugU zMlA)dvL1csLqo4P`Rf-+vT58%#JLFOB!z=ZU%@kB?LY=SNEjQ?A%<#cvFn`NmijP*YB0~k(?M_s1uruXaaU%OySdUvc${Nl&kcH zGp5Dg>68X-dwh;u63%5_qG;GhHD{x|_jaL4dcXSo2OZt~G_b!ieN-fV^^5i?4|bDZ z)R*-NRI;I9N9@m0q14V3T1%pVqu*&@BeNl=ZP0-c8ky zrvNr3woTZwf>W5=4)v9KpUL3{MRkuq302hGcl;-J8^-0A)5OWYe}8r-dvj8N+`Ja! zt^;G0t2)zS+IeKzxeT%5IB|F90woeq%$)LCU%j}*`}ilk>I<(gp4DI+Rm?BhTB=HU zny_9gM^6bq`a-}p3gKcF?b{7uoVWFXJWqbnFh#+Q`JQVSkAX{zx2jTBO7`=WmCZ8# zHnM#$DR`N~Shk#p-m|5pELB{>z$_UYh=zzkL^jp&L2^la=@(+~Hd+P^OHa-Tq9LZRKl z|Cqf(d7J(FuH|@_6!?eUvKQ4jOCj0xM9ho!b3aZ=6;Mp6WiI5E`yzf9Bqs2UQMlcl zvz2%$(RAM74XT_bcX!v36-yCK%2Rq7zmB+Z7hlECkqg~{kY)^^ zkA9m=>Pbm7+7)#VlP9<)P7o zM8MxhFR0z^Fj(qE0wH~Y?^k=)&*K-ICY1b~WSFaBK;1B8BQJz?C6r3+bv~0757&5h z!QxP)W@RHmIQ`boY%clS&$orV4NqNhW`MDWUuaZcbMv17mIfm_II^o1Zy%FUete4< zFK2CwaJeMls}$ago*jI>{ZOW>=kWe^;-!)lUTa(coa)zt`qZ!k%iln#`o+MOe*~xF zz@m|%_DKi1VynhW9K|-=EbMeDci&%8calnb7!eV42Hd*>OT{!@#RnWKi*qz5V0jbjI4nN^2K;b{MUzERFch~TLA0Qqw9qLRPA zLe0@3=JK^`5pkz^MN*pnE0L2tyZAALNm6}8UPpth#pQ1l2Mxg*ApD6fqIM3Ie!>Mu zBr;mAP7baV{qLTTc!m7|-9KcG@jDVTQ!!jmSQtGp+yf5P(m5wQyyX>L=J0gT@Z}qZC6!fDf%oijx z@=Atxw`ywcgQNsKFv|S92d>dP2vY`K9^7lp92_+JGEFWeppV{dIo?xz$As`0hg>kw zRG^UT_{sxWa7+gwAOZ4>v_M7^iuMuwt#pZ?pA)@JUiumwY+y1OSCH)5nU=pdIq$=_P04b&;jXOq7yU`8*5viXgNjc%Dxr_Q|LtH z6lZKKRR`Yp)I8vN0cjSLnl{cBhbza*hsYr>T_~|Ke1j#{yUg z6chJo9zi}SE|C`ANZ^q5W^ELeR?Be?j|6fuC@vZ(u)L+LCxDySZ@J$sMg)$%t8~T~ zWSZ&L`B~^u-zs7cIu{CPxC*{-rjIMG#%0pfk=emH4&;1J&Z<&L@}32JdHhZ)p6M}F zTl@U2(_p>ECsmSZ#YgkBa@JAV7SY{>e`5X(X%cav$dehriHqL_f{maaB+V=9+h@UN zEj$Tc+}{gS=0zo2aA7fDI1w^3vXy$`WgL)T(!HfQ&nc`iM)gm~?2;BF&jLr}$~AhY z*Y>$6Oj^umb{pp%v^u7|1!?I(w!=|A#~AZP?2J4Y5wV6XbaYg^79+_mTTv2 z*ptE!ZPmd?n=`T1k7HdB>h%pE{0(A=&2{K-TTg?1&segoZY?PHm5?eFemJVKsxw)^ zyp2EZVD58R>dYNhhl@oh9U=-!r}b$6W4vxK7XuEQICvKyoTkoZivOLnV&j%{PZD}R z^nUFiA^v-Gd1w+W7h^5I$($1zPp8kMZaK{7~~9HFiK*8VTK?!)Q-H9efl^ zz!g>;_fa*1(PAt0#)6|i1B`-hvSzwDj-w-!y`&0{R`8D<_vZ`>Qiemg&c&GIi(F%u zzXmOsT>#jDr9V!nPJQ8pg3(;}2)pF-5^haGqVah7Y|h{_Gg*$y3mQ3VD^*%{n|K7PY{Mj0azQ z3~CR(aNw*ZhEx6Cy|Zd+hanJfHQqP19ZD;1xxr{YBV!Y_O~?AHzIs!mHfF(psakO|$wk01q zqJyVF@(FK0^k>g*Vg>JiSS@!~0%?J;+ZR>v|3#a|=l+Qh!(NeC96Ig-oSKX1#{1}u zjH1hhgJI=TrX_pqz@ohvtBikJ+a<67fZ~mj&nrWgK+0Xmm-tPu6S8c7#f!1(xVIFO zB5fG_L=i3mMi&jD76NXFPzN&)W?B>?hIPYzQe8earM9gRUo!)47k*7@Zj0~|^Uus)i@t|u_|Jw@Q)xBwhYp7XwUz_09m8=jW zDVL_X`>4{#)2Jg13=y^?#o_zyyGMXXDkhE!#oReVfg6UcfirzUMdf4ry+sHXtzb_L zJZj7QON|kXWAVC2ksW1jkTVLi`=oiPrMa<@OWsfNQTC+^Kec36es}8vG*n9y!ft9m zs#iNUa%aA7>8H=idXH}C?&F4IMtPlU-$X|XDr9371UhcvX#kP%b^68FE|ns93u6g@ zkAI#|fm8lZl7qE)b3q=fBYH>KMolI=XDGU0kacCi>L{?hTryX$ro~g0Y$3H~Han^7 zyB9N)=n5`Vd$g-XqRgF`dI1F}{7Qi~<0+@qa zQINR>;UI|rG#xt=`JX6kOoaE<5%~VqUbwU*RM)xzKjRzA*UR5vQ&aCehS%afQVU$c zJBL^+fd~Q&5zLKs+~2EpZWc(}XA!?Wy!giUsoZ&vt(@1tE7~v-!vp9aiiGULayLnO z9X~3cUt1ZOt_6=iXR*(2cG8`OdE()QCUT}Tc2}#7FbKHzUNo3ErUNAZwj=6Qip;;3 znow6fBnFs}D%p9gn7>XGvvbU^d>6;BKe(|R0Fg2{DOG)FG$^6; z1mD%b<5Cusyv$b`c%TM-0gy@IkZ{RtxFrTH#oRdtX$+tuU13Ompp`BayI{aHl-ZJ) zku$B*3zW(&u#GS-!?sVzMgT77kZCC zAjxnxp1CPQR$#rsAxi_563&B_>hGr*5Ts0o0ahhqFpffnJ)#cA<0t=55;1`lMPPvs zk0a6mgUyYheDOqx)#zi9+bxIKr?#KoWD{Zk=z3U)o<}oKHa&piLco3l=cxuYSeI=Q zu^dDYp^^Y~nAzOYa%iPjb^Jkxx6;+>9sFW`#Nm|qeMOIf=DjnC7^KezEe(M#f-zRu zsVK;>_2@EKO+{Ay1Ugln(`va!swF%G$Q<fTrOM35+AusZzY6 zqAlJ+$c5~ndk@ZuSz2Kzg6gT~dbq=4ae?-Ra$8TwStYPb5){}c7Qd^7ECtSjBY4Vq zYE{~U60vb?k}S}Z*p4pfRgeE=!iZMIhgkt6BtlE9NF*Fy8gt4TWbwOjyH5r_nkKGK zBJLg@CLNZWIs1dEnEt@t?Nxd!`h7$AQ3R9M(~d;+EvgHb@wpbDXvcNUmBYMDk0xnk zfAj<#ic#B|itx^1a-^-Y$5vwdaIbc->03z%9s^|!bX&p6=Bgj{&HS`d5r0T2JZOsG zENdpJ^bzNQ4$L0zxfsN&5No>SX;H`hBd}IJ1*Mw)VSM+|4&ifziv&K^u|$~FU-J+d zemH)831rY#Y3bXBkb+GIeh1u#BH{WBJfc!9zoyS>qW9Xl9BiF_hKkl!V_&@BgAQ49n=XV2wh~7~?tdEw;d48=A%EH?*flws2WdX&>OFgF zOM`G(nyf!sX+Wpq5&L}Ktf2lN@qc>0D}T_6zIqO7;US!qK+t6hURFAroQ0Nxv>o4g z-&2UVgCTen-oa+@8@fTC50n#*o975F7^IV8NuWRVsd$;k% zbS)&$kGcD!yR!+#Q1*xlb>9H`z`Y$po)pu_oOtPAWgl|eQTlh11 zMr>HU>-ks8;gQ^hsSX?Zg0R%g3#}XUuZ!G8SdG;K-q`&+omahsJ7ef?NF+;pv93+Y zYg|cJfbKHbm_#3gz?hEUZ~KX0@VBcT~Tp0ba^=@_^f5`P=OI7rLgeVQPB{T!XV z{7)K;uGWJB#ky>rGG-QlWIPfByZGQ4&9J$D9Hu7B?9p9>+#@(*M$M;*amJcqm_C`C zB*8~wmH{gzR6fdg`R65VEf@=MA2Zg#S@(tjx?&zfgj%u(v1~p_a$jn`owHYvwXL1# zKj@@*;rcDRu2foeAi=7hs&I#W;J=aA*)|v_jQ+=2FFSvxDS*rO0WM6TQq(Iz4g3q^ zJ9&58nbXh@m1{39hK=XRE1fmC7yGvxakJ&g?*d zBSg3c)v&cC{sFx^dlz3c5|QD8$p(1@d&4Oyp~bE^1JLbC`OV(Eo`D;+_}8-cg>or5 zdAyzna%@O7gNcL~LO{L02u8>x zv|@M(y_+lnultVYZ{qd4#Cqty;|x7MA0%@RpwpH5=}LEu-IEUbrmU-J58Ye-1o+=K z63wyQEQZk*darzn*Sqn+{ni}gzfT24U+zN{KF;qB7CS{1NJ@Zg$1>On@loLDd=FyxcPbZ*Ox)^wzO#@~C za6=+C%+fI;#4%?8y>|;J)ZiDSqq_NKx!`Ev*-}FbPSROs(Vvuzjit-CCGp796?941 zwT6fj;M+WltDL}t&9IW^DT$NWSgh|F0t*gegOS>Z+Fxk@_%LNlI}fkY_T(9F*k_)cuX5fk<|q zPe9jgmMRuE3FQ9QyT9>t;Z)!QC&v-A_kFlf^ylk1inPZCcS7o<0|K@>xFJ_VffN4T zb^Gb~`}<=%Q@Kd6{0IpXFp;>TAEV0(^Bt^wwcjAM4_$FS|BH-Vw|5Ajl^dhj!QZBW zKiq5hd-ABv;O-D@{~=PC__^z45jd>{?+|Qz5$|NJQEj?yxXic`)j5PDW`L2hw*3ptDB}nZ(K54eIKG2V^59pE zS*`!^!Fef2h7q5_C?v;z=0qO@R)OYq5kLG25y(wIfEvdOLtHvTA*J{MeAxTZ4xB-Z zfSalnAG<=bMr>d`O%)sbDSjd)I_hCc7|a&|VlFT{rN|PHCw+ME46sHJ%*p~cdv*TE zLugMSg`rmbMG^iQ-B}wW=;1J}a;GdP*jxFP$b{2<5*4w=u&i))qAZ$1+_muZ!nOR7 z)|e`A{nE^tl)4^W#p825WFQz~W678HQDS%4LEctU>moq7$)LRSs~?~;uQQI0MbnBe zE$6OPw51iDBG(kkNM6y08xIcvS7tmM&G7Z)Kvj3Vr2K&bC8_qBzajs8YWg$+Gg5l3<2Az>wK>%40tkxny8Zd?#{WRECT9468T9KdOH$| z&e}J&-&015?-czcVQ|jPW5wN#EsffZ2ls6zLOK1>2U?UgMY5APY}}71=iXukBoG(fW{uR`X7%=cR6yng7Nn^5@P{Tj=Ms+N`fH*7 za}2uGL_{!&Sblxs30=v*>|O7T9>RPA*op5{z{C2lVMb95eL08a#^46<7+JoziZi$e zLYA#5!fbSxY6Lf}sR)9k%`j>KXBUt3+#=qFH#e0O9NxNX?5O9}PJQ+4F@TzYXr8f9 zjgHp;Ys68mUIQFJfh6n_C^P}Vrt8KB57{%qVAT0?@ZcbxDAW$Cu}R!D@5j02@%80f zP0~s&Rg2e zSlaqENYWv9MZ0053Ex4nGfuj3dj;<3f9K54UGq^9D|WO6i=6zWMH&L`<1keWFI*ji zgg%j!pf@ZDP|NDbu5gT+!I@}9s~BB9b_shL)~e6Xu^|+UiYN6VKJf_1%2HX(!oW9h zYWfH@5vfTnxgHiu5A2}&^qoV1hlf>T{xI6WkbJBi1W*Z9%0koQ7dCd!0^h(Lh*Ka> z<)Y9Ufncs2c%%;LecSF)%Q8RLNx{D=0?Ate%D?i2f!Uv7BYgs<5Vt4#`3x2G$A*1M zd(0>hFX__5zY|d`zVb~AUdDdK%cOCZ!5Fm%C0_m&dpEOZ_OhWN0Eq{IedK%oID~W` zFKoILsmvjrO$UoK0UKmL9*s*%b~Q<$-+jXK9KNbjqEj@0`{qTj(-N23u?^wF0AGJJ zMk_&)tCeoveUFP;6U%F+`Z9~>sA1*H9$qs4yQG)@nsn_!6}&VW^X3TY_I?f86O`v z=5S6z-uQGX;CfNJPuGk;}5qsix>^v9_cyB!{;-hR=B7yL<}x%pL- zF&*y2$H&ns^q29mBrGBaC~JQ5SmWts(n|3lwc=Z-g*{a4VhH5TNkRZwEi0`yvQO6@ z9WDcpPjxd$_$nJ}e3Gu*nP);p>jbVQ5yOc@9S{PO4mDh6sYY#7iK=LTrXO+2PZRAr z&MFbuO=8|eubiPlGP5<_VFRURWk3Dbk(W4lX5oeaH>~R14mNP_vA-w@21yK<){>G* zb!TH8QZWB>{s(oZZ=}X=Vrtg-nP>Az^TX(?5F=OOz-9Lc$Y5u@sVleLzE!@ZR@WyZ zUvoIcb`;^jv{HRSAjQd>PTtWw$=K0b6^1_rEPYLHND_8H(CDXjvyAR`Y&NvSTLFU@xx&*GoLyeqeiX-!K@N6hP%m=2BR4M(oK`8opM=2Tt8*#r zDDY-)F95c0vEymEBZZ@t<kN7B@O0GSaozF~4s8@t_Gu3y^egp$dNFO&cxi zcgHae;JC`m%iI1P!*6+1WAbL__}Ph0y>HrJ-U*G$Gl1E9aQcdv?&AT+1_M@z798#y z3-!(!wzj|H1TZLg((A|kxhr{kxTvbsh^d;6j<8yxvD%NAe3D{AHvocV z2=jZ2DWH?;F57x&if6n#@wj>gg-ZM&+qhCJA4T;`!M&}A58WGRenLc>kKZvOu*{ZK zyX&T=%FjFV!RuVKT$L|gxAPgi)*D-x^^=&6xl0*u&HwCK``U(At!W{HNb8e@cDIgY zj{^>y&cp2HsEwl+-0V)M`p0|ya_{w>(`Hr{4360rn7v!M6IH2EM!3$YAgIZK8 z3U7ivO1_jTbG+xP%UhN^X&CALUDfAT#_lc@xOckAr8bUFfAU56vfCJhU!MN#`t7=z z-u?Ucm9B3iC1^avrA^lMsmar#6G23jnBJZ}OvYw>VqnO4U0_H^$nc{DFV*{{{)_gt zEhZU=yP^8tEYb2%?!EUv?@8PLa&#g$GXJ6Y{<5)L|JsO%exgu<+&8%^zqUHrgbB}8 zy|#XqF#Y{tQPj(PeeJf*3x{v7XwONkZ(e2WOnV*0;GisXr16E=psMC7kfmXBE7EVz z;3-;t{8V~DGI_g_=vb|&ynEzU8?elyc4lEO2M*+-k~Al$@R^-Zi#ak9_nTcAI@8*G zkzg7p6k5y{g&sQl18>RT-Q}X%-)v5UHOf|3uS%TR`+;i7eqmhjOkC)5rF)>e++nb( z{AvhXYVECFkwl}dBlDlhp^G&`~#nyc4ZTCbSAzLp~s@}YBBP^bLn?b+TukJ62}vFsS+$tHj-Q(|vOcD=|Fb|BEM0C?HS7vIno$lM!xx{Q%G&aipYf^i)S{+7R_9za! z-EN&e`hGjjZlvbGd-=l_j7s?BapXO6BkkZ-!QL}|8{L)nl42)LsEXg#zScRN*274R zf^Pxu;LIiHj@u1sd+Ie5A4(W~3HX z>`YG9ys&5{HQWQ!3tv8eer$GOPb7*>>c+{F`djC}*h06S&F1>%;PI=&CtDH?56i*V zqK9xD~&?R^)eAL_{PszX7816^5aK7JW}Jtz`lBKymSGd^tMCN#l%EA zt0vaYz04U|kKls#VcRDprM1t?0=lgpSLeiV=4?3V6MyIv-3+jwRCRDNug=$8FIbM^ z8#uI|@NuxW?|r0Nkym^-VZF0x>dRf`IUENKp6Ji^wbG7!j zG}G$+8MTJ7lYwoE2|eHYrsrkY%j~5+Tc<~yOD1vmRCAS&oQO?An!Uc9P@^W0=m(zC zt;c0-!n(>&_NacWS~sLQzZ=AhEb~{U+=}GHcjn0`C)AU5|9n%-)d*R(3r_NAyVeo! zqdI^ei=ZD3yuBR*0MzwoBWb0>@8kHX65Cn`pEmAMAB%Z4R!X>?G{>p&u=uxIN`ccW zuguSD1j7UTqxas+V?y7Sb-bk&8`3=_maXUt3aKB&BVi?C{c^L`8Xm&8yL6~e-3n)l zd9Y;xVYi2cb=mp~Zm8{gc5GKU$0LXe9-?Voyn`IjAvL@EQQSe8oi@zYrn0~_QJ&@1 zT=Ek%UA64BuBy+%r#mTMDZYb0-6#;cVq;SoJ|(={+~{1#c; z?Y@^g$S^7P(C_f7GhzLkTW#LNSqv>bV%cI7KRMj$+lj?O4p{<}x;>UiWT*$ti}YMv z;)HruOY2Qf!aC0xQ8cAcw0-w!xx^-gs;jmWV?V6Fe~0X4C&m-c>ww>RuW@A%??ugZ zp9rR(&AteQ5tpzoAA&XILt;y-gF;TmJNK${`U!dHS4=AxZH1OEEI67}dyd`fip|$$ z_3o`wO!e^VB|OVnCpajDxA~Rf*5`H&s(0EW2D7)dx0jE$n&K}{;d=&#ERf!;-jOq?s2SWGPo(Cj{1rdr;8O7j2Od-HIr+P8gtnN>tQA<|YUrA!GG zwp~<|QkgP~LS)E1ZF@_JN=X9|TV)o?oN4bSGEX5hnP)O@?ESlzdOpwR^S>j%wR$-RoZWeO>2up69hzoCF0zabUnXTkl@}m>0;47b6V1TmoB}$tu)>p_T^~ z0iIudiFIDsx#tIkm8LyBQfKNY&&4X%?$#=95z#>JYSc8EBEJMy4(LIQn4g=oY3Vb1 z`WUvJvJhMRu< zRr4$c_j(rtlH|xpahmL4Gt6?xI`we-V_#KO?*9Tb7W7y$JWl| z$|kv+xaV4L~>JhM|WpaTF9DV z3^E5J`{u!j3riG?UF#pIJg%DQ7u$D+n>Rq0DZj%3Fb>2Gb;w>XUTljYoV{dq%6p0| zwdVc#qiRK!W((ws%*(%cBq?$?-sz`6o@{DrD!0mFnX`Tnd&OdbSz<;J6DxKlfR!*n zW8J;v@u5&xyAVZJp`8xl)mD~iW>2?GeZ8RPzxR>9J;SRiHmC8n1G&vxji88&c$vsQ&9ME7D7$^;hPmi^v@0ecc(pobZ<2QS7 z=$f^ikukY+SJ`4I@i*wn%(I;e7R_jref+VRI^RMUWTzB)e*|?VIjSt6K&_5eFYkEsq<7pE>({)TUjg7&3izb@k49yUog&o?n|* zmuB3R_2zHy)m*w{tSr1pd+~O0_Eifz4bMV*JAWT@%Hn{m>~0MOCXUjU>i&&dsSUpd z4qVG>{Unbu$E7~H-Xa2^ zu;?rsM>@C6mTzqowHCsi==2MhNnP-+iwfJE(Vt&8rF3NHni)|B_}!JBadYK1*Y=o9 zl9R)7{DLV(_6)sdLQ4(zLn>+_V?TZJ9b^*SU$N%@P4Hq(Axo%ee0==%kGEJNvG@YN zqH9s`Dz`+TV-C0$R(;YB@Uovgw$&5ZO7nrddYwkd!z4K`Vgd>`@1epPhHHsd{nsbg*h zsz;AL*+t7?Em*~lNy)iAfL|M^r3RXM_OhfIWSzf${dz@p^}Ls_pH8YtMPxZ+W_iO=StY%T zKO)O;la}a4;Wtc#+-y4yRy32v-M_x zKJ!yJwXQy1CUyZcl~TOtzJvCa-hin9%h!t^t>0|jJILt z)R@c8r=ksKS@|_W=8clp|H?06dPMksx!nLsmLBRG^5-FT66Xs3;>PZGzrxO~NNkPI4)galBQ6hla&!HJLKlG4V3M zNXB6#w|X`R?mb@@_BC&%RnFmcE)skd_dxW75z*uNO3~}1DaoBe`q!eE*1^oDEr&hD zR99JOVg2rCR;$FPh&~XDZZV#1xta4G>D`j7hJ#q@oSR#Y;>y{fiq^Khr`^(w)69xCu~NP2|V#t}V!wlCrD@6nRe(wScoR~2L21(il*8g_U9Z}#JzL(ZWF zwp^ucm&e%DST`UdaK!@5`cIPXm#N|2Qdd<62v`b*-!yw@ z;aK{G6&B%PUm|V=)(uy26cs-l-_c#PO9n$3aQ3NK4xx0kwhd}*%zeIHnI^Y$UQ+o@b|!Vowi4Ne#syo~rcT?;<8 z8(Dn1!dDw&_`*|ZVfk(ayC76&bv(7cNOu!LyA`;8dS?Q4wfC%O8)IDM*8R_~d$nDD z-#qKuysu@^uX8?wHMC#Dg1?reXmj%3Z}3s8P3K%V1LY#tkfBHhBVqvHo_?aSa>Fxe zR-SDz@0t-@Jxu!H5kXc)xS~Zk?IN5{YM6FBATD%e)nJUxY?mB{BG9D|4=9@bP96*v zug&n$XI`>=-|v<37gd&#(v88JTyoS6XlzY@%Vay6MRC{;b7xj+my(!xx^PGL36cu8 zHEh=_SA8i?N8D3FmyzQ9PhTDY;QxH{Lx;l4;=Z+&)knF)jqPH`uI9C)xnsf2q8dg* z4<_b}9gws5!XJ2WF=M74-TE9~+24wKG0ykW@F%+s_Kp0~CQMxoh-3JeA+wa>Ni)7? zWtG%x-bn2CU+kVxHj8yVX)vYazmsW{;<)|sORjeWx{G)GvRtS8m~ZXkCi(-uC;yIx z-WH}B(O02dxBYG-r=TF_`bj|jFaTI~c6Tf#(k)8Pxu3mhdXgKE6zeR5g;azyy;E!QT*Ymf(0!+# zip`42i=1j`XwbQEA@Wgh9rB2{rmSv9{v2fR%Pm9Q(qIc|B2QU z7xkX4@39QCP&S7`LL>S9N=7qUe@n!h0zH(qa3*_arITsLn!Zmqt^PD>YG??X`y2_U zxSG}K+WU#6sd-IvNQHK}uQWvWOhps^p`u@riN1+je8TyOmAUST$!0BgoiS@I;W~Ir zXO4C4jy2jMIlRfXsWpopAK9s!$=82+*675oGw06DKkXzPTYH%6uxUcMQ)s-!>lOjx z2+CNqyvR84{57 zK0(&w_4&7~JU^Q1IQ%}vEUua={p1yBvRt@Vh+MPOb$2uTouXG@jV9R5u zef)+PIJBG;Ley(fUJD?e6o3TYwkaptoZEg z!=y4Fa-xDh_U%xNN)nKAOya(AUH9P8s|QDyS6y`1#(2w(a)$0!4m4|PsiaCgQc74g zkjFW0h*hufGxp*1N_%XN5ph?LlY3F6g3kc-W&t;yibl9Q7gP5+vg`mTra?-tZmA@C*t{0pXqj{{B%6O(6eZ{<9F^XSFz>a z&hf)Ji!dNx)Inl=E@71L9ni&;a%xp4A4PXxLQy-TH=Dn31LW>VC<~&*^Y(m&k;vW( zgyCMhc5QjBE-E@YZNNjSX(mr=xM}wwyC65-AJSn6V`*K<>#2h}R#wzld*;$^yQefr z6)1D6yulyx=;s3aFL`wi0swWlH{~2#(DT849=a^#`C_r4g>y_VtC>sP2?C+OXqH{a zxE<36p06(#Zxb{G}L@3o|2wSHWcEkoZ&I!rmcR3B2O7FaN zl-Rr4D$Vd~hA{wAKNy>Yc?aMUv(9ZB=^L0FUAU3vl$)FE>h%KZUU1$_Nn}R_X3Z}` zR{ajNE%ybB#zI@i^4IM;myc9Vy}!#vPQceHwHW2(9hym9xHU4X(&nxyq#?kx!Jir7 zX1iq~wDe>1UF_jofmg?r`|thbBAI6-H15w;ccQ0=7YWqgjQOzruxHK{q_-ilDbdV) zw75Yl3@BBoB(e0EswyCar7q2^eu&Y%{c$sfgH-3p_t{YB$jw`PQfDS}{7=P~NeKzc zW!Th&4$y=Y9A)RtFN@SeO8*(Om_D;IX^>owWn~cz^TQ(g2@!CMj2xD8$K4gRTt89t z8F2+Vy^X%Na}l*FbKo4wV##@l-JJu=YgG?iAz#OM0T0`*y_35$kruFlmQe3B9V-6= zqXUjg9MdROXJRWyCtqk#FhX7R?>`LzNVQ8#@cF@#&Z1d{{9|8V*7I>!Jvp>AB*kDZ zvW2KFWQ!$M4m^jA29VavPeOKg=PbGJ!0;m966fd3yq*hh&%!;BBQG__rrVbv!4RA-=*ub_&lwyzg&T;EN?o*R5!#G!3D6RMh4Tvldf~qe;N7QqF{45d4B*i zXB8VRZd(8n(na&!pc$aBbneqdlcD|g;hzfIzH8@%D<8klF9w_vb(LWj>N?BqBI!`q zCCA3%Ht|b-?@C-4DQ_d$S}f#X&jx7&R}Tdqb#-=!oG|rSK|#%aSy>a%kz|g{N*8__ z!+g>FT~FZ`TCLmi9LZfiQ+U`v`{5Nb&56&Yf2X~}?&Fv33E5{76}#%cjN3g63p>>F zBe=E2cJRSc6e+?@(U9(c7g z8VbWlUyxeHHkk>;4-Q&MTz)5V(Cp~HC8ji^ys=M-{CGX4IM5g1O)lSC611Ai7qq>n zd+lYGy%baI+~}in71hNCMwm>yNKztgGTmW`> zP8;;oBi=}uFFn|ZxoerYF-ns`i_LPIny`kNd$)Tl?yb#Yx+( zxvP9o5ZC2FEbecEYnzSXdiUYiPGQgVEna)PL_GYqRjHF{` zmeJAC5n8gB_yt`8qA&~LrZ+CRFECe2R#{^ai$K_H{5Om!CD!o#+0iGI;`Sh|nSA-W z!tBm{cJ%oJ8D$f4iCJ0NP-meG&HpS(EJqU8W3A&2Zv&wNdBC70!-MaJr`T{7z|V

    ;BZH6nObq zl5=C*yKI(s&0M%x8wMmy^PL@&HNT(so704gk0zXw-t?J(taTo6BbzSqUlrN^0IzkW#dCRG$iPAVZ=Fg2M(<9z; z-Z=6j4sOBq)g`;R03ZG21b4?DsL1)7yZM|cADZKb+&T_(*bn({gMPuEZA7vyJ8uA2 zB5;2&mO`^z6O1xFe^2bkX9FQrZhdwJqjLTa=T9a)heL3{!&`X;xDRvG^Mz&yBkArp z{naSb^Y-&E;`iKVC1}w_?-iC_!9r2eW739|n>tYOO#st^r@h+fY9A{qj9rafP@a8x z>cP^dP(1B)`@`#&1M&m?9pBvfkT8hN37>q4XY)tDvJ5hDn8gDBKgcBV>yt7@S)DdHQUCX$S2Mk=QyAW-B z9PIr0p-*Hr^u`VruS^yil1q#+gjE@>)LY+GY?kIev7CG1+eqxY^e0fa%_ZBac%9+G z_WL9WaHqgM1|BApuc{%ramq&3>l$T!8GdHi4^{oJTunl#JI7#?W2HW8k&o1HxXn~LM_lwT6R z(9F8)R#6M9VZuOpYg@wHOrMVT;w6-Ty!hsn_OdMVZUeK67hgexa*8Oz9Kwtsq>9SQ zc}Mz!Bb8cpJ<=pX#j_4)gap2V(gv`^cL0%wWcQr7u0*0J@~MnnaQmMKzgDZ1xbP$~ z$M#zAy&?XSGn!XeA$mixP&}fPlI&$x|F1&b0&k0i&cR}wPIasU!HrU~#wN+e`Bj7O zuv0vTq9tcfYnEi%R9!V{(Peoj~++VgY%Y6BUzE)mxB?izbn)mQaN284^d%vZa@xSaK&D|D^)rS>X`_gE zWiWOcFTdNYM7RJl#q0-$tD0x-Sye?O#KhFXHV^s+r7{E!?CP|tJQ2Y?1!yN72Q>%e z?sdrVsQGP+|B&Eem%y*qb7vszO2fRpIH~X041R#f zWAg{Fk7l1C@aBTYf9hgD-)@t}3ddE09xTp1(>F~9KJWY#NjY_%Q)xIFZBF*_m=Dz+3CU2c<1VPFIj^gu0}i8$XZgAlTAO`QR+js5v(q~blo@xf z%)6G?{(=kGo)e4+-%M`X5M%tJE4KwALkgxeR%_`>ylwFJR6S689E$O4A z(VCO@bs<^8rD%}|fKCiHt*YEv*dt~g_O{u;d$H5w1s4c&ooRVpDV>F>^Jau4E#T1| zzL7K>9Mbs?UXE44yPAS=uO*RR(&pZyFFRoSU$0_Ah|_Nv5!?@H426x? zxRewo8^VZH43~Kk|4N<~bG!IQ5C?e&nGnh}sCeA&Rcymz(J0rlnga#YwnNjK<4@dLMuPa!vDLxq<-Uo(6$n)DWb7fc;r=su|QoON1K zvagPW`lEzBb-uSn8Pl-);v^>N>WxhTleMxxNE%=ldDYIS&MXq9&WzxkV7mw1BMvb| z?B61?$M_Isz&#aewmbjYi;%KAEPd}8Y)No=*;buae*!~TmW0Uhbjm5pYQk(1h*Gwu_1np11)ZH#(^e+5 z+yuJ;_*k~iJJWI7HiV?6Q(q4m^Bxx^#5|7VGS^|sCXLtq4yfS}$PWN9^TSB&uyu{f zH><2YRX&2q>pQU8BLtkWM17tfpy$8){hAwy^;g5`uxL-3{TBVEm2|msrIh)2k|jh8 zRkR?rKCb6O5L(E-p%iuzR!E&F;c+0N=+e1!Qlo2Gk|7w>>$1O?&A5I=tD>p6uoRwz z&YD9~N=qqAed5xx6hEa9b9noWhSz&45BsgkQCnl8Bab!FUFnfxi=%f{+L8(u?2n9G#cb$C*3r42QzF<=Gpu4dL!)fF|-A*Ld?B9lkD zx^`e{`D*`+ohJ&a4?s)>G^&t}zW!+=1kwI|x+cWqpm9=5_fkl%efO)UPgCV&6jK+G z46(j-O4Bm(l$o+&j+<8UZ$NmjJ+X4<{o``P%8B3njuA$i)?ND@qOITERbXSNy^rKa z^T;d3F$9`dCp-fM_G1gWv4tG-&p&b??7NbB_>#7^t`b>Y-)!w9DwmZ#BByn97(;1! za$X4%=(QX}w?596WGfF{O+rj5Z&NLHMRR3gqQz&b7#`(tkgUSnr(EpRd%`~5_cGf$ z3zcA!K0R~D4-!Iz%sB#WmZUqs#9MCA8xVoAuYXcXnwi-S4>XdU1I8&x@f68rG@`y> zF-8~f6TG6!6k%b6`zyWSv%y$6$V#v7f$89Kx&{Zc9n)iU15w7&U3fMiUBM#v;NM;V z&T*Hf(fSWuG@FNN#J?7<5-$oyVf|hwMlX7)(^NBeA$~BNxmn3c80?ciX5pANnb6oD=YyTLHRhzu3?z5Y9C&onT4n z{VRDHnW-DXq?oUyGMNAh&e)E94U|kG&~Ju0DWb_KXSt0|?IFG?XnyjY8Ic8EOJwJg ziO`R}WtANnhcWdfYo;KJrE@+#afVqyEAvlM;4lDP*ExzdS5H#@=s?1`>1r5fNIi%H zwG)EX=pW(cSL5fa*GcB~B0Rx~10xOdQ;uX;VZc`jAGvYJhMf`;=j5Z#S(ZI)S~#8R zN_D-v*UBvQsm%U{t$4A)b5$jJvet%kGz0x#aCXUz&2uzs?thbZ+kU<4oHA4a{=Rm# z$h0tp@Tb5o7Tqr;r3E|NNI8pqzWLUwlb_fIv41j$s-QSY~1(Wk#+pqz87fH??%sLIZqa!1M|R1<3#Ag6J@}?zTa# z7$@FHP-?G9zTiQPu`8pqQ;p#@+Vpof|2CJ7MZc0J?`ux{%LVEm(R^cvqbYXtzcb9J z;z^g)9b=QD%_;;sLx`Z9A!>kdoI!|cV4cEU5XyZ?+X|#HBd|c<`$vcsef;m^~?O_a4i$C%n=8e5i zu{{?ty{Ao@M~9T-=Q4ywgPShhoMH$9YfCdptM1*Be046BOYr9vdvmpB>hfpdoudy- zJu9<|;##ezlG1fQf849F@z{r6yJtTy1S4>H|Jr(A{Pmu>!$@f-NBd*S@#(xvnrPUArT$+;w)oFcg; zkIvZQf0ZX*Ok;IAV(Uidf(cDku&ey+elB`+C7ImbnP%;0`tMc_S$fZSD;-_m25cIx zp2k}S9T8P9_KK#uJvUC5w8vjPt+Q?{0mp?ljNKqD>nTjjb8^doyIpr}rF1sq{rDy3yY- zwW2?Yb-TjeJtwvIcE^o0CXV)(1F`tZ{vttZ_mO`yd(6&Ah<~F8c3XP1Og1qAD*013 zC(@7}CU}^IX4+Kx41mGcau|`Hc$$CDB)8jRkjO#jI_&sL6lGaKKmda&q||*t^#ErD zF&mudh1nN(oBTGV&-y}9A=bs19HoQ$8QBn*RTcI zk_bupMrtOagG_T7hxSRvqy`46!syS8rg5;BWv}8&&L_<>Fn02Z%X8{W}{&;VhvsN!2J?VLxSIp|9E0*F!UET957%)skPoK0&57-7nU%yZ@%B{iWjR z?}UGU!h z`$~}7;F3i_xA7<}%y|q%61x!WaPC;#5R*U?G9jjAH~3(rxUos9n$78m)UEGm-YP5&DJ~tl*=5fF zCJWH(_r+4s*tSNU9^fjzVl>8oz2n?#$p$;70A;RZg*uO8?X1dJSo>kwz?lrqkHc1d z^-2S@mSj&_M<^*5vYNEG?;m~z;bC|+Vm9e`KO=M zX&{Y+fwl$!1D}FCxJrBlp!G+}wp~a6CSG>k7>aspESa~xsl+IT%0_qa$fJE2|2yRY zMTKLAI+1vV-4%-)saVk|p4~zUpjqTLO9|$GRs+$%JMx^-fR1*l~4L|otY9jNs9vEf8q(pyUV|RS~>fn-2lZu;>O3N>~iHu%gFIR z@*=8JDPp=0^(=zzt745oqyTauE`lRh{v82T<_Ra}mbutGqLKv9@1lUWXQWI)fB}DV z#<;foz(~Ur`h(l-z9D+SP~5W3#l6V!|2We!G*!(`GqdqF0F3;H6E6_ki0nNDOX^dV zz7ZI9oj`2%0WE`tg~isvVPW+J>V0;pHuG6{Cnh&}?Bdp{Hr$&#ltLBMT3Z|2ZBc%I z>8-yy02px-(*!7UEpWwy(b3T249#Ci(2MV+!Gmma#lFR+9NFo5f}tO9Z`hJ1*yq8>OxoIME9}3WJ7p$2j@Wt^72@9L2?beE8ys1NI0}NO^L?P3m^4+nO>9gP%fY9_$ z@cZrZ;2i;Ui&Ar7!KODir?tbRsdxlyB#)RBsz*}NI#?@pmoy<@0MIF5_3C}o-(8eaQUlq9k#WQ2cTnVSaY zU~crW0*~XG*}nWuCp#|y%G*FIU+pg-t7mX(J_lR&-16CCe}Y}R49e2Jd?}=>uU}@U zf&?)^{t+pqiXj}pIM-P!Zl~6<3x*Akywd6jc`XS; z+%_b&Y-+y|3F69z)%pOy;b`5fQ`M5IRwOgbld#vVce=kfy*WK5rnr4{*i#?%d!%p_ zav3tdmV^}Yb@u+#$YZCBFs-kk&*-U(Di67oak@N_lmdyRc%f|!c(gNT&kD_X0`WBQ zNN>coOffP7p9Tay>vlz8)zDhjy0$3zw{~h|or2WmY;d5ajTHJ?) z_~kNi7KWyHU4{Ntj9{ObO~ld97U{rDr2xw=stEp*e<${*Rud;n3SGZ36LliJK9AY+1Wk2X z0fBogvwZ@tapzieFcx+0{c*vgTEgtT!6oH|eRvuYdI60DFNcK=b40UCSNkH9mt=a^ zJv^FW;KdbxMQvglDE@Rl%+_|X!XfXj{Yew)S%w8=7hJ}6zjJw=$5ax=_?QgF#L#>a zd=I_$ZBwzmB|du8gS%~=2T)W=w1#IGU{C}G$vH`ol^_`e$ucWx$T>=8$V1MOL86Kv zIf~>YL4uMb=bZB}AV|((9J z%GGne%I9Xcv|wQ0HSN;Y96!$5oV6W)0^OLV{wn=J3Ud@23=Vqp)a`n-;^j*`)JGfI z&k>v{3oY{thl^bwCPRbyy*~%~?YD8&FO%Um2uJg@py^+gR`k!lk6UDb$evU1W>#8O zg$IZ1Oq=>ipNA{E_(*GCJ$6(K=r@qq1u>konAVv0o|hE6`s|{(LIcQqpQXSoG>yQr z-#ceYI$TXQl`bgv)DMnlFPhiRHblHb-(o4;oV59;C05^=5w~VLe9#^9(Zk%ez{|At zBEB?ysBZUj#9+NR%3y&6b{5Bu@{y2Tjw&gRba6b#M}cKwsL?X#TO2p7@8hB)>%2rGK~%V^rww^a-JR3PXWyKHv2s9 zDPyFvq|Iu~kUqUSh=#pNq*jiBgoow{eu{ozO z&$Z#0^@#rQVd72Xs0!7wzV`SrX@XDHy_YHLW#D3(vZs)9?48^zGJAnQ9#rmfyv2mV z?XE7xfPpd3iH{3xbdOfzshpGvFi)w)*_t~FJv-$`%9pSpIL{=CF`&Yty`hgJ)1rba zq?;C*y16dT?p0ZS^HE=0nXq+=t)6N3%Y5nG&9xm|=D-Y%Z^`HWw4I95Q381SY7NUA z#^6>nW}OVT=4X}mSwh^D<9pKc$gKGvnpz}Ys=ST6fApPwIw8Jp*`LR*PQ0w2xhKGO z*laU3qSC#_2)Us}K<6b20upBXHTAr@2+P1@mu&H`HhP>;CIs!CTKC(r<@4UfrQku! zmLB!+^Ap7hg9Kam($1Zbx{m}npVA&29PiWZ&RPi!4tNtc0hz+i(#7^a2@2;$CL~(Y zaL&Zs9kT#fqr`;x7V{hO=g(V^V!4mYR5;Cc|0KnXkg%XAXyU)Bgq=iwmZr$+$wn{Sw*JxK4{{ij~!FEcf9WU8cwS^U|b zP44~>o7(iJuc|Zan>Ofr3uII0dv?*2u)(sbvbzjj*ZnH1Hi~#VZdm#~HmTfN^C1+1Gf;wm}Q&=&H#_Wg+ zyaVH$ir%377B-D(*k93S41=JnH>2Qe)q^%4KxH&L@igu7bT2WnCNYonsY+j zXfT;pZWd|O8*0B=sf1uHLkRl!x$ri3&%W}9QMPJQDd*Vp?L{`&bPKNOCE90%=org& zOH;?ZAFxinXJ?aB^@qV-W^NN13k91O8l&CNK_sJJ=2qxh>)D3WlEbVuL0bH z995h=FpY1f*bFtw1Lvjnd|*Rts7rLH>Y*63r0&QQW;xFc_l0~UGXwEOT=`z_GGHWr zc09A)HrpgxI9!lw;sc+c7uGwp|&1ROG3tLFACBWj&4p{r!wvOzzqT4zfAW(2Wo@8BQ;Vz13d{Q!#WhRvN&nZTUaT(2q} z(j38dcz0H%%W`eHpqTi* z9hTeo_tet~oHeTFu?*r4@h(^L)STAT9S~dxO}kOqELG=<;TjdHCe!bvnT-jZqVC#_+dXt*{r1~@uL7eP`XzHBif8s;1=7YS-TD^{s z*i1f;GpNaI$)f2yvKQI$yLY>ah_;tstktE0tURf9-oQUC2^HLTYDFnaL|xG(1@tub z+#K-{82Nh4VAC|ROORzptwdo0NjqMgq<8O-$qTAh7AwLc=&=dc9kG}6fEAZp$U2si8DAFA{pryyyD92MGUM#4$}k6zdj6-fI2RrBGDi)ti zl*?4YE)_DS=7^T_p_>a;<*~}ZUN4pUbpwZJ9vdzxOSRUesqu7iDO$v?WX}CQ{LkL9 zy8sk7bTlY&bX6Zef4S)79!D+iI!GzY3tk#8pCE{%PwQ)f0)uM-k34=avF zf*pwyB`+`88i}Wfq&D6iV@;GZNJ?QAx5UeDxX;lK6R~f9jQ()Pi-l!)$mV!vmH&zs zB(mzX^W0}m-Z7o3Mf z91(W4PQZ;%)D{nSeIA2exKb}aq!*$(^0W4X?=$-aPvpGNlUfxe?fdxMmzX;;@_>Mh z!RYL$1HLsH@*LnDKWp406W)FJfOD)u75!`!8B*DtUh!k0Ji*!8Qh1}OT#LgGRf^=`iQ~^xmVyy_3 zr(Z)_It-8%7KRl97!c`pBAQM|#`$+R$Ztl5TwKl*z~<`02q^meP?{TN%>TLw{Ys)9pDVuRi016cvPp(>Pe(T^U>uF*g`cC)8F)g6R-~0TIC>3K|8vOu%--$mr zNl9bo0&k9Bz@>n$I*94*y>+K|u?w`kOmlYInoA9^7q}jXp-uxnH42D*HBx%2&A0?J zhL0AEBx(|5O#Tk`q_Jd2yKw|s5BpBlj;wKNu_Jq zx7EuG^7f(A2&(nJoN6OZBh=?2kzS{r4bmI=p*1$ktj*vpbf@m|{ z*C-ZT9QD0Fk{QgtK^<0P*u^tyBK;#cU-p63hCc$Xoz1`eY>}_;;*;I8vK?IM5-!4a zhd@E$n}n;c3QSv?D6xAp*93QXtx|XA*`>X&mzS>tjOzm83w-Y(X&jrFS zuM04i)l%-iX~T%E1V}gFyKb_`Skxc4=@!#zUcMpZ?BvESSN>J9ML%%Zaiufw*~wR$XlRZVF<~_9LorS`-WIPdSZ_L88z4(f;tr2t;K$qo6)t>-=uP z)y@EEu#^m1)=YcRMd7<%oU5;#b9oLOPBFT&8t1~@h5BLx?YHc2xrs*R1@?;9h%%IU z5pirnqF--}k0>WCUZ4Rmc@QQC006+by>6{K=P3GjAp#Hs^rRi^5$5&?BXv(la~A_n z4?8#z00F3D{M8%q@CfAjq)L{uX7%^j^$dZ-JIbZ8O zq9Iv9+Gx&mc#WsFYq8r-_{|I?aFAb|3*gK8G$rVqUFs3n@S&*p;+UA>4(+$Gu0Xb@ z>~H%3h97ujBz_=Fj^5W%dy{n1SIWb>0nEu% z-BOXLvxcgxFLx`$83ZN{hC1kL{^mc zrTlMXxVOlRoXz1bT%14cPgEJeUyLSxqk0?HtAu&`Jv#aRj3Dg0#)z|fPV=2Ou(7D+07Yv8b7M7z`Yqeu3hCY(9YFD5i z{kTUN^s# zXAijbKU;ZaxOmO%9L&t&oPSv$fEnY6;GF;U5dRkc zXRQ2N{2!4+{-4M(S@>HN8~f33I=`6zs$l+Z``h1U>R$!1_`l=8KO2^oe${_km^{{B Q*f9Z^fS>(;k_7<%2h^&+)c^nh diff --git a/resources/calib/filament_flow/pass1.3mf b/resources/calib/filament_flow/pass1.3mf new file mode 100644 index 0000000000000000000000000000000000000000..794e53449204dfee029375616db096f4f6fd01f7 GIT binary patch literal 151500 zcmZ^q1yEegx8NZJx8M%J9fG?%1a~Ls;KAK>a0?pTgAOtThv4oW++lF{<@^4-Z?|5( zovNNX-KX#AzJ0pSz0>_06$O}&%urBJ2=56B3KSV?|MtH>pP;azI3!s)%)~C!l-x7&5HU4uDb*;)w+UmBm+L)N<<8gJ?fu+N zAA!|V$92J%=gq4DvVhl#v$fZU5%hK9_llj*S0a8-hgSooxoc3*SB~rLFEy;j{tw%& z9-V&oHKodD0j++I7djQ{9zJhWv$k&c zE6N#&DZg6Y z-|y_r|M_xeW`)Q2^%nW{KH$~yxv9y~|KaAasnqx_`0Y#kOPcZ8+wIEri2yAJ>HW)9 zZotd=HPPFL5fT6U=b3%ux2uJTfY;rzc(V5~T`4?bb%fl#52o=Ocr#$6^JQhl19)ku zK=?($`7I>f{!Ml$E`X~3@D+Xc7M-j68olv7as9dWsXTvpdh>rg@AGx{&XVax7x8<| zHO4S~g@I;AMUIZd#|?O%$$fn>?(}JGUmqtE?pW`9c#Uv**#nIa@SKs|-K|5`mC5$V z{5}8Pk%>Mk5F*^a<%$Tu+_W~$wJCSLq&4#!5N@W6QN|XE?7W>{FYt7oU7a|*wfS8& zovl^JUoN}_FPtO>$ZsFm4)1ml$4fT<1-q@WJ+H^8C|&u51VJ)J>@((FdPZVY##j8S zBcD>-y?!*Ht0-kScbv>@v!Tl$>j=Aa@a1+iXm&`-Es+fj`e8z1^vH_+1rTX?Q&7jVAQI?AT_9QdPN3G|fXn%iY9Wr_3*t14A%@t;jfd zNxlBWNxdO7R8Gh0wZEL{bt*tdm~2Ddtc73NJ2(y=V~czrevoPw)R5hJClNjyIZsQp zEv+jP{Qj5%61;sF6~lOzfoGv>+I9*EbebOeUaOOsvm&Cj6o*dmEXGH6+=6HA_whPb zcy->QgA5@=ZrQ!zI;T10@(kfM;dXJNFIP9@II>~iom>3}{DQE>&8H5lo0WB$hr0M} zSTi<>Bpq6EIlI6FDzLjOW~-Jg=980X0i2>NX8dH}&eli$SlSxbV5<~X5xW}5rjx#( z>)p3JyEVItaZd52UQ(47%$ibJ8WMWax0mH)*P9ZXZjX%gvt6hTriKcbu|OehtoQ6g!vQ5^Fw zY=@wV44!HZ5mQb8AdabROW`z;Cnb@jRr@}AavTa5^xBw0JPSLQwh!JZih6IE2-8e& z(;WI^$5uv3&kK?XmJew;ho{pdx_Q?S2GtfPX*!`oN(;9f4EYHPtl}q?G-rK>0l_hu zar*d`x-$+uh(yXj%XhwbtLlLh;TnPZWsG5$j6Gtrg%|M26~Bf`V8gz*$o^0DQ#!iO z${`;mCJdT(6Ql8o?tk9-ndgsL34`s&2+rO0_fPN{OcR{Fne@H(UjE*FTNOSn#Z%G( z9I)9_!omu=7%MS)PBI+Z8}xOK9-%1~g5U-4fL_X9Lf z5bYK=pr;s&+g}TvahlwAz^}OwGRl)LJ7MfH67C#-4`UKJ`?Iv*ygRttvGQxaQmm4vPXmvEAkjHjuiQ z{SX+=xGux6J`=#r?87Rts9&5eZCf8FxC$V(*hBP)o5vWoU!o0|7_blPi9eioZdmmL zgrO@E6;2OwSXJKnp?0pRXbb%|BFUGeo~gAqr$jo5VWvz;r~xAG0|N!jam-UzVgj=S z{UzF9v&5{=5d64o;s*2uT?`XKO06jRa}ibw&%7!Jk|=NDGEP9K$L>9X*+Q?PoXrzE z90e<0J#WKIzfWe^xV1JU($NHONzxN>vzDZDnw7F}(hm{$Q43v2qc1#q_lBfp3Vcm^ zV>|Zwn31<-3U+=9aSMFqi9>A~My!C0EZW8MessK2dj%rgdQM9Fp?>?}wf;r$tDZid zqQJv7J?lkk3WqD_4r1iR6$xz3<*4=YfHVP^Ftvd#$<^l+KR;yRFX@O}z(~qWON_iv z9+I2@)v#H&^ix83?GhX1MyeG>F<<}Q#4a~U{MN<3y--~D1yFu1#(*`x4(n08nw^e0 zq+~!p1_y=sb?z>77wqt~YW55)YtRqH&zHmwWTaXpZ8GDlt>C%+`g`;!i%x`~ zSoMLC5fAs%$M4WgagPd$3B9(z&*?j$;Td;bv zm^GtDG<+=NfM)EJV`bJ;GYukfWCg=tJr=DgiurIU4tp5GB}OpvO}7XZ>R{bpQ!;d` z9ljH7>RE7ZcS438l7}pl0hWewwDMP>DXFeGy2#$ZX%f?&3~lR|nsq5eq4ono@zM0& z=%2=iR20n`A>Ug1q1faAC+SqKRq0gM+v!xqoNPcDT^k6yIAzk2Ayso|2zip_9ghE% zM}h|QqyLPZ3NXU3U#;GnR+hydCh3*adA3dj8y?dG@c|p28q-5iZu%ZIXF6s|cERh8 zYTrnc;F3Oeol}31ZO9FtgtCftvG9@75S40d{(3|ehDunIDv5>(t_B?wk2>*MqN`8| z4cJTLbBB9L{n`&-Y4B#F@H7wnMX3?lnV3#sg?0Q8dk6z~4%~EWJReVK|k7D-y zE@KSa-))1XI4f>ii^#25Q$k%tJ$91Cf>)(AWz+LSExZS;a5(k&L%0aeX+I+k2;onC zS0tRO%;#R@EX-EFUQZ8dCHq8NVg^>b_@=S{JZeoDGj~;d6i6}MI#c6bi?C{uiH(`) z->$J1eQ%Af)e^>V*zy#%*hfQK&%r9+;FKtfj&eePd#XQ5@y?>}HYBZF<-j)v2VHfr z^{hB1#`&S4ppNHu)Y@L*dOyy7Tg)0HQ2*p}DvPKhG)kXm_n|A5&b^*yeanA!z9#SI zSgG;&A|xZfL1jZ~w^J8;(PIartX zWBSOOelxc^17M0;jBskv)u=9-C(e1V-yz>~GE z!G+#eNYYDjaKZUYVruS{6h$X0NT_afVVe9Yf3V)u6V>jEyUEiqPq7gPa+0$UpTbPU zmn+g^Kf66x>RZWnKaGhLvA0T1}Kvu&@YxD@DWdAzZRCGC&KngaSAbwP~)V#rQ3$qPy3p|qi(?i?DI(Q@(p8NtL9QzBr*p&!mfEwRhBX6l`R8W2cDK+>D?HMPgMK= z_1(MQ5R>XsVKUYWZt#V=dnzgh)Gj?$Ol^n^101e`=S+sn#ehGKb+AaZ60w%`kf{rj zxXN!{Qmb|j5-0pe3ZZFBqA|{TY`pk~yRlWo=RxjPa`aUc#sAl3K9GMVqj5xC6*tFi z?EDv%Wd83_dEOtCykn{kbdvc;*a$uUxRMzJ)Y(K77<%o2iTB?8IxUJnv4K?z!Xr$C zwwlV6s_7sppgQ4=i_YBt@|6UA<#axF&SXCJ8ZCV@d>4lX{jELEEG|SktAjQWQ}L23 z`44o1*x5GAkfl)%{sf;-BMb)Rgrrahj4Z=~_}HwH_=HAcTUjWyQPLDf{X<5`J2fUI=5OGjXT^=wQm}>ag`nF}v9*!$>$1 z_NWvVIn*!|QBw)%+n8YvUCn{Bf~LUSL3YZ`36jr3q)hud$In0}5(1(mqHJb%+?hnC z+Qn@%_3KW*`JIQxj@?lKrGSXsKxt~j7e=#44^J$3E zpZV3?fFp(W>;pXAB!t1>OllIMv12(OwHjscH4wtAfU>KM2Ve@6z;ljhV!5!rpmk=R z)X{~NFHW?z`|y4(2_X?!)Y`;3b~Q|dKs%yeNhi-$+BtTBF@U`qEfyY<1kYrP5n@2{ z7zw*r2Ne%lt|a-G)0azE@!l~+B+k}bT*hb-f&~3yFnw6F9_W(f4Iq~tiOVo>{$8seW4`t;UKeQ zklA-+PIs|6cStt#TkDHcL)mlOOJspXf>q!^`v{h^-eg1n(!0iYk#RE3$C})_%0}1+w8LI+uy&Z zT=mJy&gRuMs6Sk|KHG4adfqWe%}s@11?mI!IW5*_iRR?BkiBl-{_39GmSy8YEoza6Q} zD_!BI59z2i2p1DYE;b1W^ap}wg>?J(HkHi}W%F-{?TG1Tm6*8&!?>@`-Ezd`eD}j? z=_sfZb)`;0Jr|{L^jhq3RG~<#X3AU2=6ZRc2*{EI5+_)Yr-IeMEc$e*VB8H8)bDTm zuqCQirt|dfigt_3Sq!Vfr1A73IGU^HMiW}qk2M>DI<&sNbX#_vs(W>iPo|3$ltI># zi(UYsWDr)9ZZKYDG+7HV{T4tAye(b z9&sCT2yZI>%tx0xQTyaw+k`*erl=aAQ(TInp7w~tn_&vNI8~f1lBMcaWa@E@s>^&Atgs3uPltB|1&w z)uzL-d0Smnyo6mJ`}}g3`UY`ARRL5jKH0%%dGQUcmC=mGvV#}-rOG@hUH@NzG`$~{ zm9HO#l(h=?1)^d<{-rr|ZvC~ih&!CUx};OG$-tzfD6{v9g@6NiwHZyNsxwiXrPJIRvgAjnJv+L|N=yD(gq7)_bvhw?M+c{`g@m zNV?bU4E8fmG8bAg>`{=0;>$C$qCv))in;5!Q%bq&Y$+1la2J-%hb@yt>(s#GD}B4D zVICQ3wM#^}R3cuaR(ZFPP7eaP@Ap zAxOA3;D>xaF^rds*ts32u=>cixj+jS*Fh0vz1>WUoF>jBY2sm0d-dc4Ho3nF8EI17 zHA%m7<96*x%_68kA4hiLBrbQJ;&1uVu&vn`D4G?{&*zX&U&zE}VCaB)cMsB34*e4c z`CqgqO?jLdoS%l>)uNsBwR>7=jhl)5v}s|-D745<)ZGOG+lNr@ZfRptTzhdU59rUO zTZ0>IH9r6ud6hFE*^#v|dnLbPvUR8-!G3XgVM9ZV$;p}=n+g)9zt=AYHI-3JN9E8l zs2{T0H@me-uzNr=7&7i>$(&y?DRVgfvJDd|#bS@3T4S$^5D(Ka>S-2K;##!{iG5m$ zEH+P(7mR@~LWihb&P8d3F#k=Sfm%-mPnm6v=fQ$_1e>NVlX zJ|nG=+aaavw@n2WVNw$2+XKP|c(^_FP5tT8Ln<)VK+{ggH$3~S=#pelsO`(V(bl}a zJ;x9h^}VxQ!0A?P?X2x)EA`4)^H`TrgX`0 zi#=zS>O`u3aIRtaSM5d9R4BEAGCn8ZNS0<=@|C0LVjS?34U>PUa8a}!IOl*`jE;Nl zt4%oip5GBlNYSW75b7|~XyaLfQ&$JeZvQ2pm{T*XZnJ{rxb;HDa=y7NEvJ{>y~8=%~tr1N{EZp(;^1ZE3XKI--&aiB4~j7KydmT)P;W%A#&2MGSdVo z=2qg4YPS)Lo+)tQJKJ+B*TwEV;n_Bv0u79J+{AMXoYIQZ;+*hf*s>U8B;Oc%@AoqN z65CJd>KMh>9q?u&Ah+Y|OQZqU#i~yO2e77K0?&4v|Hk1mHo%QdewFJzn($Xh;??^} zSOqvc1tk(5g-Yiu`9^r-KBe5Qa5U7mEkH9mf@p(lB3h`b#X##JXOhA)(bUQ#{rTz{(a0CJm~Ej}G(CI4zKE^MY;mU>dEjr!D~*APszo>&|h zS)Yc;pwm`xhRUZ?*?19qbsY?j;-(KZY#ZD%sa6sPTB88QwZ8Q0@Ft(}@#$cX?+4!y zXr|Qv_AdHlhZYh>lRlN3C=80P4`-Q;GgjsUu>UH>}pvm1q}?T@=FpdAGlXSUg7m9e+Q{`N=u zg7QOms4Ncbh^z^}mbY1NX)giOFTDFT$9`{fj1Fs9!Sfr6e8VRk`LAwJ|q~I%g~pJHC9^y%lfC(Y;Bhu$6gsZ z(v(ZL_pHj)JO{LZ10ucTjW3H%JRv*g&KF^ykJ&#)Z#~3%K%Ewd@{w0yrWzdl=D97Oed#{1S32nCn%T9OZW3S=HvC3xh7ovRiJ!jv_p zdy#muy3gVn)kQ8BzeuBMHIx;w_&>Lb4S?+?mr~u!-Op2R^^=P7wwo)&tn^t5Z0z3y zDlExLotV`zQ^B&szqx^Mxa`teDG27GBhW*7f})Wg0HbS%Q|Ni2{>|Nrbt-!C47C0g zvxc3yK-{*|aB2%%H^dz^3h87EXSt7YB)W`=2e8moHpya?&y`w&rK;;N$v4rRy}U^W zUQbd&;?H>?y>T`-Qtdty8g|v6or;j2nivpXBJwgYTi|uKe?9*rX3s~3vTMML&g*!wusf61UC#oy?CYsrG%&`mi!X)1E?z;g11 zS;zPeT2<8WR+~Dd*{U5-Lwob~E?_ygofI~VD*O{|9A(8s@Of4-7?oc+ZTOoNEA^(W zwe?`d(42o^2csTybbHy4TL$a<#G<@Bt0@{oH3XRAJidfc?1tq@1Hl_Ml`T|F>CN8c z+F-Eai14zII~B>-r#xa*Q;C@p>-snnPY%CmlQa7lYpWU0ir$ovz|^}CHHo3GA<}~g zZb?0IVihM7Nm|89h(05pElh|;V)|H;bcp*x9mQi={Y2#al0JwNQ}Z9EWPAh(7;&W)7>HG@Hbsr|gSPDGfKPdj$+~Rp zk}iQ6f2*-H_nE`w8MoBde@*Mlm%vuZx8r0d4}jEaPH~L z^dL}Xkr_6A(28U!Bxfb6jLnZ9FK@pga-H%YNyJ$bZ5D`U0gN9H;7*5a&sO3$mnXrQr;_dD>ALCYg0#CpEy5Z& zJZ9$>eAh6^*)S<5<-)7(03y&>zL}Yx@^5=l{+)JjKi z6Soqtl%GSEXIE>GVrnWPPbD~?r zdu@=p^Pcw{IBtMD(LEbf4b*VtKxJ4nw+4^4Rh{D=73B%#L}I$}ktW)B-KLsC?w7gd zl2J+G!}}E4%NJUsEhjf2Hg4iak}2>CQ%j=UQGNPKM(oTHo8i?T%K=kRQOZAPn`zTl za&UD@WvBDZ{CEzCD`;?6B-V68#%^3L007VZNV~iJu(m70TBABzu*Y<}U#&$uaRTna z)i_^hTl$#2ZndaJ1kDMLx2D)i{)lXn^XD0&KfCmY!M9nX_ysWYr0uc!4~&0l{lTYZiPJf2IK41!{r1Z{! zlsmE=M@9=E-#Rl`ko5Xs&Zgzy#U9)#8Wm$hX@EYB>Eevb+>NmwZ9f$wS_a>L29R3t zm$*p{BtJm1lu^%kRnz^5D#fBP_Vn#=nB})zr1mAh;rg5pZTOB%=Tbk0SqdQeh()u! zd*7e=adSG+dVB1PtbUxF+N9~VH>;Y^6|;94gsJ+W=}vI8AZz43qV8tsuqG|KW%?>C zGe+_ErNS~lI{exlLDZX)h)x8zY46 z*sSvL;OiooKoOrvA5P9BQ@yN~be`0;Q zb6od(eeKK@_LU1L3JAE`mZ|lA+S|X&&FS!Y>QT;p+h4dd&UpUN50&3uYh?LKZ+as9Is-UP&I0cDK+oUb_B`Ldy;us}UcsF1rmrcl!zfmt*Bbjj zKWxt!XM~!6i(>i&S%M#&3GjS8Cfb;IaBm7&>v$lFzxvVnir3~4|EzukQ^$}}_H`-F zvLy7%rO+kRS%B0-DI18HElgz9E==8F6Of2|bDpezk3fxfP$>xYBj*8%x-9Yw zz>9jAM1gx%)sk}=8VszqUfB=B-h$_itV zW{Q2F%}=Z5KGSe2kdk=PBGfzDaFRgfUX?&~yB%oW(f5vF0A&EO&N!oQ1>3Mxc*i^! zMQ0UJm%9=9)=l@jjP0|sE|K25lb_26$|U&(N#%~j7!tvRKcG{KNQ-43f1}EfCh_wo z@)uUCemODVH0UFvaO*27ZJ7?26;h*~embxV2LHAC&?(*%#d+CvgR4L|(;Ee}ewIp- z{u^618Y!J2RN}NRJK;1iHQ{6}t1cux^IL$5a3Qk9Nko>j`T;GLo@K0M?hl(H#}YNp z@2xlCq)fH;6rN49MNsE_u8|_)qvS3yO~CefXTyez96 zsjMFw8HIg`X~Ls{u;h`+FY9K$LUJ`cwnXsh%+z;H6uDz!k?UESun*-~Hh~TNV%|rL zAGL~9L(AimNf+b^XMPX(R;8!YfF-_SW&P9HJUeaHXlsKZU_W(nBSq#B8nB|0Jiuv%TH!nTL$c-BD?>QHO{GK$=lZJ$?k{PP ztE9Genw*V{u^lA&G{2qqBhaTzfH?B}-+Qj^9YIIh)D44A>JoP=QH)^`xL3b5V8n2X zYs6dZpN2<*T3F?$-Fm*&H2fS;NB^lwrni@L-9?>PsiCrQ=svJ_skKLQBnqIY)td_9hqSi8-)lf56>ok;ibmX2=Vk(6NMvUS_F6-B?N~ac5|4&w z)llpiQjefyYp z2xy7b@Z-hicb)59{SM*y6ox7e+h}w--k&WY`~80wKhZn1i7csR$i{CQ3@~`4O@>C0 z-i=b~mn06zev7T7Nmx@Z^ZaUpzt39* zn?MSZP)v8~|7qQMGT=Z#qei^xU7O(~yJ2rUF6j8Vqf2PKd!y5gJlH9@pIFv|cWZ;V zd3_SgX99z`2>qRfT1e;u@Yl2YUl=wKf&0e_;bnOM_qC6n6zx5f_;DC=|N4-x8b&39e{%3gdg2rVYZxO2 zx`y4Mmng=sI6KV0NllYTkmTMFsbe{RL($2kOr&rOu|jJWu>m9W3Ojz5CteXw?+V1G zT(x3^)dogZtVrssW;G&B+XaooyA*5802a-D*F)?(Hh*Zi@h z0xSE||$7obvmirEC4&EHmq6UqMU;W* zfV8vM!a(ruw9c1RNAzA%<(KC4T}*2_G|I~@%2Kx}Ut zBFSyZYszA#l^M~9jjsUgS~cj8s|OVXmN%cs5Hr*XX$-1=2{1dBA8$JHM+pfiI`=q5Q= zjPk7S#3_~-7=#A+dOHGJ3!*rI{W8@h7fm#ZtGqLu9d{`JgR7{LadM!gBp7*2D_cdV zRF8Cm0Ev87zc9qs0M+oOz;-gGZKAIPACvU+_0#X&2jMgV`N6$us!V_4&3o(q4>>cV z9h)vJW^od2<2TTXGqeIna8%_2cIT5FO+iH&*x^43sj8`wv}C;Oh!Q-%DpNVo$!&2f zQ@zMeUL#N^`FBCfanPgmHQFx2VUlfJ8WOUGB)zaE%!)kDJkJ#v4o}v;r;hhD`kt0a zh6$BB*uB%(8~oDhhLEdS^5}PWR%q?F#^^a!BVI}$^AwB5%Z_iI z{ZB<2GYYCPs+5mHGCmk@S;b$oLw8z6ZhsiTL_eQB{=4d96Dv&R*Jmm&_4jUTB3HGp+=RJRr~cq(_Ycv$;5rPqdx0;j+9wQ!BcCbygfU+c=ZWrK!cU@QH(0DIOGwMVD8+014yE}Kw@BG{!C3L~ z=SB6#|LYRKBFeG@3m5HnV#^$HpMJ|Q%+6Bc^dBZ7r5z+9$;=il z67`rh4=J}&ppnJ9cwYH!g2idV44dE|MZ>qgfalOi;hEO1H_%o;(-Q_&9@DqJk&FqM zwGs@He)2e0cM@1yJd`?xG3BU)vrd7qN&cUbayg3% z^E6I}ACSZ-ts&BK!2cl37S(Ci$uQ_q`xF(t3(E}$d8XdhKW2-VOhc=Zgw&?~WA`87 zUvu#q4f40LQWfU^CH&h!QvZJ{m&;8Ftu$1cp~gPje&>rcF#Q8hHeCnpSE#&_B!FarkX2x9Cs6&Ok0}p{PwM$R4-fJ`ub6-!*}jlAgneq^FQ;w!ecBylu)_wcYZVhDrx^M6GZUBVv`5 z3fi2ulm|D&hMmImSlSa)MW8lU1`PuADOq@+lHm z6jJ;4leGLhq9OwcNM;$k;Tv%ZvUCM`Efsg8i%j_vPK0{@-*tnUpKs8VKSzmO5qY2M zxJuQ*umd6kzWCI##19uH!-@42QRvKmPW-TDLU^&~)yHOwFVxl(yy6?A5`{BS25mig{{Cr)}jldTYD!|8hyg?J5OyTin&5N07Y zr`lo}1~l-sY+rXOX*us=f!ywYglS3~czw=83x7ZV|5oKcnsUL#e+BQNt^dg&otmF| zL;>XQ>=Y#qkK4O>MUqU7wf`sg-n6<*yvE80FgP3?Bt~WNV;^#HUVL))Q6F#_c3c-~oxESM z;$hn!HhW`rd}Y5lCOKTT@}y<0*xM(wl{muz=6Z@XP_~NtBZM(+GoHPqUdQyZQ+k5~ z7Afi_d*nlVmEDIt#rx9&uVl+tJ+gKC@vN^{ZsCAoveyulkAI8|J|hOPaHt6izzk)y zV4w9M_x?l3gtI4{DW{4b-vi&_nMF1jYwEff5wUM%8qgy#*lW_cPzg#hspl=S$F74> zF(Or)WL)3jPwRL3MRHk$83D$JT{9<)eu2&zBnZQ~bY&8K?dP!a`au=gp+2K%xDxcPt|{AHa{F9yYEF0Y zw?9JU{amE4g7?bMNE#@|kkIEA(&qk&3A3)Ct(m>JQGaIPj8j>UV;!Y8y+S`@bmu76 zK^(xXrVXWvNGGC#)I;gEZbekyQW@Ir0*lWiq~e*^_T$*?ougIV=-&`a_#GJoN&r}- zd8#aaQTs%_c2@LO)4zjjD-)(wqHiGTdLned>udMKXeUDIL>OMEn0eo#I{%0=TA^+kLEZC zcBE{uwz<_Y=5!m+Htxx?AID)v=S-9lY7Y-%$HO~94}XSn;OEZw-rkI=Al;9%B7eF@QzR@bjB7IN&Wo-Y_leA!_aE-B>Sf^6rHX=%ddP6!a`2C^S5Wg z+O@UdD(-v#@eJFm!9(9wqi$0>7tH`Ku|}FZDX(3oesE0zBmSQV_NzV?R=UcunsdW$ z)3#-vbC#cBuF!2V?@q)$#d0jCrdJ4K5DwT3yTu z<$p^-_0)rM$fHnZROuj?rNWdNdF*Q3N%4b5;*3*aff6ZKgvKumUZ}%|doQ{D6>=yI zV__xP%O!!B59KrJ)?g$MG252^vvGYW?1KajJ z4e~&?XG?}ioTOg_FTF87qxJd3^^V`fP+jqOMD>Zw^?lO$6=gRi^MwT z%|SY*ua+@FNPXWX@A2oyh*vUl`)IIR$8`JH=CNjjrP5UBzQc0R{Bge*7ef$sW-?V@ z$g9Bv*rAXCWa8kgAfKLrHs{JqXfZAkb?6-U_$*N5zRVZ9I&avJj4=TU(eS8G(J*@t z?Sc&5e}igI5$#5JzHK|{=6UJlfYvW*)$PDR_b5J_nfZH`LA85dha8`TjSSh$PEuC` zU0~Bx364>+R}XK#ZwOh(?ih{}M6(P+f1d}TplP}7(OE8K^b@JLbSqJ4dt|+DPL34@ z<6Ya_Xkgm50RnG&TTGVKB#_O^_8qWZ|2wcJgC#UqUU z$64DZmim1;@$13hHrHOT*~QWQ=F$C9(wgi9$FYPK_PtWZRx|Xv&uD0EyUQl+BWZNi7&}IND|`LB8s#utgxnSYglPH` z)3GU^P^05hZ(rlmmgx!{yjv2Z;>V1DGA9d(P-nb`ML;IQvP?9g9=CiCo*EzzdYI@GlMoZ3#27!vetQW60bb^+Y}cgDl#R^*rsQIN*pJ*+$#Y zf*mh-^+xeJz}a>}U)M|-nNSIa4JQqp;3;EU8*z#1Ug?xS7ME=(9AChOMcgwTZ@=8Hv|18|#}Hzhte_pF z_1Lu-hgdw9vIF$X;MN<&#EM8hFJC^5Yk04*^~`{;`k+cLI{x?UkJolcWgf7V}2M+D)AB?FeGUbC)PvoW&S3v28*^)r80w_LT9Ur^T1IzHNZx0e-p3iE3e}> zVo|_duqMV0pBB{-u^wJWDZUvRP57{hvgU^3yn{vD5i2c{9}YxM_{X3w%1?HD+(Hv8 zRd;tbl%BgRsih_V!lUnlw>YNeOs5_vzsA4Fp|Dx0v|Dyjg%Z<`Mx)vl^Tnm)$JFI% zQV-jrm5)lUQSKINY!RgOZr3n;)RYq>jnVK><0_#AdUX(F|Dw|S-T0DfKvig^+Gsy% zF^Ccy90O)#37O(`5~P;9M5u?x$eS?%H8CCNB*BeEh|=1`6u-~WcL->ip@qpdJltH& zeo+Lmy6?}QI7aZFad1S4UgIbH{y%#Q2_8>TVsxt8en6-Rag z*+&pGzcfOBQu)3Wo4+LU1h85rDTuCl1f*GQAuaE#Pu;UWESrGC1>=n8wzQ|bo|o?? zC7KVV_m+g0o13Pkp5S7tBE=hgz=c+tSLcmCf|7E(%E%oFe>(dB&2h6_z))Wg1efh& z@h?jdW8Y8Wf1%E%wcWB^QSoRHT$W_UdXRS3A1T#_{m6eOZMc%pT!<8|9Ou+jr-a?5 zwRGyaj;7)Jyy*2Sikq%Ml-$!NPvdx;)ztA^fN1U+U_42q_f?gLS%xb`rTUZ?=f-ta zLhnG_&5R0dLBI^}lD=LD&34}M%3U>`nYDAYw9vQ^+HO%cU>Vs0;vCt=IqL~igZ!dWX|TFASS&Fbs5>7Rp*CxL(ThTl?n3Gn+S&X7u(`3N+v0`jhH{NgX@JNmpaO>Ev~$ zLh{GDKgSvl>Z7c~nMPL{-T9|WT-uFudfT*KH;Q?w->ncny~<|7hGWUfg70KaSMCjq z4)5T>(`wW^Q9@AHqb1HVuf=*9q< z&RRoI38hh|IC&}cH<`gL=eoo)t#Ez9&!g*@XTi9SEP(Z#tUlqS7t1zA{&6!R*SK5v z3$rq;JI9qToPGmSYrNEQf_E4`Yv`qJ17TCcGO{Ky>G9n z-8$M<=jBEkCBU7yfDYs{+MVs06dge5##0@Jl@yXk+F|H=uwkYyr`OQaP}ge4^Fc})40I$jx$ zDd@%Q_P!tFDk0~0VDRKGgS@j7UzGJ?dXt-&T23G>^us~mXt1he0V!$-Z z2_9lkp`TNm>RENvjamBBA=gy^bd^75BjgdTbV1wNv2sL4*Jo_nFwflW_MbbjxrZR^pIpKkTHvZs>iKE5A5J1VJf z%3ei6iZ|qNYVH4UyxsPSDf)3oHv-&#BCO+$VEo~a;ip73MjiubZ5)82d2`J=GvFBc zb3AZGT$9n9T_BN|rXk}TLlodBND~!sLg1fCe$`fg-YaIJ@WlMi06tA?kY(>@hY_KX zXI9JTdk?u|7F%wc0|c}j=7HNlzn`1IV7gE8Td8*iO);NvnaFt@kjDKBcDS8t0GqU= z6@+USkQR-GCm=6Z=Y6?XtKI6ee#{8mNuih&c-qF&(4!$PiWVn(8?ghIi_!03q5y}$bC%1F0@RJ1B2n+At@ncj)kJ1R3eEfY_5qwycShZ$)Gb@?49 zZo5~DQrH5hraMgLJVkyuGks}qP_lNx2|I*4;me}qVx8Z$eUJ2Da>ivVdK~h~Ui(Lu zmANhE{maz2e!NN3noIFRwMnKBnODOp2a>7#I-Qdr{1-VYzAM`2?jt@xVlvLyDSy2o zo#i%4q@#X%>&Yrg`JL#dyAAymKC~#7ji}pkBd(|sSjl8q=6(j;Cka3Gu}PB<+y|iJ zN9+bedF;#E=UyI3JP?M-dl>Uw%`>fZB-+>>)D1DEG`X1e7t^079?mw?l&@m8iheP_ z#Lr^MWA__4=tGNDS?>V-j@+ia%{uIza(B|CYpNmgeR9R1mi%WjZ~#|ba4t&$$P|19nB zHX*dsN>R^B!)`zuGfAOaZ-4a5Eei8<5pkO9+7aeJalxwcEK)yDVP+Psl$Od=2O*CB z&uB-dl4CM!g&&)mu5osIKZ4xk52s4Ebg>`)L5OmH_n}RyDZvOhy3L7(?3I1_Uu?Z) zR9s89h8x`7JwW3Sg1c+u5ZqmYHtq=!TpDTI2@>2PxVyUs65QP(iN_=`=Tv7vd(WU2hX^Wja^G^u`;%}FEl3KdFvOQAvjJ`B8K**WcPA2 zY_o;mv7+e{G{@joCY2e^|D1;X5#6la9mTDia;=R=>#VhY^@XF6?8R*;9 z{E#@4ztm;IdQKfd!>P~R%-JUGh{dXG5!=97X;FTI$|^BWcK3`F@M>Odx@mt!uI&@J zP}GiW0igc0=V0M#v+=RIvCskWNV$rRg4Oo;JMv~C*L%84Jnk`h4YldTT%60h!nZsi zH3r%dC5iHl*uWdmO*U$mlO5OztZK9})6#!IE#9Z6dSb=F^Xql~Oi zwHUvFE;p!C(MxAkO?i{qYK%$x<2om|C7O5Yd`VsENNB6AyiyyYv%(Y&EyB`VXoXN3D~5ZDA64HYI^_kx6RZ(J>!T%swfh&2 z0Mqp;I(}_>--ME5t`Bo#KPZ&TRUG&FJ_c;~SH;323~@ZN}qf=u*4a@7i>Vb=38 zZu^|^2q+N#3m0C!_#U3;a7$!q^IW=UKvN>*jw(kmO+ zA&U+Dpl>}J#g-`|!Vi28im~7Vo$d%gyUrvQSHz)sYJK&s^UA3N7 z3BHWGUY_MmxdeV|fE+}~>OvlWcoH@8RN{BtK+@qAofRzIk-)1590 zDk%{8km#IVA3PwYiHsjYkLWLEZ0rOFwl{ox6ESEm#rf{+7=bo7@v)WC-oL zW~K>PQ)+VZ1a;j>*y9>4I_`XHbyyJ#+N_AoGyVCmBB&Qja8c;L!F&KyTMYTS}is?mfm5)+3Y>sb z4ybYCAIF47$QOPK*G zZIdaq8j!FB`mf}5g~doo+X*UXnW#FWOXLZeB(u9SC$11G5i^Du$YMJZtW$yUUT$X6 zLa_*27*tzM zJ>WKg1Up7EmzqgVecuZ#TIPNe>bN^lw88gn)G6Q^F#M1J?NTtjslUftYPO7hI~%!x z^{!oJ$-VXQSJdD#nzzo_TG3Dhw#5=7QNs~(EmsbtKO=qEz#*b2vj!u3`#uj4M`#c= zq8{r7{UuA}Q#ly+;*Sij3xbmD0&kMXUPdh=7)MFpc~YdISwbiUCDVkdmiyYh%%9gIix z!p{@Ma!q+^UbJT?x;z!%Ib;W$l9e<2ai&yUxYcGDI1N-O7WO(6u2cw|-K%Y9-W%&L z&FwNn^tell=6L9VDi5dnVcjw;tE-5^1}F2y(YV8H1=|2nQ#n?ZZN9_#@JH{V9KO_! zC1xOb-)txx5m0(xE@TpKkd;2hQu6AqNx_FDwsFL0ddoHpRHy#aF}a=}VBST?eXYHk zs2a^`LdRsA(BLif$xSXvUjM~ZLMECP^N^EtE>f}JES!;_*>YayElh?=G*Nbp5|L3#0Ip;rCe_l`9rZ)fF&xNxef^W{9179K> zew}9KZhrE8Iy?PWk!SOh&l8ptFyL{G{XsQX^ppS7;c2GH>qCjy@8_<-`@84U-%tEg z=UtC3PE=h!6?4zdap3E#iSXw;&?m9qHB=58uc3z2`|M(`FPDean;jip6TSF)ZUR6{PGB_BKYBOuJIrZ+WEha;-z|zAn^fOq z{*Ua9$zfsPILuKp92|r)4|n&%6uyXzSG{Q!(nA2PkbnG+fkdGu$g3`xTP1K;g#IXf z2(_$L1-Izf{>v&oYmuBH^QxME}2}d2qcV zEv;?Dlfwa3KcLJ6YN8_Zy~8xTsyZz=>*opVKU*gaxD+qsF1_*Fs1#Yn`CE7EhaC?$u zy#*ylml#UEkw=6te~a7{tJF8Gi^tQ{xT7OkQ@Wg~3XC>)>XJ{C9eGRQof^&5Y`;gr zymG4CLrLe68r;Gd*?-L<;R*^A9=Iwu>_LWaL+6Os4NTr&{^uwYpm{2TAMl^$R(3%n zCE@UJktOj!i{DE~kt z`3!$w+lT}J8CaEsWLPIL-vvbAz{nU>=o1kCApG`pmXXA4eN!p%d&lL|+e0LI8gI@;h7SVdjAxpSQKTtm zdG0ixF?@f@z6EXS=CSmTQtic(b`bBq$3TdKoo|6c2-c6f7Nn{9-*3sR{k}}B*I$6Y z_9K;CPL1hxrrc>k4l-*G)vk9GVuWZ5v>3!*bx9*HYoR|Ep(0ca$1qx{`zR>btDd`6OzY ztlGu~&T(0%q=1mBk~$-+ZPvL2FZOKXwJL#^JoOyy1o3 z_5|3t9U$+<`RRLG()b8>8e1lvo)<#2^_(SFF^i_vz?@A{g^---uQ45}8dc36eO6Th z!H&(28z=R9Qras`3jwxm*~pz1AY^Sl5US8r`?F)ldkoB{=}1-Q=d2D|Rnf3qpR;lN z#QW3nQY>H49}znOL!+$v3<^4}byi+LW#NggjQrZy7@qljeCdf(MhyJrr3p<#MD1{Sq`*1pmMvg~UmD4?I)Bh|UDJ2$@6nPcL5ci0kLFv*V zpmSX)?G%i#vCNDsgn?I__%e<`P}V0qIsD-N^G#g!SUgZ!Hyxw1B<~+T{*Sm0^!}oH zpoV&WtOga>N;kgB$4CW%Ws*qj!{aqX@zn9GFIfphzrfDeTA>W&H%{K|cVb!-$Dou1 zoYQwOaFUPJ$i1X2u-toF4&FbDYV!q!nJbi1GgTH!7rkHn*Lf>@8EcLMTY(M;pN#~v zD$8?fXgJFL1YQG^~3arDUCEJW7&K#>b;=j;45k@oj{BE(r!7Y@BwiR@JzJPZzLO5CcJAsW! zh!ppK{ff(yO)$sZkZ!)&LJ`t}vLydq=6ltt*9#X^ZDWU?pWC1=1L1aU<_M{&U7?YL zC+3tqrrFRaA3H$=#v=&{@h+Z0el*T0^dA`{3I(%dN-L=H%vBJ1tu}++l4ZJ^B}Bb> z*<(~&g6$SWwJwr}Ma^h=F7&?otq7?6e;-`9P(-p>T+Xl*Zr7CLVeP zB|voZ&ynW^=(G3?e~Nl0QZ|x$o7AE*nkCn2A(_8)u7&P5i~`Fm)_)xugkGaYCCTWY z*kTS+|KFQRGA7+or+6Xprwy0JT)pOM152Kvr;A&Lir{R_!BZRs2l$l6w~S!8dx{u! z^M&tAKSXW}R!nH8@F5f!D0V^+Nh#=@2!JDveeSJc#5^2USb7Nd;Q{qvzry8k&I>`p zQpZy@b6E42OX8Re-5KhVy)wpFhYE>ToWC>Chnn*5RjINpRpGW0bbb*R%c<#Ou5dek z+x~;<0U9@qtsg>YR>rh)EqXTSU+jm5VMn!b-IGBeG=I|<>X54Q=A7OP5j3xfTD)ce-Wmg^EI1hysbsCe-Nf$<~J`1 zL|+(;M;JTV26Mgb3TW4~Pgus#$N5a6RHIfZmrTgf?3A=&1kXd>2NEMBXb$8 zWCwL#If3;;Z@CoLyNGLV4Bp}4Qh$Ym?=6H%{=Bu4jk2+ME0gEb|9r8fSTio4pO3!t zoK!R|n2el4LSpi&NC`iyU`b*^aOy*4byT%tu z?LUORygGNWCv$yx%lN4v4|DgnQiRblbcu+nxN*uj(LT&oisdJiK056u=)RS`1ay

    1CLSmp@doZ$+t#Ms9d>?j~Xi@8nJ#;4yj zLxR7b?v{zYz@@t7vZNih)8&@W9suaa+Hdce9cNgjKmjW`;2l4%h#zE1ut4kKR+E*d z&j!(gFI<|ZQ=+2jrLw`=9G^a|_$tE|PZqqLf$&Ue8V)fM&z6I1aS{ur)?nZ-a=Si0 zZQ*oveE|lD-nZBwVw1SKw{Uup6tIf^%Ryrl$QUK0DV`3pQd!63mCm zWFmk%?Z$p4AC(LWDL#u3u_=yK$%cQaXUN39iyqr@Yn9rM<~796sUJD9N3p)vS8=V1 z66I`dW1&*4i7y@8f7f2b68+F+0ya-`BBHG|>r^AZCfF&BAr%te!RfLjZV$#?__l+uyRD|k`5J3q7WWeP9eq1{HbMEhVd%*VRcg>&6D5J;C zHV44K!uAL9=g&&B|Ks%^pI;lLm(urtjGk_!sXt@C`+fcdI9x7|)*ese{yglR0XfA+ zU3;<{rCone|D4?VKVD3ob^bn7`g2oh^t9*yczJYYRCD_jZuhV|<>2T1uzU0S`YG$o z-v^-P;=T-=&0XDWJzT$-*o>;ZD_#4&F#w2IcIM`4DuoqD2XE$-{C^)bzYi(9e(&>Z zN$dMsO1Z1P`5e+b%H2c_26=2eC&R0`5%iltI;Bt7I`S1XGcHZu)WiAC%w zkRP`@51#}>=c9a`kM;9=v4ezeWkwuUMTfj*@P~yI^SF@p>2q7&hEyiw57W`>2uKdI zKA`O!-Oq|>=1WL;IxG2xUOsuq{R7MyTqHstWSXC9?j78i{Tu#B{#CZfvHmM;8N!H9 z+@4jGaRL-0(+znb>tipXC;qpshX0$HBT{qoZeXd|l{7l!vm72DxfTAS{m15)X;Brz zA-WI}J(Vc_@Xi>DEYZ!#i)Zxsd5k;P^`tJMMDv@vBY~%$+*A0&aE24*XTuXR`LBFo z5GQ>~V2xUM_T|loMYviAG?vp*i0*$IWN<7`lBwMx$<()7$<)~ab_C-EVc z9ysMyy>Ms#yT_X4&gEbKaB^-p0+W^Fr4`;`kxG zcK8`P*oX_XN=U{(5m(2{-QT&zD&e*!M9MiGKx0qTY}^#s-uwqXA~GxEO}k zUs4cl$;ooI5Pu8`#JBwnjt{A0mfZpsmtVVs{3_<+O6*X4wUK%s+mEHU|q{k;>;OzOs!JH`{twgTq|9m2$tHX?9c`+EGS|P={i)(8wTMrjqnm zeM3hz<{YZw^AZ(mbKMf321kqV3e^>}uWZXO+j953gcP#0wx9K}+Zb9g(Mt_Au3!FY z&)FSi;(gJ_Zfv8ovL)py;FRKy4?0 zNEJVN5@Zyi!SsvzqhE=^@vGrXOQ{S!E2#_;8>x(?Q8mFS7=8H0b}*u4a_d``9j4dy zPa~E|i1*oGS;DX7fdLBD;seR-S#K3k!|zY6M6+?E&SsCLJJomP)VjY=Qzk#8T1|zp z=e|=wr4lux91S-_N!BK9$_&|Ep>|+rn$l@sn&ubun$Sub{Y<64i3D zQ>_Sncc~ond z;uV5&n9(Rh+sE^e-vim_$-N9m4T`^Ykoi$PbxVNL+PH@5X5nDk8#cW^DzFptsQ+zs z!b?L+dWtT^e7Cf}1@Rs``FyHr+HJykIG;4&nnUL!%+|bjGK`MD&pAFq5}vQKhN0uj zG5~Za9W~7#9sc+iE}QR+k5_jqm4ny(7O6q9fG&eD#qo;H20C7bDFwdk&D zfk_T&dryv0nJEuDj(sfUOs<@@rTI`mg4MpN1^R6%be48|RUE~-_pQU|v}Pa&Uo_>? zZ6KFv)xB%|E5*zwg5kNVYm>&CVFyDv@h^{jv&ytXGjK}w|LHf#B_K6cIq`u{V3>PX z)#o1FIC>VQr|w~*?`%1G*LbdNUHTZV38QO6E?Z8H1(>?-zc2lOe#-Y*`3&|*z)@a_ z)nHgV;~U?qd8B2%^pF}48`u&_oLS=r0{7yg68_2-Bn=Q0?--|CR@9XLd&JQVZW!S@^srHYOeJ`aSfP~Z|P!Zrd7^cY&{?W*Y`}x&kl+CWxYS? zJWa|W%O#&3QSD|Tr#TZdY0~HN3k={A?(mV{ikCL}(*jzSIQ>N;^ZzJ5E>pe#5wjGx z8+|2o*Ev?Gv`t5(e6>;2szF8|JUbywCNnBzVFuWh9Djh^Ytq+(E}y!KY)|;k*hm+w zI$m|vq~U25`HDDBR7)vT!PlE?Y^X=W*<*jM^@bkmzODkyB~Z-`dB&9gyFi(DPJ)CE z7mw|_);B#N0ehOQ23Vcy8b*{nUuEG8Fnn2NrE1|9%Jem_UFM28NVbGZ(tKT744X+D z=F|V|f;x_oEWiA|?`OND*hHf#QLG8XNlUMR;hxS@$umGS0FB9iH8AY?+^d!huYcMO zqA#VXod53Sw6hu&VMWnCt%>+oNirde)c2nE?&*K#~l`qMCHZJec0?X z(QPo&Xvza3m1uMRUV;VY-nX>fsmE3fbi~~+sgnLJe^RYyNO@D^) z3HR!46|x7XPw3^n$Cj2}^Z@u9Z_oE{%%%S*Sqeva{<-2*cE7Uc_i~n+(`C%{#-K;t zn5k0yqH`)A#JmU#!uO`Mf#1C6P-~@p-}UicitvkP_eszQd(+=5_x~uWh?N1p)2W&* zI?b?;{ME1`EFNrJN{8pN+Mx?w_}-ghG6rK~0K4B!Qk`k^^X)6?xlV%C4Ke=e04={M zWnGN7uT$mzM}#uWl*R=6>Vb+!!pcM(1gf6zsK`Kh49$rx-g2LJ?o)FLe*JbSx(#jC z?<#fXo<>KOt!I^mRd?Hz^=hr%q)L(z{}TT2HI2z0WVG~7^kVL$JgZOUUQ~$hv+f<2c_vG&B7tir)D`mBj%;Q%<9eI5k+hO>>8g^83(;i5iqb0i}-9BC`^f_?Mv_nn|3^*!ffI9eJ zl@G408QmEN$sbN{;$gNsnBhtJmzYXp?@=(q*x#uR(O55%*F zxDz9_Gg#hQueZNmyqcN>@=g{1Nhl@$=d4I~!m&|jvgW5ZVt+wv0&x1s^yYDsTRz(# zNO8|!{qkvAWUey&dN!~~CMegj@!9p{e7#-imQb;Hhdy0R5W~|7R6I8U2$GC_Y9ot% zjA^d}UZh^&3b_qhSHl#>k_Y`Lw%Hc0>>2)eTCvbvHuEu){)uqY{d>M_@QHiA_y4a- zXJZopyP|qAqW=ZExYT!OmFa_Tb*Gk}vitvXU0mGpYM(k3=k>$M=SutgdIaPQ>m$~r z_EM5jI5U#(xGAoL{4zdI;g_YD`{7pFPw%;ABSs7v+$^=r3AC+hM((YqV^p|U1(@9pM}R>ulv z_2?&B{d<|`>P9@{jetc*)Q}+85ppvZJZh_XTKUc8D{&d-AihF> zv8yC*<@|Orfi1wZLyhPj$_2g-49JY?914Bj%d^&AO|dboL}LMop8^n5pmvs(Qf zA_~}E+X)-$_WUY{>wV6DA}^Ph2F)M{YD&O=A)et8hFD7K=>+35DtUncml|6V0sDv- z+CiST1*pm?JNj)%?qXmFqJPQ~*0($aFT#`*Z_Po*=C>|C3@9;25#s}gc=&8_DW0p4 zahq~>Tjd0m1kRF?D0A6GAzPv(pzgw~m8Yr>YY=$2_yowa1|FW@%oL2>8?x~R^2gTd0GW!+OZ^qms z0$HDYA5gGrpjnpQ*FJ)XWgrX5fPiiyTpP#tN-#8x?G^S-(RMNWui~%i-%eM0N(zt( z&f*qx{{R4^OY_Yto#;ws&GvPeN%G5Kr64H}JuDy@68r0CJK|5mq7832eYR-<8ZX@| zxe5XHph?XV%tZcH(acVn5u@H|BSW;2w%Cv$%OJ|ESW997)`5Nth|sPh&Z?lLm^bYR+dd( ziyklA?o9$T*fpXtLg~C%`}4-FE>SWZ`F#)#sNx&)JMkM{F2X=MAoU4s{aJZ3Fu}&p z(;8i(PU#~{!34`}xM%u;prHN?e{wbiTAv?dI*@4*rDg0|@HR!LKtX(}tz>^U$leZ@ z=}opP!v-ErLzsKcOEd{`?sxgub=un*^5Uc2O@rgku_@f_hUT`~`T=#%O181)wBY+P0G#n^7M5RK};M!lg02pxI+j+fh?qohi+f=txF#U+y89Nyu&AtIvBS-j;#x+N)OpfYG%?qXy@%I@)Hb$G5{5?`d zaq=S;lVWwFZ^Bg5({fC&S8KC|OkCMn6#HA>Q3n47S8A1K+xLqSWc3D3*4aI<#c1S+ zwt(?_y^r6%7$xxYeVL_-#=8iB=%k+~Ewj{q%cM?d3AS?D_b?~I6>{en%s6a;c>XMT zM`-gQ>7&XUA!{QLxvS$gse(8FlgJD&er$gM`;>GUD}paW!jh%x;*uQ3t4HRG@TM(9 z*Pyt)9Bl{`oV&ole8in^D#3-`RIe-qJm%a8s0KMc_(Ob0>S+Y*x4)T}_|qTxu70DV z9Fx46b`Orqd8tR7T@#bS3?Gy|W3@O^IuJ6UkMucw z$8*(UN$Li-eed=;M?U{CV_xhzo@Afl=*u5N1ChHT{Rs=)0!HU)0MGH<)_`mg%qLmT%_s5+fX}bIghXRV3BZCIfV4>xo zX7u;}Y~;K>;uf?R9qShEQ50HeDqI=G`vnO~loMO6d2F)$!H>xY-HtLc)}o!ABVUs(rgM8bMR~@2@=odorDo0Ao*8b`vCb zGl!aDG#le1(ci+Qx(My zj&PoM$GqF=`BnjHjJf1icU!hYJ}RS~kf)YjW1Sf-KgYeEpDCLV@z0ExI@=)KnF$Lv zL_Xa)!}`&%?Cm$tOIy|oVTQxNc~BAMUP4-X?E2PwNsWF4IyvI>NOZ=uFOd;97caP- zHrRm-<~)}iW+v)c)9mn88jf&1S zZ38k>tI18^bfuD}wHx@B;EQ&RZzxr3itS`3sI5OoJk?C(jdQ0WZoPFVRsd+2NX=Ee zG|u#k+Gm+fg=8)i=aim|H0U9`f#(h7`y#P_yRebeGsE?Zj|gIVF^ z2VSZQ0D+?P2A7Jw?_w@BH6AS{bzbPMMl+18ZvOp2Vjze6+SG&185qN`b)A4n-VDTc zVGV%;Fqb=YO5|_tleRep#61cb*$O+qvW6Hiz*Z>&aSaDP2wBWHEQz9k>A+j;4S1oeIc3Je zJ43jxseOQoN4q05EofHoYWhui0v-#h8#JMLnEr11ne?i<-#Tj0aD z!ESjvq6zkf>#UE-3#T9(hGfTMJM4H&Yt-jp+g9id={9H4PzvdvLN0%a47~#+J_`4Y zyhDb6B|fvv|BeciQKRnqxO3xXeXox0e zZWju_@WLJZnC$pm>`jqft}Wb>hBlffn|#QV$Zf&xU+7SGuW??bVktE&C?*yHw4LFOHUZgH55l_}d_eaLA0d z#udSjq_btr(~3zT?Gkg-nrNs^*G$+bK{kFZQl2rhD|O#J&c*dGgF_+A{z6f_ZN9P4 zTq%_j0jbVdN&k3}5+NmxeRK5g^ujzxC|Zcq#R0ge;RhG7)<4tDWtT8jdcA;x{yBLZ zezinohe?15hEU606d$gpC&}K&B4+uFXtGEW$?Hq98FW_kQOiqW=ZxQz{a|m!+b`Ds zN8%%Ch_HD`oS;XW^k#+!I-GtQEk+cxj@eMfn9W?5ZV+CMM5{_sdpdOsu=S zU5bM2mkn~{YWu7(PA=C#5IBeH)#D0f5_@hwogBQ3anDYwt*^Rb-O@JxKqiU=$hr39 z;f_Onxh8j^D4o?hMOhQZYx&tLyQFdcH2%7Y=B)Tml`MSa?bMj-!XsJ+;hE!npX$qo zUR1s^`m^Qt#vuw2Yk<0c1sQoQlW8WoHBEf+|5Ken^72@SJ2(OMiKOeU0LWv~^R zOL}93xv#IJTeLJ$9ce47Rr9@H=md{~U?)CLz-|)Qz%fCGe#8`#i+zILEB-v#KD`@g zLTYsx90ymCTIy3}sjvZ{W;@ZnY-m|^vWe;{P!$j5E8iKrf=hy3+tD953|1 z#{s;8gRpZh!8n84*lIGeuOc!mBwhFbg_$-Kfb_)^rNO4fxgp*MsQn8_(B0UGmu~hs z(o2i@Yp_`AuDUdk-A_FpbnzvrRS*kmW@e~?21?sz&WbwPE3nK&Z$MiG*1Q=}&a&De z*mGLbwDH#HCHX8J?_tBjcLkqV#iEHX!0zol3rsg&x!9Ii+8rJDDW+Ove?AgkoL&86 zKNfIKa$QsiqRTI{)uVE7yK>)Aay!}eRy@pXVoGYrdO-qo+~rMZTKIc7(_~%_OQgHT za>aHru?w()LiNOm2@5`d(YcQ3m2BMg=I)4zl5S(sk*_WAjV7PyV#WA%jvW0UmMnl- zE3tar(QN1B0qEh-Lj1B`;dQCd%C}(KS!5o*b<3e%P}q%LlUE9ztydRBTibvx8==q@1{yOeB5td`Kax?@tfE`ma;zt*asR_F^dFdrxCjOmh{ z3#nl05SL)uZD=*e#L02F%opetfA(nl1uci#X~dT>p3r->p;~udKpA?6U=RvJ7p!j* zXd9FP-AF2i@Zwso7h%S2f<`#Vhk$jk}ZLM}nV{gHlU8$S+etF=@C0;@qslV8P)!%2!!i3}4Z0PdYK!nwT zByr8;uqjJ0bv}MKgQBiM|0vcD$U5;YS`y{9 zHD7cyAPR5TZDr$wvJ~?szyeY~@bFCR(7(T*otNlR>+JD-U&ztq41HA*k(TmVImFzy zW(*zG`d4W{L$=>QEx&Dw+1O$U z!_KRGc+Y9(**$NEI)iJ8$ zG8sG`Fi#2Xi(+wE-G(=W;0a+Qzek6J*L#$<~U#n+{Ve`*V6&8Qf3%BROGGrvB86+ps(z+FNa zcNdM;P*%*0pFXKgb~Gt~s-wK9XA=nK)Y)R~AvLgMq)E!tqbK@}fX7BCmlw15X7Za@ z1(tSg)o|I0x|GIRk@>_`itKTdep}socYVt%15^61KOs)a9U#s`3iPCXoxWY`<#>&# zx_LS~O}@P9Be^bC+eM3q>k3W_o(d`r4PoRk!M=F3^w(;VjMICx3X`|>fx#AttIIdd zP01()o&Ca!nW<=D=tR6ch??XL885MD6%vO&X-@UA>v@p=xF4RZ(|~yV7BLmGkkOG$ zQfJ<~3y!D=rJaM<@$@c615fdkk$2B~oJ48V!nOup=*_rsA>KZ^J>RQV8IT=WDfger zZw?yP-c?Plya#{cVpFdlV-J*?4scy83|9E#K}r3RfGd)Pgkd0t3{U^X9<5~*li=9; za-!Y0qqYWP^^Du<*TQXCY{Q`hbhQ~JjK;Vmr`05WBtqcL+A#BI{E}``_N`_x5Yx!9 z0Rg&15!xNaj5>4NjTD;~Vovn~Hkz7X!+>~t|K=eWeU{mYl<6QxRliM4l0`@KJu!d6 z6Xy_-@D7uZTIqLUx=UIQp6}|kqa+jS8LkB^>UQrrevd%y@|!=t8-u&zZ!XOcebeg* zg(>K<6f%-Mf#%oJ(6sDQ6Ql0UCfa@VmpISGq&$$sBw z+nua~5H4(=)dY$p2G7i1QQL*t`)Ns&C}wWaK;M@x^Q*AIPOQDJraaz}?mpU|%561I z%0U7gT?9|e2|>dWvjaI_vKC3Z!GJl5&u6#e@V<(W;0rTP_snPA;Zxp&e|^sPP+V_{l2&y_V;_}@i$#;Z|eF@p6MlUSSq3m zPejT84y{hXA|UC_fFgD;ZFykeYN8};c1m`e$llqG;){{;`i3R7ihfbEnd6U9MR|=C z*3&NP5&9PGPczo)Mb!uJ{PPV^NF5(eNLv5h^Np?8d`Oj{;b**UqBc(SknyD?C+04X zw(cHXUnC`H{pZVW>M;6MO!9R1Z5R&UZhB|qo1*sP5(o0+E z>Y>Rl6y^E&>hN;s;Wa5&=T_LUa6HX^K|hff|~SlD8P)THE-; zj*?!Tp8>ptqp9KO#%BYqV{PM)Q!r<^5ihDSGjuPClN0sFOjH0qutc zt#d$k^{!AvN^RKqc*KF#*@mIZj+p(KKo &+R!*8JSCjk1|C-AWuJBQRe^Q>n+3T zXtr(PBv|m^Zo%E15Fog_vvBv|?(Xgc53Y-aLvVt-ySuw2U%z{wbMC(9d!GAaK~+oj ztm>-j+0|o?0Zm6?Mf#7$ts$Z|_=(lfA)-CC6i-NUxK8_yVNxv5J5LIH@X7|v3 zH%wEO^&u2vhw3BtYBRo?F?lFxEsWwTyHv0oKs-%3BTrH-LfF(NhwxH-BOkD&nTk?Y zss#Y3kmoZI_U`u}H6Ku6C`a=bP&FJ|Fg@2j(cYhHcOM_oRLAkNtH7Mk>#&4fPfaSm zs7()P2Us;x0bP${D~RWRcvAyUM&4kK(#at+^m{wM2S4t=wRdfrS$4*0(roSN1_n_M zAKZjH(j=oo-#X^(AyCTak@1obTTnqx)oJ3OntWzAL~Ckj9(9V^i5)m9Q1TZhs2@IS z_}=*Xt@oY1?LE7H*~ZV}rHo#0F!(0&kY-^{OXlohpn5svm@@gc=h%C6K^f!MPT1T* z30VZl*&I{m=$bVA$*c5fFL0BKue|fjo3p@w_ir4d+A{aiJv%qACb=5On00A!2PrgY zYMQkv>yuJe4(`ydwe#DBx3))Rird#n*Eoj<-`ocv*2SWxV#yEke(Z!VP>q@{zD5F5 zvWLJod(io>zqeTrCpY2OF<8SVCpY-d>dhU*3tl$rRf_9M15<+-FRtDJ1|io0#sZFR zT2FF>yj%2xGRdfiwn>vGC${=2lQ-^r*fOvCXM2ufhQ|dqKin3RhR@FS?)(1S3^PQf zV+>-LhS@RmjQQ%<`%r58NQ*S#jMl9ru8V}_KG0Wr-rhW4d#^t%GH559VL*5pZ1TM~ zuR?3h0WyJ=JM1>|5cGXSfl8%y``Y7}>*n*gMPtyD+$%zG!A9R%(uC&AKehise=4zc ze|NQMoI{`d^5&W%#{S37zMGlWLTa(<0VdyADhR5w8! zwr0pX5(r{dQ$_#gp z+M|-;^y1#V|KUd-}h6rH2N2)kDLYVT|K;7Ph+*;oSFan4&N}L1v=uNXK{6G|H+*t7Kk|`|3&1;E-`#Fw& z)kx&JyNWH>K{E5yhn;=x*a{1%2jXBAUfp=ttaWfvf7~c$Iu#manrE{|=TD^}K2J!R`gP6Gbg0 zb|CXZW9YYtnYeq@n%J#R49WzXPP_L7=3~>}urqMpR{hDF({NnOG>kD)RH{7%^@SrM}Z#4u_>otu}YpW2L*a0&NvDJsB*HeQ3~b z*pkXOGGn|!khW%#7Wzc`E4G`izHX{SrpfbNi)QoF_2(yzP-xsL5hJyjgS28kpy zVGdJ&zU8zIyb{=aoZATg(yIn5lY%rU*oQZv*|E)y#z>OROOKAQ0Zkhmu7*gdUe7s! zo2>aI>n!L??}tuoM)F9)(@&>(M)8f|D4kNGhgClw$82p=$!=VNEbZ#W#4wo6wd&yE z_8aR3;u*bLD2XB~e-Sy=J4Ri`wgWJx>Zj%ibk^ycZp1JR8nh&Ka#irfeX~wx8jV-ZZr0 z`jr9r*+WbU$z3ypUO0jq9(?`z_#+A2b>?ttSHxbP)rWbk!{j%^P3+ z)U%Tyjk8cHQE2~1ySg7A4~c=9y0$aC6-UC+UJ$Z`QF8N_$ zr5=S$(;az5mj-o~vFh$d=zOaiV<-gOm)h6WQ~-^;CqV;@G=W=QoBT7BB#7dd%G5Os zy5}!Mofo;;#+YQ9kBEN8)jlsHZ>}3ydU^(O@ie;A!9-3^zgC&*VVXYbrnS#r${2bW zAtNjWUI(Z-NQHe4_1Y`DW}~YKuj&yQeQ6<62y@n%f!1y4t(Z}#*?R8?;*@jO%lbjU z6%|`Ce~L^@F79lp`U#7Sh&U6!D*|L(r9X@p#$gDP4A+a>{Sy?a8-$Jx>V&ruNk5}p z60tVe{Wgf$wCRu9H)@I~oeq8U>GrGgkjygNu#AcIu)S|wN6dz|n5lGraEzbPJY$UX zEe7Yw9e0hzfo9a92t@O|_-YY3P`!^x(FwlW*PtX^XP2{1sA>uNa5CUXNn$S)3;v7V z@j<9Nj5yIEu7W!!&uepu&!l^@t%d4l2bo0ea~2E#Y}0jComtJ^KwTnfMv;=RAaPu2 zWz~J{w?*x!@P=2a?Y2e%T(jMPt>l`l2RtuNR^=ipMc(qpw;RilEwi<}n4) zmYVRiih(fZFuc|xAGlY0X#AY(?|Y^-P96PpxCFT_)xfg^>DTh8Am}`fnzJz)LH1%< zka>P$(J4l=Q8DzO<+#|$?P8hI`Ls!l-?{&^`O2f@I*VrzVj*YXVc>4ELrxE?VQMLW zHr87i_7kTo;^RB9RqGp!bsi9l5(IA^n#$QSbqOK1=&(1%u86{8OkBF4$n@im?s-al zGhIw_a7xSu!-S;Nb!&7o1@jP)kdC%bBJA*IrkJ!gxp&0vS2EvDAoXKF;G4}gKHawpRfBid@vFnwL>+#J6RXh7KZ23S~Ux=;d`>Fy0 zRH6qXr6g?3``_(G7!*On{-Vg~ovP~P0Vg)viAt8OEDRBS_}Vk(7V^^)j5bjOFV(>p zRf=rBYk!jb=|L`DomF~k=Se~pR^#4H4-}KbXCH&fx?dMXns`YMUt9DQze;@q$?Ltx zpfyZ5H;-(M9%II|cQAx(;{-*dMEL9*i8;2uF?HpaS>YZ?m1uWGYO!;3`)I{(Xl9sG z$7p7b`Y4Xrk1`HO)m#xcHOz)JzJ^j+GSM$~=IauCWsAS1&8i&1kGwX9^1>Jvr07EL zPgbU?RYc)(md?nWrrm2sa9byvr8TwE{F#g&c4$sgcx3NuP4~RP#{ONLM>}t(o|Qbg zpD~DMbOLY7Ky6~iS)2y(HOI=Bs_L&8yPJ7%ofH;#0H%5|Tom~R!4Gt28ee!%c1j+t zv}!IyXYHKru;KS}Dek)zubo2jeitTLZI=3Z1hW;~^+MdoH_fZgXnrGsu1bB1H{e(0 zPb*>yd`Bb66Es4i1=>21lAGI@y~|wiTs0ua3adIM$xmd+QF4E``7r)G=e(bDX)-*dI=fSKWy-o*$uXPS5tDwS zSh%oX=@dy**~3r*&~er(vEDxO#ww@$$x=E6r*aIqVr64u#SU`89}nTQ#Prp~uH>b| zF^C%Z75@mGj*Z*{(0&vEn63~|!OH|>-GFP^P#D&zu7GNrc$Vr^M==PNOEp!riFQ2r zHNo5@3Ydy{u1)qIHf>;|P*Q1>cBfrFrujSaJBP4AiW@z!`b!jujWqN7tbQ@p^NlE? zK-3>0#ye!i;KINvNcIXmWr;CWKAx!{AQ@H&4=90_pej`DOg)t2cIXOqc{LVTIJt~)alg!eYxRwj!ESnxS) z6-mH}C9X_8!W)jTL2hCn))m1R_WG~Jy|&>bvm~_EW<(A~9qYNjj24a%=vyYENq*V} z2cUR`*vIa0$>g$bD`e{>Dj>)7Je3WFjB*mQUcA+vT)uxbS=DPzeG}rn*;%f>ct`23 z*P8tqA>V2EcPXwNb+Wh!hBW)XZX(8TUH0Fcd#zz72(JyvcU%{J-&C)lH(bv5QcI2D zOy8Ah*lIkiEIu&RXpO1tERrM^P(~tk_%MJl9YwXA+t?`f5iotFb`o;>B0#1dM!o}5 z(HJfWWcV7=hh z#{@s#rPdL{$&Vsk{YI4?4Ec%S`=Pp3YZQ-QI3gIS2}7FvUtKSCns_2z=`%@9(7TIR zb6J|PD;GkgunhbUzAiflkqG=evO)J&AobrSG8T9IM~;Z{ZRPeqYoWCNziT(CH1NCr zzgy*hiutGV!ZMcsH2#0q`~SYqr1J8CSZC1n8aY`i`qRp*N5Vy(_e1-T*YFQt?+5U) z!bNUKzfQ$7^Vin{O8J3Qx7;m*{~pI?Wb@15N6>k!bhbrDT{V&0p7HN9JBR)V-NG^CpSOc$>D%@p zCyhQvFPihf$M^h4p_siFkWZ~{5?BD_I_%8AY_?(I8KZ!vsZ#GGIDVbd^aldZDH z`SC>XKJxx*Gvo`6i$!@?LhjRtN>8&vJ4%)*!t{lKc25T4^ix0mp=-R>D;_yS)`DgN z)f=N!RN!l_BC6C6Q!6Zj)W=qwzCYtKN)GtvsXc9fZb!n8|D+yb7y4ef@GidM zNc|GGO5K7`dldH*n9h3k$aIqLM`5D@Y3^vQu<>l*g09{ph0i6OMRjoC01A)J*iS#q zmk?-tjvp}EVg&`%+GBoQbP#`uby~6$%<#laQDqTzy)`Gn9TjINw$2u->l30SL5S`Zat9W-EAcq4!cIYpcdIV~hV zYmbGI3f8F!-vj`JWAN22t$oyxf2>E=HW!{XH$yLlWseoB(|HOegYM~ZDs{5SVMQL1 zuw)~KMxiE6|8+E&yftkUt+khK9-Wl>6eFVYaGig+NM}IU#;w~<5~J(1I9`gXGkaJ< zXf0GEAdlIjeuw;$43?SUwDJ_3!w1KT>kcP1Y9A;xkUGKQbKuxv8UY+;i?*e`B2Caf z`#TkOFu~H;F3(b3wT9YSrJFouJpEh%yC?QHET4)^bHNRWhM}>q5Q^iDeNSIixv?r5 zEQe^iaD_7g2MGwduS))rCqEmE|D!~?Xd-(YLTYfIY|aKja-VP%^N_{nQpbPGA|p~pDyl~QV5 z=obQbj@cmiZo_74iLI(W9S1$zsDshMJBsgTEW9H(aM+qy9{BX=&~>h8e+HssAZ-?x zW9s5H)07Nl#puIUAV*02o>nJ-AdJ-M@P_|^si9J(`-)6V$Mr)S8BYbNYTsDxj?dZk zZh@XlCO5S7+a+seipBb zlG(^;3b1akaMl{%cujfDXva+tD>-WZn@-H^(O0)&#d(n>Mr~OPFvygB#g1#wFC^Gfs z54uTh8uIwj-9o(eRQ9l`8)sxE-rKImuxqog>dj|(wJA*3f|7d0rDd4$xqT@7$492` zNmIPlnw^c=k}W}|(XtSgPCPACD%pzyl}}lD?lF{UqW$RK)VSckKCQ*Ia^O~_?J!%c zvL=P+3mZcU%;Vb4uV_874=kZtfBEN4=#KRP9cC_E3gfmrTp=m(Q&4p=@ zOCQ6Y(()R&--T`m=P>Rj&#VPb6Ui@o`6VWi%6sqS>nwNwh<%zmQ!fT zAS)eo;eaI{?CatU7k-VBT98K7%?Z|l;N1gjrq0lt+CT(yy>s8`K%DxI)S_wYbfI} z>!Pd8FYHbtZAf{(alj}~#D?jLw%Ae%i(=Km za5BGCRHh=8$1*=8s)3JsS{UcNktPSP%`}4pEQR9=Kg}2kS<~c_*DlQ-iSvkw|A7um zrF_0#RvEMecV>Vbz0}Yd%sp%vUG=7TMmeaFG@y#-JjjhHKw*wRSg;U{SaMCJ=7EPaJCyod7*&iDV$j>_U5h zHAvMJijP4GDQbywzv;6;{+Qs5e`-sF7fzy5dmjKmnl!^`Eo^LxHs`&DG@_2Woi55W zV2z~?MYyJ4v8_q3Wa^uxJr#5qb7}Deh?ub*S>Sap3dv1nw$-`lF1sF19T;@ zUyhIRPKrM)AaZ{esnAWV&G;P}TNN9f6r0*kA|7}Z)3KX7%11r5CNx+c?=XE&a3yLi zoCRO=v|j7IDPY+WL{H$3u~@4Vmcu{W4L1BH#@bBin`3Gyw@Z{O9IjRU0Yz*Ni5-g1 zU+#O-nP~6o%(o4$B(A+CG#dy8KO}a|EStdBxEIUD^(#N5oO+xdS4p+-XUDW;0hM&O z>yW74?G?ltMg2@;rG`_M!-fTejq7gURh)@#k;0BZU1zG9X~lss6o#C!R_eN*$moQv zuVR6%rL3g+EQg=!xPH`xS{tTloHMKA zE|S6HX`H16 z;mR6;YW1XRCg(|Wqpz96Ccoev7XO*QBKWhcZtvS{vXn$t!cQ3z@DU1fNW$v zozz%piYKO<>- znd@3%fu>*dO!BlrJC~6f&m9(Xk5=DVwS1ca7okL?j#aTLlvT1GPayamEFlL6+Bf>r z-{ZfBX;&aDwSm*z(&CUuxo#01dKE?sO+Jak45!FNO0bOOyOU|3d^M<9TshnJD;^PW z<^-GVA-vV7X^^_{5qcn}Oa_FVT6>TR-e%2bP0;6{G z{F%F-#9#HE=r)@&LD`(Gzw%3u#_gv168KWKQD=C~ z;l6nIWwDu1z|p~oeBqgEu|Gz4ZX%ZJzSYvnk-YG%)_$qkf|6!@g^jvi^LC^jQg;7I z%5i-Wf@bj0Q@*5`+0aj9ywY;k({F7`@e~dJ^DOcT7x>zox*);aC~9xEchHm$m$eF= zSuPvcVe8RBm9-E}OtNIe9D@P=jkvvMe!^y0&c16azlD^oYHb#%Xxmxaz1b_;vkZN_ zC_tzYyjGjV8#CKISDhtU2NUURLK~@j$EQg(CstV=|LaSeq9#X2pLqYZ`lVT4#Ax``H1FCqa-JsNkO<;#rjrG>ipn6Q zfb<66S8=GNNhY;2HJk;`WcXe&{tReaVStLTpEHlsMMEG;ZqA^2?-xVc94c8Uu708N zcSpWu8&x|Z#$E$1kb|*`9)62CUZL@EJRBHv(q_iy`|~1&m!<0}FxiW^r!Q#^zw|jl zx$Mg6@qoURckD93yEt^4?q^Z#uJDcxo7*f)FUf9>*v|s$nFP#G+SPxiue*)ur(_!B z8XEgUUpNC|)u@xWHHuiQk!?|SlJBA{#$?j8%~BtOU3G+rsytf2sb%v9?2WKGI!~(B zzbILfBF4YhNgYR&$N?A;h-5|Pzt=Ngj#TOC zAv;tJF3)&e?o;xNW2gD%)EWGUzl^Etf~wkI68*j&qT@X|S@Nq&0;5tqD#Ez_J7xIC zPJ-p+E9AptUiM1KCzLeEEMWkMKKAUni;DoX8z3q7 zjC9E7_86=A8Njjwu+(!QAV1@(59kp*eYR=mY*WI$dA9nDWTyN_^^P)r*1v0W1+G-ks7Hk24}Rp#xRevKHfSZl%*=r zRd*K4)gbKgYaO!mHo%VFn6~`3F1MV$fk5qIyEu0K;GYUDm+50ZAh27dJiT`6i+Xsh zdRDiW6(i6T1fWLD9{eC9*O~ zM1}2FY{Jj}!5xy?YIqvkw;7os+6&37n}xwBjFqP$+p7Nxormn$d7Jp|Xu5)@$|0LP2-=P^k27>X*`2aLTRUG7rUZ+Wg z(QmmY5}bZR#n|o!ZpXujIbZIkcl%sx3!vJyK{ZpF^9BuRnJSVpn_>_;*>j5OInJFeKrsv*&nSg9Hm3oR1!gcc_;4-GJXEyN9c8qqLxRduNcG{X2gzxI8f*6#i{ znx`{)qf;VAFC#`#Jp$Kt6AaJoM=GfJO@A)Wp3y(>wvdeb*lO}PiAbjr@t^?+!SZ5v z=)7z%|47Lhi^Y_y1VK&O3zO(bF3*TKhKop6;Fr#KvhvzQxlzaN(y6xATmh!O9-FrOF-w&4NfoT61L01Z7 zZ!4o}JapZXu4kDav0KzNy4Y&eR-B(gNIrOgJ-h77R+F0rdulmzZ=v!d+NDqWGyXr5 z2w-svJJE0|3DwD{JpiCB{#}J?0sKuRk@Zqp$Cq(>ll^wF%>TXN@$-nf9Wy+9W^d3d zb_e048FoX7pJ*GRQfzE0^jPk%{4W9D*%2OHHL{Toxvn*pl}E5gke{k8+$?|R69sQ; z53aHjyR^B4Hz6w-%h|mdNatkFro6D2uRc~?GJc&uEkZdw&LB>p88s<*3;hmwe$)I}w@1S|xkvi_u<3W-jShHiifY8~vUWLqpHY)` zL#<+1O{*JVUj%T!QhGD1A=&^BTbldYaJ2m0*~pqUp$t1gbB2hA1l*9D;PsjGrSBx) zeHdGY#f60sLDZ<%KFvir_4&}l)YLQvpeJl`5iTdre71BGoBGBDfQ0X37fmcz?$}_n zJCcbw@JA5$BIXV01;*`mi9*Si&n*h6t9tY;KuSMiO=swiA|eb>&SdVqZgavGrs{*t znr=2*NTq8F)~KKjNbA(1o>l?+wFs4+%U;uFTcMtA z<*EA8eRKkM$_LvVdy8`mGxTH)MaY-JGc5a({FcIuM#hbwHeU5-FwB+tEq^m0dQ}Qb z6s9YR0hmDK$F(|E>k5JGy751o#JhBC5xJ!TT)hg%!f3LJY*s4yugzcqYBQ@`bHL+qa#DkZi|+?m7Rs1 ztLuEmPvYPGbo!i>i+FOVTamtD3~*wZhU%ciNo{Pd?0NFHYLE5H7EdxQtgxlX?!Z!) z?0ODms1sPb1$l-xdd6|d%sO?5{0p!Tz^0a}LS4Ni7;y${^W!7dkf&vhhxo-b>`N#R zpw8HQm-*>_3lzkl(Css=h=?8#yG#UrABpfjfLHw6*NB#L#!z_t-foc#N~w(Xi6nrGoJK* zC-}bon0kknnZjYYg3MTBK-sGu=``eKSD`Hk!90LoHUU3X0Ue#p1}lTDw>UdG8@DE} zu(2eg-KS>Cj2CZZ{LV|rT8>=;jz5!9KUqrfz{}R-TU$75fq`^`v_#j>R0d{`OsIEMz_m@Vw+cBtUzxP-g< zLSys<3}dq7Fd8YSJlhyodjNr+kyiDmt?}#{AVVB~DyDPe((=rh@PJ_QX)0Sx$zZfW zj$cE~m>83qj203dj91LYtrZM}4wS_C>n0~h+l#aNuE#;cx#@(Q3WnK}OmPBvC##0l zJX=Mk_A*QEhnv##E%|!39wSO=^^U{*Bp&meLKJ)jUg^^2zK9Xd4uTw!A8;*2;bJ`Y z{(;astvJy1Qq`6rA89fsQSmyLV&(?mXmW*+5$R}j^sWLLnWrF_tn&ES6nZP^ebkiE zie*L=12ejXTD1pM73K;1-R8h=a?_#TAgu1n-i0CzhVRtHuq531wR-7P&JA9b5vp}R z5{eP4RPu094u?r6t8p4d>fx*3*@l%V>~jxSQBBCX=nRI|d}^Te&IWt2TCkF0oesZK z^{k=u?^RvDAt0zmG#|Z6j)=EqK?7Zy{GmrTvBB3=Q690Ma)8T9P*-dERdRo5q3L+~ zff&ob0UDk`0$^+}2(=s*AuM^$+F0y37D^`+9UN}Wn7;Vdzsg5%lgLIye`0pr8TTk2 zOTVZp=u%mkmGL*t9f}IS^ERr;sp(u%#7v0b&ZfWJ>ct49g_wx3bIdWdFy-KSPmc!f z$IfqXVWDZd9P35*D1xc-ls7JoZJU&0>Ntf-thz~!5sQY?X9s#-R?7RZ$bA^DVsRpR z74ztBvAP+`58pEJl9aw^f3cAuSec^R4{=p^PejCcWB9!YE-8m_AhNT0xH`64e2axw z*_VE%q<}X;84I2@2?Gx;Nr};Z2RbuAKK*#HYGip{e%*f{uE>J6VtF4?#0jjrVsaO! z-aYm!QH3q84(Q9#r>5tJ#8rVhz;j~QP4m;R4luXg7rf4j9ps^^aF6{HAO`SSQsaB% zGgte{O=O{~nq{&MFbEdss#di&`<%tjdm0~?p`2~i|K1GN&bY6ymOs;?1|BtXB-eU5 z^}R6fm)}|(PPlLTJnqXM>;U%mZ8$>9}- zN+L#n3%~}wCB!CQTH!&rT7trvsaTAd_DLL#gHrbt(qp&2vD4~Jq*!)T9rPn6WX!j|GzI^R)XjDvXkZ*)uJAio zQ)_^}_AQZqVa<4WuXnd=Whb!(JeS4vWnH%X=d<0W5TVen^`>TrRTZq>>8qyQur+1& zs#v+~)|mZ`-dL0Yt@}f2sL(f?FrJOd5#gNYk}5pZQ-FvZtg(ZA^bDlK)^pu4s2ac< zsxfRr{%0}m#B!1fL)eY~n$IP45a1w|F_*NgH5ByUzMU#_h)e!YO ztl=K_ce0$osWJ_B-ll!h85S)ZUT8#B-|6T~dw%EVom=P#Qt=pl!~w!zcb3^{yu!v~ z_PeWEomSGv@HP+(VCAnvib9m3_()`6y)Pce=dxm7`8oC#huubNoS2=0yd4UUqsL?3 z@;5CGDN8`ZQaPzaXIz)NpGj=t>?z5VuhCeeG*&M{K?uv{`qG2S>Evyn6X)##@PGDU~iemX`nxevLdvewE7MxveaW)57U1LYF z=~M0L5)8FjMRj2dq6D~ZsI|J>Mq+S?*|BHL8j@2(0YyD#%8srosmxWgSP5a$893cTr=F&3&=7F=T%`?vJPcuda?KV^VkOvZU=1DxOLtp*YY;Vwwc|^d zsSW8bJ_bfPF({aRx6Q+yz8fv8=nE?hwZ{3M5Ls2w#Bm%rtv-{1dTWS3Cgp;h15s!i zLeP5DRF{b$E+Yp|d3ei@{pnsAd&#C#4@<>S0HFsgf?*TURrTsvXXU# zqV!WOW`PpbZsW%m}8Jv`w%p<1%Hwf#{@I zmLcdJQ1JbNI1$-gd0Vewky;=8aG~7oU4+v!n(A)JSAPG&&mZ|f=9SZRsVCXlVLYUq zYBvESm%-gtw^gf#!KA8P*!En#FOLT-BX{!>j2HIJchJM|h-pk%3mq7(FT)U(PwROJ z0n4j;Ye1&m3(EUuA#rJr_vmnS8<;sD_GW}njC~zSDyh7d7EZs~oC>D4vaYq5T{0$1 z7@s(SPXTpiP}DBDZE!OGypvjB@TQr!(g^1p$5EUV4+8<#Md=@$&mBZZkfZb^@#i@& zkw*px%nY!9_2p%?rd@y5uFZe4j=GBKuv{Dq9*r^AB77OhL9+5fvyX^57QTw;%;3Ou zwJYJXS796~iM&gBkLk+JNoxyEIRP_Al|fq=cc6qiL?BD`rre6IVgPDqIg`jLg(@I> z^43;U85`9~pC1)j`WdV$Q1!H5boT8WY?VEs_|%~bZaBdLd6+(`hJr^JrufU%^yDP5 znT6K4hWbE+Xn#rTqnNx&x-8z?FE?cGr(c>qO-v7lygozB51HTtic;Ew4K>jX{da7% z;A;c4f#O0rz~Qa9KPwRl+AzXShKrl*U1KO9s?w$rv`P{-? z*IZ^-xSE*GT3sxK4h*NOfh9+kUe3Go zaSV9(4F7D?`CXA9U?=|5WN95O|G(2UX01vsK`Bs#Ujdo>|~*P{i>6?q?Msi!D- z%LEhc`B(kX#^~J}Af^dnZBbX&B7bjpnEjrfc1Zp{Tx|S#X8!w#+VwPM@B4g(YVY^v z_UA?6>z|_;zjmKL#ji?#-ok!#Q_vY^8C+gxrr?&n80x+^}n!P(c1Ki4A@Kl&}-Q0@QTL0$5YUH@0a z4msug-)BFIQ<$`{ogeFG)AK@+A=IzCq-*+ik_^GWH9z-X#ptL~U@0>oPw>pNh(;d7 z|8Uf7icjoUQ?|Ji=#@d3KHH1^(D5-V%~x$xq&yT`vW6Pop1IqXf-X&xGX1&&6Ms?v z^PB_b^a7tMVo{SDl3!Rbk!6YaLJ3dTKF81BFiA6|-|=?2mqwZcR}> zY;Q#@Yl{NJ9+XjKFN^SwXDr#T3*+5$(C}XXG?&d^!}esbO+&6dyih9A7|ycmCvrC- zfA1cYe7%f>N`X)rDW;@k3KDKPjiXU;UG<8uxE+c?ps9K_VSJYdVi}N$)?D z&Dun$ZeCX?H&IR-!ft95yUG;xdiVNETLAx0Var0T0&eZqf4Ob-6u{=5PV&pMSFJ@2 zBrk5~7<|w4CIo(qPWZGEN?47b5+^K+u)5TbqxVf>*2nU*#XS{$CHS`8Pq@e|p7nXh zZg!pC-Y8rn25B!!Rt+vaA>SfM0qF}>3vsCAscZ&RUvsbk?^qsEo|a_sIz4zeR&_Fx^{OU+VIdtIQBdKRAvfsmuu)9 zM`2pp-2sL5WaaGvN68CsQ~clYJpR1=E+mX?Q&Kw?!MqGFPFBCrmUs9AA2=@(u3R&n z@|0E&-A_siFRA36GMy-}zxMiNeav*gr-)?%}z4IJL8)z=m?{t zYkK3=o3n)XzvJmNmF44+G6IWv-=QPBvq0G90*g>U@wZ*0hi;!FQ;`NU>L_2F&jlqp z@EDAP;tl8K*k#y|C?z=>86yVxTf6FAv**w$ZYYl{Ur94+f=QJmb#P}A;~(}sl+!7x zQ7MA7nV#H9@doyCD&EeXJ|r6I3IW7C@kl!#5}z{v2xK6}j}F361Sx&^?G5aSMwI+B z?pSA+MwAO6Jf+!(y=%>qpVB>~xt)PDw0ZKAkhb({&usKm&8UsOU{{Vm$Df&O4wu6H zqHmh6pxXVSOwXx>Bo$8TIZ@`K*@|tQF)7n?L`xc{wc3mXd)8{Y%MHHeL-AgWf9@5 z=ojxhxS4H~*095NQ4vbs=Zvr;aI_TjLLB2zy>!bBr?Bb87r8;0nt74HL=#rL?-h!f z+^Y;VZ2IN<`iiIswfXxlULHgsrmXCJ@vTvLD{Jm+m=3*pnD2Gg&s)XC`sMLgZUy4; z2hHw=EW}~5ffFQeYdwKD1e&z7H!TdImiD3SM%3i#(w1O({J&pDXnmd10XNa%bAFPO zUo7kw%JXNRZWr;aYxRk=gS#jErrLtSq~}D9%c$~rn#qp@_g^In$9NM9ivR3iX6K-&eRxUzIp^bggbr6eAPAmXqCe zdHS?~et5^zsBT|fN1AsS)8J5eBX_T=aXb5Y2-+=_>S>dHG2l?r);$RoiZq85=6Xfk z-n$!_w;f)-?fq$QXgM~%>UAHub!Ph7)e+{snlgp-Z9%?pu!{$={bI?~;%yLd*RRYUTJ z`Nq#a+(5DPx>*m3-?ZND`j1#kM?XpQb_;#1& z#^a8o+Q%TrSLvK~z9X45%`0(ONS7Q@3nd%W8D?X-6NQpW(T; zuz!(EHC6f-5F-Biwrb!X^m2;y;uLfSN_VwI;Rr)v#2HAtjNs4tf+a3 zO$E^8#+phJfj@69s6S@;p6kxc>uhbPTf-d35}}qQ^z2=1+#wWc8Ok47B!|ZGC7C0; zpZAi|VMdbh0GUX9Hi%#dXYQ*2?yA|6q~Y%QNKw;B(1K2~en@dE+>4A4XOXW1Lod5B z`M>X;mD;}>RM{`H(5-#b(LA&gF$n6iZYri~89J(yr~2b)?j>9%d{?_j$b#;XCSA{5 z5=z&$LI3g;LU0f&w8j=KOfTzEyuE%-O^v&|xUhwdy#NU3jK$UG`}EQ#ZYUr&F3YaW z&cm);h|aEzTQ7_DNt}`FV}__4vNB$dCHl zSQ6nHQVBK%aJpvW7-B^56VmIhQfaAz+j3G) zfQ~rmgBXG;)>qWFdJ*-9<=JzP{=MyVH*Eku^AmciGZoeU^uocU+%Gdbdy$A>>@+jn z`W2tc`A=l5A>iFl1|vWB!s-nHf_9|H@!W~pFRAU`MblSf!@?Q%7Lo*qOm22EGbLWi+7D%O*q?>+Q{ddlv6%4u z+Awy>UfSMEMMTn3W~LgcrEWCJOvvocNLY_e%tna%NDTV1AjS-Fjh2=__{CS4sVZ6lzkJ?7&dy~Q*kOoqBkRoO?#C0I+@oFuGZ_&?fr2A2x~LVhl~_RV$ju(0Ci zO7~i+&WrKmeI~fM2|ZII|GE)7Qg!7ULb~QCiOx-MZZtT3(8jI#1vMxrlB_&Yoqo78 z^~1roB7%ax&W!4)#t1eqYVG?0r#;)M+(qoHc>mLRaxtT>?uWs4DJ(We1w^4Ez8f|5 zy|~%@CB2!!TlE)TpionO9bNQ0hD`Yq+kU04?{9kf3tfhjWV)E7%{nGIwmB-9f4+D` zCvS_Z!Z28O|E)Y-qsp{ILqC7ML)PtBx9jV7`aMVgr;1XiSfe5bpD z3>BUc;EhAdkN@iVG!|{#RBTX|+|+cE`~0l{BHYglihiuGT?J<)-Rk>3P9QQVM6T33 z_1_`AJP5| z6OP`BrV5i8Sg+9OIIH}ePpdUZ&*Ds*89Z+~q$ug2mGFe+I3@n>hx`JGeWiCD1M_)LpN`DtVaLR3aL}RkTJ|*B_m^kw1gfRC*QYDAdt`dP zeP|K6veicNXCmT`8$Slg2=`J;a}*0#l=tza2p1l73x#B685d%SxLg=i2ed9V>fvXx zla{W3jB85906mSex!X?a!r^n6;e`GY$R+$ypwn8j-u`7RkM-A-RW%cUOGd~f0K+1C zVO8y`v;7OD3qRu4I>orI(>Y(Bw=eyuW4c+|KzgnA+oJ#Hrkdi7opq49wZ}*Z){jN2 zkkE%zR#FQ!+Z!(Qjdmmu{cL;8N}daLUyuYIRKE9=RmeaE9Y!fJD8hmxXx@^>q8*Ao zXkKd*B!WQPZSAK-#i;jie z<-8U%rNTU|K)wp1FL0^~P6mZ!b2wGvm@w&jn!GTa@8i|wL9awr`_g&EI+Nl0=xcV9 zhx*`1*57$9&A7<#t$Ij3D3HS5>0RbRyEIX1G^|}n%X_4}P?f@m;)Av2oVt0K5yH?f zt4*9o1e7Ws_@FuSRf5!SjO_aNduji&H^3lqSacE&R4{d02km1EvSm|SoPW9;o2XO!$atbYr@?9f zy54=s`BsteI;veI({!$@uP7osR`FF?WDT7Jemgke5wmBT@z}Z{PxyxH6I5LJ@;+83 z00l44sv`|p9Q=4=mKzc4Lj%D#W6EpEBIEzn6!4C7A{MdS>uAj7*>i>p{WJ>cqZP5I zC6ek5w!&`;s1Xe_mRfIDGr13e19k?}R>pbNEQm^eU~F_vN&b&kpfFXoZ9>U@Z?nvKjzZ(6S6okB^bg5%l7#m?2M9iqEe%#{$ksC#}S#5+JD9IN+ z5NCl6D!^FgNjE(VN7)GIO^hQOYy$AJjuCLqjo%38MKeOlaF%(lptM`f2^$K;PEEgM zft2IIQ_Jx~3hJ?d1tle$a-tO!Wc`J&`Q%C2Qt|6H;3{W!6lgr>QedIM=Bp0f;W1oR z#^gS3+WXrn6a35x*=KC;7A@)a=V zHwAJ~>dGd%9BY+Mbg$z`1ZJ_a7Jo8gpq^`>7vT2@mvBSTqIO((aXwf}7<6Ztc_lki zye6Gn2C^U_c^T?{^hHc1SUe?F9Pv-V&r+ln6l(|sZ72K=);ElZ7-tl`4p4;Zi%a5(gaNP3T(i^1O+_qYBy_!si9 zCy2qj4mHfTUy2TL7n!~yKpQxmpwBU1g+_2K(;$RFH@;*R8JZZJUT z%1Y#=WuA|?D4pjjlJ(Z}zDjJY{m^p?F}m_>|1e#z_r2ahnwHXGN`kea(?|_o;p@BD zwLOGl8%L-tA}Lcrre(BfOcl1!VL?s?g&_HE7dr9JbiJYPM9`P5+xv0>f>!FZ-!`m; z{h{>OZY2L7S@#&DJNt$Uf3U_}W81cE+qP|UjcwbuZQHhO&+K{rd%vIFrp=u+Y0@iq z+Ft2-^mi7*xY}i@L%Gv6i&oLuf>WBiKtNY1bgR&7ibON(PbI5@tq9K^uI?+w+5h6I z%a&j(XDzXDhMvMmZII;NAs>Is$!4dFa-Zs*2KHAEfm&sX<-RNRtCZI(I#VI~6F8By ztjg+ri){c=Pn78Yhp~=nt;3d3NcF5m9{r|9J~igWv7V7gHOQn&Ljxmw1WpJCBDf$) z6-W-k_E89$wq{?OB5#fv=7*rt{$*t654nmSh$=K1&Ci)QHF7%bEkm)>Gnj8Hh-S>4 zoyws#XK9is(W*ks9~5REI#w2-)52%TW=cXGH&r>%C#UbQ-D6v`nNy00Vz!j!p;v+J z&}6KuR7bN|8i-n=WZ)s309AB0kvq}rfB98QVo#qPaiHyx@m~>WOBu~1L;lu8`kk|_ zxeER-#=6MQxUhaddIW8j86xF5W_wupAIG}nniMvhqP8CYi=PtP9vmO&F#e9hM8~D^ z(Aoe|tEKoiCN#Mpoh;0wgrhu|DVe)q#^!5}wQthD<+QEMlItT5mFBy9E4+uhfQe&z+f0 zQW*KvuUU81u47YYoG=|+zT?)RZhg{_N}bd!*u@s%_%X$)AbT2N-;9}_JKvn(8p?iH zRh~X|_?t+^{>50OQl&VXte+L!Ots845t!O;s+1clhQVDO&}0k{ViCtSME>dL%bb$6 zOL(r$>IWN8P0;}V#)N`cjBSBA79*@NzmAK+-%!>sH}4mT+4IUmo3n!S+`SvC4xdfx zT|bALIWYp$#pRUkx~vs#dYl`H%ouVop`J%uW=ULma*6p9s<%=-jDK;m-|TY|?~YV- z+74OYZvc=@gW{Afhd!C)X5`nOUCX#KyPDE~%A@F$HlLj$vUshsBY;Rx{5xaZBZ%qV z(8(nt+BQ2?*#4gb+!*KDs5BejB0gt5*%X%$%u-<~8loRo$5bZlL-|{AQ9o%4>>>AW zPfH~G9f@F`+NsebaO}{kTzSWBlIU^cF!A@jaUgrlz(jwkG6!>S zM+8IFy!oGi@J@YrMJFob#Fon9HOqcv-W~zWDCKBF!*((w1A~>SJmd}=lbqF zO?erJ7f_WdhP8KT^jARZ$`}@)-`wwk6?Ro!WTWITt0F_*j?|1i*wk-wa(MnfcXh8E zXNt)%4pV~|&4tCRLSOOg#^zr6b2#o7vr1Y|s5J*)D0OmkxiOn5T{jcbnH{&hNTqMEy$b!Jg~bZT}{-XT*0x`P(OS z8@l?Mr2uguE|ZCAxyp#8wkY5?@Mgon{^=rMYeHC+2LZ`lhfyIRvDu{CXz~Bt)!!IZ zSyZgJ=*hC_&FT5aF37Z2fYeLvRWOUj(%i4)Dm^%ATa+S@!6hV038&B8jEzyaYv?5P z{qHxLx)kGF;F$Lzk@hdYz*_4k=~rF-tu9}&oyAqlaMuiR!dw}wpkUKe!9dj^K`=E& zXlriv)-tW@M2K8a=^XwB^q}Sru$2=xpp_zu+|c3~#;7-ze_79HDn$eDUllF*7cOZ(imP z)bF1?;oDLg-6TKPJYnYQ6tQscTq0Ufo@t81aipnHSzubxc8dz#3gz;n8R|eu&q`ruQmNN-UjW(<@o}CmfqQr$>;a#)|2uL7{bd zTRM-$p>=&k)@)mLqgYFx`bW~ZrbmBJLf52d zxA19ECY8v@;;VCGeT$^M200A0j0(XpVAh8fHO7C~YNrp;W8s6fQ9h*(h6lL}<}5oY zbvb2GYN9I+Dx7oil26C@oc6~_CDSY**%+*?&+RqLvQ z!q?6Hf8hD!g4y*T?S6x^@u1KnMmX`pi_%h`t?d@5V^$4x$84kU zHqr5VHS^5DfCgjP+2^xtFxBao4Ah}}!@35qJ0mb4Ok&!r9nc?M%7$~C9i_cW$;2x*@F^}o>LjWHc)W+RGEzz=?-A#J~y431ZQCppi=to zG|oPtv?8-i2;{^>wk%Q3sLzb*3n`N!6JhONYNDG16OUTC@*~3!dOC z_J%>1mw}Rpq>qLTn?(I$@nELAL`Z%NW88n)O{K7ap}+{~!S_7;3<0HY)Zh@a7F@ap zg6Ct@aBjra^ys1c;se*bZ%mm|F<{tJznpw1BTKCt1gA|=w(}lVzwEqf;^+9cj9GetwZ zFU26VC%OZTB{?8b=5-{^sqBn~s;%49Iqrr(b~T^@5ywCl5?vULpg_gdG7}jpl^~!P zi)@|esO(|-5!S6rdUJ%2QhJJJ%gqm|`!T`NPXCL3VJ=iwEyJ>WDOzpxnefj&n}B6B zNfbBx6ZTFLmFzYIMx{3GY}^=Xp#SzC5H7M-YK&;fu+)By8qk(5wO_(esm3T+62jot zs)lL6a{D~dE#0T70^HpZrePgNiph>gbxr26dh7V+ zkR+$cUm9>|SmLAZXtUGF>WSRZ3?P3Fa?&%HmT>m8Cf3<|T9h^O?DYzgDY)E$d^bFm z0wr3vcn_fzh@b%>F;H%|$v_`(UZtXf91~$eARLBdt{i#|OWoVrvs&CTqPAE$if6S~ zqqPlDTH{|i`{)WpGeXz=CrcAshDt^FR7!d9;vvhD;8mvKz%h?5do{QX=5nNUrdeb* zbLAY3w#ScvGAi5nJqy;R6s=t7Oc;89c&JIBhZ8TmR1Sz~yID+H;r>CHcuiF?251~+o2^|tg7b{2fCvd>>ydM@a~ z_-r%uI4q$;=yr?Z3@J1!#CU_ckMY|dnJ$EVch~x%E&i0>9=#g((Ve*?~r+2Qr-XL`RqyLebQ@bUI} z|M#89;`@Dc1;?A{;`=Rtsv70>^=|*+=G)=>`hGO=G;r5>jmxwBTYdM-sO!dg+1MDF zQ6mnQ^6^-K3>K-vaszvNYV~=${k(s=2s!ZidfZzW895k0jJejqU76T;nn)=`7Hep6 zcyrUj)#cgj!Pz}JNcjacb#HBJa;kCTY=)fmQlEE@K^`Qlw0M2JzwTeXzG`=#!3G_E zKKJgPT)g<&j!#I>*KKuebQ4tI*UFMOeJ-D$H+k{E9QY}7qTymjF#mbJIeCA$d2jDT zSBlDKm74I~pFO#Id%gY}8Q|SrTW^8O!Pyvr%dvflnK_tH6?@C3LsV3m;JK-$s{pVrCD z+1kKH-`tAE&c+lF03N^t0`PxFKwSUt2jH^PSxw1$g{LzFg$M}{1Ogd^e=s+WfsY?T zz8&c=AcT1tI-ig*Uo4#%AmEt|XaeXNhJ?XsaGuHQ^65kO$W6pgw{OltYYbpWnzy#6 zHs!Q)wc`#g^O7>!8T;AaKl+{aU+30;@&a_r;5jf}{f|+eMd5i4hn0&sujw5Fw_$_- z+ze44tC3eAhRrQ}fq8#Wn9=aW)puZG+gBUv3qHNRwqG^HB*{l8$X;tI=#o_qq&-%3 zcx84^ml7eNJ5px6e2Xt{_Ze@ zY9OqKH!i)$6|e_)_|p?O@AE}}5IXPmW!h)RmzSQb-M1%GQ0~VkZ|~#fp$C=!+Y<4x z$LD@$_05)t|2qRR_NN%=u%~SI$CScO)bt2X4CdX%hm)OIsmANW$&9m$Cw3tND~pzONJZ4cBZI0_+OFfGN)c?q4iL1|3qINy4``z) zCT*9She%&i?L{!Ar>^YYR6}M`0f94(SOnyVg?8+;za_LvD?|ercbtC>=_kPec9TwU zR|@Tma#ge5!fu7oO`qlP3^mnY;ZVZ)LRF_ISzXR9CkrfW8>$oBzzJjYz(g99f`WNi z*a($mZ5QBaL%maodm*Xe>FX$}R05b<&>kC&psO{}EBe|&}86L*6|MyXM!Q_}kElY>x^l^W3Sbd6-`ao?2 z;k=nNLE;8B%yjJ0;ni{Hz1hk!c0CZTS==Z=M@O&f?2PO;REy~~p&^a-f}|d&;v&ps zimrgJ@%1Q>jf){gqVjgV045F~^P8h%;Amj*Z1Gf-FHzu~L7~($+R2nz`^gI1S2`aE z&7juGUe;?7^sik@12^n6>vExv!=I1UPEdELoqQo#XKK_MruKaA*DO)0lZ=+WX;k0) zlhr5BL~V~8#UqmO`Z>8WqbyK~Rh1-){RjyOSso?gG@cS;+2B7{xo3p1C~0~T7R`3K z_s(EFjoN7$h(wGVz`pJ4PwY%H5Fr^=%PwE49taqs=+&yi`YybA*oV5Rgzc`VW7=O0 z32${bni~jb zxrVVpV;~V}+={O!pYkw4W95cUj7~1N09_kb3IT^x^F$sO6;AR_{Hqbw@6PKN|{s!n{kS)-F+4C2!af;koZ zHk1o}c6_bP{*LG+Hn4(qa}u4H=gsUjGuld}Z=3=6wr9S+VcejVy)<*v{uMAHPw#cB zjZvt(IqdUZiElhy=4>)WG2Q5d;A(l>a5iBCA}b{~S<^v@cbv8MwVvL&qCC+gEHgBM zkRM|ry-Toq++SGAj^Oa3N{@CSVPD$72K+ZnJz#fhl}C)3*d5K#T|@yw04}f(kF9Ll zQ81*s0GR*6V*Z*4r9a!~$O4wJwN*t(ga5bbAq}W6^v8c78oa^`-NqSx#S%lvfgw|& z#g&WZZ>E7EPb2wtw>WJ1YOr1R=TjoFzSmki%-PPnD|P)pckUlQlL>7Z z@##Y(OTo8yLehPWdHyh#Jh=QHN;jFGlOq_TqBpW(^u#0giq|A%bW;o;xxjgmPWyJO zeY{A4dB7@-K_onn4kqD1 z#TLsnM+QE{53zL}nm70!7V_~{wtH-KRNFeh?u;}pd2)Fun^@OBha1YlN;3G-BgSO{ zyw^ED?9cx)d6~-kY}$}Giy&!;_>T;Q7PZXKI?S|1y0$>K52eXsGUekSra<>V*nw_l z0|KK%%8En7!iZ^UX~8nlAQQ78zLcKrhlhrkVLpLuD4a{uTg{g9G9Bod*C$N-I6uth zmPNiAF2-8$x&$?vXMJayLwD>{Ev!NnYk*~WyhC};XXhLdsK8B*(S)Yvg6I(z86z@# zPu?9Dp$@WwJ_!uGE$WdyF?~{C)j8{1ym|Gv?_pM~5E%7z1>Pnnx|0UIMYo?C^Yu&} zv=axL4w@~XUW5Ef!nRssdXDlvu(2|Al$Dv6z%y*Q0HNe!qN1j#8Z(*WHNc&%F88YT zif@P$BM)S1;E-Rel;g_}C?Z0k>aP3i)+6qc=LDq^M_?Y%U!p^hHJNZC8MFo#=vdA- zYRU5Zhy=cWKjCLPz7G!{z4)ZZ#Ub7dR(mOYvTyWReLgGu2qgJ3Z5N+7h=w-nXIe5J z2oT1pcI9*rONX`Q~N_eB!vV*?wibo+0ygkBCUmWY+v7 zfuWcxh=o{&ASLjX)olK}gqpeGfK9u_=Mnjm_(xF0x>K*=K*Tq&8oV?8=SVh4a>OXd z>%NoKW6{h4cOnbS0yl3`f>gd}_ya(J%!i$8`)xgtZly`7N4tv)WT4ro~nBt#Nl6<5q)P-Ogx+WF~%!!(a$snHHxP&G1DK4i>pBRM6g0R zv8kuNzP_t&?iM(4Psy>C7IH@7d+awaoF-}SqR#pO5nBAI)*GSJKQH>3HXoAVG23s1 z%soeUM?o%vM~a?^d%>4K<=O+yY)I(h_5J|*Rj!y6yJfMG=v_oYZ1uTJPOiBw>UdB1 zN}-%X_DGoAPI6nJmX*}NrvFY{>%dNe$#yJs8=G5h&aSwv0Jq(PFQxQj>9m%Mt91|9 zipa9o#xxHaN;LS@+(KQt$Zp!KFy?QBXFsluEwYC~>4b(yi(hRh;vRHqKnhiku5ei6 zd2Wuy^jcO+zRXL&Q^4H1MFoSs1!7r|Z{v*rR!%*Xm&TytuL>DirIFwq=Lb455UHEi zM9#WV!KP0`r>mGYrNN0hMTefrsX*49>N`$djwK0+np~1(=}1;?d}=~Ppdrkgb~3Eg zlOpJ5^YD1;{*3M};JAMR6W6*?)3!8g6iA>NWon*JxsJ*qRsbF4X^FT*`E45}+k4rO ze%}67d%cPNsV=YB{f=+MiMpDcfFdf`7v)5dJF@ERptFLXstLc^afxfp@cD`>}drqRN^u$-Qied`&Z~Jl0Ab+B*VDec9ry zOPQ|hZ7~6P;$)LVSc)BjsQ4)qq=z7WQFm$+U@ocfk_&B3n4sV1EC`9Qst$*#YT-BX-(5r=E%x32f2i#)c~4sP)E zw#|SceJMYR1;c2n_B92cGqhNC?vdNxGy#(Jpmmfohc@10ETIqJut8CF0eJNAAZ#>4 zAuPz`3z`xlMGmar4|3ft|A~-$q-%ec`uL0MO47M2M@K<`ghm&ueV#S!xp4u6*U#6s zN4fMFr>Y{p@cFNJ?Tf||1qFGVTP6rSCD9`Qb0t~7uN)sVx1m0#l!j5w{r7k0oO_e{ zd^^jaONag=0Fk*L-)4WZ7)MnbQcsn&R6GLW=KkV^h@>82Cpar9+(R|fD~j)E zRu-kKy!#Jru&p|g@sPjC?p^kk7|rI@_5;V@hiejGLC2R9ZzMu!?;QF`g|gDakpMy{ zXsXA3f`vvCj7r$}4t~{-tSOwd?f9)Q8vv%aeuktOz|DTCV62QIUmb`DZ8ddXcZ4+x z>%w00rB@P!z3TdIWci9`rzB@FRZ2fwLB_G2Z}jt3T{=^eyrYvn&m9Uh#Pk{CA8@%BPVi69)6EfKhyJ;GwE8^y1&;s`3 zO~)P$O>`H+x4ZMRfBWUh+z*|uJw9EUeE27=jd}EvGZPB|$s)vuW-A{N&x*p_B;5P; zLn?MI?LwIom0tBx7YEV0k#h~+5%=t6ce2j6v5*3bV4u3dYY-$D0FR<;b~ERJFfu{*Q(I`<B*V+z;}1mw)NhpOe`#}ic~pAc5^0`e=&4lJ2XmMyr2Xt{a<0wZ0;eV> zE|$6d^mvH)*=TXS-k>4x-iHCUkCGjOwV#%2Wb+NBZ=j64T*{7`S$EoVq1abslQYX8 zx|~_$j#QyvbQ-Fv?JB)g9t+E&OG+v)aRL&790m?2@_d$-!-1#u4>>jnb8m^poU2## ztO-Qc#Z5&4zdpcMl*SM%9OpVY6ZI4*d2pvnM_Ev>aq_h~;>uhp?F!j3(m%J{w!h3{zjT+}sF!AlBAc{G)t-JId-Lvu?+kNA?$ zmxdP2VTKTEQN86KvNdovYkBa>-q^4V9&>;$m&C|P;{zk`ov`G9j;`fqp~_ExwAv9W zB=+IQniG277>Hg(1vbqBLg4sGxRHI~H5T;b*!8?Q$oJ<_&5+986t}gtfy@D5{h({f zD?boJyvbtl6K15ye&@^opmyzrn40HZ1PE5{eNIJqxtynkA9wn8XQ1yA|91HSF$1vG z7+&bi(>3xT+~`unF=*IsJbv`ZLJ)72y1vvA1VrKez0_dj@1p-PxmYJ9Ca!Y%d~(cy z;nBHUA>028WuT1NEWY%XbQXD)pwesY7_TL7zWwnZmbLQ49#8eU&fB1p+q3LC#$eR+ zwp}r!k2t_=bOQ8&|2uwY8>UO*OL=a)^EV^LUkP|sj9oTRLH0y{gYTV!I$lm@8^Jq} z=VKm8%h)j*upYH>^n^-Ia?$1;?K|gX1`G_$)fyugp3%WI=^0{#^`50$NpktAZnT+@ z9UcAvx%z@or)g6u{f~*z9LVoo_V4h``<(yI&EA!9_UU}8;&y_$m6)R?^BXP$q*;D0ytUqn{a|34i!|iv3z{0w^@PPv|z0Vs7DAXm>Oq5(i)A(?LoreMF%|dDbKFIzdjz zI!t`C#Mi^YqJH{$4Iq$InEN$=&;;O(`~s5bqDJFu+9h0q+TLuzXTIK?Y9RbnyN4VP z-9F0oSj^tyS+~BX`Gpi(RMq)$t~Kg_`J%V^@Kb!5P;H$0nA;Q#(lm67Px!jgkp)OC zy+>L;Zk)OtW=ne?OCQyHuRoO}PyZmx&cGzwZ<8AJ3M?o;>Y)z~D`!N@fr!zyPrr$7 z6+W+HcE7nCY3wQm&qejI$fs&1_9ITOid@kBXiOTcN<^uV~m96GoF7d#kDxtjrVt%_rj~30y(-bB`y+~-ZUR2|> z1P!oRQ?tMFW@3b}6=@ZgFBOQc{TSOc_>PJnZslK8!n=(H;9+s`wnKI+69Xr8<<1-3Fvz^nsXJY8 z#99EzD+jA*z_~Y{DeQ5AHhD}BJe#ml_>8YH_mBf?<^Mx$rD(nv zh@BjQ=V9ufFZ$g(+LS+%XtZz%_ec@TU%KRNd0nY;Qqk;4Iq@Xn`4x z(~Y&lDDrW^-xY5{7`I@8_&l!EFYX{QJ^1iT778!!BgWoeaZb)MtgFlH;!QCMtWPR% zh%F0croD~I>7B#_Rk_fuSPXXch_b zEaEkdjkm?}39*mkinYw`0=#^x*eVnV-j;U!qKy&oUlgkZeloN;jY=E@sfw}Q-ls<`YG*0uP$daPu3c4m;d_a$E@ zX&P@xfOK&#?A#31#so3wz1!)Usx9}WV#(&rpwU)>HPwL=#h9GW7X-kwVewWFagfN_ zEQrz-l~UrtfeRk4DEtKgk?7tU@A8#ucRwjaZqW0 zXf!Luc1`2-Vm_m|HAN_-Nw|42@bul{S@P}VC)!%kR+M|hqw@U@YKV^K4N3oepk3|| zK{$c6G{zjc)$*Cz)rOjTD8MP zvb|0y$R5V)@(xZS>S~qJm)3@6W~mo|jmk0T(Cxd_+BRBuFX}5-;=0%5m?HSnhwyVb zF8CmeNs(d_3UQRB$DTvFovogZ)S>B5pM1F~`ldI_YZ#fdOYWv=xs~JV0$?xz z!aW1H?uFv2G0g1&LW%~$EgH{QYuA3(VI8^(rm}D|UhZEvV`Mqhe?nMg9)w=b2{gBy z-n%c~7B}Ix1+cu91OBRwftyq4Vb*;XkctI36h^QV`tcKvcnL)riuK7rxZJEpL(d@gLy^FcULV;c@S2BsYSiIv0K(t>8C z8Y&bP^6bj%bhk&tQ^UxXh=Rt8Vvs}Yok(t}FS&SB%Z1w-R(aMcpY2TpK+o_&F{u9wgP!mPD12*|0Dpzg>lvspauT( z_DY}Wove>YS_c4KWY4B?z~t$SdSeR>eOBFRzv}T&j}C%O4+aHRY*XQnp!Jz{*Dx_% z`t_vGet*0_^RcRsj%7z9H5=?(sNbowbqV({i4Eok9OjtnJQWA ziG}N)do(j$EP{;JzK{m#L@STyYZoPIg%Kt>vCMszcZPC=_3<|u@)T9+kl$xxRu}+K zPt2cj>trtWVZX>*Xk>mx_b z|LqL)t#YDs`o3{DNUspwZEbMj>Tb@eJZ}7B#}C>CA8jpB6IO&uB1@`dVq$mJYyXC? zI^3Xg<$BDkZDv6nH4HT@VG7tUn;j=Ain$4zm<*)9kjhdRqRcH)gxcviHIS^RF=9mc z=1ClTPeViV*C5O%c9JK@34ctyBepc>w+;39-QcpDHTuo{Ow|B6J{zA_OCN%0M5~Fj zEEt#1Pd3?eaD+vI89J%tf(a!7XO_b={7AJ97 z1!>wBd~+%}cwoSrbIw?#thx!lfF^YCbRnlf+as-UQl@0@VKg<7 z86G{)aH}I378iy_XUSYopS~D1Z@w_w+si{F8O~bZReA-ze1B(yZ9;p#5B~8>D4iVd zj*9h{DV7-cynh;pM*z<@lG+LhH^&-i7HTxHf;&SIAcf*Fg5;z9Q>|x8T1R_n*C2LP zEYW2zFzVe!(9f$Jxe|Qr^@12df!C<;h3+4tB9;(ehkMYEYEGnmF5`tzuelq(LLNbH zM_VzFZc$UEX)AQX+S}H8(z4vKjtoTK2f@2)TUgY~d_XTX>9J+#uhU0C`3Bcd0_-FN zVtZa08lyfHy-Vqd*4kxW)(hr5bD&i$t*gcp;0MR`6#;w&ieGir$(-j1xOx~ii|sYA@D17)G!zfp{p6#Q+Mj(4oqYG?7d9_( zA*(D&Z~pb2Li){;dSa7c^h_fQ`r_mTrzfsQpQb;3)iQ7ojQ-cXL3p{F-e_vL_fC=^ z?a`XaOo^6t7-I&6-Saq2SaIg**f{AvEh-#;w!^zBy?h*pQ7>}?^Mk|}hj$CFM{m5c z_LP3=^Vm0osJAH7A-X6=5gVJ?<_pd9{=rA5JMPc@H9MX8Q?c6u6I{)_BLM`JFw~^c zvGkO4iNNsH<=oLSm!fGqD_OhCU4_* zbu;ReQ=@{h$JF>E89$SOTSz@pRzX6~CwcwRU)@aCC*FJI8Mb5KfI6ONz3B@+lO9Fl zm)$M?sTEMm#+z@(Jqdj~lFQo&Eb2ODt?Q;B=K=!hb$3J#b`=t~HkJ!!JM-C&x&)xe zBnz>s&S@AV$8{?6K3B_@2AoKl70d%v%?AeHWSBW{sp%o|9Z#`{f>;9KKZ?;aI$xX* zTAKMG?e8GCqp1PoVm-kk-%WVW zoM-UPR!Cx|C^9Ct)7N?9e=m+d2B#`_Om9lB|D&Z0248 z7*N!azsz&3N(v+h#8K&aQWc+{-Yfx)YxxG9eRij1H9!WabSOjE?FF*>NAn;p4Q}54 zsMe+T6Ha{uti%BY7TiJH5=4)z?s_AXS#&1M2`?%m=Y^AMt5$8ezx_F##K};XI;=F{ z7O4OtV53H2kT!8$A|Wu}TynX+Zg}N|noP%_3zX@d!%w$io7>1a5a$=r;pOf;TV?qw zzr38QO`o_T6+)r`*LK(;af$U`XLQaj7w9vb(%-gj&P#A5DjaW^EkCdUeYcbf@?$Tm zZBxF~Nv=(C#Nr7bhVUEPN^3tR2=obB_n#%CV}FyZ)a9aAY-v+(muoABMI0kfoiu5= zSU;Dx7%dWpGvfv!`0$0emXJ1~fV8Y&7|E$pu2^%#=cJ=1a_#;hX$wnFx5iWlFk#nf z#ea65>sSw@Ji~?SqUzMYvQu#~t>L8|(OO}s^{6=<&SmvC^!8*S1-@m71&-n&k!yVi z1J&c{c_tNeDsEAoH?9}o;e69o&+1KY@|p?6kknG^Jm=C7hELG-0hDfJR9b~IThPWQ zlL4@-BF^5d4yWz-?e3F7Js;my;*ngq_WjK~BjY;ekrtrU@5n53vPaPZZ6z}_Dzjt` zx$~qtPAmZS!BB_8!!hY#*(Rt{F;&yL#iU^Kg1ROIjNQD9LZRQF;(DVo&s-NaSzAh` z&$6*MV>7Vb{wEU=g`sJ-nH3~}JD3dicwaZ(G%f+uv!$cD)@-@zB=M7_Wr%+FSO9c~ zpVb!}T!FPHf{yd_!#?oCj`w>Kw3IF0ymI-ROg8*gUT@78IFX(%_J?(1WfI@IxV)KZ zM#S7r6(`BbB6y1-(?}tn&=_JigDFg0Y?Q89xn_9#mc*@jdb(!)6In! z^-7`lj0*DGHAlO9$b{?u?fH!V5hu}b&u%{pk_X3GP@cg6n(JOpD-_m?b z7gxwf16A3HP86LzOY)K(F86wxwN~9TOZU9rz)KTV)-F*kL>4M{>>o~g@v)u;2V{xJ zkdqE7h&)!NZkPVP$e^?u{bT*2qbo+vG-rlJ%wZHfnpf|%H)eofgpNE~y3~$A|HN%- z1-Zxyc)WZkr$~c2o&{-@&27n%LmGrAt(nPS?-~~RhgQ(ofn`!dWv12F0U;|6?))*n zphA29?9=N-l4NghX-4s}OD7~$Ra)q>N9Xsamm1nc^pzM-^RREU-zRQ%tF@GpT)t3{ zw%Is0akD@%QK#y+ezwTtZwt7IARS>|sn}=r(1ARaO#TnngnRdd4CWRi1KN0fw zoF`MtBR=24qN7ukv4^mq8L-b%LEg0GDDBOS@7yOalG2vq(S$T+U%J>oFiL-TTQ9gL z4&72~wLJ%SbTThvj!+gC?#wv<#V0xNIYw*?{qaTTlF|##M#muVtZbR_$hIZCPEX(^ zSSQLL+*@t{k@93NlYDft)!$Y!!~rYwHj$#6Vcun)X8#^|Q=Z4mv9o%KAK*B(L27{Q zb=M+L!p6UbrlqmY9(KFBu8(|JK}#&J5zHYA>_JXp}g zz0 zK#9354fNb-aa(Ti_JW{`!sFzGSzFVbgDa_PbvAFyqTmV|6Wyz)E0h?V2}Sb#NG*|#tI3xM~i!gE~BaYPI<^9i!saQOO0 z*kuO^kPeu{5p?NARhEjV?p8s@fA>ww-3D9r0m#f6tV*W#F|C=EhWPHmK@ZQVUn>cM zDE5Ar-TQH3_!5ev)t?{l)K;HEAq7PV(AMdpb@RYcFC4Dg($sILFMoj$a|-R;wn=_c z-4o%up8L1|&R8#H$nm9qU}hO8se~TuhJOEm(c*1+5jLu=(jF-&%+#OoRCoz(U(<9+ z${R`3eNJ~J#x=Y+-$X>TX2UT2+`|odKo+7f0EL{_@k)`*(JzN1qSy?C{($?Bm`?UM zWezC`^&1+p&df$ra=DHHc4w$kuTCAK21P3x$;~VEa$t?8 zhcT`Jv#6m~e*#>BW^0>kd(F;01>32upc(cKNea46PI>Bnyw!pd0E0a6*~GM@u0z(k zSScE-8$t-8^e%235`SM43h;X*T*&|nosW-kVMRmVR-0L{)krvWIO+p%IoI3gn9eB! z^*G6k2Y=x!tXC85s~L&8waVd9-h} zGvy;TwFJncgQVeWaoKD3DV3J1$RYg~BOuBvXh_Es3Jk%$ki$QWBrUg~i(}mGcx%~B z*FeUSuila7C!1LgWr5m-kiAaWDTA(J5T^ecaM)n47QhX%orIwHL;>-P&IsO2NJ()K zQsy)D;?S z4RrTkT&P=qi1O2EuTGP1AXw)KhES;Ga36t53;dr+P$!h7m3` zx+09TkEa||1oYFr`xocXEWd_5BI9I-K7|S^2W>%Fk8d)e5EyJG?PyFaFPILS;*5Z;~0PpZpbXJyiI;63t;mF|Re zeFPTB2VR}Tz-7`pu&T!LT#{k^EP4aFL24HHQDoJ{INtj@99JEGopjIaILH4O-pDc0rcM zvhzNc!;#-=txjDRcN%2MabF%-Bd@HI0poUp3ZdlT+T<_Z=Pmd>pzIa=_Ui#;xQok?ijWS=$R zjTQ1uuQ5Elx#&qB%>ofmJgm-s>fD5+HOZWt=woXScLv%}ZZ&oJt-SOo%Bav#p(s*G z!W!wy;w>Q>RMW{)O@Tdd{q8CILUFAX6bDWEPs;T}&;99Iujm(sWsAZTRsM^e|4?En zzhTjm(o%eGsJzzcEFpT%;k5k2(dL?rkNs7ZUs+ih^+$uhVS~9{Do^py9IZ`gPmsFD zkZ+{qjIJHcu2-Qy;YaY_orZXv{qmz{r^OG-`(86sOQNS)eR=CTa$DqGia1I`$9IcH zCiJ)rHiqf$;F;2f$t68_wbrDmgqdJ+XGuW#^6C{4Y+o=}nz49+WP`j2L$d#nRiD+Y_B09S=KPR`)JGrq zCPNUxk9)@rTnk}8z!8PJA&KP^vTP^rv-c|V)g{#YW>99N?RwveG#)D@vSAkL8xMJmoG_K8eH2|K7z7mKJ_rTR7V z&?>G=XBRL7*_U-bPXU(wUYKoqBa^|)+me{q$*bh4uGAI4p~c$sqWp=nMc^>uw;C`n ze}oMKC^ZxoMj}~%CegYhL*MBxL}(Q@#4Eh65NZEBVLbXDj(NMuoWhC%lVR38pk|Zx zAnUdjK_lLFgDOq6e5~pef(|~TV3qJ8lrFu-sS{4Q42m?;9NpcJcUVl!I_pb1u`OO{ zo}bqnc8uq7k?0J&05^0D2u>6?hbXvaXS16XMX@ZQjgNdvc}w+-U>lECgV%;hsVelC zXnho1aZ358+37x4hOXvK2Qwl89;PvBmJ@0;CEMNuZoLoyWJMV&1Ew&ai69MR@nDCL z^7mKs0@2q|lGExRpou)sU5u#M5+29g3g^Q~mu3r%m&0Sx5eJ{d9lw#{-2n!TJh?2z z4>I#OaNB}|4t<}>sSFKhg!OHuXe~?NbM>6U2l2Y@ikhjhOCRQR^ z+tm>w1BE?;h74nyva({jmEtc6iTqskc4yLVFSO@om6ROUZbKQoGN>+8Tcqjon`v>v zEsO2CN*7`G+40Kfr_D_TQrsD40)UFKO~X_$ z-H_nj;<%cK*UKHBVm5Yt)*eFme!pyD@P}7`d+~ELEXOXjD#R-o>>?fVZl3g=I3Fb* z9UNqO*uGD+DZYA0XaR}k`1r?@gVLPFD?e2ii#34W7CMBeKM zBqYXRgbW&ThE$u7dg}JPRe)q_K^crnyE5-I)1QSpm?4M=w;t0^xQ7#%xmlbTJqFzZqArDW($El3|4Vdif32qg0^-Rp5T;T2*ES!0UX*hj`?p!`g-@GP5fT{A=Vc1y;Z{sCoyt z{3_J#*>GnybB!at^pgh!jwh0{TrYUTBU>UW^-4rL2E_{8TIWIF9iZMO_GnpZ=#SoX zp@;o|8l>>>O8YmKj0t8y^0Z{G^!;GiULeHv4B%TiTsX}J%Uyu0kaTViu`OR3^5l$n zzY5cEAeh?6EKnxq)^wT!1B303DWB#C_{F81a$93P)nE#_mlRLz5OuEQcAJtN-eRh_ zZPDJ_tG9wD5zt!!^0-ZV=S>?GesRHr%N~0N?r8YWhPuI|19aRX&w^58@bAbh4qc|{ z<~t0J&-lJU$Hv-N?dzu1c+|Cll1MM!y%o7Y@MaiFNJYQD*`mhCXusZOkQmsPokF19d z{YTrTevvE~&bQaF1eI?x%xa1Xjr2)erJ3I}Xs9TB=cxQO-_p?T8G*JgE9>qQ*@xg({0PpB+O(zIWp>RFhS}RLyzTW^(q!`0!vE0% zaLEyy3dq9N(CX`iA%>srosIK#sU9WG+*Fm@WAQT!71*>MQ?xNqNH+at%1?K(>G4ys zXrit$NnyAARJ@OluF#yv=l(Su2)$6_Q zD12S=N$0bMsukMF63*w0(KdVdJ)=eR-cDCnU*6oD^Sk?Hc%?A>Rt^0S#4cpfDabk_C=fk1lp^;LUS8dQ zvnXJnV@d+Qk6u&4a3h8PbWKP5M3Njs7`@i=1mIw(|4k`+X&=`;;)=f6}lysj7^vBitlLRDKoeb8M{ljh1?(QB~B#b7AMo*HZ#_N>V@k zQ~Ky%a7l30nWc4Dwlt47;)5|UG+w-1M~^zQlT}bNGyUnBxuwSU|8h#j*&%!hyG>kN zQ?;qAZ?9my8g?!gy3Mx45e4QUz2@n?zK|?5wXmS$U_SN=g_&>SvRse+e!>Hcclw`Z zDuViOZ3X1~KTMn{6O_mf=`pt1+p)$}z-(o&dSeorovGobdSJs|)hqbhUgLBM6;dX?vCe)xLV+sRZ59dx zx4*wX=aH@QkYFAYaU_>JUJg`bduk07uiq|iHJY}LMMXaOK-G`s1%p^#en~tZ9#f4B z^-Y@w(LjqXW5EnE8P1$RB=Z$gqw>G%PLn)p*iQyoVH@P^I@^#M0}s>;mXjI2#o1*C zG@>16LWj_Y{e6I7TIu#NSM7E#`>EgdM(cTg6o{3TKB9!#x7$JIApY+G!ieN@>|(j+ zvFm-+>fpfQ)jG&7<~&CJJhX_$6|U1w?_b+(b=Cs;>!$mljf0NrP_SKB#bR}a=R%pO zhTM7tknXoaA|ib~ACII&n|#UfvDK@!)R;NZyr->Yftu~k>LBZU$DTK?&$-20K2Au5 zgaY%4)_#DbB;xR%fAw0*-WL!_q*YbL=J{H5_x7eq4tr^vo3r-kE<1Yf?KqWx#?bC()3Z^oxRKDC69s9bFVA=V0Xz?Ltkjds;8q|wuMj2$onfJSV4CbU@9c*G9UDB5_NAzZC#0z>N|w%j`6q|V zqQx$zVzC&f4jZi z6ZoIeOyr=91zH(YPzgsRa#I$HUc?-fOiwJY-&fP4S;jbykPffg(x!W@DYTlixe}f>24^dFe7LlCn z6|}ixy(kjQ*vT<;srZ|A$jKm%`+t6XWUI0rXMWS1eE+#M)20>b;nv*B?59B!Oe8_{ zdy8?!u~*(p9#zsM%qQqBb6rQyu{_R<4^yeCPo;iP!BRszsh-M;-tIu}k7f&z+P69u zK&5n*kL4NP^CuGxyvWrb(3gI^V;^Tk=bmd9`RNrxGmt#&KE_D1b7rF5F-c+*FR=gJ zzAaCim&;Xoqrq9$*4E+Gt}n(9%Y{8i{8Mt{EY;O#*4E4y6<&77%;{BZVfv?z>u5WD zd#NJXiXh zHzfb4#GjPC>)YBbqF>0uM(^QvWF^n{*FlQIg}eN}9v{aXU0)O(NXA?L42!$U5G-k4 zoC;d*bLD^PaB|&OH-bPdc&z67aduI^>`L?z#0;N3C?*}iN7u}U;`3ipifg?4DmZwS zjryIkBFnW-&jMjX0geX|G$hCS`%v{%7azYJYHRyyG22;0{ko<5NKzI*g^1G2^99kE zVp|kH)guN41J^%440EU37~i=!Hopoj*sBqinpOzrvaf9WedO-(BjLuD`R0R@{_{73 z^!!+&_A|_HP((zkf7cq`ha@I-t&i)UG#z5E5u%9r zwu_SA8fOlB_55ih%`$DmNx`R0f)qb4_j$H3pzKOM{xY_@DR{`Qb}a1KuUD@ee_lqm zC?BwvouokC6KKsQNN1Kfe#*x%#;M%8#n|89-|lgiO6h?DKazap;@Vcm&rA|B&HjK& z>#DZ))d}5$O+T8t(;qXy{>{&!5rgO90$f)SmqoV(!qJ(kj}9HT;{Asg1r8`)xz82$ z#fG7`WRERoCI0z$trt<;1L-0)g@XDvP1xs_-+1|cdomRX&mvd1ceytx(s2r0hQj;& z&e6ci`z~(4$~Q^K`$G>pb#CRhhDX_=Y;(-zPltXew;EF`O)M0P)?71pCYrF3@wHjJ%n3mtYHAdHN zZDDuMPnu%&#T6~1nH8-`$ny4Xea|z#7tUAM5SibPufXFPO~GJWTGod*ma_%}K5X^fx8kTWx@3M8 zggov(rCxbb$dIGneLp9kq2*da*UiI3`}9nTt1RC)zjvWHU#46Lq!-Pu2>)BJTU->P@-&%NC~ynN`DK&HgR#INVN!l;zSY3`sBj(NG3d6=A( zkg%&;JAH&{2x*;m{`|A9@%67DYa&Y7ayERO_OL$9_Kvy5?1j@*zYnHxKO9J_MK8`) zeQfJ<+3(Dt#(Q2kq&mEkrABH(!QY$Kr()G_% zmu6Tqg>0%T9@-gM_poX{PIr7vlR@!SuH#;)0*QqnQpGV4*MI*_-^{OHqq(!)>?{y! zuJZgNNb0Acp?Qu3Q3pkxsa>Q-6*OR($W;dwJ!`YH zLwu)z_Iaog!$(H}2lv5<6UvT32;+Dov7p&qi(CUvOgs}87l-J$QKSJ0G59pq>uj3C zv007dmT^&8o#*hAMl4s;lU?zv8uv%Pc`hlOQg2wZnh3tIhr6!Hb7^voP=pN;CK^wibniP`m)y#0 zw$^TT6tZt|d*JyWexE0G(vyov!+6JRI67QXs;2i2mMJKWg{M_m=RtgR~nZ zTs37TrVt2e*71kuC%tKUoD@s~ z_Z>2^*pup+*HF>KoHsfxj zzIP`ftN2z8kH==No0KfuZ{IUk@V#(f!MA>@zISnDC9`*MS#1uzeC}Z+n)_M_QR5)8 zpWe_Ma%tP3x5p3Ogm=5BCg%4Pr^t}c9XD}=+xsRgMrVz>j;wE4#_5p|ko0~gBM(2p zPp%fRo$NLH%YXUZQZ=(hv9V2@e}?&?_AGA~^+>uSaP1Z1Rfe8_WkHS!#O#+Tnqi%J z?{Jr!H>>yPIa2$U#Ub>%&6CjY4eg#D9uNrdUvhljtiNr8W%GxC4<9&VO|&OeR1sC%WFM@o*-@R`>_I!VQ zWZrd`$7U)jDiml;Ui7}PO-iJ!yswjkcn#BXmKVx12=V~^HLx{)@;S?a#Ceso`Ct`h z+%^+fUzEDY9(A2AsG|+>V|mW^g5}3K3ST~)U5WGj?^DLImlIhyxwzVfhC*Jl+JF75 zBALd+<=&3|u#5V?$a?R1D&sbO{65FtTlS6ynMu|`vQi-;BvQx-70EismW+%-3K_}H z&L%q*WlLs-$jWvczw6ZVJm25<_5G`f`~KXY`*Xdo_qdKs=;cDBx=QsA0nt;5rVJD) z4<$wD{b!PPkkD{4*(R9saiGu{@)s}K$=X#G1@fmQjTwEOz(R>02?h*=8u*i!mD>41 ztvjW1P8hwiM7W#(Gu^+XCaF>E5JFfA+j#4>nz4RYo{Tg+DWJwO+wHuh?i$ZK%5`!$ z7xkG*>Z~NGP+afwerW}_heSvkijqpbj5Q%;oX63kE`^wo967mqm@=@JnHdS4>gX`E zzU91)B#swvXUWJvzPS+b$h9NLBfq*5_x&tRr*bJ$g!BeMB_sQUM>!ors-7U<>gj{} zb*kXZmHG0wjXgAowqJ2e?dt4X|9$UB&qA+c;MX5wX#OGnZ08sB4yWbaCJ3f(@3CC) zVwrn7=Tzd#)r8dYI=`ZIV78Iax9@dGlXrS<&x9{5O#N|r09SymyG2oy+Uxzovl zM6!UAPlu~}P+zm|d+r>u$RRP0qN`gOr|`1#k*y%hVyhnwxZ@NhibVniWX^t~Mtq<4 zO&!tf{`C75^{;RyvsV_3tvX!~JhERcAC{Cudh34y+|50e+`J`~uVQzMfH=peMld#& zdI$%YixyQqw_N(7KRqeX%dJ^|pM_MAr>qCVq>oUB?Y+tTVTv?8#QNr9GwvE}a;7`K zXjn;AVoSXvex=R;tWD)iN2yS|k58QG9lMfGCKx$t^8UOpRiHqBTs#`Nwv;v!De{s{ zyy^Gi8mf1YKRs*F^}7GHbAq^sG|(DRYA7r%pXLdHT@V$C7_U}Goiq_ljy&_h`RXdK zL5;4G$1mDVUavL*7u4yh_3VekDD=eaH8@!}7>a}H->7|#wa0H%Syvr`g2hbgZA*6K z*Z6&P%FNtqwij1BpmhX*v=<-{@%ouhOy1pdu&>(qt&J;h zXS{RfjiUQ-Cxe9KLE3>Z_n?h;pz47afbWhi{}o20b^ebj_v0hQl#^v1<+?-k68os( z;ig{?o&eGz+aZ|?eaeO^=j%Qm9rt%j8)#ghM0|TSW@he?sIz|VXYCryR(vo0bl%#- zBm15&VmM*Cro1tJJ~MjCja6@ko}|9nkPUUhG=`LsqJ>9Me=7?-w@$sGkhf^bg`{f}i#1(~KbYA^d-;=h9{!+!}D>z<;t z)1bJ*i%(g5DHUrJ|3N0O$v%GWBf&*+eQ?>15U%E_4<&Xwl;;v%f}+^D+_E$S4(iA z1v2Sb3s+f?)yBL=A*JZOi|X~J?FECIz`CFl8N#)oEmh9PeI#7S(R2`nOV~)PB0Ewj zXVY;{VUa4I?fQ9D>zVgR`psF-0inc70zzHt(Q@2C#KN8wiz~2X?h6zMzO?j*0{5b@ zHoFPq-eec4dV}C$zc8#;oo)r?^@QmyBb7~P?1FJns{i(1Nhp<8#QYKJ?~?eGUO+fh z7@ncALV-_hNo*ey3o`Mvo?Dh~CM6kKH!8SNCiKhFSKCT&XP9%9;w_(~g|-In^VF%= zx$8TRrc`~GDHzmQ_oml(WFt?9id&RjFHUwco`a>#-q0X?c%pFu1_; zyDN^YN*3A#L@O(|`h2|V!HZhYnb*sj%p+IoNuvAnQKg41PMI4F72UIPkvaqaP53Gr z3Gzk51}GkK8r=vH2>)Q?jl%8XsVbyMlm$GnI5pQSQp}6A`hVpq8<%#TwYPLvK$w7x zMI<}`Dp4|~=AEm?z~&Cg=O2XFT;3q{V!$Ie-n34zEPOkKW7 zp>qhot#%m&GR#eE5On&NxcoSlcal&UaUVl1DTmkRLcfoqZw!^V<5APGN;C}D-o4PP zK46-lQm(mm9Oq@be?4}|S@`ie0&+)P<+Qq}2ehm!p}|8%bg%l^)d)zgHND{p?kO@k zW)x+h4*Ml)B=bG<(G@Wx&2w0!o>7x2Q0jUXnPv*zAhZ$!;YWRtNDt_YpY*6PglMdI zDH~a+ojtoVtbtp6CjS(pCSHnV`jR(>U4+DVr{)TS!$t!axC*F#;h5F6Ec!pGCDKHl zW0%kjv41r^YtN>g=DQXa-n>w!w?<(QSz>Xolt~m_U|Butwm_}U*xqW4R{Nle4STUf z5o~v4m12_Q&LCQVGDGgYBs<jiOaCzySr4e2%+IwZqqgT zYbRgcAoo7Ps$pv@42ErB+?4nVEDCERCbJIYc1T2`c8=XGjr!YJ6$Cx3Tn9FSv5yh~ z(Qj8#kD9uXF+ijl9g*PK7d}GF}s*|Q-kul!mrcAGl11z*3{fF&eljjb;Lxh zHBVr&X9BwXfdP{|Qj|nHx!y>PrVGkl6S1u#iwu!IBvaVF`vU4i`+19aj)ha~T1=>N zzs97dJHW%Sa!zJPJhk0l7d62m@U^88!u51aWh8dgIwq+3S6R-Yc>l&*AGD|fJ9$D6 zA|D9hSGgG8jQhIQsqcfDXWB1)uok-H+bxD6u9nI{zuf$ zNb1$+@3&LGx}vN4__@^MBTD@4H@Bh`>ARP-QzfTOn_7ck+t%u3=8=lTL@5v`R&^d> z)B;Zm{IMn35Kwt!^^brO3N_-K|8p_e5KY7PJ0I20F?slmV#n@$)Mzd>ej@$9jjY;L zsV^1JxVg116RrWDQdwE4p9W7#w5b=}^t~&-<>jA}htSZv zhu@i}NMA5UJ@rVe5;5+{j|=qnJh66}44NuU6rlq7%tD@!@dVQZfYQK{N6aG8T1AR5 ztd`w+Ja<5pOyK-QU-)t0|)blex&fgN)jrtEjRusrjcKwO_ctLlS97 zXALgh8-`U1T*W?rDh~=}UHhA%q3JU5Wek>-}prl>s%m%Q2YaLx+Oh zj3Pas?WVA3II}~l9(ioQRG4&yfL`R_=04RlbtFNPyrO;&?_`a_$jYtr zs=U535LiS&bSY6IvkZ^JKVunHcJWctd>qOG2|l!oikD-iv-v%MSCM z7Po)&=pq7?8cd<=NUG1~QD>NfaphTwaA}m83#y=_0XUz${Cwj*65#Z;Hr8ZUaemhx zeenF9r$~xcf3CFWgpAT4w1nmFp0%F`2cNEs`srhFBA3e+|4?vn!{HH?38eis)h$gu zKLYNv<@YiR#JZK*4RymMt#=}fFDLO|yin*fZO%qRe!d}(laI~5$Bf!cp(wFG2kKA3crE@Ypn@0zo z&c*rRRqJB)`TyKQx#cPaBdN6Gj9Kk<&ZWF(ncE7!)d!vStqxW6!el(SR4o5EBFRc^ z*nXOPbem)>F3wP3hh!z--sqqIdI315cI8H&os`cUtynsUUYD&#-pt$gOigwdM=O%= z>2IyC>jYr-#1(lw6&6FFfAJ9FcBfUVxeYv!F?TF8sf|9Z1Y)`S&DDMB+ty0=tc4pK zP^F&n7jB5vp@7+^4y%`X&yORsf4IA`^8rIsXJ)7Rz0NA^|(Y1RI1 zOtwbROOk1ssb$%i!8uUWMn<588(8zfw8vYd#V%#y?KyDeSiS|>Ba}9z-a(Y4fnPjk zJZs}`=L%B3+vc!B=4#i9x92irR$JqHroYiF+j~?-cV1wID!D8EN991A(Y_gzmTUUR zHxBWk->frN)-LV$IW>i^wDzbv+JYh6=RiH+0F-a$g<$bd^Y)l1tQ?@16?k<1aw^G+j6hS|0N|Q6%Igb z$~{rIm%DY8zp$gdedDd`eErcEmoD8sK1gt=my@>sddVW|!-0;6`tFBQj~bN8wEe^o zfq9s<+S$_+_Vu?Ga9*V9O-m|!(2A4a|K!%}_=0i7N3`Ui++57sah12T>_SuWwF7eP z=!VdM0QI+)KXb_$Ntxi1T1Pz=-1m1qlvm%Hnp7W*Og``}UJ`t+y3amXV8yiKtb?V< zbbTEqj-Ctp`1F)Ax||x?|F{tcppbx1PgYfFu?F&f=0pd~_KPUANYjFrq{ymX@uzou zT3XD`pIKY{_Nv02^^>4I(phrX$d6)0P(VGi9-4?AVf*oxFk;{0lSJe#CBjD0GVU&- z4@jhtK*nhE#x&otM^7pybiL@dp8K-|1)WJcwUweU?ZewRdYAEb6*mpLcvF6HgJPY( zE8jTwbx@(CV-atlK;)yB$B{}*8JnzK!gLH4e+s|&(7t!*K4%KQ4+oJ4-eSNUOZGA` zHFb0}(qi<6q7rU;=TqWN86Q5cwt+6JCDrJns?rJJL6Lxac7z9xrUQbK%Z<&;TluP? z$`(15T)3XWqr5puRA$wUo3{Jg9s_TxsOj%IZ}v?wAOamSAGo$Ph zp_W%(OX_C_iczLJ1j)2aY`1J--q;ZfG(qH)*KCa?w=EQ2TLq};X zkO6NtwPV+sU}JWfz2T-LwYiTc168MZm&3OboCic%=Yvk=1@)644~MkuJGgv}f<8uh zDLId@>CHSxm*Hu`3sk6q&w-3`b=#wPXJzBK@F`Uy8OgUhuVvPL<-a0E+`8uu- zzDw`nRgkf~awFDzf`UABj?md`dcJP|0%B3A9DOeF#LKKK(w&_hcYd*A1;_CcnnUAz z$fZZiP#O@A$dJzs?v>yCWd|dU@r@?Ptb2;2hOA8%DE_mBs z4HH>5A7dT6pCb|1t5D2b$N1Rd@T{$E*$+DViQft<)9Q=k_1cCOxW0LqG~_zDy&!hd ziRR6S^XWHXUF#dKCn^$Y;T;=G+c&3C6JQ2<;KAJy=(8fF6ErOt1T9O zPr#MN+C^ex{G;2j@Znv(c0$RFhv!aKI)C`pC0Ev2pUdy8{^C&i^D!^noYUV|;`BLV z-*@b)l-j(Qj>Is||CxAuE5F>`c+;HLr<)^4pMv*c@2)G?zB!qCLc8~~`tQ#RZv~8} zub;$x(Jw@0$lH>*wmV;Z@E+(ybGHvWd~IThMa{!d2#%YIw~SR!82i#1(w_TmKJe$5 z2{-;$2!3?cyZ$K6j@@BaYC%?N-5GY&5!*zGlTh<#~g)yW?!_y^D`;dt4PI0u-sp zrqhjSLl6vc)p*pfnT(xV5+%D_zMmfvG(=J?T<#lgO5)hzy5Z2+P}0P&Hdf+qD;QzJ zv+<(o)6~4UR?7BE&+o5BY=-Gsn7#&g$^SSEngNG#pn z?glnSjL%iAgJv&|8NunCY~s%Ge&c%3Ehqn2iZ}3x-pm0HeQiSStTtsd+1{8EPe=>5 zdD{1F*Mz1t{xb^o&Rm3zc+9T`8yy9CgO`kti%J3tcF#PcD3n>jOe+aSZS-lsm0Bze zZlP_ac)U9yLs^qw{CqR;lKtu5L9s?N>te3t}w1;vbn}2mT)yB-$uk@E8+y3cA$XP#~}ajQyy-t>_`5- zl17uojU0}{U%RBVD3#;R{+{?EgCA}!Heu8}YGI!hcUSdMXNziMpnwKr*jEJIY#3wj zByv#JDfh(Q~?V&)~rcJa9qy!6$*ZJjBy@7EFvX@CN@eE4J0Y2R0_Q6m*Aa* zZThbE(0I&^g~0+TeF06zhmUDcA8;oI+Y`mEoK*a_VoTYrmqUEnk@Uhs31O8WNXxTc zCV8&x!L@f1h%_w#-L!s60jq&AnscUPO?@LjWLt-u%mOgAsg^}Xr0C|?daraEvAN}< z)PV|kB_{Qthx>~az*n#Eo>tg>7_WRPbDJd6nCGTdfnm(&qBEjNx61sZ_!c@$T@H)& zuKE$QnCBAWTx?0ce*IeF``|`Y|60R)8Wfm}C^aOYiAQuoxw;c2J6b^)4Pz*1HYU4W z8yTN-!FHLD*u{^N;>CY_>2396=%1ZTx)JB6@=@#cM5;$j3pK!JN{kv>wU0b@mqVIJ-zuG%h{x(TiT+E zKbZ2Q6Hr{C5Hex9ncdg>rG~rFcZsSk8QU;6am0$@CnGA7BQlG>nlb(U3e%j5*v<>& zAqh6S`S$NT7~?3Rlo|q1*kefLs0nIirJ44wvKTbSQr#Y}3WRV6%3#Skv){5{J^Qty z-FGDRn$#uO4E>e;H>e+^VHM3E?)Y7jue`|E-ee54XV0KtW(LnW_KCu6j_(X=Nl(md zNurLBt`u#+l?g=nfx&{|A1&UJcaXbHqFm-ju`7A4{iim6`;X%X)Q@iRoT%GEjr(o+ zt#52)7B9=}?(Q0zDKO#4Hs7HWo?ZxQL-!YL(_25hfn)dItBoK<*tbbWpC0}d#^kD` z#c*N05Is4yFSdT{bn(>|DBvhztUwWhaJHlTs=tQ;ZI#~8#$3l0!N zP4V#xf7m_4zsVd%D!xknAauPe^;m8^;Is3w%gD&^{ou?ii9~XrqJQc>BlSrJeqmpl zh%Fw$!f(uw$TBll8U$~KQR!yhXx6Dp{l0tWE}aS2 zP++Cz)G)A*f0@*qF zT{k!q3Fvvv4 z%$+Bo;Ci=+kU|&V%hd;jfV>3Ytq(;>Z0>(9gJFx&PV^E1`Af-II#?3b;bV5u5jK5- zNY?#=Yl_nE3p>Y95mpXU3{CF|$)^t^w`PjZx_zQJ@ZD_m93WvNHT<)P6$f&7c1x=3 zGEbLuA_m7WmKAKZ^d!3sbAVBHxf6y*&Kv8|SzG`B=t+(PY@(1#19g7GZR3Tt^2ApR@G!cgR-3S^1 z7t`{PN^oD!L?F2MNcKiO{9NyH%aV%Cx7n37|2TFQtOi6o6o`L;j9UNNH(S+I27;e9 z{X4tv7U%;7DTOLkD#!pQT~cg(^;5p!>LK^-`wG!=K2m)JOd-6Ks+9=pT=h+ zRQd{y(@rh4sM)^#q3DPySW^hcxA(&MpNyjO@{iM9qK8V^3nO_fU}L=VCjH@p5@thU ztj81{iLxQSX_zLNl&`WoYaXq0Rl;SYCw4Pi`EmF6ws=odhGiNslbR(rm~Ve}QY+6< z^J}rA3`{Cvb}DQqKXK*WDWb~(gFX0he0ZhPmfV>}s>7p|dqi|#wx@-RfHxbol-#<= zUcZlu9Gop?=i=6Rec0(3;wQriTs5I-`0W6lix23N@!5g+ z(UB@w3~&+DIep1Suay3oeH@&fTN4}PI3<)STV@PX1>~p;)?{CpuxNTde!>P^KPR^r zr|WY?37|gh+vU|oLQP1(xQM*|L(v%mto6!>B68$JgGvn=c7)m6g2uyL)Cgi|hlv-v z*j}DnmGWW!8cn44BbnPs{O#`qD72N@WQuEicw?=#)nxTht5mdkW@X3e+IDiTtr{j$ zL*_E(=#6v1WD4Hvr1G~%sgY1T&$B3Ft=lpm`e7SXW7JL<+cN*^dQXj<1`D5M<-i=&^pcw+UCC-qT80 zZlhm^=Z=PC(Kf2!N?G>Tdks(4K3VVM^{UZ&k{B^+YN1fH3G(KU0!oW$%T4nNw} z)1$51H7xXWgm{*3QRq}ohj*U8lYz#CwUaYfM+-zaI7Zw!%@eHwZ8=}x*FgRSQy*;B zR_w-3{2yoE?Gh`*z`%{>)p-dmn<-6Jc6J?gEEbCqXQv6A9Y5>#wsGR06J5HDn=ghU zDCpp6+x|h<^(>30C4n5mj84whaI_kK^I-VrPV(+zu@)D*r~0SE8;{cDHO*%Vnb$gw z#X<9yxqbZomQ)Vj{>^ezH|IKqRC@)W>NEBCWf2j~;KfjmS0(=QEzBmlV15OLoV{%0 zF{mX!Vc!u8c=&S`gaiLhsusZ3A*@B)aMN5R!i=VrZH~m_;I|K|u~%+^Wlrr=;@)v+ zY+u&aa;vDQKpXo7OIvBa-tq?F0xV!`ean|1pkfz=ieu2b8-0v(qbI9JlO3Wx*;6SVa zQH5XU|3u!?^4qgzdCPv=xeQVOS?`amjy8#HFC^byzt*5UX8XeLaAcQl*4L-fXs*n6 z6y|Wy$WcH3COqODPYHmKX)2CaI0aqwsmK<1n9G(nH?6R^50CW6!{7lpZPA6}~P{50G=Z+Nw)dBMhkt**y%Z}Hts1l#&$7gKBewYmZ z5rr&nqTxEf9ieTl2)H=;$77m;K{=TF^@dI;ldG)=?aG@w#+TnOyRk+eTbR|}p$dfY zqpIS1yBYqMRf@knRw3lR3rrr0PBRiggFniM37tAJ9!YaZHGI+LaW{SwG5NrbNh_lSwomyZ;GH-I#10PFbi09VQ315TVH^~<}{P@$&*!66*D=k zkBWb;Qs^vuG>?8G71Z}5T%n&Zk`=mcC=?x*Mtc^f1<+6-(gFZDh6Mj`%rukYV6Zk2 zxvZ)Fl~hpEyGuQ)8$L^q{*ENYnZc<8vLUX8k9T-hBb}dty_NM4md(Y*C4#?a+2*OZ zc{o_|Np?x*ur8f@_yv9|3ZIu~`vV)#$|bFHp!l$JxVpT*?e+4r_}(%cXMqA}obi4Z z_>B;m`=2Cq5FNEMXGjzk6+sH`)a_JmH)~}^6d8UucTJsFG~sCz?yFK@Mol+UILseE zeTt%hdUCq$Q667U9!kiEBXfu3jnlN^`dih=fm!~Ajho)*-_vt3xkRX7;VES?rWg!JHeXwIrb-U)4GHjm{)2Cc1M5JYU9NYS*l?)6GqyOWv zpIcme`PzZHf(+^OWlWu)Jtf2bSJ+Tt!JU1!tRf|q(6`m0;=?fA662q^CaUbsAe`}_ z;{@a(+F!_8Qg2DINL6gpf4?Hubbrx<=d`zS+m_B(Cn0duK^whY+mpUYxaoE0(V;#z zyL}j*z1ir+!LWZ%SbRo&c(b1!DhQ9fg%xv5rQ1POXG0>bBfoZJ2p|Y&KJyT@SiCkuS%rk05(?0j-;?I+YH*wN$bbL6Pz;;XIh+0682~d;DYvm8Wv2_ZV#JsQ{ zw$CdHfFbQ!3?oI@90u5Xhp?PrK@qQhP_;OA!37n3Q~--xpIP;in))+ixE1t7!C$!q zy4G^C=j&;LSlrvJKbzV@IOaP8fKjC>%7IgH=^$VFdO&?)Cu~bfsq(m2j8QEgw7s+4 z`|-hUCo{H^|1p%bn*CE%U4Es`t6Llj;p$}vF2%nWv2 zVAZcXJU{dOO5xkPp)_U3-@8vo@qvF`pJal)De=*hgoNIY>e`!&<3U~VFF1I3A{|lT zWKJ|m(zf2l7Pya3!+U76gn{UPP(y9H$9>#@!5jg?qq(ARwF6r z;2s{ro}T`B9-a}E&9T)d$FWWK8~3ilEj(sSmv(-!Ga0mHFm<$}VP8_L0D0U;e6S34 zfv}`^+bJw*=X>?f-|u;xZ$Yawg4Rio$c)N&$n4SH($C8@c;9OOi*Wu)+6WmH z!u3w?m(eN(u!355jvo%!e3Nppn#re!25Hb zqI4m-X54-v!Vh^|lKM4PMPIRU(6ew?I z)^^bE*^fQFQWlBvA^iHK_YH8G27KlesseG)(bc7bW}AP2-OXi=3y!hab!oGarNxLl z&oKw8fD9SkkMH04`Av^Xh^atAZAmBvWW~6+F`3mbG?#0Le@IQ`1AGu@A$Bov!14Sp z2SgR+@+5HPG2gRlPvTU>VkuKTlE>umKwAqY>JR-c#Hgat(Pdzkj~q`4h3Ei5K)%1v z7oH{kf@EQzq}WOv^g{-gzCK?%-k6J}zun&K@wyTz=PVKs@rv zE9A`=0#r9AY&l=x5h7|P_S3Y6725HnXQ{~k>jijON|J~4QdJvHGVq%PO@_KWSdAhd~U4uB?)5MHCA(9GHM7 zUoQtw={f$;3Sby4)LJ!7_-#X^-Q<-^so1Q_;!cLgh)ScsbQ0%Vf#7UMoKAK`jUOiE z7$YSqa93Ic6-%3@R0afGuBS1iKYDK*xvPQ3eTv+qcxw^cMGua_;A)#}mwR`6`Ko)9 zA{hUh(V2alx}zVonm&kR+Q58x-?T<>hE$u}1zH#VS3_|c_K;@7BBIEmvp?62_zcnO zu(A}wu+rYO^fu137Wj`#Dq%fV(DJSRlgri7~x33V}PEHK*r*9)uid#V?}Q zREJ!KT8@1vQ)WSno4a#sC-KRJpd*`SpX{Z)l+laAAd(0xJ8P57r$G0acAK%c?sMQE zoDpYV-?|n6a|7sovV@whqoBW`R^rx9@s)ZFcX`#zXHh{WU%?JCx2Q;-m@oH>hbQ`-;S-eO^1*io zYrakrf%C0v6dXbT;Iz|A0(RfUY!K&{e;(aLgT*=`wZ4k=`H>D8<)UNLV=k;%M4i$W z8f-&90)>@wBxY}Hw#4PDJTQDIuk0^JVbp-SAex?kJ($q2vPxwgwh(6rnY6RJJLsDg zQd`d`pW?D@UxzSObNO~$XaY{DV6C{r@5JEj1klsh2x~6xyZEvad;bF5i`d15%Fc%9 zA7RW3dwPURcT|%_@1(BcQE{By98Lw-prPU!o;b0wLjg{%u zX%@A#lar&>&m=ZJV}nO|$a`b-+0DDo`ZB*61SqGD40-$5px}9ss9i3&-?d93l811d zy3Hg0bPlWCkW+vbs8&6&tVxYyBaIWhiajM8Ech8qqneWT+T}!YiNE6>-j=u4+v-We zls#sqQL-_NCNNxWxpVop^BCjCaDpjoYfIe$!6)f= z^23OTwIf)h8W`Q@WbAZg$lxpkZK6?6enN#`@5uxXVd^9;THWCZhxLVsS-4Gbfe*Ct zEOdN`9iU!#s6|{4@YKZky1qT;D4vuKd>|OH1OJ-)8BX0c*;j!aE+pR|mzlZi6)X?g zH}WZMZ{E}1w8gxbWC+dmsMel%@>}%MQ%%O?U`e*GwbTRoMmk>$wXBWT zRAT$~ZnKf|5u@m}g3G$keSdH3@|@n~svv7U+s$lCZDkZ9`IT-xl~}#uNdi82GqNV< zM{MjMazzFyzud7#AbtL_QxHC!3d7)EzUr|j9p;kt$9oaKRdgdk%h*CKgB`bh5cLi1 z2J1DE??VY3A{hc62wtcK)mw7h=k_-Q40SQnzP$No1;*W z92^|2Vf_2_07np^9|Q@dwD|Y?6yy{pQ5)y%ZlpKvMXsyBdpEyny-DNIM~roOO+QS78T#50*zgZ(XthwAQwBinqz*(t(bC&hxPwI|N`|DR zq$oQM(GZm_IY1U*jIUIw=Y>?WGDb3wqzv}Y=C-ZeayH)-%lrNzsE58zQ z`e&E#_|d&I(0PwPv+Gi0SFX-C*NuJJd0b$8i{&A$)(5=U_3s|-YZPGI=G*$9bFrSI zJ+)pkn)=fdM(~rsQDHPV0n9Q814LUB@WYv93rXLPr+Z!n=ScuWMVD%qt-w7o-0(OI znuCm*8ol`7jE{Cf9hc}6^I0Y9eJLS{*F2DK+9e`&2H<5gkQKntX~Ji>L8O(;g3rgy z!=eeS1;kaMBig0z-#)n!J|7MtX~0WDA2%;lXiDuF`lMuAYdMv}VZ8tn#>4TJu}GkG zpOqt^@P%JbGuEI*h)QC0nZ4SOZe_aZxj??wgAc0&1V}TUzmDbX5`SVsJ2H~CAl3Bn z1H@tKa|;H(ppjf^T6$9Hj=`TjrSqZhm5ou>QqYY_V+p=cez$!a5=PNW&!-|B!CkS& zTK$MwQ;~`^5R7aShOSA`tzfz^7duj_zZ5E83aKf3xKUx+M?q;=I)BvMrD z62>O(truz1BQm`V*l??F>D4LE{WKMRb)_T(2cGvXU#I^`X(>OicKnC2;^pOqF$h}C ztrk)qzf4yKiv7t#LSpABJ$(e*qqxHe-HFm5tWCM`e|q6_sQE6_pH{Dt=Fm{`#jz3E ziP%J$Khu;iq%S$dz2&mL*JgNUOB-M?=$wd=gY+FAo)A!CNj5Kwv2kUDw06$CSCp{E2U z{NjTCW!qPbhf5fn@}lDC#v%6HJL2JNYz-e>LG7D@mSVY05gKd}YB$S3AgLhP~7fs;vp%%`~#<*pk5OdM1*1t`1@V3%q}V zCL|7mQdxmx{7pcDoW#*TMyxe5$~=C3MSBSfn2<098jxH{S$?KO;pEsDbb6vD1qL?= zA3_rY4tdja-`!3^fGmpaA)*BWvGhOcZ0zpo=nI}H&MQ+#K8~*NLZd5c*%7}6epUM zm35|F zTR+X}LJK!p!_LnX2NxgIequ4vlm-5i6In7fk??fGBlDk8CFaw@u?|E64CoswwASAUdkqW}&?z zEa-Y+AMMTn9ER5FnT3nMiK}?ZQ{UwH?)zp_61!A@T|~E^14Fz=(t{U|uuFA}jB_es z;BnGzMGN>nRY~pS>W908J_pK%^w|^Y;UZT6YUm1yBDWmXAP%x$035!#r>cFYPbrjx znMWZ+!EoGr;gm61x?n&0@nN9bZ0->Q{pz(q4Z$Rf(B*?k!Mfe|G}{^V$c%WCX~XWR zezdh(C%?ee*VVi!5AHhO(;8=hGv;RP_gz<7?+d)my}gWtg}#G#2j*{R;XEQmp6SF@ zBuQK9`uo|Dd#QnP_vB|;sjnUN9NaZTQ;5}oUg>W^Fq2uI>Be(HccA9saad7F*e)lK zQQo-v!0e5uVdKQbg(9uT$m5&D%aq$*JpsX4|D7?GH;33KomYGl5F+BZbo+kW)v;t7 zV<3XOy}dJNvv5o-M|1k9K#%HGe`Wxzb5_a?*B%k{oc6j;(?!yBca!9s4?Y@=-Q7Bf zBmFBFypv^tt*Loll|KY3<_JX z534bwr(-`zJR?Q?IQRM9oL7v>e@_d^rMY>3l~+g;^g1EOqD#5TLM3gBhf2nF13LXX zrrw+z@jtz`&(ytH=2I|&#-_%VHVUHD&gdYW*S~8tL9?5wXi;_lpgW;ZI4<;lN?|>g z)6rC%dqb&&6nARk0RzyH^;nYqToGM{J{F|$h91>6CR63G)>4>TA9g{I1H{{ zy}9di?CYgCB%N0T`HqNNY!UXBZ9unf_?xr~J^{xOtk+~L-NH1X$PzKzzmI9|zjYIE z_!*di`Kt*tc)Dcm)ce6(F?`@)5I59kSiL<2-D6@aaT3kkMIf-BrKEKf@%BU?g%67x zU{~`=a&8r$id@@x1_Nr;>jlC~ahN-e_p0^I^RN7QL%<>;hyx`Ra{AqzGcSk~qk@uK z*c-&O!-aE1(>zQZ_(g`LDIPlhWY@{Xpe0QhRzwV>pOO+Lcos8 zgF!ZD*tFes?{$j`3e-QwsJ((h8`?3`Jd?8EzW2K->L}4Brv`}?5ji_HJK9_QJ0#!V z?U%p+6-X4$Pq3CcQbeIXFhNcieBIiR?kzKSU-+)8%O4iC@eJ%tEUxS6v+KqG0kXF? zZ%0GJX;J5ZN*$gK`DP{cbEXw|gxw3)Fm+{kd$ewOOqq9XLdlbxT39AG(`e|GNvhwHxn=>CTS z3U7jWlEwc zKW}2}p2gzKFHDJs&mW`!(L>2z|KjedFA;ArwF~T=90R`#9Om%dAwv(eo$SVb38kyUmS&7>m}q&BGD3O&FDEW@AyttMx)Sh+gUME0gP0Ac!HrKoAZA~| z5dG(`46Am77kU)ppf2#0WMRWJ1dm#Svg-CvTz!7Q{>yc$C^~(L8;lO(T6-iwU&lx4 zI5|4%Q1*t;seJgD^!s6fwBA$)IZSsL9)6>`pqGD_LN-jEJ+fR*By5ad0CeT-ubhrl znE6S#R9OBucZY7v7!PnVBa~F&3TX|BvM%{bBUR;i;X{f4!#4=yJ3p`Wl0tCVxtay& zFrJk=SwWOlpI;Ee`(p>eZXVQYa74~AT8iaMP7Gl?K``kS1%NQ(&4{T+_{-2fJbT|FIiZ7JPN(WMW3b-)h<~z!#hl z3>W%U9~)Ny4i~Q*Ej3xs_aBHOAU{4uV}-|qnPUrGP`*e}+n!MIGo8vC7f+BXn^l>6 zw0&+MDK=;`WEDYk#C%?U2t21VuZwSm{S5}$BqIyhbvJ43=KPiXOQcZxlM@kjwd z@AqZNsSr(#@^y;;tNyk;!Lp2eBN{sxt$(HvCnwtlH1b%<8Oe~mz@yef8{6V3A3xA? ztsWNLf0d%DJ%Dh@Ix@^8CzoP~KZwMR-Y)@W2WhB@YKk}XG#1?B;@L#=tiI^X`yMd@ z(Lfz)(5n26e*d8m%G@{iBnGw~>Ku%G`h7)s{WYCil-hqpDUjD|1;Bd{AIN$5lqWb? zX`poKPFE7=i`mW9m9hZenIUaE7eBiDkz#6|x#YVa;l9boW{84=1P;?;IAA-Tg&MNi zy!(xqS?Vjse?W_`{ijWNv|>N$kmcy&Ux{RqPpcH1ZPeLJH%%TuICW-o^@LL!|l@(H)h! zM*`ZhtcOeP-)~-T;Ck%r+{ez#`v20)?;p?W{7)oSJ3)=|-X$?eYdj4LV?ehSWO(MGy9euueA-oM7T9yJ5T(yMpB9YQ za?Vcd+AKHeY5XuHc=xO}sY~68@WE z^39=)+y|}7HSn$hc0mxJ_i17CU!BrkB051CRMSsbXuF`gT9n=#`~AnhiYj0ie=?}& zp6pFamn%G2m7DRa8BFcuOPCdEs4%=tHC%(2AlgW&|Mu$DTG|voA6Bf@U+8b~Fep?E?w^e^`l^R0Gk^4CCqL>>x;Bc=N9-V!%^gAhk%5_5@e6JLBb zl;-7H2wDUG7jje6)z#G~5y4>iA*%;$H3!CDId$(W%Z1$@YZ!-^uv2y0&hGogUx3Fi9nbpguQjasN;mk0d+@(Tw~4`!1dC#KC`>b|wD@?omwg#uys zuPwKYx;@UkkOf3L;;g}$UHdd$pClk~@423ou;b0i!`HdUb3;-M5#L_Pj3HuE82Cce zHi+{`k8Ob?9AUgg44VN-%|D)nAhz;O9i9 zY`M9(i1QbH@vC81Bs*6$n*PtcMP@xcy~k<%7{=)k=yrTr3SA`A57yWq0Z;Yd|6}V- zps9SnxAEs3(?RBWo=aqoWS+{H2qkl&WR`i#Aw*>?sgya1Br}{ib%*jJI4P$ z`hNfK@As~EEo*&NpOv2Hxu5&l``Xua?R^8P?6MYLVeEV=q3HNXUk%AP15gVOOo1cE zPdfcOvIKGxDMEZ5>~(ZUD~-E|f0B?b#nSlzp5l8a+ZPlcRz)S@&SWvC&%b!3_z;W{ zGHg&~-#U~W;EWVM-iKDn=I|e0{IBYGjFm07u8S*5bnCU!;W~7=J%7#{>;(f;@6?AF z=cH^@vU!6g+W_MC025#nW)__3Kvo?cekR!E!8;^Srd!LoWicWI_(=gL4_W5rmn9(% zGfLgNSo8gnT$aioB9+*~KQRA|*A|oz&>@TLR(^o)!4K132ok1JclM;H0=aNVa=oZl zd`~x5gA|>vu|B^)%y|;E*j8ByvI~nMQueHdk25tybYflk@cUQ{Epo6jy7b<0V~dXS zLGah3?k4T!Mhp5b3%=IaaBFrF$9!##lC8hJ?3IbieT%wu8T z93YT_wiUlViBk$;-2N8HSF(%}OV5xtDAmLQLRa z{3Zee_OfD|LvmPv%|Bumnm&0(Uz*N;EnLhS*iNGCJZakM!u}}Ke!u?k?mehR&YE9# zHQwHODuZ45b?!ajbidl4**a8H44U}SdoW^QSWb;%)u$jyBCi};o0~r7d#p^Ho1KO! zlQ6g*W;-P-g}}FN@r`b4oJ@@w_%3v4dY_L*ikC~YiAVNjO!|Gk65Gx9LU1;nS)9`G zQZS=58N@3$I9!@tBRP*ggrP(peZFB~x_6sNDu?;6-@1@}*bQkdJR_mP=_A=53rK>L zTfa!0=HS8~b9X1AmP;-AaTv9y#oluNkN|mMsf5&T^B0e!)-?hEM~d_RrlKY#bh$B11yND4GIfGiCa zs2_6O`11Uf_PFxSUen`(Z!~wPO6+>njEx^ZQdaqTy;WS;TSBEES}cJR^4YNq|6s#y zXpr}fy7+4JFlvdA^G7KIk~=z<4Q{>l5u{j%?jB#Svh%u=hQ1_>mQ;l&8~{668s<1s znG?d0Uw=q9yPL2fZ#7=%mBm>*MHen^Kj#%zAeNwb3~G05RSUN790JHj6hcnqiDXF1 zw+}}cIsnSYX10~w4!QHzx+C^5t+s+nS8s3Xzg~a`f9uu`#?&3lecj(Z7;`1Mu~|3B zW3HaaOZ3v}vybpK_XS4dJ1zVs=Dr*lrBd_jZ>!7uKOw|lUiSS7%|@N$yfmTSd6!&{ zzetwO;mdJ(S;jOO?TXm%KRk)WsVLxt^`%eyZSIseBT;{T9a~$!W62af-g%aU{cBMD zQrGnU!D)>@*FQg`c@u=#Cr67F?Z`_q^ls5Pe{7t(-DoHIxg5)Dgjz#sbrVjkrQI*y z9aMYW(J=ds02zOVzEpC7@lUH^mdRk?>H9rVq3Pv$SC2F=ZQ;3Mm<{(Dm>=5=a^Zl$g(7MbOLTBGYDTvZthvqn7Zq< zyzNTvnzEIQQnn^g@uHgO*413O%Qc|-D6{dA^6(c5t+4cd$7`qmWR;dO#~w&II6H=N zM}4Xb<}5XH`P5c6yxTq8Pti~^?C^6CyY=%>ny@hj{~zbgx~Dh}Qo@4E@ZJTu)o7?6%91;37>l%^pi!g2M@@^115<_ zMyS$DI_}TU`&(q6kd3`_LTKNc2!ka{?unj_)bBMu1uGqhjLZnof@ zrkOYSZG-*hp6T%LnvKvY%#QCpy|^vb^BUiN?#td?2>p1DNcCkPeM5J*c==LpGK>fr5a7(%-rJX0IanzCq1>AivGR(04b|#VW%2&| zf_s$(f(5kJ5pu?N(SrFHG4rv=^gBvE)f`h(Q>oH=%-_(DIW#-BqJ6Ii3+F8E-@_q2 z_s~eRZeJ-8yTUqIfc~ahVVA~QT_npb$d+%d>pckr=!apHz$#?Zhh>R`IH<{+*Ax zg@0LeK<+cD@r%aGCkXrcUCDDte$V)3-nKN+8k~sho%)!Y|AVvFQ@uboTuR0uz;lBE zZCdcaI(zpF_Ey`@g~%DsmO4_~t804-l4c@Jbk!&|mMRuEtt9{C4uP>lg^8^C5H_l? z@ks6uzuaYehV3J`E1PFz$%387tJauSywvI1h>x=um7aUhx&P@326MV4Ih=$DNu+Lp zqY}sbyBl5iLOs%Q`$XGM+wk%bjiV+R_6*MPgk+)-+;%|l@waVOshhGdEicQm>-&eE zQXI5CgY9`rRr^(bUaxTQ^8-ijy<3bufGOzF*+rp~C^!1W36yQofng`Va|m=5nD~V^OGv>RXrozItU`He4*7L?E-3gwzT7QTpXtTL$4Vizm|o(Fk`6MJA3;#HkYiU(@lPMMy7IUQ zyVOE9<{V}qeE7)n0V@t^d`Mwj*OU5tsG(AoTH~~gf1EwVs~?A@p2!&P=Vin(ZX<=X zCIXqArdjHjn_BX$WDBuYdzmL*7x`;QWkUCq%ixV1Hg1?aZh9AuXv_9>lH^*{lOjPQ zsMjHUCax{nf2S^{1;0=Vk>uOHyxdGvlx>TOGSxgL{_`i-n}mA@m=jzo!ycuMQ}?m* zvByh@3@}lOO&oJ1e!F`oxaLS&{uuC zp&t&p)Mhxldfj={pfNTpoY(C8nOmpRS3SKA$qFMPBEU40m&P}o0n5cGy^7+5yIb>I zR0-H&Uw<+GvAcWO?|#)+d3r5s4J5uT4~5lF4kf}>$+{|rhTx{=R9~8Bccq0#LpO!< zdQEg|yVIwNe1zF;Az8*ks+Q-n02epL9J_j9@CwGJOms)EM7U`M$CY9;_`Fk>lPV=d zAoYrSF59R>CjF8^=45$PnpEE#GRG-`7o{7&#(!OTN)_+k(zGd3ye0a^zgvtzRFwX%A*|d|QUt6H@o8xf zh{$gjxi=&MB$-N-Qv_V(6lv;u^UBEAF~`5pE-Yp9?x zza$*;cHrE-XRzKaW3ATOK`|8TE?a44@zKZH-;i~ZaA(jx_+I|$M+c#*#^+)Z8<~`z zkrCFSHGVdFM5~utM+tig>CVnp$?D-25Fk2fw0BnE903LLW$2KA0hw7lk)W|q6xx`s zr%%#aLb$%8SH;HtM2`N35Ld%kir5H(#c`=uW~a z?jG41DoU=UiSg@Js*K#{L3Pc)XxKRtgO>D#1_-ydb~+A8U_>;wxSyZsyqm*%kvGn* z{h&35A1M7)cV2UkGMWy75aVL7jI2>NRV|E1ey-gQY<|2?QYx2Ak zXpzSY2P)fZUr0$AP9jtWaLUQjd5fdSPuw4TaB$p3ODn79ap;R)?{MDR+aqW+#|3&= zB|Ep)P7;H-Pq;l{aa_GkvGYOFHWQln85K3T(xCwj;TfSp5@muP|6q-pt)U^nn#AX( zBfW2Y$L8jXGe?TalSM7>lbRdys=%4AioKbt?*>jfqfq3?N!DzK946#65_|Qc&CPvI z+@5#YcQwwQ^HHq13GndK^&aX(4_kvwf)5^z}O!?Q>m1=|$LGDr3hH;v6t)bMoZ!3jN)vHQgIXGc!fr+wHQhAHpQ|GZT z$KIr94nolUWn>d4ZdtXY-cNqIv#ebEtY@?s24MQ>S`w%1*(YPMvHfmB-Prwd~OCjvUA- zQK5!rDwpu%@ENhjOds-K5TwS8Tbh+3|B(MUDLY z*YyWmOTcJoGO+{|IsM$G7QGmX7djYOuWb{EZW|>$0xEVv2W)4Iw?|8=a8&FYtEh?3 z(_BKo9#T9W5I=j?*T$$nGTsHHSZ?))fdANv0HNT5*=}kG8V=j?os1O=5kU_=d4a!6 z+Q&%|>+5H?H~;Py{dOaR!OfR0wQ3+;tz(L^;rk*SvaZ3NO}uSWw|Rtx$-nHf4qey0 z{^av2ihW<-_+5S?*K784w7}7$1hDE!r*S#d_9o#EB)Wu{9TIcssjJwO$hGX5; zsQX#jDg&m-U_F+1hu-|mz84u;6s)P}f+B-a&3F5~J{;RyA8yN_YM!PdO#CKE=DJ59 zupWf<+r-_|$+e{GWj+5__EIyWxFN!~qFGuIY&3Qv$wvg430NT7yBJJ-@cW``27(VF zm}kVF&2LtGMj_&V{xK@Dwq23qVKVa^=-+sJW|na+g7j{Wp@-)ZoVP1{_;1z?_g=hx2aOx zS}EB}DMYUV_wp;F&FMe)UVi3@W@@}Vmwj%>%a-8v9I@5_wU|BT)sF4H*6-y-;^i~9 zjoQCz@u!94;^UVs!ROx^wrn#Z2y7h~rFplVV9j;~Z5z9i-nyB=VvMXq`=$y(#qt?03sC#Bbtm6SMIPCase;)0-%e`?F3Udvcp=PV)xk zVL8&U7ATSGnP3Vrjua5aUs)kZ2AhpM26i?r>H=3}YR;6iBX4alc9#qp7<3uBTq`d$ z_$+GFn9h|@n1}zg>)x5Vm6(r!XYJYLH|0u4hCh8xWm?GRwbLmz6Vb~#hn)6XX`p#% zQH!r$#98m=Kfe5~Q0?ZGGd}|l2X9YxZTYI?_cu9oCM)aZpr7gy-DbpI&X4%=lVq|f zNCEfT_2EN{kAX{vtWfk2s)m35J!Z6o<5UQFJ$N(If2>5+`p{Tw(9+E8;b5%KFQ)o! zfn&tYrR3|SrKh1$v&mToe?*YqX4U!ip`G|7Y2Ppr8zClpM@J#XxC_jF`!SsC@&|I~ z&%evtQ9KVL23ICR`G#uj*dfxdWP=c~5= zVuFMMp@7FNemM=DvKMRC-VvOKe)-Xol#~!6sJ_m=JY3e*?Cx3Ng(GPm-Ks`G*<|?G&QvEaVm`m7!@5zlsW5DYz42UoTiu z!;vOce}_BS)(FfrgbFhtr}6P!u`evo8jHqPv+FyZCkr)c8F(Z3pVX}U>GD_}=TX>O zZbm6yJW2RM&YMi6K+MKro241-K zaN?jWU*=yq+i(+(cTo&XRSOIZR8dob!nD1;UEFEl3;uNjYK#ydJoZ8{?$5rM-+=hA zMRUuU1O^mqirLie7ElZmD{YRy^Xh4>Q4N~|Vi~Z0@Go4ycjqg8DMC#v&@xtcuLByO z?`&0%{fg!~Gd^EMjx?NhqxBUeScXguwO2}SFR#F!u90}QO}$F$9MvptU{dop4OT#x zE9x0?W;Vdg+??R~^aA-BNuH+j~h{ zOVOEkd(q=wlr}$n4@dz?TqnWmyeELyd99*8qOY%Oa;yGOQU7HCQ-fgn;qq>!gxqt3 ze!0YLhcdIrqGF*|X{0H&Zg0(|56gt3QU_e@ZEWBpgQQ{_SIcfTrA1KVH;$>>UvN{) z?}wjQZ&VQ0Eo3g`*PXy?e3o4w9~?3!BH~sBY!yU!BPk&N^?*^Yax7H5lf`ByFuXEu z!;!5yjGem^1>3Wpaary?SMDl(t$RX=e{-XE)wee*>Y`7C6sL%Ecwk2tN-Tyw`eNqi zzdMi{q?aCjAJx9fkx;<%iHT9&x^?T3Qdjllj7w?h!7+7p{NX*G3C{y`8>Y9s*jeb_ zO-4CT$DUK69`&1O>q`G{gXu<>{yELviyjxjH(aq*H1=09B7gARHC%6Dmd|vYhxsN4 z%C{$B7OEGm$3qoc{-gfW3&n{0!ie-^(L>@t)A&zp%a0VbK9JzYEgzWrf{J?>9mIr9 zoDP|6U9tJ__j$lmGNy>pFqe`oJhkGpsZcdF_RGDgC*=5zJOj#mboGbLhZNcfg6<-D z>Ke^>5r-TE9Y7o>SePIFrhF9@d=MRa3FE#FhlfQ3XuKV_qKkfbS)Q#m0@v+W_TI-= ziVGVaRlHjG?01(DU)gSm960}!YiRo8oJq%h`#pm`quqDbk@;G;tg^DC{t$+vM-fly zD7rlrY=v%^;O!z7glKUUvz=6I))s`&PU=0O;ub^N@-~p)6!l+zGTkn#1D43KLlkLH z-v6e)y3|G&m`bW^Y>;wdQ{k@iZi!gLZMqlFw8w}^;~8P!Hh5EhSi1lsdL+-0y|-?_fEutaIr)8Ug>8&}DAxqk>tUlsmU z{QOz5azIkw2u0b<{uLH7BwPcP+!66e@x*e4we|cJBwp)6EfFB}_*9zRemS+rf)Usi z$CsEa2`>1WTh08YKlAOe@82As*|NhB7OT)}Tr{ubKMouFi3m~BTt1v=Ti^QV;$m#{ z#~g@7OjPWljW!r_BtAYI3$Y#_#ee#h+zb=pj(0^qGg1rp%fWrZFWQuBWvn(z`(3Xf zB46{oD~G2*GLmDj&r!{#Yxj(QPMdFSrC^X)G2{OGi?qSWhusjf{LweBX)^AR85~lA zfYF8+)9KNRbsfx)Mex!3l#DiqrgB@+q? zjVoXxp{i{fuI69F2fU&;M2L;WjP}kF{K3ngR7dxLVbxbU%Iv|Lcr21ioIZH7z3~q4 z70tgipy&%5e-bAWv464|^9tMOz(<6jvBS>iot*OjPA^lgJips7d_|9%E_BvO7OG;u z4;iG>UoF`?90XG(cwlyMp?|kL=P)|>hC4$@!{k~r`oJ$vk2B~lTJcxx=;`f=8Rff< zx{9uKxHVw0M9>AO4;G?N^^Tv7D$UJBWFuT`w=CqZb_xC+&N=NZ1C5Mr7EHz()ID#nDzf34*3W z>8H-0iz{$De>_p}jH{d_v5)f@t=C7cW#j$&wOVMRQpNKiG3OF9=@WI5nL4)aeMOQ#3nRZ_5^iw@dd_3c~ zcA@&!rS*W9qXON-v(IQabr}TgPc$_VRm~_bTy*D*5(g3xoO8wdf*Jdc(sA09Zw3Zr zY_QH69@L19IJ5g~?<Cd_>Cxp>N#_ok;%Cf1gsOzj;V*DAgn z+6guMH4%0o*Fp!u=*BqbP|;7=%lMrubI>?s7$pa#7=OE;|J;4D_i~S)$Z?q?OwIgO z@iJd7F$_fKo#>Ax| z=-hMPbaJfcwCKcaSrSN{=={@B=L)4gN4>6 zUl<#t_2z#$4Q6&J*WqLTG4TvDrbue{0VJ& z>r*xw_usj7EE8BGtK^fueS(Kp6y_?YS5evAy(?)PgW^4rN{1~#$ni*o7g8@TtFy(g zy=u6*q~rGiW%Wt~+rk082}MQcHaE^JIYnvH=-#q6jZY(o6@+bkz3!z)jTuvrQbUG% zVS3xZgFiX1C4#2ZU&tT2&CL3f6Wr{&xbtFf&jMe1ezVUkzD|KP-0L5#qj`*QS1KwQ zzWJeiS&dVBkHrHE6g#FLPC-r&>;++NOOdbm+FMr7wD!O+=1bg#P7G{~mTpLh{d9A0d1 zJ(4YaW;1p0HZHtv_wug5cWiN5$Wi{iCl4m%?1I~dgHlWw9KJ=I)?Nj{A((!y|DK46j2vM7$|3eUO zcl;6#fe4B`iFGlEJ8?}ut3C)Hq8^eWT@SD9H&f$Tkl|@J;GqWwBL4(a)Q}`RRe{*> zS5{foJZe1e=GxDj z-9vps){orY+nio5BO-*>IVW)Vu*w5{n*-K>thoV^2J%-WIq}@pWh##Q2y#8pmi4V8rp>5 zT?L1-ky~kEQM~wCIHkUxA}cGa^7VK=Uf=lk6$OeOyJEoUH%w=G6>k8iQ0e{)eX!l8 zJf1iwi7!pgpO=HL-r+Qz@+I&H!SsX};>_qOUfBO zK3ht?oG^!wj&Q$(mx@$5O+b{~?pXiysqEGm7h8(iuNmK1mk~D5oWYd}Y33hLM$6S- zmJd9onNE0dZ<~cVhP<^2siF96{a-JD_xs^p?kL{6{Q|eV<(HAMtE?fr-w#{xVAid6 zgOQA!JmJX`nc20+PRy#*Ju4HcP$y3;R)<+PcXn0Ll^D6Pm^arnN5l|F zlC&@`D7vGQrW~=-5(7NUbyl$?CQ z%>3WhFvxXYEToD9ZaJ{BR)@*r%*Rk-jLLq8yo({@D2u999uQP7Z=p$}sX2AACu+ye zaHZegS4XgaYP*nS<2ep|@y|gzYmqd^6$V9u<$_EVoSbOL(+go4=KhS|LODL9Q1CtA zO?7q9c@6|&XbQ-WEP!IQ-DPFs`Q_WO%A_wv0bNM6Y$Q;@cntb#&RtTaz2&Uz{DFk+ zkAsZdq$qqev$!HqF|C{8ZBL~9ezJP%>;ht==%c|2r#H@rrpGafJTAwooI|hxWX}yJ z6>}>y^~d=gFCf%~I>~?XZM_4K=*+eTIyU#%wry*VZQHgzdu-dbZQHhO^X>nhbKa|a z?n^4&l}_hN^3__YqS zCUXzl_?X?aJ0jqB?A%Y1!n2}MConu>99#^joe~wILDpe&L&t>A%h2S}h2I?j;WWGV%W|CVme9tJ#6Be39GaQt_<@f6uk{zf)m0Pns zDScEHpQ{~h*NE%ct0Wzx1>emxVY{7CU~I6Qbz|jysKI|t%K{@1#~ma=yePu6 zuWbiFi*-5Czu-*k7=69(Uv`1I%Me<*_3;Z%aHJwVRU<^vGkuwduzr2 zE!GZu3@Ou`6~WQaC;8$`7$T1Vy;)nhb;^QY%|w;)2eF=}V=CAK3*rmGh6;ZtQ=#`< zMP6gt$~=U8Zb(2ZT*^D6A|<5j8P`?Ev5t%+aj+FuX8RI^L3BJY+ITgFe?Gg)12wu# zu^Tz3@yveW#n;>kw;A-CfIze?L3d~X`1*s?9ucEBgO0W);WQ)BJDe+fS?n1Xfmu7! zN=$PBMO2g?Y<{OU_(mbofWc)sU846D_GG)-y-CQ{;>1CvEtf~ke0H_l!zHrUshA30z zT#PtXP~jL~XH9$$yB%HZ>~HWJ8soYp=`jb~kxzjzU;(KC7izGpPcgUtbPZAXGyRddmZ4CD^leNz{d2U|NSC=T`x1oI65gdWR=(a-3OdY3@ zj;cUG%s!l0@*5iZ4;fOlY}`38fAbe*U*Xox1(PrQ{26t`$vs>~e&tNIYxGZn1j-kS ze4NS~N!yFRW^N{88}Lc6dR_hLG2&|ny`wj;T4czboc_5>F!jgOjo0vI2$=G@ch(BKt(ng z{hVlQ?HGpQ=sr^7Z>S4ZZvPn$TW)+fM|(f&Vc%lB-(Vy5Y;EiP&!RhpU)^o2DvGjt zxCS1wZ+gLM!^Xtil1wrV6u(%-TXj_svhrVaJ(!p(!0Z4cd0SNNKdA!t({bH2mD{M& zS=b8&L-tQVBxGjipUB zzGUfwbNgG}kAVAbo9rev;>egIaBP(*XzdrKk{}@&SYO_r;`o`oXMMa@KKTP&C)~u_ zAGmx(XwJRa_524W)317OAJnWBZmw7amryy6xCRkae9*SsmAX4J#G^*x2G0-ydn4+n zc^803P0YHNZGWIkM4oV>n>y$$j*?0!WW#*S7C?W5t)Kz3K~j*--}#7Jy+BYMr8C{# z_x)Fe&(@PtI^Jdj>iT&*=ZghaB5O4MxT`eTz}o3}n(lJGA+u&K#&hpg)lZS%XrOKyF{l{GBrL zV(?Zhh2(pT@H-CZsO3Dnofuvd8p|fpsMEWmWskU4kRVvkt$R)sT;G2butu4TK2=Jt zvrV zdSb=v;C)T^iD=vf@}cWZ+d5In$MWKQ8^^^)nO93O+sjG5%)Z;~Max5_kBKrV%oOv= z&SN2s$VhE(lbeaitt~g?>`4;nJSK|T&=bU2W|A2VsD)I_9$ta1kzPiYpnHRQli^(g zXicyyRZ*ju`b!9|1ii#6wZ|D&DCIu+a)0UR8?5{>37@7&$n0i7Gp-a+I2dUd+n!h1 zy&1$*%TWMDc2F(!_Vb7-ZNSmC_JH_;o%x}rQ`6$5As+L^(A z4F{g}Dva4G>Kpnnq_N6~_omTQmQOP>&_yJfGL!dOmfu<6a zG8{r-LlVon7O#d+bByaTz!!v&ADt#0FUiL=JtnPzcG6M9%0OdoO84$l29$;Xd0=}+ z?Q>hVMDKHJDOuSY{7WHG76H^`YH|oyWDV3M$#TVw->FWS=}4Wx4_&D-gF*KRz)kkb6&M%t9Z6WP*)Wr5mnE%3>(w91JYVFX2O*!$O0SXlU>ihXU=ADv znY_Ty&JK?w0v|U-JVPuoHk@~Vurdk;wt7KQLL4Z{>+p=j-C?6=qH|-9`7m$vK|SxJ z;g_J%C`O=~nt!R>n891ARp*Q~aLb4Fy8#|9xCK3b<=co!lQ%z2Irt@g@R-Ox65KCu zplG}%7CNQ6|0#oG_e^#*w_p{uWjrwQt<1`_~LQ%*~uZ{ z>JY%mp&hHSTcKAIhpNdPUjU2}%QL2qKX0#8ms>%` zbY+alK|Hg28##mOd&Nxd4jEVcZy?MXhH3GpEVt5Y(4uA@jX<>z+rTKvor`08diZ8v ztd8Yk?9(+f%2|+oq?fd~dSm>^T_g?L7pcaHP~^*?V4n7zL_rEf3CDGRk zKJ}w!@LZmCd8c2V^bc@J#F^frlbpHI2oND?l62juFm-?yHQ72RYd4dA3bfj{(M|ev z;>wdcqBY~LKWnhV4EZ0z@#Q1Rq1fr#7jxkYmp7y@XZ=6fDb6Hywa9y@b8WJ@bJ2>; zXNRhhk4(A`Bc)(A!@{6Y zuTL{B0QqnOs)pXKR;$cWnkH(VyVi6C{lU{@BPKf44}R_Mw%^+sy2ejfW7lVev~g%| zplKj+pNESKfBH$o-HL%*?M6ftuk#o}0J?7kVXhX{oL@mmX(@tEZBUpjo}n_u z!XOJaUoEh9pm9O-K3)Hg!{QL8XLgg1?$F+EspWI|q3hq$Q^MP9Z8@(Ifi$crx&GdD z-$O=V*el5QKnOLD8AhU+^ZqI+#>qxNwuNyCv8)tB{fF=M5pF7JKe~ z<%a1Y82XU|qSwFbSF7m0g}Bp9wAY> zrtwB@{hPZ;LEH%7@0^fa&4XkDudfVOSTYa395XsrZ(_B=>d^FXpB52NVYReSWPLz1jJ-4|=<^0MIbK{by~z$Gf(D)d^u~ z6d%79dVO-!Lxs$HpRu|LUbg)oj02z}gN)QQkS@p_S<$B1rL|w=v_sMu6rafQ%?4Qy zII#St;|921RvO5=0sM?NMDTUQ1j=EB7S`ee&I}yi>Vjs{u-9?$4w3Qo_QdGk?$OB2 zc(>6Zucre!CCd9$CIndE)4+DH_Uy%B zZ!vmCS{~{W^xYz5GO!hE_3ddO@Y~Za5Ug^siaLILcVC|80RceP4=9v^)-aFJn;&}; z0jq1qNciyzJB(^UE#_L3U_rP;q z$7bxu6M=t(0J5j&#vo;l0LN!=D)#l#o?r}x6&*kjD3YoAt}CpXRRj?-{|<8PzlJpl z?%HXI51QCFLYec-wQ^S_Ko(3dHgb;KSydAu8fs0F+>b`W==XHOr2n{}`&IDy5$$YT z%LYv9>y1WV3T)x7+=nrj=i(3wRUg9Ti{-ra6x{5PeP|n@aN0NiMw-*h^!o*NhsD9a zR=SP2ltP9PzO*7?m8;?(QG}I(N0b&MKZT+BA=x#}?oPd&fquV1JO zG$H2o(ibf^J56okXd8wS&Z;9KD_=xoW>8Hv#Y;df{?jks?Z@x$%;-D2lM!X0nM;ao=W?EZ$h{w_BV)14myXc3wu zU03)ksXGCm(5&s?%8t{rgDtHr)Q@W(p!xw`rgNC-=}O@D8?Sag5IaJtxn!@kEfCEa z@k_g>*ewwKV$9n%Ch6_tjeW;XiYcGI(WYp=&$2SIKaurtM$tx||F4Nk9XVvETO`@6 z1;HPoWDu0xrlUAqc^7v)7xsuWuR{9fVnM?0RoSHu&#`_mHI7??8EdwlN~jH4g7JOqu# zD`S-3VC%v<-BvYF!#$9VdkT~h^d+Ve99SZ}%RIlc76Lfd)BC7&$jt>YKEbXU+6SD< zCqkPp)&0aIcd7TbtxxqhKNxh`sNIUHkDja2U;!~rvy-!Z&}z;KzghluQ$`Vns!h0x z?B{tq1d|P=(Pob*10$gT8ypXQNEfEI@24U03ef3&{BNOI}va-o7ju6Fj=0mT!h8cI_xu8dI zt;FLgu_T9#x$OXy6DfW(wilaY0kP_ZR|XYLkEJFvpZVh;1O?_=oku_Cm8)1fH!rAd$iL23H3^_R@Vu|Wf%z5_ zVP;HU9NXS^cLXl*wmLD3l8_b_(lg<^8!+uVg%hftd(#2fxmYePQ5XQx;KpsUv z?o&2vY4ZR+O`zN^AXRu6ufJ}};O}`K4!hLfKkI8qem9<#dO?%1U%?=S@;*c)DD2J1 zKz!$WJPga|nR9(y^-}0*d=VLcM|2YMu~!xsgQ|GHeaXN@xEzyO1K3}ky4T4GxTzp~ zzC1`6Cn@pog}n2el$dD_Ntvd)JwRKKL{?fNJ?Z1Y+sh#o?u`hu#suoG z>>7>!yb>~-{bFz?CYOHSI8LMtOx*n;QzLj-O^i#-5#HfaIAb-CX>-m4IMJAn)U*Mi zCHEOGfqUhyJc5yNI3IM5x|n8#vN3XEreAe6Bfq@p7%hWWryr7-D@_ zUL4!M-!yCnrD@o(fS$R#>xA+M%{3?6=f0Bev9r3ktN!Y{5TW_{K)l23aa4mxH(&at zySUhEt|Pwky+$1Km{8x=*D-?u7`Qp&e}&Qd$+evU)tgfvAP5N44O-iB zQ-5VFmg+Ekv^utfb|#){SdE7V2-8>R8B<<4CvdYzJ|=&9!ucJ=X6E=xirX8IJ4i+- z2>9ArQhiKp6gs?Kl>=Xz_*ps(2R6OCraaZ+kpDr~dslzolv=b; z*u^A>(zTB@bT|a9ZeezK4=EF~tD|8GWZMnW3a5X^RHNo^N)3>1bT7jJ>HF7AKZyv} zw(XU^p^a2N3{Vz%!kHK&N5_YbO67HQA+N_0Fb5Lr(d14AD^iG!RQoH?N60#}X-@SF z6eK|#f~+JOg@BjGn+t1C>iqjlE?AC@)HAa9AN&euL75e;)w;Rw+3tp`rw@eE1jmjP z`gP7%_#-5qZh8JxIig!l0~=cGV!&)9Gabt}h!%+w=y#L3to#!C1qz4{h*a?yyW8JQ zo*9u$AtN)pEwLKYEKQ7ahTO1kCQ?W~@$t;FGWEAEm$VR?q@q1%f;he0Ktko8Uo!@O zN-HD1=OKz9e3Ya({XRr43^28ImFaos&AX0pM1^ViW<720%SrNYWu+%zbz=>hCqq0h zqWM))>g(2H?tV92E@#mN-4<t$W$eV)eJKfB7m^87EgPYZQC!sd-;Lj8O?r^ z@Ctbk+*LU@=OL#^`)=E$#xs(OmAEl^oOao6r)GXKr}cSY=e&ewoC0@xh>=)4*B zv6;}3ZKUIF_PUWq|A%#EOw3sm#<_L<&TQko{N`mRo4yHE7Ls)i{HK&6RM8Ki z8k(4MyBsbV1>26V^|M|;(*qaVm9Fpx=!EdO!!4KcNqnh-)H|S$n43Rnr zxy)H({tp2e@&j?SLTL0z`P%3O7;mCSA`dXH$Lp#=PVDrbh5q_2VfdFK z&^24-jd%wEM1%aKn;IA%?{qST`%7G9%X`5(}@5Qqu(v zAskCANjaS8dE&^#&c$likPZ0j)NG6+qO3oN|E1pAXGy?)-UgZ-;8QU7u18q;wd}u- z^V36DS2EaN)^)cUF9x+BioK!bbmI7U)qx|s%zFU)G+R%Gj5~oQ+4pm$igxIWgG@aM zs+c2!JUO#~&#}HG>`ChAdyRoSDZ<930n~ZpYY@hayfx>e);Y1lWe*4drM6QAg*SRr ze!P!B1t-n#IlK})4;KX*7Atm+?%U8vwC>?XG>s;u%(Z3)w_G zFvmr@{Eid!dBHb8hRq%=0eZ9Ia4jP-ZytO9$C-(5^@-{Th)(q6jI&6{@1i&*;?0y4 z@2AvsGST=t!&6XtVn5yWDmH*j>)_~zYY!PopyPR@3+*0kczAU-{wzCPh!Fjf@yA<( zrRV4Keg~2k(-%Km*)w7;UiE?7)Kg<7jgpyvgmF zEvP)Z+-r=4?DKT*vk3;J4k~?lv_T+sXpd&a<*&YeYPWMGcDZ5ONFCRg>s+E66bERo zFu@WIe+7u$l$Am^OCX#DC4oQLzL^)C2n zme3P1Y*An!(IRkMVm@v99g{AzUtN)3~AOEfCt$=a^L=i>U#Ogyo~ z6(Qr2VF0~Op{&-%ex88*7?8R5M#~c*8<#csC_A52&|`H{tYKu9QdDo7rX!mbi#J9vZJ111^#*KC$2orv$S3CIOICQ(FL$l9*pS!jvBx+P)gR#vHPK zhoC`{!R?@nsqJTd1I>MxUbrI}kRakFgvk*fBx3eg-X}krstJCRs}{c{L#a-hUZD;< zgzX-0JMK}vu?xX%E<7#sb#wwf|I#3-(d4hMlF6?`l&h=rff_(<>0e!5J&ggRPzi}q z=A6w^b!>0!8(FjpIRlnnm+z@k&Ga^3c~4uvAO+CGM?R9fa9t-tzp+O3PZUxV0&mk~ zq`RK%!9d`Br&?br=(Dktm)C%jRut`Hg4P5|rpWNnz!uC|?e?*b6b zj>^r}obcn4+^Ipz4j*pUEwI#Xoq!Xh{OpoDx(nlsL46k=siC>cm>nDQD}HdUW*io~*rk~*V-@{c3gCth={$;y23_j)_GdOO^m>u!BsNQe7O+<0l$Q0#Moo_^ zEja-qshgX|Cl^*>gZzWb;QMlQK|TUBTq0(Q3(X5r!W(W~Lm-5ZMeOw5O-R1R1)C+( zahJC4R`W1LTM-hn*QBf|Ubd~9c^Nhy_{=unaP?c(wIom%ph_vKow-;S-1&7m_~(z z((ThHkG7W86XP^qW~nWZ@JO*go8c^;#(k;2RCvO-jcP6?#YbdqU>VzpW6ysR`#q}Y7%||?l*$cpPB!sOR0BH`)e65z2+=_Yy4K~q zvgx;s*xs}5KO`=j|EYsMz8QjCIM+Y%_r-@?_J2nIW+66!L@Fz7lBaC2v^O>iSWkR~ z(0Mmd?ZK7b<$AqPLp+s6pgk#o_f`4KDWAI+cvy|K1$stEUg71iK~4i6O`n8oOfWSxS-<3ywEOGGL2FWVXae zan~!4)x{=~JG+yW1y1DgOdblkOX?GX9lb_wvrSv|q9W9vWYj()l_aa-7!zF)q9rPu zHKhV(qHr@XzMH8uysIT$xtC-SXQdj?2STGoUsrb8phWKj2U*BBO{T3i`r@r%{X&!| zka6b%Fb&i6L=VFgY{b>5!>LpvTK}`0((c;a!j{EB9-~pZH`BLihufkE6=$>6H(feKC+j-i6rb20(q{(^6_>q!W!SiOX6thW9hZ_CVO!9% z(J!Y@3PAq0xzEkuOFRnegs<1Rn=u35Hy4=2o2XywBUUh2w_s4;em@|KVo9CXn+UE!yf1P=qG8ta=fO>{ z%;vwUmi|-%6-N?T_3rwIoe}rdN~bON{F-GcgALt1H_%+>F%r-N5YLC}^ZPYeAx!dHNlt)aQUEd_fOsr7C`~{< z_EbKOSb*M-ke(7lUrCQXmY6~vLEt`Cf4<^5^Xa<7w##?7%Gn1&->lvBM!TcjWl2>x z?EQK^ZUalTRFFb(UCgU%P}0XA1(r@KOsY3MR5qI_;fa0|q;Na62Rt5!If^ckvRW(!^AC#}?wHA1^ znWwS6qMqZfxG}7vNfKNdyqNx1YF+jDH&Y%XQ@Ja(FDbPSELu6BR!?ctzlMEWny*aA z?JK?`_=cWZ{Ur=x;fWgM+3cN7@{hkRE7KkEgs^CKFYgSf{8OIL z9RALm$);Q$9aT0E)Vy9A8~PF}q2|G#@^58l2{eG-p7Ot=T>?rJ9mJpMKtmz_)*T6 zt1$6xLI;;Zx)sECsGGv##!ud0D15`yJ)qk;e!|ls4J4K!ePN~b)%T*dMRf{XWG@@_ z$-?#J+hNdKD%d~o^=`wlw}l26Rhm5z8FGSmE-ljl1KUtE48`idwa*%GVszs7=l;Ur zXLdTbD42_`D$ykSoI6)toh(fOLWuVqPinOcAE|ch4JS}RQGWdQfC`~{*4*I zAAddKO&HIR*Y)VIc-)QafWXBVcl<8%LQ(js4{&`gL0wGB$+3ad<=w=m6M*6Ued?i^^qCVWX5fZZaf6htk!AV%hj7 z^v|$#Na&smaye|g>~&iEL_N=P;;~z0Or5$m z68QG}#HkIzcRIr)6UwN{W4d(bM3SuZXh0%D=OAcKOJ4#}+h+FXP2^Ft4FDkUhbm7F zFB8bA{Qc3(%}mVz!b*0%J-wnmo6phP5a7 zT4o398+-wfw(ZPiNg7(FCs>^1M%BB&k@AzQV8$j>X#y2_C0c<#Xb8J5)du47z9_*y zk6zAC;P8mEYwHy!485G{*_8qV_p#V4zg_+sB$i+Yu=m7=Ol~wxX{U#8m#W?tsQxw9 zi=zsOWZ51ft5H;E5G3WtKfmG(g?X}``jEQ}+H3}5kVg^C+y$eZK5_9~l8G5NAm*=9FS8ZO4d;k!f2b;n}SBQSq#7#HQ#$pCt zryjUQnf4(gWsjlRV?b1U+tE>5WJky8CG@_*fDmP-d%533H1cHob1?KG`o~DXJ?gUD zM;a_;pS#xt?mh6kG>+i&-oFqvaUa9L^TZ3gBpLSGEU}ae0+J~gb%%qwU2PI4uh%)Z zhNS-nr0I#&7u>m{t;(w1dgsl6^I93K$Q)K9=F$f;&rXjjv=?(+_v5P65^Z(m7M~x7 z5K5m}qp`b|*I~(=ZQ+|d4M2wy7jQX~KfJI_Wguj|Lf^&y!(EhT9(1hI!5Js#yAmviH$M*wc zf;$10*<41b0M+Xcd~P&TCH1X#E_7>nJE0iHiM(($s5)xmvK+jYft8Gt>XcAc#vQ0hMY^YJ2Jm;-T_|t z@m!sgVg8eb-8jXL=qn>sk=0M!(sGiwn-;RT^h7J9vyhzxAOP}+yyJIqB-`)IvnNk1 z5O+5seF7Nh6CU)4zKj=w;=eforE7q#Sk@pjAZlGG*YD{v4;- z>8Zm1Ign{;-EeQ%$6m|ucFi}}D}M?i=Kq*LZTmfYc{n+>!5t0Mz~vJd=m3Yu9K&iH z%oy3LBX8V94;E`Q4sO=ENAOeMdG)nmh+is%@q-uwPM8z{{|v65t2K*0j!iD-W#3p$ z_Zw4Vg96ACXUP57TWElyjJ;kh**uXKM0*zRu;mY%`t}ZLcW<}CK++OG7+elK;5-56JyEQyv^4wXR9EpxuBzp*}YH1ryFjHg<6FdH9SvVoQ-PR@6qD z9CjZtb->C_JTnbO29%{nO@}KAJ7TSa877v+nF|16Ngsl@E~DCWBZ>KUp*$S_6NUyHj7t$!Bl3QEqCgnyX*scRTz>Fe4&|84JK{ zC_UAr-aplgw+zY@W=O8^U>OmkqPjor$pyf-SmPvMd}?gF@}t=gz$J;qQRT!VPY9i# z2tOowvu%6!uxS8&tVX47{EX7MKN^P@OyO3A zE@Yom7=PAiUNz$?;<&Eo{NxLF&0k@$tx>qd;OyQ z-kFNB4HeffRN%|7(~hw&p^1kmcxe`WEHW3Tj0shclP|ir%Z&9ZMgcRhH`V=OYyFKa zd!|R2bNwQY&EuhtUjd|$=W_l_r3a$$Ty=7}sfHvRqw)dw6?4fPi;+kpqpPto$k%;O zh;HHD2sbJk5)RTn9~M&a&o9BI$K=tQ;pbZE>vFq6$}|F(p5;8>(kd>e_hUx?xRh9Q@giftoRL0qYaP6-qLj2(@CR^?NtjOdf%BC{mmZl15v`3&G z5?YyAGG7jZ-py_D8zUz#ug>I`TmjD&ztfU5%B_zMOJp_2noVUQ@r&rZ(%g0v!QAta ziyQM}?INgqT}B7Qmfs)@X4L(0q!$%qY2ndgFHyh9RBb3oMY7Gbnl3FyHxHCWn7sem z-w@ID*dMq>mw$RI&y;SWn{8tKJYNkg3!Z6qAiHdeWf$eX5Da(+9HdBzRY2#fU_Vm8 zDvjc5n-NNEGWl+fn>JC|lk=4REUVYB0YbA7+yrkN0q&%%&+YVp)`lo6M-gz#ppy}e z8+@7<7*Ke?M_4JIBThBam>)l?h}AePi*@5{_0~aZ6pZQ)|bM{=|ZHzel!(t?HEJQ#Ix#-9UoO`F}}HnoR|~|DuKRoawZN3!g8Hs_(Q7`TPS=^lWJbe-qog$ zze$U!1V^x`?7Vw}%H^@xANFP5lE}aOygK#wzl>cNFj;}{M>9BttvxbYX^A!)$>%99 z6cp?L`ekG$JAngvlw+UkY%cKqW9uwpw8|Oc-Yn)uRKor>*t;96L6i=K5%G}z{YgdM@i)R4^I>BZc4(UYk|m0jUnhf0|VErkg>!>NUtl~s_; zQ`UHp02|k}G|sOxb9Ef z*~OWjt*qDAI}1M8f*v*yaci|CjT~OTg+3P-^ml7%%pr|cdblN2gZ92~V%=b}x#X%8 zjcc>IQA&#Cj_NnC3C}G*%ir*A8Z-P&MziKOQE zIbUjHe^zs zAX4yAVV=8|RF(*Tg2$sXrjfQ1-{kXuKPct=b? zopgD#;%~@lFa)`uGWk}H&DQ!(iqmVxL(k)6W?l`n;5ZJpaxfWelm--*u2I+!!FzO9 zPhyHxwNwpR5Fjh~XF&!2+G3Fd2FWjERTty_^>j`^bSpDlaswZ4f^RL*P61|6*Czmi&IOMW(5JoGEol?_RMBy!fLz!VB zyRe5$1e34@O?|{evMnZI9Un8F{D~kRw!X>dOmZM5s0mizJu;jE31sr2xN(;6s#_yY zXv56yOFQhS5}*c60CIDIMmDztuY@qt4i;CJ8ic#Y9CPzOb-RTVVEX#VOC7+`$vQ zwBT2Qy`K;dHY)k@jlX9YH6Jc+0_pUu^^5FEQp&Mv$cBd@)%v2TDU*$>z6zO77Q?=j zqR)l-x73FUb~Lo~fOT1NxK!zS>j2}IO8$JB#>G^!0?;3*&&!VC>Lm!;p5Gt)LvphT z{gsp<&9>Nh< z_}3MsC?rurNSJ}GSz*VGV8KD_y4JE&)EqN)9TXBQ-bt7ivib+$$x>V8)h0=8D^uEc zMev#zQ5UYyG=Iv+CrXNoy3~)Rl7w;+K1{I~A57XzO}Sq@rDVoMqKneAqP*Y1XL5ExdaWTGlX~xv1!|(jC zUPuY&F8d}5Y$YL|{l4@lZ5s4Y1&$(ksYiSgsx@rI2{=myN`?sLZ{JIFrtMy+d^G!w zRF~{5S{kja=cHvX^c;ak$;!$)Jps;Oe6lCt7N`x}zb%FEQyKsC!rSEYL0WB@Jj<;z zO!^Wrhgz(SeAwr=Z#*X{-k~RDi^Lv(XbXpYP|s=TTmnu>s}abjNWTcm+dEs+ee7`? z^__Y^lkYc9&d9DD<%r&2m2o&la+)5@-u7rDEYh~0>^ji&nx@rAgpDk73T-BwHzP^E)Df4VtWbOg_ypP?lzcI1R8P@{18>Gn! zy-StFwFpZw1cmGb&xOG2ii*^kY%xe<3UQ0$fIe*Bk(V_tUyDJciyxG?fwa9(5%9yg z(S(}9%g4lnWBV!>MN6$`2jvuaDU`ms`!Y%+KXkot7U&6Wk6l}_^_7GZa&d-8d_^Zf z@{SLIQ8fgD&SsHmJa$N%{avvrbq>&H9xwr!kUCvJnx~?^(-}_7_?SPX4f)zRP64ek z-Y!vaO44k0_ohCge>`|<6kZsO2mMwFXp4uE#5R@T+8N|;i6-wT3JT_1}F05CEE#m|W zQGt>mZq(M-`ATuGl`%gvhWyfwV(n5Qk$&*e1aOyLT+>t1BL(Cw*Ea}bi!qTjC^oWa zE0rc28o%AiO^=X^-jlkw74i3tnwjv|3ie!a{RlR)BrQ}CXv={k8l7QMP)1M@$tVTv z^f3&C_5cr`@aIbN6t;t@LOmULPX1InU!Q`!#t`q;OgjxnNq3){u|jSp_(LtIpqDf2 zFi4;H=S@HD;dg3%;3jj;3pDn;K1_=X>zk}93$Y!gJ0!fexAtbhllZk1F&Z^h{`2PN zU6@w~TVF{THc1cwbPOfoga38sALhHE-ng8|NuT18F4+Cz zkIAMIEr*6Ri1@qNsBypwW0qhU{RKq&o{L98^#UEGp4cNrBDZ)}MEedvp?9ro8@j-s zV+n_fSu^+C803upKPd_NFF9#@(xkUZO)htZ(+?(DqN?Kbdf{PeWcY*+KG}h|Qx)-_ zZ2SWGR3v|Rhp)9lyZc1i`k)($G9HiH@%-=y%^M05f1MT$4UwXv=8!%i#}S3x`sLs> zIZYl#CUtN%f-VuCp=ZYs873smVQ?&BGpbM1zIui`9h76V6XzJ~F*?2tmAEDRsj~w4<_u7HS!sB)isY8_Kf-V?y;CjP6u_If^6YkME zJD%ElYG_ERx~h4}A_d7f%%S@8jf3TQujQLne(3i{$n`>PHq3CBIwY6@&^;6N zin7~t30|9L_V;LmA*mDjinaPWqS3EmrMxN3H8IVVz4M6^%luDKNM7fHk45GE{(&9J zGw0;4C8t{Yu0zJn#k0RL5s@f%-*%Sl3Jm z9#Etlto~`_2>dNAF0My$HC;**t$dqi+7MPA%@oh)!o!ajrs8JrHH6woUxlC6C(E_& zg|}B4hF>_O&CSijCw~JBPe)7ghVma#AP^6huQGRIlpN7eH6HmPqi0tLANAdyyjM6r zlDM{PrdwkrFk3W88=R+|JIaRkJxN!jr>8H15Dv6k!Wt%#&$Uj5;frPZUNYey7(x#e zlX~&b?*f!^d=lB-VC2_Wm$rB%>-TO&UtI80k6j8AY2eh5HpTX012|>{s={TXv7Yj~ zYL};z|2c1CycAART|B*ak|Jx;c>nSguSrt<8*s@bzRAZ)TpSW)yV{zFkj#0`d8ceQ z2yjL?=B_JR1*WclP`AWF`kco}*|} zjM5H{O&=UtziC$YFkvsKX|nCRw4;6?79EXcl@Y^fM!;_WcUd~7Ru{-SoEUo}|J*L} z`^;06_M1O!@OMT*K|bS}(EDkW(Z*k6mj@lvxfjfV{zOX$d=a3MpLxLDoR3PH&+zbeCyEx* zN2&~UB64CQNyQ$0a&WtY%aItd^QXkP8Be|2KhvIeeMgPOUrbGYKRe{{%(eJqGuFes zyPEv-dqCl(fbV$kpak|`PiuU9pG*Y!a6b@3e2#wQ!M=yPKOfk&b}k(-APJgY5wlO+ zRt}S`y|a7kzJPL)z#udL000nwx4)$l?ZVH$7bE~=08JrV8z*BMCtW3XJ7Y&}S~qJe zKmY^)C7}Q54RHOh3Lr~iN@9>6ftTtPjzHC15k0b z5jcaE`(z#SBIhL^Ii7|c-=b6GG^TVXr1N0&W7%t{{C1Ph!J@g)!e|CX>omwprbabq z#A`>xXAcx+UlFYC&dS$OTwKHp^J?n1izvM#!s_hW^v_tr!lDHSqE8p_|E8=WtEcuq zltKTcOxMBK%8`!tpYk87asdCu(el5kN{XG30Uy9j zHRxSTlgB(qS5&O8Px}%&MNO-a(AK(`!LjmtGiJ$<;6ZeIFG`_BEe2z@42?{!?uYss z1~ag%?I^8i3{eb=!kP(V+d}nnQ(u_H>twARWiY$kwGwb-WJeCSoU9^`ioBPP_p9bd z&q*pdH8zE&n-pqbw+ zet+wKTA76Dn2fA#jf|~m|EB~5KnGAq`j-TfX#bnAf1mT;$Y{s!8~;H@{XfXk#!mW1 z`cC?EPG-*51~&TURiCC^4~IR`tR%fH~#calib_flowrate(1); }, "", nullptr, + [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(false, 1); }, "", nullptr, [this]() {return m_plater->is_view3D_shown();; }, this); append_menu_item(flowrate_menu, wxID_ANY, _L("Pass 2"), _L("Flow rate test - Pass 2"), - [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(2); }, "", nullptr, + [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(false, 2); }, "", nullptr, + [this]() {return m_plater->is_view3D_shown();; }, this); + flowrate_menu->AppendSeparator(); + append_menu_item(flowrate_menu, wxID_ANY, _L("YOLO (Recommended)"), _L("Orca YOLO flowrate calibration, 0.01 step"), + [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(true, 1); }, "", nullptr, + [this]() {return m_plater->is_view3D_shown();; }, this); + append_menu_item(flowrate_menu, wxID_ANY, _L("YOLO (perfectionist version)"), _L("Orca YOLO flowrate calibration, 0.005 step"), + [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(true, 2); }, "", nullptr, [this]() {return m_plater->is_view3D_shown();; }, this); m_topbar->GetCalibMenu()->AppendSubMenu(flowrate_menu, _L("Flow rate")); append_menu_item(m_topbar->GetCalibMenu(), wxID_ANY, _L("Pressure advance"), _L("Pressure advance"), @@ -2909,13 +2916,20 @@ void MainFrame::init_menubar_as_editor() // Flowrate auto flowrate_menu = new wxMenu(); append_menu_item(flowrate_menu, wxID_ANY, _L("Pass 1"), _L("Flow rate test - Pass 1"), - [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(1); }, "", nullptr, + [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(false, 1); }, "", nullptr, [this]() {return m_plater->is_view3D_shown();; }, this); append_menu_item(flowrate_menu, wxID_ANY, _L("Pass 2"), _L("Flow rate test - Pass 2"), - [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(2); }, "", nullptr, + [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(false, 2); }, "", nullptr, [this]() {return m_plater->is_view3D_shown();; }, this); append_submenu(calib_menu,flowrate_menu,wxID_ANY,_L("Flow rate"),_L("Flow rate"),"", [this]() {return m_plater->is_view3D_shown();; }); + flowrate_menu->AppendSeparator(); + append_menu_item(flowrate_menu, wxID_ANY, _L("YOLO (Recommended)"), _L("Orca YOLO flowrate calibration, 0.01 step"), + [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(true, 1); }, "", nullptr, + [this]() {return m_plater->is_view3D_shown();; }, this); + append_menu_item(flowrate_menu, wxID_ANY, _L("YOLO (perfectionist version)"), _L("Orca YOLO flowrate calibration, 0.005 step"), + [this](wxCommandEvent&) { if (m_plater) m_plater->calib_flowrate(true, 2); }, "", nullptr, + [this]() {return m_plater->is_view3D_shown();; }, this); // PA append_menu_item(calib_menu, wxID_ANY, _L("Pressure advance"), _L("Pressure advance"), diff --git a/src/slic3r/GUI/Plater.cpp b/src/slic3r/GUI/Plater.cpp index 7950f9a669..469bba9117 100644 --- a/src/slic3r/GUI/Plater.cpp +++ b/src/slic3r/GUI/Plater.cpp @@ -9646,21 +9646,11 @@ void Plater::_calib_pa_select_added_objects() { } } -void Plater::calib_flowrate(int pass) { - if (pass != 1 && pass != 2) - return; - const auto calib_name = wxString::Format(L"Flowrate Test - Pass%d", pass); - if (new_project(false, false, calib_name) == wxID_CANCEL) - return; - - wxGetApp().mainframe->select_tab(size_t(MainFrame::tp3DEditor)); - - if(pass == 1) - add_model(false, (boost::filesystem::path(Slic3r::resources_dir()) / "calib" / "filament_flow" / "flowrate-test-pass1.3mf").string()); - else - add_model(false, (boost::filesystem::path(Slic3r::resources_dir()) / "calib" / "filament_flow" / "flowrate-test-pass2.3mf").string()); - - auto print_config = &wxGetApp().preset_bundle->prints.get_edited_preset().config; +// Adjust settings for flowrate calibration +// For linear mode, pass 1 means normal version while pass 2 mean "for perfectionists" version +void adjust_settings_for_flowrate_calib(ModelObjectPtrs& objects, bool linear, int pass) +{ +auto print_config = &wxGetApp().preset_bundle->prints.get_edited_preset().config; auto printerConfig = &wxGetApp().preset_bundle->printers.get_edited_preset().config; auto filament_config = &wxGetApp().preset_bundle->filaments.get_edited_preset().config; @@ -9670,37 +9660,47 @@ void Plater::calib_flowrate(int pass) { assert(nozzle_diameter_config->values.size() > 0); float nozzle_diameter = nozzle_diameter_config->values[0]; float xyScale = nozzle_diameter / 0.6; - //scale z to have 7 layers + //scale z to have 10 layers + // 2 bottom, 5 top, 3 sparse infill double first_layer_height = print_config->option("initial_layer_print_height")->value; double layer_height = nozzle_diameter / 2.0; // prefer 0.2 layer height for 0.4 nozzle first_layer_height = std::max(first_layer_height, layer_height); - float zscale = (first_layer_height + 6 * layer_height) / 1.4; + float zscale = (first_layer_height + 9 * layer_height) / 2; // only enlarge if (xyScale > 1.2) { - for (auto _obj : model().objects) + for (auto _obj : objects) _obj->scale(xyScale, xyScale, zscale); } else { - for (auto _obj : model().objects) + for (auto _obj : objects) _obj->scale(1, 1, zscale); } + auto cur_flowrate = filament_config->option("filament_flow_ratio")->get_at(0); Flow infill_flow = Flow(nozzle_diameter * 1.2f, layer_height, nozzle_diameter); double filament_max_volumetric_speed = filament_config->option("filament_max_volumetric_speed")->get_at(0); - double max_infill_speed = filament_max_volumetric_speed / (infill_flow.mm3_per_mm() * (pass == 1 ? 1.2 : 1)); + double max_infill_speed; + if (linear) + max_infill_speed = filament_max_volumetric_speed / + (infill_flow.mm3_per_mm() * (cur_flowrate + (pass == 2 ? 0.035 : 0.05)) / cur_flowrate); + else + max_infill_speed = filament_max_volumetric_speed / (infill_flow.mm3_per_mm() * (pass == 1 ? 1.2 : 1)); double internal_solid_speed = std::floor(std::min(print_config->opt_float("internal_solid_infill_speed"), max_infill_speed)); double top_surface_speed = std::floor(std::min(print_config->opt_float("top_surface_speed"), max_infill_speed)); // adjust parameters - for (auto _obj : model().objects) { + for (auto _obj : objects) { _obj->ensure_on_bed(); - _obj->config.set_key_value("wall_loops", new ConfigOptionInt(3)); + _obj->config.set_key_value("wall_loops", new ConfigOptionInt(1)); _obj->config.set_key_value("only_one_wall_top", new ConfigOptionBool(true)); + _obj->config.set_key_value("thick_internal_bridges", new ConfigOptionBool(false)); _obj->config.set_key_value("sparse_infill_density", new ConfigOptionPercent(35)); _obj->config.set_key_value("min_width_top_surface", new ConfigOptionFloatOrPercent(100,true)); - _obj->config.set_key_value("bottom_shell_layers", new ConfigOptionInt(1)); + _obj->config.set_key_value("bottom_shell_layers", new ConfigOptionInt(2)); _obj->config.set_key_value("top_shell_layers", new ConfigOptionInt(5)); + _obj->config.set_key_value("top_shell_thickness", new ConfigOptionFloat(0)); + _obj->config.set_key_value("bottom_shell_thickness", new ConfigOptionFloat(0)); _obj->config.set_key_value("detect_thin_wall", new ConfigOptionBool(true)); _obj->config.set_key_value("filter_out_gap_fill", new ConfigOptionFloat(0)); _obj->config.set_key_value("sparse_infill_pattern", new ConfigOptionEnum(ipRectilinear)); @@ -9724,14 +9724,18 @@ void Plater::calib_flowrate(int pass) { if (obj_name[0] == 'm') obj_name[0] = '-'; auto modifier = stof(obj_name); - _obj->config.set_key_value("print_flow_ratio", new ConfigOptionFloat(1.0f + modifier/100.f)); + if(linear) + _obj->config.set_key_value("print_flow_ratio", new ConfigOptionFloat((cur_flowrate + modifier)/cur_flowrate)); + else + _obj->config.set_key_value("print_flow_ratio", new ConfigOptionFloat(1.0f + modifier/100.f)); + } print_config->set_key_value("layer_height", new ConfigOptionFloat(layer_height)); print_config->set_key_value("alternate_extra_wall", new ConfigOptionBool(false)); print_config->set_key_value("initial_layer_print_height", new ConfigOptionFloat(first_layer_height)); print_config->set_key_value("reduce_crossing_wall", new ConfigOptionBool(true)); - //filament_config->set_key_value("filament_max_volumetric_speed", new ConfigOptionFloats{ 9. }); + wxGetApp().get_tab(Preset::TYPE_PRINT)->update_dirty(); wxGetApp().get_tab(Preset::TYPE_FILAMENT)->update_dirty(); @@ -9741,6 +9745,43 @@ void Plater::calib_flowrate(int pass) { wxGetApp().get_tab(Preset::TYPE_PRINTER)->reload_config(); } +void Plater::calib_flowrate(bool is_linear, int pass) { + if (pass != 1 && pass != 2) + return; + wxString calib_name; + if (is_linear) { + calib_name = L"Orca YOLO Flow Calibration"; + if (pass == 2) + calib_name += L" - Perfectionist version"; + } else + calib_name = wxString::Format(L"Flowrate Test - Pass%d", pass); + + if (new_project(false, false, calib_name) == wxID_CANCEL) + return; + + wxGetApp().mainframe->select_tab(size_t(MainFrame::tp3DEditor)); + + if (is_linear) { + if (pass == 1) + add_model(false, + (boost::filesystem::path(Slic3r::resources_dir()) / "calib" / "filament_flow" / "Orca-LinearFlow.3mf").string()); + else + add_model(false, + (boost::filesystem::path(Slic3r::resources_dir()) / "calib" / "filament_flow" / "Orca-LinearFlow_fine.3mf").string()); + } else { + if (pass == 1) + add_model(false, + (boost::filesystem::path(Slic3r::resources_dir()) / "calib" / "filament_flow" / "flowrate-test-pass1.3mf").string()); + else + add_model(false, + (boost::filesystem::path(Slic3r::resources_dir()) / "calib" / "filament_flow" / "flowrate-test-pass2.3mf").string()); + } + + adjust_settings_for_flowrate_calib(model().objects, is_linear, pass); + wxGetApp().get_tab(Preset::TYPE_PRINTER)->reload_config(); +} + + void Plater::calib_temp(const Calib_Params& params) { const auto calib_temp_name = wxString::Format(L"Nozzle temperature test"); new_project(false, false, calib_temp_name); diff --git a/src/slic3r/GUI/Plater.hpp b/src/slic3r/GUI/Plater.hpp index 16396631a8..109e7845dc 100644 --- a/src/slic3r/GUI/Plater.hpp +++ b/src/slic3r/GUI/Plater.hpp @@ -259,7 +259,7 @@ public: // SoftFever void calib_pa(const Calib_Params& params); - void calib_flowrate(int pass); + void calib_flowrate(bool is_linear, int pass); void calib_temp(const Calib_Params& params); void calib_max_vol_speed(const Calib_Params& params); void calib_retraction(const Calib_Params& params); From 2eb1adb719d39440c2c13d45010eb28702bf53ae Mon Sep 17 00:00:00 2001 From: Vovodroid Date: Thu, 22 Aug 2024 19:02:58 +0300 Subject: [PATCH 05/35] Reduce warnings: remove unused variables (#6499) Removed unused variables --- src/OrcaSlicer.cpp | 1 - src/libslic3r/Format/bbs_3mf.cpp | 1 - src/slic3r/GUI/DeviceManager.cpp | 2 +- src/slic3r/GUI/GLCanvas3D.cpp | 1 - src/slic3r/GUI/GLTexture.cpp | 1 - src/slic3r/GUI/GUI_App.cpp | 12 +++++------- src/slic3r/GUI/GUI_Factories.cpp | 1 - src/slic3r/GUI/GUI_ObjectList.cpp | 2 +- src/slic3r/GUI/Jobs/PrintJob.cpp | 3 +-- src/slic3r/GUI/Jobs/SendJob.cpp | 1 - src/slic3r/GUI/ModelMall.cpp | 2 +- src/slic3r/GUI/PartPlate.cpp | 8 ++++---- src/slic3r/GUI/Plater.cpp | 9 ++++----- src/slic3r/GUI/Project.cpp | 2 +- src/slic3r/GUI/Search.cpp | 1 - src/slic3r/GUI/UserManager.cpp | 2 +- src/slic3r/GUI/WebDownPluginDlg.cpp | 2 +- src/slic3r/GUI/Widgets/WebView.cpp | 2 +- 18 files changed, 21 insertions(+), 32 deletions(-) diff --git a/src/OrcaSlicer.cpp b/src/OrcaSlicer.cpp index bb52a0aea1..5ec7d97d9d 100644 --- a/src/OrcaSlicer.cpp +++ b/src/OrcaSlicer.cpp @@ -1190,7 +1190,6 @@ int CLI::run(int argc, char **argv) //BBS: add plate data related logic PlateDataPtrs plate_data_src; std::vector plate_obj_size_infos; - int arrange_option; int plate_to_slice = 0, filament_count = 0, duplicate_count = 0, real_duplicate_count = 0; bool first_file = true, is_bbl_3mf = false, need_arrange = true, has_thumbnails = false, up_config_to_date = false, normative_check = true, duplicate_single_object = false, use_first_fila_as_default = false, minimum_save = false, enable_timelapse = false; bool allow_rotations = true, skip_modified_gcodes = false, avoid_extrusion_cali_region = false, skip_useless_pick = false, allow_newer_file = false; diff --git a/src/libslic3r/Format/bbs_3mf.cpp b/src/libslic3r/Format/bbs_3mf.cpp index 90f4536b95..206fc2aacd 100644 --- a/src/libslic3r/Format/bbs_3mf.cpp +++ b/src/libslic3r/Format/bbs_3mf.cpp @@ -878,7 +878,6 @@ void PlateData::parse_filament_info(GCodeProcessorResult *result) bool extract_object_model() { mz_zip_archive archive; - mz_zip_archive_file_stat stat; mz_zip_zero_struct(&archive); if (!open_zip_reader(&archive, zip_path)) { diff --git a/src/slic3r/GUI/DeviceManager.cpp b/src/slic3r/GUI/DeviceManager.cpp index a79dd0a027..4c4eb37c60 100644 --- a/src/slic3r/GUI/DeviceManager.cpp +++ b/src/slic3r/GUI/DeviceManager.cpp @@ -5662,7 +5662,7 @@ void DeviceManager::parse_user_print_info(std::string body) } } } - catch (std::exception& e) { + catch (std::exception&) { ; } } diff --git a/src/slic3r/GUI/GLCanvas3D.cpp b/src/slic3r/GUI/GLCanvas3D.cpp index 6365b88a26..5f45d9b1c5 100644 --- a/src/slic3r/GUI/GLCanvas3D.cpp +++ b/src/slic3r/GUI/GLCanvas3D.cpp @@ -8434,7 +8434,6 @@ void GLCanvas3D::_render_assemble_info() const auto canvas_h = float(get_canvas_size().get_height()); float space_size = imgui->get_style_scaling() * 8.0f; float caption_max = imgui->calc_text_size(_L("Total Volume:")).x + 3 * space_size; - char buf[3][64]; ImGuiIO& io = ImGui::GetIO(); ImFont* font = io.Fonts->Fonts[0]; diff --git a/src/slic3r/GUI/GLTexture.cpp b/src/slic3r/GUI/GLTexture.cpp index 79cbb77370..be0b402653 100644 --- a/src/slic3r/GUI/GLTexture.cpp +++ b/src/slic3r/GUI/GLTexture.cpp @@ -470,7 +470,6 @@ void GLTexture::reset() bool GLTexture::generate_from_text_string(const std::string& text_str, wxFont &font, wxColor background, wxColor foreground) { - int w,h,hl; return generate_from_text(text_str, font, background, foreground); } diff --git a/src/slic3r/GUI/GUI_App.cpp b/src/slic3r/GUI/GUI_App.cpp index eb5ae0c38a..4c89e966b7 100644 --- a/src/slic3r/GUI/GUI_App.cpp +++ b/src/slic3r/GUI/GUI_App.cpp @@ -1026,7 +1026,7 @@ void GUI_App::post_init() try { std::time_t lw_t = boost::filesystem::last_write_time(temp_path) ; files_vec.push_back({ lw_t, temp_path.filename().string() }); - } catch (const std::exception &ex) { + } catch (const std::exception &) { } } std::sort(files_vec.begin(), files_vec.end(), []( @@ -3365,7 +3365,7 @@ if (res) { mainframe->refresh_plugin_tips(); // BBS: remove SLA related message } - } catch (std::exception &e) { + } catch (std::exception &) { // wxMessageBox(e.what(), "", MB_OK); } } @@ -3379,7 +3379,7 @@ void GUI_App::ShowDownNetPluginDlg() { return; DownloadProgressDialog dlg(_L("Downloading Bambu Network Plug-in")); dlg.ShowModal(); - } catch (std::exception &e) { + } catch (std::exception &) { ; } } @@ -3396,7 +3396,7 @@ void GUI_App::ShowUserLogin(bool show) login_dlg = new ZUserLogin(); } login_dlg->ShowModal(); - } catch (std::exception &e) { + } catch (std::exception &) { ; } } else { @@ -3418,7 +3418,7 @@ void GUI_App::ShowOnlyFilament() { // BBS: remove SLA related message } - } catch (std::exception &e) { + } catch (std::exception &) { // wxMessageBox(e.what(), "", MB_OK); } } @@ -6507,8 +6507,6 @@ static bool del_win_registry(HKEY hkeyHive, const wchar_t *pszVar, const wchar_t return false; if (!bDidntExist) { - DWORD dwDisposition; - HKEY hkey; iRC = ::RegDeleteKeyExW(hkeyHive, pszVar, KEY_ALL_ACCESS, 0); if (iRC == ERROR_SUCCESS) { return true; diff --git a/src/slic3r/GUI/GUI_Factories.cpp b/src/slic3r/GUI/GUI_Factories.cpp index ee19b25497..3cd5c2e057 100644 --- a/src/slic3r/GUI/GUI_Factories.cpp +++ b/src/slic3r/GUI/GUI_Factories.cpp @@ -1977,7 +1977,6 @@ void MenuFactory::append_menu_item_set_printable(wxMenu* menu) for (wxDataViewItem item : sels) { ItemType type = list->GetModel()->GetItemType(item); - bool check; if (type != itInstance && type != itObject) continue; else { diff --git a/src/slic3r/GUI/GUI_ObjectList.cpp b/src/slic3r/GUI/GUI_ObjectList.cpp index 30846abf51..e1fc0b0f18 100644 --- a/src/slic3r/GUI/GUI_ObjectList.cpp +++ b/src/slic3r/GUI/GUI_ObjectList.cpp @@ -2006,7 +2006,7 @@ void ObjectList::load_modifier(const wxArrayString& input_files, ModelObject& mo try { model = Model::read_from_file(input_file, nullptr, nullptr, LoadStrategy::LoadModel); } - catch (std::exception& e) { + catch (std::exception&) { // auto msg = _L("Error!") + " " + input_file + " : " + e.what() + "."; auto msg = _L("Error!") + " " + _L("Failed to get the model data in the current file."); show_error(parent, msg); diff --git a/src/slic3r/GUI/Jobs/PrintJob.cpp b/src/slic3r/GUI/Jobs/PrintJob.cpp index a54310c234..31bbccfb96 100644 --- a/src/slic3r/GUI/Jobs/PrintJob.cpp +++ b/src/slic3r/GUI/Jobs/PrintJob.cpp @@ -150,7 +150,6 @@ void PrintJob::process(Ctl &ctl) ctl.call_on_main_thread([this] { prepare(); }).wait(); int result = -1; - unsigned int http_code; std::string http_body; int total_plate_num = plate_data.plate_count; @@ -312,7 +311,7 @@ void PrintJob::process(Ctl &ctl) try { stl_design_id = std::stoi(wxGetApp().model().stl_design_id); } - catch (const std::exception& e) { + catch (const std::exception&) { stl_design_id = 0; } params.stl_design_id = stl_design_id; diff --git a/src/slic3r/GUI/Jobs/SendJob.cpp b/src/slic3r/GUI/Jobs/SendJob.cpp index 6566060546..1964aa24ec 100644 --- a/src/slic3r/GUI/Jobs/SendJob.cpp +++ b/src/slic3r/GUI/Jobs/SendJob.cpp @@ -111,7 +111,6 @@ void SendJob::process(Ctl &ctl) NetworkAgent* m_agent = wxGetApp().getAgent(); AppConfig* config = wxGetApp().app_config; int result = -1; - unsigned int http_code; std::string http_body; if (this->connection_type == "lan") { diff --git a/src/slic3r/GUI/ModelMall.cpp b/src/slic3r/GUI/ModelMall.cpp index f14de1ebf0..45833ba80c 100644 --- a/src/slic3r/GUI/ModelMall.cpp +++ b/src/slic3r/GUI/ModelMall.cpp @@ -133,7 +133,7 @@ namespace GUI { } } - catch (std::exception& e) { + catch (std::exception&) { // wxMessageBox(e.what(), "json Exception", MB_OK); } } diff --git a/src/slic3r/GUI/PartPlate.cpp b/src/slic3r/GUI/PartPlate.cpp index 7f2353a304..ce65811936 100644 --- a/src/slic3r/GUI/PartPlate.cpp +++ b/src/slic3r/GUI/PartPlate.cpp @@ -2522,7 +2522,7 @@ void PartPlate::generate_print_polygon(ExPolygon &print_polygon) { auto compute_points = [&print_polygon](Vec2d& center, double radius, double start_angle, double stop_angle, int count) { - double angle, angle_steps; + double angle_steps; angle_steps = (stop_angle - start_angle) / (count - 1); for(int j = 0; j < count; j++ ) { @@ -2541,7 +2541,7 @@ void PartPlate::generate_print_polygon(ExPolygon &print_polygon) { const Vec2d& p = m_shape[i]; Vec2d center; - double start_angle, stop_angle, angle_steps, radius_x, radius_y, radius; + double start_angle, stop_angle, radius_x, radius_y, radius; switch (i) { case 0: radius = 5.f; @@ -2592,7 +2592,7 @@ void PartPlate::generate_exclude_polygon(ExPolygon &exclude_polygon) { auto compute_exclude_points = [&exclude_polygon](Vec2d& center, double radius, double start_angle, double stop_angle, int count) { - double angle, angle_steps; + double angle_steps; angle_steps = (stop_angle - start_angle) / (count - 1); for(int j = 0; j < count; j++ ) { @@ -2611,7 +2611,7 @@ void PartPlate::generate_exclude_polygon(ExPolygon &exclude_polygon) { const Vec2d& p = m_exclude_area[i]; Vec2d center; - double start_angle, stop_angle, angle_steps, radius_x, radius_y, radius; + double start_angle, stop_angle, radius; switch (i) { case 0: radius = 5.f; diff --git a/src/slic3r/GUI/Plater.cpp b/src/slic3r/GUI/Plater.cpp index 469bba9117..34eaa55be9 100644 --- a/src/slic3r/GUI/Plater.cpp +++ b/src/slic3r/GUI/Plater.cpp @@ -9083,7 +9083,7 @@ void Plater::import_model_id(wxString download_info) } } - catch (const std::exception& error) + catch (const std::exception&) { //wxString sError = error.what(); } @@ -9125,7 +9125,6 @@ void Plater::import_model_id(wxString download_info) // if (!m_agent) return; int res = 0; - unsigned int http_code; std::string http_body; msg = _L("prepare 3mf file..."); @@ -9164,7 +9163,7 @@ void Plater::import_model_id(wxString download_info) if (sFile == filename) is_already_exist = true; } } - catch (const std::exception& error) + catch (const std::exception&) { //wxString sError = error.what(); } @@ -12604,7 +12603,7 @@ int Plater::send_gcode(int plate_idx, Export3mfProgressFn proFn) p->m_print_job_data._3mf_path = fs::path(plate->get_tmp_gcode_path()); p->m_print_job_data._3mf_path.replace_extension("3mf"); } - catch (std::exception& e) { + catch (std::exception&) { BOOST_LOG_TRIVIAL(error) << "generate 3mf path failed"; return -1; } @@ -12637,7 +12636,7 @@ int Plater::export_config_3mf(int plate_idx, Export3mfProgressFn proFn) try { p->m_print_job_data._3mf_config_path = fs::path(plate->get_temp_config_3mf_path()); } - catch (std::exception& e) { + catch (std::exception&) { BOOST_LOG_TRIVIAL(error) << "generate 3mf path failed"; return -1; } diff --git a/src/slic3r/GUI/Project.cpp b/src/slic3r/GUI/Project.cpp index 003d0e4cdd..e69ba143db 100644 --- a/src/slic3r/GUI/Project.cpp +++ b/src/slic3r/GUI/Project.cpp @@ -266,7 +266,7 @@ void ProjectPanel::OnScriptMessage(wxWebViewEvent& evt) } } - catch (std::exception& e) { + catch (std::exception&) { // wxMessageBox(e.what(), "json Exception", MB_OK); } } diff --git a/src/slic3r/GUI/Search.cpp b/src/slic3r/GUI/Search.cpp index c8a661769f..958f3b2b2e 100644 --- a/src/slic3r/GUI/Search.cpp +++ b/src/slic3r/GUI/Search.cpp @@ -816,7 +816,6 @@ void SearchDialog::OnCheck(wxCommandEvent &event) void SearchDialog::OnMotion(wxMouseEvent &event) { wxDataViewItem item; - wxDataViewColumn *col; wxWindow * win = this; // search_list->HitTest(wxGetMousePosition() - win->GetScreenPosition(), item, col); diff --git a/src/slic3r/GUI/UserManager.cpp b/src/slic3r/GUI/UserManager.cpp index 29f5f2d137..4d3c1aceb2 100644 --- a/src/slic3r/GUI/UserManager.cpp +++ b/src/slic3r/GUI/UserManager.cpp @@ -41,7 +41,7 @@ int UserManager::parse_json(std::string payload) //bind if (j_pre["bind"]["command"].get() == "bind") { std::string dev_id; - std:; string result; + std::string result; if (j_pre["bind"].contains("dev_id")) { dev_id = j_pre["bind"]["dev_id"].get(); diff --git a/src/slic3r/GUI/WebDownPluginDlg.cpp b/src/slic3r/GUI/WebDownPluginDlg.cpp index 82d2816f2e..a4f3cc93ce 100644 --- a/src/slic3r/GUI/WebDownPluginDlg.cpp +++ b/src/slic3r/GUI/WebDownPluginDlg.cpp @@ -227,7 +227,7 @@ void DownPluginFrame::OnScriptMessage(wxWebViewEvent &evt) auto plugin_folder = (boost::filesystem::path(wxStandardPaths::Get().GetUserDataDir().ToUTF8().data()) / "plugins").make_preferred().string(); desktop_open_any_folder(plugin_folder); } - } catch (std::exception &e) { + } catch (std::exception &) { // wxMessageBox(e.what(), "json Exception", MB_OK); } } diff --git a/src/slic3r/GUI/Widgets/WebView.cpp b/src/slic3r/GUI/Widgets/WebView.cpp index 11f431c308..a84a150416 100644 --- a/src/slic3r/GUI/Widgets/WebView.cpp +++ b/src/slic3r/GUI/Widgets/WebView.cpp @@ -373,7 +373,7 @@ bool WebView::RunScript(wxWebView *webView, wxString const &javascript) }, NULL); return true; #endif - } catch (std::exception &e) { + } catch (std::exception &) { return false; } } From cd4de6be7e3c9c18a523a2f5ec3145359d45a6d7 Mon Sep 17 00:00:00 2001 From: Eren <68923754+PhenixNoir@users.noreply.github.com> Date: Thu, 22 Aug 2024 19:03:36 +0300 Subject: [PATCH 06/35] Update OrcaSlicer_tr.po (#6511) Incorrect mmu flush sentences corrected. Still might not be 100% accurate, but better this way --- localization/i18n/tr/OrcaSlicer_tr.po | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/localization/i18n/tr/OrcaSlicer_tr.po b/localization/i18n/tr/OrcaSlicer_tr.po index 37922c257d..a01233b2fc 100644 --- a/localization/i18n/tr/OrcaSlicer_tr.po +++ b/localization/i18n/tr/OrcaSlicer_tr.po @@ -1816,16 +1816,16 @@ msgid "Scale an object to fit the build volume" msgstr "Bir nesneyi yapı hacmine uyacak şekilde ölçeklendirin" msgid "Flush Options" -msgstr "Hizalama Seçenekleri" +msgstr "Akıtma Seçenekleri" msgid "Flush into objects' infill" -msgstr "Nesnelerin dolgusuna hizalayın" +msgstr "Nesnelerin dolgusuna akıtın" msgid "Flush into this object" -msgstr "Bu nesnenin içine hizala" +msgstr "Bu nesneye akıt" msgid "Flush into objects' support" -msgstr "Nesnelerin desteğine hizalayın" +msgstr "Nesnelerin desteğine akıt" msgid "Edit in Parameter Table" msgstr "Parametre tablosunda düzenle" From bcf45a332e8bebf2860f7e84df1ef1a8c15c9c6e Mon Sep 17 00:00:00 2001 From: Ioannis Giannakas <59056762+igiannakas@users.noreply.github.com> Date: Thu, 22 Aug 2024 17:05:43 +0100 Subject: [PATCH 07/35] Updated chamber temperature control tooltips (#6517) --- src/libslic3r/PrintConfig.cpp | 14 ++++++++++---- 1 file changed, 10 insertions(+), 4 deletions(-) diff --git a/src/libslic3r/PrintConfig.cpp b/src/libslic3r/PrintConfig.cpp index df57b11ed1..d3c3554a58 100644 --- a/src/libslic3r/PrintConfig.cpp +++ b/src/libslic3r/PrintConfig.cpp @@ -4755,15 +4755,21 @@ void PrintConfigDef::init_fff_params() def = this->add("activate_chamber_temp_control",coBools); def->label = L("Activate temperature control"); - def->tooltip = L("Enable this option for chamber temperature control. An M191 command will be added before \"machine_start_gcode\"\nG-code commands: M141/M191 S(0-255)"); + def->tooltip = L("Enable this option for automated chamber temperature control. This option activates the emitting of an M191 command before the \"machine_start_gcode\"\n which sets the " + "chamber temperature and waits until it is reached. In addition, it emits an M141 command at the end of the print to turn off the chamber heater, if present. \n\n" + "This option relies on the firmware supporting the M191 and M141 commands either via macros or natively and is usually used when an active chamber heater is installed."); def->mode = comSimple; def->set_default_value(new ConfigOptionBools{false}); def = this->add("chamber_temperature", coInts); def->label = L("Chamber temperature"); - def->tooltip = L("Higher chamber temperature can help suppress or reduce warping and potentially lead to higher interlayer bonding strength for high temperature materials like ABS, ASA, PC, PA and so on." - "At the same time, the air filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and other low temperature materials," - "the actual chamber temperature should not be high to avoid cloggings, so 0 which stands for turning off is highly recommended" + def->tooltip = L("For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber temperature can help suppress or reduce warping and potentially lead to higher interlayer bonding strength. " + "However, at the same time, a higher chamber temperature will reduce the efficiency of air filtration for ABS and ASA. \n\n" + "For PLA, PETG, TPU, PVA, and other low-temperature materials, this option should be disabled (set to 0) as the chamber temperature should be low to avoid extruder clogging caused " + "by material softening at the heat break.\n\n" + "If enabled, this parameter also sets a gcode variable named chamber_temperature, which can be used to pass the desired chamber temperature to your print start macro, " + "or a heat soak macro like this: PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may be useful if your printer does not support M141/M191 commands, or if you desire " + "to handle heat soaking in the print start macro if no active chamber heater is installed." ); def->sidetext = L("°C"); def->full_label = L("Chamber temperature"); From 91e775b1b459e2c34ee4a93e2966c1de95ff7337 Mon Sep 17 00:00:00 2001 From: Ioannis Giannakas <59056762+igiannakas@users.noreply.github.com> Date: Thu, 22 Aug 2024 17:16:38 +0100 Subject: [PATCH 08/35] Revert "Take filament flow ratio into account when displaying flow in gcode legend" (#6525) This reverts commit ff53f401be68cece5f4cae7a45d0c0116753ffbf. --- src/libslic3r/GCode/GCodeProcessor.cpp | 19 ++----------------- src/libslic3r/GCode/GCodeProcessor.hpp | 2 -- 2 files changed, 2 insertions(+), 19 deletions(-) diff --git a/src/libslic3r/GCode/GCodeProcessor.cpp b/src/libslic3r/GCode/GCodeProcessor.cpp index 852bebda31..757939637e 100644 --- a/src/libslic3r/GCode/GCodeProcessor.cpp +++ b/src/libslic3r/GCode/GCodeProcessor.cpp @@ -47,7 +47,6 @@ static const float DEFAULT_FILAMENT_DIAMETER = 1.75f; static const int DEFAULT_FILAMENT_HRC = 0; static const float DEFAULT_FILAMENT_DENSITY = 1.245f; static const float DEFAULT_FILAMENT_COST = 29.99f; -static const float DEFAULT_FILAMENT_FLOW_RATIOS = 1.0f; static const int DEFAULT_FILAMENT_VITRIFICATION_TEMPERATURE = 0; static const Slic3r::Vec3f DEFAULT_EXTRUDER_OFFSET = Slic3r::Vec3f::Zero(); @@ -955,7 +954,6 @@ void GCodeProcessorResult::reset() { required_nozzle_HRC = std::vector(MIN_EXTRUDERS_COUNT, DEFAULT_FILAMENT_HRC); filament_densities = std::vector(MIN_EXTRUDERS_COUNT, DEFAULT_FILAMENT_DENSITY); filament_costs = std::vector(MIN_EXTRUDERS_COUNT, DEFAULT_FILAMENT_COST); - filament_flow_ratios = std::vector(MIN_EXTRUDERS_COUNT, DEFAULT_FILAMENT_FLOW_RATIOS); custom_gcode_per_print_z = std::vector(); spiral_vase_layers = std::vector>>(); bed_match_result = BedMatchResult(true); @@ -1078,7 +1076,6 @@ void GCodeProcessor::apply_config(const PrintConfig& config) m_result.filament_densities.resize(extruders_count); m_result.filament_vitrification_temperature.resize(extruders_count); m_result.filament_costs.resize(extruders_count); - m_result.filament_flow_ratios.resize(extruders_count); m_extruder_temps.resize(extruders_count); m_extruder_temps_config.resize(extruders_count); m_extruder_temps_first_layer_config.resize(extruders_count); @@ -1098,7 +1095,6 @@ void GCodeProcessor::apply_config(const PrintConfig& config) m_result.filament_densities[i] = static_cast(config.filament_density.get_at(i)); m_result.filament_vitrification_temperature[i] = static_cast(config.temperature_vitrification.get_at(i)); m_result.filament_costs[i] = static_cast(config.filament_cost.get_at(i)); - m_result.filament_flow_ratios[i] = static_cast(config.filament_flow_ratio.get_at(i)); } if (m_flavor == gcfMarlinLegacy || m_flavor == gcfMarlinFirmware || m_flavor == gcfKlipper || m_flavor == gcfRepRapFirmware) { @@ -1262,15 +1258,6 @@ void GCodeProcessor::apply_config(const DynamicPrintConfig& config) m_result.filament_costs.emplace_back(DEFAULT_FILAMENT_COST); } - // Orca: filament flow ratio - const ConfigOptionFloats* filament_flow_ratios = config.option("filament_flow_ratio"); - if (filament_flow_ratios != nullptr) { - m_result.filament_flow_ratios.clear(); - m_result.filament_flow_ratios.resize(filament_flow_ratios->values.size()); - for (size_t i = 0; i < filament_flow_ratios->values.size(); ++i) - m_result.filament_flow_ratios[i]=static_cast(filament_flow_ratios->values[i]); - } - //BBS const ConfigOptionInts* filament_vitrification_temperature = config.option("temperature_vitrification"); if (filament_vitrification_temperature != nullptr) { @@ -2930,7 +2917,6 @@ void GCodeProcessor::process_G0(const GCodeReader::GCodeLine& line) void GCodeProcessor::process_G1(const GCodeReader::GCodeLine& line, const std::optional& remaining_internal_g1_lines) { float filament_diameter = (static_cast(m_extruder_id) < m_result.filament_diameters.size()) ? m_result.filament_diameters[m_extruder_id] : m_result.filament_diameters.back(); - float filament_flowratio = (static_cast(m_extruder_id) < m_result.filament_flow_ratios.size()) ? m_result.filament_flow_ratios[m_extruder_id] : m_result.filament_flow_ratios.back(); float filament_radius = 0.5f * filament_diameter; float area_filament_cross_section = static_cast(M_PI) * sqr(filament_radius); auto absolute_position = [this, area_filament_cross_section](Axis axis, const GCodeReader::GCodeLine& lineG1) { @@ -3008,7 +2994,7 @@ void GCodeProcessor::process_G1(const GCodeReader::GCodeLine& line, const std::o m_used_filaments.increase_model_caches(volume_extruded_filament); } // volume extruded filament / tool displacement = area toolpath cross section - m_mm3_per_mm = area_toolpath_cross_section * filament_flowratio; + m_mm3_per_mm = area_toolpath_cross_section; #if ENABLE_GCODE_VIEWER_DATA_CHECKING m_mm3_per_mm_compare.update(area_toolpath_cross_section, m_extrusion_role); #endif // ENABLE_GCODE_VIEWER_DATA_CHECKING @@ -3359,7 +3345,6 @@ void GCodeProcessor::process_G1(const GCodeReader::GCodeLine& line, const std::o void GCodeProcessor::process_G2_G3(const GCodeReader::GCodeLine& line) { float filament_diameter = (static_cast(m_extruder_id) < m_result.filament_diameters.size()) ? m_result.filament_diameters[m_extruder_id] : m_result.filament_diameters.back(); - float filament_flowratio = (static_cast(m_extruder_id) < m_result.filament_flow_ratios.size()) ? m_result.filament_flow_ratios[m_extruder_id] : m_result.filament_flow_ratios.back(); float filament_radius = 0.5f * filament_diameter; float area_filament_cross_section = static_cast(M_PI) * sqr(filament_radius); auto absolute_position = [this, area_filament_cross_section](Axis axis, const GCodeReader::GCodeLine& lineG2_3) { @@ -3488,7 +3473,7 @@ void GCodeProcessor::process_G2_G3(const GCodeReader::GCodeLine& line) m_used_filaments.increase_model_caches(volume_extruded_filament); } //BBS: volume extruded filament / tool displacement = area toolpath cross section - m_mm3_per_mm = area_toolpath_cross_section * filament_flowratio; + m_mm3_per_mm = area_toolpath_cross_section; #if ENABLE_GCODE_VIEWER_DATA_CHECKING m_mm3_per_mm_compare.update(area_toolpath_cross_section, m_extrusion_role); #endif // ENABLE_GCODE_VIEWER_DATA_CHECKING diff --git a/src/libslic3r/GCode/GCodeProcessor.hpp b/src/libslic3r/GCode/GCodeProcessor.hpp index da47cea688..21403cc205 100644 --- a/src/libslic3r/GCode/GCodeProcessor.hpp +++ b/src/libslic3r/GCode/GCodeProcessor.hpp @@ -215,7 +215,6 @@ class Print; std::vector required_nozzle_HRC; std::vector filament_densities; std::vector filament_costs; - std::vector filament_flow_ratios; std::vector filament_vitrification_temperature; PrintEstimatedStatistics print_statistics; std::vector custom_gcode_per_print_z; @@ -251,7 +250,6 @@ class Print; filament_diameters = other.filament_diameters; filament_densities = other.filament_densities; filament_costs = other.filament_costs; - filament_flow_ratios = other.filament_flow_ratios; print_statistics = other.print_statistics; custom_gcode_per_print_z = other.custom_gcode_per_print_z; spiral_vase_layers = other.spiral_vase_layers; From bf79a93e1bedc08a5191088829a69d3513e78c17 Mon Sep 17 00:00:00 2001 From: FlyingbearOfficial <150423627+FlyingbearOfficial@users.noreply.github.com> Date: Fri, 23 Aug 2024 19:23:30 +0800 Subject: [PATCH 09/35] upgrade start_gcode (#6541) * Update FlyingBear S1 0.4 nozzle.json * Update 0.16mm Optimal @FlyingBear Reborn3.json * Update 0.16mm Optimal @FlyingBear S1.json * Update fdm_process_common.json * Update fdm_klipper_common.json * Update fdm_machine_common.json * Update fdm_klipper_common.json * Update fdm_machine_common.json * Update fdm_process_common.json * Update fdm_process_common_S1.json fix some parameters * Update fdm_process_common.json * Update FlyingBear S1 0.4 nozzle.json * Update 0.08mm Extra Fine @FlyingBear S1.json * Update 0.12mm Fine @FlyingBear S1.json * Update 0.16mm Optimal @FlyingBear S1.json * Update 0.20mm Standard @FlyingBear S1.json * Update 0.24mm Draft @FlyingBear S1.json * Update 0.08mm Extra Fine @FlyingBear Reborn3.json * Update 0.12mm Fine @FlyingBear Reborn3.json * Update 0.16mm Optimal @FlyingBear Reborn3.json * Update 0.20mm Standard @FlyingBear Reborn3.json * Update 0.24mm Draft @FlyingBear Reborn3.json * Update FlyingBear S1 0.4 nozzle.json --- .../FlyingBear/machine/S1/FlyingBear S1 0.4 nozzle.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/resources/profiles/FlyingBear/machine/S1/FlyingBear S1 0.4 nozzle.json b/resources/profiles/FlyingBear/machine/S1/FlyingBear S1 0.4 nozzle.json index 7ac0390672..e8452b5c24 100644 --- a/resources/profiles/FlyingBear/machine/S1/FlyingBear S1 0.4 nozzle.json +++ b/resources/profiles/FlyingBear/machine/S1/FlyingBear S1 0.4 nozzle.json @@ -115,7 +115,7 @@ "0" ], "machine_pause_gcode": "PAUSE", - "machine_start_gcode": ";v2.9.1-20240620;\n;wiping nozzle start\nM106 P3 S0\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F6000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F6000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[0] + 60,print_bed_max[0])} F6000 \nG1 Z0.2 F600\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\nG1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\nG92 E0 ;reset extruder\nG1 E4 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 60,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", + "machine_start_gcode": ";v2.9.2-20240814;\n;wiping nozzle start\nM106 P3 S0\nM140 S[bed_temperature_initial_layer_single]\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F10000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nG1 Z5\nM190 S[bed_temperature_initial_layer_single]\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F8000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0 F400\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\n;G1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\n;G92 E0 ;reset extruder\nG1 E3 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", "machine_unload_filament_time": "0", "max_layer_height": [ "0.28" From 2012fab758e0a5bf8eb3d89ebbc206378abf2b16 Mon Sep 17 00:00:00 2001 From: InfimechOfficial <144992637+InfimechOfficial@users.noreply.github.com> Date: Fri, 23 Aug 2024 19:23:55 +0800 Subject: [PATCH 10/35] upgrade start_gcode (#6540) * Update fdm_klipper_common.json * Update fdm_machine_common.json * Update fdm_klipper_common.json * Update fdm_machine_common.json --- resources/profiles/InfiMech/machine/HSN/fdm_klipper_common.json | 2 +- resources/profiles/InfiMech/machine/HSN/fdm_machine_common.json | 2 +- resources/profiles/InfiMech/machine/fdm_klipper_common.json | 2 +- resources/profiles/InfiMech/machine/fdm_machine_common.json | 2 +- 4 files changed, 4 insertions(+), 4 deletions(-) diff --git a/resources/profiles/InfiMech/machine/HSN/fdm_klipper_common.json b/resources/profiles/InfiMech/machine/HSN/fdm_klipper_common.json index 5355d44295..2d1e2aaa55 100644 --- a/resources/profiles/InfiMech/machine/HSN/fdm_klipper_common.json +++ b/resources/profiles/InfiMech/machine/HSN/fdm_klipper_common.json @@ -112,7 +112,7 @@ "0" ], "machine_pause_gcode": "PAUSE", - "machine_start_gcode": ";v2.9.1-20240620;\n;wiping nozzle start\nM106 P3 S0\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F6000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F6000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[0] + 60,print_bed_max[0])} F6000 \nG1 Z0.2 F600\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\nG1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\nG92 E0 ;reset extruder\nG1 E4 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 60,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", + "machine_start_gcode": ";v2.9.2-20240814;\n;wiping nozzle start\nM106 P3 S0\nM140 S[bed_temperature_initial_layer_single]\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F10000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nG1 Z5\nM190 S[bed_temperature_initial_layer_single]\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F8000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0 F400\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\n;G1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\n;G92 E0 ;reset extruder\nG1 E3 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", "machine_unload_filament_time": "0", "max_layer_height": [ "0.28" diff --git a/resources/profiles/InfiMech/machine/HSN/fdm_machine_common.json b/resources/profiles/InfiMech/machine/HSN/fdm_machine_common.json index 540e10e977..31eedc682c 100644 --- a/resources/profiles/InfiMech/machine/HSN/fdm_machine_common.json +++ b/resources/profiles/InfiMech/machine/HSN/fdm_machine_common.json @@ -112,7 +112,7 @@ "0" ], "machine_pause_gcode": "PAUSE", - "machine_start_gcode": ";v2.9.1-20240620;\n;wiping nozzle start\nM106 P3 S0\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F6000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F6000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[0] + 60,print_bed_max[0])} F6000 \nG1 Z0.2 F600\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\nG1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\nG92 E0 ;reset extruder\nG1 E4 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 60,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", + "machine_start_gcode": ";v2.9.2-20240814;\n;wiping nozzle start\nM106 P3 S0\nM140 S[bed_temperature_initial_layer_single]\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F10000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nG1 Z5\nM190 S[bed_temperature_initial_layer_single]\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F8000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0 F400\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\n;G1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\n;G92 E0 ;reset extruder\nG1 E3 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", "machine_unload_filament_time": "0", "max_layer_height": [ "0.28" diff --git a/resources/profiles/InfiMech/machine/fdm_klipper_common.json b/resources/profiles/InfiMech/machine/fdm_klipper_common.json index abbdab157f..23d50fef1e 100644 --- a/resources/profiles/InfiMech/machine/fdm_klipper_common.json +++ b/resources/profiles/InfiMech/machine/fdm_klipper_common.json @@ -112,7 +112,7 @@ "0" ], "machine_pause_gcode": "PAUSE", - "machine_start_gcode": ";v2.9.1-20240620;\n;wiping nozzle start\nM106 P3 S0\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F6000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F6000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[0] + 60,print_bed_max[0])} F6000 \nG1 Z0.2 F600\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\nG1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\nG92 E0 ;reset extruder\nG1 E4 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 60,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", + "machine_start_gcode": ";v2.9.2-20240814;\n;wiping nozzle start\nM106 P3 S0\nM140 S[bed_temperature_initial_layer_single]\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F10000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nG1 Z5\nM190 S[bed_temperature_initial_layer_single]\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F8000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0 F400\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\n;G1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\n;G92 E0 ;reset extruder\nG1 E3 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", "machine_unload_filament_time": "0", "max_layer_height": [ "0.28" diff --git a/resources/profiles/InfiMech/machine/fdm_machine_common.json b/resources/profiles/InfiMech/machine/fdm_machine_common.json index 9a8caa0aa9..00dca16a19 100644 --- a/resources/profiles/InfiMech/machine/fdm_machine_common.json +++ b/resources/profiles/InfiMech/machine/fdm_machine_common.json @@ -112,7 +112,7 @@ "0" ], "machine_pause_gcode": "PAUSE", - "machine_start_gcode": ";v2.9.1-20240620;\n;wiping nozzle start\nM106 P3 S0\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F6000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F6000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[0] + 60,print_bed_max[0])} F6000 \nG1 Z0.2 F600\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\nG1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\nG92 E0 ;reset extruder\nG1 E4 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 60,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", + "machine_start_gcode": ";v2.9.2-20240814;\n;wiping nozzle start\nM106 P3 S0\nM140 S[bed_temperature_initial_layer_single]\nclean_nozzle_position\n;wiping nozzle end\n;*************preheat nozzle and hotbed for Z_TILT_ADJUST*************\nM140 S[bed_temperature_initial_layer_single]\nM104 S130\nG1 X110 Y110 F10000 \nG4 P200\nprobe\nSET_KINEMATIC_POSITION Z=0 ;Z homing\nG1 Z5\nM190 S[bed_temperature_initial_layer_single]\nZ_TILT_ADJUST \n;*************Z_TILT_ADJUST end*************\nM140 S[bed_temperature_initial_layer_single] ;heat hotbed temp set by user\nG1 X5 Y5 F8000 \nG28 \nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0 F400\nM104 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user\nM106 S100 ;close head_nozzle fan\nG4 P3000\nM106 S255 ;close head_nozzle fan\nG4 P3000\nM106 S100 ;close head_nozzle fan\n;*************PRINT START*************\nM109 S[nozzle_temperature_initial_layer] ;heat nozzle temp set by user and wait \nM190 S[bed_temperature_initial_layer_single];heat bed temp set by user and wait \nM106 S0 ;close head_nozzle fan\nBED_MESH_CLEAR \nBED_MESH_PROFILE LOAD=default # bedmesh load\nG92 E0 ;Reset Extruder\n;G1 Z4.0 F200 ;Move Z Axis up\nG90 ;absolute position\n ; ; ; ; ; ; ; ; ; draw line along model\n;G92 E0 ;reset extruder\nG1 E3 F300 ;extrude filament\nG1 X{first_layer_print_min[0]-1.5} Y{min(first_layer_print_min[1] + 100,print_bed_max[0])} F6000 \nG1 Z0.22 F600\nG1 X{first_layer_print_min[0]-1.5} Y{max(0, first_layer_print_min[1]-1.5)} F2000 E10\nG1 Z0.22 F600\nG1 X{min(first_layer_print_min[0] + 60,print_bed_max[0])} F1200 E12\n ; ; ; ; ; ; ; ; ;draw line along model end \nG4 P200\nG1 Z2\nG92 E0 ;Reset Extruder\nCLEAR_PAUSE\n;***********model start************\n", "machine_unload_filament_time": "0", "max_layer_height": [ "0.28" From a2218ac99cdf21a647d6db068f62936fc3ea32c5 Mon Sep 17 00:00:00 2001 From: J-D <16978110+createthisnl@users.noreply.github.com> Date: Fri, 23 Aug 2024 13:24:30 +0200 Subject: [PATCH 11/35] Update Dutch language (#6542) Spelling errors corrected. Incorrect translations corrected. Added several untranslated parts. --- localization/i18n/nl/OrcaSlicer_nl.po | 6899 +++++++++++-------------- 1 file changed, 3117 insertions(+), 3782 deletions(-) diff --git a/localization/i18n/nl/OrcaSlicer_nl.po b/localization/i18n/nl/OrcaSlicer_nl.po index a34760c9bc..48573c2b04 100644 --- a/localization/i18n/nl/OrcaSlicer_nl.po +++ b/localization/i18n/nl/OrcaSlicer_nl.po @@ -4,12 +4,15 @@ msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2024-08-03 18:54+0200\n" +"PO-Revision-Date: \n" +"Last-Translator: \n" +"Language-Team: \n" "Language: nl\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n==1) ? 0 : 1;\n" -"X-Generator: Localazy (https://localazy.com)\n" +"X-Generator: Poedit 3.4.4\n" msgid "Supports Painting" msgstr "Ondersteuning (Support) tekenen" @@ -103,16 +106,15 @@ msgid "Gizmo-Place on Face" msgstr "Plaats op vlak" msgid "Lay on face" -msgstr "Op deze zijde neerleggen." +msgstr "Op zijde leggen" #, boost-format msgid "" -"Filament count exceeds the maximum number that painting tool supports. only " -"the first %1% filaments will be available in painting tool." +"Filament count exceeds the maximum number that painting tool supports. only the first %1% " +"filaments will be available in painting tool." msgstr "" -"Het aantal filamenten overschrijdt het maximale aantal dat het " -"tekengereedschap ondersteunt. Alleen de eerste %1% filamenten zijn " -"beschikbaar in de tekentool." +"Het aantal filamenten overschrijdt het maximale aantal dat het tekengereedschap " +"ondersteunt. Alleen de eerste %1% filamenten zijn beschikbaar in de tekentool." msgid "Color Painting" msgstr "Kleuren schilderen" @@ -254,7 +256,7 @@ msgid "World coordinates" msgstr "Wereldcoördinaten" msgid "Object coordinates" -msgstr "" +msgstr "Objectcoördinaten" msgid "°" msgstr "°" @@ -267,7 +269,7 @@ msgid "%" msgstr "%" msgid "uniform scale" -msgstr "Uniform schalen" +msgstr "uniform schalen" msgid "Planar" msgstr "Planair" @@ -291,7 +293,7 @@ msgid "Snap" msgstr "Snap" msgid "Prism" -msgstr "" +msgstr "Prisma" msgid "Frustum" msgstr "Frustum" @@ -309,7 +311,7 @@ msgid "Place on cut" msgstr "Op kniplijn plaatsen" msgid "Flip upside down" -msgstr "" +msgstr "Draai ondersteboven" msgid "Connectors" msgstr "Verbindingen" @@ -520,8 +522,7 @@ msgstr "Snij met behulp van vlak" msgid "non-manifold edges be caused by cut tool, do you want to fix it now?" msgstr "" -"Niet-gevormde randen worden veroorzaakt door snijgereedschap: wil je dit nu " -"herstellen?" +"hiet-gevormde randen worden veroorzaakt door snijgereedschap: wil je dit nu herstellen?" msgid "Repairing model object" msgstr "Model object repareren" @@ -543,11 +544,11 @@ msgstr "Decimeren verhouding" #, boost-format msgid "" -"Processing model '%1%' with more than 1M triangles could be slow. It is " -"highly recommended to simplify the model." +"Processing model '%1%' with more than 1M triangles could be slow. It is highly recommended " +"to simplify the model." msgstr "" -"Het verwerken van model '%1%' met meer dan 1 miljoen driehoeken kan traag " -"zijn. Het wordt sterk aanbevolen om het model te vereenvoudigen." +"Het verwerken van model '%1%' met meer dan 1 miljoen driehoeken kan traag zijn. Het wordt " +"sterk aanbevolen om het model te vereenvoudigen." msgid "Simplify model" msgstr "Model vereenvoudigen" @@ -557,8 +558,7 @@ msgstr "Vereenvoudigen" msgid "Simplification is currently only allowed when a single part is selected" msgstr "" -"Vereenvoudiging is momenteel alleen toegestaan wanneer één enkel onderdeel " -"is geselecteerd" +"Vereenvoudiging is momenteel alleen toegestaan wanneer één enkel onderdeel is geselecteerd" msgid "Error" msgstr "Fout" @@ -668,11 +668,11 @@ msgstr "Tekstvorm" #. TRN - Title in Undo/Redo stack after rotate with text around emboss axe msgid "Text rotate" -msgstr "" +msgstr "Text draaien" #. TRN - Title in Undo/Redo stack after move with text along emboss axe - From surface msgid "Text move" -msgstr "" +msgstr "Text verplaatsen" msgid "Set Mirror" msgstr "Stel spiegeling in" @@ -717,8 +717,7 @@ msgid "Advanced" msgstr "Geavanceerd" msgid "" -"The text cannot be written using the selected font. Please try choosing a " -"different font." +"The text cannot be written using the selected font. Please try choosing a different font." msgstr "" msgid "Embossed text cannot contain only white spaces." @@ -750,27 +749,26 @@ msgstr "" #, boost-format msgid "Font \"%1%\" can't be selected." -msgstr "" +msgstr "Lettertype \"%1%\" kan niet worden geselecteerd." msgid "Operation" msgstr "" msgid "Join" -msgstr "" +msgstr "Samenvoegen" msgid "Click to change text into object part." -msgstr "" +msgstr "Klik om tekst in objectgedeelte te veranderen." msgid "You can't change a type of the last solid part of the object." -msgstr "" -"U kunt het type van het laatste onderdeel van een object niet wijzigen." +msgstr "U kunt het type van het laatste onderdeel van een object niet wijzigen." msgctxt "EmbossOperation" msgid "Cut" msgstr "Knippen" msgid "Click to change part type into negative volume." -msgstr "" +msgstr "Klik om het onderdeeltype te wijzigen naar een negatief volume." msgid "Modifier" msgstr "Aanpasser" @@ -783,80 +781,80 @@ msgstr "" #, boost-format msgid "Rename style(%1%) for embossing text" -msgstr "" +msgstr "Stijl(%1%) hernoemen voor reliëftekst" msgid "Name can't be empty." -msgstr "" +msgstr "Naam mag niet leeg zijn." msgid "Name has to be unique." -msgstr "" +msgstr "Naam moet uniek zijn." msgid "OK" -msgstr "Offline" +msgstr "OK" msgid "Rename style" -msgstr "" +msgstr "Stijl hernoemen" msgid "Rename current style." -msgstr "" +msgstr "Huidige stijl hernoemen." msgid "Can't rename temporary style." -msgstr "" +msgstr "Kan tijdelijke stijl niet hernoemen." msgid "First Add style to list." -msgstr "" +msgstr "Voeg eerst een stijl toe aan de lijst." #, boost-format msgid "Save %1% style" -msgstr "" +msgstr "Bewaar %1% stijl" msgid "No changes to save." -msgstr "" +msgstr "Geen wijzigingen om op te slaan." msgid "New name of style" -msgstr "" +msgstr "Nieuwe naam van stijl" msgid "Save as new style" -msgstr "" +msgstr "Opslaan als nieuwe stijl" msgid "Only valid font can be added to style." -msgstr "" +msgstr "Alleen geldige lettertypen kunnen aan de stijl worden toegevoegd." msgid "Add style to my list." -msgstr "" +msgstr "Voeg stijl toe aan mijn lijst." msgid "Save as new style." -msgstr "" +msgstr "Opslaan als nieuwe stijl." msgid "Remove style" -msgstr "" +msgstr "Stijl verwijderen" msgid "Can't remove the last existing style." -msgstr "" +msgstr "Kan de laatst bestaande stijl niet verwijderen." #, boost-format msgid "Are you sure you want to permanently remove the \"%1%\" style?" -msgstr "" +msgstr "Weet u zeker dat u de stijl \"%1%\" permanent wilt verwijderen?" #, boost-format msgid "Delete \"%1%\" style." -msgstr "" +msgstr "Stijl \"%1%\" verwijderen." #, boost-format msgid "Can't delete \"%1%\". It is last style." -msgstr "" +msgstr "Kan \"%1%\" niet verwijderen. Het is de laatste stijl." #, boost-format msgid "Can't delete temporary style \"%1%\"." -msgstr "" +msgstr "Kan tijdelijke stijl \"%1%\" niet verwijderen." #, boost-format msgid "Modified style \"%1%\"" -msgstr "" +msgstr "Gewijzigde stijl \"%1%\"" #, boost-format msgid "Current style is \"%1%\"" -msgstr "" +msgstr "Huidige stijl is \"%1%\"" #, boost-format msgid "" @@ -864,13 +862,16 @@ msgid "" "\n" "Would you like to continue anyway?" msgstr "" +"Stijl wijzigen naar \"%1%\" zal de huidige stijlwijziging ongedaan maken.\n" +"\n" +"Wilt u toch doorgaan?" msgid "Not valid style." -msgstr "" +msgstr "Ongeldige stijl." #, boost-format msgid "Style \"%1%\" can't be used and will be removed from a list." -msgstr "" +msgstr "Stijl \"%1%\" kan niet worden gebruikt en wordt uit de lijst verwijderd." msgid "Unset italic" msgstr "" @@ -925,18 +926,18 @@ msgstr "Bovenste" msgctxt "Alignment" msgid "Middle" -msgstr "" +msgstr "Midden" msgctxt "Alignment" msgid "Bottom" msgstr "Onderste" msgid "Revert alignment." -msgstr "" +msgstr "Uitlijning terugdraaien." #. TRN EmbossGizmo: font units msgid "points" -msgstr "" +msgstr "punten" msgid "Revert gap between characters" msgstr "" @@ -991,9 +992,11 @@ msgstr "" #, boost-format msgid "" -"Can't load exactly same font(\"%1%\"). Application selected a similar " -"one(\"%2%\"). You have to specify font for enable edit text." +"Can't load exactly same font(\"%1%\"). Application selected a similar one(\"%2%\"). You " +"have to specify font for enable edit text." msgstr "" +"Kan niet exact hetzelfde lettertype laden(\"%1%\"). Er is een vergelijkbaar lettertype(\"%2%" +"\") geselecteerd. U moet een lettertype opgeven om tekst te kunnen bewerken." msgid "No symbol" msgstr "" @@ -1002,7 +1005,7 @@ msgid "Loading" msgstr "Laden" msgid "In queue" -msgstr "" +msgstr "In wachtrij" #. TRN - Input label. Be short as possible #. Height of one text line - Font Ascent @@ -1077,7 +1080,7 @@ msgid "Leave SVG gizmo" msgstr "" msgid "SVG actions" -msgstr "" +msgstr "SVG acties" msgid "SVG" msgstr "SVG" @@ -1108,9 +1111,7 @@ msgstr "" msgid "Path can't be healed from selfintersection and multiple points." msgstr "" -msgid "" -"Final shape constains selfintersection or multiple points with same " -"coordinate." +msgid "Final shape constains selfintersection or multiple points with same coordinate." msgstr "" #, boost-format @@ -1336,8 +1337,7 @@ msgid "%1% was replaced with %2%" msgstr "%1% werd vervangen door %2%" msgid "The configuration may be generated by a newer version of OrcaSlicer." -msgstr "" -"De configuratie was mogelijks met een nieuwere versie Orcaslicer gemaakt." +msgstr "De configuratie was mogelijks met een nieuwere versie Orcaslicer gemaakt." msgid "Some values have been replaced. Please check them:" msgstr "Sommige waarden zijn aangepast. Controleer deze alstublieft:" @@ -1352,32 +1352,28 @@ msgid "Machine" msgstr "Machine" msgid "Configuration package was loaded, but some values were not recognized." -msgstr "" -"Het onfiguratiepakket werd geladen, maar sommige waarden werden niet herkend." +msgstr "Het onfiguratiepakket werd geladen, maar sommige waarden werden niet herkend." #, boost-format -msgid "" -"Configuration file \"%1%\" was loaded, but some values were not recognized." -msgstr "" -"Configuratiebestand “%1%” werd geladen, maar sommige waarden werden niet " -"herkend." +msgid "Configuration file \"%1%\" was loaded, but some values were not recognized." +msgstr "Configuratiebestand “%1%” werd geladen, maar sommige waarden werden niet herkend." msgid "" -"OrcaSlicer will terminate because of running out of memory.It may be a bug. " -"It will be appreciated if you report the issue to our team." +"OrcaSlicer will terminate because of running out of memory.It may be a bug. It will be " +"appreciated if you report the issue to our team." msgstr "" -"OrcaSlicer zal sluiten, omdat het geen geheugen meer heeft. Dit kan een bug " -"zijn. Ons team een rapport schrijven over deze fout wordt erg gewaardeerd." +"OrcaSlicer zal sluiten, omdat het geen geheugen meer heeft. Dit kan een bug zijn. Ons team " +"een rapport schrijven over deze fout wordt erg gewaardeerd." msgid "Fatal error" msgstr "Fatale fout" msgid "" -"OrcaSlicer will terminate because of a localization error. It will be " -"appreciated if you report the specific scenario this issue happened." +"OrcaSlicer will terminate because of a localization error. It will be appreciated if you " +"report the specific scenario this issue happened." msgstr "" -"OrcaSlicer zal sluiten door een vertalingsfout. Ons team een rapport " -"schrijven over de situatie waar dit zich voor deed wordt erg gewaardeerd." +"OrcaSlicer zal sluiten door een vertalingsfout. Ons team een rapport schrijven over de " +"situatie waar dit zich voor deed wordt erg gewaardeerd." msgid "Critical error" msgstr "Kritieke fout" @@ -1403,12 +1399,11 @@ msgid "Connect %s failed! [SN:%s, code=%s]" msgstr "Verbinding met %s is mislukt! [SN: %s, code=%s]" msgid "" -"Orca Slicer requires the Microsoft WebView2 Runtime to operate certain " -"features.\n" +"Orca Slicer requires the Microsoft WebView2 Runtime to operate certain features.\n" "Click Yes to install it now." msgstr "" -"OrcaSlicer heeft het MicroSoft WebView2 Runtime nodig om bepaalde functies " -"in werking te stellen.\n" +"OrcaSlicer heeft het MicroSoft WebView2 Runtime nodig om bepaalde functies in werking te " +"stellen.\n" "Klik Ja om het nu te installeren." msgid "WebView2 Runtime" @@ -1430,8 +1425,7 @@ msgstr "Configuratie wordt geladen" #, c-format, boost-format msgid "Click to download new version in default browser: %s" -msgstr "" -"Klik hier om de nieuwe versie te downloaden in je standaard browser: %s" +msgstr "Klik hier om de nieuwe versie te downloaden in je standaard browser: %s" msgid "The Orca Slicer needs an upgrade" msgstr "Orca Slicer heeft een upgrade nodig" @@ -1445,8 +1439,7 @@ msgstr "Informatie" msgid "" "The OrcaSlicer configuration file may be corrupted and cannot be parsed.\n" "OrcaSlicer has attempted to recreate the configuration file.\n" -"Please note, application settings will be lost, but printer profiles will " -"not be affected." +"Please note, application settings will be lost, but printer profiles will not be affected." msgstr "" msgid "Rebuild" @@ -1468,7 +1461,7 @@ msgid "Choose one or more files (3mf/step/stl/svg/obj/amf):" msgstr "Kies één of meer bestanden (3mf/step/stl/svg/obj/amf):" msgid "Choose ZIP file" -msgstr "" +msgstr "Kies ZIP bestand" msgid "Choose one file (gcode/3mf):" msgstr "Kies één bestand (gcode/3mf):" @@ -1477,11 +1470,11 @@ msgid "Some presets are modified." msgstr "Sommige voorinstellingen zijn aangepast." msgid "" -"You can keep the modifield presets to the new project, discard or save " -"changes as new presets." +"You can keep the modifield presets to the new project, discard or save changes as new " +"presets." msgstr "" -"Je kunt de aangepaste voorinstellingen bewaren voor het nieuwe project ze " -"laten vervallen of opslaan als nieuwe voorinstelling." +"Je kunt de aangepaste voorinstellingen bewaren voor het nieuwe project ze laten vervallen " +"of opslaan als nieuwe voorinstelling." msgid "User logged out" msgstr "Gebruiker is uitgelogd" @@ -1493,28 +1486,28 @@ msgid "Open Project" msgstr "Open project" msgid "" -"The version of Orca Slicer is too low and needs to be updated to the latest " -"version before it can be used normally" +"The version of Orca Slicer is too low and needs to be updated to the latest version before " +"it can be used normally" msgstr "" -"De versie van Orca Slicer is te oud en dient te worden bijgewerkt naar de " -"nieuwste versie voordat deze normaal kan worden gebruikt" +"De versie van Orca Slicer is te oud en dient te worden bijgewerkt naar de nieuwste versie " +"voordat deze normaal kan worden gebruikt" msgid "Privacy Policy Update" msgstr "Privacy Policy Update" msgid "" -"The number of user presets cached in the cloud has exceeded the upper limit, " -"newly created user presets can only be used locally." +"The number of user presets cached in the cloud has exceeded the upper limit, newly created " +"user presets can only be used locally." msgstr "" -"Het aantal gebruikersvoorinstellingen dat in de cloud is opgeslagen, heeft " -"de bovengrens overschreden. Nieuw gemaakte gebruikersvoorinstellingen kunnen " -"alleen lokaal worden gebruikt." +"Het aantal gebruikersvoorinstellingen dat in de cloud is opgeslagen, heeft de bovengrens " +"overschreden. Nieuw gemaakte gebruikersvoorinstellingen kunnen alleen lokaal worden " +"gebruikt." msgid "Sync user presets" msgstr "Synchroniseer gebruikersvoorinstellingen" msgid "Loading user preset" -msgstr "Voorinstelling voor gebruiker laden" +msgstr "Gebruikersvoorinstelling laden" msgid "Switching application language" msgstr "De taal van de applicatie wordt aangepast" @@ -1541,8 +1534,8 @@ msgid "Select a G-code file:" msgstr "Selecteer een G-code bestand:" msgid "" -"Could not start URL download. Destination folder is not set. Please choose " -"destination folder in Configuration Wizard." +"Could not start URL download. Destination folder is not set. Please choose destination " +"folder in Configuration Wizard." msgstr "" msgid "Import File" @@ -1703,9 +1696,9 @@ msgid "Orca String Hell" msgstr "" msgid "" -"This model features text embossment on the top surface. For optimal results, " -"it is advisable to set the 'One Wall Threshold(min_width_top_surface)' to 0 " -"for the 'Only One Wall on Top Surfaces' to work best.\n" +"This model features text embossment on the top surface. For optimal results, it is " +"advisable to set the 'One Wall Threshold(min_width_top_surface)' to 0 for the 'Only One " +"Wall on Top Surfaces' to work best.\n" "Yes - Change these settings automatically\n" "No - Do not change these settings for me" msgstr "" @@ -1772,7 +1765,7 @@ msgid "Filament %d" msgstr "Filament %d" msgid "current" -msgstr "Huidige" +msgstr "huidige" msgid "Scale to build volume" msgstr "Schalen naar bruikbaar volume" @@ -1811,12 +1804,10 @@ msgid "Assemble" msgstr "Monteren" msgid "Assemble the selected objects to an object with multiple parts" -msgstr "" -"Monteer de geselecteerde objecten tot een object bestaande uit meerdere delen" +msgstr "Monteer de geselecteerde objecten tot een object bestaande uit meerdere delen" msgid "Assemble the selected objects to an object with single part" -msgstr "" -"Monteer de geselecteerde objecten tot een object bestaande uit 1 onderdeel" +msgstr "Monteer de geselecteerde objecten tot een object bestaande uit 1 onderdeel" msgid "Mesh boolean" msgstr "Mesh booleaan" @@ -1894,8 +1885,7 @@ msgid "Auto orientation" msgstr "Automatisch oriënteren" msgid "Auto orient the object to improve print quality." -msgstr "" -"Automatisch oriënteren van het object om de printkwaliteit te verbeteren." +msgstr "Automatisch oriënteren van het object om de printkwaliteit te verbeteren." msgid "Select All" msgstr "Alles selecteren" @@ -1991,25 +1981,21 @@ msgstr[0] "%1$d non-manifold edges@%1$d non-manifold edges" msgstr[1] "%1$d non-manifold edges@%1$d non-manifold edges" msgid "Right click the icon to fix model object" -msgstr "" -"Klik met de rechter muisknop op het pictogram om het modelobject te repareren" +msgstr "Klik met de rechter muisknop op het pictogram om het modelobject te repareren" msgid "Right button click the icon to drop the object settings" -msgstr "" -"Klik met de rechter muisknop op het pictogram om de objectinstellingen te " -"verwijderen" +msgstr "Klik met de rechter muisknop op het pictogram om de objectinstellingen te verwijderen" msgid "Click the icon to reset all settings of the object" msgstr "Klik op het icoon om alle instellingen van het object terug te zetten" msgid "Right button click the icon to drop the object printable property" msgstr "" -"Klik met de rechter muisknop op het pictogram om de printbare eigenschap van " -"het object te verwijderen" +"Klik met de rechter muisknop op het pictogram om de printbare eigenschap van het object te " +"verwijderen" msgid "Click the icon to toggle printable property of the object" -msgstr "" -"Klik op het pictogram om de afdruk eigenschap van het object in te schakelen" +msgstr "Klik op het pictogram om de afdruk eigenschap van het object in te schakelen" msgid "Click the icon to edit support painting of the object" msgstr "Klik op het pictogram om de support van het object te bewerken" @@ -2037,15 +2023,12 @@ msgstr "Aanpasser toevoegen" msgid "Switch to per-object setting mode to edit modifier settings." msgstr "" -"Schakel over naar instellingsmodus per object om instellingen van de " -"aanpassing te bewerken." +"Schakel over naar instellingsmodus per object om instellingen van de aanpassing te bewerken." -msgid "" -"Switch to per-object setting mode to edit process settings of selected " -"objects." +msgid "Switch to per-object setting mode to edit process settings of selected objects." msgstr "" -"Schakel over naar de instellingsmodus per object om procesinstellingen van " -"geselecteerde objecten te bewerken." +"Schakel over naar de instellingsmodus per object om procesinstellingen van geselecteerde " +"objecten te bewerken." msgid "Delete connector from object which is a part of cut" msgstr "Verwijder verbinding van object dat deel is van een knipbewerking" @@ -2056,25 +2039,23 @@ msgstr "Verwijder vast onderdeel van object dat deel is van een knipbewerking" msgid "Delete negative volume from object which is a part of cut" msgstr "Verwijder negatief volume van object dat deel is van een knipbewerking" -msgid "" -"To save cut correspondence you can delete all connectors from all related " -"objects." +msgid "To save cut correspondence you can delete all connectors from all related objects." msgstr "" -"Om de knipovereenkomst op te slaan kan je alle verbindingen verwijderen uit " -"gerelateerde objecten." +"Om de knipovereenkomst op te slaan kan je alle verbindingen verwijderen uit gerelateerde " +"objecten." msgid "" "This action will break a cut correspondence.\n" "After that model consistency can't be guaranteed .\n" "\n" -"To manipulate with solid parts or negative volumes you have to invalidate " -"cut infornation first." +"To manipulate with solid parts or negative volumes you have to invalidate cut infornation " +"first." msgstr "" "This action will break a cut correspondence.\n" "After that, model consistency can't be guaranteed .\n" "\n" -"To manipulate with solid parts or negative volumes you have to invalidate " -"cut information first." +"To manipulate with solid parts or negative volumes you have to invalidate cut information " +"first." msgid "Delete all connectors" msgstr "Verwijder alle vberbindingen" @@ -2083,9 +2064,7 @@ msgid "Deleting the last solid part is not allowed." msgstr "Het is niet toegestaand om het laaste vaste deel te verwijderen." msgid "The target object contains only one part and can not be splited." -msgstr "" -"Het doelbestand bevat slechts 1 onderdeel en kan daarom niet worden " -"opgesplitst." +msgstr "Het doelbestand bevat slechts 1 onderdeel en kan daarom niet worden opgesplitst." msgid "Assembly" msgstr "Montage" @@ -2126,22 +2105,18 @@ msgstr "Laag" msgid "Selection conflicts" msgstr "Selectieconflicten" -msgid "" -"If first selected item is an object, the second one should also be object." +msgid "If first selected item is an object, the second one should also be object." msgstr "" -"Als het eerste geselecteerde item een object is, dient het tweede item ook " -"een object te zijn." +"Als het eerste geselecteerde item een object is, dient het tweede item ook een object te " +"zijn." -msgid "" -"If first selected item is a part, the second one should be part in the same " -"object." +msgid "If first selected item is a part, the second one should be part in the same object." msgstr "" -"Als het eerst geselecteerde item een onderdeel is, moet het tweede een " -"onderdeel van hetzelfde object zijn." +"Als het eerst geselecteerde item een onderdeel is, moet het tweede een onderdeel van " +"hetzelfde object zijn." msgid "The type of the last solid object part is not to be changed." -msgstr "" -"Het type van het laatste solide object onderdeel kan niet worden veranderd." +msgstr "Het type van het laatste solide object onderdeel kan niet worden veranderd." msgid "Negative Part" msgstr "Negatief deel" @@ -2167,11 +2142,9 @@ msgstr "Hernoemen" msgid "Following model object has been repaired" msgid_plural "Following model objects have been repaired" msgstr[0] "" -"De volgende model objecten zijn gerepareerd@De volgende model objecten zijn " -"gerepareerd" +"De volgende model objecten zijn gerepareerd@De volgende model objecten zijn gerepareerd" msgstr[1] "" -"De volgende model objecten zijn gerepareerd@De volgende model objecten zijn " -"gerepareerd" +"De volgende model objecten zijn gerepareerd@De volgende model objecten zijn gerepareerd" msgid "Failed to repair following model object" msgid_plural "Failed to repair following model objects" @@ -2200,9 +2173,7 @@ msgid "Invalid numeric." msgstr "Onjuist getal." msgid "one cell can only be copied to one or multiple cells in the same column" -msgstr "" -"één cel kan alleen naar één of meerdere cellen in dezelfde kolom worden " -"gekopieerd" +msgstr "één cel kan alleen naar één of meerdere cellen in dezelfde kolom worden gekopieerd" msgid "multiple cells copy is not supported" msgstr "Het kopiëren van meerdere cellen wordt niet ondersteund." @@ -2262,13 +2233,13 @@ msgid "More" msgstr "Meer" msgid "Open Preferences." -msgstr "Voorkeuren openen" +msgstr "Voorkeuren openen." msgid "Open next tip." -msgstr "Volgende tip openen" +msgstr "Volgende tip openen." msgid "Open Documentation in web browser." -msgstr "Documentatie openen in een webbrowser" +msgstr "Documentatie openen in een webbrowser." msgid "Color" msgstr "Kleur" @@ -2301,7 +2272,7 @@ msgid "Jump to Layer" msgstr "Spring naar laag" msgid "Please enter the layer number" -msgstr "Voer het laagnummer in." +msgstr "Voer het laagnummer in" msgid "Add Pause" msgstr "Pauze toevoegen" @@ -2322,7 +2293,7 @@ msgid "Insert template custom G-code at the beginning of this layer." msgstr "Insert template custom G-code at the beginning of this layer." msgid "Filament " -msgstr "Filament" +msgstr "Filament " msgid "Change filament at the beginning of this layer." msgstr "Change filament at the beginning of this layer." @@ -2376,7 +2347,7 @@ msgid "Connecting..." msgstr "Verbinden..." msgid "?" -msgstr " ?" +msgstr "?" msgid "/" msgstr "/" @@ -2416,8 +2387,7 @@ msgstr "AMS kalibreren..." msgid "A problem occurred during calibration. Click to view the solution." msgstr "" -"Er is een probleem opgetreden tijdens de kalibratie. Klik om de oplossing te " -"bekijken." +"Er is een probleem opgetreden tijdens de kalibratie. Klik om de oplossing te bekijken." msgid "Calibrate again" msgstr "Opnieuw kalibreren" @@ -2429,13 +2399,13 @@ msgid "Idling..." msgstr "Inactief..." msgid "Heat the nozzle" -msgstr "Verwarm de nozzle" +msgstr "Verwarm het mondstuk" msgid "Cut filament" msgstr "Filament afsnijden" msgid "Pull back current filament" -msgstr "huidig filament terugtrekken" +msgstr "Huidig filament terugtrekken" msgid "Push new filament into extruder" msgstr "Nieuw filament in de extruder laden" @@ -2456,11 +2426,11 @@ msgid "Grab new filament" msgstr "Grab new filament" msgid "" -"Choose an AMS slot then press \"Load\" or \"Unload\" button to automatically " -"load or unload filaments." +"Choose an AMS slot then press \"Load\" or \"Unload\" button to automatically load or unload " +"filaments." msgstr "" -"Kies een AMS-sleuf en druk op de knop \"Laden\" of \"Lossen\" om automatisch " -"filament te laden of te ontladen." +"Kies een AMS-sleuf en druk op de knop \"Laden\" of \"Lossen\" om automatisch filament te " +"laden of te ontladen." msgid "Edit" msgstr "Bewerken" @@ -2486,34 +2456,30 @@ msgid "Arranging..." msgstr "Rangschikken..." msgid "Arranging" -msgstr "Rangschikken..." +msgstr "Rangschikken" msgid "Arranging canceled." msgstr "Rangschikken geannuleerd." -msgid "" -"Arranging is done but there are unpacked items. Reduce spacing and try again." +msgid "Arranging is done but there are unpacked items. Reduce spacing and try again." msgstr "" -"Rangschikken voltooid, sommige zaken konden niet geranschikt worden. " -"Verklein de afstand en probeer het opnieuw." +"Rangschikken voltooid, sommige zaken konden niet geranschikt worden. Verklein de afstand en " +"probeer het opnieuw." msgid "Arranging done." msgstr "Rangschikken voltooid." -msgid "" -"Arrange failed. Found some exceptions when processing object geometries." +msgid "Arrange failed. Found some exceptions when processing object geometries." msgstr "" -"Het rangschikken is mislukt. Er zijn enkele uitzonderingen gevonden tijdens " -"het verwerken van het object." +"Het rangschikken is mislukt. Er zijn enkele uitzonderingen gevonden tijdens het verwerken " +"van het object." #, c-format, boost-format msgid "" -"Arrangement ignored the following objects which can't fit into a single " -"bed:\n" +"Arrangement ignored the following objects which can't fit into a single bed:\n" "%s" msgstr "" -"De volgende objecten zijn niet gerangschikt omdat ze niet op het printbed " -"passen:\n" +"De volgende objecten zijn niet gerangschikt omdat ze niet op het printbed passen:\n" "%s" msgid "" @@ -2531,10 +2497,10 @@ msgstr "" "Het is niet mogelijk om automatisch te orienteren op dit printbed." msgid "Orienting..." -msgstr "Oriënteren " +msgstr "Oriënteren..." msgid "Orienting" -msgstr "Oriënteren " +msgstr "Oriënteren" msgid "Orienting canceled." msgstr "" @@ -2582,11 +2548,11 @@ msgid "Print file not found. please slice again." msgstr "Print file not found; please slice again." msgid "" -"The print file exceeds the maximum allowable size (1GB). Please simplify the " -"model and slice again." +"The print file exceeds the maximum allowable size (1GB). Please simplify the model and " +"slice again." msgstr "" -"The print file exceeds the maximum allowable size (1GB). Please simplify the " -"model and slice again." +"The print file exceeds the maximum allowable size (1GB). Please simplify the model and " +"slice again." msgid "Failed to send the print job. Please try again." msgstr "Het verzenden van de printopdracht is mislukt. Probeer het opnieuw." @@ -2594,28 +2560,17 @@ msgstr "Het verzenden van de printopdracht is mislukt. Probeer het opnieuw." msgid "Failed to upload file to ftp. Please try again." msgstr "Failed to upload file to ftp. Please try again." -msgid "" -"Check the current status of the bambu server by clicking on the link above." -msgstr "" -"Check the current status of the Bambu Lab server by clicking on the link " -"above." +msgid "Check the current status of the bambu server by clicking on the link above." +msgstr "Check the current status of the Bambu Lab server by clicking on the link above." -msgid "" -"The size of the print file is too large. Please adjust the file size and try " -"again." -msgstr "" -"The size of the print file is too large. Please adjust the file size and try " -"again." +msgid "The size of the print file is too large. Please adjust the file size and try again." +msgstr "The size of the print file is too large. Please adjust the file size and try again." msgid "Print file not found, Please slice it again and send it for printing." msgstr "Print file not found; please slice it again and send it for printing." -msgid "" -"Failed to upload print file to FTP. Please check the network status and try " -"again." -msgstr "" -"Failed to upload print file via FTP. Please check the network status and try " -"again." +msgid "Failed to upload print file to FTP. Please check the network status and try again." +msgstr "Failed to upload print file via FTP. Please check the network status and try again." msgid "Sending print job over LAN" msgstr "Printopdracht verzenden via LAN" @@ -2641,13 +2596,10 @@ msgstr "Succesvol verzonden. Springt automatisch naar de apparaatpagina in %ss" #, c-format, boost-format msgid "Successfully sent. Will automatically jump to the next page in %ss" -msgstr "" -"Succesvol verzonden. Springt automatisch naar de volgende pagina in %ss" +msgstr "Succesvol verzonden. Springt automatisch naar de volgende pagina in %ss" msgid "An SD card needs to be inserted before printing via LAN." -msgstr "" -"Er moet een MicroSD-kaart worden geplaatst voordat er via LAN kan worden " -"afgedrukt." +msgstr "Er moet een MicroSD-kaart worden geplaatst voordat er via LAN kan worden afgedrukt." msgid "Sending gcode file over LAN" msgstr "G-codebestand verzenden via LAN" @@ -2661,18 +2613,17 @@ msgstr "Succesvol verzonden. Sluit de huidige pagina in %s s" msgid "An SD card needs to be inserted before sending to printer." msgstr "" -"Een MicroSD-kaart moet worden geplaatst voordat er iets naar de printer " -"wordt gestuurd." +"Een MicroSD-kaart moet worden geplaatst voordat er iets naar de printer wordt gestuurd." msgid "Importing SLA archive" msgstr "Importing SLA archive" msgid "" -"The SLA archive doesn't contain any presets. Please activate some SLA " -"printer preset first before importing that SLA archive." +"The SLA archive doesn't contain any presets. Please activate some SLA printer preset first " +"before importing that SLA archive." msgstr "" -"The SLA archive doesn't contain any presets. Please activate some SLA " -"printer presets first before importing that SLA archive." +"The SLA archive doesn't contain any presets. Please activate some SLA printer presets first " +"before importing that SLA archive." msgid "Importing canceled." msgstr "Importing canceled." @@ -2681,11 +2632,11 @@ msgid "Importing done." msgstr "Importing done." msgid "" -"The imported SLA archive did not contain any presets. The current SLA " -"presets were used as fallback." +"The imported SLA archive did not contain any presets. The current SLA presets were used as " +"fallback." msgstr "" -"The imported SLA archive did not contain any presets. The current SLA " -"presets were used as fallback." +"The imported SLA archive did not contain any presets. The current SLA presets were used as " +"fallback." msgid "You cannot load SLA project with a multi-part object on the bed" msgstr "You cannot load an SLA project with a multi-part object on the bed" @@ -2706,7 +2657,7 @@ msgid "Cancelled" msgstr "Geannuleerd" msgid "Install successfully." -msgstr "Succesvol geïnstalleerd" +msgstr "Succesvol geïnstalleerd." msgid "Installing" msgstr "Installeren" @@ -2736,12 +2687,11 @@ msgid "Libraries" msgstr "Bibliotheken" msgid "" -"This software uses open source components whose copyright and other " -"proprietary rights belong to their respective owners" +"This software uses open source components whose copyright and other proprietary rights " +"belong to their respective owners" msgstr "" -"Deze software maakt gebruik van open source-componenten waarvan het " -"auteursrecht en andere rechten eigendom zijn van hun respectievelijke " -"eigenaren." +"Deze software maakt gebruik van open source-componenten waarvan het auteursrecht en andere " +"rechten eigendom zijn van hun respectievelijke eigenaren." #, c-format, boost-format msgid "About %s" @@ -2757,15 +2707,10 @@ msgid "BambuStudio is originally based on PrusaSlicer by PrusaResearch." msgstr "" msgid "PrusaSlicer is originally based on Slic3r by Alessandro Ranellucci." -msgstr "" -"PrusaSlicer is oorspronkelijk gebaseerd op Slic3r van Alessandro Ranellucci." +msgstr "PrusaSlicer is oorspronkelijk gebaseerd op Slic3r van Alessandro Ranellucci." -msgid "" -"Slic3r was created by Alessandro Ranellucci with the help of many other " -"contributors." -msgstr "" -"Slic3r is gemaakt door Alessandro Ranellucci met de hulp van vele andere " -"bijdragers." +msgid "Slic3r was created by Alessandro Ranellucci with the help of many other contributors." +msgstr "Slic3r is gemaakt door Alessandro Ranellucci met de hulp van vele andere bijdragers." msgid "Version" msgstr "Versie" @@ -2786,7 +2731,7 @@ msgid "" "Nozzle\n" "Temperature" msgstr "" -"Nozzle\n" +"Mondstuk\n" "temperatuur" msgid "max" @@ -2803,9 +2748,7 @@ msgid "SN" msgstr "SN" msgid "Setting AMS slot information while printing is not supported" -msgstr "" -"Het instellen van AMS slot informatie tijdens het printen wordt niet " -"ondersteund." +msgstr "Het instellen van AMS slot informatie tijdens het printen wordt niet ondersteund." msgid "Factors of Flow Dynamics Calibration" msgstr "Factoren van Flow Dynamics Calibration" @@ -2846,23 +2789,22 @@ msgid "Dynamic flow calibration" msgstr "Dynamic flow calibration" msgid "" -"The nozzle temp and max volumetric speed will affect the calibration " -"results. Please fill in the same values as the actual printing. They can be " -"auto-filled by selecting a filament preset." +"The nozzle temp and max volumetric speed will affect the calibration results. Please fill " +"in the same values as the actual printing. They can be auto-filled by selecting a filament " +"preset." msgstr "" -"De temperatuur van de nozzle en de maximale volumetrische snelheid zijn van " -"invloed op de kalibratieresultaten. Voer dezelfde waarden in als bij de " -"daadwerkelijke afdruk. Ze kunnen automatisch worden gevuld door een " -"voorinstelling voor filamenten te selecteren." +"De temperatuur van het mondstuk en de maximale volumetrische snelheid zijn van invloed op " +"de kalibratieresultaten. Voer dezelfde waarden in als bij de daadwerkelijke afdruk. Ze " +"kunnen automatisch worden gevuld door een voorinstelling voor filamenten te selecteren." msgid "Nozzle Diameter" -msgstr "Diameter van de nozzle" +msgstr "Mondstukdiameter" msgid "Bed Type" msgstr "Bed type" msgid "Nozzle temperature" -msgstr "Nozzle temperatuur" +msgstr "Mondstuk temperatuur" msgid "Bed Temperature" msgstr "Bed Temperatuur" @@ -2886,13 +2828,11 @@ msgid "Next" msgstr "Volgende" msgid "" -"Calibration completed. Please find the most uniform extrusion line on your " -"hot bed like the picture below, and fill the value on its left side into the " -"factor K input box." +"Calibration completed. Please find the most uniform extrusion line on your hot bed like the " +"picture below, and fill the value on its left side into the factor K input box." msgstr "" -"Kalibratie voltooid. Zoek de meest uniforme extrusielijn op uw hotbed, zoals " -"op de afbeelding hieronder, en vul de waarde aan de linkerkant in het " -"invoervak factor K in." +"Kalibratie voltooid. Zoek de meest uniforme extrusielijn op uw hotbed, zoals op de " +"afbeelding hieronder, en vul de waarde aan de linkerkant in het invoervak factor K in." msgid "Save" msgstr "Bewaar" @@ -2923,11 +2863,10 @@ msgstr "Stap" msgid "AMS Slots" msgstr "AMS Slots" -msgid "" -"Note: Only the AMS slots loaded with the same material type can be selected." +msgid "Note: Only the AMS slots loaded with the same material type can be selected." msgstr "" -"Opmerking: Alleen de AMS-slots die met hetzelfde materiaaltype zijn geladen, " -"kunnen worden geselecteerd." +"Opmerking: Alleen de AMS-slots die met hetzelfde materiaaltype zijn geladen, kunnen worden " +"geselecteerd." msgid "Enable AMS" msgstr "AMS inschakelen" @@ -2945,21 +2884,18 @@ msgid "Current Cabin humidity" msgstr "Current Cabin humidity" msgid "" -"Please change the desiccant when it is too wet. The indicator may not " -"represent accurately in following cases : when the lid is open or the " -"desiccant pack is changed. it take hours to absorb the moisture, low " -"temperatures also slow down the process." +"Please change the desiccant when it is too wet. The indicator may not represent accurately " +"in following cases : when the lid is open or the desiccant pack is changed. it take hours " +"to absorb the moisture, low temperatures also slow down the process." msgstr "" -"Please change the desiccant when it is too wet. The indicator may not " -"represent accurately in following cases: when the lid is open or the " -"desiccant pack is changed. It takes a few hours to absorb the moisture, and " -"low temperatures also slow down the process." +"Please change the desiccant when it is too wet. The indicator may not represent accurately " +"in following cases: when the lid is open or the desiccant pack is changed. It takes a few " +"hours to absorb the moisture, and low temperatures also slow down the process." -msgid "" -"Config which AMS slot should be used for a filament used in the print job" +msgid "Config which AMS slot should be used for a filament used in the print job" msgstr "" -"Configureer welke AMS-sleuf moet worden gebruikt voor een filament dat voor " -"de printopdracht wordt gebruikt." +"Configureer welke AMS-sleuf moet worden gebruikt voor een filament dat voor de " +"printopdracht wordt gebruikt." msgid "Filament used in this print job" msgstr "Filament gebruikt in deze printopdracht" @@ -2983,11 +2919,11 @@ msgid "Print with filaments mounted on the back of the chassis" msgstr "Print met filament op een externe spoel" msgid "" -"When the current material run out, the printer will continue to print in the " -"following order." +"When the current material run out, the printer will continue to print in the following " +"order." msgstr "" -"Als het huidige materiaal op is, gaat de printer verder met afdrukken in de " -"volgende volgorde." +"Als het huidige materiaal op is, gaat de printer verder met afdrukken in de volgende " +"volgorde." msgid "Group" msgstr "Group" @@ -2995,21 +2931,17 @@ msgstr "Group" msgid "The printer does not currently support auto refill." msgstr "De printer ondersteunt automatisch bijvullen momenteel niet." -msgid "" -"AMS filament backup is not enabled, please enable it in the AMS settings." -msgstr "" -"AMS filament backup is not enabled; please enable it in the AMS settings." +msgid "AMS filament backup is not enabled, please enable it in the AMS settings." +msgstr "AMS filament backup is not enabled; please enable it in the AMS settings." msgid "" -"If there are two identical filaments in AMS, AMS filament backup will be " -"enabled. \n" -"(Currently supporting automatic supply of consumables with the same brand, " -"material type, and color)" +"If there are two identical filaments in AMS, AMS filament backup will be enabled. \n" +"(Currently supporting automatic supply of consumables with the same brand, material type, " +"and color)" msgstr "" -"If there are two identical filaments in an AMS, AMS filament backup will be " -"enabled. \n" -"(This currently supports automatic supply of consumables with the same " -"brand, material type, and color)" +"If there are two identical filaments in an AMS, AMS filament backup will be enabled. \n" +"(This currently supports automatic supply of consumables with the same brand, material " +"type, and color)" msgid "DRY" msgstr "DRY" @@ -3024,78 +2956,74 @@ msgid "Insertion update" msgstr "Update gegevens bij invoeren" msgid "" -"The AMS will automatically read the filament information when inserting a " -"new Bambu Lab filament. This takes about 20 seconds." +"The AMS will automatically read the filament information when inserting a new Bambu Lab " +"filament. This takes about 20 seconds." msgstr "" -"De AMS zal automatisch de filamentinformatie lezen bij het plaatsen van een " -"nieuw Bambu Lab filament. Dit duurt ongeveer 20 seconden." +"De AMS zal automatisch de filamentinformatie lezen bij het plaatsen van een nieuw Bambu Lab " +"filament. Dit duurt ongeveer 20 seconden." msgid "" -"Note: if a new filament is inserted during printing, the AMS will not " -"automatically read any information until printing is completed." +"Note: if a new filament is inserted during printing, the AMS will not automatically read " +"any information until printing is completed." msgstr "" -"Opmerking: als er tijdens het printen een nieuw filament wordt geplaatst, " -"zal het AMS niet automatisch informatie lezen totdat het printen is voltooid." +"Opmerking: als er tijdens het printen een nieuw filament wordt geplaatst, zal het AMS niet " +"automatisch informatie lezen totdat het printen is voltooid." msgid "" -"When inserting a new filament, the AMS will not automatically read its " -"information, leaving it blank for you to enter manually." +"When inserting a new filament, the AMS will not automatically read its information, leaving " +"it blank for you to enter manually." msgstr "" -"Bij het laden van nieuw filament zal de informatie niet automatisch " -"ingelezen worden door de AMS, de informatie kan door uzelf worden ingegeven." +"Bij het laden van nieuw filament zal de informatie niet automatisch ingelezen worden door " +"de AMS, de informatie kan door uzelf worden ingegeven." msgid "Power on update" msgstr "Update gegevens bij aanzetten" msgid "" -"The AMS will automatically read the information of inserted filament on " -"start-up. It will take about 1 minute.The reading process will roll filament " -"spools." +"The AMS will automatically read the information of inserted filament on start-up. It will " +"take about 1 minute.The reading process will roll filament spools." msgstr "" -"De AMS leest automatisch de informatie van het ingevoegde filament bij het " -"opstarten. Dit duurt ongeveer 1 minuut. Tijdens het leesproces zullen de " -"filamentspoelen rollen." +"De AMS leest automatisch de informatie van het ingevoegde filament bij het opstarten. Dit " +"duurt ongeveer 1 minuut. Tijdens het leesproces zullen de filamentspoelen rollen." msgid "" -"The AMS will not automatically read information from inserted filament " -"during startup and will continue to use the information recorded before the " -"last shutdown." +"The AMS will not automatically read information from inserted filament during startup and " +"will continue to use the information recorded before the last shutdown." msgstr "" -"De informatie van het geladen filament zal niet automatisch gelezen worden " -"door de AMS tijdens het opstarten. De tijdens de laatste keer uitzetten " -"opgeslagen informatie zal gebruikt worden." +"De informatie van het geladen filament zal niet automatisch gelezen worden door de AMS " +"tijdens het opstarten. De tijdens de laatste keer uitzetten opgeslagen informatie zal " +"gebruikt worden." msgid "Update remaining capacity" msgstr "Resterende capaciteit bijwerken" msgid "" -"The AMS will estimate Bambu filament's remaining capacity after the filament " -"info is updated. During printing, remaining capacity will be updated " -"automatically." +"The AMS will estimate Bambu filament's remaining capacity after the filament info is " +"updated. During printing, remaining capacity will be updated automatically." msgstr "" -"De AMS zal een schatting maken van de resterende capaciteit van het Bambu-" -"filament nadat de filamentinformatie is bijgewerkt. Tijdens het afdrukken " -"wordt de resterende capaciteit automatisch bijgewerkt." +"De AMS zal een schatting maken van de resterende capaciteit van het Bambu-filament nadat de " +"filamentinformatie is bijgewerkt. Tijdens het afdrukken wordt de resterende capaciteit " +"automatisch bijgewerkt." msgid "AMS filament backup" msgstr "AMS filament backup" msgid "" -"AMS will continue to another spool with the same properties of filament " -"automatically when current filament runs out" +"AMS will continue to another spool with the same properties of filament automatically when " +"current filament runs out" msgstr "" -"AMS gaat automatisch verder met een andere spoel met dezelfde filament " -"eigenschappen wanneer het huidige filament op is." +"AMS gaat automatisch verder met een andere spoel met dezelfde filament eigenschappen " +"wanneer het huidige filament op is." msgid "Air Printing Detection" msgstr "Air Printing Detection" msgid "" -"Detects clogging and filament grinding, halting printing immediately to " -"conserve time and filament." +"Detects clogging and filament grinding, halting printing immediately to conserve time and " +"filament." msgstr "" -"Detects clogging and filament grinding, halting printing immediately to " -"conserve time and filament." +"Detects clogging and filament grinding, halting printing immediately to conserve time and " +"filament." msgid "File" msgstr "Bestand" @@ -3104,18 +3032,18 @@ msgid "Calibration" msgstr "Kalibratie" msgid "" -"Failed to download the plug-in. Please check your firewall settings and vpn " -"software, check and retry." +"Failed to download the plug-in. Please check your firewall settings and vpn software, check " +"and retry." msgstr "" -"Het downloaden van de plug-in is mislukt. Controleer je firewall-" -"instellingen en VPN-software en probeer het opnieuw." +"Het downloaden van de plug-in is mislukt. Controleer je firewall-instellingen en VPN-" +"software en probeer het opnieuw." msgid "" -"Failed to install the plug-in. Please check whether it is blocked or deleted " -"by anti-virus software." +"Failed to install the plug-in. Please check whether it is blocked or deleted by anti-virus " +"software." msgstr "" -"De installatie van de plug-in is mislukt. Controleer of deze is geblokkeerd " -"of verwijderd door anti-virussoftware." +"De installatie van de plug-in is mislukt. Controleer of deze is geblokkeerd of verwijderd " +"door anti-virussoftware." msgid "click here to see more info" msgstr "klik hier voor meer informatie" @@ -3124,21 +3052,18 @@ msgid "Please home all axes (click " msgstr "Centreer alle assen (klik" msgid "" -") to locate the toolhead's position. This prevents device moving beyond the " -"printable boundary and causing equipment wear." +") to locate the toolhead's position. This prevents device moving beyond the printable " +"boundary and causing equipment wear." msgstr "" -") om de positie van de gereedschapskop te bepalen. Dit voorkomt dat het " -"apparaat de printbare grens overschrijdt en dat apparatuur slijt." +") om de positie van de gereedschapskop te bepalen. Dit voorkomt dat het apparaat de " +"printbare grens overschrijdt en dat apparatuur slijt." msgid "Go Home" msgstr "Near home positie" -msgid "" -"A error occurred. Maybe memory of system is not enough or it's a bug of the " -"program" +msgid "A error occurred. Maybe memory of system is not enough or it's a bug of the program" msgstr "" -"Er is een probleem opgetreden. Er is geen vrij geheugen of er een is een bug " -"opgetreden" +"Er is een probleem opgetreden. Er is geen vrij geheugen of er een is een bug opgetreden" msgid "Please save project and restart the program. " msgstr "Sla uw project alstublieft op en herstart het programma. " @@ -3181,47 +3106,46 @@ msgstr "Onbekende fout opgetreden tijdens exporteren van de G-code." #, boost-format msgid "" -"Copying of the temporary G-code to the output G-code failed. Maybe the SD " -"card is write locked?\n" +"Copying of the temporary G-code to the output G-code failed. Maybe the SD card is write " +"locked?\n" "Error message: %1%" msgstr "" -"Fout bij het exporteren naar output-G-code. Is de SD-kaart geblokkeerd tegen " -"schrijven?\n" +"Fout bij het exporteren naar output-G-code. Is de SD-kaart geblokkeerd tegen schrijven?\n" "Foutbericht: %1%" #, boost-format msgid "" -"Copying of the temporary G-code to the output G-code failed. There might be " -"problem with target device, please try exporting again or using different " -"device. The corrupted output G-code is at %1%.tmp." +"Copying of the temporary G-code to the output G-code failed. There might be problem with " +"target device, please try exporting again or using different device. The corrupted output G-" +"code is at %1%.tmp." msgstr "" -"Fout bij het exporteren naar output-G-code. Het probleem ligt mogelijk bij " -"het doelapparaat. Probeer het opnieuw te exporteren of gebruik een ander " -"apparat. De beschadigde G-code is opgeslagen als %1%.tmp." +"Fout bij het exporteren naar output-G-code. Het probleem ligt mogelijk bij het " +"doelapparaat. Probeer het opnieuw te exporteren of gebruik een ander apparat. De " +"beschadigde G-code is opgeslagen als %1%.tmp." #, boost-format msgid "" -"Renaming of the G-code after copying to the selected destination folder has " -"failed. Current path is %1%.tmp. Please try exporting again." +"Renaming of the G-code after copying to the selected destination folder has failed. Current " +"path is %1%.tmp. Please try exporting again." msgstr "" -"Fout bij het exporteren naar output-G-code. Hernoemen van het bestand " -"mislukt. Huidige locatie is %1%.tmp. Probeer opnieuw te exporteren." +"Fout bij het exporteren naar output-G-code. Hernoemen van het bestand mislukt. Huidige " +"locatie is %1%.tmp. Probeer opnieuw te exporteren." #, boost-format msgid "" -"Copying of the temporary G-code has finished but the original code at %1% " -"couldn't be opened during copy check. The output G-code is at %2%.tmp." +"Copying of the temporary G-code has finished but the original code at %1% couldn't be " +"opened during copy check. The output G-code is at %2%.tmp." msgstr "" -"Fout bij het exporteren naar output-G-code. Exporteren gelukt, maar kan het " -"bestand %1% niet openen om te controleren. De output is %2%.tmp." +"Fout bij het exporteren naar output-G-code. Exporteren gelukt, maar kan het bestand %1% " +"niet openen om te controleren. De output is %2%.tmp." #, boost-format msgid "" -"Copying of the temporary G-code has finished but the exported code couldn't " -"be opened during copy check. The output G-code is at %1%.tmp." +"Copying of the temporary G-code has finished but the exported code couldn't be opened " +"during copy check. The output G-code is at %1%.tmp." msgstr "" -"Fout bij het exporteren naar output-G-code. Exporteren gelukt, maar kan het " -"bestand niet openen om te controleren. De output is %1%.tmp." +"Fout bij het exporteren naar output-G-code. Exporteren gelukt, maar kan het bestand niet " +"openen om te controleren. De output is %1%.tmp." #, boost-format msgid "G-code file exported to %1%" @@ -3241,8 +3165,7 @@ msgstr "" "Bronbestand %2%." msgid "Copying of the temporary G-code to the output G-code failed" -msgstr "" -"Het kopiëren van de tijdelijke G-code naar de G-uitvoercode is mislukt." +msgstr "Het kopiëren van de tijdelijke G-code naar de G-uitvoercode is mislukt." #, boost-format msgid "Scheduling upload to `%1%`. See Window -> Print Host Upload Queue" @@ -3298,8 +3221,7 @@ msgstr "Device Status" msgid "Actions" msgstr "Actions" -msgid "" -"Please select the devices you would like to manage here (up to 6 devices)" +msgid "Please select the devices you would like to manage here (up to 6 devices)" msgstr "" msgid "Add" @@ -3429,19 +3351,17 @@ msgid "Send to" msgstr "" msgid "" -"printers at the same time.(It depends on how many devices can undergo " -"heating at the same time.)" +"printers at the same time.(It depends on how many devices can undergo heating at the same " +"time.)" msgstr "" -"printers at the same time. (It depends on how many devices can undergo " -"heating at the same time.)" +"printers at the same time. (It depends on how many devices can undergo heating at the same " +"time.)" msgid "Wait" msgstr "Wait" -msgid "" -"minute each batch.(It depends on how long it takes to complete the heating.)" -msgstr "" -"minute each batch. (It depends on how long it takes to complete heating.)" +msgid "minute each batch.(It depends on how long it takes to complete the heating.)" +msgstr "minute each batch. (It depends on how long it takes to complete heating.)" msgid "Send" msgstr "Versturen" @@ -3450,10 +3370,10 @@ msgid "Name is invalid;" msgstr "Naam is ongeldig;" msgid "illegal characters:" -msgstr "Niet toegestande karakters:" +msgstr "niet toegestane karakters:" msgid "illegal suffix:" -msgstr "Ongeldig achtervoegsel:" +msgstr "ongeldig achtervoegsel:" msgid "The name is not allowed to be empty." msgstr "Het is niet toegestaand om de naam leeg te laten." @@ -3473,19 +3393,14 @@ msgstr "Begin" msgid "Size in X and Y of the rectangular plate." msgstr "Maat in X en Y van de vierkante printplaat." -msgid "" -"Distance of the 0,0 G-code coordinate from the front left corner of the " -"rectangle." +msgid "Distance of the 0,0 G-code coordinate from the front left corner of the rectangle." msgstr "" -"Afstand van het 0,0 G-code coordinaat gezien vanuit de linker voorhoek van " -"het printbed." +"Afstand van het 0,0 G-code coordinaat gezien vanuit de linker voorhoek van het printbed." -msgid "" -"Diameter of the print bed. It is assumed that origin (0,0) is located in the " -"center." +msgid "Diameter of the print bed. It is assumed that origin (0,0) is located in the center." msgstr "" -"Diameter van het printbed, ervan uitgaande dat de thuispositie (0,0) in het " -"midden van het bed is." +"Diameter van het printbed, ervan uitgaande dat de thuispositie (0,0) in het midden van het " +"bed is." msgid "Rectangular" msgstr "Rechthoekig" @@ -3512,8 +3427,7 @@ msgid "Model" msgstr "Model" msgid "Choose an STL file to import bed shape from:" -msgstr "" -"Kies een STL bestand waar de vorm van het printbed uit opgehaald kan worden:" +msgstr "Kies een STL bestand waar de vorm van het printbed uit opgehaald kan worden:" msgid "Invalid file format." msgstr "Ongeldig bestandsformaat." @@ -3524,15 +3438,13 @@ msgstr "Fout: Ongeldig model" msgid "The selected file contains no geometry." msgstr "Het gekozen bestand bevat geen geometrische data." -msgid "" -"The selected file contains several disjoint areas. This is not supported." +msgid "The selected file contains several disjoint areas. This is not supported." msgstr "" -"Het geselecteerde bestand bevat verschillende onsamenhangende gebieden. Dit " -"is niet toegestaan." +"Het geselecteerde bestand bevat verschillende onsamenhangende gebieden. Dit is niet " +"toegestaan." msgid "Choose a file to import bed texture from (PNG/SVG):" -msgstr "" -"Kies een bestand om de textuur van het printbed uit op te halen (PNG/SVG):" +msgstr "Kies een bestand om de textuur van het printbed uit op te halen (PNG/SVG):" msgid "Choose an STL file to import bed model from:" msgstr "Kies een STL bestand waaruit het printbed model geladen kan worden:" @@ -3541,18 +3453,18 @@ msgid "Bed Shape" msgstr "Printbed vorm" msgid "" -"The recommended minimum temperature is less than 190 degree or the " -"recommended maximum temperature is greater than 300 degree.\n" +"The recommended minimum temperature is less than 190 degree or the recommended maximum " +"temperature is greater than 300 degree.\n" msgstr "" "De aanbevolen minimumtemperatuur is lager dan 190 graden of de aanbevolen " "maximumtemperatuur is hoger dan 300 graden.\n" msgid "" -"The recommended minimum temperature cannot be higher than the recommended " -"maximum temperature.\n" +"The recommended minimum temperature cannot be higher than the recommended maximum " +"temperature.\n" msgstr "" -"The recommended minimum temperature cannot be higher than the recommended " -"maximum temperature.\n" +"The recommended minimum temperature cannot be higher than the recommended maximum " +"temperature.\n" msgid "Please check.\n" msgstr "Controleer het.\n" @@ -3562,18 +3474,14 @@ msgid "" "Please make sure whether to use the temperature to print.\n" "\n" msgstr "" -"Het kan zijn dat de nozzle verstopt raakt indien er geprint wordt met een " -"temperatuur buiten de voorgestelde range.\n" +"Het kan zijn dat het mondstuk verstopt raakt indien er geprint wordt met een temperatuur " +"buiten de voorgestelde range.\n" "Controleer en bevestig de temperatuur voordat u verder gaat met printen.\n" "\n" #, c-format, boost-format -msgid "" -"Recommended nozzle temperature of this filament type is [%d, %d] degree " -"centigrade" -msgstr "" -"De geadviseerde nozzle temperatuur voor dit type filament is [%d, %d] graden " -"Celcius" +msgid "Recommended nozzle temperature of this filament type is [%d, %d] degree centigrade" +msgstr "De aanbevolen mondstuk temperatuur voor dit type filament is [%d, %d] graden Celsius" msgid "" "Too small max volumetric speed.\n" @@ -3584,13 +3492,12 @@ msgstr "" #, c-format, boost-format msgid "" -"Current chamber temperature is higher than the material's safe temperature," -"it may result in material softening and clogging.The maximum safe " -"temperature for the material is %d" +"Current chamber temperature is higher than the material's safe temperature,it may result in " +"material softening and clogging.The maximum safe temperature for the material is %d" msgstr "" -"Current chamber temperature is higher than the material's safe temperature; " -"this may result in material softening and nozzle clogs.The maximum safe " -"temperature for the material is %d" +"De huidige kamertemperatuur is hoger dan de veilige temperatuur van het materiaal; dit kan " +"leiden tot verzachting van het materiaal en verstoppingen van het mondstuk. De maximale " +"veilige temperatuur voor het materiaal is %d" msgid "" "Too small layer height.\n" @@ -3616,17 +3523,15 @@ msgstr "" "De hoogte voor de eerste laag wordt teruggezet naar 0.2." msgid "" -"This setting is only used for model size tunning with small value in some " -"cases.\n" +"This setting is only used for model size tunning with small value in some cases.\n" "For example, when model size has small error and hard to be assembled.\n" "For large size tuning, please use model scale function.\n" "\n" "The value will be reset to 0." msgstr "" -"Deze instelling wordt in sommige gevallen alleen gebruikt voor " -"modelafmetingen met een kleine waarde.\n" -"Als bijvoorbeeld de modelgrootte een kleine fout heeft en moeilijk te " -"monteren is.\n" +"Deze instelling wordt in sommige gevallen alleen gebruikt voor modelafmetingen met een " +"kleine waarde.\n" +"Als bijvoorbeeld de modelgrootte een kleine fout heeft en moeilijk te monteren is.\n" "Gebruik voor het afstemmen van grote prints de shaal functie.\n" "\n" "De waarde wordt teruggezet naar 0." @@ -3639,33 +3544,30 @@ msgid "" "The value will be reset to 0." msgstr "" "Het is niet reëel om een grote \"elephant foot\" compensatie in te stellen\n" -"Controleer andere instellingen indien er echt een groot \"elephant foot\" " -"effect optreeft.\n" +"Controleer andere instellingen indien er echt een groot \"elephant foot\" effect optreeft.\n" "Het kan bijvoorbeeld zijn dat de temperatuur van het printbed te hoog is.\n" "\n" "De waarde wordt teruggezet naar 0." msgid "" -"Alternate extra wall does't work well when ensure vertical shell thickness " -"is set to All. " +"Alternate extra wall does't work well when ensure vertical shell thickness is set to All. " msgstr "" msgid "" "Change these settings automatically? \n" -"Yes - Change ensure vertical shell thickness to Moderate and enable " -"alternate extra wall\n" +"Yes - Change ensure vertical shell thickness to Moderate and enable alternate extra wall\n" "No - Dont use alternate extra wall" msgstr "" msgid "" -"Prime tower does not work when Adaptive Layer Height or Independent Support " -"Layer Height is on.\n" +"Prime tower does not work when Adaptive Layer Height or Independent Support Layer Height is " +"on.\n" "Which do you want to keep?\n" "YES - Keep Prime Tower\n" "NO - Keep Adaptive Layer Height and Independent Support Layer Height" msgstr "" -"Prime tower werkt niet wanneer adaptieve laag hoogte of onafhankelijke " -"support laaghoogte is ingeschakeld.\n" +"Prime tower werkt niet wanneer adaptieve laag hoogte of onafhankelijke support laaghoogte " +"is ingeschakeld.\n" "Welke instelling wilt u gebruiken\n" "JA - laat de prime-tower aan staan\n" "NO - laat adaptieve laag en onafhankelijke support-laaghoogte ingeschakeld" @@ -3687,8 +3589,7 @@ msgid "" "YES - Keep Prime Tower\n" "NO - Keep Independent Support Layer Height" msgstr "" -"Prime tower werkt niet wanneer onafhankelijke support laag hoogte is " -"ingeschakeld.\n" +"Prime tower werkt niet wanneer onafhankelijke support laag hoogte is ingeschakeld.\n" "Welke instelling wilt u gebruiken\n" "JA - laat de prime-tower aan staan\n" "NO - laat onafhankelijke support-laag-hoogte ingeschakeld" @@ -3706,11 +3607,11 @@ msgid "" msgstr "" msgid "" -"Spiral mode only works when wall loops is 1, support is disabled, top shell " -"layers is 0, sparse infill density is 0 and timelapse type is traditional." +"Spiral mode only works when wall loops is 1, support is disabled, top shell layers is 0, " +"sparse infill density is 0 and timelapse type is traditional." msgstr "" -"Spiral mode only works when wall loops is 1, support is disabled, top shell " -"layers is 0, sparse infill density is 0 and timelapse type is traditional." +"Spiral mode only works when wall loops is 1, support is disabled, top shell layers is 0, " +"sparse infill density is 0 and timelapse type is traditional." msgid " But machines with I3 structure will not generate timelapse videos." msgstr " Maar machines met een I3-structuur genereren geen timelapsevideo's." @@ -3764,7 +3665,7 @@ msgid "Homing toolhead" msgstr "Printkop naar beginpositie" msgid "Cleaning nozzle tip" -msgstr "Nozzle wordt schoongemaakt" +msgstr "Mondstuk wordt schoongemaakt" msgid "Checking extruder temperature" msgstr "Extruder temperatuur wordt gecontroleerd" @@ -3782,7 +3683,7 @@ msgid "Calibrating extrusion flow" msgstr "De extrusieflow kalibreren" msgid "Paused due to nozzle temperature malfunction" -msgstr "Onderbroken vanwege storing in de nozzle temperatuur" +msgstr "Onderbroken vanwege storing in de temperatuur van het mondstuk" msgid "Paused due to heat bed temperature malfunction" msgstr "Onderbroken vanwege storing in de temperatuur van het printbed" @@ -3803,8 +3704,7 @@ msgid "Paused due to AMS lost" msgstr "Gepauzeerd wegens verlies van AMS" msgid "Paused due to low speed of the heat break fan" -msgstr "" -"Gepauzeerd vanwege lage snelheid van de ventilator voor warmteonderbreking" +msgstr "Gepauzeerd vanwege lage snelheid van de ventilator voor warmteonderbreking" msgid "Paused due to chamber temperature control error" msgstr "Gepauzeerd vanwege een fout in de temperatuurregeling van de kamer" @@ -3819,7 +3719,7 @@ msgid "Motor noise showoff" msgstr "Motorgeluid showoff" msgid "Nozzle filament covered detected pause" -msgstr "Nozzle filament bedekt gedetecteerde pauze" +msgstr "Mondstuk filament bedekt gedetecteerde pauze" msgid "Cutter error pause" msgstr "Pauze bij snijfout" @@ -3855,39 +3755,32 @@ msgid "Update failed." msgstr "Updaten mislukt." msgid "" -"The current chamber temperature or the target chamber temperature exceeds " -"45℃.In order to avoid extruder clogging,low temperature filament(PLA/PETG/" -"TPU) is not allowed to be loaded." +"The current chamber temperature or the target chamber temperature exceeds 45℃.In order to " +"avoid extruder clogging,low temperature filament(PLA/PETG/TPU) is not allowed to be loaded." msgstr "" -"The current chamber temperature or the target chamber temperature exceeds " -"45℃. In order to avoid extruder clogging, low temperature filament (PLA/PETG/" -"TPU) is not allowed to be loaded." +"The current chamber temperature or the target chamber temperature exceeds 45℃. In order to " +"avoid extruder clogging, low temperature filament (PLA/PETG/TPU) is not allowed to be " +"loaded." msgid "" -"Low temperature filament(PLA/PETG/TPU) is loaded in the extruder.In order to " -"avoid extruder clogging,it is not allowed to set the chamber temperature " -"above 45℃." +"Low temperature filament(PLA/PETG/TPU) is loaded in the extruder.In order to avoid extruder " +"clogging,it is not allowed to set the chamber temperature above 45℃." msgstr "" -"Low temperature filament (PLA/PETG/TPU) is loaded in the extruder. In order " -"to avoid extruder clogging, it is not allowed to set the chamber temperature " -"above 45℃." +"Low temperature filament (PLA/PETG/TPU) is loaded in the extruder. In order to avoid " +"extruder clogging, it is not allowed to set the chamber temperature above 45℃." msgid "" -"When you set the chamber temperature below 40℃, the chamber temperature " -"control will not be activated. And the target chamber temperature will " -"automatically be set to 0℃." +"When you set the chamber temperature below 40℃, the chamber temperature control will not be " +"activated. And the target chamber temperature will automatically be set to 0℃." msgstr "" -"When you set the chamber temperature below 40℃, the chamber temperature " -"control will not be activated, and the target chamber temperature will " -"automatically be set to 0℃." +"When you set the chamber temperature below 40℃, the chamber temperature control will not be " +"activated, and the target chamber temperature will automatically be set to 0℃." msgid "Failed to start printing job" msgstr "Het starten van de printopdracht is mislukt" -msgid "" -"This calibration does not support the currently selected nozzle diameter" -msgstr "" -"Deze kalibratie ondersteunt de momenteel geselecteerde mondstukdiameter niet" +msgid "This calibration does not support the currently selected nozzle diameter" +msgstr "Deze kalibratie ondersteunt de momenteel geselecteerde mondstukdiameter niet" msgid "Current flowrate cali param is invalid" msgstr "Huidige stroomsnelheid cali param is ongeldig" @@ -3908,18 +3801,18 @@ msgid "Bambu PET-CF/PA6-CF is not supported by AMS." msgstr "Bambu PET-CF/PA6-CF wordt niet ondersteund door AMS." msgid "" -"Damp PVA will become flexible and get stuck inside AMS,please take care to " -"dry it before use." +"Damp PVA will become flexible and get stuck inside AMS,please take care to dry it before " +"use." msgstr "" -"Vochtige PVA zal flexibel worden en vast komen te zitten in de AMS, zorg er " -"dus voor dat je het droogt voor gebruik." +"Vochtige PVA zal flexibel worden en vast komen te zitten in de AMS, zorg er dus voor dat je " +"het droogt voor gebruik." msgid "" -"CF/GF filaments are hard and brittle, It's easy to break or get stuck in " -"AMS, please use with caution." +"CF/GF filaments are hard and brittle, It's easy to break or get stuck in AMS, please use " +"with caution." msgstr "" -"CF/GF-filamenten zijn hard en bros. Ze kunnen gemakkelijk breken of vast " -"komen te zitten in AMS." +"CF/GF-filamenten zijn hard en bros. Ze kunnen gemakkelijk breken of vast komen te zitten in " +"AMS." msgid "default" msgstr "Standaard" @@ -4018,11 +3911,8 @@ msgstr "" "NEE voor %s %s." #, boost-format -msgid "" -"Invalid input format. Expected vector of dimensions in the following format: " -"\"%1%\"" -msgstr "" -"Ongeldige invoer. Verwachte waarde moet in het volgende format: \"%1%\"" +msgid "Invalid input format. Expected vector of dimensions in the following format: \"%1%\"" +msgstr "Ongeldige invoer. Verwachte waarde moet in het volgende format: \"%1%\"" msgid "Input value is out of range" msgstr "Ingevoerde waarde valt buiten het bereik" @@ -4059,13 +3949,13 @@ msgid "Layer Time (log)" msgstr "Laagtijd (logboek)" msgid "Height: " -msgstr "Hoogte:" +msgstr "Hoogte: " msgid "Width: " -msgstr "Breedte:" +msgstr "Breedte: " msgid "Speed: " -msgstr "Snelheid:" +msgstr "Snelheid: " msgid "Flow: " msgstr "Flow: " @@ -4366,8 +4256,8 @@ msgstr "Maat:" #, c-format, boost-format msgid "" -"Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " -"separate the conflicted objects farther (%s <-> %s)." +"Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please separate the " +"conflicted objects farther (%s <-> %s)." msgstr "" msgid "An object is layed over the boundary of plate." @@ -4384,13 +4274,12 @@ msgstr "Alleen het object waaraan gewerkt wordt is zichtbaar." msgid "" "An object is laid over the boundary of plate or exceeds the height limit.\n" -"Please solve the problem by moving it totally on or off the plate, and " -"confirming that the height is within the build volume." +"Please solve the problem by moving it totally on or off the plate, and confirming that the " +"height is within the build volume." msgstr "" -"Een object is over de grens van de plaat geplaatst of overschrijdt de " -"hoogtelimiet.\n" -"Los het probleem op door het geheel op of van de plaat te verplaatsen, en " -"controleer of de hoogte binnen het bouwvolume valt." +"Een object is over de grens van de plaat geplaatst of overschrijdt de hoogtelimiet.\n" +"Los het probleem op door het geheel op of van de plaat te verplaatsen, en controleer of de " +"hoogte binnen het bouwvolume valt." msgid "Calibration step selection" msgstr "Kalibratiestap selectie" @@ -4411,12 +4300,12 @@ msgid "Calibration program" msgstr "Kalibratie programma" msgid "" -"The calibration program detects the status of your device automatically to " -"minimize deviation.\n" +"The calibration program detects the status of your device automatically to minimize " +"deviation.\n" "It keeps the device performing optimally." msgstr "" -"Het kalibratieprogramma detecteert automatisch de status van uw apparaat om " -"afwijkingen te minimaliseren.\n" +"Het kalibratieprogramma detecteert automatisch de status van uw apparaat om afwijkingen te " +"minimaliseren.\n" "Het zorgt ervoor dat het apparaat optimaal blijft presteren." msgid "Calibration Flow" @@ -4908,15 +4797,13 @@ msgstr "Selecteer het te laden profiel:" #, c-format, boost-format msgid "There is %d config imported. (Only non-system and compatible configs)" -msgid_plural "" -"There are %d configs imported. (Only non-system and compatible configs)" +msgid_plural "There are %d configs imported. (Only non-system and compatible configs)" msgstr[0] "" msgstr[1] "" msgid "" "\n" -"Hint: Make sure you have added the corresponding printer before importing " -"the configs." +"Hint: Make sure you have added the corresponding printer before importing the configs." msgstr "" msgid "Import result" @@ -4954,32 +4841,24 @@ msgid "Player is malfunctioning. Please reinstall the system player." msgstr "De speler werkt niet goed. Installeer de systeemspeler opnieuw." msgid "The player is not loaded, please click \"play\" button to retry." -msgstr "" -"De speler is niet geladen; klik op de \"play\" knop om het opnieuw te " -"proberen." +msgstr "De speler is niet geladen; klik op de \"play\" knop om het opnieuw te proberen." msgid "Please confirm if the printer is connected." msgstr "Controleer of de printer is aangesloten." -msgid "" -"The printer is currently busy downloading. Please try again after it " -"finishes." +msgid "The printer is currently busy downloading. Please try again after it finishes." msgstr "" -"De printer is momenteel bezig met downloaden. Probeer het opnieuw nadat het " -"is voltooid." +"De printer is momenteel bezig met downloaden. Probeer het opnieuw nadat het is voltooid." msgid "Printer camera is malfunctioning." msgstr "De printercamera werkt niet goed." msgid "Problem occured. Please update the printer firmware and try again." msgstr "" -"Er heeft zich een probleem voorgedaan. Werk de printerfirmware bij en " -"probeer het opnieuw." +"Er heeft zich een probleem voorgedaan. Werk de printerfirmware bij en probeer het opnieuw." -msgid "" -"LAN Only Liveview is off. Please turn on the liveview on printer screen." -msgstr "" -"LAN Only Liveview is off. Please turn on the liveview on printer screen." +msgid "LAN Only Liveview is off. Please turn on the liveview on printer screen." +msgstr "LAN Only Liveview is off. Please turn on the liveview on printer screen." msgid "Please enter the IP of printer to connect." msgstr "Voer het IP-adres in van de printer waarmee u verbinding wilt maken." @@ -4991,11 +4870,11 @@ msgid "Connection Failed. Please check the network and try again" msgstr "Verbinding mislukt. Controleer het netwerk en probeer het opnieuw" msgid "" -"Please check the network and try again, You can restart or update the " -"printer if the issue persists." +"Please check the network and try again, You can restart or update the printer if the issue " +"persists." msgstr "" -"Controleer het netwerk en probeer het opnieuw. U kunt de printer opnieuw " -"opstarten of bijwerken als het probleem zich blijft voordoen." +"Controleer het netwerk en probeer het opnieuw. U kunt de printer opnieuw opstarten of " +"bijwerken als het probleem zich blijft voordoen." msgid "The printer has been logged out and cannot connect." msgstr "De printer is afgemeld en kan geen verbinding maken." @@ -5090,7 +4969,7 @@ msgid "Reload file list from printer." msgstr "Reload file list from printer." msgid "No printers." -msgstr "Geen printers" +msgstr "Geen printers." #, c-format, boost-format msgid "Connect failed [%d]!" @@ -5109,11 +4988,11 @@ msgid "Initialize failed (Device connection not ready)!" msgstr "Initialization failed (Device connection not ready)!" msgid "" -"Browsing file in SD card is not supported in current firmware. Please update " -"the printer firmware." +"Browsing file in SD card is not supported in current firmware. Please update the printer " +"firmware." msgstr "" -"Browsing file in SD card is not supported in current firmware. Please update " -"the printer firmware." +"Browsing file in SD card is not supported in current firmware. Please update the printer " +"firmware." msgid "Initialize failed (Storage unavailable, insert SD card.)!" msgstr "" @@ -5130,8 +5009,7 @@ msgstr "Initialisatie is mislukt (%s)!" #, c-format, boost-format msgid "You are going to delete %u file from printer. Are you sure to continue?" -msgid_plural "" -"You are going to delete %u files from printer. Are you sure to continue?" +msgid_plural "You are going to delete %u files from printer. Are you sure to continue?" msgstr[0] "" msgstr[1] "" @@ -5155,8 +5033,8 @@ msgid "Failed to parse model information." msgstr "Mislukt bij het parsen van modelinformatie." msgid "" -"The .gcode.3mf file contains no G-code data.Please slice it with Orca Slicer " -"and export a new .gcode.3mf file." +"The .gcode.3mf file contains no G-code data.Please slice it with Orca Slicer and export a " +"new .gcode.3mf file." msgstr "" #, c-format, boost-format @@ -5188,11 +5066,11 @@ msgid "Downloading %d%%..." msgstr "%d%% downloaden..." msgid "" -"Reconnecting the printer, the operation cannot be completed immediately, " -"please try again later." +"Reconnecting the printer, the operation cannot be completed immediately, please try again " +"later." msgstr "" -"Reconnecting the printer, the operation cannot be completed immediately, " -"please try again later." +"Reconnecting the printer, the operation cannot be completed immediately, please try again " +"later." msgid "File does not exist." msgstr "Bestand bestaat niet." @@ -5211,7 +5089,7 @@ msgid "Error code: %d" msgstr "Foutcode: %d" msgid "Speed:" -msgstr "Snelheid" +msgstr "Snelheid:" msgid "Deadzone:" msgstr "Deadzone:" @@ -5271,12 +5149,8 @@ msgstr "" msgid "How do you like this printing file?" msgstr "Wat vind je van dit afdrukbestand?" -msgid "" -"(The model has already been rated. Your rating will overwrite the previous " -"rating.)" -msgstr "" -"(Het model is al beoordeeld. Uw beoordeling overschrijft de vorige " -"beoordeling)." +msgid "(The model has already been rated. Your rating will overwrite the previous rating.)" +msgstr "(Het model is al beoordeeld. Uw beoordeling overschrijft de vorige beoordeling)." msgid "Rate" msgstr "Tarief" @@ -5350,12 +5224,8 @@ msgstr "Layer: %s" msgid "Layer: %d/%d" msgstr "Layer: %d/%d" -msgid "" -"Please heat the nozzle to above 170 degree before loading or unloading " -"filament." -msgstr "" -"Verwarm het mondstuk tot boven de 170 graden voordat u filament laadt of " -"lost." +msgid "Please heat the nozzle to above 170 degree before loading or unloading filament." +msgstr "Verwarm het mondstuk tot boven de 170 graden voordat u filament laadt of lost." msgid "Still unload" msgstr "Nog steeds aan het ontladen" @@ -5367,11 +5237,11 @@ msgid "Please select an AMS slot before calibration" msgstr "Selecteer een AMS-slot voor de kalibratie." msgid "" -"Cannot read filament info: the filament is loaded to the tool head,please " -"unload the filament and try again." +"Cannot read filament info: the filament is loaded to the tool head,please unload the " +"filament and try again." msgstr "" -"Kan de filament informatie niet lezen: het filament is in de printkop " -"geladen; verwijder het filament en probeer het opnieuw." +"Kan de filament informatie niet lezen: het filament is in de printkop geladen; verwijder " +"het filament en probeer het opnieuw." msgid "This only takes effect during printing" msgstr "Dit is alleen van kracht tijdens het printen" @@ -5437,12 +5307,12 @@ msgid " can not be opened\n" msgstr " cannot be opened\n" msgid "" -"The following issues occurred during the process of uploading images. Do you " -"want to ignore them?\n" +"The following issues occurred during the process of uploading images. Do you want to ignore " +"them?\n" "\n" msgstr "" -"De volgende problemen deden zich voor tijdens het uploaden van afbeeldingen. " -"Wil je ze negeren?\n" +"De volgende problemen deden zich voor tijdens het uploaden van afbeeldingen. Wil je ze " +"negeren?\n" "\n" msgid "info" @@ -5450,8 +5320,7 @@ msgstr "Informatie" msgid "Synchronizing the printing results. Please retry a few seconds later." msgstr "" -"De afdrukresultaten worden gesynchroniseerd. Probeer het een paar seconden " -"later opnieuw." +"De afdrukresultaten worden gesynchroniseerd. Probeer het een paar seconden later opnieuw." msgid "Upload failed\n" msgstr "Uploaden mislukt\n" @@ -5481,11 +5350,10 @@ msgstr "" "Would you like to redirect to the webpage to give a rating?" msgid "" -"Some of your images failed to upload. Would you like to redirect to the " -"webpage for rating?" +"Some of your images failed to upload. Would you like to redirect to the webpage for rating?" msgstr "" -"Sommige afbeeldingen zijn niet geüpload. Wilt u doorverwijzen naar de " -"webpagina voor beoordeling?" +"Sommige afbeeldingen zijn niet geüpload. Wilt u doorverwijzen naar de webpagina voor " +"beoordeling?" msgid "You can select up to 16 images." msgstr "Je kunt tot 16 afbeeldingen selecteren." @@ -5536,9 +5404,7 @@ msgstr "Overslaan" msgid "Newer 3mf version" msgstr "Nieuwere versie 3mf" -msgid "" -"The 3mf file version is in Beta and it is newer than the current OrcaSlicer " -"version." +msgid "The 3mf file version is in Beta and it is newer than the current OrcaSlicer version." msgstr "" msgid "If you would like to try Orca Slicer Beta, you may click to" @@ -5554,10 +5420,10 @@ msgid "Update your Orca Slicer could enable all functionality in the 3mf file." msgstr "" msgid "Current Version: " -msgstr "Huidige versie:" +msgstr "Huidige versie: " msgid "Latest Version: " -msgstr "Laatste versie:" +msgstr "Laatste versie: " msgid "Not for now" msgstr "Not for now" @@ -5581,7 +5447,7 @@ msgid "Undo integration was successful." msgstr "Het ongedaan maken van de integratie is gelukt." msgid "New network plug-in available." -msgstr "Nieuwe netwerk plug-in beschikbaar" +msgstr "Nieuwe netwerk plug-in beschikbaar." msgid "Details" msgstr "Détails" @@ -5596,10 +5462,10 @@ msgid "Undo integration failed." msgstr "Het ongedaan maken van de integratie is mislukt." msgid "Exporting." -msgstr "Exporteren" +msgstr "Exporteren." msgid "Software has New version." -msgstr "Er is een update beschikbaar!" +msgstr "Er is een update beschikbaar." msgid "Goto download page." msgstr "Ga naar de download pagina." @@ -5614,21 +5480,19 @@ msgstr "Safely remove hardware." msgid "%1$d Object has custom supports." msgid_plural "%1$d Objects have custom supports." msgstr[0] "" -"%1$d de objecten hebben handmatig toegevoegde supports.@%1$d de objecten " -"hebben handmatig toegevoegde supports." +"%1$d de objecten hebben handmatig toegevoegde supports.@%1$d de objecten hebben handmatig " +"toegevoegde supports." msgstr[1] "" -"%1$d de objecten hebben handmatig toegevoegde supports.@%1$d de objecten " -"hebben handmatig toegevoegde supports." +"%1$d de objecten hebben handmatig toegevoegde supports.@%1$d de objecten hebben handmatig " +"toegevoegde supports." #, c-format, boost-format msgid "%1$d Object has color painting." msgid_plural "%1$d Objects have color painting." msgstr[0] "" -"%1$d De objecten hebben geschilderde kleuren.@%1$d De objecten hebben " -"geschilderde kleuren." +"%1$d De objecten hebben geschilderde kleuren.@%1$d De objecten hebben geschilderde kleuren." msgstr[1] "" -"%1$d De objecten hebben geschilderde kleuren.@%1$d De objecten hebben " -"geschilderde kleuren." +"%1$d De objecten hebben geschilderde kleuren.@%1$d De objecten hebben geschilderde kleuren." #, c-format, boost-format msgid "%1$d object was loaded as a part of cut object." @@ -5696,12 +5560,10 @@ msgstr "Lagen" msgid "Range" msgstr "Bereik" -msgid "" -"The application cannot run normally because OpenGL version is lower than " -"2.0.\n" +msgid "The application cannot run normally because OpenGL version is lower than 2.0.\n" msgstr "" -"De toepassing kan niet volledig naar behoren functioneren omdat de " -"geinstalleerde versie van OpenGL lager is dan 2.0.\n" +"De toepassing kan niet volledig naar behoren functioneren omdat de geinstalleerde versie " +"van OpenGL lager is dan 2.0.\n" msgid "Please upgrade your graphics card driver." msgstr "Upgrade uw videokaart drivers." @@ -5738,12 +5600,11 @@ msgid "Enable detection of build plate position" msgstr "Detectie van de positie van de printplaat inschakelen" msgid "" -"The localization tag of build plate is detected, and printing is paused if " -"the tag is not in predefined range." +"The localization tag of build plate is detected, and printing is paused if the tag is not " +"in predefined range." msgstr "" -"De lokalisatietag van de bouwplaat wordt gedetecteerd en het afdrukken wordt " -"gepauzeerd als de tag zich niet binnen het vooraf gedefinieerde bereik " -"bevindt." +"De lokalisatietag van de bouwplaat wordt gedetecteerd en het afdrukken wordt gepauzeerd als " +"de tag zich niet binnen het vooraf gedefinieerde bereik bevindt." msgid "First Layer Inspection" msgstr "Inspectie van de eerste laag" @@ -5758,13 +5619,14 @@ msgid "Filament Tangle Detect" msgstr "Filament Tangle Detection" msgid "Nozzle Clumping Detection" -msgstr "Nozzle Clumping Detection" +msgstr "Detectie van klontvorming in mondstuk" msgid "Check if the nozzle is clumping by filament or other foreign objects." -msgstr "Check if the nozzle is clumping by filament or other foreign objects." +msgstr "" +"Controleer of er klonten in het mondstuk zitten door filament of andere vreemde voorwerpen." msgid "Nozzle Type" -msgstr "Nozzle Type" +msgstr "Mondstuk Type" msgid "Stainless Steel" msgstr "Roestvrij staal" @@ -5873,28 +5735,21 @@ msgstr "Zoek plaat, object en onderdeel." msgid "Pellets" msgstr "" -msgid "" -"No AMS filaments. Please select a printer in 'Device' page to load AMS info." -msgstr "" -"Geen AMS filamenten. Selecteer een printer in 'Apparaat' pagina om AMS info " -"te laden." +msgid "No AMS filaments. Please select a printer in 'Device' page to load AMS info." +msgstr "Geen AMS filamenten. Selecteer een printer in 'Apparaat' pagina om AMS info te laden." msgid "Sync filaments with AMS" msgstr "Synchroniseer filamenten met AMS" msgid "" -"Sync filaments with AMS will drop all current selected filament presets and " -"colors. Do you want to continue?" +"Sync filaments with AMS will drop all current selected filament presets and colors. Do you " +"want to continue?" msgstr "" -"Door filamenten te synchroniseren met de AMS zullen alle huidige " -"geselecteerde filament presets en kleuren wegvallen. Wilt u doorgaan?" +"Door filamenten te synchroniseren met de AMS zullen alle huidige geselecteerde filament " +"presets en kleuren wegvallen. Wilt u doorgaan?" -msgid "" -"Already did a synchronization, do you want to sync only changes or resync " -"all?" -msgstr "" -"Already did a synchronization; do you want to sync only changes or resync " -"all?" +msgid "Already did a synchronization, do you want to sync only changes or resync all?" +msgstr "Already did a synchronization; do you want to sync only changes or resync all?" msgid "Sync" msgstr "Sync" @@ -5903,14 +5758,11 @@ msgid "Resync" msgstr "Resync" msgid "There are no compatible filaments, and sync is not performed." -msgstr "" -"Er zijn geen compatibele filamenten en er wordt geen synchronisatie " -"uitgevoerd." +msgstr "Er zijn geen compatibele filamenten en er wordt geen synchronisatie uitgevoerd." msgid "" -"There are some unknown filaments mapped to generic preset. Please update " -"Orca Slicer or restart Orca Slicer to check if there is an update to system " -"presets." +"There are some unknown filaments mapped to generic preset. Please update Orca Slicer or " +"restart Orca Slicer to check if there is an update to system presets." msgstr "" #, boost-format @@ -5918,49 +5770,44 @@ msgid "Do you want to save changes to \"%1%\"?" msgstr "Wilt u de wijzigingen opslaan in \"%1%\"?" #, c-format, boost-format -msgid "" -"Successfully unmounted. The device %s(%s) can now be safely removed from the " -"computer." +msgid "Successfully unmounted. The device %s(%s) can now be safely removed from the computer." msgstr "" -"Succesvol ontkoppeld. Het apparaat %s(%s) kan nu veilig van de computer " -"worden verwijderd." +"Succesvol ontkoppeld. Het apparaat %s(%s) kan nu veilig van de computer worden verwijderd." #, c-format, boost-format msgid "Ejecting of device %s(%s) has failed." msgstr "Het uitwerpen van apparaat %s(%s) is mislukt." msgid "Previous unsaved project detected, do you want to restore it?" -msgstr "" -"Er is niet opgeslagen project data gedectereerd, wilt u deze herstellen?" +msgstr "Er is niet opgeslagen project data gedectereerd, wilt u deze herstellen?" msgid "Restore" msgstr "Herstellen" msgid "" -"The current hot bed temperature is relatively high. The nozzle may be " -"clogged when printing this filament in a closed enclosure. Please open the " -"front door and/or remove the upper glass." +"The current hot bed temperature is relatively high. The nozzle may be clogged when printing " +"this filament in a closed enclosure. Please open the front door and/or remove the upper " +"glass." msgstr "" -"The current heatbed temperature is relatively high. The nozzle may clog when " -"printing this filament in a closed environment. Please open the front door " -"and/or remove the upper glass." +"De huidige warmtebedtemperatuur is relatief hoog. Het mondstuk kan verstopt raken bij het " +"printen van dit filament in een gesloten omgeving. Open de voordeur en/of verwijder het " +"bovenste glas." msgid "" -"The nozzle hardness required by the filament is higher than the default " -"nozzle hardness of the printer. Please replace the hardened nozzle or " -"filament, otherwise, the nozzle will be attrited or damaged." +"The nozzle hardness required by the filament is higher than the default nozzle hardness of " +"the printer. Please replace the hardened nozzle or filament, otherwise, the nozzle will be " +"attrited or damaged." msgstr "" -"De door het filament vereiste hardheid van de nozzle is hoger dan de " -"standaard hardheid van de nozzle van de printer. Vervang de geharde nozzle " -"of het filament, anders raakt de nozzle versleten of beschadigd." +"De door het filament vereiste hardheid van het mondstuk is hoger dan de standaard hardheid " +"van het mondstuk van de printer. Vervang het geharde mondstuk of het filament, anders raakt " +"het mondstuk versleten of beschadigd." msgid "" -"Enabling traditional timelapse photography may cause surface imperfections. " -"It is recommended to change to smooth mode." +"Enabling traditional timelapse photography may cause surface imperfections. It is " +"recommended to change to smooth mode." msgstr "" -"Het inschakelen van traditionele timelapse-fotografie kan oneffenheden in " -"het oppervlak veroorzaken. Het wordt aanbevolen om over te schakelen naar de " -"vloeiende modus." +"Het inschakelen van traditionele timelapse-fotografie kan oneffenheden in het oppervlak " +"veroorzaken. Het wordt aanbevolen om over te schakelen naar de vloeiende modus." msgid "Expand sidebar" msgstr "Zijbalk uitklappen" @@ -5973,30 +5820,25 @@ msgid "Loading file: %s" msgstr "Bestand laden: %s" msgid "The 3mf is not supported by OrcaSlicer, load geometry data only." -msgstr "" -"De 3mf is niet van Orca Slicer, er worden alleen geometriegegevens geladen." +msgstr "De 3mf is niet van Orca Slicer, er worden alleen geometriegegevens geladen." msgid "Load 3mf" msgstr "Laad 3mf" #, c-format, boost-format -msgid "" -"The 3mf's version %s is newer than %s's version %s, Found following keys " -"unrecognized:" +msgid "The 3mf's version %s is newer than %s's version %s, Found following keys unrecognized:" msgstr "" -"Versie %s van de 3mf is nieuwer dan versie %s van %s. De volgende sleutels " -"worden niet herkend:" +"Versie %s van de 3mf is nieuwer dan versie %s van %s. De volgende sleutels worden niet " +"herkend:" msgid "You'd better upgrade your software.\n" msgstr "U dient de software te upgraden.\n" #, c-format, boost-format -msgid "" -"The 3mf's version %s is newer than %s's version %s, Suggest to upgrade your " -"software." +msgid "The 3mf's version %s is newer than %s's version %s, Suggest to upgrade your software." msgstr "" -"Versie %s van de 3mf is nieuwer dan versie %s van %s. Wij stellen voor om uw " -"software te upgraden." +"Versie %s van de 3mf is nieuwer dan versie %s van %s. Wij stellen voor om uw software te " +"upgraden." msgid "Invalid values found in the 3mf:" msgstr "Invalid values found in the 3mf:" @@ -6008,26 +5850,21 @@ msgid "The 3mf has following modified G-codes in filament or printer presets:" msgstr "The 3mf has following modified G-code in filament or printer presets:" msgid "" -"Please confirm that these modified G-codes are safe to prevent any damage to " -"the machine!" +"Please confirm that these modified G-codes are safe to prevent any damage to the machine!" msgstr "" -"Controleer of deze aangepaste G-codes veilig zijn om schade aan de machine " -"te voorkomen!" +"Controleer of deze aangepaste G-codes veilig zijn om schade aan de machine te voorkomen!" msgid "Modified G-codes" msgstr "Modified G-code" msgid "The 3mf has following customized filament or printer presets:" -msgstr "" -"De 3mf heeft de volgende aangepaste voorinstellingen voor filament of " -"printer:" +msgstr "De 3mf heeft de volgende aangepaste voorinstellingen voor filament of printer:" msgid "" -"Please confirm that the G-codes within these presets are safe to prevent any " -"damage to the machine!" +"Please confirm that the G-codes within these presets are safe to prevent any damage to the " +"machine!" msgstr "" -"Controleer of de G-codes in deze presets veilig zijn om schade aan de " -"machine te voorkomen!" +"Controleer of de G-codes in deze presets veilig zijn om schade aan de machine te voorkomen!" msgid "Customized Preset" msgstr "Aangepaste voorinstelling" @@ -6036,17 +5873,14 @@ msgid "Name of components inside step file is not UTF8 format!" msgstr "Naam van componenten in step-bestand is niet UTF8-formaat!" msgid "The name may show garbage characters!" -msgstr "" -"Vanwege niet-ondersteunde tekstcodering kunnen er onjuiste tekens " -"verschijnen!" +msgstr "Vanwege niet-ondersteunde tekstcodering kunnen er onjuiste tekens verschijnen!" msgid "Remember my choice." msgstr "Remember my choice." #, boost-format msgid "Failed loading file \"%1%\". An invalid configuration was found." -msgstr "" -"Kan bestand \"%1%\" niet laden. Er is een ongeldige configuratie gevonden." +msgstr "Kan bestand \"%1%\" niet laden. Er is een ongeldige configuratie gevonden." msgid "Objects with zero volume removed" msgstr "Objecten zonder inhoud zijn verwijderd" @@ -6070,8 +5904,7 @@ msgid "" "Instead of considering them as multiple objects, should \n" "the file be loaded as a single object having multiple parts?" msgstr "" -"Dit bestand bevat verschillende objecten die op verschillende hoogten zijn " -"geplaatst.\n" +"Dit bestand bevat verschillende objecten die op verschillende hoogten zijn geplaatst.\n" "In plaats van ze te beschouwen als meerdere objecten, moet\n" "het bestand worden geladen als een enkel object met meerdere delen?" @@ -6079,9 +5912,7 @@ msgid "Multi-part object detected" msgstr "Object met meerdere onderdelen gedetecteerd" msgid "Load these files as a single object with multiple parts?\n" -msgstr "" -"Wilt u deze bestanden laden als een enkel object bestaande uit meerdere " -"onderdelen?\n" +msgstr "Wilt u deze bestanden laden als een enkel object bestaande uit meerdere onderdelen?\n" msgid "Object with multiple parts was detected" msgstr "Er is een object met meerdere onderdelen gedetecteerd" @@ -6090,19 +5921,18 @@ msgid "The file does not contain any geometry data." msgstr "Het bestand bevat geen geometriegegevens." msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." +"Your object appears to be too large. It will be scaled down to fit the heat bed " +"automatically." msgstr "" msgid "Object too large" msgstr "Object te groot" msgid "" -"Your object appears to be too large, Do you want to scale it down to fit the " -"heat bed automatically?" +"Your object appears to be too large, Do you want to scale it down to fit the heat bed " +"automatically?" msgstr "" -"Uw object lijkt te groot. Wilt u het verkleinen zodat het automatisch op het " -"printbed past?" +"Uw object lijkt te groot. Wilt u het verkleinen zodat het automatisch op het printbed past?" msgid "Export STL file:" msgstr "Exporteer STL bestand:" @@ -6164,7 +5994,7 @@ msgid "Please select a file" msgstr "Selecteer een bestand" msgid "Do you want to replace it" -msgstr "Do you want to replace it?" +msgstr "Wilt u deze vervangen?" msgid "Message" msgstr "Bericht" @@ -6197,24 +6027,21 @@ msgstr "Slicing printbed %d" msgid "Please resolve the slicing errors and publish again." msgstr "Los aub de slicing fouten op en publiceer opnieuw." -msgid "" -"Network Plug-in is not detected. Network related features are unavailable." +msgid "Network Plug-in is not detected. Network related features are unavailable." msgstr "" -"Netwerk plug-in is niet gedetecteerd. Netwerkgerelateerde functies zijn niet " -"beschikbaar." +"Netwerk plug-in is niet gedetecteerd. Netwerkgerelateerde functies zijn niet beschikbaar." msgid "" "Preview only mode:\n" "The loaded file contains gcode only, Can not enter the Prepare page" msgstr "" "Voorvertoning modus:\n" -"Het geladen bestand bevat alleen G-code, hierdoor is het niet mogelijk om " -"naar de pagina Voorbereiden schakelen." +"Het geladen bestand bevat alleen G-code, hierdoor is het niet mogelijk om naar de pagina " +"Voorbereiden schakelen." msgid "You can keep the modified presets to the new project or discard them" msgstr "" -"Je kunt de aangepaste voorinstellingen bewaren voor het nieuwe project of ze " -"laten vervallen" +"Je kunt de aangepaste voorinstellingen bewaren voor het nieuwe project of ze laten vervallen" msgid "Creating a new project" msgstr "Start een nieuw project" @@ -6224,12 +6051,11 @@ msgstr "Project laden" msgid "" "Failed to save the project.\n" -"Please check whether the folder exists online or if other programs open the " -"project file." +"Please check whether the folder exists online or if other programs open the project file." msgstr "" "Het is niet gelukt om het project op te slaan.\n" -"Controleer of de map online bestaat of dat het projectbestand in andere " -"programma's is geopend." +"Controleer of de map online bestaat of dat het projectbestand in andere programma's is " +"geopend." msgid "Save project" msgstr "Project opslaan" @@ -6253,9 +6079,7 @@ msgstr "Download failed; File size exception." msgid "Project downloaded %d%%" msgstr "Project %d%% gedownload" -msgid "" -"Importing to Orca Slicer failed. Please download the file and manually " -"import it." +msgid "Importing to Orca Slicer failed. Please download the file and manually import it." msgstr "" msgid "Import SLA archive" @@ -6265,7 +6089,7 @@ msgid "The selected file" msgstr "Het geselecteerde bestand" msgid "does not contain valid gcode." -msgstr "Bevat geen geldige Gcode" +msgstr "Bevat geen geldige G-code" msgid "Error occurs while loading G-code file" msgstr "Er is een fout opgetreden tijdens het laden van het G-codebestand." @@ -6273,16 +6097,17 @@ msgstr "Er is een fout opgetreden tijdens het laden van het G-codebestand." #. TRN %1% is archive path #, boost-format msgid "Loading of a ZIP archive on path %1% has failed." -msgstr "" +msgstr "Het laden van een ZIP-archief op pad %1% is mislukt." #. TRN: First argument = path to file, second argument = error description #, boost-format msgid "Failed to unzip file to %1%: %2%" -msgstr "" +msgstr "Kan het bestand niet uitpakken naar %1%: %2%" #, boost-format msgid "Failed to find unzipped file at %1%. Unzipping of file has failed." msgstr "" +"Kan het uitgepakte bestand op %1% niet vinden. Het uitpakken van het bestand is mislukt." msgid "Drop project file" msgstr "Projectbestand neerzetten" @@ -6313,8 +6138,8 @@ msgstr "Alle objecten zullen verwijderd worden, doorgaan?" msgid "The current project has unsaved changes, save it before continue?" msgstr "" -"Het huidige project heeft niet-opgeslagen wijzigingen. Wilt u eerst opslaan " -"voordat u verder gaat?" +"Het huidige project heeft niet-opgeslagen wijzigingen. Wilt u eerst opslaan voordat u " +"verder gaat?" msgid "Number of copies:" msgstr "Aantal kopieën:" @@ -6339,18 +6164,17 @@ msgstr "Bewaar het geslicede bestand als:" #, c-format, boost-format msgid "" -"The file %s has been sent to the printer's storage space and can be viewed " -"on the printer." +"The file %s has been sent to the printer's storage space and can be viewed on the printer." msgstr "" -"Het bestand %s is naar de opslagruimte van de printer gestuurd en kan op de " -"printer worden bekeken." +"Het bestand %s is naar de opslagruimte van de printer gestuurd en kan op de printer worden " +"bekeken." msgid "" -"Unable to perform boolean operation on model meshes. Only positive parts " -"will be kept. You may fix the meshes and try again." +"Unable to perform boolean operation on model meshes. Only positive parts will be kept. You " +"may fix the meshes and try again." msgstr "" -"Unable to perform boolean operation on model meshes. Only positive parts " -"will be kept. You may fix the meshes and try again." +"Unable to perform boolean operation on model meshes. Only positive parts will be kept. You " +"may fix the meshes and try again." #, boost-format msgid "Reason: part \"%1%\" is empty." @@ -6369,8 +6193,7 @@ msgid "Reason: \"%1%\" and another part have no intersection." msgstr "Reason: \"%1%\" and another part have no intersection." msgid "" -"Are you sure you want to store original SVGs with their local paths into the " -"3MF file?\n" +"Are you sure you want to store original SVGs with their local paths into the 3MF file?\n" "If you hit 'NO', all SVGs in the project will not be editable any more." msgstr "" @@ -6388,8 +6211,8 @@ msgid "" "Suggest to use auto-arrange to avoid collisions when printing." msgstr "" "Afdrukken per object:\n" -"Het wordt geadviseerd om automatisch rangschikken te gebruiken om botsingen " -"tijdens het afdrukken te voorkomen." +"Het wordt geadviseerd om automatisch rangschikken te gebruiken om botsingen tijdens het " +"afdrukken te voorkomen." msgid "Send G-code" msgstr "Verstuur G-code" @@ -6398,8 +6221,7 @@ msgid "Send to printer" msgstr "Stuur naar printer" msgid "Custom supports and color painting were removed before repairing." -msgstr "" -"Handmatig aangebrachte support en kleuren zijn verwijderd voor het repareren." +msgstr "Handmatig aangebrachte support en kleuren zijn verwijderd voor het repareren." msgid "Optimize Rotation" msgstr "" @@ -6450,23 +6272,22 @@ msgid "Tips:" msgstr "Tips:" msgid "" -"\"Fix Model\" feature is currently only on Windows. Please repair the model " -"on Orca Slicer(windows) or CAD softwares." +"\"Fix Model\" feature is currently only on Windows. Please repair the model on Orca " +"Slicer(windows) or CAD softwares." msgstr "" +"De functie \"Model repareren\" is momenteel alleen beschikbaar op Windows. Repareer het " +"model met OrcaSlicer (Windows) of andere CAD-software." #, c-format, boost-format msgid "" -"Plate% d: %s is not suggested to be used to print filament %s(%s). If you " -"still want to do this printing, please set this filament's bed temperature " -"to non zero." +"Plate% d: %s is not suggested to be used to print filament %s(%s). If you still want to do " +"this printing, please set this filament's bed temperature to non zero." msgstr "" -"Plate% d: %s is not suggested for use printing filament %s(%s). If you still " -"want to do this print job, please set this filament's bed temperature to a " -"number that is not zero." +"Plate% d: %s is not suggested for use printing filament %s(%s). If you still want to do " +"this print job, please set this filament's bed temperature to a number that is not zero." msgid "Switching the language requires application restart.\n" -msgstr "" -"Om de taal te wijzigen dient de toepassing opnieuw opgestart te worden.\n" +msgstr "Om de taal te wijzigen dient de toepassing opnieuw opgestart te worden.\n" msgid "Do you want to continue?" msgstr "Wilt u doorgaan?" @@ -6484,7 +6305,7 @@ msgid "Region selection" msgstr "Regio selectie" msgid "Second" -msgstr "Seconde" +msgstr "seconde(n)" msgid "Browse" msgstr "Browsen" @@ -6493,19 +6314,19 @@ msgid "Choose Download Directory" msgstr "Kies Downloadmap" msgid "Associate" -msgstr "" +msgstr "Associeer" msgid "with OrcaSlicer so that Orca can open models from" -msgstr "" +msgstr "met OrcaSlicer zodat Orca modellen kan openen van" msgid "Current Association: " -msgstr "" +msgstr "Huidige associatie: " msgid "Current Instance" -msgstr "" +msgstr "Huidige instantie" msgid "Current Instance Path: " -msgstr "" +msgstr "Huidig instancepad: " msgid "General Settings" msgstr "Algemene instellingen" @@ -6529,21 +6350,24 @@ msgid "Login Region" msgstr "Inlogregio" msgid "Stealth Mode" -msgstr "" +msgstr "Stealth-modus" msgid "" -"This stops the transmission of data to Bambu's cloud services. Users who " -"don't use BBL machines or use LAN mode only can safely turn on this function." +"This stops the transmission of data to Bambu's cloud services. Users who don't use BBL " +"machines or use LAN mode only can safely turn on this function." msgstr "" +"Hiermee wordt het versturen van gegevens naar Bambu's cloudservices gestopt. Gebruikers die " +"geen BambuLab-machines gebruiken of alleen de LAN-modus gebruiken, kunnen deze functie " +"veilig inschakelen." msgid "Enable network plugin" -msgstr "" +msgstr "Netwerkplug-in inschakelen" msgid "Check for stable updates only" -msgstr "" +msgstr "Alleen op stabiele updates controleren" msgid "Metric" -msgstr "Metriek" +msgstr "Metrisch" msgid "Imperial" msgstr "Imperiaal" @@ -6552,201 +6376,200 @@ msgid "Units" msgstr "Eenheden" msgid "Allow only one OrcaSlicer instance" -msgstr "" +msgstr "Sta slechts één OrcaSlicer-instantie toe" msgid "" -"On OSX there is always only one instance of app running by default. However " -"it is allowed to run multiple instances of same app from the command line. " -"In such case this settings will allow only one instance." +"On OSX there is always only one instance of app running by default. However it is allowed " +"to run multiple instances of same app from the command line. In such case this settings " +"will allow only one instance." msgstr "" -"Op OSX is er standaard altijd maar één instantie van een app actief. Het is " -"echter toegestaan om meerdere instanties van dezelfde app uit te voeren " -"vanaf de opdrachtregel. In dat geval staat deze instelling slechts één " -"instantie toe." +"In OSX is er standaard altijd maar één instantie van een app actief. Het is echter " +"toegestaan om meerdere instanties van dezelfde app uit te voeren vanaf de opdrachtregel. In " +"dat geval staat deze instelling slechts één instantie toe." msgid "" -"If this is enabled, when starting OrcaSlicer and another instance of the " -"same OrcaSlicer is already running, that instance will be reactivated " -"instead." +"If this is enabled, when starting OrcaSlicer and another instance of the same OrcaSlicer is " +"already running, that instance will be reactivated instead." msgstr "" +"Als deze optie is ingeschakeld, wordt OrcaSlicer opnieuw geactiveerd wanneer er al een " +"ander exemplaar van OrcaSlicer is gestart." msgid "Home" msgstr "Thuis" msgid "Default Page" -msgstr "" +msgstr "Startpagina" msgid "Set the page opened on startup." -msgstr "" +msgstr "Stel de pagina in die wordt geopend bij het opstarten." msgid "Touchpad" -msgstr "" +msgstr "Touchpad" msgid "Camera style" -msgstr "" +msgstr "Camera stijl" msgid "" "Select camera navigation style.\n" "Default: LMB+move for rotation, RMB/MMB+move for panning.\n" "Touchpad: Alt+move for rotation, Shift+move for panning." msgstr "" +"Selecteer cameranavigatiestijl.\n" +"Standaard: LMB+bewegen voor rotatie, RMB/MMB+bewegen voor pannen.\n" +"Touchpad: Alt+bewegen voor rotatie, Shift+bewegen voor pannen." msgid "Zoom to mouse position" -msgstr "Zoom to mouse position" +msgstr "Zoomen naar muispositie" msgid "" -"Zoom in towards the mouse pointer's position in the 3D view, rather than the " -"2D window center." +"Zoom in towards the mouse pointer's position in the 3D view, rather than the 2D window " +"center." msgstr "" -"Zoom in towards the mouse pointer's position in the 3D view, rather than the " -"2D window center." +"Zoom in op de positie van de muisaanwijzer in de 3D-weergave, in plaats van op het midden " +"van het venster." msgid "Use free camera" msgstr "Gebruik vrij beweegbare camera" msgid "If enabled, use free camera. If not enabled, use constrained camera." msgstr "" -"Als dit is ingeschakeld wordt de vrij beweegbare camera gebruikt, anders een " -"vaste camera." +"Als dit is ingeschakeld wordt de vrij beweegbare camera gebruikt, anders een vaste camera." msgid "Reverse mouse zoom" -msgstr "" +msgstr "Omgekeerde muiszoom" msgid "If enabled, reverses the direction of zoom with mouse wheel." -msgstr "" +msgstr "Als deze optie is ingeschakeld, wordt de zoomrichting met het muiswiel omgedraaid." msgid "Show splash screen" msgstr "Toon startscherm" msgid "Show the splash screen during startup." -msgstr "" +msgstr "Toon het opstartscherm tijdens het opstarten." msgid "Show \"Tip of the day\" notification after start" msgstr "Toon de melding 'Tip van de dag' na het starten" msgid "If enabled, useful hints are displayed at startup." -msgstr "" -"Indien ingeschakeld, worden bij het opstarten nuttige tips weergegeven." +msgstr "Indien ingeschakeld, worden bij het opstarten nuttige tips weergegeven." msgid "Flushing volumes: Auto-calculate everytime the color changed." -msgstr "" -"Spoelvolumes: Automatisch berekenen telkens wanneer de kleur verandert." +msgstr "Spoelvolumes: Automatisch berekenen telkens wanneer de kleur verandert." msgid "If enabled, auto-calculate everytime the color changed." msgstr "" -"Als deze optie is ingeschakeld, wordt elke keer dat de kleur verandert " -"automatisch berekend." +"Als deze optie is ingeschakeld, wordt elke keer dat de kleur verandert automatisch berekend." -msgid "" -"Flushing volumes: Auto-calculate every time when the filament is changed." -msgstr "Flushing volumes: Auto-calculate every time the filament is changed." +msgid "Flushing volumes: Auto-calculate every time when the filament is changed." +msgstr "Spoelvolumes: Automatisch berekenen telkens wanneer het filament wordt vervangen." msgid "If enabled, auto-calculate every time when filament is changed" -msgstr "If enabled, auto-calculate every time filament is changed" +msgstr "" +"Als dit is ingeschakeld, wordt er automatisch berekend telkens wanneer het filament wordt " +"verwisseld" msgid "Remember printer configuration" -msgstr "" +msgstr "Printerconfiguratie onthouden" msgid "" -"If enabled, Orca will remember and switch filament/process configuration for " -"each printer automatically." +"If enabled, Orca will remember and switch filament/process configuration for each printer " +"automatically." msgstr "" +"Als dit is ingeschakeld, onthoudt Orca automatisch de filament-/procesconfiguratie voor " +"elke printer en schakelt deze automatisch om." msgid "Multi-device Management(Take effect after restarting Orca)." -msgstr "" +msgstr "Beheer van meerdere apparaten (Werkt nadat Orca opnieuw is opgestart)." msgid "" -"With this option enabled, you can send a task to multiple devices at the " -"same time and manage multiple devices." +"With this option enabled, you can send a task to multiple devices at the same time and " +"manage multiple devices." msgstr "" -"With this option enabled, you can send a task to multiple devices at the " -"same time and manage multiple devices." +"With this option enabled, you can send a task to multiple devices at the same time and " +"manage multiple devices." msgid "Auto arrange plate after cloning" -msgstr "" +msgstr "Plaat automatisch rangschikken na het klonen" msgid "Auto arrange plate after object cloning" -msgstr "" +msgstr "Automatische rangschikking van de plaat na het klonen van een object" msgid "Network" msgstr "Netwerk" msgid "Auto sync user presets(Printer/Filament/Process)" -msgstr "" -"Gebruikersvoorinstellingen automatisch synchroniseren (printer/filament/" -"proces)" +msgstr "Gebruikersvoorinstellingen automatisch synchroniseren (printer/filament/proces)" msgid "User Sync" msgstr "Gebruiker synchroniseren" msgid "Update built-in Presets automatically." -msgstr "Update built-in presets automatically." +msgstr "Ingebouwde voorinstellingen automatisch bijwerken." msgid "System Sync" -msgstr "System Sync" +msgstr "Systeemsync" msgid "Clear my choice on the unsaved presets." -msgstr "Clear my choice on the unsaved presets." +msgstr "Wis keuze voor niet-opgeslagen presets." msgid "Associate files to OrcaSlicer" -msgstr "Koppel bestanden aan Orca Slicer" +msgstr "Koppel bestanden aan OrcaSlicer" msgid "Associate .3mf files to OrcaSlicer" -msgstr "Koppel .3mf-bestanden aan Orca Slicer" +msgstr "Koppel .3mf-bestanden aan OrcaSlicer" msgid "If enabled, sets OrcaSlicer as default application to open .3mf files" msgstr "" -"Indien ingeschakeld, wordt Orca Slicer ingesteld als de standaardtoepassing " -"om .3mf-bestanden te openen" +"Indien ingeschakeld, wordt OrcaSlicer ingesteld als de standaardtoepassing om .3mf-" +"bestanden te openen" msgid "Associate .stl files to OrcaSlicer" -msgstr "Koppel .stl-bestanden aan Orca Slicer" +msgstr "Koppel .stl-bestanden aan OrcaSlicer" msgid "If enabled, sets OrcaSlicer as default application to open .stl files" msgstr "" -"Indien ingeschakeld, wordt Orca Slicer ingesteld als de standaardtoepassing " -"om .stl-bestanden te openen" +"Indien ingeschakeld, wordt OrcaSlicer ingesteld als de standaardtoepassing om .stl-" +"bestanden te openen" msgid "Associate .step/.stp files to OrcaSlicer" -msgstr "Koppel .step/.stp bestanden aan Orca Slicer" +msgstr "Koppel .step/.stp bestanden aan OrcaSlicer" msgid "If enabled, sets OrcaSlicer as default application to open .step files" msgstr "" -"Indien ingeschakeld, wordt Orca Slicer ingesteld als de standaardtoepassing " -"om .step-bestanden te openen" +"Indien ingeschakeld, wordt OrcaSlicer ingesteld als de standaardtoepassing om .step-" +"bestanden te openen" msgid "Associate web links to OrcaSlicer" -msgstr "" +msgstr "Koppel weblinks aan OrcaSlicer" msgid "Associate URLs to OrcaSlicer" -msgstr "" +msgstr "Koppel URL's aan OrcaSlicer" msgid "Maximum recent projects" -msgstr "Maximum recent projects" +msgstr "Maximale recente projecten" msgid "Maximum count of recent projects" -msgstr "Maximum count of recent projects" +msgstr "Maximaal aantal recente projecten" msgid "Clear my choice on the unsaved projects." -msgstr "Clear my choice on the unsaved projects." +msgstr "Wis keuze voor niet-opgeslagen projecten." msgid "No warnings when loading 3MF with modified G-codes" -msgstr "No warnings when loading 3MF with modified G-code" +msgstr "Geen waarschuwingen bij het laden van 3MF met aangepaste G-codes" msgid "Auto-Backup" -msgstr "Automatisch backup maken" +msgstr "Automatisch een back-up maken" -msgid "" -"Backup your project periodically for restoring from the occasional crash." +msgid "Backup your project periodically for restoring from the occasional crash." msgstr "" -"Backup your project periodically to help with restoring from an occasional " +"Maak regelmatig een back-up van uw project, zodat u het kunt herstellen na een incidentele " "crash." msgid "every" -msgstr "every" +msgstr "elke" msgid "The peroid of backup in seconds." -msgstr "The period of backup in seconds." +msgstr "De periode van de back-up in seconden." msgid "Downloads" msgstr "Downloads" @@ -6761,7 +6584,7 @@ msgid "Develop mode" msgstr "Ontwikkelmodus" msgid "Skip AMS blacklist check" -msgstr "Skip AMS blacklist check" +msgstr "AMS-zwartelijstcontrole overslaan" msgid "Home page and daily tips" msgstr "Startpagina en dagelijkse tips" @@ -6812,19 +6635,19 @@ msgid "Log Level" msgstr "Log level" msgid "fatal" -msgstr "Fataal" +msgstr "fataal" msgid "error" -msgstr "Fout" +msgstr "fout" msgid "warning" msgstr "waarschuwing" msgid "debug" -msgstr "Debuggen" +msgstr "debug" msgid "trace" -msgstr "Traceren" +msgstr "trace" msgid "Host Setting" msgstr "Host-instelling" @@ -6842,10 +6665,10 @@ msgid "Product host" msgstr "Producthost" msgid "debug save button" -msgstr "Debuggen opslaan knop" +msgstr "debug opslaan knop" msgid "save debug settings" -msgstr "Bewaar debug instellingen" +msgstr "bewaar debug instellingen" msgid "DEBUG settings have saved successfully!" msgstr "De debug instellingen zijn succesvol opgeslagen!" @@ -6902,13 +6725,13 @@ msgid "Customize" msgstr "Aanpassen" msgid "Other layer filament sequence" -msgstr "Other layer filament sequence" +msgstr "Filamentvolgorde van andere lagen" msgid "Please input layer value (>= 2)." -msgstr "Please input layer value (>= 2)." +msgstr "Voer de laagwaarde in (>= 2)." msgid "Plate name" -msgstr "Plate name" +msgstr "Plaat naam" msgid "Same as Global Print Sequence" msgstr "Same as Global Print Sequence" @@ -6917,10 +6740,10 @@ msgid "Print sequence" msgstr "Afdrukvolgorde" msgid "Same as Global" -msgstr "Same as Global" +msgstr "Hetzelfde als globaal" msgid "Disable" -msgstr "Disable" +msgstr "Uitschakelen" msgid "Spiral vase" msgstr "Spiraalvaas" @@ -6935,16 +6758,16 @@ msgid "Same as Global Bed Type" msgstr "Hetzelfde als Global Bed Type" msgid "By Layer" -msgstr "By Layer" +msgstr "Op laag" msgid "By Object" -msgstr "By Object" +msgstr "Op object" msgid "Accept" -msgstr "Accept" +msgstr "Accepteer" msgid "Log Out" -msgstr "Log Out" +msgstr "Uitloggen" msgid "Slice all plate to obtain time and filament estimation" msgstr "" @@ -6961,8 +6784,7 @@ msgid "Jump to model publish web page" msgstr "Ga naar de website om het model te publiceren" msgid "Note: The preparation may takes several minutes. Please be patiant." -msgstr "" -"Notitie: het voorbereiden kan enkele minuten duren. Even geduld alstublieft." +msgstr "Notitie: het voorbereiden kan enkele minuten duren. Even geduld alstublieft." msgid "Publish" msgstr "Publiceren" @@ -6987,13 +6809,13 @@ msgid "User Preset" msgstr "Gebruikersvoorinstelling" msgid "Preset Inside Project" -msgstr "Voorinstelling Project Inside" +msgstr "Voorinstelling binnen project" msgid "Name is unavailable." msgstr "Naam is niet beschikbaar." msgid "Overwrite a system profile is not allowed" -msgstr "Het overschrijven van een systeem profiel is niet toegestaand" +msgstr "Het overschrijven van een systeem profiel is niet toegestaan" #, boost-format msgid "Preset \"%1%\" already exists." @@ -7001,24 +6823,22 @@ msgstr "Voorinstelling \"%1%\" bestaat al." #, boost-format msgid "Preset \"%1%\" already exists and is incompatible with current printer." -msgstr "" -"Voorinstelling \"%1%\" bestaat al en is niet compatibel met de huidige " -"printer." +msgstr "Voorinstelling \"%1%\" bestaat al en is niet compatibel met de huidige printer." msgid "Please note that saving action will replace this preset" msgstr "Let er aub op dat opslaan de voorinstelling zal overschrijven" msgid "The name cannot be the same as a preset alias name." msgstr "" -"Er kan niet voor een naam gekozen worden die hetzelfde is als de naam van " -"een voorinstelling." +"Er kan niet voor een naam gekozen worden die hetzelfde is als de naam van een " +"voorinstelling." msgid "Save preset" msgstr "Bewaar voorinstelling" msgctxt "PresetName" msgid "Copy" -msgstr "Kopie" +msgstr "Kopiëren" #, boost-format msgid "Printer \"%1%\" is selected with preset \"%2%\"" @@ -7034,8 +6854,7 @@ msgstr "Voor \"%1%\", dient \"%2%\" veranderd te worden in \"%3%\" " #, boost-format msgid "For \"%1%\", add \"%2%\" as a new preset" -msgstr "" -"Voor \"%1%\", dient \"%2%\" toegevoegd te worden als nieuwe voorinstelling" +msgstr "Voor \"%1%\", dient \"%2%\" toegevoegd te worden als nieuwe voorinstelling" #, boost-format msgid "Simply switch to \"%1%\"" @@ -7072,22 +6891,22 @@ msgid "Busy" msgstr "Bezet" msgid "Bambu Cool Plate" -msgstr "Bambu Cool (koude) Plate" +msgstr "Bambu koelplaat" msgid "PLA Plate" -msgstr "PLA Plate" +msgstr "PLA plaat" msgid "Bambu Engineering Plate" -msgstr "Bambu Engineering (technische) plate" +msgstr "Bambu Engineering plaat" msgid "Bambu Smooth PEI Plate" -msgstr "" +msgstr "Bambu gladde PEI-plaat" msgid "High temperature Plate" -msgstr "Plaat op hoge temperatuur" +msgstr "Hoge temperatuur plaat" msgid "Bambu Textured PEI Plate" -msgstr "" +msgstr "Bambu getextureerde PEI-plaat" msgid "Send print job to" msgstr "Stuur de printtaak naar" @@ -7099,7 +6918,7 @@ msgid "Click here if you can't connect to the printer" msgstr "Klik hier als je geen verbinding kunt maken met de printer" msgid "send completed" -msgstr "Versturen gelukt" +msgstr "versturen gelukt" msgid "Error code" msgstr "Error code" @@ -7118,134 +6937,118 @@ msgstr "Time-out tijdens synchronisatie van apparaatinformatie" msgid "Cannot send the print job when the printer is updating firmware" msgstr "" -"Kan geen printopdracht verzenden terwijl de printer bezig is met het updaten " -"van de firmware" +"Kan geen printopdracht verzenden terwijl de printer bezig is met het updaten van de firmware" -msgid "" -"The printer is executing instructions. Please restart printing after it ends" +msgid "The printer is executing instructions. Please restart printing after it ends" msgstr "" -"De printer is instructies aan het uitvoeren. Begin opnieuw met printen nadat " -"dit is voltooid" +"De printer is instructies aan het uitvoeren. Begin opnieuw met printen nadat dit is voltooid" msgid "The printer is busy on other print job" -msgstr "De printer is bezig met een andere printtaak." +msgstr "De printer is bezig met een andere printtaak" #, c-format, boost-format msgid "" -"Filament %s exceeds the number of AMS slots. Please update the printer " -"firmware to support AMS slot assignment." +"Filament %s exceeds the number of AMS slots. Please update the printer firmware to support " +"AMS slot assignment." msgstr "" -"Filament %s overschrijdt het aantal AMS-sleuven. Update de firmware van de " -"printer om de toewijzing van AMS-sleuven te ondersteunen." +"Filament %s overschrijdt het aantal AMS-sleuven. Update de firmware van de printer om de " +"toewijzing van AMS-sleuven te ondersteunen." msgid "" -"Filament exceeds the number of AMS slots. Please update the printer firmware " +"Filament exceeds the number of AMS slots. Please update the printer firmware to support AMS " +"slot assignment." +msgstr "" +"Het filament overschrijdt het aantal AMS-sleuven. Update de firmware van de printer om de " +"toewijzing van AMS-sleuven te ondersteunen." + +msgid "" +"Filaments to AMS slots mappings have been established. You can click a filament above to " +"change its mapping AMS slot" +msgstr "" +"De toewijzingen van filamenten aan AMS-slots zijn vastgesteld. U kunt op een filament " +"hierboven klikken om de toewijzing van het AMS slot te wijzigen" + +msgid "" +"Please click each filament above to specify its mapping AMS slot before sending the print " +"job" +msgstr "" +"Klik op elk filament hierboven om de bijbehorende AMS-sleuf op te geven voordat u de " +"printopdracht verzendt" + +#, c-format, boost-format +msgid "" +"Filament %s does not match the filament in AMS slot %s. Please update the printer firmware " "to support AMS slot assignment." msgstr "" -"Het filament overschrijdt het aantal AMS-sleuven. Update de firmware van de " +"Filament %s komt niet overeen met het filament in AMS-sleuf %s. Werk de firmware van de " +"printer bij om de toewijzing van AMS-sleuven te ondersteunen." + +msgid "" +"Filament does not match the filament in AMS slot. Please update the printer firmware to " +"support AMS slot assignment." +msgstr "" +"Het filament komt niet overeen met het filament in de AMS-sleuf. Update de firmware van de " "printer om de toewijzing van AMS-sleuven te ondersteunen." -msgid "" -"Filaments to AMS slots mappings have been established. You can click a " -"filament above to change its mapping AMS slot" +msgid "The printer firmware only supports sequential mapping of filament => AMS slot." msgstr "" -"De toewijzingen van filamenten aan AMS-slots zijn vastgesteld. U kunt op een " -"filament hierboven klikken om de toewijzing van het AMS slot te wijzigen" - -msgid "" -"Please click each filament above to specify its mapping AMS slot before " -"sending the print job" -msgstr "" -"Klik op elk filament hierboven om de bijbehorende AMS-sleuf op te geven " -"voordat u de printopdracht verzendt" - -#, c-format, boost-format -msgid "" -"Filament %s does not match the filament in AMS slot %s. Please update the " -"printer firmware to support AMS slot assignment." -msgstr "" -"Filament %s komt niet overeen met het filament in AMS-sleuf %s. Werk de " -"firmware van de printer bij om de toewijzing van AMS-sleuven te ondersteunen." - -msgid "" -"Filament does not match the filament in AMS slot. Please update the printer " -"firmware to support AMS slot assignment." -msgstr "" -"Het filament komt niet overeen met het filament in de AMS-sleuf. Update de " -"firmware van de printer om de toewijzing van AMS-sleuven te ondersteunen." - -msgid "" -"The printer firmware only supports sequential mapping of filament => AMS " -"slot." -msgstr "" -"De firmware van de printer ondersteunt alleen sequentiële toewijzing van " -"filament => AMS-sleuf." +"De firmware van de printer ondersteunt alleen sequentiële toewijzing van filament => AMS-" +"sleuf." msgid "An SD card needs to be inserted before printing." msgstr "Er moet een MicroSD-kaart worden geplaatst voordat u kunt afdrukken." #, c-format, boost-format msgid "" -"The selected printer (%s) is incompatible with the chosen printer profile in " -"the slicer (%s)." +"The selected printer (%s) is incompatible with the chosen printer profile in the slicer " +"(%s)." msgstr "" -"The selected printer (%s) is incompatible with the chosen printer profile in " -"the slicer (%s)." +"The selected printer (%s) is incompatible with the chosen printer profile in the slicer " +"(%s)." msgid "An SD card needs to be inserted to record timelapse." -msgstr "" -"Er moet een MicroSD-kaart worden geplaatst om een timelapse op te nemen." +msgstr "Er moet een MicroSD-kaart worden geplaatst om een timelapse op te nemen." -msgid "" -"Cannot send the print job to a printer whose firmware is required to get " -"updated." +msgid "Cannot send the print job to a printer whose firmware is required to get updated." msgstr "" -"Kan de printopdracht niet naar een printer sturen waarvan de firmware moet " -"worden bijgewerkt." +"Kan de printopdracht niet naar een printer sturen waarvan de firmware moet worden " +"bijgewerkt." msgid "Cannot send the print job for empty plate" -msgstr "Kan geen afdruktaak verzenden voor een lege plaat." +msgstr "Kan geen afdruktaak verzenden voor een lege plaat" msgid "This printer does not support printing all plates" -msgstr "" -"Deze printer biedt geen ondersteuning voor het afdrukken van alle platen" +msgstr "Deze printer biedt geen ondersteuning voor het afdrukken van alle platen" msgid "" -"When enable spiral vase mode, machines with I3 structure will not generate " -"timelapse videos." +"When enable spiral vase mode, machines with I3 structure will not generate timelapse videos." msgstr "" -"When spiral vase mode is enabled, machines with I3 structure will not " -"generate timelapse videos." +"When spiral vase mode is enabled, machines with I3 structure will not generate timelapse " +"videos." -msgid "" -"Timelapse is not supported because Print sequence is set to \"By object\"." +msgid "Timelapse is not supported because Print sequence is set to \"By object\"." msgstr "" -"Timelapse wordt niet ondersteund omdat Afdruksequentie is ingesteld op \"Per " -"object\"." +"Timelapse wordt niet ondersteund omdat Afdruksequentie is ingesteld op \"Per object\"." msgid "Errors" msgstr "Fouten" msgid "Please check the following:" -msgstr "Please check the following:" +msgstr "Controleer het volgende:" msgid "" -"The printer type selected when generating G-Code is not consistent with the " -"currently selected printer. It is recommended that you use the same printer " -"type for slicing." +"The printer type selected when generating G-Code is not consistent with the currently " +"selected printer. It is recommended that you use the same printer type for slicing." msgstr "" -"The printer type selected when generating G-Code is not consistent with the " -"currently selected printer. It is recommended that you use the same printer " -"type for slicing." +"The printer type selected when generating G-Code is not consistent with the currently " +"selected printer. It is recommended that you use the same printer type for slicing." msgid "" -"There are some unknown filaments in the AMS mappings. Please check whether " -"they are the required filaments. If they are okay, press \"Confirm\" to " -"start printing." +"There are some unknown filaments in the AMS mappings. Please check whether they are the " +"required filaments. If they are okay, press \"Confirm\" to start printing." msgstr "" -"Er zijn enkele onbekende filamenten in de AMS mappings. Controleer of het de " -"vereiste filamenten zijn. Als ze in orde zijn, klikt u op \"Bevestigen\" om " -"het afdrukken te starten." +"Er zijn enkele onbekende filamenten in de AMS mappings. Controleer of het de vereiste " +"filamenten zijn. Als ze in orde zijn, klikt u op \"Bevestigen\" om het afdrukken te starten." #, c-format, boost-format msgid "nozzle in preset: %s %s" @@ -7256,41 +7059,34 @@ msgid "nozzle memorized: %.2f %s" msgstr "mondstuk onthouden: %.2f %s" msgid "" -"Your nozzle diameter in sliced file is not consistent with memorized nozzle. " -"If you changed your nozzle lately, please go to Device > Printer Parts to " -"change settings." +"Your nozzle diameter in sliced file is not consistent with memorized nozzle. If you changed " +"your nozzle lately, please go to Device > Printer Parts to change settings." msgstr "" -"Your nozzle diameter in sliced file is not consistent with the saved nozzle. " -"If you changed your nozzle lately, please go to Device > Printer Parts to " -"change settings." +"De dieameter van het mondstuk in het bestand komt niet overeen met het opgeslagen mondstuk. " +"Als u uw mondstuk onlangs hebt gewijzigd, ga dan naar Apparaat > Printeronderdelen om de " +"instellingen te wijzigen." #, c-format, boost-format -msgid "" -"Printing high temperature material(%s material) with %s may cause nozzle " -"damage" +msgid "Printing high temperature material(%s material) with %s may cause nozzle damage" msgstr "" -"Printing high temperature material(%s material) with %s may cause nozzle " -"damage" +"Het printen van materiaal met een hoge temperatuur (%s materiaal) met %s kan schade aan het " +"mondstuk veroorzaken" msgid "Please fix the error above, otherwise printing cannot continue." msgstr "Please fix the error above, otherwise printing cannot continue." -msgid "" -"Please click the confirm button if you still want to proceed with printing." -msgstr "" -"Please click the confirm button if you still want to proceed with printing." +msgid "Please click the confirm button if you still want to proceed with printing." +msgstr "Please click the confirm button if you still want to proceed with printing." + +msgid "Connecting to the printer. Unable to cancel during the connection process." +msgstr "Aansluiten op de printer. Kan niet annuleren tijdens het verbindingsproces." msgid "" -"Connecting to the printer. Unable to cancel during the connection process." +"Caution to use! Flow calibration on Textured PEI Plate may fail due to the scattered " +"surface." msgstr "" -"Aansluiten op de printer. Kan niet annuleren tijdens het verbindingsproces." - -msgid "" -"Caution to use! Flow calibration on Textured PEI Plate may fail due to the " -"scattered surface." -msgstr "" -"Let op bij gebruik! Flowkalibratie op de PEI-plaat met structuur kan " -"mislukken vanwege het verstrooide oppervlak." +"Let op bij gebruik! Flowkalibratie op de PEI-plaat met structuur kan mislukken vanwege het " +"verstrooide oppervlak." msgid "Automatic flow calibration using Micro Lidar" msgstr "Automatic flow calibration using the Micro Lidar" @@ -7299,7 +7095,7 @@ msgid "Modifying the device name" msgstr "De naam van het apparaat wijzigen" msgid "Bind with Pin Code" -msgstr "Bind with Pin Code" +msgstr "Koppelen met pincode" msgid "Send to Printer SD card" msgstr "Verzenden naar de MicroSD-kaart in de printer" @@ -7308,51 +7104,47 @@ msgid "Cannot send the print task when the upgrade is in progress" msgstr "Kan de printtaak niet verzenden wanneer de upgrade wordt uitgevoerd" msgid "The selected printer is incompatible with the chosen printer presets." -msgstr "" -"De geselecteerde printer is niet compatibel met de gekozen " -"printervoorinstellingen." +msgstr "De geselecteerde printer is niet compatibel met de gekozen printervoorinstellingen." msgid "An SD card needs to be inserted before send to printer SD card." -msgstr "" -"A MicroSD card needs to be inserted before sending to the printer SD card." +msgstr "A MicroSD card needs to be inserted before sending to the printer SD card." msgid "The printer is required to be in the same LAN as Orca Slicer." msgstr "De printer moet zich in hetzelfde LAN bevinden als Orca Slicer." msgid "The printer does not support sending to printer SD card." msgstr "" -"De printer biedt geen ondersteuning voor het verzenden naar de microSD-kaart " -"van de printer." +"De printer biedt geen ondersteuning voor het verzenden naar de microSD-kaart van de printer." msgid "Slice ok." -msgstr "Slice gelukt" +msgstr "Slice gelukt." msgid "View all Daily tips" msgstr "Bekijk alle dagelijkse tips" msgid "Failed to create socket" -msgstr "Failed to create socket" +msgstr "Kan socket niet maken" msgid "Failed to connect socket" -msgstr "Failed to connect socket" +msgstr "Kan niet verbinden met socket" msgid "Failed to publish login request" -msgstr "Failed to publish login request" +msgstr "Kan loginverzoek niet publiceren" msgid "Get ticket from device timeout" -msgstr "Timeout getting ticket from device" +msgstr "Time-out bij het ophalen van ticket van apparaat" msgid "Get ticket from server timeout" -msgstr "Timeout getting ticket from server" +msgstr "Time-out bij het ophalen van ticket van server" msgid "Failed to post ticket to server" -msgstr "Failed to post ticket to server" +msgstr "Het is niet gelukt om het ticket naar de server te plaatsen" msgid "Failed to parse login report reason" -msgstr "Failed to parse login report reason" +msgstr "Kan de reden van het loginrapport niet parseren" msgid "Receive login report timeout" -msgstr "Receive login report timeout" +msgstr "Time-out voor loginrapport ontvangen" msgid "Unknown Failure" msgstr "Onbekende fout" @@ -7361,23 +7153,23 @@ msgid "" "Please Find the Pin Code in Account page on printer screen,\n" " and type in the Pin Code below." msgstr "" -"Please Find the Pin Code in Account page on printer screen,\n" -" and type in the Pin Code below." +"Zoek de pincode op de accountpagina op het printerscherm,\n" +" en typ hieronder de pincode." msgid "Can't find Pin Code?" -msgstr "Can't find Pin Code?" +msgstr "Pincode niet gevonden?" msgid "Pin Code" -msgstr "Pin Code" +msgstr "Pincode" msgid "Binding..." msgstr "Binding..." msgid "Please confirm on the printer screen" -msgstr "Please confirm on the printer screen" +msgstr "Bevestig dit op het printerscherm" msgid "Log in failed. Please check the Pin Code." -msgstr "Log in failed. Please check the Pin Code." +msgstr "Inloggen mislukt. Controleer de pincode." msgid "Log in printer" msgstr "Inloggen op printer" @@ -7386,32 +7178,32 @@ msgid "Would you like to log in this printer with current account?" msgstr "Wil je met het huidige account inloggen op de printer?" msgid "Check the reason" -msgstr "Check the reason" +msgstr "Controleer de reden" msgid "Read and accept" -msgstr "Read and accept" +msgstr "Lezen en accepteren" msgid "Terms and Conditions" -msgstr "Terms and Conditions" +msgstr "Algemene voorwaarden" msgid "" -"Thank you for purchasing a Bambu Lab device.Before using your Bambu Lab " -"device, please read the termsand conditions.By clicking to agree to use your " -"Bambu Lab device, you agree to abide by the Privacy Policyand Terms of " -"Use(collectively, the \"Terms\"). If you do not comply with or agree to the " -"Bambu Lab Privacy Policy, please do not use Bambu Lab equipment and services." +"Thank you for purchasing a Bambu Lab device.Before using your Bambu Lab device, please read " +"the termsand conditions.By clicking to agree to use your Bambu Lab device, you agree to " +"abide by the Privacy Policyand Terms of Use(collectively, the \"Terms\"). If you do not " +"comply with or agree to the Bambu Lab Privacy Policy, please do not use Bambu Lab equipment " +"and services." msgstr "" -"Thank you for purchasing a Bambu Lab device. Before using your Bambu Lab " -"device, please read the terms and conditions. By clicking to agree to use " -"your Bambu Lab device, you agree to abide by the Privacy Policy and Terms of " -"Use (collectively, the \"Terms\"). If you do not comply with or agree to the " -"Bambu Lab Privacy Policy, please do not use Bambu Lab equipment and services." +"Thank you for purchasing a Bambu Lab device. Before using your Bambu Lab device, please " +"read the terms and conditions. By clicking to agree to use your Bambu Lab device, you agree " +"to abide by the Privacy Policy and Terms of Use (collectively, the \"Terms\"). If you do " +"not comply with or agree to the Bambu Lab Privacy Policy, please do not use Bambu Lab " +"equipment and services." msgid "and" -msgstr "and" +msgstr "en" msgid "Privacy Policy" -msgstr "Privacy Policy" +msgstr "Privacybeleid" msgid "We ask for your help to improve everyone's printer" msgstr "We ask for your help to improve everyone's printer" @@ -7421,29 +7213,25 @@ msgstr "Statement about User Experience Improvement Program" #, c-format, boost-format msgid "" -"In the 3D Printing community, we learn from each other's successes and " -"failures to adjust our own slicing parameters and settings. %s follows the " -"same principle and uses machine learning to improve its performance from the " -"successes and failures of the vast number of prints by our users. We are " -"training %s to be smarter by feeding them the real-world data. If you are " -"willing, this service will access information from your error logs and usage " -"logs, which may include information described in Privacy Policy. We will " -"not collect any Personal Data by which an individual can be identified " -"directly or indirectly, including without limitation names, addresses, " -"payment information, or phone numbers. By enabling this service, you agree " -"to these terms and the statement about Privacy Policy." +"In the 3D Printing community, we learn from each other's successes and failures to adjust " +"our own slicing parameters and settings. %s follows the same principle and uses machine " +"learning to improve its performance from the successes and failures of the vast number of " +"prints by our users. We are training %s to be smarter by feeding them the real-world data. " +"If you are willing, this service will access information from your error logs and usage " +"logs, which may include information described in Privacy Policy. We will not collect any " +"Personal Data by which an individual can be identified directly or indirectly, including " +"without limitation names, addresses, payment information, or phone numbers. By enabling " +"this service, you agree to these terms and the statement about Privacy Policy." msgstr "" -"In the 3D Printing community, we learn from each other's successes and " -"failures to adjust our own slicing parameters and settings. %s follows the " -"same principle and uses machine learning to improve its performance from the " -"successes and failures of the vast number of prints by our users. We are " -"training %s to be smarter by feeding them the real-world data. If you are " -"willing, this service will access information from your error logs and usage " -"logs, which may include information described in Privacy Policy. We will " -"not collect any Personal Data by which an individual can be identified " -"directly or indirectly, including without limitation names, addresses, " -"payment information, or phone numbers. By enabling this service, you agree " -"to these terms and the statement about Privacy Policy." +"In the 3D Printing community, we learn from each other's successes and failures to adjust " +"our own slicing parameters and settings. %s follows the same principle and uses machine " +"learning to improve its performance from the successes and failures of the vast number of " +"prints by our users. We are training %s to be smarter by feeding them the real-world data. " +"If you are willing, this service will access information from your error logs and usage " +"logs, which may include information described in Privacy Policy. We will not collect any " +"Personal Data by which an individual can be identified directly or indirectly, including " +"without limitation names, addresses, payment information, or phone numbers. By enabling " +"this service, you agree to these terms and the statement about Privacy Policy." msgid "Statement on User Experience Improvement Plan" msgstr "Statement on User Experience Improvement Plan" @@ -7462,8 +7250,7 @@ msgstr "Eerst inloggen aub." msgid "There was a problem connecting to the printer. Please try again." msgstr "" -"Er is een probleem opgetreden tijdens het verbinden met de printer. Probeer " -"het opnieuw." +"Er is een probleem opgetreden tijdens het verbinden met de printer. Probeer het opnieuw." msgid "Failed to log out." msgstr "Uitloggen mislukt." @@ -7480,38 +7267,33 @@ msgid "Search in preset" msgstr "Zoeken in voorinstelling" msgid "Click to reset all settings to the last saved preset." -msgstr "" -"Klik om alle instellingen terug te zetten naar de laatst opgeslagen " -"voorinstelling." +msgstr "Klik om alle instellingen terug te zetten naar de laatst opgeslagen voorinstelling." msgid "" -"Prime tower is required for smooth timeplase. There may be flaws on the " -"model without prime tower. Are you sure you want to disable prime tower?" +"Prime tower is required for smooth timeplase. There may be flaws on the model without prime " +"tower. Are you sure you want to disable prime tower?" msgstr "" -"Een Prime-toren is vereist voor een vloeiende timeplase-modus. Er kunnen " -"gebreken ontstaan aan het model zonder prime-toren. Weet je zeker dat je de " -"prime-toren wilt uitschakelen?" +"Een Prime-toren is vereist voor een vloeiende timeplase-modus. Er kunnen gebreken ontstaan " +"aan het model zonder prime-toren. Weet je zeker dat je de prime-toren wilt uitschakelen?" msgid "" -"Prime tower is required for smooth timelapse. There may be flaws on the " -"model without prime tower. Do you want to enable prime tower?" +"Prime tower is required for smooth timelapse. There may be flaws on the model without prime " +"tower. Do you want to enable prime tower?" msgstr "" -"Een prime-toren is vereist voor een vloeiende timelapse-modus. Er kunnen " -"gebreken ontstaan aan het model zonder prime-toren. Wilt u de prime-toren " -"inschakelen?" +"Een prime-toren is vereist voor een vloeiende timelapse-modus. Er kunnen gebreken ontstaan " +"aan het model zonder prime-toren. Wilt u de prime-toren inschakelen?" msgid "Still print by object?" msgstr "Print je nog steeds per object?" msgid "" -"We have added an experimental style \"Tree Slim\" that features smaller " -"support volume but weaker strength.\n" +"We have added an experimental style \"Tree Slim\" that features smaller support volume but " +"weaker strength.\n" "We recommend using it with: 0 interface layers, 0 top distance, 2 walls." msgstr "" "We hebben een experimentele stijl toegevoegd, „Tree Slim”, met een kleiner " "ondersteuningsvolume maar een zwakkere sterkte.\n" -"We raden aan om het te gebruiken met: 0 interfacelagen, 0 bovenafstand, 2 " -"muren." +"We raden aan om het te gebruiken met: 0 interfacelagen, 0 bovenafstand, 2 muren." msgid "" "Change these settings automatically? \n" @@ -7519,46 +7301,52 @@ msgid "" "No - Do not change these settings for me" msgstr "" "Deze instellingen automatisch wijzigen? \n" -"Ja - Wijzig deze instellingen automatisch.\n" -"Nee - Wijzig deze instellingen niet voor mij." +"Ja - Wijzig deze instellingen automatisch\n" +"Nee - Wijzig deze instellingen niet voor mij" msgid "" -"For \"Tree Strong\" and \"Tree Hybrid\" styles, we recommend the following " -"settings: at least 2 interface layers, at least 0.1mm top z distance or " -"using support materials on interface." +"For \"Tree Strong\" and \"Tree Hybrid\" styles, we recommend the following settings: at " +"least 2 interface layers, at least 0.1mm top z distance or using support materials on " +"interface." msgstr "" -"Voor de stijlen „Tree Strong” en „Tree Hybrid” raden we de volgende " -"instellingen aan: ten minste 2 interfacelagen, ten minste 0,1 mm op z " -"afstand of gebruik support materiaal op de interface." +"Voor de stijlen „Tree Strong” en „Tree Hybrid” raden we de volgende instellingen aan: ten " +"minste 2 interfacelagen, ten minste 0,1 mm op z afstand of gebruik support materiaal op de " +"interface." msgid "" -"When using support material for the support interface, We recommend the " -"following settings:\n" -"0 top z distance, 0 interface spacing, concentric pattern and disable " -"independent support layer height" +"When using support material for the support interface, We recommend the following " +"settings:\n" +"0 top z distance, 0 interface spacing, concentric pattern and disable independent support " +"layer height" msgstr "" -"When using support material for the support interface, we recommend the " -"following settings:\n" -"0 top z distance, 0 interface spacing, concentric pattern and disable " -"independent support layer height" +"When using support material for the support interface, we recommend the following " +"settings:\n" +"0 top z distance, 0 interface spacing, concentric pattern and disable independent support " +"layer height" msgid "" -"Enabling this option will modify the model's shape. If your print requires " -"precise dimensions or is part of an assembly, it's important to double-check " -"whether this change in geometry impacts the functionality of your print." +"Enabling this option will modify the model's shape. If your print requires precise " +"dimensions or is part of an assembly, it's important to double-check whether this change in " +"geometry impacts the functionality of your print." msgstr "" +"Als u deze optie inschakelt, wordt de vorm van het model aangepast. Als uw afdruk precieze " +"afmetingen vereist of deel uitmaakt van een samenstelling, is het belangrijk om te " +"controleren of deze geometrie verandering van invloed is op de functionaliteit van uw " +"afdruk." msgid "Are you sure you want to enable this option?" -msgstr "" +msgstr "Weet u zeker dat u deze optie wilt inschakelen?" msgid "" "Layer height is too small.\n" "It will set to min_layer_height\n" msgstr "" +"Laaghoogte is te klein.\n" +"Het zal worden ingesteld op min_layer_height\n" msgid "" -"Layer height exceeds the limit in Printer Settings -> Extruder -> Layer " -"height limits ,this may cause printing quality issues." +"Layer height exceeds the limit in Printer Settings -> Extruder -> Layer height limits ,this " +"may cause printing quality issues." msgstr "" "De laaghoogte overschrijdt de limiet in Printerinstellingen -> Extruder -> " "Laaghoogtelimieten, dit kan problemen met de afdrukkwaliteit veroorzaken." @@ -7573,37 +7361,36 @@ msgid "Ignore" msgstr "Negeer" msgid "" -"Experimental feature: Retracting and cutting off the filament at a greater " -"distance during filament changes to minimize flush.Although it can notably " -"reduce flush, it may also elevate the risk of nozzle clogs or other " -"printing complications." +"Experimental feature: Retracting and cutting off the filament at a greater distance during " +"filament changes to minimize flush.Although it can notably reduce flush, it may also " +"elevate the risk of nozzle clogs or other printing complications." msgstr "" -"Experimental feature: Retracting and cutting off the filament at a greater " -"distance during filament changes to minimize flush. Although it can notably " -"reduce flush, it may also elevate the risk of nozzle clogs or other " -"printing complications." +"Experimentele functie: Het filament op grotere afstand terugtrekken en afsnijden tijdens " +"filamentwisselingen om flush te minimaliseren. Hoewel het het doorspoelen aanzienlijk kan " +"verminderen, kan het ook het risico op een verstopt mondstuk of andere printcomplicaties " +"vergroten." msgid "" -"Experimental feature: Retracting and cutting off the filament at a greater " -"distance during filament changes to minimize flush.Although it can notably " -"reduce flush, it may also elevate the risk of nozzle clogs or other printing " -"complications.Please use with the latest printer firmware." +"Experimental feature: Retracting and cutting off the filament at a greater distance during " +"filament changes to minimize flush.Although it can notably reduce flush, it may also " +"elevate the risk of nozzle clogs or other printing complications.Please use with the latest " +"printer firmware." msgstr "" -"Experimental feature: Retracting and cutting off the filament at a greater " -"distance during filament changes to minimize flush. Although it can notably " -"reduce flush, it may also elevate the risk of nozzle clogs or other printing " -"complications. Please use with the latest printer firmware." +"Experimentele functie: Het filament op grotere afstand terugtrekken en afsnijden tijdens " +"filamentwisselingen om flush te minimaliseren. Hoewel het het doorspoelen aanzienlijk kan " +"verminderen, kan het ook het risico op een verstopt mondstuk of andere printcomplicaties " +"vergroten. Gebruik dit met de nieuwste printerfirmware." msgid "" -"When recording timelapse without toolhead, it is recommended to add a " -"\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"When recording timelapse without toolhead, it is recommended to add a \"Timelapse Wipe " +"Tower\" \n" +"by right-click the empty position of build plate and choose \"Add Primitive\"->\"Timelapse " +"Wipe Tower\"." msgstr "" -"Bij het opnemen van timelapse zonder toolhead is het aan te raden om een " -"„Timelapse Wipe Tower” toe te voegen \n" -"door met de rechtermuisknop op de lege positie van de bouwplaat te klikken " -"en „Add Primitive” ->\"Timelapse Wipe Tower” te kiezen." +"Bij het opnemen van timelapse zonder toolhead is het aan te raden om een „Timelapse Wipe " +"Tower” toe te voegen \n" +"door met de rechtermuisknop op de lege positie van de bouwplaat te klikken en „Add " +"Primitive” ->\"Timelapse Wipe Tower” te kiezen." msgid "Line width" msgstr "Lijn dikte" @@ -7618,13 +7405,13 @@ msgid "Wall generator" msgstr "Wandgenerator" msgid "Walls and surfaces" -msgstr "" +msgstr "Wanden en oppervlakten" msgid "Bridging" -msgstr "" +msgstr "Overbruggen" msgid "Overhangs" -msgstr "" +msgstr "Overhangen" msgid "Walls" msgstr "Wanden" @@ -7642,20 +7429,19 @@ msgid "Overhang speed" msgstr "Snelheid voor overhangende gebieden" msgid "" -"This is the speed for various overhang degrees. Overhang degrees are " -"expressed as a percentage of line width. 0 speed means no slowing down for " -"the overhang degree range and wall speed is used" +"This is the speed for various overhang degrees. Overhang degrees are expressed as a " +"percentage of line width. 0 speed means no slowing down for the overhang degree range and " +"wall speed is used" msgstr "" -"Dit is de snelheid voor diverse overhanggraden. Overhanggraden worden " -"uitgedrukt als een percentage van de laag breedte. 0 betekend dat er niet " -"afgeremd wordt voor overhanggraden en dat dezelfde snelheid als voor wanden " -"gebruikt wordt." +"Dit is de snelheid voor diverse overhanggraden. Overhanggraden worden uitgedrukt als een " +"percentage van de laag breedte. 0 betekend dat er niet afgeremd wordt voor overhanggraden " +"en dat dezelfde snelheid als voor wanden gebruikt wordt" msgid "Bridge" msgstr "Brug" msgid "Set speed for external and internal bridges" -msgstr "" +msgstr "Snelheid instellen voor externe en interne bruggen" msgid "Travel speed" msgstr "Verplaatsing-sneleheid" @@ -7676,7 +7462,7 @@ msgid "Tree supports" msgstr "" msgid "Multimaterial" -msgstr "" +msgstr "Multimateriaal" msgid "Prime tower" msgstr "Prime toren" @@ -7700,7 +7486,7 @@ msgid "Post-processing Scripts" msgstr "Post-processing Scripts" msgid "Notes" -msgstr "Notes" +msgstr "Opmerkingen" msgid "Frequent" msgstr "Veelgebruikt" @@ -7708,20 +7494,18 @@ msgstr "Veelgebruikt" #, c-format, boost-format msgid "" "Following line %s contains reserved keywords.\n" -"Please remove it, or will beat G-code visualization and printing time " -"estimation." +"Please remove it, or will beat G-code visualization and printing time estimation." msgid_plural "" "Following lines %s contain reserved keywords.\n" -"Please remove them, or will beat G-code visualization and printing time " -"estimation." +"Please remove them, or will beat G-code visualization and printing time estimation." msgstr[0] "" "De volgende regel %s bevat gereserveerde trefwoorden.\n" -"Verwijder deze woorden alstublieft, anders overschrijven deze de G-code-" -"visualisatie en de schatting van de afdruktijd.@" +"Verwijder deze woorden alstublieft, anders overschrijven deze de G-code-visualisatie en de " +"schatting van de afdruktijd." msgstr[1] "" "De volgende regel %s bevat gereserveerde trefwoorden.\n" -"Verwijder deze woorden alstublieft, anders overschrijven deze de G-code-" -"visualisatie en de schatting van de afdruktijd.@" +"Verwijder deze woorden alstublieft, anders overschrijven deze de G-code-visualisatie en de " +"schatting van de afdruktijd." msgid "Reserved keywords found" msgstr "Gereserveerde zoekworden gevonden" @@ -7733,15 +7517,14 @@ msgid "Retraction" msgstr "Terugtrekken (retraction)" msgid "Basic information" -msgstr "Basis informatie" +msgstr "Basisinformatie" msgid "Recommended nozzle temperature" -msgstr "Aanbevolen nozzle temperatuur" +msgstr "Aanbevolen mondstuk temperatuur" msgid "Recommended nozzle temperature range of this filament. 0 means no set" msgstr "" -"De geadviseerde nozzle temperatuur voor dit filament. 0 betekend dat er geen " -"voorgestelde waarde is " +"De geadviseerde mondstuk temperatuur voor dit filament. 0 betekend dat er geen waarde is" msgid "Flow ratio and Pressure Advance" msgstr "" @@ -7753,54 +7536,51 @@ msgid "Print temperature" msgstr "Print temperatuur" msgid "Nozzle" -msgstr "Nozzle" +msgstr "Mondstuk" msgid "Nozzle temperature when printing" -msgstr "Nozzle temperatuur tijdens printen" +msgstr "Mondstuk temperatuur tijdens printen" msgid "Cool plate" -msgstr "Cool (koud) printbed" +msgstr "Koudeplaat" msgid "" -"Bed temperature when cool plate is installed. Value 0 means the filament " -"does not support to print on the Cool Plate" +"Bed temperature when cool plate is installed. Value 0 means the filament does not support " +"to print on the Cool Plate" msgstr "" -"Dit is de bedtemperatuur wanneer de koelplaat is geïnstalleerd. Een waarde " -"van 0 betekent dat het filament printen op de Cool Plate niet ondersteunt." +"Dit is de bedtemperatuur wanneer de koelplaat is geïnstalleerd. Een waarde van 0 betekent " +"dat het filament printen op de Cool Plate niet ondersteunt." msgid "Engineering plate" -msgstr "Engineering plate (technisch printbed)" +msgstr "Engineering plaat" msgid "" -"Bed temperature when engineering plate is installed. Value 0 means the " -"filament does not support to print on the Engineering Plate" +"Bed temperature when engineering plate is installed. Value 0 means the filament does not " +"support to print on the Engineering Plate" msgstr "" -"Dit is de bedtemperatuur wanneer de technische plaat is geïnstalleerd. Een " -"waarde van 0 betekent dat het filament afdrukken op de Engineering Plate " -"niet ondersteunt." +"Dit is de bedtemperatuur wanneer de technische plaat is geïnstalleerd. Een waarde van 0 " +"betekent dat het filament afdrukken op de Engineering Plate niet ondersteunt." msgid "Smooth PEI Plate / High Temp Plate" -msgstr "Gladde PEI Plaat / Hoge Temp Plaat" +msgstr "Gladde PEI-plaat / Hoge temperatuurplaat" msgid "" -"Bed temperature when Smooth PEI Plate/High temperature plate is installed. " -"Value 0 means the filament does not support to print on the Smooth PEI Plate/" -"High Temp Plate" +"Bed temperature when Smooth PEI Plate/High temperature plate is installed. Value 0 means " +"the filament does not support to print on the Smooth PEI Plate/High Temp Plate" msgstr "" -"Bedtemperatuur wanneer gladde PEI-plaat/hoge temperatuurplaat is " -"geïnstalleerd. Waarde 0 betekent dat het filament niet geschikt is voor " -"afdrukken op de gladde PEI-plaat/hoge temperatuurplaat." +"Bedtemperatuur wanneer gladde PEI-plaat/hoge temperatuurplaat is geïnstalleerd. Waarde 0 " +"betekent dat het filament niet geschikt is voor afdrukken op de gladde PEI-plaat/hoge " +"temperatuurplaat." msgid "Textured PEI Plate" -msgstr "PEI plaat met structuur" +msgstr "Getextureerde PEI-plaat" msgid "" -"Bed temperature when Textured PEI Plate is installed. Value 0 means the " -"filament does not support to print on the Textured PEI Plate" +"Bed temperature when Textured PEI Plate is installed. Value 0 means the filament does not " +"support to print on the Textured PEI Plate" msgstr "" -"Bedtemperatuur wanneer een getextureerde PEI-plaat is geïnstalleerd. 0 " -"betekent dat het filament niet wordt ondersteund op de getextureerde PEI-" -"plaat" +"Bedtemperatuur wanneer een getextureerde PEI-plaat is geïnstalleerd. 0 betekent dat het " +"filament niet wordt ondersteund op de getextureerde PEI-plaat" msgid "Volumetric speed limitation" msgstr "Volumetrische snelheidsbeperking" @@ -7818,26 +7598,24 @@ msgid "Min fan speed threshold" msgstr "Minimale snelheidsdrempel ventilator snelheid" msgid "" -"Part cooling fan speed will start to run at min speed when the estimated " -"layer time is no longer than the layer time in setting. When layer time is " -"shorter than threshold, fan speed is interpolated between the minimum and " -"maximum fan speed according to layer printing time" +"Part cooling fan speed will start to run at min speed when the estimated layer time is no " +"longer than the layer time in setting. When layer time is shorter than threshold, fan speed " +"is interpolated between the minimum and maximum fan speed according to layer printing time" msgstr "" -"De snelheid van de printkop ventilator begint op minimale snelheid te " -"draaien wanneer de geschatte printtijd voor de laag niet langer is dan de " -"printtijd in de instelling. Wanneer de printtijd korter is dan de " -"drempelwaarde, wordt de ventilatorsnelheid geïnterpoleerd tussen de minimale " -"en maximale ventilatorsnelheid volgens de printtijd van de laag" +"De snelheid van de printkop ventilator begint op minimale snelheid te draaien wanneer de " +"geschatte printtijd voor de laag niet langer is dan de printtijd in de instelling. Wanneer " +"de printtijd korter is dan de drempelwaarde, wordt de ventilatorsnelheid geïnterpoleerd " +"tussen de minimale en maximale ventilatorsnelheid volgens de printtijd van de laag" msgid "Max fan speed threshold" msgstr "Snelheidsdrempel ventilatorsnelheid" msgid "" -"Part cooling fan speed will be max when the estimated layer time is shorter " -"than the setting value" +"Part cooling fan speed will be max when the estimated layer time is shorter than the " +"setting value" msgstr "" -"De snelheid van de printkop ventilator zal maximaal zijn als de inschatte " -"tijd voor het printen van de laag lager is dan de ingestelde waarde" +"De snelheid van de printkop ventilator zal maximaal zijn als de inschatte tijd voor het " +"printen van de laag lager is dan de ingestelde waarde" msgid "Auxiliary part cooling fan" msgstr "Extra koel ventilator" @@ -7952,12 +7730,12 @@ msgstr "" msgid "" "Single Extruder Multi Material is selected, \n" "and all extruders must have the same diameter.\n" -"Do you want to change the diameter for all extruders to first extruder " -"nozzle diameter value?" +"Do you want to change the diameter for all extruders to first extruder nozzle diameter " +"value?" msgstr "" msgid "Nozzle diameter" -msgstr "Nozzle diameter" +msgstr "Mondstuk diameter" msgid "Wipe tower" msgstr "Afveegblok" @@ -7966,8 +7744,8 @@ msgid "Single extruder multimaterial parameters" msgstr "Parameter voor multi-material met één extruder" msgid "" -"This is a single extruder multimaterial printer, diameters of all extruders " -"will be set to the new value. Do you want to proceed?" +"This is a single extruder multimaterial printer, diameters of all extruders will be set to " +"the new value. Do you want to proceed?" msgstr "" msgid "Layer height limits" @@ -7996,15 +7774,14 @@ msgstr "Losgemaakt" #, c-format, boost-format msgid "" -"%d Filament Preset and %d Process Preset is attached to this printer. Those " -"presets would be deleted if the printer is deleted." +"%d Filament Preset and %d Process Preset is attached to this printer. Those presets would " +"be deleted if the printer is deleted." msgstr "" -"%d Filament Preset en %d Process Preset zijn gekoppeld aan deze printer. " -"Deze voorinstellingen worden verwijderd als de printer wordt verwijderd." +"%d Filament Preset en %d Process Preset zijn gekoppeld aan deze printer. Deze " +"voorinstellingen worden verwijderd als de printer wordt verwijderd." msgid "Presets inherited by other presets can not be deleted!" -msgstr "" -"Presets die door andere presets worden geërfd, kunnen niet worden verwijderd!" +msgstr "Presets die door andere presets worden geërfd, kunnen niet worden verwijderd!" msgid "The following presets inherit this preset." msgid_plural "The following preset inherits this preset." @@ -8023,12 +7800,12 @@ msgstr[1] "De volgende voorinstelling zal ook verwijderd worden@" msgid "" "Are you sure to delete the selected preset? \n" -"If the preset corresponds to a filament currently in use on your printer, " -"please reset the filament information for that slot." +"If the preset corresponds to a filament currently in use on your printer, please reset the " +"filament information for that slot." msgstr "" "Weet je zeker dat je de geselecteerde preset wilt verwijderen? \n" -"Als de voorinstelling overeenkomt met een filament dat momenteel in gebruik " -"is op je printer, reset dan de filamentinformatie voor die sleuf." +"Als de voorinstelling overeenkomt met een filament dat momenteel in gebruik is op je " +"printer, reset dan de filamentinformatie voor die sleuf." #, boost-format msgid "Are you sure to %1% the selected preset?" @@ -8041,13 +7818,11 @@ msgid "Set" msgstr "Instellen" msgid "Click to reset current value and attach to the global value." -msgstr "" -"Klik om de huidige waarde terug te zetten en de globale waarde toe te passen." +msgstr "Klik om de huidige waarde terug te zetten en de globale waarde toe te passen." msgid "Click to drop current modify and reset to saved value." msgstr "" -"Klik om de huidige aanpassingen te verwerpen en terug te gaan naar de " -"standaard instelling." +"Klik om de huidige aanpassingen te verwerpen en terug te gaan naar de standaard instelling." msgid "Process Settings" msgstr "Procesinstellingen" @@ -8092,9 +7867,7 @@ msgid "Keep the selected options." msgstr "Bewaar de geselecteerde opties." msgid "Transfer the selected options to the newly selected preset." -msgstr "" -"Breng de geselecteerde opties over naar de nieuwe geselecteerde " -"voorinstelling" +msgstr "Breng de geselecteerde opties over naar de nieuwe geselecteerde voorinstelling" #, boost-format msgid "" @@ -8109,30 +7882,28 @@ msgid "" "Transfer the selected options to the newly selected preset \n" "\"%1%\"." msgstr "" -"Breng de geselecteerde opties over naar de nieuwe geselecteerde " -"voorinstelling\n" +"Breng de geselecteerde opties over naar de nieuwe geselecteerde voorinstelling\n" "\"%1%\"." #, boost-format msgid "Preset \"%1%\" contains the following unsaved changes:" -msgstr "" -"Voorinstelling \"%1%\" bevat de navolgende nog niet opgeslagen aanpassingen:" +msgstr "Voorinstelling \"%1%\" bevat de navolgende nog niet opgeslagen aanpassingen:" #, boost-format msgid "" -"Preset \"%1%\" is not compatible with the new printer profile and it " -"contains the following unsaved changes:" +"Preset \"%1%\" is not compatible with the new printer profile and it contains the following " +"unsaved changes:" msgstr "" -"Voorinstelling \"%1%\" is niet compatibel met het nieuwe printer profiel en " -"bevat de navolgende nog niet opgeslagen aanpassingen:" +"Voorinstelling \"%1%\" is niet compatibel met het nieuwe printer profiel en bevat de " +"navolgende nog niet opgeslagen aanpassingen:" #, boost-format msgid "" -"Preset \"%1%\" is not compatible with the new process profile and it " -"contains the following unsaved changes:" +"Preset \"%1%\" is not compatible with the new process profile and it contains the following " +"unsaved changes:" msgstr "" -"Voorinstelling \"%1%\" is niet compatibel met het niet proces profiel en " -"bevat de navolgende nog niet opgeslagen aanpassingen:" +"Voorinstelling \"%1%\" is niet compatibel met het niet proces profiel en bevat de " +"navolgende nog niet opgeslagen aanpassingen:" #, boost-format msgid "You have changed some settings of preset \"%1%\". " @@ -8147,8 +7918,8 @@ msgstr "" msgid "" "\n" -"You can save or discard the preset values you have modified, or choose to " -"transfer the values you have modified to the new preset." +"You can save or discard the preset values you have modified, or choose to transfer the " +"values you have modified to the new preset." msgstr "" msgid "You have previously modified your settings." @@ -8156,8 +7927,8 @@ msgstr "You have previously modified your settings." msgid "" "\n" -"You can discard the preset values you have modified, or choose to transfer " -"the modified values to the new project" +"You can discard the preset values you have modified, or choose to transfer the modified " +"values to the new project" msgstr "" msgid "Extruders count" @@ -8175,22 +7946,19 @@ msgstr "Toon alle presets (inclusief incompatibele)" msgid "Select presets to compare" msgstr "Select presets to compare" -msgid "" -"You can only transfer to current active profile because it has been modified." +msgid "You can only transfer to current active profile because it has been modified." msgstr "" msgid "" "Transfer the selected options from left preset to the right.\n" -"Note: New modified presets will be selected in settings tabs after close " -"this dialog." +"Note: New modified presets will be selected in settings tabs after close this dialog." msgstr "" msgid "Transfer values from left to right" msgstr "" msgid "" -"If enabled, this dialog can be used for transfer selected values from left " -"to right preset." +"If enabled, this dialog can be used for transfer selected values from left to right preset." msgstr "" msgid "Add File" @@ -8235,9 +8003,7 @@ msgid "Configuration update" msgstr "Configuratie update" msgid "A new configuration package available, Do you want to install it?" -msgstr "" -"Er is een installatiebestand met een nieuwe configuratie. Wilt u deze " -"installeren?" +msgstr "Er is een installatiebestand met een nieuwe configuratie. Wilt u deze installeren?" msgid "Description:" msgstr "Omschrijving:" @@ -8261,9 +8027,7 @@ msgid "Exit %s" msgstr "Exit %s" msgid "the Configuration package is incompatible with current APP." -msgstr "" -"Het configuratie bestand is niet compatibel met de huidige versie van Bambu " -"Studio." +msgstr "Het configuratie bestand is niet compatibel met de huidige versie van Bambu Studio." msgid "Configuration updates" msgstr "Configuratie updates" @@ -8332,26 +8096,24 @@ msgid "Ramming customization" msgstr "Ramming aanpassen" msgid "" -"Ramming denotes the rapid extrusion just before a tool change in a single-" -"extruder MM printer. Its purpose is to properly shape the end of the " -"unloaded filament so it does not prevent insertion of the new filament and " -"can itself be reinserted later. This phase is important and different " -"materials can require different extrusion speeds to get the good shape. For " -"this reason, the extrusion rates during ramming are adjustable.\n" +"Ramming denotes the rapid extrusion just before a tool change in a single-extruder MM " +"printer. Its purpose is to properly shape the end of the unloaded filament so it does not " +"prevent insertion of the new filament and can itself be reinserted later. This phase is " +"important and different materials can require different extrusion speeds to get the good " +"shape. For this reason, the extrusion rates during ramming are adjustable.\n" "\n" -"This is an expert-level setting, incorrect adjustment will likely lead to " -"jams, extruder wheel grinding into filament etc." +"This is an expert-level setting, incorrect adjustment will likely lead to jams, extruder " +"wheel grinding into filament etc." msgstr "" -"Ramming wordt gebruikt voor het snel extruderen vlak voor een toolwisseling " -"bij multi-materialprinters met één extruder. Het doel daarvan is om het " -"einde van het ongeladen filament goed te vormen (zodat het later weer " -"geladen kan worden) en nieuw filament niet verhinderd wordt. Deze fase is " -"belangrijk. Verschillende materialen vereisen verschillende " -"extrusiesnelheden voor de juiste vorm. Daarom zijn de waarden tijdens de " -"ramming aan te passen.\n" +"Ramming wordt gebruikt voor het snel extruderen vlak voor een toolwisseling bij multi-" +"materialprinters met één extruder. Het doel daarvan is om het einde van het ongeladen " +"filament goed te vormen (zodat het later weer geladen kan worden) en nieuw filament niet " +"verhinderd wordt. Deze fase is belangrijk. Verschillende materialen vereisen verschillende " +"extrusiesnelheden voor de juiste vorm. Daarom zijn de waarden tijdens de ramming aan te " +"passen.\n" "\n" -"Dit is een expert-level instelling. Onjuiste aanpassingen kunnen zorgen voor " -"verstoppingen en andere problemen." +"Dit is een expert-level instelling. Onjuiste aanpassingen kunnen zorgen voor verstoppingen " +"en andere problemen." msgid "Total ramming time" msgstr "Totale ramming-tijd" @@ -8378,8 +8140,8 @@ msgid "Flushing volumes for filament change" msgstr "Volumes reinigen voor filament wijziging" msgid "" -"Orca would re-calculate your flushing volumes everytime the filaments color " -"changed. You could disable the auto-calculate in Orca Slicer > Preferences" +"Orca would re-calculate your flushing volumes everytime the filaments color changed. You " +"could disable the auto-calculate in Orca Slicer > Preferences" msgstr "" msgid "Flushing volume (mm³) for each filament pair." @@ -8391,8 +8153,7 @@ msgstr "Suggestie: Spoelvolume in bereik [%d, %d]" #, c-format, boost-format msgid "The multiplier should be in range [%.2f, %.2f]." -msgstr "" -"De vermenigvuldigingsfactor moet in het bereik liggen van [%.2f, %.2f]." +msgstr "De vermenigvuldigingsfactor moet in het bereik liggen van [%.2f, %.2f]." msgid "Multiplier" msgstr "Vermenigvuldiger" @@ -8413,29 +8174,29 @@ msgid "To" msgstr "Naar" msgid "" -"Windows Media Player is required for this task! Do you want to enable " -"'Windows Media Player' for your operation system?" +"Windows Media Player is required for this task! Do you want to enable 'Windows Media " +"Player' for your operation system?" msgstr "" msgid "" -"BambuSource has not correctly been registered for media playing! Press Yes " -"to re-register it. You will be promoted twice" +"BambuSource has not correctly been registered for media playing! Press Yes to re-register " +"it. You will be promoted twice" msgstr "" msgid "" -"Missing BambuSource component registered for media playing! Please re-" -"install BambuStutio or seek after-sales help." +"Missing BambuSource component registered for media playing! Please re-install BambuStutio " +"or seek after-sales help." msgstr "" msgid "" -"Using a BambuSource from a different install, video play may not work " -"correctly! Press Yes to fix it." +"Using a BambuSource from a different install, video play may not work correctly! Press Yes " +"to fix it." msgstr "" msgid "" -"Your system is missing H.264 codecs for GStreamer, which are required to " -"play video. (Try installing the gstreamer1.0-plugins-bad or gstreamer1.0-" -"libav packages, then restart Orca Slicer?)" +"Your system is missing H.264 codecs for GStreamer, which are required to play video. (Try " +"installing the gstreamer1.0-plugins-bad or gstreamer1.0-libav packages, then restart Orca " +"Slicer?)" msgstr "" msgid "Bambu Network plug-in not detected." @@ -8469,9 +8230,7 @@ msgid "Paste from clipboard" msgstr "Plakken vanuit klembord" msgid "Show/Hide 3Dconnexion devices settings dialog" -msgstr "" -"Dialoogvenster met instellingen voor 3Dconnexion-apparaten weergeven/" -"verbergen" +msgstr "Dialoogvenster met instellingen voor 3Dconnexion-apparaten weergeven/verbergen" msgid "Switch table page" msgstr "Schakeltabel pagina" @@ -8501,13 +8260,12 @@ msgid "Shift+R" msgstr "Shift+R" msgid "" -"Auto orientates selected objects or all objects.If there are selected " -"objects, it just orientates the selected ones.Otherwise, it will orientates " -"all objects in the current disk." +"Auto orientates selected objects or all objects.If there are selected objects, it just " +"orientates the selected ones.Otherwise, it will orientates all objects in the current disk." msgstr "" -"Oriënteert automatisch geselecteerde objecten of alle objecten. Als er " -"geselecteerde objecten zijn, oriënteert het alleen de geselecteerde " -"objecten. Anders oriënteert het alle objecten op de disk." +"Oriënteert automatisch geselecteerde objecten of alle objecten. Als er geselecteerde " +"objecten zijn, oriënteert het alleen de geselecteerde objecten. Anders oriënteert het alle " +"objecten op de disk." msgid "Shift+Tab" msgstr "Shift+Tab" @@ -8645,16 +8403,13 @@ msgid "Delete objects, parts, modifiers " msgstr "Verwijder objecten, onderdelen, aanpassingen " msgid "Select the object/part and press space to change the name" -msgstr "" -"Selecteer het object/onderdeel en druk op de spatiebalk om de naam aan te " -"passen" +msgstr "Selecteer het object/onderdeel en druk op de spatiebalk om de naam aan te passen" msgid "Mouse click" msgstr "Muisklik" msgid "Select the object/part and mouse click to change the name" -msgstr "" -"Selecteer het object/onderdeel en rechtermuisklik om de naam aan te passen" +msgstr "Selecteer het object/onderdeel en rechtermuisklik om de naam aan te passen" msgid "Objects List" msgstr "Objecten lijst" @@ -8699,16 +8454,14 @@ msgstr "versie %s update informatie:" msgid "Network plug-in update" msgstr "Netwerk plug-in update" -msgid "" -"Click OK to update the Network plug-in when Orca Slicer launches next time." +msgid "Click OK to update the Network plug-in when Orca Slicer launches next time." msgstr "" -"Klik op OK om de netwerkplug-in bij te werken wanneer Orca Slicer de " -"volgende keer wordt gestart." +"Klik op OK om de netwerkplug-in bij te werken wanneer Orca Slicer de volgende keer wordt " +"gestart." #, c-format, boost-format msgid "A new Network plug-in(%s) available, Do you want to install it?" -msgstr "" -"Een nieuwe netwerk plug-in (%s) is beschikbaar. Wilt je deze installeren?" +msgstr "Een nieuwe netwerk plug-in (%s) is beschikbaar. Wilt je deze installeren?" msgid "New version of Orca Slicer" msgstr "Nieuwe versie van Orca Slicer" @@ -8761,18 +8514,15 @@ msgstr "Bevestig en update het mondstuk" msgid "LAN Connection Failed (Sending print file)" msgstr "LAN-verbinding mislukt (verzenden afdrukbestand)" -msgid "" -"Step 1, please confirm Orca Slicer and your printer are in the same LAN." -msgstr "" -"Stap 1, bevestig dat Orca Slicer en uw printer zich in hetzelfde LAN " -"bevinden." +msgid "Step 1, please confirm Orca Slicer and your printer are in the same LAN." +msgstr "Stap 1, bevestig dat Orca Slicer en uw printer zich in hetzelfde LAN bevinden." msgid "" -"Step 2, if the IP and Access Code below are different from the actual values " -"on your printer, please correct them." +"Step 2, if the IP and Access Code below are different from the actual values on your " +"printer, please correct them." msgstr "" -"Stap 2, als het IP-adres en de toegangscode hieronder afwijken van de " -"werkelijke waarden op uw printer, corrigeer ze dan." +"Stap 2, als het IP-adres en de toegangscode hieronder afwijken van de werkelijke waarden op " +"uw printer, corrigeer ze dan." msgid "IP" msgstr "IP" @@ -8784,8 +8534,7 @@ msgid "Where to find your printer's IP and Access Code?" msgstr "Waar vind je het IP-adres en de toegangscode van je printer?" msgid "Step 3: Ping the IP address to check for packet loss and latency." -msgstr "" -"Stap 3: Ping het IP-adres om te controleren op pakketverlies en latentie." +msgstr "Stap 3: Ping het IP-adres om te controleren op pakketverlies en latentie." msgid "Test" msgstr "Test" @@ -8810,7 +8559,7 @@ msgid "Serial:" msgstr "Serienummer:" msgid "Version:" -msgstr "Versie" +msgstr "Versie:" msgid "Update firmware" msgstr "Firmware bijwerken" @@ -8822,7 +8571,7 @@ msgid "Latest version" msgstr "Nieuwste versie" msgid "Updating" -msgstr "Bijwerken…" +msgstr "Bijwerken" msgid "Updating failed" msgstr "Bijwerken mislukt" @@ -8831,29 +8580,28 @@ msgid "Updating successful" msgstr "Update geslaagd" msgid "" -"Are you sure you want to update? This will take about 10 minutes. Do not " -"turn off the power while the printer is updating." +"Are you sure you want to update? This will take about 10 minutes. Do not turn off the power " +"while the printer is updating." msgstr "" -"Weet u zeker dat u de firmware wilt bijwerken? Dit duurt ongeveer 10 " -"minuten. Zet de printer NIET uit tijdens dit proces." +"Weet u zeker dat u de firmware wilt bijwerken? Dit duurt ongeveer 10 minuten. Zet de " +"printer NIET uit tijdens dit proces." msgid "" -"An important update was detected and needs to be run before printing can " -"continue. Do you want to update now? You can also update later from 'Upgrade " -"firmware'." +"An important update was detected and needs to be run before printing can continue. Do you " +"want to update now? You can also update later from 'Upgrade firmware'." msgstr "" -"Er is een belangrijke update gedetecteerd die moet worden uitgevoerd voordat " -"het printen kan worden voortgezet. Wil je nu updaten? Je kunt ook later " -"updaten via 'Firmware bijwerken'." +"Er is een belangrijke update gedetecteerd die moet worden uitgevoerd voordat het printen " +"kan worden voortgezet. Wil je nu updaten? Je kunt ook later updaten via 'Firmware " +"bijwerken'." msgid "" -"The firmware version is abnormal. Repairing and updating are required before " -"printing. Do you want to update now? You can also update later on printer or " -"update next time starting Orca." +"The firmware version is abnormal. Repairing and updating are required before printing. Do " +"you want to update now? You can also update later on printer or update next time starting " +"Orca." msgstr "" -"De firmwareversie is abnormaal. Repareren en bijwerken is vereist voor het " -"afdrukken. Wil je nu updaten? Je kunt ook later op de printer updaten of " -"updaten wanneer je Orca Slicer de volgende keer start." +"De firmwareversie is abnormaal. Repareren en bijwerken is vereist voor het afdrukken. Wil " +"je nu updaten? Je kunt ook later op de printer updaten of updaten wanneer je Orca Slicer de " +"volgende keer start." msgid "Extension Board" msgstr "Extension Board" @@ -8911,8 +8659,7 @@ msgid "Copying of file %1% to %2% failed: %3%" msgstr "Het kopieeren van bestand %1% naar %2% is mislukt: %3%" msgid "Need to check the unsaved changes before configuration updates." -msgstr "" -"Controleer niet-opgeslagen wijzigingen voordat u de configuratie bijwerkt." +msgstr "Controleer niet-opgeslagen wijzigingen voordat u de configuratie bijwerkt." msgid "Configuration package: " msgstr "" @@ -8924,36 +8671,29 @@ msgid "Open G-code file:" msgstr "Open G-code bestand:" msgid "" -"One object has empty initial layer and can't be printed. Please Cut the " -"bottom or enable supports." +"One object has empty initial layer and can't be printed. Please Cut the bottom or enable " +"supports." msgstr "" -"Eén object heeft een lege eerste laag en kan niet geprint worden. Knip een " -"stuk van de bodem van het object of genereer support." +"Eén object heeft een lege eerste laag en kan niet geprint worden. Knip een stuk van de " +"bodem van het object of genereer support." #, boost-format msgid "Object can't be printed for empty layer between %1% and %2%." -msgstr "" -"Het object heeft lege lagen tussen %1% en %2% en kan daarom niet geprint " -"worden." +msgstr "Het object heeft lege lagen tussen %1% en %2% en kan daarom niet geprint worden." #, boost-format msgid "Object: %1%" msgstr "Object: %1%" -msgid "" -"Maybe parts of the object at these height are too thin, or the object has " -"faulty mesh" +msgid "Maybe parts of the object at these height are too thin, or the object has faulty mesh" msgstr "" -"Delen van het object op deze hoogts kunnen te dun zijn of het object kan een " -"defect in de constructie hebben." +"Delen van het object op deze hoogts kunnen te dun zijn of het object kan een defect in de " +"constructie hebben." msgid "No object can be printed. Maybe too small" -msgstr "" -"Er kunnen geen objecten geprint worden. Het kan zijn dat ze te klein zijn." +msgstr "Er kunnen geen objecten geprint worden. Het kan zijn dat ze te klein zijn." -msgid "" -"Your print is very close to the priming regions. Make sure there is no " -"collision." +msgid "Your print is very close to the priming regions. Make sure there is no collision." msgstr "" msgid "" @@ -9009,12 +8749,12 @@ msgstr "Meerdere" #, boost-format msgid "Failed to calculate line width of %1%. Can not get value of \"%2%\" " msgstr "" -"Kan de lijndikte van %1% niet berekenen omdat de waarde van \"%2%\" niet " -"opgehaald kan worden" +"Kan de lijndikte van %1% niet berekenen omdat de waarde van \"%2%\" niet opgehaald kan " +"worden" msgid "" -"Invalid spacing supplied to Flow::with_spacing(), check your layer height " -"and extrusion width" +"Invalid spacing supplied to Flow::with_spacing(), check your layer height and extrusion " +"width" msgstr "" msgid "undefined error" @@ -9111,11 +8851,10 @@ msgid "write callback failed" msgstr "callback schrijven is mislukt" #, boost-format -msgid "" -"%1% is too close to exclusion area, there may be collisions when printing." +msgid "%1% is too close to exclusion area, there may be collisions when printing." msgstr "" -"%1% bevindt zich te dicht bij het uitsluitingsgebied. Er kunnen botsingen " -"optreden tijdens het afdrukken." +"%1% bevindt zich te dicht bij het uitsluitingsgebied. Er kunnen botsingen optreden tijdens " +"het afdrukken." #, boost-format msgid "%1% is too close to others, and collisions may be caused." @@ -9126,59 +8865,46 @@ msgid "%1% is too tall, and collisions will be caused." msgstr "%1% is te hoog en er kunnen botsingen ontstaan." msgid " is too close to others, there may be collisions when printing." -msgstr "" -"staat te dicht bij anderen; er kunnen botsingen optreden tijdens het " -"afdrukken." +msgstr "staat te dicht bij anderen; er kunnen botsingen optreden tijdens het afdrukken." msgid " is too close to exclusion area, there may be collisions when printing." -msgstr "" -"is te dicht bij het uitsluitingsgebied, er botsingen optreden tijdens het " -"printen." +msgstr "is te dicht bij het uitsluitingsgebied, er botsingen optreden tijdens het printen." msgid "Prime Tower" msgstr "Prime toren" msgid " is too close to others, and collisions may be caused.\n" -msgstr "" -"staat te dicht bij andere objecten en er kunnen botsingen worden " -"veroorzaakt.\n" +msgstr "staat te dicht bij andere objecten en er kunnen botsingen worden veroorzaakt.\n" msgid " is too close to exclusion area, and collisions will be caused.\n" msgstr "" -" bevindt zich te dicht bij het uitsluitingsgebied en er zullen botsingen " -"worden veroorzaakt.\n" +" bevindt zich te dicht bij het uitsluitingsgebied en er zullen botsingen worden " +"veroorzaakt.\n" msgid "" -"Can not print multiple filaments which have large difference of temperature " -"together. Otherwise, the extruder and nozzle may be blocked or damaged " -"during printing" +"Can not print multiple filaments which have large difference of temperature together. " +"Otherwise, the extruder and nozzle may be blocked or damaged during printing" msgstr "" "Het is niet mogelijk om met meerdere filamenten te printen die een groot " -"temperatuurverschil hebben. Anders kunnen de extruder en de nozzle tijdens " -"het afdrukken worden geblokkeerd of beschadigd" +"temperatuurverschil hebben. Anders kunnen de extruder en het mondstuk tijdens het afdrukken " +"worden geblokkeerd of beschadigd" msgid "No extrusions under current settings." msgstr "Geen extrusion onder de huidige instellingen" -msgid "" -"Smooth mode of timelapse is not supported when \"by object\" sequence is " -"enabled." +msgid "Smooth mode of timelapse is not supported when \"by object\" sequence is enabled." msgstr "" -"Vloeiende modus van timelapse wordt niet ondersteund wanneer \"per object\" " -"sequentie is ingeschakeld." +"Vloeiende modus van timelapse wordt niet ondersteund wanneer \"per object\" sequentie is " +"ingeschakeld." msgid "" -"Please select \"By object\" print sequence to print multiple objects in " -"spiral vase mode." +"Please select \"By object\" print sequence to print multiple objects in spiral vase mode." msgstr "" -"Selecteer de afdrukvolgorde \"per object\" om meerdere objecten in " -"spiraalvaasmodus af te drukken." +"Selecteer de afdrukvolgorde \"per object\" om meerdere objecten in spiraalvaasmodus af te " +"drukken." -msgid "" -"The spiral vase mode does not work when an object contains more than one " -"materials." -msgstr "" -"Spiraal (vaas) modus werkt niet als een object meer dan 1 filament bevalt." +msgid "The spiral vase mode does not work when an object contains more than one materials." +msgstr "Spiraal (vaas) modus werkt niet als een object meer dan 1 filament bevalt." #, boost-format msgid "The object %1% exceeds the maximum build volume height." @@ -9186,82 +8912,70 @@ msgstr "" #, boost-format msgid "" -"While the object %1% itself fits the build volume, its last layer exceeds " -"the maximum build volume height." +"While the object %1% itself fits the build volume, its last layer exceeds the maximum build " +"volume height." msgstr "" msgid "" -"You might want to reduce the size of your model or change current print " -"settings and retry." +"You might want to reduce the size of your model or change current print settings and retry." msgstr "" msgid "Variable layer height is not supported with Organic supports." msgstr "Variabele laaghoogte wordt niet ondersteund met organische steunen." msgid "" -"Different nozzle diameters and different filament diameters may not work " -"well when the prime tower is enabled. It's very experimental, so please " -"proceed with caution." +"Different nozzle diameters and different filament diameters may not work well when the " +"prime tower is enabled. It's very experimental, so please proceed with caution." msgstr "" msgid "" -"The Wipe Tower is currently only supported with the relative extruder " -"addressing (use_relative_e_distances=1)." +"The Wipe Tower is currently only supported with the relative extruder addressing " +"(use_relative_e_distances=1)." msgstr "" -"De Wipe Tower wordt momenteel alleen ondersteund met de relatieve " -"extruderadressering (use_relative_e_distances=1)." +"De Wipe Tower wordt momenteel alleen ondersteund met de relatieve extruderadressering " +"(use_relative_e_distances=1)." msgid "" -"Ooze prevention is only supported with the wipe tower when " -"'single_extruder_multi_material' is off." +"Ooze prevention is only supported with the wipe tower when 'single_extruder_multi_material' " +"is off." msgstr "" msgid "" -"The prime tower is currently only supported for the Marlin, RepRap/Sprinter, " -"RepRapFirmware and Repetier G-code flavors." +"The prime tower is currently only supported for the Marlin, RepRap/Sprinter, RepRapFirmware " +"and Repetier G-code flavors." msgstr "" -"De prime tower wordt momenteel alleen ondersteund voor de Marlin, RepRap/" -"Sprinter, RepRapFirmware en Repetier G-code smaken." +"De prime tower wordt momenteel alleen ondersteund voor de Marlin, RepRap/Sprinter, " +"RepRapFirmware en Repetier G-code smaken." msgid "The prime tower is not supported in \"By object\" print." msgstr "Een prime-toren wordt niet ondersteund bij het \"per object\" printen." msgid "" -"The prime tower is not supported when adaptive layer height is on. It " -"requires that all objects have the same layer height." +"The prime tower is not supported when adaptive layer height is on. It requires that all " +"objects have the same layer height." msgstr "" -"Een prime toren wordt niet ondersteund tijdens het printen met adaptieve " -"laaghoogte. Voor het werken met een prime toren is het van belang dat alle " -"lagen dezelfde laaghoogte hebben." +"Een prime toren wordt niet ondersteund tijdens het printen met adaptieve laaghoogte. Voor " +"het werken met een prime toren is het van belang dat alle lagen dezelfde laaghoogte hebben." msgid "The prime tower requires \"support gap\" to be multiple of layer height" msgstr "" -"Een prime toren vereist dat elke \"support opening\" een veelvoud van de " -"laaghoogte is." +"Een prime toren vereist dat elke \"support opening\" een veelvoud van de laaghoogte is." msgid "The prime tower requires that all objects have the same layer heights" msgstr "Een prime toren vereist dat alle objecten dezelfde laaghoogte hebben." msgid "" -"The prime tower requires that all objects are printed over the same number " -"of raft layers" +"The prime tower requires that all objects are printed over the same number of raft layers" msgstr "" -"Een prime-toren vereist dat alle objecten op hetzelfde aantal raftlagen " -"worden afgedrukt." +"Een prime-toren vereist dat alle objecten op hetzelfde aantal raftlagen worden afgedrukt." -msgid "" -"The prime tower requires that all objects are sliced with the same layer " -"heights." -msgstr "" -"Een prime toren vereist dat alle objecten met dezelfde laaghoogte gesliced " -"worden." +msgid "The prime tower requires that all objects are sliced with the same layer heights." +msgstr "Een prime toren vereist dat alle objecten met dezelfde laaghoogte gesliced worden." -msgid "" -"The prime tower is only supported if all objects have the same variable " -"layer height" +msgid "The prime tower is only supported if all objects have the same variable layer height" msgstr "" -"De prime toren wordt alleen ondersteund als alle objecten dezelfde variabele " -"laaghoogte hebben" +"De prime toren wordt alleen ondersteund als alle objecten dezelfde variabele laaghoogte " +"hebben" msgid "Too small line width" msgstr "Te kleine lijnbreedte" @@ -9269,91 +8983,79 @@ msgstr "Te kleine lijnbreedte" msgid "Too large line width" msgstr "Te groote lijnbreedte" -msgid "" -"The prime tower requires that support has the same layer height with object." -msgstr "" -"Een prime toren vereist dat support dezelfde laaghoogte heeft als het object." +msgid "The prime tower requires that support has the same layer height with object." +msgstr "Een prime toren vereist dat support dezelfde laaghoogte heeft als het object." msgid "" -"Organic support tree tip diameter must not be smaller than support material " -"extrusion width." +"Organic support tree tip diameter must not be smaller than support material extrusion width." msgstr "" msgid "" -"Organic support branch diameter must not be smaller than 2x support material " -"extrusion width." +"Organic support branch diameter must not be smaller than 2x support material extrusion " +"width." msgstr "" -msgid "" -"Organic support branch diameter must not be smaller than support tree tip " -"diameter." +msgid "Organic support branch diameter must not be smaller than support tree tip diameter." msgstr "" -msgid "" -"Support enforcers are used but support is not enabled. Please enable support." -msgstr "" -"Er zijn support handhavers ingesteld, maar support staat uit. Schakel " -"support in." +msgid "Support enforcers are used but support is not enabled. Please enable support." +msgstr "Er zijn support handhavers ingesteld, maar support staat uit. Schakel support in." msgid "Layer height cannot exceed nozzle diameter" -msgstr "De laaghoogte kan niet groter zijn dan de diameter van de nozzle" +msgstr "De laaghoogte kan niet groter zijn dan de diameter van het mondstuk" msgid "" -"Relative extruder addressing requires resetting the extruder position at " -"each layer to prevent loss of floating point accuracy. Add \"G92 E0\" to " -"layer_gcode." +"Relative extruder addressing requires resetting the extruder position at each layer to " +"prevent loss of floating point accuracy. Add \"G92 E0\" to layer_gcode." msgstr "" -"Relatieve extruderwaarden vereist het resetten van de extruderpositie op " -"elke laag om decimale onnauwkeurigheid te voorkomen. Voeg \"G92 E0\" toe aan " -"layer_gcode." +"Relatieve extruderwaarden vereist het resetten van de extruderpositie op elke laag om " +"decimale onnauwkeurigheid te voorkomen. Voeg \"G92 E0\" toe aan layer_gcode." msgid "" -"\"G92 E0\" was found in before_layer_gcode, which is incompatible with " -"absolute extruder addressing." +"\"G92 E0\" was found in before_layer_gcode, which is incompatible with absolute extruder " +"addressing." msgstr "" -"\"G92 E0\" gevonden in before_layer_gcode, wat niet compatibel is met " -"absolute positionering." - -msgid "" -"\"G92 E0\" was found in layer_gcode, which is incompatible with absolute " -"extruder addressing." -msgstr "" -"\"G92 E0\" gevonden in layer_gcode, wat niet compatibel is met absolute " +"\"G92 E0\" gevonden in before_layer_gcode, wat niet compatibel is met absolute " "positionering." +msgid "" +"\"G92 E0\" was found in layer_gcode, which is incompatible with absolute extruder " +"addressing." +msgstr "" +"\"G92 E0\" gevonden in layer_gcode, wat niet compatibel is met absolute positionering." + #, c-format, boost-format msgid "Plate %d: %s does not support filament %s" msgstr "Printbed %d: %s ondersteunt filament %s niet." -msgid "" -"Setting the jerk speed too low could lead to artifacts on curved surfaces" +msgid "Setting the jerk speed too low could lead to artifacts on curved surfaces" msgstr "" msgid "" "The jerk setting exceeds the printer's maximum jerk (machine_max_jerk_x/" "machine_max_jerk_y).\n" -"Orca will automatically cap the jerk speed to ensure it doesn't surpass the " -"printer's capabilities.\n" -"You can adjust the maximum jerk setting in your printer's configuration to " -"get higher speeds." +"Orca will automatically cap the jerk speed to ensure it doesn't surpass the printer's " +"capabilities.\n" +"You can adjust the maximum jerk setting in your printer's configuration to get higher " +"speeds." msgstr "" msgid "" "The acceleration setting exceeds the printer's maximum acceleration " "(machine_max_acceleration_extruding).\n" -"Orca will automatically cap the acceleration speed to ensure it doesn't " -"surpass the printer's capabilities.\n" -"You can adjust the machine_max_acceleration_extruding value in your " -"printer's configuration to get higher speeds." +"Orca will automatically cap the acceleration speed to ensure it doesn't surpass the " +"printer's capabilities.\n" +"You can adjust the machine_max_acceleration_extruding value in your printer's configuration " +"to get higher speeds." msgstr "" msgid "" -"The travel acceleration setting exceeds the printer's maximum travel " -"acceleration (machine_max_acceleration_travel).\n" -"Orca will automatically cap the travel acceleration speed to ensure it " -"doesn't surpass the printer's capabilities.\n" -"You can adjust the machine_max_acceleration_travel value in your printer's " -"configuration to get higher speeds." +"The travel acceleration setting exceeds the printer's maximum travel acceleration " +"(machine_max_acceleration_travel).\n" +"Orca will automatically cap the travel acceleration speed to ensure it doesn't surpass the " +"printer's capabilities.\n" +"You can adjust the machine_max_acceleration_travel value in your printer's configuration to " +"get higher speeds." msgstr "" msgid "Generating skirt & brim" @@ -9375,14 +9077,13 @@ msgid "Bed exclude area" msgstr "Uitgesloten printbed gebied" msgid "" -"Unprintable area in XY plane. For example, X1 Series printers use the front " -"left corner to cut filament during filament change. The area is expressed as " -"polygon by points in following format: \"XxY, XxY, ...\"" +"Unprintable area in XY plane. For example, X1 Series printers use the front left corner to " +"cut filament during filament change. The area is expressed as polygon by points in " +"following format: \"XxY, XxY, ...\"" msgstr "" -"Onafdrukbaar gebied in XY-vlak. Printers uit de X1-serie gebruiken " -"bijvoorbeeld de linkervoorhoek om filament af te snijden tijdens het " -"verwisselen van filament. Het gebied wordt uitgedrukt als polygoon door " -"punten in het volgende formaat: „xxY, xxY,...”" +"Onafdrukbaar gebied in XY-vlak. Printers uit de X1-serie gebruiken bijvoorbeeld de " +"linkervoorhoek om filament af te snijden tijdens het verwisselen van filament. Het gebied " +"wordt uitgedrukt als polygoon door punten in het volgende formaat: „xxY, xxY,...”" msgid "Bed custom texture" msgstr "Bed aangepaste textuur" @@ -9393,43 +9094,42 @@ msgstr "Bed aangepast model" msgid "Elephant foot compensation" msgstr "\"Elephant foot\" compensatie" -msgid "" -"Shrink the initial layer on build plate to compensate for elephant foot " -"effect" +msgid "Shrink the initial layer on build plate to compensate for elephant foot effect" msgstr "" -"Hierdoor krimpt de eerste laag op de bouwplaat om het \"elephant foot\" " -"effect te compenseren." +"Hierdoor krimpt de eerste laag op de bouwplaat om het \"elephant foot\" effect te " +"compenseren." msgid "Elephant foot compensation layers" -msgstr "" +msgstr "\"Elephant foot\" compensatielagen" msgid "" -"The number of layers on which the elephant foot compensation will be active. " -"The first layer will be shrunk by the elephant foot compensation value, then " -"the next layers will be linearly shrunk less, up to the layer indicated by " -"this value." +"The number of layers on which the elephant foot compensation will be active. The first " +"layer will be shrunk by the elephant foot compensation value, then the next layers will be " +"linearly shrunk less, up to the layer indicated by this value." msgstr "" +"Het aantal lagen waarop de \"elephant foot\" compensatie actief zal zijn. De eerste laag " +"zal worden verkleind met de \"elephant foot\" compensatiewaarde, daarna zullen de volgende " +"lagen lineair minder worden verkleind, tot aan de laag die wordt aangegeven door deze " +"waarde." msgid "layers" msgstr "Lagen" msgid "" -"Slicing height for each layer. Smaller layer height means more accurate and " -"more printing time" +"Slicing height for each layer. Smaller layer height means more accurate and more printing " +"time" msgstr "" -"Dit is de hoogte voor iedere laag. Kleinere laaghoogtes geven een grotere " -"nauwkeurigheid maar een langere printtijd." +"Dit is de hoogte voor iedere laag. Kleinere laaghoogtes geven een grotere nauwkeurigheid " +"maar een langere printtijd." msgid "Printable height" msgstr "Hoogte waarbinnen geprint kan worden" msgid "Maximum printable height which is limited by mechanism of printer" -msgstr "" -"Dit is de maximale printbare hoogte gelimiteerd door de constructie van de " -"printer" +msgstr "Dit is de maximale printbare hoogte gelimiteerd door de constructie van de printer" msgid "Preferred orientation" -msgstr "" +msgstr "Voorkeursoriëntatie" msgid "Automatically orient stls on the Z-axis upon initial import" msgstr "" @@ -9438,46 +9138,43 @@ msgid "Printer preset names" msgstr "Namen van printer voorinstellingen" msgid "Use 3rd-party print host" -msgstr "" +msgstr "Gebruik een printhost van derden" msgid "Allow controlling BambuLab's printer through 3rd party print hosts" -msgstr "" +msgstr "Toestaan om een BambuLab printer te besturen via printhosts van derden" msgid "Hostname, IP or URL" msgstr "Hostnaam, IP of URL" msgid "" -"Orca Slicer can upload G-code files to a printer host. This field should " -"contain the hostname, IP address or URL of the printer host instance. Print " -"host behind HAProxy with basic auth enabled can be accessed by putting the " -"user name and password into the URL in the following format: https://" -"username:password@your-octopi-address/" +"Orca Slicer can upload G-code files to a printer host. This field should contain the " +"hostname, IP address or URL of the printer host instance. Print host behind HAProxy with " +"basic auth enabled can be accessed by putting the user name and password into the URL in " +"the following format: https://username:password@your-octopi-address/" msgstr "" -"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet " -"de hostnaam, het IP-adres of de URL van de printerhostinstantie bevatten. " -"Printhost achter HAProxy met ingeschakelde basisauthenticatie is " -"toegankelijk door de gebruikersnaam en het wachtwoord in de volgende " -"indeling in de URL te plaatsen: https://username:password@your-octopi-" +"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet de hostnaam, " +"het IP-adres of de URL van de printerhostinstantie bevatten. Printhost achter HAProxy met " +"ingeschakelde basisauthenticatie is toegankelijk door de gebruikersnaam en het wachtwoord " +"in de volgende indeling in de URL te plaatsen: https://username:password@your-octopi-" "address/" msgid "Device UI" msgstr "UI van het apparaat" -msgid "" -"Specify the URL of your device user interface if it's not same as print_host" +msgid "Specify the URL of your device user interface if it's not same as print_host" msgstr "" -"Geef de URL op van de gebruikersinterface van uw apparaat als deze niet " -"hetzelfde is als print_host" +"Geef de URL op van de gebruikersinterface van uw apparaat als deze niet hetzelfde is als " +"print_host" msgid "API Key / Password" msgstr "API sleutel / wachtwoord" msgid "" -"Orca Slicer can upload G-code files to a printer host. This field should " -"contain the API Key or the password required for authentication." +"Orca Slicer can upload G-code files to a printer host. This field should contain the API " +"Key or the password required for authentication." msgstr "" -"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet " -"de API-sleutel of het wachtwoord bevatten dat nodig is voor authenticatie." +"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet de API-sleutel " +"of het wachtwoord bevatten dat nodig is voor authenticatie." msgid "Name of the printer" msgstr "Naam van de printer" @@ -9486,13 +9183,12 @@ msgid "HTTPS CA File" msgstr "HTTPS CA Bestand" msgid "" -"Custom CA certificate file can be specified for HTTPS OctoPrint connections, " -"in crt/pem format. If left blank, the default OS CA certificate repository " -"is used." +"Custom CA certificate file can be specified for HTTPS OctoPrint connections, in crt/pem " +"format. If left blank, the default OS CA certificate repository is used." msgstr "" -"Een aangepast CA-certificaatbestand kan worden gespecificeerd voor HTTPS " -"OctoPrint-verbindingen, in crt/pem-formaat. Indien leeg gelaten, wordt de " -"standaard opslagplaats voor OS CA-certificaten gebruikt." +"Een aangepast CA-certificaatbestand kan worden gespecificeerd voor HTTPS OctoPrint-" +"verbindingen, in crt/pem-formaat. Indien leeg gelaten, wordt de standaard opslagplaats voor " +"OS CA-certificaten gebruikt." msgid "User" msgstr "Gebruiker" @@ -9504,13 +9200,12 @@ msgid "Ignore HTTPS certificate revocation checks" msgstr "HTTPS-certificaatintrekkingscontroles negeren" msgid "" -"Ignore HTTPS certificate revocation checks in case of missing or offline " -"distribution points. One may want to enable this option for self signed " -"certificates if connection fails." +"Ignore HTTPS certificate revocation checks in case of missing or offline distribution " +"points. One may want to enable this option for self signed certificates if connection fails." msgstr "" -"HTTPS-certificaatherroepingscontroles negeren in geval van ontbrekende of " -"offline distributiepunten. Men kan deze optie inschakelen voor " -"zelfondertekende certificaten als de verbinding mislukt." +"HTTPS-certificaatherroepingscontroles negeren in geval van ontbrekende of offline " +"distributiepunten. Men kan deze optie inschakelen voor zelfondertekende certificaten als de " +"verbinding mislukt." msgid "Names of presets related to the physical printer" msgstr "Namen van voorinstellingen gerelateerd aan de fysieke printer" @@ -9529,23 +9224,21 @@ msgstr "Vermijd het oversteken van walls" msgid "Detour and avoid to travel across wall which may cause blob on surface" msgstr "" -"Omweg om te voorkomen dat de printkop over wanden verplaatst, dit zou " -"namelijk klodders op het oppervlak kunnen veroorzaken" +"Omweg om te voorkomen dat de printkop over wanden verplaatst, dit zou namelijk klodders op " +"het oppervlak kunnen veroorzaken" msgid "Avoid crossing wall - Max detour length" msgstr "Walls vermijden - Maximale omleidingslengte" msgid "" -"Maximum detour distance for avoiding crossing wall. Don't detour if the " -"detour distance is large than this value. Detour length could be specified " -"either as an absolute value or as percentage (for example 50%) of a direct " -"travel path. Zero to disable" +"Maximum detour distance for avoiding crossing wall. Don't detour if the detour distance is " +"large than this value. Detour length could be specified either as an absolute value or as " +"percentage (for example 50%) of a direct travel path. Zero to disable" msgstr "" -"Maximale omleidingsafstand om te voorkomen dat een muur wordt overgestoken: " -"De printer zal geen omweg maken als de omleidingsafstand groter is dan deze " -"waarde. De lengte van de omleiding kan worden gespecificeerd als absolute " -"waarde of als percentage (bijvoorbeeld 50%) van een directe reisroute. Een " -"waarde van 0 zal dit uitschakelen." +"Maximale omleidingsafstand om te voorkomen dat een muur wordt overgestoken: De printer zal " +"geen omweg maken als de omleidingsafstand groter is dan deze waarde. De lengte van de " +"omleiding kan worden gespecificeerd als absolute waarde of als percentage (bijvoorbeeld " +"50%) van een directe reisroute. Een waarde van 0 zal dit uitschakelen." msgid "mm or %" msgstr "mm of %" @@ -9554,36 +9247,35 @@ msgid "Other layers" msgstr "Andere lagen" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the Cool Plate" +"Bed temperature for layers except the initial one. Value 0 means the filament does not " +"support to print on the Cool Plate" msgstr "" -"Dit is de bedtemperatuur voor alle lagen behalve de eerste. Een waarde van 0 " -"betekent dat het filament het afdrukken op de Cool Plate niet ondersteunt." +"Dit is de bedtemperatuur voor alle lagen behalve de eerste. Een waarde van 0 betekent dat " +"het filament het afdrukken op de Cool Plate niet ondersteunt." msgid "°C" msgstr "°C" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the Engineering Plate" +"Bed temperature for layers except the initial one. Value 0 means the filament does not " +"support to print on the Engineering Plate" msgstr "" -"Dit is de bedtemperatuur voor lagen, behalve voor de eerste. Een waarde van " -"0 betekent dat het filament afdrukken op de Engineering Plate niet " -"ondersteunt." +"Dit is de bedtemperatuur voor lagen, behalve voor de eerste. Een waarde van 0 betekent dat " +"het filament afdrukken op de Engineering Plate niet ondersteunt." msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the High Temp Plate" +"Bed temperature for layers except the initial one. Value 0 means the filament does not " +"support to print on the High Temp Plate" msgstr "" -"Dit is de bedtemperatuur voor lagen, behalve voor de eerste. Een waarde van " -"0 betekent dat het filament printen op de High Temp Plate niet ondersteunt." +"Dit is de bedtemperatuur voor lagen, behalve voor de eerste. Een waarde van 0 betekent dat " +"het filament printen op de High Temp Plate niet ondersteunt." msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the Textured PEI Plate" +"Bed temperature for layers except the initial one. Value 0 means the filament does not " +"support to print on the Textured PEI Plate" msgstr "" -"Bedtemperatuur na de eerste laag. 0 betekent dat het filament niet wordt " -"ondersteund op de getextureerde PEI-plaat." +"Bedtemperatuur na de eerste laag. 0 betekent dat het filament niet wordt ondersteund op de " +"getextureerde PEI-plaat." msgid "Initial layer" msgstr "Eerste laag" @@ -9592,32 +9284,32 @@ msgid "Initial layer bed temperature" msgstr "Printbed temperatuur voor de eerste laag" msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not " -"support to print on the Cool Plate" +"Bed temperature of the initial layer. Value 0 means the filament does not support to print " +"on the Cool Plate" msgstr "" -"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het " -"filament printen op de Cool Plate niet ondersteunt." +"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het filament " +"printen op de Cool Plate niet ondersteunt." msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not " -"support to print on the Engineering Plate" +"Bed temperature of the initial layer. Value 0 means the filament does not support to print " +"on the Engineering Plate" msgstr "" -"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het " -"filament afdrukken op de Engineering Plate niet ondersteunt." +"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het filament " +"afdrukken op de Engineering Plate niet ondersteunt." msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not " -"support to print on the High Temp Plate" +"Bed temperature of the initial layer. Value 0 means the filament does not support to print " +"on the High Temp Plate" msgstr "" -"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het " -"filament printen op de High Temp Plate niet ondersteunt." +"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het filament " +"printen op de High Temp Plate niet ondersteunt." msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not " -"support to print on the Textured PEI Plate" +"Bed temperature of the initial layer. Value 0 means the filament does not support to print " +"on the Textured PEI Plate" msgstr "" -"De bedtemperatuur van de eerste laag 0 betekent dat het filament niet wordt " -"ondersteund op de getextureerde PEI-plaat." +"De bedtemperatuur van de eerste laag 0 betekent dat het filament niet wordt ondersteund op " +"de getextureerde PEI-plaat." msgid "Bed types supported by the printer" msgstr "Printbedden ondersteund door de printer" @@ -9641,48 +9333,44 @@ msgid "Other layers filament sequence" msgstr "Other layers filament sequence" msgid "This G-code is inserted at every layer change before lifting z" -msgstr "" -"De G-code wordt bij iedere laagwisseling toegevoegd voor het optillen van Z" +msgstr "De G-code wordt bij iedere laagwisseling toegevoegd voor het optillen van Z" msgid "Bottom shell layers" msgstr "Aantal bodemlagen" msgid "" -"This is the number of solid layers of bottom shell, including the bottom " -"surface layer. When the thickness calculated by this value is thinner than " -"bottom shell thickness, the bottom shell layers will be increased" +"This is the number of solid layers of bottom shell, including the bottom surface layer. " +"When the thickness calculated by this value is thinner than bottom shell thickness, the " +"bottom shell layers will be increased" msgstr "" -"Dit is het aantal vaste lagen van de onderkant inclusief de onderste " -"oppervlaktelaag. Wanneer de door deze waarde berekende dikte dunner is dan " -"de dikte van de onderste laag, worden de onderste lagen vergroot" +"Dit is het aantal vaste lagen van de onderkant inclusief de onderste oppervlaktelaag. " +"Wanneer de door deze waarde berekende dikte dunner is dan de dikte van de onderste laag, " +"worden de onderste lagen vergroot" msgid "Bottom shell thickness" msgstr "Bodemdikte" msgid "" -"The number of bottom solid layers is increased when slicing if the thickness " -"calculated by bottom shell layers is thinner than this value. This can avoid " -"having too thin shell when layer height is small. 0 means that this setting " -"is disabled and thickness of bottom shell is absolutely determained by " -"bottom shell layers" +"The number of bottom solid layers is increased when slicing if the thickness calculated by " +"bottom shell layers is thinner than this value. This can avoid having too thin shell when " +"layer height is small. 0 means that this setting is disabled and thickness of bottom shell " +"is absolutely determained by bottom shell layers" msgstr "" -"Het aantal onderste solide lagen wordt verhoogd tijdens het slicen als de " -"totale dikte van de onderste lagen lager is dan deze waarde. Dit zorgt " -"ervoor dat de schaal niet te dun is bij een lage laaghoogte. 0 betekend dat " -"deze instelling niet actief is en dat de dikte van de bodem bepaald wordt " -"door het aantal bodem lagen." +"Het aantal onderste solide lagen wordt verhoogd tijdens het slicen als de totale dikte van " +"de onderste lagen lager is dan deze waarde. Dit zorgt ervoor dat de schaal niet te dun is " +"bij een lage laaghoogte. 0 betekend dat deze instelling niet actief is en dat de dikte van " +"de bodem bepaald wordt door het aantal bodem lagen." msgid "Apply gap fill" msgstr "" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected surfaces. The minimum gap length that will be filled can " +"be controlled from the filter out tiny gaps option below.\n" "\n" "Options:\n" "1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" -"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" +"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces only\n" "3. Nowhere: Disables gap fill\n" msgstr "" @@ -9690,96 +9378,94 @@ msgid "Everywhere" msgstr "Overal" msgid "Top and bottom surfaces" -msgstr "" +msgstr "Boven- en onderoppervlakken" msgid "Nowhere" -msgstr "" +msgstr "Nergens" msgid "Force cooling for overhang and bridge" msgstr "Forceer koeling voor overhangende delen en bruggen (bridge)" msgid "" -"Enable this option to optimize part cooling fan speed for overhang and " -"bridge to get better cooling" +"Enable this option to optimize part cooling fan speed for overhang and bridge to get better " +"cooling" msgstr "" -"Schakel deze optie in om de snelheid van de koelventilator van de printkop " -"te optimaliseren voor overhang en bruggen" +"Schakel deze optie in om de snelheid van de koelventilator van de printkop te optimaliseren " +"voor overhang en bruggen" msgid "Fan speed for overhang" msgstr "Ventilator snelheid voor overhangende delen" msgid "" -"Force part cooling fan to be this speed when printing bridge or overhang " -"wall which has large overhang degree. Forcing cooling for overhang and " -"bridge can get better quality for these part" +"Force part cooling fan to be this speed when printing bridge or overhang wall which has " +"large overhang degree. Forcing cooling for overhang and bridge can get better quality for " +"these part" msgstr "" -"Forceer de koelventilator van de printkop om deze snelheid te hebben bij het " -"afdrukken van een brug of overhangende muur met een grote overhanggraad. Het " -"forceren van koeling voor overhang en brug kan een resulteren in een betere " -"kwaliteit voor dit onderdeel" +"Forceer de koelventilator van de printkop om deze snelheid te hebben bij het afdrukken van " +"een brug of overhangende muur met een grote overhanggraad. Het forceren van koeling voor " +"overhang en brug kan een resulteren in een betere kwaliteit voor dit onderdeel" msgid "Cooling overhang threshold" msgstr "Drempel voor overhang koeling" #, c-format msgid "" -"Force cooling fan to be specific speed when overhang degree of printed part " -"exceeds this value. Expressed as percentage which indicides how much width " -"of the line without support from lower layer. 0% means forcing cooling for " -"all outer wall no matter how much overhang degree" +"Force cooling fan to be specific speed when overhang degree of printed part exceeds this " +"value. Expressed as percentage which indicides how much width of the line without support " +"from lower layer. 0% means forcing cooling for all outer wall no matter how much overhang " +"degree" msgstr "" -"Dwingt de koelventilator tot een bepaalde snelheid wanneer de overhanggraad " -"van het geprinte deel deze waarde overschrijdt. Dit wordt uitgedrukt als een " -"percentage dat aangeeft hoe breed de lijn is zonder steun van de onderste " -"laag. 0%% betekent koeling afdwingen voor de hele buitenwand, ongeacht de " -"overhanggraad." +"Dwingt de koelventilator tot een bepaalde snelheid wanneer de overhanggraad van het " +"geprinte deel deze waarde overschrijdt. Dit wordt uitgedrukt als een percentage dat " +"aangeeft hoe breed de lijn is zonder steun van de onderste laag. 0%% betekent koeling " +"afdwingen voor de hele buitenwand, ongeacht de overhanggraad." msgid "Bridge infill direction" -msgstr "" +msgstr "Bruginvulling richting" msgid "" -"Bridging angle override. If left to zero, the bridging angle will be " -"calculated automatically. Otherwise the provided angle will be used for " -"external bridges. Use 180°for zero angle." +"Bridging angle override. If left to zero, the bridging angle will be calculated " +"automatically. Otherwise the provided angle will be used for external bridges. Use 180°for " +"zero angle." msgstr "" -"Overbrugingshoek overschrijven. 0 betekent dat de overbruggingshoek " -"automatisch wordt berekend. Anders wordt de opgegeven hoek gebruikt voor " -"externe bruggen. Gebruik 180° voor een hoek van nul." +"Overbrugingshoek overschrijven. 0 betekent dat de overbruggingshoek automatisch wordt " +"berekend. Anders wordt de opgegeven hoek gebruikt voor externe bruggen. Gebruik 180° voor " +"een hoek van nul." msgid "Bridge density" -msgstr "" +msgstr "Brugdichtheid" msgid "Density of external bridges. 100% means solid bridge. Default is 100%." -msgstr "" +msgstr "Dichtheid van externe bruggen. 100% betekent massieve brug. Standaard is 100%." msgid "Bridge flow ratio" msgstr "Brugflow" msgid "" -"Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"Decrease this value slightly(for example 0.9) to reduce the amount of material for bridge, " +"to improve sag" msgstr "" -"Verlaag deze waarde iets (bijvoorbeeld 0,9) om de hoeveelheid materiaal voor " -"bruggen te verminderen, dit om doorzakken te voorkomen." +"Verlaag deze waarde iets (bijvoorbeeld 0,9) om de hoeveelheid materiaal voor bruggen te " +"verminderen, dit om doorzakken te voorkomen." msgid "Internal bridge flow ratio" msgstr "" msgid "" -"This value governs the thickness of the internal bridge layer. This is the " -"first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"This value governs the thickness of the internal bridge layer. This is the first layer over " +"sparse infill. Decrease this value slightly (for example 0.9) to improve surface quality " +"over sparse infill." msgstr "" msgid "Top surface flow ratio" msgstr "Flowratio bovenoppervlak" msgid "" -"This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"This factor affects the amount of material for top solid infill. You can decrease it " +"slightly to have smooth surface finish" msgstr "" -"Deze factor beïnvloedt de hoeveelheid materiaal voor de bovenste vaste " -"vulling. Je kunt het iets verminderen om een glad oppervlak te krijgen." +"Deze factor beïnvloedt de hoeveelheid materiaal voor de bovenste vaste vulling. Je kunt het " +"iets verminderen om een glad oppervlak te krijgen." msgid "Bottom surface flow ratio" msgstr "" @@ -9791,66 +9477,58 @@ msgid "Precise wall" msgstr "" msgid "" -"Improve shell precision by adjusting outer wall spacing. This also improves " -"layer consistency.\n" -"Note: This setting will only take effect if the wall sequence is configured " -"to Inner-Outer" +"Improve shell precision by adjusting outer wall spacing. This also improves layer " +"consistency.\n" +"Note: This setting will only take effect if the wall sequence is configured to Inner-Outer" msgstr "" msgid "Only one wall on top surfaces" msgstr "Slechts één wand op de bovenste oppervlakken" -msgid "" -"Use only one wall on flat top surface, to give more space to the top infill " -"pattern" +msgid "Use only one wall on flat top surface, to give more space to the top infill pattern" msgstr "" -"Gebruik slechts één wand op het vlakke bovenvlak, om meer ruimte te geven " -"aan het bovenste invulpatroon" +"Gebruik slechts één wand op het vlakke bovenvlak, om meer ruimte te geven aan het bovenste " +"invulpatroon" msgid "One wall threshold" msgstr "" #, no-c-format, no-boost-format msgid "" -"If a top surface has to be printed and it's partially covered by another " -"layer, it won't be considered at a top layer where its width is below this " -"value. This can be useful to not let the 'one perimeter on top' trigger on " -"surface that should be covered only by perimeters. This value can be a mm or " -"a % of the perimeter extrusion width.\n" -"Warning: If enabled, artifacts can be created if you have some thin features " -"on the next layer, like letters. Set this setting to 0 to remove these " -"artifacts." +"If a top surface has to be printed and it's partially covered by another layer, it won't be " +"considered at a top layer where its width is below this value. This can be useful to not " +"let the 'one perimeter on top' trigger on surface that should be covered only by " +"perimeters. This value can be a mm or a % of the perimeter extrusion width.\n" +"Warning: If enabled, artifacts can be created if you have some thin features on the next " +"layer, like letters. Set this setting to 0 to remove these artifacts." msgstr "" msgid "Only one wall on first layer" msgstr "Only one wall on first layer" -msgid "" -"Use only one wall on first layer, to give more space to the bottom infill " -"pattern" +msgid "Use only one wall on first layer, to give more space to the bottom infill pattern" msgstr "" msgid "Extra perimeters on overhangs" msgstr "" msgid "" -"Create additional perimeter paths over steep overhangs and areas where " -"bridges cannot be anchored. " +"Create additional perimeter paths over steep overhangs and areas where bridges cannot be " +"anchored. " msgstr "" msgid "Reverse on odd" -msgstr "" +msgstr "Overhang omkering" msgid "Overhang reversal" msgstr "" msgid "" -"Extrude perimeters that have a part over an overhang in the reverse " -"direction on odd layers. This alternating pattern can drastically improve " -"steep overhangs.\n" +"Extrude perimeters that have a part over an overhang in the reverse direction on odd " +"layers. This alternating pattern can drastically improve steep overhangs.\n" "\n" -"This setting can also help reduce part warping due to the reduction of " -"stresses in the part walls." +"This setting can also help reduce part warping due to the reduction of stresses in the part " +"walls." msgstr "" msgid "Reverse only internal perimeters" @@ -9859,24 +9537,23 @@ msgstr "" msgid "" "Apply the reverse perimeters logic only on internal perimeters. \n" "\n" -"This setting greatly reduces part stresses as they are now distributed in " -"alternating directions. This should reduce part warping while also " -"maintaining external wall quality. This feature can be very useful for warp " -"prone material, like ABS/ASA, and also for elastic filaments, like TPU and " -"Silk PLA. It can also help reduce warping on floating regions over " +"This setting greatly reduces part stresses as they are now distributed in alternating " +"directions. This should reduce part warping while also maintaining external wall quality. " +"This feature can be very useful for warp prone material, like ABS/ASA, and also for elastic " +"filaments, like TPU and Silk PLA. It can also help reduce warping on floating regions over " "supports.\n" "\n" -"For this setting to be the most effective, it is recomended to set the " -"Reverse Threshold to 0 so that all internal walls print in alternating " -"directions on odd layers irrespective of their overhang degree." +"For this setting to be the most effective, it is recomended to set the Reverse Threshold to " +"0 so that all internal walls print in alternating directions on odd layers irrespective of " +"their overhang degree." msgstr "" msgid "Bridge counterbore holes" msgstr "" msgid "" -"This option creates bridges for counterbore holes, allowing them to be " -"printed without support. Available modes include:\n" +"This option creates bridges for counterbore holes, allowing them to be printed without " +"support. Available modes include:\n" "1. None: No bridge is created.\n" "2. Partially Bridged: Only a part of the unsupported area will be bridged.\n" "3. Sacrificial Layer: A full sacrificial bridge layer is created." @@ -9896,8 +9573,8 @@ msgstr "" #, no-c-format, no-boost-format msgid "" -"Number of mm the overhang need to be for the reversal to be considered " -"useful. Can be a % of the perimeter width.\n" +"Number of mm the overhang need to be for the reversal to be considered useful. Can be a % " +"of the perimeter width.\n" "Value 0 enables reversal on every odd layers regardless." msgstr "" @@ -9912,15 +9589,15 @@ msgstr "Afremmen voor overhangende delen" msgid "Enable this option to slow printing down for different overhang degree" msgstr "" -"Schakel deze optie in om de snelheid omlaag te brengen voor verschillende " -"overhangende hoeken" +"Schakel deze optie in om de snelheid omlaag te brengen voor verschillende overhangende " +"hoeken" msgid "Slow down for curled perimeters" msgstr "" msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow printing down in areas where potential curled perimeters may " +"exist" msgstr "" msgid "mm/s or %" @@ -9939,8 +9616,8 @@ msgid "Internal" msgstr "" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridge. If the value is expressed as a percentage, it will be calculated " +"based on the bridge_speed. Default value is 150%." msgstr "" msgid "Brim width" @@ -9953,21 +9630,19 @@ msgid "Brim type" msgstr "Rand type" msgid "" -"This controls the generation of the brim at outer and/or inner side of " -"models. Auto means the brim width is analysed and calculated automatically." +"This controls the generation of the brim at outer and/or inner side of models. Auto means " +"the brim width is analysed and calculated automatically." msgstr "" -"This controls the generation of the brim at outer and/or inner side of " -"models. Auto means the brim width is analyzed and calculated automatically." +"This controls the generation of the brim at outer and/or inner side of models. Auto means " +"the brim width is analyzed and calculated automatically." msgid "Brim-object gap" msgstr "Ruimte tussen rand en object" -msgid "" -"A gap between innermost brim line and object can make brim be removed more " -"easily" +msgid "A gap between innermost brim line and object can make brim be removed more easily" msgstr "" -"Dit creëert ruimte tussen de binnenste brimlijn en het object en zorgt " -"ervoor dat het object eenvoudiger van het printbed kan worden verwijderd." +"Dit creëert ruimte tussen de binnenste brimlijn en het object en zorgt ervoor dat het " +"object eenvoudiger van het printbed kan worden verwijderd." msgid "Brim ears" msgstr "" @@ -9988,8 +9663,8 @@ msgid "Brim ear detection radius" msgstr "" msgid "" -"The geometry will be decimated before dectecting sharp angles. This " -"parameter indicates the minimum length of the deviation for the decimation.\n" +"The geometry will be decimated before dectecting sharp angles. This parameter indicates the " +"minimum length of the deviation for the decimation.\n" "0 to deactivate" msgstr "" @@ -10010,8 +9685,8 @@ msgstr "Conditie van -geschikte proces profielen" msgid "Print sequence, layer by layer or object by object" msgstr "" -"Hiermee wordt de afdrukvolgorde bepaald, zodat u kunt kiezen tussen laag " -"voor laag of object voor object printen." +"Hiermee wordt de afdrukvolgorde bepaald, zodat u kunt kiezen tussen laag voor laag of " +"object voor object printen." msgid "By layer" msgstr "Op basis van laag" @@ -10032,25 +9707,21 @@ msgid "Slow printing down for better layer cooling" msgstr "Printsnelheid omlaag brengen zodat de laag beter kan koelen" msgid "" -"Enable this option to slow printing speed down to make the final layer time " -"not shorter than the layer time threshold in \"Max fan speed threshold\", so " -"that layer can be cooled for longer time. This can improve the cooling " -"quality for needle and small details" +"Enable this option to slow printing speed down to make the final layer time not shorter " +"than the layer time threshold in \"Max fan speed threshold\", so that layer can be cooled " +"for longer time. This can improve the cooling quality for needle and small details" msgstr "" -"Schakel deze optie in om de afdruksnelheid te verlagen om de laatste laag " -"printtijd niet korter te maken dan de laagtijddrempel in \"Maximale " -"ventilatorsnelheidsdrempel\", zodat de laag langer kan worden gekoeld. Dit " -"kan de koelkwaliteit voor kleine details verbeteren" +"Schakel deze optie in om de afdruksnelheid te verlagen om de laatste laag printtijd niet " +"korter te maken dan de laagtijddrempel in \"Maximale ventilatorsnelheidsdrempel\", zodat de " +"laag langer kan worden gekoeld. Dit kan de koelkwaliteit voor kleine details verbeteren" msgid "Normal printing" msgstr "Normaal printen" -msgid "" -"The default acceleration of both normal printing and travel except initial " -"layer" +msgid "The default acceleration of both normal printing and travel except initial layer" msgstr "" -"Dit is de standaard versnelling voor zowel normaal printen en verplaatsen " -"behalve voor de eerste laag" +"Dit is de standaard versnelling voor zowel normaal printen en verplaatsen behalve voor de " +"eerste laag" msgid "mm/s²" msgstr "mm/s²" @@ -10059,8 +9730,7 @@ msgid "Default filament profile" msgstr "Standaard filament profiel" msgid "Default filament profile when switch to this machine profile" -msgstr "" -"Standaard filamentprofiel bij het overschakelen naar dit machineprofiel" +msgstr "Standaard filamentprofiel bij het overschakelen naar dit machineprofiel" msgid "Default process profile" msgstr "Standaard proces profiel" @@ -10078,11 +9748,11 @@ msgid "Fan speed" msgstr "Ventilator snelheid" msgid "" -"Speed of exhaust fan during printing.This speed will overwrite the speed in " -"filament custom gcode" +"Speed of exhaust fan during printing.This speed will overwrite the speed in filament custom " +"gcode" msgstr "" -"Snelheid van de afzuigventilator tijdens het printen. Deze snelheid " -"overschrijft de snelheid in de aangepaste g-code van het filament." +"Snelheid van de afzuigventilator tijdens het printen. Deze snelheid overschrijft de " +"snelheid in de aangepaste g-code van het filament." msgid "Speed of exhaust fan after printing completes" msgstr "" @@ -10091,76 +9761,70 @@ msgid "No cooling for the first" msgstr "Geen koeling voor de eerste" msgid "" -"Close all cooling fan for the first certain layers. Cooling fan of the first " -"layer used to be closed to get better build plate adhesion" +"Close all cooling fan for the first certain layers. Cooling fan of the first layer used to " +"be closed to get better build plate adhesion" msgstr "" -"Schakel alle ventilatoren uit voor de eerste lagen. Het wordt geadviseerd om " -"de koel ventilator voor de eerste laag uit te schakelen om een betere " -"hechting met het printbed te krijgen" +"Schakel alle ventilatoren uit voor de eerste lagen. Het wordt geadviseerd om de koel " +"ventilator voor de eerste laag uit te schakelen om een betere hechting met het printbed te " +"krijgen" msgid "Don't support bridges" msgstr "Geen support bij bruggen toepassen" msgid "" -"Don't support the whole bridge area which make support very large. Bridge " -"usually can be printing directly without support if not very long" +"Don't support the whole bridge area which make support very large. Bridge usually can be " +"printing directly without support if not very long" msgstr "" -"Dit schakelt de ondersteuning (support) voor bruggebieden uit, waardoor de " -"ondersteuning (support) erg groot kan worden. Bruggen kunnen meestal direct " -"zonder ondersteuning (support) worden afgedrukt als ze niet erg lang zijn." +"Dit schakelt de ondersteuning (support) voor bruggebieden uit, waardoor de ondersteuning " +"(support) erg groot kan worden. Bruggen kunnen meestal direct zonder ondersteuning " +"(support) worden afgedrukt als ze niet erg lang zijn." msgid "Thick bridges" msgstr "Dikke bruggen" msgid "" -"If enabled, bridges are more reliable, can bridge longer distances, but may " -"look worse. If disabled, bridges look better but are reliable just for " -"shorter bridged distances." +"If enabled, bridges are more reliable, can bridge longer distances, but may look worse. If " +"disabled, bridges look better but are reliable just for shorter bridged distances." msgstr "" -"Indien ingeschakeld, zijn bruggen betrouwbaarder en kunnen ze langere " -"afstanden overbruggen, maar ze kunnen er slechter uitzien. Indien " -"uitgeschakeld, zien bruggen er beter uit, maar zijn ze alleen betrouwbaar " -"voor kortere afstanden." +"Indien ingeschakeld, zijn bruggen betrouwbaarder en kunnen ze langere afstanden " +"overbruggen, maar ze kunnen er slechter uitzien. Indien uitgeschakeld, zien bruggen er " +"beter uit, maar zijn ze alleen betrouwbaar voor kortere afstanden." msgid "Thick internal bridges" msgstr "" msgid "" -"If enabled, thick internal bridges will be used. It's usually recommended to " -"have this feature turned on. However, consider turning it off if you are " -"using large nozzles." +"If enabled, thick internal bridges will be used. It's usually recommended to have this " +"feature turned on. However, consider turning it off if you are using large nozzles." msgstr "" msgid "Don't filter out small internal bridges (beta)" msgstr "" msgid "" -"This option can help reducing pillowing on top surfaces in heavily slanted " -"or curved models.\n" +"This option can help reducing pillowing on top surfaces in heavily slanted or curved " +"models.\n" "\n" -"By default, small internal bridges are filtered out and the internal solid " -"infill is printed directly over the sparse infill. This works well in most " -"cases, speeding up printing without too much compromise on top surface " -"quality. \n" +"By default, small internal bridges are filtered out and the internal solid infill is " +"printed directly over the sparse infill. This works well in most cases, speeding up " +"printing without too much compromise on top surface quality. \n" "\n" -"However, in heavily slanted or curved models especially where too low sparse " -"infill density is used, this may result in curling of the unsupported solid " -"infill, causing pillowing.\n" +"However, in heavily slanted or curved models especially where too low sparse infill density " +"is used, this may result in curling of the unsupported solid infill, causing pillowing.\n" "\n" -"Enabling this option will print internal bridge layer over slightly " -"unsupported internal solid infill. The options below control the amount of " -"filtering, i.e. the amount of internal bridges created.\n" +"Enabling this option will print internal bridge layer over slightly unsupported internal " +"solid infill. The options below control the amount of filtering, i.e. the amount of " +"internal bridges created.\n" "\n" -"Disabled - Disables this option. This is the default behaviour and works " -"well in most cases.\n" +"Disabled - Disables this option. This is the default behaviour and works well in most " +"cases.\n" "\n" -"Limited filtering - Creates internal bridges on heavily slanted surfaces, " -"while avoiding creating uncessesary interal bridges. This works well for " -"most difficult models.\n" +"Limited filtering - Creates internal bridges on heavily slanted surfaces, while avoiding " +"creating uncessesary interal bridges. This works well for most difficult models.\n" "\n" -"No filtering - Creates internal bridges on every potential internal " -"overhang. This option is useful for heavily slanted top surface models. " -"However, in most cases it creates too many unecessary bridges." +"No filtering - Creates internal bridges on every potential internal overhang. This option " +"is useful for heavily slanted top surface models. However, in most cases it creates too " +"many unecessary bridges." msgstr "" msgid "Disabled" @@ -10176,13 +9840,12 @@ msgid "Max bridge length" msgstr "Maximale bruglengte" msgid "" -"Max length of bridges that don't need support. Set it to 0 if you want all " -"bridges to be supported, and set it to a very large value if you don't want " -"any bridges to be supported." +"Max length of bridges that don't need support. Set it to 0 if you want all bridges to be " +"supported, and set it to a very large value if you don't want any bridges to be supported." msgstr "" -"Maximale lengte van bruggen die geen ondersteuning nodig hebben. Stel het in " -"op 0 als u wilt dat alle bruggen worden ondersteund, en stel het in op een " -"zeer grote waarde als u niet wilt dat bruggen worden ondersteund." +"Maximale lengte van bruggen die geen ondersteuning nodig hebben. Stel het in op 0 als u " +"wilt dat alle bruggen worden ondersteund, en stel het in op een zeer grote waarde als u " +"niet wilt dat bruggen worden ondersteund." msgid "End G-code" msgstr "Einde G-code" @@ -10194,24 +9857,23 @@ msgid "Between Object Gcode" msgstr "Tussen object Gcode" msgid "" -"Insert Gcode between objects. This parameter will only come into effect when " -"you print your models object by object" +"Insert Gcode between objects. This parameter will only come into effect when you print your " +"models object by object" msgstr "" -"Gcode invoegen tussen objecten. Deze parameter wordt alleen actief wanneer u " -"uw modellen object voor object afdrukt." +"Gcode invoegen tussen objecten. Deze parameter wordt alleen actief wanneer u uw modellen " +"object voor object afdrukt." msgid "End G-code when finish the printing of this filament" -msgstr "" -"Voeg een eind G-code toe bij het afronden van het printen van dit filament." +msgstr "Voeg een eind G-code toe bij het afronden van het printen van dit filament." msgid "Ensure vertical shell thickness" msgstr "Zorg voor een verticale schaaldikte" msgid "" -"Add solid infill near sloping surfaces to guarantee the vertical shell " -"thickness (top+bottom solid layers)\n" -"None: No solid infill will be added anywhere. Caution: Use this option " -"carefully if your model has sloped surfaces\n" +"Add solid infill near sloping surfaces to guarantee the vertical shell thickness " +"(top+bottom solid layers)\n" +"None: No solid infill will be added anywhere. Caution: Use this option carefully if your " +"model has sloped surfaces\n" "Critical Only: Avoid adding solid infill for walls\n" "Moderate: Add solid infill for heavily sloping surfaces only\n" "All: Add solid infill for all suitable sloping surfaces\n" @@ -10228,8 +9890,7 @@ msgid "Top surface pattern" msgstr "Patroon bovenvlak" msgid "Line pattern of top surface infill" -msgstr "" -"Dit is het lijnenpatroon voor de vulling (infill) van het bovenoppervlak." +msgstr "Dit is het lijnenpatroon voor de vulling (infill) van het bovenoppervlak." msgid "Concentric" msgstr "Concentrisch" @@ -10260,46 +9921,42 @@ msgstr "Bodem oppvlakte patroon" msgid "Line pattern of bottom surface infill, not bridge infill" msgstr "" -"Dit is het lijnenpatroon van de vulling (infill) van het bodemoppervlak, " -"maar niet van de vulling van de brug." +"Dit is het lijnenpatroon van de vulling (infill) van het bodemoppervlak, maar niet van de " +"vulling van de brug." msgid "Internal solid infill pattern" msgstr "Intern massief invulpatroon" msgid "" -"Line pattern of internal solid infill. if the detect narrow internal solid " -"infill be enabled, the concentric pattern will be used for the small area." +"Line pattern of internal solid infill. if the detect narrow internal solid infill be " +"enabled, the concentric pattern will be used for the small area." msgstr "" msgid "" -"Line width of outer wall. If expressed as a %, it will be computed over the " -"nozzle diameter." +"Line width of outer wall. If expressed as a %, it will be computed over the nozzle diameter." msgstr "" msgid "" -"Speed of outer wall which is outermost and visible. It's used to be slower " -"than inner wall speed to get better quality." +"Speed of outer wall which is outermost and visible. It's used to be slower than inner wall " +"speed to get better quality." msgstr "" -"Dit is de snelheid voor de buitenste wand die zichtbaar is. Deze wordt " -"langzamer geprint dan de binnenste wanden om een betere kwaliteit te krijgen." +"Dit is de snelheid voor de buitenste wand die zichtbaar is. Deze wordt langzamer geprint " +"dan de binnenste wanden om een betere kwaliteit te krijgen." msgid "Small perimeters" msgstr "Kleine omtrek" msgid "" "This separate setting will affect the speed of perimeters having radius <= " -"small_perimeter_threshold (usually holes). If expressed as percentage (for " -"example: 80%) it will be calculated on the outer wall speed setting above. " -"Set to zero for auto." +"small_perimeter_threshold (usually holes). If expressed as percentage (for example: 80%) it " +"will be calculated on the outer wall speed setting above. Set to zero for auto." msgstr "" msgid "Small perimeters threshold" msgstr "" -msgid "" -"This sets the threshold for small perimeter length. Default threshold is 0mm" -msgstr "" -"Dit stelt de drempel voor kleine omtreklengte in. De standaarddrempel is 0 mm" +msgid "This sets the threshold for small perimeter length. Default threshold is 0mm" +msgstr "Dit stelt de drempel voor kleine omtreklengte in. De standaarddrempel is 0 mm" msgid "Walls printing order" msgstr "" @@ -10307,24 +9964,22 @@ msgstr "" msgid "" "Print sequence of the internal (inner) and external (outer) walls. \n" "\n" -"Use Inner/Outer for best overhangs. This is because the overhanging walls " -"can adhere to a neighouring perimeter while printing. However, this option " -"results in slightly reduced surface quality as the external perimeter is " -"deformed by being squashed to the internal perimeter.\n" +"Use Inner/Outer for best overhangs. This is because the overhanging walls can adhere to a " +"neighouring perimeter while printing. However, this option results in slightly reduced " +"surface quality as the external perimeter is deformed by being squashed to the internal " +"perimeter.\n" "\n" -"Use Inner/Outer/Inner for the best external surface finish and dimensional " -"accuracy as the external wall is printed undisturbed from an internal " -"perimeter. However, overhang performance will reduce as there is no internal " -"perimeter to print the external wall against. This option requires a minimum " -"of 3 walls to be effective as it prints the internal walls from the 3rd " -"perimeter onwards first, then the external perimeter and, finally, the first " -"internal perimeter. This option is recomended against the Outer/Inner option " -"in most cases. \n" +"Use Inner/Outer/Inner for the best external surface finish and dimensional accuracy as the " +"external wall is printed undisturbed from an internal perimeter. However, overhang " +"performance will reduce as there is no internal perimeter to print the external wall " +"against. This option requires a minimum of 3 walls to be effective as it prints the " +"internal walls from the 3rd perimeter onwards first, then the external perimeter and, " +"finally, the first internal perimeter. This option is recomended against the Outer/Inner " +"option in most cases. \n" "\n" -"Use Outer/Inner for the same external wall quality and dimensional accuracy " -"benefits of Inner/Outer/Inner option. However, the z seams will appear less " -"consistent as the first extrusion of a new layer starts on a visible " -"surface.\n" +"Use Outer/Inner for the same external wall quality and dimensional accuracy benefits of " +"Inner/Outer/Inner option. However, the z seams will appear less consistent as the first " +"extrusion of a new layer starts on a visible surface.\n" "\n" " " msgstr "" @@ -10342,26 +9997,24 @@ msgid "Print infill first" msgstr "Eerst infill afdrukken" msgid "" -"Order of wall/infill. When the tickbox is unchecked the walls are printed " -"first, which works best in most cases.\n" +"Order of wall/infill. When the tickbox is unchecked the walls are printed first, which " +"works best in most cases.\n" "\n" -"Printing infill first may help with extreme overhangs as the walls have the " -"neighbouring infill to adhere to. However, the infill will slighly push out " -"the printed walls where it is attached to them, resulting in a worse " -"external surface finish. It can also cause the infill to shine through the " -"external surfaces of the part." +"Printing infill first may help with extreme overhangs as the walls have the neighbouring " +"infill to adhere to. However, the infill will slighly push out the printed walls where it " +"is attached to them, resulting in a worse external surface finish. It can also cause the " +"infill to shine through the external surfaces of the part." msgstr "" msgid "Wall loop direction" msgstr "" msgid "" -"The direction which the wall loops are extruded when looking down from the " -"top.\n" +"The direction which the wall loops are extruded when looking down from the top.\n" "\n" -"By default all walls are extruded in counter-clockwise, unless Reverse on " -"odd is enabled. Set this to any option other than Auto will force the wall " -"direction regardless of the Reverse on odd.\n" +"By default all walls are extruded in counter-clockwise, unless Reverse on odd is enabled. " +"Set this to any option other than Auto will force the wall direction regardless of the " +"Reverse on odd.\n" "\n" "This option will be disabled if sprial vase mode is enabled." msgstr "" @@ -10376,28 +10029,25 @@ msgid "Height to rod" msgstr "Hoogte tot geleider" msgid "" -"Distance of the nozzle tip to the lower rod. Used for collision avoidance in " -"by-object printing." +"Distance of the nozzle tip to the lower rod. Used for collision avoidance in by-object " +"printing." msgstr "" -"Afstand van de punt van de nozzle tot de onderste stang. Wordt gebruikt om " -"botsingen te voorkomen bij het afdrukken op basis van objecten." +"Afstand van de punt van het mondstuk tot de onderste stang. Wordt gebruikt om botsingen te " +"voorkomen bij het afdrukken op basis van objecten." msgid "Height to lid" msgstr "Hoogte tot deksel" msgid "" -"Distance of the nozzle tip to the lid. Used for collision avoidance in by-" -"object printing." +"Distance of the nozzle tip to the lid. Used for collision avoidance in by-object printing." msgstr "" -"Afstand van de punt van de nozzle tot het deksel. Wordt gebruikt om " -"botsingen te voorkomen bij het afdrukken op basis van objecten." +"Afstand van de punt van het mondstuk tot het deksel. Wordt gebruikt om botsingen te " +"voorkomen bij het afdrukken op basis van objecten." -msgid "" -"Clearance radius around extruder. Used for collision avoidance in by-object " -"printing." +msgid "Clearance radius around extruder. Used for collision avoidance in by-object printing." msgstr "" -"Afstandsradius rond de extruder: gebruikt om botsingen te vermijden bij het " -"printen per object." +"Afstandsradius rond de extruder: gebruikt om botsingen te vermijden bij het printen per " +"object." msgid "Nozzle height" msgstr "Hoogte van het mondstuk" @@ -10409,44 +10059,42 @@ msgid "Bed mesh min" msgstr "" msgid "" -"This option sets the min point for the allowed bed mesh area. Due to the " -"probe's XY offset, most printers are unable to probe the entire bed. To " -"ensure the probe point does not go outside the bed area, the minimum and " -"maximum points of the bed mesh should be set appropriately. OrcaSlicer " -"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " -"exceed these min/max points. This information can usually be obtained from " -"your printer manufacturer. The default setting is (-99999, -99999), which " -"means there are no limits, thus allowing probing across the entire bed." +"This option sets the min point for the allowed bed mesh area. Due to the probe's XY offset, " +"most printers are unable to probe the entire bed. To ensure the probe point does not go " +"outside the bed area, the minimum and maximum points of the bed mesh should be set " +"appropriately. OrcaSlicer ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values " +"do not exceed these min/max points. This information can usually be obtained from your " +"printer manufacturer. The default setting is (-99999, -99999), which means there are no " +"limits, thus allowing probing across the entire bed." msgstr "" msgid "Bed mesh max" msgstr "" msgid "" -"This option sets the max point for the allowed bed mesh area. Due to the " -"probe's XY offset, most printers are unable to probe the entire bed. To " -"ensure the probe point does not go outside the bed area, the minimum and " -"maximum points of the bed mesh should be set appropriately. OrcaSlicer " -"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " -"exceed these min/max points. This information can usually be obtained from " -"your printer manufacturer. The default setting is (99999, 99999), which " -"means there are no limits, thus allowing probing across the entire bed." +"This option sets the max point for the allowed bed mesh area. Due to the probe's XY offset, " +"most printers are unable to probe the entire bed. To ensure the probe point does not go " +"outside the bed area, the minimum and maximum points of the bed mesh should be set " +"appropriately. OrcaSlicer ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values " +"do not exceed these min/max points. This information can usually be obtained from your " +"printer manufacturer. The default setting is (99999, 99999), which means there are no " +"limits, thus allowing probing across the entire bed." msgstr "" msgid "Probe point distance" msgstr "" msgid "" -"This option sets the preferred distance between probe points (grid size) for " -"the X and Y directions, with the default being 50mm for both X and Y." +"This option sets the preferred distance between probe points (grid size) for the X and Y " +"directions, with the default being 50mm for both X and Y." msgstr "" msgid "Mesh margin" msgstr "" msgid "" -"This option determines the additional distance by which the adaptive bed " -"mesh area should be expanded in the XY directions." +"This option determines the additional distance by which the adaptive bed mesh area should " +"be expanded in the XY directions." msgstr "" msgid "Extruder Color" @@ -10462,25 +10110,21 @@ msgid "Flow ratio" msgstr "Flow verhouding" msgid "" -"The material may have volumetric change after switching between molten state " -"and crystalline state. This setting changes all extrusion flow of this " -"filament in gcode proportionally. Recommended value range is between 0.95 " -"and 1.05. Maybe you can tune this value to get nice flat surface when there " -"has slight overflow or underflow" +"The material may have volumetric change after switching between molten state and " +"crystalline state. This setting changes all extrusion flow of this filament in gcode " +"proportionally. Recommended value range is between 0.95 and 1.05. Maybe you can tune this " +"value to get nice flat surface when there has slight overflow or underflow" msgstr "" -"Het materiaal kan een volumetrische verandering hebben na het wisselen " -"tussen gesmolten en gekristaliseerde toestand. Deze instelling verandert " -"alle extrusiestromen van dit filament in de G-code proportioneel. Het " -"aanbevolen waardebereik ligt tussen 0,95 en 1,05. U kunt deze waarde " -"mogelijk optimaliseren om een mooi vlak oppervlak te krijgen als er een " -"lichte over- of onderflow is." +"Het materiaal kan een volumetrische verandering hebben na het wisselen tussen gesmolten en " +"gekristaliseerde toestand. Deze instelling verandert alle extrusiestromen van dit filament " +"in de G-code proportioneel. Het aanbevolen waardebereik ligt tussen 0,95 en 1,05. U kunt " +"deze waarde mogelijk optimaliseren om een mooi vlak oppervlak te krijgen als er een lichte " +"over- of onderflow is." msgid "Enable pressure advance" msgstr "Pressure advance inschakelen" -msgid "" -"Enable pressure advance, auto calibration result will be overwriten once " -"enabled." +msgid "Enable pressure advance, auto calibration result will be overwriten once enabled." msgstr "" msgid "Pressure advance(Klipper) AKA Linear advance factor(Marlin)" @@ -10491,23 +10135,20 @@ msgstr "" #, c-format, boost-format msgid "" -"With increasing print speeds (and hence increasing volumetric flow through " -"the nozzle) and increasing accelerations, it has been observed that the " -"effective PA value typically decreases. This means that a single PA value is " -"not always 100% optimal for all features and a compromise value is usually " -"used that does not cause too much bulging on features with lower flow speed " -"and accelerations while also not causing gaps on faster features.\n" +"With increasing print speeds (and hence increasing volumetric flow through the nozzle) and " +"increasing accelerations, it has been observed that the effective PA value typically " +"decreases. This means that a single PA value is not always 100% optimal for all features " +"and a compromise value is usually used that does not cause too much bulging on features " +"with lower flow speed and accelerations while also not causing gaps on faster features.\n" "\n" -"This feature aims to address this limitation by modeling the response of " -"your printer's extrusion system depending on the volumetric flow speed and " -"acceleration it is printing at. Internally, it generates a fitted model that " -"can extrapolate the needed pressure advance for any given volumetric flow " -"speed and acceleration, which is then emmited to the printer depending on " -"the current print conditions.\n" +"This feature aims to address this limitation by modeling the response of your printer's " +"extrusion system depending on the volumetric flow speed and acceleration it is printing at. " +"Internally, it generates a fitted model that can extrapolate the needed pressure advance " +"for any given volumetric flow speed and acceleration, which is then emmited to the printer " +"depending on the current print conditions.\n" "\n" -"When enabled, the pressure advance value above is overriden. However, a " -"reasonable default value above is strongly recomended to act as a fallback " -"and for when tool changing.\n" +"When enabled, the pressure advance value above is overriden. However, a reasonable default " +"value above is strongly recomended to act as a fallback and for when tool changing.\n" "\n" msgstr "" @@ -10515,32 +10156,28 @@ msgid "Adaptive pressure advance measurements (beta)" msgstr "" msgid "" -"Add sets of pressure advance (PA) values, the volumetric flow speeds and " -"accelerations they were measured at, separated by a comma. One set of values " -"per line. For example\n" +"Add sets of pressure advance (PA) values, the volumetric flow speeds and accelerations they " +"were measured at, separated by a comma. One set of values per line. For example\n" "0.04,3.96,3000\n" "0.033,3.96,10000\n" "0.029,7.91,3000\n" "0.026,7.91,10000\n" "\n" "How to calibrate:\n" -"1. Run the pressure advance test for at least 3 speeds per acceleration " -"value. It is recommended that the test is run for at least the speed of the " -"external perimeters, the speed of the internal perimeters and the fastest " -"feature print speed in your profile (usually its the sparse or solid " -"infill). Then run them for the same speeds for the slowest and fastest print " -"accelerations,and no faster than the recommended maximum acceleration as " +"1. Run the pressure advance test for at least 3 speeds per acceleration value. It is " +"recommended that the test is run for at least the speed of the external perimeters, the " +"speed of the internal perimeters and the fastest feature print speed in your profile " +"(usually its the sparse or solid infill). Then run them for the same speeds for the slowest " +"and fastest print accelerations,and no faster than the recommended maximum acceleration as " "given by the klipper input shaper.\n" -"2. Take note of the optimal PA value for each volumetric flow speed and " -"acceleration. You can find the flow number by selecting flow from the color " -"scheme drop down and move the horizontal slider over the PA pattern lines. " -"The number should be visible at the bottom of the page. The ideal PA value " -"should be decreasing the higher the volumetric flow is. If it is not, " -"confirm that your extruder is functioning correctly.The slower and with less " -"acceleration you print, the larger the range of acceptable PA values. If no " -"difference is visible, use the PA value from the faster test.3. Enter the " -"triplets of PA values, Flow and Accelerations in the text box here and save " -"your filament profile\n" +"2. Take note of the optimal PA value for each volumetric flow speed and acceleration. You " +"can find the flow number by selecting flow from the color scheme drop down and move the " +"horizontal slider over the PA pattern lines. The number should be visible at the bottom of " +"the page. The ideal PA value should be decreasing the higher the volumetric flow is. If it " +"is not, confirm that your extruder is functioning correctly.The slower and with less " +"acceleration you print, the larger the range of acceptable PA values. If no difference is " +"visible, use the PA value from the faster test.3. Enter the triplets of PA values, Flow and " +"Accelerations in the text box here and save your filament profile\n" "\n" msgstr "" @@ -10548,10 +10185,9 @@ msgid "Enable adaptive pressure advance for overhangs (beta)" msgstr "" msgid "" -"Enable adaptive PA for overhangs as well as when flow changes within the " -"same feature. This is an experimental option, as if the PA profile is not " -"set accurately, it will cause uniformity issues on the external surfaces " -"before and after overhangs.\n" +"Enable adaptive PA for overhangs as well as when flow changes within the same feature. This " +"is an experimental option, as if the PA profile is not set accurately, it will cause " +"uniformity issues on the external surfaces before and after overhangs.\n" msgstr "" msgid "Pressure advance for bridges" @@ -10560,41 +10196,37 @@ msgstr "" msgid "" "Pressure advance value for bridges. Set to 0 to disable. \n" "\n" -" A lower PA value when printing bridges helps reduce the appearance of " -"slight under extrusion immediately after bridges. This is caused by the " -"pressure drop in the nozzle when printing in the air and a lower PA helps " -"counteract this." +" A lower PA value when printing bridges helps reduce the appearance of slight under " +"extrusion immediately after bridges. This is caused by the pressure drop in the nozzle when " +"printing in the air and a lower PA helps counteract this." msgstr "" msgid "" -"Default line width if other line widths are set to 0. If expressed as a %, " -"it will be computed over the nozzle diameter." +"Default line width if other line widths are set to 0. If expressed as a %, it will be " +"computed over the nozzle diameter." msgstr "" msgid "Keep fan always on" msgstr "Laat de ventilator aan staan" msgid "" -"If enable this setting, part cooling fan will never be stoped and will run " -"at least at minimum speed to reduce the frequency of starting and stoping" +"If enable this setting, part cooling fan will never be stoped and will run at least at " +"minimum speed to reduce the frequency of starting and stoping" msgstr "" -"Als deze instelling is ingeschakeld, zal de printkop ventilator altijd aan " -"staan op een minimale snelheid om het aantal start en stop momenten te " -"beperken" +"Als deze instelling is ingeschakeld, zal de printkop ventilator altijd aan staan op een " +"minimale snelheid om het aantal start en stop momenten te beperken" msgid "Don't slow down outer walls" msgstr "" msgid "" -"If enabled, this setting will ensure external perimeters are not slowed down " -"to meet the minimum layer time. This is particularly helpful in the below " -"scenarios:\n" +"If enabled, this setting will ensure external perimeters are not slowed down to meet the " +"minimum layer time. This is particularly helpful in the below scenarios:\n" "\n" " 1. To avoid changes in shine when printing glossy filaments \n" -"2. To avoid changes in external wall speed which may create slight wall " -"artefacts that appear like z banding \n" -"3. To avoid printing at speeds which cause VFAs (fine artefacts) on the " -"external walls\n" +"2. To avoid changes in external wall speed which may create slight wall artefacts that " +"appear like z banding \n" +"3. To avoid printing at speeds which cause VFAs (fine artefacts) on the external walls\n" "\n" msgstr "" @@ -10602,14 +10234,13 @@ msgid "Layer time" msgstr "Laag tijd" msgid "" -"Part cooling fan will be enabled for layers of which estimated time is " -"shorter than this value. Fan speed is interpolated between the minimum and " -"maximum fan speeds according to layer printing time" +"Part cooling fan will be enabled for layers of which estimated time is shorter than this " +"value. Fan speed is interpolated between the minimum and maximum fan speeds according to " +"layer printing time" msgstr "" -"De printkop ventilator wordt ingeschakeld voor lagen waarvan de geschatte " -"printtijd korter is dan deze waarde. Ventilatorsnelheid wordt geïnterpoleerd " -"tussen de minimale en maximale ventilatorsnelheden volgens de printtijd van " -"de laag" +"De printkop ventilator wordt ingeschakeld voor lagen waarvan de geschatte printtijd korter " +"is dan deze waarde. Ventilatorsnelheid wordt geïnterpoleerd tussen de minimale en maximale " +"ventilatorsnelheden volgens de printtijd van de laag" msgid "Default color" msgstr "Standaardkleur" @@ -10624,24 +10255,23 @@ msgid "You can put your notes regarding the filament here." msgstr "You can put your notes regarding the filament here." msgid "Required nozzle HRC" -msgstr "Vereiste nozzle HRC" +msgstr "Vereiste mondstuk HRC" msgid "" -"Minimum HRC of nozzle required to print the filament. Zero means no checking " -"of nozzle's HRC." +"Minimum HRC of nozzle required to print the filament. Zero means no checking of nozzle's " +"HRC." msgstr "" -"Minimale HRC van de nozzle die nodig is om het filament te printen. Een " -"waarde van 0 betekent geen controle van de HRC van de spuitdop." +"Minimale HRC van het mondstuk die nodig is om het filament te printen. Een waarde van 0 " +"betekent geen controle van de HRC van het mondstuk." msgid "" -"This setting stands for how much volume of filament can be melted and " -"extruded per second. Printing speed is limited by max volumetric speed, in " -"case of too high and unreasonable speed setting. Can't be zero" +"This setting stands for how much volume of filament can be melted and extruded per second. " +"Printing speed is limited by max volumetric speed, in case of too high and unreasonable " +"speed setting. Can't be zero" msgstr "" -"Deze instelling is het volume filament dat per seconde kan worden gesmolten " -"en geëxtrudeerd. De afdruksnelheid wordt beperkt door de maximale " -"volumetrische snelheid, in geval van een te hoge en onredelijke " -"snelheidsinstelling. Deze waarde kan niet nul zijn." +"Deze instelling is het volume filament dat per seconde kan worden gesmolten en " +"geëxtrudeerd. De afdruksnelheid wordt beperkt door de maximale volumetrische snelheid, in " +"geval van een te hoge en onredelijke snelheidsinstelling. Deze waarde kan niet nul zijn." msgid "mm³/s" msgstr "mm³/s" @@ -10651,33 +10281,32 @@ msgstr "Filament laadt tijd" msgid "Time to load new filament when switch filament. For statistics only" msgstr "" -"Tijd welke nodig is om nieuw filament te laden tijdens het wisselen. Enkel " -"voor statistieken." +"Tijd welke nodig is om nieuw filament te laden tijdens het wisselen. Enkel voor " +"statistieken." msgid "Filament unload time" msgstr "Tijd die nodig is om filament te ontladen" msgid "Time to unload old filament when switch filament. For statistics only" msgstr "" -"Tijd welke nodig is om oud filament te lossen tijdens het wisselen. Enkel " -"voor statistieken." +"Tijd welke nodig is om oud filament te lossen tijdens het wisselen. Enkel voor statistieken." msgid "" -"Filament diameter is used to calculate extrusion in gcode, so it's important " -"and should be accurate" +"Filament diameter is used to calculate extrusion in gcode, so it's important and should be " +"accurate" msgstr "" -"Filamentdiameter wordt gebruikt om de extrusie in de G-code te berekenen, " -"het is dus belangrijk dat deze nauwkeurig wordt ingegeven" +"Filamentdiameter wordt gebruikt om de extrusie in de G-code te berekenen, het is dus " +"belangrijk dat deze nauwkeurig wordt ingegeven" msgid "Pellet flow coefficient" msgstr "" msgid "" -"Pellet flow coefficient is emperically derived and allows for volume " -"calculation for pellet printers.\n" +"Pellet flow coefficient is emperically derived and allows for volume calculation for pellet " +"printers.\n" "\n" -"Internally it is converted to filament_diameter. All other volume " -"calculations remain the same.\n" +"Internally it is converted to filament_diameter. All other volume calculations remain the " +"same.\n" "\n" "filament_diameter = sqrt( (4 * pellet_flow_coefficient) / PI )" msgstr "" @@ -10687,11 +10316,11 @@ msgstr "" #, no-c-format, no-boost-format msgid "" -"Enter the shrinkage percentage that the filament will get after cooling (94% " -"if you measure 94mm instead of 100mm). The part will be scaled in xy to " -"compensate. Only the filament used for the perimeter is taken into account.\n" -"Be sure to allow enough space between objects, as this compensation is done " -"after the checks." +"Enter the shrinkage percentage that the filament will get after cooling (94% if you measure " +"94mm instead of 100mm). The part will be scaled in xy to compensate. Only the filament used " +"for the perimeter is taken into account.\n" +"Be sure to allow enough space between objects, as this compensation is done after the " +"checks." msgstr "" msgid "Loading speed" @@ -10710,42 +10339,38 @@ msgid "Unloading speed" msgstr "Ontlaadsnelheid" msgid "" -"Speed used for unloading the filament on the wipe tower (does not affect " -"initial part of unloading just after ramming)." +"Speed used for unloading the filament on the wipe tower (does not affect initial part of " +"unloading just after ramming)." msgstr "" -"Snelheid die gebruikt wordt voor het ontladen van het afveegblok (heeft geen " -"effect op het initiële onderdeel van het ontladen direct na de ramming)." +"Snelheid die gebruikt wordt voor het ontladen van het afveegblok (heeft geen effect op het " +"initiële onderdeel van het ontladen direct na de ramming)." msgid "Unloading speed at the start" msgstr "Ontlaadsnelheid in het begin" -msgid "" -"Speed used for unloading the tip of the filament immediately after ramming." -msgstr "" -"Snelheid die gebruikt wordt voor het ontladen van het filament direct na de " -"ramming." +msgid "Speed used for unloading the tip of the filament immediately after ramming." +msgstr "Snelheid die gebruikt wordt voor het ontladen van het filament direct na de ramming." msgid "Delay after unloading" msgstr "Vertraging na het ontladen" msgid "" -"Time to wait after the filament is unloaded. May help to get reliable " -"toolchanges with flexible materials that may need more time to shrink to " -"original dimensions." +"Time to wait after the filament is unloaded. May help to get reliable toolchanges with " +"flexible materials that may need more time to shrink to original dimensions." msgstr "" -"Wachttijd voor het ontladen van het filament. Dit kan helpen om betrouwbare " -"toolwisselingen te krijgen met flexibele materialen die meer tijd nodig " -"hebben om te krimpen naar de originele afmetingen." +"Wachttijd voor het ontladen van het filament. Dit kan helpen om betrouwbare toolwisselingen " +"te krijgen met flexibele materialen die meer tijd nodig hebben om te krimpen naar de " +"originele afmetingen." msgid "Number of cooling moves" msgstr "Aantal koelbewegingen" msgid "" -"Filament is cooled by being moved back and forth in the cooling tubes. " -"Specify desired number of these moves." +"Filament is cooled by being moved back and forth in the cooling tubes. Specify desired " +"number of these moves." msgstr "" -"Het filament wordt gekoeld tijdens het terug en voorwaarts bewegen in de " -"koelbuis. Specificeer het benodigd aantal bewegingen." +"Het filament wordt gekoeld tijdens het terug en voorwaarts bewegen in de koelbuis. " +"Specificeer het benodigd aantal bewegingen." msgid "Stamping loading speed" msgstr "" @@ -10757,27 +10382,26 @@ msgid "Stamping distance measured from the center of the cooling tube" msgstr "" msgid "" -"If set to nonzero value, filament is moved toward the nozzle between the " -"individual cooling moves (\"stamping\"). This option configures how long " -"this movement should be before the filament is retracted again." +"If set to nonzero value, filament is moved toward the nozzle between the individual cooling " +"moves (\"stamping\"). This option configures how long this movement should be before the " +"filament is retracted again." msgstr "" msgid "Speed of the first cooling move" msgstr "Snelheid voor de eerste koelbeweging" msgid "Cooling moves are gradually accelerating beginning at this speed." -msgstr "" -"Koelbewegingen worden gelijkmatig versneld, beginnend vanaf deze snelheid." +msgstr "Koelbewegingen worden gelijkmatig versneld, beginnend vanaf deze snelheid." msgid "Minimal purge on wipe tower" msgstr "Minimale filament reiniging op de wipe tower" msgid "" -"After a tool change, the exact position of the newly loaded filament inside " -"the nozzle may not be known, and the filament pressure is likely not yet " -"stable. Before purging the print head into an infill or a sacrificial " -"object, Orca Slicer will always prime this amount of material into the wipe " -"tower to produce successive infill or sacrificial object extrusions reliably." +"After a tool change, the exact position of the newly loaded filament inside the nozzle may " +"not be known, and the filament pressure is likely not yet stable. Before purging the print " +"head into an infill or a sacrificial object, Orca Slicer will always prime this amount of " +"material into the wipe tower to produce successive infill or sacrificial object extrusions " +"reliably." msgstr "" msgid "Speed of the last cooling move" @@ -10787,41 +10411,37 @@ msgid "Cooling moves are gradually accelerating towards this speed." msgstr "Koelbewegingen versnellen gelijkmatig tot aan deze snelheid." msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." +"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new filament " +"during a tool change (when executing the T code). This time is added to the total print " +"time by the G-code time estimator." msgstr "" -"Tijd voor de printerfirmware (of de MMU 2.0) om nieuw filament te laden " -"tijdens een toolwissel (tijdens het uitvoeren van de T-code). Deze tijd " -"wordt toegevoegd aan de totale printtijd in de tijdsschatting." +"Tijd voor de printerfirmware (of de MMU 2.0) om nieuw filament te laden tijdens een " +"toolwissel (tijdens het uitvoeren van de T-code). Deze tijd wordt toegevoegd aan de totale " +"printtijd in de tijdsschatting." msgid "Ramming parameters" msgstr "Rammingparameters" -msgid "" -"This string is edited by RammingDialog and contains ramming specific " -"parameters." -msgstr "" -"Deze frase is bewerkt door het Rammingdialoog en bevat parameters voor de " -"ramming." +msgid "This string is edited by RammingDialog and contains ramming specific parameters." +msgstr "Deze frase is bewerkt door het Rammingdialoog en bevat parameters voor de ramming." msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." +"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a filament during " +"a tool change (when executing the T code). This time is added to the total print time by " +"the G-code time estimator." msgstr "" -"Tijd voor de printerfirmware (of de MMU 2.0) om filament te ontladen tijdens " -"een toolwissel (tijdens het uitvoeren van de T-code). Deze tijd wordt " -"toegevoegd aan de totale printtijd in de tijdsschatting." +"Tijd voor de printerfirmware (of de MMU 2.0) om filament te ontladen tijdens een toolwissel " +"(tijdens het uitvoeren van de T-code). Deze tijd wordt toegevoegd aan de totale printtijd " +"in de tijdsschatting." msgid "Enable ramming for multitool setups" msgstr "" msgid "" -"Perform ramming when using multitool printer (i.e. when the 'Single Extruder " -"Multimaterial' in Printer Settings is unchecked). When checked, a small " -"amount of filament is rapidly extruded on the wipe tower just before the " -"toolchange. This option is only used when the wipe tower is enabled." +"Perform ramming when using multitool printer (i.e. when the 'Single Extruder Multimaterial' " +"in Printer Settings is unchecked). When checked, a small amount of filament is rapidly " +"extruded on the wipe tower just before the toolchange. This option is only used when the " +"wipe tower is enabled." msgstr "" msgid "Multitool ramming volume" @@ -10851,32 +10471,28 @@ msgstr "Filament materiaal." msgid "Soluble material" msgstr "Oplosbaar materiaal" -msgid "" -"Soluble material is commonly used to print support and support interface" +msgid "Soluble material is commonly used to print support and support interface" msgstr "" -"Oplosbaar materiaal wordt doorgaans gebruikt om odnersteuning (support) en " -"support interface te printen " +"Oplosbaar materiaal wordt doorgaans gebruikt om odnersteuning (support) en support " +"interface te printen " msgid "Support material" msgstr "Support materiaal" -msgid "" -"Support material is commonly used to print support and support interface" -msgstr "" -"Support materiaal wordt vaak gebruikt om support en support interfaces af te " -"drukken." +msgid "Support material is commonly used to print support and support interface" +msgstr "Support materiaal wordt vaak gebruikt om support en support interfaces af te drukken." msgid "Softening temperature" msgstr "Verzachtingstemperatuur" msgid "" -"The material softens at this temperature, so when the bed temperature is " -"equal to or greater than it, it's highly recommended to open the front door " -"and/or remove the upper glass to avoid cloggings." +"The material softens at this temperature, so when the bed temperature is equal to or " +"greater than it, it's highly recommended to open the front door and/or remove the upper " +"glass to avoid cloggings." msgstr "" -"The material softens at this temperature, so when the bed temperature is " -"equal to or greater than this, it's highly recommended to open the front " -"door and/or remove the upper glass to avoid clogs." +"The material softens at this temperature, so when the bed temperature is equal to or " +"greater than this, it's highly recommended to open the front door and/or remove the upper " +"glass to avoid clogs." msgid "Price" msgstr "Prijs" @@ -10899,19 +10515,15 @@ msgstr "(niet gedefinieerd)" msgid "Sparse infill direction" msgstr "" -msgid "" -"Angle for sparse infill pattern, which controls the start or main direction " -"of line" +msgid "Angle for sparse infill pattern, which controls the start or main direction of line" msgstr "" -"Dit is de hoek voor een dun opvulpatroon, dat het begin of de hoofdrichting " -"van de lijnen bepaalt." +"Dit is de hoek voor een dun opvulpatroon, dat het begin of de hoofdrichting van de lijnen " +"bepaalt." msgid "Solid infill direction" msgstr "" -msgid "" -"Angle for solid infill pattern, which controls the start or main direction " -"of line" +msgid "Angle for solid infill pattern, which controls the start or main direction of line" msgstr "" msgid "Rotate solid infill direction" @@ -10925,8 +10537,8 @@ msgstr "Vulling percentage" #, no-c-format, no-boost-format msgid "" -"Density of internal sparse infill, 100% turns all sparse infill into solid " -"infill and internal solid infill pattern will be used" +"Density of internal sparse infill, 100% turns all sparse infill into solid infill and " +"internal solid infill pattern will be used" msgstr "" msgid "Sparse infill pattern" @@ -10972,16 +10584,14 @@ msgid "Sparse infill anchor length" msgstr "" msgid "" -"Connect an infill line to an internal perimeter with a short segment of an " -"additional perimeter. If expressed as percentage (example: 15%) it is " -"calculated over infill extrusion width. Orca Slicer tries to connect two " -"close infill lines to a short perimeter segment. If no such perimeter " -"segment shorter than infill_anchor_max is found, the infill line is " -"connected to a perimeter segment at just one side and the length of the " -"perimeter segment taken is limited to this parameter, but no longer than " -"anchor_length_max. \n" -"Set this parameter to zero to disable anchoring perimeters connected to a " -"single infill line." +"Connect an infill line to an internal perimeter with a short segment of an additional " +"perimeter. If expressed as percentage (example: 15%) it is calculated over infill extrusion " +"width. Orca Slicer tries to connect two close infill lines to a short perimeter segment. If " +"no such perimeter segment shorter than infill_anchor_max is found, the infill line is " +"connected to a perimeter segment at just one side and the length of the perimeter segment " +"taken is limited to this parameter, but no longer than anchor_length_max. \n" +"Set this parameter to zero to disable anchoring perimeters connected to a single infill " +"line." msgstr "" msgid "0 (no open anchors)" @@ -10994,16 +10604,14 @@ msgid "Maximum length of the infill anchor" msgstr "Maximale lengte van de vullingsbevestiging" msgid "" -"Connect an infill line to an internal perimeter with a short segment of an " -"additional perimeter. If expressed as percentage (example: 15%) it is " -"calculated over infill extrusion width. Orca Slicer tries to connect two " -"close infill lines to a short perimeter segment. If no such perimeter " -"segment shorter than this parameter is found, the infill line is connected " -"to a perimeter segment at just one side and the length of the perimeter " -"segment taken is limited to infill_anchor, but no longer than this " -"parameter. \n" -"If set to 0, the old algorithm for infill connection will be used, it should " -"create the same result as with 1000 & 0." +"Connect an infill line to an internal perimeter with a short segment of an additional " +"perimeter. If expressed as percentage (example: 15%) it is calculated over infill extrusion " +"width. Orca Slicer tries to connect two close infill lines to a short perimeter segment. If " +"no such perimeter segment shorter than this parameter is found, the infill line is " +"connected to a perimeter segment at just one side and the length of the perimeter segment " +"taken is limited to infill_anchor, but no longer than this parameter. \n" +"If set to 0, the old algorithm for infill connection will be used, it should create the " +"same result as with 1000 & 0." msgstr "" msgid "0 (Simple connect)" @@ -11019,44 +10627,38 @@ msgid "Acceleration of travel moves" msgstr "" msgid "" -"Acceleration of top surface infill. Using a lower value may improve top " -"surface quality" +"Acceleration of top surface infill. Using a lower value may improve top surface quality" msgstr "" -"Versnelling van de topoppervlakte-invulling. Gebruik van een lagere waarde " -"kan de kwaliteit van de bovenlaag verbeteren." +"Versnelling van de topoppervlakte-invulling. Gebruik van een lagere waarde kan de kwaliteit " +"van de bovenlaag verbeteren." msgid "Acceleration of outer wall. Using a lower value can improve quality" -msgstr "" -"Versnelling van de buitenwand: een lagere waarde kan de kwaliteit verbeteren." +msgstr "Versnelling van de buitenwand: een lagere waarde kan de kwaliteit verbeteren." msgid "" -"Acceleration of bridges. If the value is expressed as a percentage (e.g. " -"50%), it will be calculated based on the outer wall acceleration." +"Acceleration of bridges. If the value is expressed as a percentage (e.g. 50%), it will be " +"calculated based on the outer wall acceleration." msgstr "" msgid "mm/s² or %" msgstr "mm/s² or %" msgid "" -"Acceleration of sparse infill. If the value is expressed as a percentage (e." -"g. 100%), it will be calculated based on the default acceleration." +"Acceleration of sparse infill. If the value is expressed as a percentage (e.g. 100%), it " +"will be calculated based on the default acceleration." msgstr "" -"Versnelling van de schaarse invulling. Als de waarde wordt uitgedrukt als " -"een percentage (bijvoorbeeld 100%), wordt deze berekend op basis van de " -"standaardversnelling." +"Versnelling van de schaarse invulling. Als de waarde wordt uitgedrukt als een percentage " +"(bijvoorbeeld 100%), wordt deze berekend op basis van de standaardversnelling." msgid "" -"Acceleration of internal solid infill. If the value is expressed as a " -"percentage (e.g. 100%), it will be calculated based on the default " -"acceleration." +"Acceleration of internal solid infill. If the value is expressed as a percentage (e.g. " +"100%), it will be calculated based on the default acceleration." msgstr "" -msgid "" -"Acceleration of initial layer. Using a lower value can improve build plate " -"adhesive" +msgid "Acceleration of initial layer. Using a lower value can improve build plate adhesive" msgstr "" -"Dit is de afdrukversnelling voor de eerste laag. Een beperkte versnelling " -"kan de hechting van de bouwplaat verbeteren." +"Dit is de afdrukversnelling voor de eerste laag. Een beperkte versnelling kan de hechting " +"van de bouwplaat verbeteren." msgid "Enable accel_to_decel" msgstr "Accel_to_decel inschakelen" @@ -11068,8 +10670,7 @@ msgid "accel_to_decel" msgstr "accel_to_decel" #, c-format, boost-format -msgid "" -"Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" +msgid "Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" msgstr "" msgid "Jerk of outer walls" @@ -11091,30 +10692,28 @@ msgid "Jerk for travel" msgstr "" msgid "" -"Line width of initial layer. If expressed as a %, it will be computed over " -"the nozzle diameter." +"Line width of initial layer. If expressed as a %, it will be computed over the nozzle " +"diameter." msgstr "" msgid "Initial layer height" msgstr "Laaghoogte van de eerste laag" msgid "" -"Height of initial layer. Making initial layer height to be thick slightly " -"can improve build plate adhesion" +"Height of initial layer. Making initial layer height to be thick slightly can improve build " +"plate adhesion" msgstr "" -"Dit is de hoogte van de eerste laag. Door de hoogte van de eerste laag hoger " -"te maken, kan de hechting op het printbed worden verbeterd." +"Dit is de hoogte van de eerste laag. Door de hoogte van de eerste laag hoger te maken, kan " +"de hechting op het printbed worden verbeterd." msgid "Speed of initial layer except the solid infill part" -msgstr "" -"Dit is de snelheid voor de eerste laag behalve solide vulling (infill) delen" +msgstr "Dit is de snelheid voor de eerste laag behalve solide vulling (infill) delen" msgid "Initial layer infill" msgstr "Vulling (infill) van de eerste laag" msgid "Speed of solid infill part of initial layer" -msgstr "" -"Dit is de snelheid voor de solide vulling (infill) delen van de eerste laag." +msgstr "Dit is de snelheid voor de solide vulling (infill) delen van de eerste laag." msgid "Initial layer travel speed" msgstr "" @@ -11126,26 +10725,23 @@ msgid "Number of slow layers" msgstr "" msgid "" -"The first few layers are printed slower than normal. The speed is gradually " -"increased in a linear fashion over the specified number of layers." +"The first few layers are printed slower than normal. The speed is gradually increased in a " +"linear fashion over the specified number of layers." msgstr "" msgid "Initial layer nozzle temperature" -msgstr "Nozzle temperatuur voor de eerste laag" +msgstr "Mondstuk temperatuur voor de eerste laag" msgid "Nozzle temperature to print initial layer when using this filament" -msgstr "" -"Nozzle temperatuur om de eerste laag mee te printen bij gebruik van dit " -"filament" +msgstr "Mondstuk temperatuur om de eerste laag mee te printen bij gebruik van dit filament" msgid "Full fan speed at layer" msgstr "Volledige snelheid op laag" msgid "" -"Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " +"Fan speed will be ramped up linearly from zero at layer \"close_fan_the_first_x_layers\" to " +"maximum at layer \"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if " +"lower than \"close_fan_the_first_x_layers\", in which case the fan will be running at " "maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" @@ -11156,19 +10752,18 @@ msgid "Support interface fan speed" msgstr "" msgid "" -"This fan speed is enforced during all support interfaces, to be able to " -"weaken their bonding with a high fan speed.\n" +"This fan speed is enforced during all support interfaces, to be able to weaken their " +"bonding with a high fan speed.\n" "Set to -1 to disable this override.\n" "Can only be overriden by disable_fan_first_layers." msgstr "" msgid "" -"Randomly jitter while printing the wall, so that the surface has a rough " -"look. This setting controls the fuzzy position" +"Randomly jitter while printing the wall, so that the surface has a rough look. This setting " +"controls the fuzzy position" msgstr "" -"Deze instelling zorgt ervoor dat de toolhead willekeurig schudt tijdens het " -"printen van muren, zodat het oppervlak er ruw uitziet. Deze instelling " -"regelt de \"fuzzy\" positie." +"Deze instelling zorgt ervoor dat de toolhead willekeurig schudt tijdens het printen van " +"muren, zodat het oppervlak er ruw uitziet. Deze instelling regelt de \"fuzzy\" positie." msgid "Contour" msgstr "Contour" @@ -11182,22 +10777,18 @@ msgstr "Alle wanden" msgid "Fuzzy skin thickness" msgstr "Fuzzy skin dikte" -msgid "" -"The width within which to jitter. It's adversed to be below outer wall line " -"width" +msgid "The width within which to jitter. It's adversed to be below outer wall line width" msgstr "" -"De breedte van jittering: het is aan te raden deze lager te houden dan de " -"lijndikte van de buitenste wand." +"De breedte van jittering: het is aan te raden deze lager te houden dan de lijndikte van de " +"buitenste wand." msgid "Fuzzy skin point distance" msgstr "Fuzzy skin punt afstand" -msgid "" -"The average diatance between the random points introducded on each line " -"segment" +msgid "The average diatance between the random points introducded on each line segment" msgstr "" -"De gemiddelde afstand tussen de willekeurige punten die op ieder lijnsegment " -"zijn geïntroduceerd" +"De gemiddelde afstand tussen de willekeurige punten die op ieder lijnsegment zijn " +"geïntroduceerd" msgid "Apply fuzzy skin to first layer" msgstr "" @@ -11215,65 +10806,59 @@ msgid "Filter out gaps smaller than the threshold specified" msgstr "" msgid "" -"Speed of gap infill. Gap usually has irregular line width and should be " -"printed more slowly" +"Speed of gap infill. Gap usually has irregular line width and should be printed more slowly" msgstr "" -"Dit is de snelheid voor het opvullen van gaten. Tussenruimtes hebben meestal " -"een onregelmatige lijndikte en moeten daarom langzamer worden afgedrukt." +"Dit is de snelheid voor het opvullen van gaten. Tussenruimtes hebben meestal een " +"onregelmatige lijndikte en moeten daarom langzamer worden afgedrukt." msgid "Precise Z height" msgstr "Precise Z height" msgid "" -"Enable this to get precise z height of object after slicing. It will get the " -"precise object height by fine-tuning the layer heights of the last few " -"layers. Note that this is an experimental parameter." +"Enable this to get precise z height of object after slicing. It will get the precise object " +"height by fine-tuning the layer heights of the last few layers. Note that this is an " +"experimental parameter." msgstr "" -"Enable this to get precise z height of object after slicing. It will get the " -"precise object height by fine-tuning the layer heights of the last few " -"layers. Note that this is an experimental parameter." +"Enable this to get precise z height of object after slicing. It will get the precise object " +"height by fine-tuning the layer heights of the last few layers. Note that this is an " +"experimental parameter." msgid "Arc fitting" msgstr "Boog montage" msgid "" -"Enable this to get a G-code file which has G2 and G3 moves. The fitting " -"tolerance is same as the resolution. \n" +"Enable this to get a G-code file which has G2 and G3 moves. The fitting tolerance is same " +"as the resolution. \n" "\n" -"Note: For klipper machines, this option is recomended to be disabled. " -"Klipper does not benefit from arc commands as these are split again into " -"line segments by the firmware. This results in a reduction in surface " -"quality as line segments are converted to arcs by the slicer and then back " -"to line segments by the firmware." +"Note: For klipper machines, this option is recomended to be disabled. Klipper does not " +"benefit from arc commands as these are split again into line segments by the firmware. This " +"results in a reduction in surface quality as line segments are converted to arcs by the " +"slicer and then back to line segments by the firmware." msgstr "" msgid "Add line number" msgstr "Lijn hoogte toevoegen" msgid "Enable this to add line number(Nx) at the beginning of each G-Code line" -msgstr "" -"Schakel dit in om regelnummer (Nx) toe te voegen aan het begin van elke G-" -"coderegel." +msgstr "Schakel dit in om regelnummer (Nx) toe te voegen aan het begin van elke G-coderegel." msgid "Scan first layer" msgstr "Eerste laag scannen" -msgid "" -"Enable this to enable the camera on printer to check the quality of first " -"layer" +msgid "Enable this to enable the camera on printer to check the quality of first layer" msgstr "" -"Schakel dit in zodat de camera in de printer de kwaliteit van de eerste laag " -"kan controleren." +"Schakel dit in zodat de camera in de printer de kwaliteit van de eerste laag kan " +"controleren." msgid "Nozzle type" -msgstr "Nozzle type" +msgstr "Mondstuk type" msgid "" -"The metallic material of nozzle. This determines the abrasive resistance of " -"nozzle, and what kind of filament can be printed" +"The metallic material of nozzle. This determines the abrasive resistance of nozzle, and " +"what kind of filament can be printed" msgstr "" -"Het type metaal van de nozzle. Dit bepaalt de slijtvastheid van de nozzle en " -"wat voor soort filament kan worden geprint" +"Het type metaal van het mondstuk. Dit bepaalt de slijtvastheid van het mondstuk en wat voor " +"soort filament kan worden geprint" msgid "Undefine" msgstr "Undefined" @@ -11288,14 +10873,12 @@ msgid "Brass" msgstr "Messing" msgid "Nozzle HRC" -msgstr "Nozzle HRC" +msgstr "Mondstuk HRC" -msgid "" -"The nozzle's hardness. Zero means no checking for nozzle's hardness during " -"slicing." +msgid "The nozzle's hardness. Zero means no checking for nozzle's hardness during slicing." msgstr "" -"De hardheid van de nozzle. Nul betekent geen controle op de hardheid van het " -"mondstuk tijdens het slicen." +"De hardheid van het mondstuk. Nul betekent geen controle op de hardheid van het mondstuk " +"tijdens het slicen." msgid "HRC" msgstr "HRC" @@ -11323,23 +10906,20 @@ msgstr "Beste objectpositie" msgid "Best auto arranging position in range [0,1] w.r.t. bed shape." msgstr "" -"Beste automatisch schikkende positie in het bereik [0,1] met betrekking tot " -"de bedvorm." +"Beste automatisch schikkende positie in het bereik [0,1] met betrekking tot de bedvorm." msgid "" -"Enable this option if machine has auxiliary part cooling fan. G-code " -"command: M106 P2 S(0-255)." +"Enable this option if machine has auxiliary part cooling fan. G-code command: M106 P2 " +"S(0-255)." msgstr "" msgid "" -"Start the fan this number of seconds earlier than its target start time (you " -"can use fractional seconds). It assumes infinite acceleration for this time " -"estimation, and will only take into account G1 and G0 moves (arc fitting is " -"unsupported).\n" -"It won't move fan comands from custom gcodes (they act as a sort of " -"'barrier').\n" -"It won't move fan comands into the start gcode if the 'only custom start " -"gcode' is activated.\n" +"Start the fan this number of seconds earlier than its target start time (you can use " +"fractional seconds). It assumes infinite acceleration for this time estimation, and will " +"only take into account G1 and G0 moves (arc fitting is unsupported).\n" +"It won't move fan comands from custom gcodes (they act as a sort of 'barrier').\n" +"It won't move fan comands into the start gcode if the 'only custom start gcode' is " +"activated.\n" "Use 0 to deactivate." msgstr "" @@ -11353,10 +10933,10 @@ msgid "Fan kick-start time" msgstr "" msgid "" -"Emit a max fan speed command for this amount of seconds before reducing to " -"target speed to kick-start the cooling fan.\n" -"This is useful for fans where a low PWM/power may be insufficient to get the " -"fan started spinning from a stop, or to get the fan up to speed faster.\n" +"Emit a max fan speed command for this amount of seconds before reducing to target speed to " +"kick-start the cooling fan.\n" +"This is useful for fans where a low PWM/power may be insufficient to get the fan started " +"spinning from a stop, or to get the fan up to speed faster.\n" "Set to 0 to deactivate." msgstr "" @@ -11410,10 +10990,10 @@ msgid "Label objects" msgstr "Label objecten" msgid "" -"Enable this to add comments into the G-Code labeling print moves with what " -"object they belong to, which is useful for the Octoprint CancelObject " -"plugin. This settings is NOT compatible with Single Extruder Multi Material " -"setup and Wipe into Object / Wipe into Infill." +"Enable this to add comments into the G-Code labeling print moves with what object they " +"belong to, which is useful for the Octoprint CancelObject plugin. This settings is NOT " +"compatible with Single Extruder Multi Material setup and Wipe into Object / Wipe into " +"Infill." msgstr "" msgid "Exclude objects" @@ -11426,31 +11006,30 @@ msgid "Verbose G-code" msgstr "Opmerkingen in G-code" msgid "" -"Enable this to get a commented G-code file, with each line explained by a " -"descriptive text. If you print from SD card, the additional weight of the " -"file could make your firmware slow down." +"Enable this to get a commented G-code file, with each line explained by a descriptive text. " +"If you print from SD card, the additional weight of the file could make your firmware slow " +"down." msgstr "" -"Sta dit toe om een G-code met opmerkingen te genereren. Bij elk blok " -"commando's wordt een opmerking geplaatst. Als u print vanaf een SD-kaart, " -"kan de extra grootte van het bestand de firmware vertragen." +"Sta dit toe om een G-code met opmerkingen te genereren. Bij elk blok commando's wordt een " +"opmerking geplaatst. Als u print vanaf een SD-kaart, kan de extra grootte van het bestand " +"de firmware vertragen." msgid "Infill combination" msgstr "Vulling (infill) combinatie" msgid "" -"Automatically Combine sparse infill of several layers to print together to " -"reduce time. Wall is still printed with original layer height." +"Automatically Combine sparse infill of several layers to print together to reduce time. " +"Wall is still printed with original layer height." msgstr "" -"Combineer het printen van meerdere lagen vulling om te printtijd te " -"verlagen. De wanden worden geprint in de originele laaghoogte." +"Combineer het printen van meerdere lagen vulling om te printtijd te verlagen. De wanden " +"worden geprint in de originele laaghoogte." msgid "Filament to print internal sparse infill." -msgstr "" -"Dit is het filament voor het printen van interne dunne vulling (infill)" +msgstr "Dit is het filament voor het printen van interne dunne vulling (infill)" msgid "" -"Line width of internal sparse infill. If expressed as a %, it will be " -"computed over the nozzle diameter." +"Line width of internal sparse infill. If expressed as a %, it will be computed over the " +"nozzle diameter." msgstr "" msgid "Infill/Wall overlap" @@ -11458,10 +11037,9 @@ msgstr "Vulling (infill)/wand overlap" #, no-c-format, no-boost-format msgid "" -"Infill area is enlarged slightly to overlap with wall for better bonding. " -"The percentage value is relative to line width of sparse infill. Set this " -"value to ~10-15% to minimize potential over extrusion and accumulation of " -"material resulting in rough top surfaces." +"Infill area is enlarged slightly to overlap with wall for better bonding. The percentage " +"value is relative to line width of sparse infill. Set this value to ~10-15% to minimize " +"potential over extrusion and accumulation of material resulting in rough top surfaces." msgstr "" msgid "Top/Bottom solid infill/wall overlap" @@ -11469,11 +11047,10 @@ msgstr "" #, no-c-format, no-boost-format msgid "" -"Top solid infill area is enlarged slightly to overlap with wall for better " -"bonding and to minimize the appearance of pinholes where the top infill " -"meets the walls. A value of 25-30% is a good starting point, minimising the " -"appearance of pinholes. The percentage value is relative to line width of " -"sparse infill" +"Top solid infill area is enlarged slightly to overlap with wall for better bonding and to " +"minimize the appearance of pinholes where the top infill meets the walls. A value of 25-30% " +"is a good starting point, minimising the appearance of pinholes. The percentage value is " +"relative to line width of sparse infill" msgstr "" msgid "Speed of internal sparse infill" @@ -11483,20 +11060,17 @@ msgid "Interface shells" msgstr "Interface shells" msgid "" -"Force the generation of solid shells between adjacent materials/volumes. " -"Useful for multi-extruder prints with translucent materials or manual " -"soluble support material" +"Force the generation of solid shells between adjacent materials/volumes. Useful for multi-" +"extruder prints with translucent materials or manual soluble support material" msgstr "" -"Force the generation of solid shells between adjacent materials/volumes. " -"Useful for multi-extruder prints with translucent materials or manual " -"soluble support material" +"Force the generation of solid shells between adjacent materials/volumes. Useful for multi-" +"extruder prints with translucent materials or manual soluble support material" msgid "Maximum width of a segmented region" msgstr "Maximale breedte van een gesegmenteerd gebied" msgid "Maximum width of a segmented region. Zero disables this feature." -msgstr "" -"Maximum width of a segmented region. A value of 0 disables this feature." +msgstr "Maximum width of a segmented region. A value of 0 disables this feature." msgid "Interlocking depth of a segmented region" msgstr "Insluitdiepte van een gesegmenteerde regio" @@ -11512,9 +11086,8 @@ msgid "Use beam interlocking" msgstr "" msgid "" -"Generate interlocking beam structure at the locations where different " -"filaments touch. This improves the adhesion between filaments, especially " -"models printed in different materials." +"Generate interlocking beam structure at the locations where different filaments touch. This " +"improves the adhesion between filaments, especially models printed in different materials." msgstr "" msgid "Interlocking beam width" @@ -11533,36 +11106,36 @@ msgid "Interlocking beam layers" msgstr "" msgid "" -"The height of the beams of the interlocking structure, measured in number of " -"layers. Less layers is stronger, but more prone to defects." +"The height of the beams of the interlocking structure, measured in number of layers. Less " +"layers is stronger, but more prone to defects." msgstr "" msgid "Interlocking depth" msgstr "" msgid "" -"The distance from the boundary between filaments to generate interlocking " -"structure, measured in cells. Too few cells will result in poor adhesion." +"The distance from the boundary between filaments to generate interlocking structure, " +"measured in cells. Too few cells will result in poor adhesion." msgstr "" msgid "Interlocking boundary avoidance" msgstr "" msgid "" -"The distance from the outside of a model where interlocking structures will " -"not be generated, measured in cells." +"The distance from the outside of a model where interlocking structures will not be " +"generated, measured in cells." msgstr "" msgid "Ironing Type" msgstr "Strijk type" msgid "" -"Ironing is using small flow to print on same height of surface again to make " -"flat surface more smooth. This setting controls which layer being ironed" +"Ironing is using small flow to print on same height of surface again to make flat surface " +"more smooth. This setting controls which layer being ironed" msgstr "" -"Strijken gebruikt een lage flow om op dezelfde hoogte van een oppervlak te " -"printen om platte oppervlakken gladder te maken. Deze instelling bepaalt op " -"welke lagen het strijken wordt toegepast." +"Strijken gebruikt een lage flow om op dezelfde hoogte van een oppervlak te printen om " +"platte oppervlakken gladder te maken. Deze instelling bepaalt op welke lagen het strijken " +"wordt toegepast." msgid "No ironing" msgstr "Niet strijken" @@ -11586,19 +11159,18 @@ msgid "Ironing flow" msgstr "Flow tijdens strijken" msgid "" -"The amount of material to extrude during ironing. Relative to flow of normal " -"layer height. Too high value results in overextrusion on the surface" +"The amount of material to extrude during ironing. Relative to flow of normal layer height. " +"Too high value results in overextrusion on the surface" msgstr "" -"Dit is de hoeveelheid materiaal die dient te worden geëxtrudeerd tijdens het " -"strijken. Het is relatief ten opzichte van de flow van normale laaghoogte. " -"Een te hoge waarde zal resulteren in overextrusie op het oppervlak." +"Dit is de hoeveelheid materiaal die dient te worden geëxtrudeerd tijdens het strijken. Het " +"is relatief ten opzichte van de flow van normale laaghoogte. Een te hoge waarde zal " +"resulteren in overextrusie op het oppervlak." msgid "Ironing line spacing" msgstr "Afstand tussen de strijklijnen" msgid "The distance between the lines of ironing" -msgstr "" -"Dit is de afstand voor de lijnen die gebruikt worden voor het strijken." +msgstr "Dit is de afstand voor de lijnen die gebruikt worden voor het strijken." msgid "Ironing speed" msgstr "Snelheid tijdens het strijken" @@ -11610,23 +11182,21 @@ msgid "Ironing angle" msgstr "" msgid "" -"The angle ironing is done at. A negative number disables this function and " -"uses the default method." +"The angle ironing is done at. A negative number disables this function and uses the default " +"method." msgstr "" msgid "This gcode part is inserted at every layer change after lift z" -msgstr "" -"De G-code wordt bij iedere laagwisseling toegevoegd na het optillen van Z" +msgstr "De G-code wordt bij iedere laagwisseling toegevoegd na het optillen van Z" msgid "Supports silent mode" msgstr "Stille modus" msgid "" -"Whether the machine supports silent mode in which machine use lower " -"acceleration to print" +"Whether the machine supports silent mode in which machine use lower acceleration to print" msgstr "" -"Dit geeft aan of de machine de stille modus ondersteunt waarin de machine " -"een lagere versnelling gebruikt om te printen" +"Dit geeft aan of de machine de stille modus ondersteunt waarin de machine een lagere " +"versnelling gebruikt om te printen" msgid "Emit limits to G-code" msgstr "" @@ -11640,11 +11210,11 @@ msgid "" msgstr "" msgid "" -"This G-code will be used as a code for the pause print. User can insert " -"pause G-code in gcode viewer" +"This G-code will be used as a code for the pause print. User can insert pause G-code in " +"gcode viewer" msgstr "" -"Deze G-code wordt gebruikt als code voor de pauze. Gebruikers kunnen een " -"pauze-G-code invoegen in de G-code-viewer." +"Deze G-code wordt gebruikt als code voor de pauze. Gebruikers kunnen een pauze-G-code " +"invoegen in de G-code-viewer." msgid "This G-code will be used as a custom code" msgstr "Deze G-code wordt gebruikt als een aangepaste code" @@ -11659,10 +11229,9 @@ msgid "Flow Compensation Model" msgstr "" msgid "" -"Flow Compensation Model, used to adjust the flow for small infill areas. The " -"model is expressed as a comma separated pair of values for extrusion length " -"and flow correction factors, one per line, in the following format: " -"\"1.234,5.678\"" +"Flow Compensation Model, used to adjust the flow for small infill areas. The model is " +"expressed as a comma separated pair of values for extrusion length and flow correction " +"factors, one per line, in the following format: \"1.234,5.678\"" msgstr "" msgid "Maximum speed X" @@ -11768,49 +11337,46 @@ msgid "Maximum acceleration for travel (M204 T), it only applies to Marlin 2" msgstr "" msgid "" -"Part cooling fan speed may be increased when auto cooling is enabled. This " -"is the maximum speed limitation of part cooling fan" +"Part cooling fan speed may be increased when auto cooling is enabled. This is the maximum " +"speed limitation of part cooling fan" msgstr "" -"De snelheid van de ventilator op de printkop kan verhoogd worden als " -"automatisch koelen is ingeschakeld. Dit is de maximale snelheidslimiet van " -"de printkop ventilator" +"De snelheid van de ventilator op de printkop kan verhoogd worden als automatisch koelen is " +"ingeschakeld. Dit is de maximale snelheidslimiet van de printkop ventilator" msgid "Max" msgstr "Maximum" msgid "" -"The largest printable layer height for extruder. Used tp limits the maximum " -"layer hight when enable adaptive layer height" +"The largest printable layer height for extruder. Used tp limits the maximum layer hight " +"when enable adaptive layer height" msgstr "" -"De hoogste printbare laaghoogte voor de extruder: dit wordt gebruikt om de " -"maximale laaghoogte te beperken wanneer adaptieve laaghoogte is ingeschakeld." +"De hoogste printbare laaghoogte voor de extruder: dit wordt gebruikt om de maximale " +"laaghoogte te beperken wanneer adaptieve laaghoogte is ingeschakeld." msgid "Extrusion rate smoothing" msgstr "" msgid "" -"This parameter smooths out sudden extrusion rate changes that happen when " -"the printer transitions from printing a high flow (high speed/larger width) " -"extrusion to a lower flow (lower speed/smaller width) extrusion and vice " -"versa.\n" +"This parameter smooths out sudden extrusion rate changes that happen when the printer " +"transitions from printing a high flow (high speed/larger width) extrusion to a lower flow " +"(lower speed/smaller width) extrusion and vice versa.\n" "\n" -"It defines the maximum rate by which the extruded volumetric flow in mm3/sec " -"can change over time. Higher values mean higher extrusion rate changes are " -"allowed, resulting in faster speed transitions.\n" +"It defines the maximum rate by which the extruded volumetric flow in mm3/sec can change " +"over time. Higher values mean higher extrusion rate changes are allowed, resulting in " +"faster speed transitions.\n" "\n" "A value of 0 disables the feature. \n" "\n" -"For a high speed, high flow direct drive printer (like the Bambu lab or " -"Voron) this value is usually not needed. However it can provide some " -"marginal benefit in certain cases where feature speeds vary greatly. For " -"example, when there are aggressive slowdowns due to overhangs. In these " -"cases a high value of around 300-350mm3/s2 is recommended as this allows for " -"just enough smoothing to assist pressure advance achieve a smoother flow " +"For a high speed, high flow direct drive printer (like the Bambu lab or Voron) this value " +"is usually not needed. However it can provide some marginal benefit in certain cases where " +"feature speeds vary greatly. For example, when there are aggressive slowdowns due to " +"overhangs. In these cases a high value of around 300-350mm3/s2 is recommended as this " +"allows for just enough smoothing to assist pressure advance achieve a smoother flow " "transition.\n" "\n" -"For slower printers without pressure advance, the value should be set much " -"lower. A value of 10-15mm3/s2 is a good starting point for direct drive " -"extruders and 5-10mm3/s2 for Bowden style. \n" +"For slower printers without pressure advance, the value should be set much lower. A value " +"of 10-15mm3/s2 is a good starting point for direct drive extruders and 5-10mm3/s2 for " +"Bowden style. \n" "\n" "This feature is known as Pressure Equalizer in Prusa slicer.\n" "\n" @@ -11824,12 +11390,11 @@ msgid "Smoothing segment length" msgstr "" msgid "" -"A lower value results in smoother extrusion rate transitions. However, this " -"results in a significantly larger gcode file and more instructions for the " -"printer to process. \n" +"A lower value results in smoother extrusion rate transitions. However, this results in a " +"significantly larger gcode file and more instructions for the printer to process. \n" "\n" -"Default value of 3 works well for most cases. If your printer is stuttering, " -"increase this value to reduce the number of adjustments made\n" +"Default value of 3 works well for most cases. If your printer is stuttering, increase this " +"value to reduce the number of adjustments made\n" "\n" "Allowed values: 1-5" msgstr "" @@ -11838,145 +11403,131 @@ msgid "Minimum speed for part cooling fan" msgstr "Minimale snelheid voor de printkop ventilator" msgid "" -"Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed " -"during printing except the first several layers which is defined by no " -"cooling layers.\n" -"Please enable auxiliary_fan in printer settings to use this feature. G-code " -"command: M106 P2 S(0-255)" +"Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed during printing " +"except the first several layers which is defined by no cooling layers.\n" +"Please enable auxiliary_fan in printer settings to use this feature. G-code command: M106 " +"P2 S(0-255)" msgstr "" msgid "Min" msgstr "Minimaal" msgid "" -"The lowest printable layer height for extruder. Used tp limits the minimum " -"layer hight when enable adaptive layer height" +"The lowest printable layer height for extruder. Used tp limits the minimum layer hight when " +"enable adaptive layer height" msgstr "" -"De laagste printbare laaghoogte voor de extruder: dit wordt gebruikt om de " -"minimale laaghoogte te beperken wanneer adaptieve laaghoogte is ingeschakeld." +"De laagste printbare laaghoogte voor de extruder: dit wordt gebruikt om de minimale " +"laaghoogte te beperken wanneer adaptieve laaghoogte is ingeschakeld." msgid "Min print speed" msgstr "Minimale print snelheid" msgid "" -"The minimum printing speed that the printer will slow down to to attempt to " -"maintain the minimum layer time above, when slow down for better layer " -"cooling is enabled." +"The minimum printing speed that the printer will slow down to to attempt to maintain the " +"minimum layer time above, when slow down for better layer cooling is enabled." msgstr "" msgid "Diameter of nozzle" -msgstr "Diameter van de nozzle" +msgstr "Diameter van het mondstuk" msgid "Configuration notes" msgstr "Configuratie-opmerkingen" msgid "" -"You can put here your personal notes. This text will be added to the G-code " -"header comments." +"You can put here your personal notes. This text will be added to the G-code header comments." msgstr "" -"Hier kunt u eigen opmerkingen plaatsen. Deze tekst wordt bovenin de G-code " -"toegevoegd." +"Hier kunt u eigen opmerkingen plaatsen. Deze tekst wordt bovenin de G-code toegevoegd." msgid "Host Type" msgstr "Hosttype" msgid "" -"Orca Slicer can upload G-code files to a printer host. This field must " -"contain the kind of the host." +"Orca Slicer can upload G-code files to a printer host. This field must contain the kind of " +"the host." msgstr "" -"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet " -"het type host bevatten." +"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet het type host " +"bevatten." msgid "Nozzle volume" -msgstr "Nozzle volume" +msgstr "Mondstuk volume" msgid "Volume of nozzle between the cutter and the end of nozzle" -msgstr "" -"Volume van de nozzle tussen de filamentsnijder en het uiteinde van de nozzle" +msgstr "Volume van het mondstuk tussen de filamentsnijder en het uiteinde van het mondstuk" msgid "Cooling tube position" msgstr "Koelbuispositie" msgid "Distance of the center-point of the cooling tube from the extruder tip." -msgstr "Afstand vanaf de nozzle tot het middelpunt van de koelbuis." +msgstr "Afstand vanaf het mondstuk tot het middelpunt van de koelbuis." msgid "Cooling tube length" msgstr "Koelbuislengte" msgid "Length of the cooling tube to limit space for cooling moves inside it." -msgstr "" -"Lengte van de koelbuis om de ruimte voor koelbewegingen daarin te beperken." +msgstr "Lengte van de koelbuis om de ruimte voor koelbewegingen daarin te beperken." msgid "High extruder current on filament swap" msgstr "Hoge stroomsterkte bij extruder voor filamentwissel" msgid "" -"It may be beneficial to increase the extruder motor current during the " -"filament exchange sequence to allow for rapid ramming feed rates and to " -"overcome resistance when loading a filament with an ugly shaped tip." +"It may be beneficial to increase the extruder motor current during the filament exchange " +"sequence to allow for rapid ramming feed rates and to overcome resistance when loading a " +"filament with an ugly shaped tip." msgstr "" -"Het kan nuttig zijn om de stroomsterkte van de extrudermotor te verhogen " -"tijdens het uitvoeren van de filamentwisseling om snelle ramming mogelijk te " -"maken en om weerstand te overwinnen tijdens het laden van filament met een " -"misvormde kop." +"Het kan nuttig zijn om de stroomsterkte van de extrudermotor te verhogen tijdens het " +"uitvoeren van de filamentwisseling om snelle ramming mogelijk te maken en om weerstand te " +"overwinnen tijdens het laden van filament met een misvormde kop." msgid "Filament parking position" msgstr "Filament parkeerpositie" msgid "" -"Distance of the extruder tip from the position where the filament is parked " -"when unloaded. This should match the value in printer firmware." +"Distance of the extruder tip from the position where the filament is parked when unloaded. " +"This should match the value in printer firmware." msgstr "" -"Afstand van de nozzlepunt tot de positie waar het filament wordt geparkeerd " -"wanneer dat niet geladen is. Deze moet overeenkomen met de waarde in de " -"firmware." +"Afstand van de punt van het mondstuk tot de positie waar het filament wordt geparkeerd " +"wanneer dat niet geladen is. Deze moet overeenkomen met de waarde in de firmware." msgid "Extra loading distance" msgstr "Extra laadafstand" msgid "" -"When set to zero, the distance the filament is moved from parking position " -"during load is exactly the same as it was moved back during unload. When " -"positive, it is loaded further, if negative, the loading move is shorter " -"than unloading." +"When set to zero, the distance the filament is moved from parking position during load is " +"exactly the same as it was moved back during unload. When positive, it is loaded further, " +"if negative, the loading move is shorter than unloading." msgstr "" -"Als dit ingesteld is op 0, zal de afstand die het filament tijdens het laden " -"uit de parkeerpositie even groot zijn als wanneer het filament " -"teruggetrokken wordt. Als de waarde positief is, zal het verder geladen " -"worden. Als het negatief is, is de laadafstand dus korter." +"Als dit ingesteld is op 0, zal de afstand die het filament tijdens het laden uit de " +"parkeerpositie even groot zijn als wanneer het filament teruggetrokken wordt. Als de waarde " +"positief is, zal het verder geladen worden. Als het negatief is, is de laadafstand dus " +"korter." msgid "Start end points" msgstr "Start end points" msgid "The start and end points which is from cutter area to garbage can." -msgstr "" -"Het begin- en eindpunt dat zich van het snijoppervlak naar de afvoer chute " -"bevindt." +msgstr "Het begin- en eindpunt dat zich van het snijoppervlak naar de afvoer chute bevindt." msgid "Reduce infill retraction" msgstr "Reduceer terugtrekken (retraction) bij vulling (infill)" msgid "" -"Don't retract when the travel is in infill area absolutely. That means the " -"oozing can't been seen. This can reduce times of retraction for complex " -"model and save printing time, but make slicing and G-code generating slower" +"Don't retract when the travel is in infill area absolutely. That means the oozing can't " +"been seen. This can reduce times of retraction for complex model and save printing time, " +"but make slicing and G-code generating slower" msgstr "" -"Trek niet terug als de beweging zich volledig in een opvulgebied bevindt. " -"Dat betekent dat het sijpelen niet zichtbaar is. Dit kan de retraction times " -"voor complexe modellen verkorten en printtijd besparen, maar het segmenteren " -"en het genereren van G-codes langzamer maken." +"Trek niet terug als de beweging zich volledig in een opvulgebied bevindt. Dat betekent dat " +"het sijpelen niet zichtbaar is. Dit kan de retraction times voor complexe modellen " +"verkorten en printtijd besparen, maar het segmenteren en het genereren van G-codes " +"langzamer maken." -msgid "" -"This option will drop the temperature of the inactive extruders to prevent " -"oozing." +msgid "This option will drop the temperature of the inactive extruders to prevent oozing." msgstr "" msgid "Filename format" msgstr "Bestandsnaam formaat" msgid "User can self-define the project file name when export" -msgstr "" -"Gebruikers kunnen zelf de project bestandsnaam kiezen tijdens het exporteren" +msgstr "Gebruikers kunnen zelf de project bestandsnaam kiezen tijdens het exporteren" msgid "Make overhangs printable" msgstr "" @@ -11988,17 +11539,17 @@ msgid "Make overhangs printable - Maximum angle" msgstr "" msgid "" -"Maximum angle of overhangs to allow after making more steep overhangs " -"printable.90° will not change the model at all and allow any overhang, while " -"0 will replace all overhangs with conical material." +"Maximum angle of overhangs to allow after making more steep overhangs printable.90° will " +"not change the model at all and allow any overhang, while 0 will replace all overhangs with " +"conical material." msgstr "" msgid "Make overhangs printable - Hole area" msgstr "" msgid "" -"Maximum area of a hole in the base of the model before it's filled by " -"conical material.A value of 0 will fill all the holes in the model base." +"Maximum area of a hole in the base of the model before it's filled by conical material.A " +"value of 0 will fill all the holes in the model base." msgstr "" msgid "mm²" @@ -12009,19 +11560,18 @@ msgstr "Overhange wand detecteren" #, c-format, boost-format msgid "" -"Detect the overhang percentage relative to line width and use different " -"speed to print. For 100%% overhang, bridge speed is used." +"Detect the overhang percentage relative to line width and use different speed to print. For " +"100%% overhang, bridge speed is used." msgstr "" -"Dit maakt het mogelijk om het overhangpercentage ten opzichte van de " -"lijnbreedte te detecteren en gebruikt verschillende snelheden om af te " -"drukken. Voor 100%% overhang wordt de brugsnelheid gebruikt." +"Dit maakt het mogelijk om het overhangpercentage ten opzichte van de lijnbreedte te " +"detecteren en gebruikt verschillende snelheden om af te drukken. Voor 100%% overhang wordt " +"de brugsnelheid gebruikt." msgid "Filament to print walls" msgstr "" msgid "" -"Line width of inner wall. If expressed as a %, it will be computed over the " -"nozzle diameter." +"Line width of inner wall. If expressed as a %, it will be computed over the nozzle diameter." msgstr "" msgid "Speed of inner wall" @@ -12034,22 +11584,21 @@ msgid "Alternate extra wall" msgstr "" msgid "" -"This setting adds an extra wall to every other layer. This way the infill " -"gets wedged vertically between the walls, resulting in stronger prints. \n" +"This setting adds an extra wall to every other layer. This way the infill gets wedged " +"vertically between the walls, resulting in stronger prints. \n" "\n" -"When this option is enabled, the ensure vertical shell thickness option " -"needs to be disabled. \n" +"When this option is enabled, the ensure vertical shell thickness option needs to be " +"disabled. \n" "\n" -"Using lightning infill together with this option is not recommended as there " -"is limited infill to anchor the extra perimeters to." +"Using lightning infill together with this option is not recommended as there is limited " +"infill to anchor the extra perimeters to." msgstr "" msgid "" -"If you want to process the output G-code through custom scripts, just list " -"their absolute paths here. Separate multiple scripts with a semicolon. " -"Scripts will be passed the absolute path to the G-code file as the first " -"argument, and they can access the Orca Slicer config settings by reading " -"environment variables." +"If you want to process the output G-code through custom scripts, just list their absolute " +"paths here. Separate multiple scripts with a semicolon. Scripts will be passed the absolute " +"path to the G-code file as the first argument, and they can access the Orca Slicer config " +"settings by reading environment variables." msgstr "" msgid "Printer type" @@ -12072,8 +11621,8 @@ msgstr "Vlot (raft) contact Z afstand:" msgid "Z gap between object and raft. Ignored for soluble interface" msgstr "" -"Dit is de Z-afstand tussen een object en een raft. Het wordt genegeerd voor " -"oplosbare materialen." +"Dit is de Z-afstand tussen een object en een raft. Het wordt genegeerd voor oplosbare " +"materialen." msgid "Raft expansion" msgstr "Vlot (raft) expansie" @@ -12092,123 +11641,111 @@ msgstr "Vergroten van de eerste laag" msgid "Expand the first raft or support layer to improve bed plate adhesion" msgstr "" -"Dit zet de eerste raft- of steun (support) laag uit om de hechting van het " -"bed te verbeteren." +"Dit zet de eerste raft- of steun (support) laag uit om de hechting van het bed te " +"verbeteren." msgid "Raft layers" msgstr "Vlot (raft) lagen" msgid "" -"Object will be raised by this number of support layers. Use this function to " -"avoid wrapping when print ABS" +"Object will be raised by this number of support layers. Use this function to avoid wrapping " +"when print ABS" msgstr "" -"Het object wordt verhoogd met dit aantal support lagen. Gebruik deze functie " -"om kromtrekken te voorkomen bij het afdrukken met ABS." +"Het object wordt verhoogd met dit aantal support lagen. Gebruik deze functie om kromtrekken " +"te voorkomen bij het afdrukken met ABS." msgid "" -"G-code path is genereated after simplifing the contour of model to avoid too " -"much points and gcode lines in gcode file. Smaller value means higher " -"resolution and more time to slice" +"G-code path is genereated after simplifing the contour of model to avoid too much points " +"and gcode lines in gcode file. Smaller value means higher resolution and more time to slice" msgstr "" -"Het G-codepad wordt gegenereerd na het vereenvoudigen van de contouren van " -"modellen om teveel punten en G-codelijnen te vermijden. Kleinere waarden " -"betekenen een hogere resolutie en meer tijd die nodig is om het ontwerpen te " -"slicen." +"Het G-codepad wordt gegenereerd na het vereenvoudigen van de contouren van modellen om " +"teveel punten en G-codelijnen te vermijden. Kleinere waarden betekenen een hogere resolutie " +"en meer tijd die nodig is om het ontwerpen te slicen." msgid "Travel distance threshold" msgstr "Drempel voor verplaatsingsafstand" -msgid "" -"Only trigger retraction when the travel distance is longer than this " -"threshold" +msgid "Only trigger retraction when the travel distance is longer than this threshold" msgstr "" -"Activeer het terugtrekken (retraction) alleen als de verplaatsingsafstand " -"groter is dan deze drempel." +"Activeer het terugtrekken (retraction) alleen als de verplaatsingsafstand groter is dan " +"deze drempel." msgid "Retract amount before wipe" msgstr "Terugtrek (retract) hoeveelheid voor schoonvegen" -msgid "" -"The length of fast retraction before wipe, relative to retraction length" +msgid "The length of fast retraction before wipe, relative to retraction length" msgstr "" -"Dit is de lengte van snel intrekken (retraction) vóór een wipe, in " -"verhouding tot de retraction lengte." +"Dit is de lengte van snel intrekken (retraction) vóór een wipe, in verhouding tot de " +"retraction lengte." msgid "Retract when change layer" msgstr "Terugtrekken (retract) bij wisselen van laag" msgid "Force a retraction when changes layer" -msgstr "" -"Dit forceert retraction (terugtrekken van filament) als er gewisseld wordt " -"van laag" +msgstr "Dit forceert retraction (terugtrekken van filament) als er gewisseld wordt van laag" msgid "Retraction Length" msgstr "Terugtrek (retraction) lengte" msgid "" -"Some amount of material in extruder is pulled back to avoid ooze during long " -"travel. Set zero to disable retraction" +"Some amount of material in extruder is pulled back to avoid ooze during long travel. Set " +"zero to disable retraction" msgstr "" -"Een deel van het materiaal in de extruder wordt teruggetrokken om sijpelen " -"tijdens verplaatsingen over lange afstand te voorkomen. Stel in op 0 om " -"terugtrekken (retraction) uit te schakelen." +"Een deel van het materiaal in de extruder wordt teruggetrokken om sijpelen tijdens " +"verplaatsingen over lange afstand te voorkomen. Stel in op 0 om terugtrekken (retraction) " +"uit te schakelen." msgid "Long retraction when cut(experimental)" msgstr "Long retraction when cut (experimental)" msgid "" -"Experimental feature.Retracting and cutting off the filament at a longer " -"distance during changes to minimize purge.While this reduces flush " -"significantly, it may also raise the risk of nozzle clogs or other printing " -"problems." +"Experimental feature.Retracting and cutting off the filament at a longer distance during " +"changes to minimize purge.While this reduces flush significantly, it may also raise the " +"risk of nozzle clogs or other printing problems." msgstr "" -"Experimental feature: Retracting and cutting off the filament at a longer " -"distance during changes to minimize purge.While this reduces flush " -"significantly, it may also raise the risk of nozzle clogs or other printing " -"problems." +"Experimentele functie: Het filament wordt tijdens het wisselen over een grotere afstand " +"teruggetrokken en afgesneden om de spoeling tot een minimum te beperken. Dit vermindert de " +"spoeling aanzienlijk, maar vergroot mogelijk ook het risico op verstoppingen in het " +"mondstuk of andere printproblemen." msgid "Retraction distance when cut" msgstr "Retraction distance when cut" -msgid "" -"Experimental feature.Retraction length before cutting off during filament " -"change" -msgstr "" -"Experimental feature. Retraction length before cutting off during filament " -"change" +msgid "Experimental feature.Retraction length before cutting off during filament change" +msgstr "Experimental feature. Retraction length before cutting off during filament change" msgid "Z hop when retract" msgstr "Z hop tijdens terugtrekken (retraction)" msgid "" -"Whenever the retraction is done, the nozzle is lifted a little to create " -"clearance between nozzle and the print. It prevents nozzle from hitting the " -"print when travel move. Using spiral line to lift z can prevent stringing" +"Whenever the retraction is done, the nozzle is lifted a little to create clearance between " +"nozzle and the print. It prevents nozzle from hitting the print when travel move. Using " +"spiral line to lift z can prevent stringing" msgstr "" -"Wanneer er een terugtrekking (retracction) is, wordt de nozzle een beetje " -"opgetild om ruimte te creëren tussen de nozzle en de print. Dit voorkomt dat " -"de nozzle de print raakt bij veplaatsen. Het gebruik van spiraallijnen om Z " -"op te tillen kan stringing voorkomen." +"Wanneer er een terugtrekking (retraction) is, wordt het mondstuk een beetje opgetild om " +"ruimte te creëren tussen het mondstuk en de print. Dit voorkomt dat het mondstuk de print " +"raakt bij verplaatsen. Het gebruik van spiraallijnen om Z op te tillen kan stringing " +"voorkomen." msgid "Z hop lower boundary" msgstr "Z hop ondergrens" msgid "" -"Z hop will only come into effect when Z is above this value and is below the " -"parameter: \"Z hop upper boundary\"" +"Z hop will only come into effect when Z is above this value and is below the parameter: \"Z " +"hop upper boundary\"" msgstr "" -"Z hop treedt alleen in werking wanneer Z boven deze waarde ligt en onder de " -"parameter: \"Z hop bovengrens\"." +"Z hop treedt alleen in werking wanneer Z boven deze waarde ligt en onder de parameter: \"Z " +"hop bovengrens\"." msgid "Z hop upper boundary" msgstr "Z hop bovengrens" msgid "" -"If this value is positive, Z hop will only come into effect when Z is above " -"the parameter: \"Z hop lower boundary\" and is below this value" +"If this value is positive, Z hop will only come into effect when Z is above the parameter: " +"\"Z hop lower boundary\" and is below this value" msgstr "" -"Als deze waarde positief is, treedt Z hop alleen in werking als Z boven de " -"parameter ligt: \"Z hop ondergrens\" en onder deze waarde ligt" +"Als deze waarde positief is, treedt Z hop alleen in werking als Z boven de parameter ligt: " +"\"Z hop ondergrens\" en onder deze waarde ligt" msgid "Z hop type" msgstr "" @@ -12223,32 +11760,31 @@ msgid "Traveling angle" msgstr "" msgid "" -"Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results " -"in Normal Lift" +"Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results in Normal Lift" msgstr "" msgid "Only lift Z above" msgstr "Beweeg Z alleen omhoog boven" msgid "" -"If you set this to a positive value, Z lift will only take place above the " -"specified absolute Z." +"If you set this to a positive value, Z lift will only take place above the specified " +"absolute Z." msgstr "" msgid "Only lift Z below" msgstr "Beweeg Z alleen omhoog onder" msgid "" -"If you set this to a positive value, Z lift will only take place below the " -"specified absolute Z." +"If you set this to a positive value, Z lift will only take place below the specified " +"absolute Z." msgstr "" msgid "On surfaces" msgstr "" msgid "" -"Enforce Z Hop behavior. This setting is impacted by the above settings (Only " -"lift Z above/below)." +"Enforce Z Hop behavior. This setting is impacted by the above settings (Only lift Z above/" +"below)." msgstr "" msgid "All Surfaces" @@ -12267,18 +11803,18 @@ msgid "Extra length on restart" msgstr "Extra lengte bij herstart" msgid "" -"When the retraction is compensated after the travel move, the extruder will " -"push this additional amount of filament. This setting is rarely needed." +"When the retraction is compensated after the travel move, the extruder will push this " +"additional amount of filament. This setting is rarely needed." msgstr "" -"Als retracten wordt gecompenseerd na een beweging, wordt deze extra " -"hoeveelheid filament geëxtrudeerd. Deze instelling is zelden van toepassing." +"Als retracten wordt gecompenseerd na een beweging, wordt deze extra hoeveelheid filament " +"geëxtrudeerd. Deze instelling is zelden van toepassing." msgid "" -"When the retraction is compensated after changing tool, the extruder will " -"push this additional amount of filament." +"When the retraction is compensated after changing tool, the extruder will push this " +"additional amount of filament." msgstr "" -"Als retracten wordt gecompenseerd na een toolwisseling, wordt deze extra " -"hoeveelheid filament geëxtrudeerd." +"Als retracten wordt gecompenseerd na een toolwisseling, wordt deze extra hoeveelheid " +"filament geëxtrudeerd." msgid "Retraction Speed" msgstr "Terugtrek (retraction) snelheid" @@ -12289,20 +11825,18 @@ msgstr "Dit is de snelheid voor terugtrekken (retraction)" msgid "Deretraction Speed" msgstr "Snelheid van terugtrekken (deretraction)" -msgid "" -"Speed for reloading filament into extruder. Zero means same speed with " -"retraction" +msgid "Speed for reloading filament into extruder. Zero means same speed with retraction" msgstr "" -"De snelheid voor het herladen van filament in de extruder na een " -"terugtrekking (retraction); als u dit op 0 zet, betekent dit dat het " -"dezelfde snelheid heeft als het intrekken (retraction)." +"De snelheid voor het herladen van filament in de extruder na een terugtrekking " +"(retraction); als u dit op 0 zet, betekent dit dat het dezelfde snelheid heeft als het " +"intrekken (retraction)." msgid "Use firmware retraction" msgstr "Gebruik firmware retractie" msgid "" -"This experimental setting uses G10 and G11 commands to have the firmware " -"handle the retraction. This is only supported in recent Marlin." +"This experimental setting uses G10 and G11 commands to have the firmware handle the " +"retraction. This is only supported in recent Marlin." msgstr "" msgid "Show auto-calibration marks" @@ -12311,8 +11845,7 @@ msgstr "" msgid "Disable set remaining print time" msgstr "" -msgid "" -"Disable generating of the M73: Set remaining print time in the final gcode" +msgid "Disable generating of the M73: Set remaining print time in the final gcode" msgstr "" msgid "Seam position" @@ -12337,46 +11870,43 @@ msgid "Staggered inner seams" msgstr "" msgid "" -"This option causes the inner seams to be shifted backwards based on their " -"depth, forming a zigzag pattern." +"This option causes the inner seams to be shifted backwards based on their depth, forming a " +"zigzag pattern." msgstr "" msgid "Seam gap" msgstr "Naadopening" msgid "" -"In order to reduce the visibility of the seam in a closed loop extrusion, " -"the loop is interrupted and shortened by a specified amount.\n" -"This amount can be specified in millimeters or as a percentage of the " -"current extruder diameter. The default value for this parameter is 10%." +"In order to reduce the visibility of the seam in a closed loop extrusion, the loop is " +"interrupted and shortened by a specified amount.\n" +"This amount can be specified in millimeters or as a percentage of the current extruder " +"diameter. The default value for this parameter is 10%." msgstr "" msgid "Scarf joint seam (beta)" msgstr "" msgid "Use scarf joint to minimize seam visibility and increase seam strength." -msgstr "" -"Use scarf joint to minimize seam visibility and increase seam strength." +msgstr "Use scarf joint to minimize seam visibility and increase seam strength." msgid "Conditional scarf joint" msgstr "Conditional scarf joint" msgid "" -"Apply scarf joints only to smooth perimeters where traditional seams do not " -"conceal the seams at sharp corners effectively." +"Apply scarf joints only to smooth perimeters where traditional seams do not conceal the " +"seams at sharp corners effectively." msgstr "" -"Apply scarf joints only to smooth perimeters where traditional seams do not " -"conceal the seams at sharp corners effectively." +"Apply scarf joints only to smooth perimeters where traditional seams do not conceal the " +"seams at sharp corners effectively." msgid "Conditional angle threshold" msgstr "Conditional angle threshold" msgid "" -"This option sets the threshold angle for applying a conditional scarf joint " -"seam.\n" -"If the maximum angle within the perimeter loop exceeds this value " -"(indicating the absence of sharp corners), a scarf joint seam will be used. " -"The default value is 155°." +"This option sets the threshold angle for applying a conditional scarf joint seam.\n" +"If the maximum angle within the perimeter loop exceeds this value (indicating the absence " +"of sharp corners), a scarf joint seam will be used. The default value is 155°." msgstr "" msgid "Conditional overhang threshold" @@ -12384,25 +11914,23 @@ msgstr "" #, no-c-format, no-boost-format msgid "" -"This option determines the overhang threshold for the application of scarf " -"joint seams. If the unsupported portion of the perimeter is less than this " -"threshold, scarf joint seams will be applied. The default threshold is set " -"at 40% of the external wall's width. Due to performance considerations, the " -"degree of overhang is estimated." +"This option determines the overhang threshold for the application of scarf joint seams. If " +"the unsupported portion of the perimeter is less than this threshold, scarf joint seams " +"will be applied. The default threshold is set at 40% of the external wall's width. Due to " +"performance considerations, the degree of overhang is estimated." msgstr "" msgid "Scarf joint speed" msgstr "" msgid "" -"This option sets the printing speed for scarf joints. It is recommended to " -"print scarf joints at a slow speed (less than 100 mm/s). It's also " -"advisable to enable 'Extrusion rate smoothing' if the set speed varies " -"significantly from the speed of the outer or inner walls. If the speed " -"specified here is higher than the speed of the outer or inner walls, the " -"printer will default to the slower of the two speeds. When specified as a " -"percentage (e.g., 80%), the speed is calculated based on the respective " -"outer or inner wall speed. The default value is set to 100%." +"This option sets the printing speed for scarf joints. It is recommended to print scarf " +"joints at a slow speed (less than 100 mm/s). It's also advisable to enable 'Extrusion rate " +"smoothing' if the set speed varies significantly from the speed of the outer or inner " +"walls. If the speed specified here is higher than the speed of the outer or inner walls, " +"the printer will default to the slower of the two speeds. When specified as a percentage (e." +"g., 80%), the speed is calculated based on the respective outer or inner wall speed. The " +"default value is set to 100%." msgstr "" msgid "Scarf joint flow ratio" @@ -12416,12 +11944,12 @@ msgstr "Scarf start height" msgid "" "Start height of the scarf.\n" -"This amount can be specified in millimeters or as a percentage of the " -"current layer height. The default value for this parameter is 0." +"This amount can be specified in millimeters or as a percentage of the current layer height. " +"The default value for this parameter is 0." msgstr "" "Start height of the scarf.\n" -"This amount can be specified in millimeters or as a percentage of the " -"current layer height. The default value for this parameter is 0." +"This amount can be specified in millimeters or as a percentage of the current layer height. " +"The default value for this parameter is 0." msgid "Scarf around entire wall" msgstr "Scarf around entire wall" @@ -12432,12 +11960,8 @@ msgstr "The scarf extends to the entire length of the wall." msgid "Scarf length" msgstr "Scarf length" -msgid "" -"Length of the scarf. Setting this parameter to zero effectively disables the " -"scarf." -msgstr "" -"Length of the scarf. Setting this parameter to zero effectively disables the " -"scarf." +msgid "Length of the scarf. Setting this parameter to zero effectively disables the scarf." +msgstr "Length of the scarf. Setting this parameter to zero effectively disables the scarf." msgid "Scarf steps" msgstr "Scarf steps" @@ -12455,47 +11979,45 @@ msgid "Role base wipe speed" msgstr "" msgid "" -"The wipe speed is determined by the speed of the current extrusion role.e.g. " -"if a wipe action is executed immediately following an outer wall extrusion, " -"the speed of the outer wall extrusion will be utilized for the wipe action." +"The wipe speed is determined by the speed of the current extrusion role.e.g. if a wipe " +"action is executed immediately following an outer wall extrusion, the speed of the outer " +"wall extrusion will be utilized for the wipe action." msgstr "" msgid "Wipe on loops" msgstr "" msgid "" -"To minimize the visibility of the seam in a closed loop extrusion, a small " -"inward movement is executed before the extruder leaves the loop." +"To minimize the visibility of the seam in a closed loop extrusion, a small inward movement " +"is executed before the extruder leaves the loop." msgstr "" msgid "Wipe before external loop" msgstr "" msgid "" -"To minimise visibility of potential overextrusion at the start of an " -"external perimeter when printing with Outer/Inner or Inner/Outer/Inner wall " -"print order, the deretraction is performed slightly on the inside from the " -"start of the external perimeter. That way any potential over extrusion is " -"hidden from the outside surface. \n" +"To minimise visibility of potential overextrusion at the start of an external perimeter " +"when printing with Outer/Inner or Inner/Outer/Inner wall print order, the deretraction is " +"performed slightly on the inside from the start of the external perimeter. That way any " +"potential over extrusion is hidden from the outside surface. \n" "\n" -"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall " -"print order as in these modes it is more likely an external perimeter is " -"printed immediately after a deretraction move." +"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall print order as in " +"these modes it is more likely an external perimeter is printed immediately after a " +"deretraction move." msgstr "" msgid "Wipe speed" msgstr "Veegsnelheid" msgid "" -"The wipe speed is determined by the speed setting specified in this " -"configuration.If the value is expressed as a percentage (e.g. 80%), it will " -"be calculated based on the travel speed setting above.The default value for " -"this parameter is 80%" +"The wipe speed is determined by the speed setting specified in this configuration.If the " +"value is expressed as a percentage (e.g. 80%), it will be calculated based on the travel " +"speed setting above.The default value for this parameter is 80%" msgstr "" -"De veegsnelheid wordt bepaald door de snelheidsinstelling die in deze " -"configuratie is opgegeven.Als de waarde wordt uitgedrukt als percentage " -"(bijv. 80%), wordt deze berekend op basis van de bovenstaande instelling van " -"de rijsnelheid.De standaardwaarde voor deze parameter is 80%." +"De veegsnelheid wordt bepaald door de snelheidsinstelling die in deze configuratie is " +"opgegeven.Als de waarde wordt uitgedrukt als percentage (bijv. 80%), wordt deze berekend op " +"basis van de bovenstaande instelling van de rijsnelheid.De standaardwaarde voor deze " +"parameter is 80%." msgid "Skirt distance" msgstr "Rand (skirt) afstand" @@ -12513,17 +12035,17 @@ msgid "Draft shield" msgstr "Tochtscherm" msgid "" -"A draft shield is useful to protect an ABS or ASA print from warping and " -"detaching from print bed due to wind draft. It is usually needed only with " -"open frame printers, i.e. without an enclosure. \n" +"A draft shield is useful to protect an ABS or ASA print from warping and detaching from " +"print bed due to wind draft. It is usually needed only with open frame printers, i.e. " +"without an enclosure. \n" "\n" "Options:\n" "Enabled = skirt is as tall as the highest printed object.\n" "Limited = skirt is as tall as specified by skirt height.\n" "\n" -"Note: With the draft shield active, the skirt will be printed at skirt " -"distance from the object. Therefore, if brims are active it may intersect " -"with them. To avoid this, increase the skirt distance value.\n" +"Note: With the draft shield active, the skirt will be printed at skirt distance from the " +"object. Therefore, if brims are active it may intersect with them. To avoid this, increase " +"the skirt distance value.\n" msgstr "" msgid "Limited" @@ -12536,9 +12058,7 @@ msgid "Skirt loops" msgstr "Rand (skirt) lussen" msgid "Number of loops for the skirt. Zero means disabling skirt" -msgstr "" -"Dit is het aantal lussen voor de skirt. 0 betekent dat de skirt is " -"uitgeschakeld." +msgstr "Dit is het aantal lussen voor de skirt. 0 betekent dat de skirt is uitgeschakeld." msgid "Skirt speed" msgstr "" @@ -12550,30 +12070,28 @@ msgid "Skirt minimum extrusion length" msgstr "" msgid "" -"Minimum filament extrusion length in mm when printing the skirt. Zero means " -"this feature is disabled.\n" +"Minimum filament extrusion length in mm when printing the skirt. Zero means this feature is " +"disabled.\n" "\n" -"Using a non zero value is useful if the printer is set up to print without a " -"prime line." +"Using a non zero value is useful if the printer is set up to print without a prime line." msgstr "" msgid "" -"The printing speed in exported gcode will be slowed down, when the estimated " -"layer time is shorter than this value, to get better cooling for these layers" +"The printing speed in exported gcode will be slowed down, when the estimated layer time is " +"shorter than this value, to get better cooling for these layers" msgstr "" -"De printnelheid in geëxporteerde G-code wordt vertraagd wanneer de geschatte " -"laagtijd korter is dan deze waarde om een betere koeling voor deze lagen te " -"krijgen." +"De printnelheid in geëxporteerde G-code wordt vertraagd wanneer de geschatte laagtijd " +"korter is dan deze waarde om een betere koeling voor deze lagen te krijgen." msgid "Minimum sparse infill threshold" msgstr "Minimale drempel voor dunne opvulling (infill)" msgid "" -"Sparse infill area which is smaller than threshold value is replaced by " -"internal solid infill" +"Sparse infill area which is smaller than threshold value is replaced by internal solid " +"infill" msgstr "" -"Dunne opvullingen (infill) die kleiner zijn dan deze drempelwaarde worden " -"vervangen door solide interne vulling (infill)." +"Dunne opvullingen (infill) die kleiner zijn dan deze drempelwaarde worden vervangen door " +"solide interne vulling (infill)." msgid "Solid infill" msgstr "" @@ -12582,63 +12100,59 @@ msgid "Filament to print solid infill" msgstr "" msgid "" -"Line width of internal solid infill. If expressed as a %, it will be " -"computed over the nozzle diameter." +"Line width of internal solid infill. If expressed as a %, it will be computed over the " +"nozzle diameter." msgstr "" msgid "Speed of internal solid infill, not the top and bottom surface" msgstr "" -"Dit is de snelheid voor de interne solide vulling (infill), bodem en " -"bovenste oppervlakte zijn hiervan uitgezonderd" +"Dit is de snelheid voor de interne solide vulling (infill), bodem en bovenste oppervlakte " +"zijn hiervan uitgezonderd" msgid "" -"Spiralize smooths out the z moves of the outer contour. And turns a solid " -"model into a single walled print with solid bottom layers. The final " -"generated model has no seam" +"Spiralize smooths out the z moves of the outer contour. And turns a solid model into a " +"single walled print with solid bottom layers. The final generated model has no seam" msgstr "" -"Dit maakt spiralen mogelijk, waardoor de Z-bewegingen van de buitencontour " -"worden afgevlakt en een solide model wordt omgezet in een enkelwandige print " -"met solide onderlagen. Het uiteindelijke gegenereerde model heeft geen naad." +"Dit maakt spiralen mogelijk, waardoor de Z-bewegingen van de buitencontour worden afgevlakt " +"en een solide model wordt omgezet in een enkelwandige print met solide onderlagen. Het " +"uiteindelijke gegenereerde model heeft geen naad." msgid "Smooth Spiral" msgstr "Smooth Spiral" msgid "" -"Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam " -"at all, even in the XY directions on walls that are not vertical" +"Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam at all, even " +"in the XY directions on walls that are not vertical" msgstr "" -"Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam " -"at all, even in the XY directions on walls that are not vertical" +"Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam at all, even " +"in the XY directions on walls that are not vertical" msgid "Max XY Smoothing" msgstr "Max XY Smoothing" msgid "" -"Maximum distance to move points in XY to try to achieve a smooth spiralIf " -"expressed as a %, it will be computed over nozzle diameter" +"Maximum distance to move points in XY to try to achieve a smooth spiralIf expressed as a %, " +"it will be computed over nozzle diameter" msgstr "" -"Maximum distance to move points in XY to try to achieve a smooth spiral. If " -"expressed as a %, it will be computed over nozzle diameter" +"Maximale afstand om punten in XY te verplaatsen om te proberen een gladde spiraal te " +"bereiken. Als het wordt uitgedrukt als een %, wordt het berekend over de diameter van het " +"mondstuk" msgid "" -"If smooth or traditional mode is selected, a timelapse video will be " -"generated for each print. After each layer is printed, a snapshot is taken " -"with the chamber camera. All of these snapshots are composed into a " -"timelapse video when printing completes. If smooth mode is selected, the " -"toolhead will move to the excess chute after each layer is printed and then " -"take a snapshot. Since the melt filament may leak from the nozzle during the " -"process of taking a snapshot, prime tower is required for smooth mode to " -"wipe nozzle." +"If smooth or traditional mode is selected, a timelapse video will be generated for each " +"print. After each layer is printed, a snapshot is taken with the chamber camera. All of " +"these snapshots are composed into a timelapse video when printing completes. If smooth mode " +"is selected, the toolhead will move to the excess chute after each layer is printed and " +"then take a snapshot. Since the melt filament may leak from the nozzle during the process " +"of taking a snapshot, prime tower is required for smooth mode to wipe nozzle." msgstr "" -"Als de vloeiende of traditionele modus is geselecteerd, wordt voor elke " -"print een timelapse-video gegenereerd. Nadat elke laag is geprint, wordt een " -"momentopname gemaakt met de kamercamera. Al deze momentopnamen worden " -"samengevoegd tot een timelapse-video wanneer het afdrukken is voltooid. Als " -"de vloeiende modus is geselecteerd, beweegt de gereedschapskop naar de " -"afvoer chute nadat iedere laag is afgedrukt en maakt vervolgens een " -"momentopname. Aangezien het gesmolten filament uit de nozzle kan lekken " -"tijdens het maken van een momentopname, is voor de soepele modus een " -"primetoren nodig om de nozzle schoon te vegen." +"Als de vloeiende of traditionele modus is geselecteerd, wordt voor elke print een timelapse-" +"video gegenereerd. Nadat elke laag is geprint, wordt een momentopname gemaakt met de " +"kamercamera. Al deze momentopnamen worden samengevoegd tot een timelapse-video wanneer het " +"afdrukken is voltooid. Als de vloeiende modus is geselecteerd, beweegt de gereedschapskop " +"naar de afvoer chute nadat iedere laag is afgedrukt en maakt vervolgens een momentopname. " +"Aangezien het gesmolten filament uit het mondstuk kan lekken tijdens het maken van een " +"momentopname, is voor de soepele modus een primetoren nodig om het mondstuk schoon te vegen." msgid "Traditional" msgstr "Traditioneel" @@ -12648,27 +12162,25 @@ msgstr "Temperatuur variatie" #. TRN PrintSettings : "Ooze prevention" > "Temperature variation" msgid "" -"Temperature difference to be applied when an extruder is not active. The " -"value is not used when 'idle_temperature' in filament settings is set to non " -"zero value." +"Temperature difference to be applied when an extruder is not active. The value is not used " +"when 'idle_temperature' in filament settings is set to non zero value." msgstr "" msgid "Preheat time" msgstr "" msgid "" -"To reduce the waiting time after tool change, Orca can preheat the next tool " -"while the current tool is still in use. This setting specifies the time in " -"seconds to preheat the next tool. Orca will insert a M104 command to preheat " -"the tool in advance." +"To reduce the waiting time after tool change, Orca can preheat the next tool while the " +"current tool is still in use. This setting specifies the time in seconds to preheat the " +"next tool. Orca will insert a M104 command to preheat the tool in advance." msgstr "" msgid "Preheat steps" msgstr "" msgid "" -"Insert multiple preheat commands(e.g. M104.1). Only useful for Prusa XL. For " -"other printers, please set it to 1." +"Insert multiple preheat commands(e.g. M104.1). Only useful for Prusa XL. For other " +"printers, please set it to 1." msgstr "" msgid "Start G-code" @@ -12690,11 +12202,10 @@ msgid "Manual Filament Change" msgstr "" msgid "" -"Enable this option to omit the custom Change filament G-code only at the " -"beginning of the print. The tool change command (e.g., T0) will be skipped " -"throughout the entire print. This is useful for manual multi-material " -"printing, where we use M600/PAUSE to trigger the manual filament change " -"action." +"Enable this option to omit the custom Change filament G-code only at the beginning of the " +"print. The tool change command (e.g., T0) will be skipped throughout the entire print. This " +"is useful for manual multi-material printing, where we use M600/PAUSE to trigger the manual " +"filament change action." msgstr "" msgid "Purge in prime tower" @@ -12710,48 +12221,45 @@ msgid "No sparse layers (beta)" msgstr "" msgid "" -"If enabled, the wipe tower will not be printed on layers with no " -"toolchanges. On layers with a toolchange, extruder will travel downward to " -"print the wipe tower. User is responsible for ensuring there is no collision " -"with the print." +"If enabled, the wipe tower will not be printed on layers with no toolchanges. On layers " +"with a toolchange, extruder will travel downward to print the wipe tower. User is " +"responsible for ensuring there is no collision with the print." msgstr "" -"Het afveegblok wordt niet geprint bij lagen zonder toolwisselingen als dit " -"is ingeschakeld. Op lagen met een toolwissel zal de extruder neerwaarts " -"bewegen naar het afveegblok. De gebruiker is verantwoordelijk voor eventuele " -"botsingen met de print." +"Het afveegblok wordt niet geprint bij lagen zonder toolwisselingen als dit is ingeschakeld. " +"Op lagen met een toolwissel zal de extruder neerwaarts bewegen naar het afveegblok. De " +"gebruiker is verantwoordelijk voor eventuele botsingen met de print." msgid "Prime all printing extruders" msgstr "Veeg alle printextruders af" msgid "" -"If enabled, all printing extruders will be primed at the front edge of the " -"print bed at the start of the print." +"If enabled, all printing extruders will be primed at the front edge of the print bed at the " +"start of the print." msgstr "" -"Alle extruders worden afgeveegd aan de voorzijde van het printbed aan het " -"begin van de print als dit is ingeschakeld." +"Alle extruders worden afgeveegd aan de voorzijde van het printbed aan het begin van de " +"print als dit is ingeschakeld." msgid "Slice gap closing radius" msgstr "Sluitingsradius van de gap" msgid "" -"Cracks smaller than 2x gap closing radius are being filled during the " -"triangle mesh slicing. The gap closing operation may reduce the final print " -"resolution, therefore it is advisable to keep the value reasonably low." +"Cracks smaller than 2x gap closing radius are being filled during the triangle mesh " +"slicing. The gap closing operation may reduce the final print resolution, therefore it is " +"advisable to keep the value reasonably low." msgstr "" -"Scheuren kleiner dan 2x de sluitradius van de spleet worden opgevuld tijdens " -"het snijden van driehoekig mesh. Het sluiten van openingen kan de " -"uiteindelijke afdrukresolutie verminderen, daarom is het raadzaam om de " -"waarde redelijk laag te houden." +"Scheuren kleiner dan 2x de sluitradius van de spleet worden opgevuld tijdens het snijden " +"van driehoekig mesh. Het sluiten van openingen kan de uiteindelijke afdrukresolutie " +"verminderen, daarom is het raadzaam om de waarde redelijk laag te houden." msgid "Slicing Mode" msgstr "Slicing-modus" msgid "" -"Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to " -"close all holes in the model." +"Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to close all holes in " +"the model." msgstr "" -"Gebruik „Even-Oneven” voor 3DLabPrint-vliegtuigmodellen. Gebruik „Gaten " -"sluiten” om alle gaten in het model te sluiten." +"Gebruik „Even-Oneven” voor 3DLabPrint-vliegtuigmodellen. Gebruik „Gaten sluiten” om alle " +"gaten in het model te sluiten." msgid "Regular" msgstr "Standaard" @@ -12766,15 +12274,15 @@ msgid "Z offset" msgstr "Z-hoogte" msgid "" -"This value will be added (or subtracted) from all the Z coordinates in the " -"output G-code. It is used to compensate for bad Z endstop position: for " -"example, if your endstop zero actually leaves the nozzle 0.3mm far from the " -"print bed, set this to -0.3 (or fix your endstop)." +"This value will be added (or subtracted) from all the Z coordinates in the output G-code. " +"It is used to compensate for bad Z endstop position: for example, if your endstop zero " +"actually leaves the nozzle 0.3mm far from the print bed, set this to -0.3 (or fix your " +"endstop)." msgstr "" -"Deze waarde wordt toegevoegd (of afgetrokken) van alle Z-coördinaten in de G-" -"code. Het wordt gebruikt voor een slechte Z-eindstop positie. Als de Z-" -"eindstop bijvoorbeeld een waarde gebruikt die 0.3mm van het printbed is, kan " -"dit ingesteld worden op -0.3mm." +"Deze waarde wordt toegevoegd (of afgetrokken) van alle Z-coördinaten in de uitvoer-G-code. " +"Het wordt gebruikt om een ​​slechte Z-eindstoppositie te compenseren. Bijvoorbeeld, als de " +"eindstopnul eigenlijk 0,3 mm overlaat tussen het mondstuk en het printbed, stelt u dit in " +"op -0,3 (of maak uw eindstop goed vast)." msgid "Enable support" msgstr "Support inschakelen" @@ -12783,13 +12291,12 @@ msgid "Enable support generation." msgstr "Dit maakt het genereren van support mogelijk." msgid "" -"normal(auto) and tree(auto) is used to generate support automatically. If " -"normal(manual) or tree(manual) is selected, only support enforcers are " -"generated" +"normal(auto) and tree(auto) is used to generate support automatically. If normal(manual) or " +"tree(manual) is selected, only support enforcers are generated" msgstr "" -"normal(auto) en tree(auto) worden gebruikt om automatisch steun te " -"genereren. Als normaal(handmatig) of tree(handmatig) is geselecteerd, worden " -"alleen ondersteuningen handhavers gegenereerd." +"normal(auto) en tree(auto) worden gebruikt om automatisch steun te genereren. Als " +"normaal(handmatig) of tree(handmatig) is geselecteerd, worden alleen ondersteuningen " +"handhavers gegenereerd." msgid "normal(auto)" msgstr "Normaal (automatisch)" @@ -12813,9 +12320,7 @@ msgid "Pattern angle" msgstr "Patroon hoek" msgid "Use this setting to rotate the support pattern on the horizontal plane." -msgstr "" -"Gebruik deze instelling om het support patroon op het horizontale vlak te " -"roteren." +msgstr "Gebruik deze instelling om het support patroon op het horizontale vlak te roteren." msgid "On build plate only" msgstr "Alleen op het printbed" @@ -12826,12 +12331,9 @@ msgstr "Deze instelling genereert alleen support die begint op het printbed." msgid "Support critical regions only" msgstr "Alleen kritische regio's ondersteunen" -msgid "" -"Only create support for critical regions including sharp tail, cantilever, " -"etc." +msgid "Only create support for critical regions including sharp tail, cantilever, etc." msgstr "" -"Creëer alleen ondersteuning voor kritieke gebieden, waaronder sharp tail, " -"cantilever, etc." +"Creëer alleen ondersteuning voor kritieke gebieden, waaronder sharp tail, cantilever, etc." msgid "Remove small overhangs" msgstr "Kleine uitsteeksels verwijderen" @@ -12843,8 +12345,7 @@ msgid "Top Z distance" msgstr "Top Z afstand" msgid "The z gap between the top support interface and object" -msgstr "" -"Dit bepaald de Z-afstand tussen de bovenste support interfaces en het object." +msgstr "Dit bepaald de Z-afstand tussen de bovenste support interfaces en het object." msgid "Bottom Z distance" msgstr "Onderste Z-afstand" @@ -12856,46 +12357,39 @@ msgid "Support/raft base" msgstr "Support/raft base" msgid "" -"Filament to print support base and raft. \"Default\" means no specific " -"filament for support and current filament is used" +"Filament to print support base and raft. \"Default\" means no specific filament for support " +"and current filament is used" msgstr "" -"Filament voor het printen van ondersteuning (support) en raft. \"Standaard\" " -"betekent geen specifiek filament voor ondersteuning (support) en het " -"huidige filament wordt gebruikt." +"Filament voor het printen van ondersteuning (support) en raft. \"Standaard\" betekent geen " +"specifiek filament voor ondersteuning (support) en het huidige filament wordt gebruikt." msgid "Avoid interface filament for base" msgstr "Vermijd interfacedraad voor basis" -msgid "" -"Avoid using support interface filament to print support base if possible." +msgid "Avoid using support interface filament to print support base if possible." msgstr "" -"Gebruik indien mogelijk geen filament voor de steuninterface om de " -"steunbasis te printen." +"Gebruik indien mogelijk geen filament voor de steuninterface om de steunbasis te printen." msgid "" -"Line width of support. If expressed as a %, it will be computed over the " -"nozzle diameter." +"Line width of support. If expressed as a %, it will be computed over the nozzle diameter." msgstr "" msgid "Interface use loop pattern" msgstr "Luspatroon interface" -msgid "" -"Cover the top contact layer of the supports with loops. Disabled by default." +msgid "Cover the top contact layer of the supports with loops. Disabled by default." msgstr "" -"Dit bedekt de bovenste laag van de support met lussen. Het is standaard " -"uitgeschakeld." +"Dit bedekt de bovenste laag van de support met lussen. Het is standaard uitgeschakeld." msgid "Support/raft interface" msgstr "Support/raft interface" msgid "" -"Filament to print support interface. \"Default\" means no specific filament " -"for support interface and current filament is used" +"Filament to print support interface. \"Default\" means no specific filament for support " +"interface and current filament is used" msgstr "" -"Filament om ondersteuning (support) te printen. \"Standaard\" betekent geen " -"specifiek filament voor ondersteuning (support), en het huidige filament " -"wordt gebruikt." +"Filament om ondersteuning (support) te printen. \"Standaard\" betekent geen specifiek " +"filament voor ondersteuning (support), en het huidige filament wordt gebruikt." msgid "Top interface layers" msgstr "Bovenste interface lagen" @@ -12916,16 +12410,13 @@ msgid "Top interface spacing" msgstr "Bovenste interface-afstand" msgid "Spacing of interface lines. Zero means solid interface" -msgstr "" -"Dit is de afstand tussen de interfacelijnen. 0 betekent solide interface." +msgstr "Dit is de afstand tussen de interfacelijnen. 0 betekent solide interface." msgid "Bottom interface spacing" msgstr "Onderste interface-afstand" msgid "Spacing of bottom interface lines. Zero means solid interface" -msgstr "" -"Dit is de afstand tussen de onderste interfacelijnen. 0 betekent solide " -"interface." +msgstr "Dit is de afstand tussen de onderste interfacelijnen. 0 betekent solide interface." msgid "Speed of support interface" msgstr "Dit is de snelheid voor het printen van de support interfaces." @@ -12946,13 +12437,12 @@ msgid "Interface pattern" msgstr "Interfacepatroon" msgid "" -"Line pattern of support interface. Default pattern for non-soluble support " -"interface is Rectilinear, while default pattern for soluble support " -"interface is Concentric" +"Line pattern of support interface. Default pattern for non-soluble support interface is " +"Rectilinear, while default pattern for soluble support interface is Concentric" msgstr "" -"Dit is het lijnpatroon voor support interfaces. Het standaardpatroon voor " -"niet-oplosbare support interfaces is Rechtlijnig, terwijl het " -"standaardpatroon voor oplosbare support interfaces Concentrisch is." +"Dit is het lijnpatroon voor support interfaces. Het standaardpatroon voor niet-oplosbare " +"support interfaces is Rechtlijnig, terwijl het standaardpatroon voor oplosbare support " +"interfaces Concentrisch is." msgid "Rectilinear Interlaced" msgstr "Rectilinear Interlaced" @@ -12967,21 +12457,18 @@ msgid "Normal Support expansion" msgstr "Normale uitbreiding van de ondersteuning" msgid "Expand (+) or shrink (-) the horizontal span of normal support" -msgstr "" -"Vergroot (+) of verklein (-) het horizontale bereik van de normale " -"ondersteuning" +msgstr "Vergroot (+) of verklein (-) het horizontale bereik van de normale ondersteuning" msgid "Speed of support" msgstr "Dit is de snelheid voor het printen van support." msgid "" -"Style and shape of the support. For normal support, projecting the supports " -"into a regular grid will create more stable supports (default), while snug " -"support towers will save material and reduce object scarring.\n" -"For tree support, slim and organic style will merge branches more " -"aggressively and save a lot of material (default organic), while hybrid " -"style will create similar structure to normal support under large flat " -"overhangs." +"Style and shape of the support. For normal support, projecting the supports into a regular " +"grid will create more stable supports (default), while snug support towers will save " +"material and reduce object scarring.\n" +"For tree support, slim and organic style will merge branches more aggressively and save a " +"lot of material (default organic), while hybrid style will create similar structure to " +"normal support under large flat overhangs." msgstr "" msgid "Snug" @@ -13003,81 +12490,75 @@ msgid "Independent support layer height" msgstr "Onafhankelijke support laaghoogte" msgid "" -"Support layer uses layer height independent with object layer. This is to " -"support customizing z-gap and save print time.This option will be invalid " -"when the prime tower is enabled." +"Support layer uses layer height independent with object layer. This is to support " +"customizing z-gap and save print time.This option will be invalid when the prime tower is " +"enabled." msgstr "" -"Support layer uses layer height independent with object layer. This is to " -"support customizing z-gap and save print time.This option will be invalid " -"when the prime tower is enabled." +"Support layer uses layer height independent with object layer. This is to support " +"customizing z-gap and save print time.This option will be invalid when the prime tower is " +"enabled." msgid "Threshold angle" msgstr "Drempel hoek" -msgid "" -"Support will be generated for overhangs whose slope angle is below the " -"threshold." +msgid "Support will be generated for overhangs whose slope angle is below the threshold." msgstr "" -"Er zal ondersteuning support gegenereerd worden voor overhangende hoeken " -"waarvan de hellingshoek lager is dan deze drempel." +"Er zal ondersteuning support gegenereerd worden voor overhangende hoeken waarvan de " +"hellingshoek lager is dan deze drempel." msgid "Tree support branch angle" msgstr "Tree support vertakkingshoek" msgid "" -"This setting determines the maximum overhang angle that t he branches of " -"tree support allowed to make.If the angle is increased, the branches can be " -"printed more horizontally, allowing them to reach farther." +"This setting determines the maximum overhang angle that t he branches of tree support " +"allowed to make.If the angle is increased, the branches can be printed more horizontally, " +"allowing them to reach farther." msgstr "" -"Deze instelling bepaalt de maximale overhanghoek die de uitloop van de tree " -"support mogen maken. Als de hoek wordt vergroot, kunnen de uitlopen meer " -"horizontaal worden geprint, waardoor ze verder kunnen reiken." +"Deze instelling bepaalt de maximale overhanghoek die de uitloop van de tree support mogen " +"maken. Als de hoek wordt vergroot, kunnen de uitlopen meer horizontaal worden geprint, " +"waardoor ze verder kunnen reiken." msgid "Preferred Branch Angle" msgstr "" #. TRN PrintSettings: "Organic supports" > "Preferred Branch Angle" msgid "" -"The preferred angle of the branches, when they do not have to avoid the " -"model. Use a lower angle to make them more vertical and more stable. Use a " -"higher angle for branches to merge faster." +"The preferred angle of the branches, when they do not have to avoid the model. Use a lower " +"angle to make them more vertical and more stable. Use a higher angle for branches to merge " +"faster." msgstr "" msgid "Tree support branch distance" msgstr "Tree support tak-afstand" -msgid "" -"This setting determines the distance between neighboring tree support nodes." -msgstr "" -"Deze instelling bepaald de afstand tussen naastliggende tree support " -"knooppunten." +msgid "This setting determines the distance between neighboring tree support nodes." +msgstr "Deze instelling bepaald de afstand tussen naastliggende tree support knooppunten." msgid "Branch Density" msgstr "" #. TRN PrintSettings: "Organic supports" > "Branch Density" msgid "" -"Adjusts the density of the support structure used to generate the tips of " -"the branches. A higher value results in better overhangs but the supports " -"are harder to remove, thus it is recommended to enable top support " -"interfaces instead of a high branch density value if dense interfaces are " -"needed." +"Adjusts the density of the support structure used to generate the tips of the branches. A " +"higher value results in better overhangs but the supports are harder to remove, thus it is " +"recommended to enable top support interfaces instead of a high branch density value if " +"dense interfaces are needed." msgstr "" msgid "Adaptive layer height" msgstr "Adaptieve laaghoogte" msgid "" -"Enabling this option means the height of tree support layer except the " -"first will be automatically calculated " +"Enabling this option means the height of tree support layer except the first will be " +"automatically calculated " msgstr "" msgid "Auto brim width" msgstr "" msgid "" -"Enabling this option means the width of the brim for tree support will be " -"automatically calculated" +"Enabling this option means the width of the brim for tree support will be automatically " +"calculated" msgstr "" msgid "Tree support brim width" @@ -13105,10 +12586,9 @@ msgstr "" #. TRN PrintSettings: "Organic supports" > "Branch Diameter Angle" msgid "" -"The angle of the branches' diameter as they gradually become thicker towards " -"the bottom. An angle of 0 will cause the branches to have uniform thickness " -"over their length. A bit of an angle can increase stability of the organic " -"support." +"The angle of the branches' diameter as they gradually become thicker towards the bottom. An " +"angle of 0 will cause the branches to have uniform thickness over their length. A bit of an " +"angle can increase stability of the organic support." msgstr "" msgid "Branch Diameter with double walls" @@ -13116,9 +12596,8 @@ msgstr "" #. TRN PrintSettings: "Organic supports" > "Branch Diameter" msgid "" -"Branches with area larger than the area of a circle of this diameter will be " -"printed with double walls for stability. Set this value to zero for no " -"double walls." +"Branches with area larger than the area of a circle of this diameter will be printed with " +"double walls for stability. Set this value to zero for no double walls." msgstr "" msgid "Support wall loops" @@ -13130,19 +12609,17 @@ msgstr "Deze instelling specificeert het aantal muren rond de ondersteuning" msgid "Tree support with infill" msgstr "Tree support met vulling" -msgid "" -"This setting specifies whether to add infill inside large hollows of tree " -"support" +msgid "This setting specifies whether to add infill inside large hollows of tree support" msgstr "" -"Deze instelling geeft aan of er opvulling moet worden toegevoegd in grote " -"holtes van de tree support." +"Deze instelling geeft aan of er opvulling moet worden toegevoegd in grote holtes van de " +"tree support." msgid "Activate temperature control" -msgstr "" +msgstr "Temperatuurregeling activeren" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" +"Enable this option for chamber temperature control. An M191 command will be added before " +"\"machine_start_gcode\"\n" "G-code commands: M141/M191 S(0-255)" msgstr "" @@ -13150,65 +12627,60 @@ msgid "Chamber temperature" msgstr "Kamertemperatuur" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"Higher chamber temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength for high temperature materials like ABS, ASA, PC, PA and " +"so on.At the same time, the air filtration of ABS and ASA will get worse.While for PLA, " +"PETG, TPU, PVA and other low temperature materials,the actual chamber temperature should " +"not be high to avoid cloggings, so 0 which stands for turning off is highly recommended" msgstr "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on. At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials, the actual chamber temperature should not " -"be high to avoid clogs, so 0 (turned off) is highly recommended." +"Higher chamber temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength for high temperature materials like ABS, ASA, PC, PA and " +"so on. At the same time, the air filtration of ABS and ASA will get worse.While for PLA, " +"PETG, TPU, PVA and other low temperature materials, the actual chamber temperature should " +"not be high to avoid clogs, so 0 (turned off) is highly recommended." msgid "Nozzle temperature for layers after the initial one" -msgstr "Nozzle temperatuur voor de lagen na de eerstse laag" +msgstr "Mondstuk temperatuur voor de lagen na de eerste laag" msgid "Detect thin wall" msgstr "Detecteer dunne wanden" msgid "" -"Detect thin wall which can't contain two line width. And use single line to " -"print. Maybe printed not very well, because it's not closed loop" +"Detect thin wall which can't contain two line width. And use single line to print. Maybe " +"printed not very well, because it's not closed loop" msgstr "" -"Dit detecteert dunne wanden die geen twee lijnen kunnen bevatten en gebruikt " -"een enkele lijn tijdens het printen. Het kan zijn dat de kwaliteit minder " -"goed is, omdat er geen gesloten lus is" +"Dit detecteert dunne wanden die geen twee lijnen kunnen bevatten en gebruikt een enkele " +"lijn tijdens het printen. Het kan zijn dat de kwaliteit minder goed is, omdat er geen " +"gesloten lus is" msgid "" -"This gcode is inserted when change filament, including T command to trigger " -"tool change" +"This gcode is inserted when change filament, including T command to trigger tool change" msgstr "" -"Deze G-code wordt ingevoegd wanneer filament wordt vervangen, inclusief T-" -"commando's om gereedschapswissel te activeren." +"Deze G-code wordt ingevoegd wanneer filament wordt vervangen, inclusief T-commando's om " +"gereedschapswissel te activeren." msgid "This gcode is inserted when the extrusion role is changed" msgstr "" msgid "" -"Line width for top surfaces. If expressed as a %, it will be computed over " -"the nozzle diameter." +"Line width for top surfaces. If expressed as a %, it will be computed over the nozzle " +"diameter." msgstr "" msgid "Speed of top surface infill which is solid" -msgstr "" -"Dit is de snelheid voor de solide vulling (infill) van de bovenste laag" +msgstr "Dit is de snelheid voor de solide vulling (infill) van de bovenste laag" msgid "Top shell layers" msgstr "Aantal lagen bovenkant" msgid "" -"This is the number of solid layers of top shell, including the top surface " -"layer. When the thickness calculated by this value is thinner than top shell " -"thickness, the top shell layers will be increased" +"This is the number of solid layers of top shell, including the top surface layer. When the " +"thickness calculated by this value is thinner than top shell thickness, the top shell " +"layers will be increased" msgstr "" -"Dit is het aantal solide lagen van de bovenkant, inclusief de bovenste " -"oppervlaktelaag. Wanneer de door deze waarde berekende dikte dunner is dan " -"de dikte van de bovenste laag, worden de bovenste lagen vergroot" +"Dit is het aantal solide lagen van de bovenkant, inclusief de bovenste oppervlaktelaag. " +"Wanneer de door deze waarde berekende dikte dunner is dan de dikte van de bovenste laag, " +"worden de bovenste lagen vergroot" msgid "Top solid layers" msgstr "Aantal bovenste solide lagen" @@ -13217,17 +12689,15 @@ msgid "Top shell thickness" msgstr "Dikte bovenkant" msgid "" -"The number of top solid layers is increased when slicing if the thickness " -"calculated by top shell layers is thinner than this value. This can avoid " -"having too thin shell when layer height is small. 0 means that this setting " -"is disabled and thickness of top shell is absolutely determained by top " -"shell layers" +"The number of top solid layers is increased when slicing if the thickness calculated by top " +"shell layers is thinner than this value. This can avoid having too thin shell when layer " +"height is small. 0 means that this setting is disabled and thickness of top shell is " +"absolutely determained by top shell layers" msgstr "" -"Het aantal bovenste solide lagen wordt verhoogd tijdens het slicen als de " -"totale dikte van de bovenste lagen lager is dan deze waarde. Dit zorgt " -"ervoor dat de schaal niet te dun is bij een lage laaghoogte. 0 betekend dat " -"deze instelling niet actief is en dat de dikte van de bovenkant bepaald " -"wordt door het aantal bodem lagen." +"Het aantal bovenste solide lagen wordt verhoogd tijdens het slicen als de totale dikte van " +"de bovenste lagen lager is dan deze waarde. Dit zorgt ervoor dat de schaal niet te dun is " +"bij een lage laaghoogte. 0 betekend dat deze instelling niet actief is en dat de dikte van " +"de bovenkant bepaald wordt door het aantal bodem lagen." msgid "Speed of travel which is faster and without extrusion" msgstr "Dit is de snelheid waarmee verplaatsingen zullen worden gedaan." @@ -13236,37 +12706,34 @@ msgid "Wipe while retracting" msgstr "Vegen tijdens intrekken (retracting)" msgid "" -"Move nozzle along the last extrusion path when retracting to clean leaked " -"material on nozzle. This can minimize blob when print new part after travel" +"Move nozzle along the last extrusion path when retracting to clean leaked material on " +"nozzle. This can minimize blob when print new part after travel" msgstr "" -"Dit beweegt de nozzle langs het laatste extrusiepad bij het terugtrekken " -"(retraction) om eventueel gelekt materiaal op het mondstuk te reinigen. Dit " -"kan \"blobs\" minimaliseren bij het printen van een nieuw onderdeel na het " -"verplaatsen." +"Dit beweegt het mondstuk langs het laatste extrusiepad bij het terugtrekken (retraction) om " +"eventueel gelekt materiaal op het mondstuk te reinigen. Dit kan \"blobs\" minimaliseren bij " +"het printen van een nieuw onderdeel na het verplaatsen" msgid "Wipe Distance" msgstr "Veeg afstand" msgid "" -"Discribe how long the nozzle will move along the last path when " -"retracting. \n" +"Discribe how long the nozzle will move along the last path when retracting. \n" "\n" -"Depending on how long the wipe operation lasts, how fast and long the " -"extruder/filament retraction settings are, a retraction move may be needed " -"to retract the remaining filament. \n" +"Depending on how long the wipe operation lasts, how fast and long the extruder/filament " +"retraction settings are, a retraction move may be needed to retract the remaining " +"filament. \n" "\n" -"Setting a value in the retract amount before wipe setting below will perform " -"any excess retraction before the wipe, else it will be performed after." +"Setting a value in the retract amount before wipe setting below will perform any excess " +"retraction before the wipe, else it will be performed after." msgstr "" msgid "" -"The wiping tower can be used to clean up the residue on the nozzle and " -"stabilize the chamber pressure inside the nozzle, in order to avoid " -"appearance defects when printing objects." +"The wiping tower can be used to clean up the residue on the nozzle and stabilize the " +"chamber pressure inside the nozzle, in order to avoid appearance defects when printing " +"objects." msgstr "" -"The wiping tower can be used to clean up residue on the nozzle and stabilize " -"the chamber pressure inside the nozzle in order to avoid appearance defects " -"when printing objects." +"De veegtoren kan worden gebruikt om resten op het mondstuk te verwijderen en de druk in het " +"mondstuk te stabiliseren om uiterlijke gebreken bij het printen van objecten te voorkomen." msgid "Purging volumes" msgstr "Volumes opschonen" @@ -13275,8 +12742,8 @@ msgid "Flush multiplier" msgstr "Flush-vermenigvuldiger" msgid "" -"The actual flushing volumes is equal to the flush multiplier multiplied by " -"the flushing volumes in the table." +"The actual flushing volumes is equal to the flush multiplier multiplied by the flushing " +"volumes in the table." msgstr "" "De werkelijke flushvolumes zijn gelijk aan de flush vermenigvuldigingswaarde " "vermenigvuldigd met de flushvolumes in de tabel." @@ -13285,9 +12752,7 @@ msgid "Prime volume" msgstr "Prime-volume" msgid "The volume of material to prime extruder on tower." -msgstr "" -"Dit is het volume van het materiaal dat de extruder op de prime toren " -"uitwerpt." +msgstr "Dit is het volume van het materiaal dat de extruder op de prime toren uitwerpt." msgid "Width of prime tower" msgstr "Dit is de breedte van de prime toren." @@ -13302,80 +12767,73 @@ msgid "Stabilization cone apex angle" msgstr "" msgid "" -"Angle at the apex of the cone that is used to stabilize the wipe tower. " -"Larger angle means wider base." +"Angle at the apex of the cone that is used to stabilize the wipe tower. Larger angle means " +"wider base." msgstr "" msgid "Maximum wipe tower print speed" msgstr "" msgid "" -"The maximum print speed when purging in the wipe tower and printing the wipe " -"tower sparse layers. When purging, if the sparse infill speed or calculated " -"speed from the filament max volumetric speed is lower, the lowest will be " -"used instead.\n" +"The maximum print speed when purging in the wipe tower and printing the wipe tower sparse " +"layers. When purging, if the sparse infill speed or calculated speed from the filament max " +"volumetric speed is lower, the lowest will be used instead.\n" "\n" -"When printing the sparse layers, if the internal perimeter speed or " -"calculated speed from the filament max volumetric speed is lower, the lowest " -"will be used instead.\n" +"When printing the sparse layers, if the internal perimeter speed or calculated speed from " +"the filament max volumetric speed is lower, the lowest will be used instead.\n" "\n" -"Increasing this speed may affect the tower's stability as well as increase " -"the force with which the nozzle collides with any blobs that may have formed " -"on the wipe tower.\n" +"Increasing this speed may affect the tower's stability as well as increase the force with " +"which the nozzle collides with any blobs that may have formed on the wipe tower.\n" "\n" -"Before increasing this parameter beyond the default of 90mm/sec, make sure " -"your printer can reliably bridge at the increased speeds and that ooze when " -"tool changing is well controlled.\n" +"Before increasing this parameter beyond the default of 90mm/sec, make sure your printer can " +"reliably bridge at the increased speeds and that ooze when tool changing is well " +"controlled.\n" "\n" -"For the wipe tower external perimeters the internal perimeter speed is used " -"regardless of this setting." +"For the wipe tower external perimeters the internal perimeter speed is used regardless of " +"this setting." msgstr "" msgid "" -"The extruder to use when printing perimeter of the wipe tower. Set to 0 to " -"use the one that is available (non-soluble would be preferred)." +"The extruder to use when printing perimeter of the wipe tower. Set to 0 to use the one that " +"is available (non-soluble would be preferred)." msgstr "" msgid "Purging volumes - load/unload volumes" msgstr "" msgid "" -"This vector saves required volumes to change from/to each tool used on the " -"wipe tower. These values are used to simplify creation of the full purging " -"volumes below." +"This vector saves required volumes to change from/to each tool used on the wipe tower. " +"These values are used to simplify creation of the full purging volumes below." msgstr "" msgid "" -"Purging after filament change will be done inside objects' infills. This may " -"lower the amount of waste and decrease the print time. If the walls are " -"printed with transparent filament, the mixed color infill will be seen " -"outside. It will not take effect, unless the prime tower is enabled." +"Purging after filament change will be done inside objects' infills. This may lower the " +"amount of waste and decrease the print time. If the walls are printed with transparent " +"filament, the mixed color infill will be seen outside. It will not take effect, unless the " +"prime tower is enabled." msgstr "" -"Het purgen na het verwisselen van het filament vindt plaats in de vullingen " -"van objecten. Dit kan de hoeveelheid afval verminderen en de printtijd " -"verkorten. Als de wanden zijn geprint met transparant filament, is de infill " -"in gemengde kleuren zichtbaar. Het wordt niet van kracht tenzij de prime " -"tower is ingeschakeld." +"Het purgen na het verwisselen van het filament vindt plaats in de vullingen van objecten. " +"Dit kan de hoeveelheid afval verminderen en de printtijd verkorten. Als de wanden zijn " +"geprint met transparant filament, is de infill in gemengde kleuren zichtbaar. Het wordt " +"niet van kracht tenzij de prime tower is ingeschakeld." msgid "" -"Purging after filament change will be done inside objects' support. This may " -"lower the amount of waste and decrease the print time. It will not take " +"Purging after filament change will be done inside objects' support. This may lower the " +"amount of waste and decrease the print time. It will not take effect, unless the prime " +"tower is enabled." +msgstr "" +"Het purgen na het verwisselen van het filament vindt plaats in de ondersteuning van de " +"objecten. Dit kan de hoeveelheid afval verminderen en de printtijd verkorten. Het wordt " +"niet van kracht tenzij een prime tower is ingeschakeld." + +msgid "" +"This object will be used to purge the nozzle after a filament change to save filament and " +"decrease the print time. Colours of the objects will be mixed as a result. It will not take " "effect, unless the prime tower is enabled." msgstr "" -"Het purgen na het verwisselen van het filament vindt plaats in de " -"ondersteuning van de objecten. Dit kan de hoeveelheid afval verminderen en " -"de printtijd verkorten. Het wordt niet van kracht tenzij een prime tower is " -"ingeschakeld." - -msgid "" -"This object will be used to purge the nozzle after a filament change to save " -"filament and decrease the print time. Colours of the objects will be mixed " -"as a result. It will not take effect, unless the prime tower is enabled." -msgstr "" -"Dit object wordt gebruikt om de nozzle te reinigen nadat het filament is " -"vervangen om filament te besparen en de printtijd te verkorten. Als " -"resultaat worden de kleuren van de objecten gemengd. Het wordt niet van " -"kracht tenzij de prime tower is ingeschakeld." +"Dit object wordt gebruikt om het mondstuk te reinigen nadat het filament is vervangen om " +"filament te besparen en de printtijd te verkorten. Als resultaat worden de kleuren van de " +"objecten gemengd. Het wordt niet van kracht tenzij de prime toren is ingeschakeld." msgid "Maximal bridging distance" msgstr "Maximale brugafstand" @@ -13393,54 +12851,50 @@ msgid "Extra flow for purging" msgstr "" msgid "" -"Extra flow used for the purging lines on the wipe tower. This makes the " -"purging lines thicker or narrower than they normally would be. The spacing " -"is adjusted automatically." +"Extra flow used for the purging lines on the wipe tower. This makes the purging lines " +"thicker or narrower than they normally would be. The spacing is adjusted automatically." msgstr "" msgid "Idle temperature" msgstr "" msgid "" -"Nozzle temperature when the tool is currently not used in multi-tool setups." -"This is only used when 'Ooze prevention' is active in Print Settings. Set to " -"0 to disable." +"Nozzle temperature when the tool is currently not used in multi-tool setups.This is only " +"used when 'Ooze prevention' is active in Print Settings. Set to 0 to disable." msgstr "" msgid "X-Y hole compensation" msgstr "X-Y-gaten compensatie" msgid "" -"Holes of object will be grown or shrunk in XY plane by the configured value. " -"Positive value makes holes bigger. Negative value makes holes smaller. This " -"function is used to adjust size slightly when the object has assembling issue" +"Holes of object will be grown or shrunk in XY plane by the configured value. Positive value " +"makes holes bigger. Negative value makes holes smaller. This function is used to adjust " +"size slightly when the object has assembling issue" msgstr "" -"Gaten in objecten worden met de ingestelde waarde groter of kleiner in het " -"XY-vlak. Positieve waarden maken de gaten groter en negatieve waarden maken " -"de gaten kleiner. Deze functie wordt gebruikt om de grootte enigszins aan te " -"passen wanneer objecten montageproblemen hebben." +"Gaten in objecten worden met de ingestelde waarde groter of kleiner in het XY-vlak. " +"Positieve waarden maken de gaten groter en negatieve waarden maken de gaten kleiner. Deze " +"functie wordt gebruikt om de grootte enigszins aan te passen wanneer objecten " +"montageproblemen hebben." msgid "X-Y contour compensation" msgstr "X-Y contourcompensatie" msgid "" -"Contour of object will be grown or shrunk in XY plane by the configured " -"value. Positive value makes contour bigger. Negative value makes contour " -"smaller. This function is used to adjust size slightly when the object has " -"assembling issue" +"Contour of object will be grown or shrunk in XY plane by the configured value. Positive " +"value makes contour bigger. Negative value makes contour smaller. This function is used to " +"adjust size slightly when the object has assembling issue" msgstr "" -"De contouren van objecten worden met de ingestelde waarde in het XY-vlak " -"groter of kleiner gemaakt. Positieve waarden maken contouren groter en " -"negatieve waarden maken contouren kleiner. Deze functie wordt gebruikt om de " -"afmetingen enigszins aan te passen wanneer objecten montageproblemen hebben." +"De contouren van objecten worden met de ingestelde waarde in het XY-vlak groter of kleiner " +"gemaakt. Positieve waarden maken contouren groter en negatieve waarden maken contouren " +"kleiner. Deze functie wordt gebruikt om de afmetingen enigszins aan te passen wanneer " +"objecten montageproblemen hebben." msgid "Convert holes to polyholes" msgstr "" msgid "" -"Search for almost-circular holes that span more than one layer and convert " -"the geometry to polyholes. Use the nozzle size and the (biggest) diameter to " -"compute the polyhole.\n" +"Search for almost-circular holes that span more than one layer and convert the geometry to " +"polyholes. Use the nozzle size and the (biggest) diameter to compute the polyhole.\n" "See http://hydraraptor.blogspot.com/2011/02/polyholes.html" msgstr "" @@ -13450,9 +12904,8 @@ msgstr "" #, no-c-format, no-boost-format msgid "" "Maximum defection of a point to the estimated radius of the circle.\n" -"As cylinders are often exported as triangles of varying size, points may not " -"be on the circle circumference. This setting allows you some leway to " -"broaden the detection.\n" +"As cylinders are often exported as triangles of varying size, points may not be on the " +"circle circumference. This setting allows you some leway to broaden the detection.\n" "In mm or in % of the radius." msgstr "" @@ -13466,38 +12919,40 @@ msgid "G-code thumbnails" msgstr "G-code miniaturen" msgid "" -"Picture sizes to be stored into a .gcode and .sl1 / .sl1s files, in the " -"following format: \"XxY, XxY, ...\"" +"Picture sizes to be stored into a .gcode and .sl1 / .sl1s files, in the following format: " +"\"XxY, XxY, ...\"" msgstr "" msgid "Format of G-code thumbnails" msgstr "Bestandstype van G-code-voorbeelden" msgid "" -"Format of G-code thumbnails: PNG for best quality, JPG for smallest size, " -"QOI for low memory firmware" +"Format of G-code thumbnails: PNG for best quality, JPG for smallest size, QOI for low " +"memory firmware" msgstr "" -"Bestandstype van G-code-voorbeelden: PNG voor de beste kwaliteit, JPG voor " -"kleinste bestand, QOI voor firmware met weinig geheugen" +"Bestandstype van G-code-voorbeelden: PNG voor de beste kwaliteit, JPG voor kleinste " +"bestand, QOI voor firmware met weinig geheugen" msgid "Use relative E distances" msgstr "Relatieve E-afstanden gebruiken" msgid "" -"Relative extrusion is recommended when using \"label_objects\" option.Some " -"extruders work better with this option unckecked (absolute extrusion mode). " -"Wipe tower is only compatible with relative mode. It is recommended on most " -"printers. Default is checked" +"Relative extrusion is recommended when using \"label_objects\" option.Some extruders work " +"better with this option unckecked (absolute extrusion mode). Wipe tower is only compatible " +"with relative mode. It is recommended on most printers. Default is checked" msgstr "" +"Relatieve extrusie wordt aanbevolen bij gebruik van de optie \"label_objects\". Sommige " +"extruders werken beter als deze optie niet is aangevinkt (absolute extrusiemodus). Wipe " +"tower is alleen compatibel met relatieve modus. Het wordt aanbevolen op de meeste printers. " +"Standaard is aangevinkt" msgid "" -"Classic wall generator produces walls with constant extrusion width and for " -"very thin areas is used gap-fill. Arachne engine produces walls with " -"variable extrusion width" +"Classic wall generator produces walls with constant extrusion width and for very thin areas " +"is used gap-fill. Arachne engine produces walls with variable extrusion width" msgstr "" -"De klassieke wandgenerator produceert wanden met constante extrusiebreedte " -"en voor zeer dunne gebieden wordt gap-fill gebruikt. De Arachne generator " -"produceert wanden met variabele extrusiebreedte." +"De klassieke wandgenerator produceert wanden met constante extrusiebreedte en voor zeer " +"dunne gebieden wordt gap-fill gebruikt. De Arachne generator produceert wanden met " +"variabele extrusiebreedte." msgid "Classic" msgstr "Klassiek" @@ -13509,126 +12964,130 @@ msgid "Wall transition length" msgstr "Lengte wandovergang" msgid "" -"When transitioning between different numbers of walls as the part becomes " -"thinner, a certain amount of space is allotted to split or join the wall " -"segments. It's expressed as a percentage over nozzle diameter" +"When transitioning between different numbers of walls as the part becomes thinner, a " +"certain amount of space is allotted to split or join the wall segments. It's expressed as a " +"percentage over nozzle diameter" msgstr "" -"Bij de overgang tussen verschillende aantallen muren naarmate het onderdeel " -"dunner wordt, wordt een bepaalde hoeveelheid ruimte toegewezen om de " -"wandsegmenten te splitsen of samen te voegen. Dit wordt uitgedrukt als een " -"percentage ten opzichte van de diameter van de nozzle." +"Bij de overgang tussen verschillende aantallen muren naarmate het onderdeel dunner wordt, " +"wordt een bepaalde hoeveelheid ruimte toegewezen om de wandsegmenten te splitsen of samen " +"te voegen. Dit wordt uitgedrukt als een percentage ten opzichte van de diameter van het " +"mondstuk." msgid "Wall transitioning filter margin" msgstr "Marge van het filter voor wandovergang" msgid "" -"Prevent transitioning back and forth between one extra wall and one less. " -"This margin extends the range of extrusion widths which follow to [Minimum " -"wall width - margin, 2 * Minimum wall width + margin]. Increasing this " -"margin reduces the number of transitions, which reduces the number of " -"extrusion starts/stops and travel time. However, large extrusion width " -"variation can lead to under- or overextrusion problems. It's expressed as a " +"Prevent transitioning back and forth between one extra wall and one less. This margin " +"extends the range of extrusion widths which follow to [Minimum wall width - margin, 2 * " +"Minimum wall width + margin]. Increasing this margin reduces the number of transitions, " +"which reduces the number of extrusion starts/stops and travel time. However, large " +"extrusion width variation can lead to under- or overextrusion problems. It's expressed as a " "percentage over nozzle diameter" msgstr "" -"Voorkom heen en weer schakelen tussen een extra wand en een wand minder. " -"Deze marge breidt het bereik van extrusiebreedten uit dat volgt op [Minimum " -"wandbreedte - marge, 2 * Minimale wandbreedte + marge]. Door deze marge te " -"vergroten, wordt het aantal overgangen verminderd, waardoor het aantal " -"extrusie-starts/-stops en travel tijd wordt verminderd. Grote variaties in " -"de extrusiebreedte kunnen echter leiden tot onder- of overextrusieproblemen. " -"Het wordt uitgedrukt als een percentage over de diameter van de nozzle" +"Voorkom heen en weer schakelen tussen een extra wand en een wand minder. Deze marge breidt " +"het bereik van extrusiebreedten uit dat volgt op [Minimum wandbreedte - marge, 2 * Minimale " +"wandbreedte + marge]. Door deze marge te vergroten, wordt het aantal overgangen verminderd, " +"waardoor het aantal extrusie-starts/-stops en travel tijd wordt verminderd. Grote variaties " +"in de extrusiebreedte kunnen echter leiden tot onder- of overextrusieproblemen. Het wordt " +"uitgedrukt als een percentage over de diameter van het mondstuk" msgid "Wall transitioning threshold angle" msgstr "Drempelhoek voor wandovergang" msgid "" -"When to create transitions between even and odd numbers of walls. A wedge " -"shape with an angle greater than this setting will not have transitions and " -"no walls will be printed in the center to fill the remaining space. Reducing " -"this setting reduces the number and length of these center walls, but may " -"leave gaps or overextrude" +"When to create transitions between even and odd numbers of walls. A wedge shape with an " +"angle greater than this setting will not have transitions and no walls will be printed in " +"the center to fill the remaining space. Reducing this setting reduces the number and length " +"of these center walls, but may leave gaps or overextrude" msgstr "" -"Wanneer moet u overgangen maken tussen even en oneven aantallen muren? Een " -"wigvorm met een hoek groter dan deze instelling heeft geen overgangen en er " -"worden in het midden geen muren afgedrukt om de resterende ruimte te vullen. " -"Als u deze instelling verlaagt, worden het aantal en de lengte van deze " -"middenwanden beperkt, maar kunnen er openingen ontstaan of overextruderen" +"Wanneer moet u overgangen maken tussen even en oneven aantallen muren? Een wigvorm met een " +"hoek groter dan deze instelling heeft geen overgangen en er worden in het midden geen muren " +"afgedrukt om de resterende ruimte te vullen. Als u deze instelling verlaagt, worden het " +"aantal en de lengte van deze middenwanden beperkt, maar kunnen er openingen ontstaan of " +"overextruderen" msgid "Wall distribution count" msgstr "Aantal wandverdelingen" msgid "" -"The number of walls, counted from the center, over which the variation needs " -"to be spread. Lower values mean that the outer walls don't change in width" +"The number of walls, counted from the center, over which the variation needs to be spread. " +"Lower values mean that the outer walls don't change in width" msgstr "" -"Het aantal wanden, geteld vanuit het midden, waarover de variatie moet " -"worden verdeeld. Lagere waarden betekenen dat de buitenwanden niet in " -"breedte veranderen." +"Het aantal wanden, geteld vanuit het midden, waarover de variatie moet worden verdeeld. " +"Lagere waarden betekenen dat de buitenwanden niet in breedte veranderen." msgid "Minimum feature size" msgstr "Minimale kenmerkgrootte" msgid "" -"Minimum thickness of thin features. Model features that are thinner than " -"this value will not be printed, while features thicker than the Minimum " -"feature size will be widened to the Minimum wall width. It's expressed as a " -"percentage over nozzle diameter" +"Minimum thickness of thin features. Model features that are thinner than this value will " +"not be printed, while features thicker than the Minimum feature size will be widened to the " +"Minimum wall width. It's expressed as a percentage over nozzle diameter" msgstr "" -"Minimale dikte van dunne onderdelen. Modelkenmerken die dunner zijn dan deze " -"waarde worden niet afgedrukt, terwijl functies die dikker zijn dan de " -"minimale afmeting van het object, worden verbreed tot de minimale " -"wandbreedte. Dit wordt uitgedrukt als een percentage ten opzichte van de " -"diameter van het mondstuk" +"Minimale dikte van dunne onderdelen. Modelkenmerken die dunner zijn dan deze waarde worden " +"niet afgedrukt, terwijl functies die dikker zijn dan de minimale afmeting van het object, " +"worden verbreed tot de minimale wandbreedte. Dit wordt uitgedrukt als een percentage ten " +"opzichte van de diameter van het mondstuk" msgid "Minimum wall length" -msgstr "" +msgstr "Minimale wandlengte" msgid "" -"Adjust this value to prevent short, unclosed walls from being printed, which " -"could increase print time. Higher values remove more and longer walls.\n" +"Adjust this value to prevent short, unclosed walls from being printed, which could increase " +"print time. Higher values remove more and longer walls.\n" "\n" -"NOTE: Bottom and top surfaces will not be affected by this value to prevent " -"visual gaps on the ouside of the model. Adjust 'One wall threshold' in the " -"Advanced settings below to adjust the sensitivity of what is considered a " -"top-surface. 'One wall threshold' is only visibile if this setting is set " -"above the default value of 0.5, or if single-wall top surfaces is enabled." +"NOTE: Bottom and top surfaces will not be affected by this value to prevent visual gaps on " +"the ouside of the model. Adjust 'One wall threshold' in the Advanced settings below to " +"adjust the sensitivity of what is considered a top-surface. 'One wall threshold' is only " +"visibile if this setting is set above the default value of 0.5, or if single-wall top " +"surfaces is enabled." msgstr "" +"Pas deze waarde aan om te voorkomen dat korte, niet-gesloten wanden worden geprint, wat de " +"printtijd kan verlengen. Hogere waarden verwijderen meer en langere wanden.\n" +"\n" +"OPMERKING: Onder- en bovenoppervlakken worden niet beïnvloed door deze waarde om visuele " +"gaten aan de buitenkant van het model te voorkomen. Pas 'One wall threshold' aan in de " +"geavanceerde instellingen hieronder om de gevoeligheid van wat als een bovenoppervlak wordt " +"beschouwd aan te passen. 'One wall threshold' is alleen zichtbaar als deze instelling boven " +"de standaardwaarde van 0,5 is ingesteld of als enkelwandige bovenoppervlakken zijn " +"ingeschakeld." msgid "First layer minimum wall width" -msgstr "" +msgstr "Eerste laag minimale wandbreedte" msgid "" -"The minimum wall width that should be used for the first layer is " -"recommended to be set to the same size as the nozzle. This adjustment is " -"expected to enhance adhesion." +"The minimum wall width that should be used for the first layer is recommended to be set to " +"the same size as the nozzle. This adjustment is expected to enhance adhesion." msgstr "" +"De minimale wandbreedte die voor de eerste laag moet worden gebruikt, wordt aanbevolen om " +"op dezelfde grootte als het mondstuk te worden ingesteld. Deze aanpassing zal naar " +"verwachting de hechting verbeteren." msgid "Minimum wall width" msgstr "Minimale wandbreedte" msgid "" -"Width of the wall that will replace thin features (according to the Minimum " -"feature size) of the model. If the Minimum wall width is thinner than the " -"thickness of the feature, the wall will become as thick as the feature " -"itself. It's expressed as a percentage over nozzle diameter" +"Width of the wall that will replace thin features (according to the Minimum feature size) " +"of the model. If the Minimum wall width is thinner than the thickness of the feature, the " +"wall will become as thick as the feature itself. It's expressed as a percentage over nozzle " +"diameter" msgstr "" -"Breedte van de muur die dunne delen (volgens de minimale functiegrootte) van " -"het model zal vervangen. Als de minimale wandbreedte dunner is dan de dikte " -"van het element, wordt de muur net zo dik als het object zelf. Dit wordt " -"uitgedrukt als een percentage ten opzichte van de diameter van de nozzle" +"Breedte van de muur die dunne delen (volgens de minimale functiegrootte) van het model zal " +"vervangen. Als de minimale wandbreedte dunner is dan de dikte van het element, wordt de " +"muur net zo dik als het object zelf. Dit wordt uitgedrukt als een percentage ten opzichte " +"van de diameter van het mondstuk" msgid "Detect narrow internal solid infill" msgstr "Detecteer dichte interne solide vulling (infill)" msgid "" -"This option will auto detect narrow internal solid infill area. If enabled, " -"concentric pattern will be used for the area to speed printing up. " -"Otherwise, rectilinear pattern is used defaultly." +"This option will auto detect narrow internal solid infill area. If enabled, concentric " +"pattern will be used for the area to speed printing up. Otherwise, rectilinear pattern is " +"used defaultly." msgstr "" -"Deze optie detecteert automatisch smalle interne solide opvul (infill) " -"gebieden. Indien ingeschakeld, wordt het concentrische patroon gebruikt voor " -"het gebied om het afdrukken te versnellen. Anders wordt standaard het " -"rechtlijnige patroon gebruikt." +"Deze optie detecteert automatisch smalle interne solide opvul (infill) gebieden. Indien " +"ingeschakeld, wordt het concentrische patroon gebruikt voor het gebied om het afdrukken te " +"versnellen. Anders wordt standaard het rechtlijnige patroon gebruikt." msgid "invalid value " msgstr "invalid value " @@ -13649,7 +13108,7 @@ msgid "export 3mf with minimum size." msgstr "" msgid "No check" -msgstr "No check" +msgstr "Geen controle" msgid "Do not run any validity checks, such as gcode path conflicts check." msgstr "Do not run any validity checks, such as G-code path conflicts check." @@ -13657,15 +13116,14 @@ msgstr "Do not run any validity checks, such as G-code path conflicts check." msgid "Ensure on bed" msgstr "Plaats op bed" -msgid "" -"Lift the object above the bed when it is partially below. Disabled by default" +msgid "Lift the object above the bed when it is partially below. Disabled by default" msgstr "" msgid "Orient Options" -msgstr "" +msgstr "Oriëntatieopties" msgid "Orient options: 0-disable, 1-enable, others-auto" -msgstr "" +msgstr "Oriëntatieopties: 0-uitschakelen, 1-inschakelen, andere-automatisch" msgid "Rotation angle around the Z axis in degrees." msgstr "Rotatiehoek rond de Z-as in graden." @@ -13680,36 +13138,34 @@ msgid "Data directory" msgstr "Bestandslocatie voor de data" msgid "" -"Load and store settings at the given directory. This is useful for " -"maintaining different profiles or including configurations from a network " -"storage." +"Load and store settings at the given directory. This is useful for maintaining different " +"profiles or including configurations from a network storage." msgstr "" -"Laad fabrieksinstellingen en sla op. Dit is handig voor het onderhouden van " -"verschillende profielen of het opnemen van configuraties van een " -"netwerkopslag." +"Laad fabrieksinstellingen en sla op. Dit is handig voor het onderhouden van verschillende " +"profielen of het opnemen van configuraties van een netwerkopslag." msgid "Load custom gcode" -msgstr "" +msgstr "Laad aangepaste gcode" msgid "Load custom gcode from json" -msgstr "" +msgstr "Laad aangepaste gcode vanuit json" msgid "Current z-hop" -msgstr "" +msgstr "Huidige z-hop" msgid "Contains z-hop present at the beginning of the custom G-code block." msgstr "" msgid "" -"Position of the extruder at the beginning of the custom G-code block. If the " -"custom G-code travels somewhere else, it should write to this variable so " -"PrusaSlicer knows where it travels from when it gets control back." +"Position of the extruder at the beginning of the custom G-code block. If the custom G-code " +"travels somewhere else, it should write to this variable so PrusaSlicer knows where it " +"travels from when it gets control back." msgstr "" msgid "" -"Retraction state at the beginning of the custom G-code block. If the custom " -"G-code moves the extruder axis, it should write to this variable so " -"PrusaSlicer deretracts correctly when it gets control back." +"Retraction state at the beginning of the custom G-code block. If the custom G-code moves " +"the extruder axis, it should write to this variable so PrusaSlicer deretracts correctly " +"when it gets control back." msgstr "" msgid "Extra deretraction" @@ -13721,9 +13177,7 @@ msgstr "" msgid "Absolute E position" msgstr "" -msgid "" -"Current position of the extruder axis. Only used with absolute extruder " -"addressing." +msgid "Current position of the extruder axis. Only used with absolute extruder addressing." msgstr "" msgid "Current extruder" @@ -13735,9 +13189,7 @@ msgstr "" msgid "Current object index" msgstr "" -msgid "" -"Specific for sequential printing. Zero-based index of currently printed " -"object." +msgid "Specific for sequential printing. Zero-based index of currently printed object." msgstr "" msgid "Has wipe tower" @@ -13749,17 +13201,13 @@ msgstr "" msgid "Initial extruder" msgstr "" -msgid "" -"Zero-based index of the first extruder used in the print. Same as " -"initial_tool." +msgid "Zero-based index of the first extruder used in the print. Same as initial_tool." msgstr "" msgid "Initial tool" msgstr "" -msgid "" -"Zero-based index of the first extruder used in the print. Same as " -"initial_extruder." +msgid "Zero-based index of the first extruder used in the print. Same as initial_extruder." msgstr "" msgid "Is extruder used?" @@ -13796,16 +13244,15 @@ msgid "Weight per extruder" msgstr "" msgid "" -"Weight per extruder extruded during the entire print. Calculated from " -"filament_density value in Filament Settings." +"Weight per extruder extruded during the entire print. Calculated from filament_density " +"value in Filament Settings." msgstr "" msgid "Total weight" msgstr "" msgid "" -"Total weight of the print. Calculated from filament_density value in " -"Filament Settings." +"Total weight of the print. Calculated from filament_density value in Filament Settings." msgstr "" msgid "Total layer count" @@ -13830,9 +13277,8 @@ msgid "Scale per object" msgstr "" msgid "" -"Contains a string with the information about what scaling was applied to the " -"individual objects. Indexing of the objects is zero-based (first object has " -"index 0).\n" +"Contains a string with the information about what scaling was applied to the individual " +"objects. Indexing of the objects is zero-based (first object has index 0).\n" "Example: 'x:100% y:50% z:100'." msgstr "" @@ -13842,21 +13288,18 @@ msgstr "" msgid "Source filename of the first object, without extension." msgstr "" -msgid "" -"The vector has two elements: x and y coordinate of the point. Values in mm." +msgid "The vector has two elements: x and y coordinate of the point. Values in mm." msgstr "" -msgid "" -"The vector has two elements: x and y dimension of the bounding box. Values " -"in mm." +msgid "The vector has two elements: x and y dimension of the bounding box. Values in mm." msgstr "" msgid "First layer convex hull" msgstr "" msgid "" -"Vector of points of the first layer convex hull. Each element has the " -"following format:'[x, y]' (x and y are floating-point numbers in mm)." +"Vector of points of the first layer convex hull. Each element has the following format:'[x, " +"y]' (x and y are floating-point numbers in mm)." msgstr "" msgid "Bottom-left corner of first layer bounding box" @@ -13878,19 +13321,19 @@ msgid "Size of the print bed bounding box" msgstr "" msgid "Timestamp" -msgstr "" +msgstr "Tijdstempel" msgid "String containing current time in yyyyMMdd-hhmmss format." msgstr "" msgid "Day" -msgstr "" +msgstr "Dag" msgid "Hour" -msgstr "" +msgstr "Uur" msgid "Minute" -msgstr "" +msgstr "Minuut" msgid "Print preset name" msgstr "" @@ -13902,8 +13345,8 @@ msgid "Filament preset name" msgstr "" msgid "" -"Names of the filament presets used for slicing. The variable is a vector " -"containing one name for each extruder." +"Names of the filament presets used for slicing. The variable is a vector containing one " +"name for each extruder." msgstr "" msgid "Printer preset name" @@ -13921,9 +13364,7 @@ msgstr "" msgid "Number of extruders" msgstr "" -msgid "" -"Total number of extruders, regardless of whether they are used in the " -"current print." +msgid "Total number of extruders, regardless of whether they are used in the current print." msgstr "" msgid "Layer number" @@ -13935,9 +13376,7 @@ msgstr "" msgid "Layer z" msgstr "" -msgid "" -"Height of the current layer above the print bed, measured to the top of the " -"layer." +msgid "Height of the current layer above the print bed, measured to the top of the layer." msgstr "" msgid "Maximal layer z" @@ -13983,12 +13422,8 @@ msgid "large overhangs" msgstr "large overhangs" #, c-format, boost-format -msgid "" -"It seems object %s has %s. Please re-orient the object or enable support " -"generation." -msgstr "" -"It seems object %s has %s. Please re-orient the object or enable support " -"generation." +msgid "It seems object %s has %s. Please re-orient the object or enable support generation." +msgstr "It seems object %s has %s. Please re-orient the object or enable support generation." msgid "Optimizing toolpath" msgstr "Optimaliseren van het pad" @@ -13997,19 +13432,17 @@ msgid "Slicing mesh" msgstr "Slicing mesh" msgid "" -"No layers were detected. You might want to repair your STL file(s) or check " -"their size or thickness and retry.\n" +"No layers were detected. You might want to repair your STL file(s) or check their size or " +"thickness and retry.\n" msgstr "" -"No layers were detected. You might want to repair your STL file(s) or check " -"their size or thickness and retry.\n" +"No layers were detected. You might want to repair your STL file(s) or check their size or " +"thickness and retry.\n" msgid "" -"An object's XY size compensation will not be used because it is also color-" -"painted.\n" +"An object's XY size compensation will not be used because it is also color-painted.\n" "XY Size compensation can not be combined with color-painting." msgstr "" -"An object's XY size compensation will not be used because it is also color-" -"painted.\n" +"An object's XY size compensation will not be used because it is also color-painted.\n" "XY Size compensation can not be combined with color-painting." #, c-format, boost-format @@ -14043,11 +13476,8 @@ msgstr "Support: repareer gaten op laag %d" msgid "Support: propagate branches at layer %d" msgstr "Support: verspreid takken op laag %d" -msgid "" -"Unknown file format. Input file must have .stl, .obj, .amf(.xml) extension." -msgstr "" -"Unknown file format: input file must have .stl, .obj, or .amf(.xml) " -"extension." +msgid "Unknown file format. Input file must have .stl, .obj, .amf(.xml) extension." +msgstr "Unknown file format: input file must have .stl, .obj, or .amf(.xml) extension." msgid "Loading of a model file failed." msgstr "Loading of model file failed." @@ -14115,11 +13545,10 @@ msgstr "Klaar" msgid "How to use calibration result?" msgstr "Hoe kan ik kalibratieresultaten gebruiken?" -msgid "" -"You could change the Flow Dynamics Calibration Factor in material editing" +msgid "You could change the Flow Dynamics Calibration Factor in material editing" msgstr "" -"Je kunt de kalibratiefactor van de stromingsdynamica wijzigen bij het " -"bewerken van materialen" +"Je kunt de kalibratiefactor van de stromingsdynamica wijzigen bij het bewerken van " +"materialen" msgid "" "The current firmware version of the printer does not support calibration.\n" @@ -14168,8 +13597,7 @@ msgid "The selected preset: %s is not found." msgstr "De geselecteerde preset: %s is niet gevonden." msgid "The name cannot be the same as the system preset name." -msgstr "" -"De naam mag niet hetzelfde zijn als de naam van de systeemvoorinstelling." +msgstr "De naam mag niet hetzelfde zijn als de naam van de systeemvoorinstelling." msgid "The name is the same as another existing preset name" msgstr "De naam is hetzelfde als een andere bestaande presetnaam" @@ -14177,11 +13605,8 @@ msgstr "De naam is hetzelfde als een andere bestaande presetnaam" msgid "create new preset failed." msgstr "nieuwe voorinstelling maken mislukt." -msgid "" -"Are you sure to cancel the current calibration and return to the home page?" -msgstr "" -"Are you sure you want to cancel the current calibration and return to the " -"home page?" +msgid "Are you sure to cancel the current calibration and return to the home page?" +msgstr "Are you sure you want to cancel the current calibration and return to the home page?" msgid "No Printer Connected!" msgstr "Geen printer aangesloten!" @@ -14196,17 +13621,16 @@ msgid "The input value size must be 3." msgstr "De grootte van de invoerwaarde moet 3 zijn." msgid "" -"This machine type can only hold 16 history results per nozzle. You can " -"delete the existing historical results and then start calibration. Or you " -"can continue the calibration, but you cannot create new calibration " -"historical results. \n" +"This machine type can only hold 16 history results per nozzle. You can delete the existing " +"historical results and then start calibration. Or you can continue the calibration, but you " +"cannot create new calibration historical results. \n" "Do you still want to continue the calibration?" msgstr "" -"This machine type can only hold 16 historical results per nozzle. You can " -"delete the existing historical results and then start calibration. Or you " -"can continue the calibration, but you cannot create new calibration " -"historical results. \n" -"Do you still want to continue the calibration?" +"Dit type machine kan slechts 16 historische resultaten per mondstuk bevatten. U kunt de " +"bestaande historische resultaten verwijderen en vervolgens de kalibratie starten. Of u kunt " +"doorgaan met de kalibratie, maar u kunt geen nieuwe historische kalibratieresultaten " +"maken.\n" +"Wilt u de kalibratie nog steeds voortzetten?" msgid "Connecting to printer..." msgstr "Aansluiten op de printer..." @@ -14219,21 +13643,20 @@ msgstr "Flow Dynamics kalibratieresultaat is opgeslagen in de printer" #, c-format, boost-format msgid "" -"There is already a historical calibration result with the same name: %s. " -"Only one of the results with the same name is saved. Are you sure you want " -"to override the historical result?" +"There is already a historical calibration result with the same name: %s. Only one of the " +"results with the same name is saved. Are you sure you want to override the historical " +"result?" msgstr "" -"Er is al een eerder kalibratieresultaat met dezelfde naam: %s. Er wordt maar " -"één resultaat met een naam opgeslagen. Weet je zeker dat je het vorige " -"resultaat wilt overschrijven?" +"Er is al een eerder kalibratieresultaat met dezelfde naam: %s. Er wordt maar één resultaat " +"met een naam opgeslagen. Weet je zeker dat je het vorige resultaat wilt overschrijven?" #, c-format, boost-format msgid "" -"This machine type can only hold %d history results per nozzle. This result " -"will not be saved." +"This machine type can only hold %d history results per nozzle. This result will not be " +"saved." msgstr "" -"This machine type can only hold %d historical results per nozzle. This " -"result will not be saved." +"Dit type machine kan slechts %d historische resultaten per mondstuk bevatten. Dit resultaat " +"wordt niet opgeslagen." msgid "Internal Error" msgstr "Interne fout" @@ -14242,37 +13665,32 @@ msgid "Please select at least one filament for calibration" msgstr "Selecteer ten minste één filament voor kalibratie" msgid "Flow rate calibration result has been saved to preset" -msgstr "" -"Het resultaat van de debietkalibratie is opgeslagen in een " -"voorkeursinstelling." +msgstr "Het resultaat van de debietkalibratie is opgeslagen in een voorkeursinstelling." msgid "Max volumetric speed calibration result has been saved to preset" msgstr "" -"Het kalibratieresultaat van de maximale volumetrische snelheid is opgeslagen " -"in de vooraf ingestelde waarde" +"Het kalibratieresultaat van de maximale volumetrische snelheid is opgeslagen in de vooraf " +"ingestelde waarde" msgid "When do you need Flow Dynamics Calibration" msgstr "Wanneer heb je een Flow Dynamics-kalibratie nodig?" msgid "" -"We now have added the auto-calibration for different filaments, which is " -"fully automated and the result will be saved into the printer for future " -"use. You only need to do the calibration in the following limited cases:\n" -"1. If you introduce a new filament of different brands/models or the " -"filament is damp;\n" +"We now have added the auto-calibration for different filaments, which is fully automated " +"and the result will be saved into the printer for future use. You only need to do the " +"calibration in the following limited cases:\n" +"1. If you introduce a new filament of different brands/models or the filament is damp;\n" "2. if the nozzle is worn out or replaced with a new one;\n" -"3. If the max volumetric speed or print temperature is changed in the " -"filament setting." +"3. If the max volumetric speed or print temperature is changed in the filament setting." msgstr "" -"We hebben nu de automatische kalibratie voor verschillende filamenten " -"toegevoegd. Deze is volledig geautomatiseerd en het resultaat wordt " -"opgeslagen in de printer voor toekomstig gebruik. Je hoeft de kalibratie " -"alleen uit te voeren in de volgende beperkte gevallen:\n" -"1. Als je een nieuw filament van een ander merk/model introduceert of als " -"het filament vochtig is;\n" -"2. Als de spuitmond versleten is of vervangen is door een nieuwe;\n" -"3. Als de maximale volumetrische snelheid of printtemperatuur is gewijzigd " -"in de filamentinstelling." +"We hebben nu de automatische kalibratie voor verschillende filamenten toegevoegd. Deze is " +"volledig geautomatiseerd en het resultaat wordt opgeslagen in de printer voor toekomstig " +"gebruik. Je hoeft de kalibratie alleen uit te voeren in de volgende beperkte gevallen:\n" +"1. Als je een nieuw filament van een ander merk/model introduceert of als het filament " +"vochtig is;\n" +"2. Als het mondstuk versleten is of vervangen is door een nieuwe;\n" +"3. Als de maximale volumetrische snelheid of printtemperatuur is gewijzigd in de " +"filamentinstelling." msgid "About this calibration" msgstr "Over deze kalibratie" @@ -14280,106 +13698,97 @@ msgstr "Over deze kalibratie" msgid "" "Please find the details of Flow Dynamics Calibration from our wiki.\n" "\n" -"Usually the calibration is unnecessary. When you start a single color/" -"material print, with the \"flow dynamics calibration\" option checked in the " -"print start menu, the printer will follow the old way, calibrate the " -"filament before the print; When you start a multi color/material print, the " -"printer will use the default compensation parameter for the filament during " -"every filament switch which will have a good result in most cases.\n" +"Usually the calibration is unnecessary. When you start a single color/material print, with " +"the \"flow dynamics calibration\" option checked in the print start menu, the printer will " +"follow the old way, calibrate the filament before the print; When you start a multi color/" +"material print, the printer will use the default compensation parameter for the filament " +"during every filament switch which will have a good result in most cases.\n" "\n" -"Please note that there are a few cases that can make the calibration results " -"unreliable, such as insufficient adhesion on the build plate. Improving " -"adhesion can be achieved by washing the build plate or applying glue. For " -"more information on this topic, please refer to our Wiki.\n" +"Please note that there are a few cases that can make the calibration results unreliable, " +"such as insufficient adhesion on the build plate. Improving adhesion can be achieved by " +"washing the build plate or applying glue. For more information on this topic, please refer " +"to our Wiki.\n" "\n" -"The calibration results have about 10 percent jitter in our test, which may " -"cause the result not exactly the same in each calibration. We are still " -"investigating the root cause to do improvements with new updates." +"The calibration results have about 10 percent jitter in our test, which may cause the " +"result not exactly the same in each calibration. We are still investigating the root cause " +"to do improvements with new updates." msgstr "" msgid "When to use Flow Rate Calibration" msgstr "Wanneer moet u Flow Rate kalibratie gebruiken" msgid "" -"After using Flow Dynamics Calibration, there might still be some extrusion " -"issues, such as:\n" -"1. Over-Extrusion: Excess material on your printed object, forming blobs or " -"zits, or the layers seem thicker than expected and not uniform.\n" -"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the " -"top layer of the model, even when printing slowly.\n" +"After using Flow Dynamics Calibration, there might still be some extrusion issues, such " +"as:\n" +"1. Over-Extrusion: Excess material on your printed object, forming blobs or zits, or the " +"layers seem thicker than expected and not uniform.\n" +"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the top layer of the " +"model, even when printing slowly.\n" "3. Poor Surface Quality: The surface of your prints seems rough or uneven.\n" -"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as " -"they should be." +"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as they should be." msgstr "" -"After using Flow Dynamics Calibration, there might still be some extrusion " -"issues, such as:\n" -"1. Over-Extrusion: Excess material on your printed object, forming blobs or " -"zits, or the layers seem thicker than expected and not uniform.\n" -"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the " -"top layer of the model, even when printing slowly.\n" +"After using Flow Dynamics Calibration, there might still be some extrusion issues, such " +"as:\n" +"1. Over-Extrusion: Excess material on your printed object, forming blobs or zits, or the " +"layers seem thicker than expected and not uniform.\n" +"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the top layer of the " +"model, even when printing slowly.\n" "3. Poor Surface Quality: The surface of your prints seems rough or uneven.\n" -"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as " -"they should be." +"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as they should be." msgid "" -"In addition, Flow Rate Calibration is crucial for foaming materials like LW-" -"PLA used in RC planes. These materials expand greatly when heated, and " -"calibration provides a useful reference flow rate." +"In addition, Flow Rate Calibration is crucial for foaming materials like LW-PLA used in RC " +"planes. These materials expand greatly when heated, and calibration provides a useful " +"reference flow rate." msgstr "" -"Bovendien is Flow Rate kalibratie cruciaal voor schuimmaterialen zoals LW-" -"PLA die worden gebruikt in RC-vliegtuigen. Deze materialen zetten sterk uit " -"bij verhitting, en kalibratie levert een bruikbare referentiestroom op." +"Bovendien is Flow Rate kalibratie cruciaal voor schuimmaterialen zoals LW-PLA die worden " +"gebruikt in RC-vliegtuigen. Deze materialen zetten sterk uit bij verhitting, en kalibratie " +"levert een bruikbare referentiestroom op." msgid "" -"Flow Rate Calibration measures the ratio of expected to actual extrusion " -"volumes. The default setting works well in Bambu Lab printers and official " -"filaments as they were pre-calibrated and fine-tuned. For a regular " -"filament, you usually won't need to perform a Flow Rate Calibration unless " -"you still see the listed defects after you have done other calibrations. For " -"more details, please check out the wiki article." +"Flow Rate Calibration measures the ratio of expected to actual extrusion volumes. The " +"default setting works well in Bambu Lab printers and official filaments as they were pre-" +"calibrated and fine-tuned. For a regular filament, you usually won't need to perform a Flow " +"Rate Calibration unless you still see the listed defects after you have done other " +"calibrations. For more details, please check out the wiki article." msgstr "" -"Flow Rate Calibration meet de verhouding tussen verwachte en werkelijke " -"extrusievolumes. De standaardinstelling werkt goed in Bambu Lab printers en " -"officiële filamenten, omdat deze vooraf zijn gekalibreerd en afgestemd. Voor " -"een normaal filament is het meestal niet nodig om een kalibratie van de " -"stroomsnelheid uit te voeren, tenzij je nog steeds de genoemde defecten ziet " -"nadat je andere kalibraties hebt uitgevoerd. Kijk voor meer informatie in " -"het wiki-artikel." +"Flow Rate Calibration meet de verhouding tussen verwachte en werkelijke extrusievolumes. De " +"standaardinstelling werkt goed in Bambu Lab printers en officiële filamenten, omdat deze " +"vooraf zijn gekalibreerd en afgestemd. Voor een normaal filament is het meestal niet nodig " +"om een kalibratie van de stroomsnelheid uit te voeren, tenzij je nog steeds de genoemde " +"defecten ziet nadat je andere kalibraties hebt uitgevoerd. Kijk voor meer informatie in het " +"wiki-artikel." msgid "" -"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, " -"directly measuring the calibration patterns. However, please be advised that " -"the efficacy and accuracy of this method may be compromised with specific " -"types of materials. Particularly, filaments that are transparent or semi-" -"transparent, sparkling-particled, or have a high-reflective finish may not " -"be suitable for this calibration and can produce less-than-desirable " -"results.\n" +"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, directly measuring " +"the calibration patterns. However, please be advised that the efficacy and accuracy of this " +"method may be compromised with specific types of materials. Particularly, filaments that " +"are transparent or semi-transparent, sparkling-particled, or have a high-reflective finish " +"may not be suitable for this calibration and can produce less-than-desirable results.\n" "\n" -"The calibration results may vary between each calibration or filament. We " -"are still improving the accuracy and compatibility of this calibration " -"through firmware updates over time.\n" +"The calibration results may vary between each calibration or filament. We are still " +"improving the accuracy and compatibility of this calibration through firmware updates over " +"time.\n" "\n" -"Caution: Flow Rate Calibration is an advanced process, to be attempted only " -"by those who fully understand its purpose and implications. Incorrect usage " -"can lead to sub-par prints or printer damage. Please make sure to carefully " -"read and understand the process before doing it." +"Caution: Flow Rate Calibration is an advanced process, to be attempted only by those who " +"fully understand its purpose and implications. Incorrect usage can lead to sub-par prints " +"or printer damage. Please make sure to carefully read and understand the process before " +"doing it." msgstr "" -"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, " -"directly measuring the calibration patterns. However, please be advised that " -"the efficacy and accuracy of this method may be compromised with specific " -"types of materials. Particularly, filaments that are transparent or semi-" -"transparent, sparkling-particled, or have a high-reflective finish may not " -"be suitable for this calibration and can produce less-than-desirable " -"results.\n" +"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, directly measuring " +"the calibration patterns. However, please be advised that the efficacy and accuracy of this " +"method may be compromised with specific types of materials. Particularly, filaments that " +"are transparent or semi-transparent, sparkling-particled, or have a high-reflective finish " +"may not be suitable for this calibration and can produce less-than-desirable results.\n" "\n" -"The calibration results may vary between each calibration or filament. We " -"are still improving the accuracy and compatibility of this calibration " -"through firmware updates over time.\n" +"The calibration results may vary between each calibration or filament. We are still " +"improving the accuracy and compatibility of this calibration through firmware updates over " +"time.\n" "\n" -"Caution: Flow Rate Calibration is an advanced process, to be attempted only " -"by those who fully understand its purpose and implications. Incorrect usage " -"can lead to sub-par prints or printer damage. Please make sure to carefully " -"read and understand the process before performing it." +"Caution: Flow Rate Calibration is an advanced process, to be attempted only by those who " +"fully understand its purpose and implications. Incorrect usage can lead to sub-par prints " +"or printer damage. Please make sure to carefully read and understand the process before " +"performing it." msgid "When you need Max Volumetric Speed Calibration" msgstr "Wanneer u maximale volumetrische snelheidskalibratie nodig hebt" @@ -14389,8 +13798,7 @@ msgstr "Over-extrusie of onderextrusie" msgid "Max Volumetric Speed calibration is recommended when you print with:" msgstr "" -"Kalibratie van de maximale volumetrische snelheid wordt aanbevolen wanneer " -"je afdrukt met:" +"Kalibratie van de maximale volumetrische snelheid wordt aanbevolen wanneer je afdrukt met:" msgid "material with significant thermal shrinkage/expansion, such as..." msgstr "materiaal met aanzienlijke thermische krimp/uitzetting, zoals..." @@ -14402,18 +13810,16 @@ msgid "We found the best Flow Dynamics Calibration Factor" msgstr "We hebben de beste Flow Dynamics kalibratiefactor gevonden" msgid "" -"Part of the calibration failed! You may clean the plate and retry. The " -"failed test result would be dropped." +"Part of the calibration failed! You may clean the plate and retry. The failed test result " +"would be dropped." msgstr "" -"Een deel van de kalibratie is mislukt! U kunt de plaat schoonmaken en het " -"opnieuw proberen. Het mislukte testresultaat komt te vervallen." +"Een deel van de kalibratie is mislukt! U kunt de plaat schoonmaken en het opnieuw proberen. " +"Het mislukte testresultaat komt te vervallen." -msgid "" -"*We recommend you to add brand, materia, type, and even humidity level in " -"the Name" +msgid "*We recommend you to add brand, materia, type, and even humidity level in the Name" msgstr "" -"*We raden je aan om merk, materiaal, type en zelfs vochtigheidsgraad toe te " -"voegen in de Naam." +"*We raden je aan om merk, materiaal, type en zelfs vochtigheidsgraad toe te voegen in de " +"Naam." msgid "Failed" msgstr "Mislukt" @@ -14425,11 +13831,11 @@ msgid "The name cannot exceed 40 characters." msgstr "De naam mag niet langer zijn dan 40 tekens." msgid "" -"Only one of the results with the same name will be saved. Are you sure you " -"want to override the other results?" +"Only one of the results with the same name will be saved. Are you sure you want to override " +"the other results?" msgstr "" -"Slechts één van de resultaten met dezelfde naam wordt opgeslagen. Weet je " -"zeker dat je de andere resultaten wilt overschrijven?" +"Slechts één van de resultaten met dezelfde naam wordt opgeslagen. Weet je zeker dat je de " +"andere resultaten wilt overschrijven?" msgid "Please find the best line on your plate" msgstr "Zoek de beste regel op je bord" @@ -14487,8 +13893,7 @@ msgid "Please choose a block with smoothest top surface." msgstr "Kies een blok met de gladste bovenkant." msgid "Please input a valid value (0 <= Max Volumetric Speed <= 60)" -msgstr "" -"Voer een geldige waarde in (0 <= maximale volumetrische snelheid <= 60)" +msgstr "Voer een geldige waarde in (0 <= maximale volumetrische snelheid <= 60)" msgid "Calibration Type" msgstr "Kalibratietype" @@ -14503,11 +13908,11 @@ msgid "Title" msgstr "Titel" msgid "" -"A test model will be printed. Please clear the build plate and place it back " -"to the hot bed before calibration." +"A test model will be printed. Please clear the build plate and place it back to the hot bed " +"before calibration." msgstr "" -"Er wordt een testmodel geprint. Maak de bouwplaat vrij en plaats deze terug " -"op het hotbed voordat je gaat kalibreren." +"Er wordt een testmodel geprint. Maak de bouwplaat vrij en plaats deze terug op het hotbed " +"voordat je gaat kalibreren." msgid "Printing Parameters" msgstr "Afdrukparameters" @@ -14531,8 +13936,7 @@ msgid "" msgstr "" "Tips voor kalibratiemateriaal: \n" "- Materialen die dezelfde warmbedtemperatuur kunnen delen\n" -"- Verschillende filamentmerken en -families (Merk = Bambu, Familie = Basis, " -"Mat)" +"- Verschillende filamentmerken en -families (Merk = Bambu, Familie = Basis, Mat)" msgid "Pattern" msgstr "Patroon" @@ -14557,11 +13961,10 @@ msgid "To k Value" msgstr "Naar k Waarde" msgid "Step value" -msgstr "" +msgstr "Stap waarde" msgid "The nozzle diameter has been synchronized from the printer Settings" -msgstr "" -"De diameter van het mondstuk is gesynchroniseerd met de printerinstellingen." +msgstr "De diameter van het mondstuk is gesynchroniseerd met de printerinstellingen." msgid "From Volumetric Speed" msgstr "Van Volumetric Speed" @@ -14589,7 +13992,7 @@ msgstr "Actie" #, c-format, boost-format msgid "This machine type can only hold %d history results per nozzle." -msgstr "This machine type can only hold %d historical results per nozzle." +msgstr "Dit type machine kan slechts %d historische resultaten per mondstuk bevatten." msgid "Edit Flow Dynamics Calibration" msgstr "Flow Dynamics-kalibratie bewerken" @@ -14625,25 +14028,27 @@ msgid "Finished" msgstr "Voltooid" msgid "Multiple resolved IP addresses" -msgstr "" +msgstr "Meerdere vastgestelde IP-adressen" #, boost-format msgid "" "There are several IP addresses resolving to hostname %1%.\n" "Please select one that should be used." msgstr "" +"Er zijn meerdere IP-adressen die verwijzen naar hostname %1%.\n" +"Selecteer er een die gebruikt moet worden." msgid "PA Calibration" msgstr "PA-kalibratie" msgid "DDE" -msgstr "" +msgstr "DDE" msgid "Bowden" msgstr "Bowden" msgid "Extruder type" -msgstr "" +msgstr "Extrudertype" msgid "PA Tower" msgstr "PA-toren" @@ -14690,7 +14095,7 @@ msgid "PETG" msgstr "PETG" msgid "PCTG" -msgstr "" +msgstr "PCTG" msgid "TPU" msgstr "TPU" @@ -14771,14 +14176,13 @@ msgid "Upload to Printer Host with the following filename:" msgstr "Uploaden naar Printer Host met de volgende bestandsnaam:" msgid "Use forward slashes ( / ) as a directory separator if needed." -msgstr "" -"Gebruik indien nodig schuine strepen (/) als scheidingsteken voor mappen." +msgstr "Gebruik indien nodig schuine strepen (/) als scheidingsteken voor mappen." msgid "Upload to storage" -msgstr "" +msgstr "Uploaden naar opslag" msgid "Switch to Device tab after upload." -msgstr "" +msgstr "Na het uploaden naar het tabblad Apparaat gaan." #, c-format, boost-format msgid "Upload filename doesn't end with \"%s\". Do you wish to continue?" @@ -14801,7 +14205,7 @@ msgstr "Host" msgctxt "OfFile" msgid "Size" -msgstr "Maat" +msgstr "Grootte" msgid "Filename" msgstr "Bestandsnaam" @@ -14822,7 +14226,7 @@ msgid "Cancelling" msgstr "Annuleren" msgid "Error uploading to print host" -msgstr "" +msgstr "Fout bij uploaden naar printhost" msgid "Unable to perform boolean operation on selected parts" msgstr "Kan geen booleaanse bewerking uitvoeren op geselecteerde onderdelen" @@ -14876,7 +14280,7 @@ msgid "Export Log" msgstr "Logboek exporteren" msgid "OrcaSlicer Version:" -msgstr "" +msgstr "OrcaSlicer-versie:" msgid "System Version:" msgstr "Systeemversie:" @@ -14953,11 +14357,10 @@ msgstr "Vendor is not selected; please reselect vendor." msgid "Custom vendor is not input, please input custom vendor." msgstr "Custom vendor missing; please input custom vendor." -msgid "" -"\"Bambu\" or \"Generic\" can not be used as a Vendor for custom filaments." +msgid "\"Bambu\" or \"Generic\" can not be used as a Vendor for custom filaments." msgstr "" -"\"Bambu\" of \"Generic\" kan niet worden gebruikt als leverancier voor " -"aangepaste filamenten." +"\"Bambu\" of \"Generic\" kan niet worden gebruikt als leverancier voor aangepaste " +"filamenten." msgid "Filament type is not selected, please reselect type." msgstr "Het type draad is niet geselecteerd, selecteer het type opnieuw." @@ -14966,34 +14369,30 @@ msgid "Filament serial is not inputed, please input serial." msgstr "Filament serial missing; please input serial." msgid "" -"There may be escape characters in the vendor or serial input of filament. " -"Please delete and re-enter." +"There may be escape characters in the vendor or serial input of filament. Please delete and " +"re-enter." msgstr "" -"There may be disallowed characters in the vendor or serial input of the " -"filament. Please delete and re-enter." +"There may be disallowed characters in the vendor or serial input of the filament. Please " +"delete and re-enter." msgid "All inputs in the custom vendor or serial are spaces. Please re-enter." -msgstr "" -"Alle ingangen in de aangepaste verkoper of serie zijn spaties. Voer opnieuw " -"in." +msgstr "Alle ingangen in de aangepaste verkoper of serie zijn spaties. Voer opnieuw in." msgid "The vendor can not be a number. Please re-enter." msgstr "The vendor can not be a number; please re-enter." -msgid "" -"You have not selected a printer or preset yet. Please select at least one." -msgstr "" -"Je hebt nog geen printer of preset geselecteerd. Selecteer er ten minste één." +msgid "You have not selected a printer or preset yet. Please select at least one." +msgstr "Je hebt nog geen printer of preset geselecteerd. Selecteer er ten minste één." #, c-format, boost-format msgid "" "The Filament name %s you created already exists. \n" -"If you continue creating, the preset created will be displayed with its full " -"name. Do you want to continue?" +"If you continue creating, the preset created will be displayed with its full name. Do you " +"want to continue?" msgstr "" "De filamentnaam %s die je hebt gemaakt, bestaat al. \n" -"Als u doorgaat, wordt de gemaakte voorinstelling weergegeven met de " -"volledige naam. Wilt u doorgaan?" +"Als u doorgaat, wordt de gemaakte voorinstelling weergegeven met de volledige naam. Wilt u " +"doorgaan?" msgid "Some existing presets have failed to be created, as follows:\n" msgstr "Sommige bestaande presets zijn niet aangemaakt, als volgt:\n" @@ -15006,8 +14405,7 @@ msgstr "" "Wil je het herschrijven?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" @@ -15057,7 +14455,7 @@ msgid "Hot Bed STL" msgstr "Warm bed STL" msgid "Load stl" -msgstr "Stl laden" +msgstr "STL laden" msgid "Hot Bed SVG" msgstr "Warm bed SVG" @@ -15082,7 +14480,7 @@ msgid "The printer model was not found, please reselect." msgstr "Het printermodel is niet gevonden, selecteer opnieuw." msgid "The nozzle diameter is not found, place reselect." -msgstr "The nozzle diameter was not found; please reselect." +msgstr "De diameter van het mondstuk is niet gevonden. Selecteer opnieuw." msgid "The printer preset is not found, place reselect." msgstr "The printer preset was not found; please reselect." @@ -15103,37 +14501,35 @@ msgid "Back Page 1" msgstr "Terug Pagina 1" msgid "" -"You have not yet chosen which printer preset to create based on. Please " -"choose the vendor and model of the printer" +"You have not yet chosen which printer preset to create based on. Please choose the vendor " +"and model of the printer" msgstr "" -"Je hebt nog niet gekozen op basis van welke preset je de printer wilt maken. " -"Kies de leverancier en het model van de printer" +"Je hebt nog niet gekozen op basis van welke preset je de printer wilt maken. Kies de " +"leverancier en het model van de printer" msgid "" -"You have entered an illegal input in the printable area section on the first " -"page. Please check before creating it." +"You have entered an illegal input in the printable area section on the first page. Please " +"check before creating it." msgstr "" -"U hebt een niet toegestaan teken ingevoerd in het gedeelte van het " -"afdrukbare gebied op de eerste pagina. Gebruik alleen cijfers." +"U hebt een niet toegestaan teken ingevoerd in het gedeelte van het afdrukbare gebied op de " +"eerste pagina. Gebruik alleen cijfers." msgid "The custom printer or model is not inputed, place input." msgstr "The custom printer or model missing; please input." msgid "" -"The printer preset you created already has a preset with the same name. Do " -"you want to overwrite it?\n" -"\tYes: Overwrite the printer preset with the same name, and filament and " -"process presets with the same preset name will be recreated \n" -"and filament and process presets without the same preset name will be " -"reserve.\n" +"The printer preset you created already has a preset with the same name. Do you want to " +"overwrite it?\n" +"\tYes: Overwrite the printer preset with the same name, and filament and process presets " +"with the same preset name will be recreated \n" +"and filament and process presets without the same preset name will be reserve.\n" "\tCancel: Do not create a preset, return to the creation interface." msgstr "" -"The printer preset you created already has a preset with the same name. Do " -"you want to overwrite it?\n" -"\tYes: Overwrite the printer preset with the same name, and filament and " -"process presets with the same preset name will be recreated \n" -"and filament and process presets without the same preset name will be " -"reserved.\n" +"The printer preset you created already has a preset with the same name. Do you want to " +"overwrite it?\n" +"\tYes: Overwrite the printer preset with the same name, and filament and process presets " +"with the same preset name will be recreated \n" +"and filament and process presets without the same preset name will be reserved.\n" "\tCancel: Do not create a preset; return to the creation interface." msgid "You need to select at least one filament preset." @@ -15154,40 +14550,36 @@ msgstr "Leverancier is niet gevonden; selecteer opnieuw." msgid "Current vendor has no models, please reselect." msgstr "De huidige leverancier heeft geen modellen. Selecteer opnieuw." -msgid "" -"You have not selected the vendor and model or inputed the custom vendor and " -"model." +msgid "You have not selected the vendor and model or inputed the custom vendor and model." msgstr "" -"U hebt de verkoper en het model niet geselecteerd of de aangepaste verkoper " -"en het aangepaste model niet ingevoerd." +"U hebt de verkoper en het model niet geselecteerd of de aangepaste verkoper en het " +"aangepaste model niet ingevoerd." msgid "" -"There may be escape characters in the custom printer vendor or model. Please " -"delete and re-enter." +"There may be escape characters in the custom printer vendor or model. Please delete and re-" +"enter." msgstr "" -"Er kunnen escape-tekens staan in de aangepaste printerverkoper of het " -"aangepaste printermodel. Verwijder ze en voer ze opnieuw in." +"Er kunnen escape-tekens staan in de aangepaste printerverkoper of het aangepaste " +"printermodel. Verwijder ze en voer ze opnieuw in." -msgid "" -"All inputs in the custom printer vendor or model are spaces. Please re-enter." +msgid "All inputs in the custom printer vendor or model are spaces. Please re-enter." msgstr "" -"Alle invoer in de aangepaste printerverkoper of het aangepaste printermodel " -"zijn spaties. Voer opnieuw in." +"Alle invoer in de aangepaste printerverkoper of het aangepaste printermodel zijn spaties. " +"Voer opnieuw in." msgid "Please check bed printable shape and origin input." msgstr "Controleer de bedrukbare vorm en oorsprongsinvoer." -msgid "" -"You have not yet selected the printer to replace the nozzle, please choose." +msgid "You have not yet selected the printer to replace the nozzle, please choose." msgstr "" -"Je hebt de printer waarvoor je het mondstuk wilt vervangen nog niet " -"geselecteerd; kies een printer." +"Je hebt de printer waarvoor je het mondstuk wilt vervangen nog niet geselecteerd; kies een " +"printer." msgid "Create Printer Successful" -msgstr "Printer succesvol maken" +msgstr "Printer succesvol gemaakt" msgid "Create Filament Successful" -msgstr "Filament Created Successfully" +msgstr "Filament succesvol gemaakt" msgid "Printer Created" msgstr "Printer gemaakt" @@ -15200,24 +14592,27 @@ msgstr "Aangemaakt filament" msgid "" "Please go to filament setting to edit your presets if you need.\n" -"Please note that nozzle temperature, hot bed temperature, and maximum " -"volumetric speed has a significant impact on printing quality. Please set " -"them carefully." +"Please note that nozzle temperature, hot bed temperature, and maximum volumetric speed has " +"a significant impact on printing quality. Please set them carefully." msgstr "" -"Ga naar filamentinstellingen om uw voorinstellingen te bewerken als dat " -"nodig is.\n" -"Houd er rekening mee dat de spuitmondtemperatuur, warmbedtemperatuur en " -"maximale volumetrische snelheid elk een aanzienlijke invloed hebben op de " -"printkwaliteit. Stel ze daarom zorgvuldig in." +"Ga naar filamentinstellingen om uw voorinstellingen te bewerken als dat nodig is.\n" +"Houd er rekening mee dat de spuitmondtemperatuur, warmbedtemperatuur en maximale " +"volumetrische snelheid elk een aanzienlijke invloed hebben op de printkwaliteit. Stel ze " +"daarom zorgvuldig in." msgid "" "\n" "\n" -"Orca has detected that your user presets synchronization function is not " -"enabled, which may result in unsuccessful Filament settings on the Device " -"page. \n" +"Orca has detected that your user presets synchronization function is not enabled, which may " +"result in unsuccessful Filament settings on the Device page. \n" "Click \"Sync user presets\" to enable the synchronization function." msgstr "" +"\n" +"\n" +"Orca heeft gedetecteerd dat de synchronisatiefunctie voor uw gebruikersinstellingen niet is " +"ingeschakeld, wat kan resulteren in mislukte Filament-instellingen op de pagina Apparaat.\n" +"Klik op \"Gebruikersinstellingen synchroniseren\" om de synchronisatiefunctie in te " +"schakelen." msgid "Printer Setting" msgstr "Printerinstelling" @@ -15253,19 +14648,17 @@ msgid "open zip written fail" msgstr "open zip geschreven mislukt" msgid "Export successful" -msgstr "Export succesvol" +msgstr "Exporteren is gelukt" #, c-format, boost-format msgid "" -"The '%s' folder already exists in the current directory. Do you want to " -"clear it and rebuild it.\n" -"If not, a time suffix will be added, and you can modify the name after " -"creation." +"The '%s' folder already exists in the current directory. Do you want to clear it and " +"rebuild it.\n" +"If not, a time suffix will be added, and you can modify the name after creation." msgstr "" -"The '%s' folder already exists in the current directory. Do you want to " -"clear it and rebuild it?\n" -"If not, a time suffix will be added, and you can modify the name after " -"creation." +"The '%s' folder already exists in the current directory. Do you want to clear it and " +"rebuild it?\n" +"If not, a time suffix will be added, and you can modify the name after creation." msgid "" "Printer and all the filament&&process presets that belongs to the printer. \n" @@ -15279,40 +14672,35 @@ msgstr "" "Ingestelde preset vullingsset van de gebruiker.\n" "Kan worden gedeeld met anderen." -msgid "" -"Only display printer names with changes to printer, filament, and process " -"presets." +msgid "Only display printer names with changes to printer, filament, and process presets." msgstr "" -"Alleen printers met wijzigingen in printer-, filament- en proces presets " -"worden weergegeven." +"Alleen printers met wijzigingen in printer-, filament- en proces presets worden weergegeven." msgid "Only display the filament names with changes to filament presets." msgstr "Geef alleen de filamentnamen weer met wijzigingen in filament presets." msgid "" -"Only printer names with user printer presets will be displayed, and each " -"preset you choose will be exported as a zip." +"Only printer names with user printer presets will be displayed, and each preset you choose " +"will be exported as a zip." msgstr "" -"Alleen printernamen met gebruikersprinter presets worden weergegeven en elke " -"preset die je kiest, wordt als zip geëxporteerd." +"Alleen printernamen met gebruikersprinter presets worden weergegeven en elke preset die je " +"kiest, wordt als zip geëxporteerd." msgid "" "Only the filament names with user filament presets will be displayed, \n" -"and all user filament presets in each filament name you select will be " -"exported as a zip." +"and all user filament presets in each filament name you select will be exported as a zip." msgstr "" "Alleen de filamentnamen met gebruikers presets worden weergegeven, \n" -"en alle gebruikers presets in elke filamentnaam die u selecteert, worden " -"geëxporteerd als zip-bestand." +"en alle gebruikers presets in elke filamentnaam die u selecteert, worden geëxporteerd als " +"zip-bestand." msgid "" "Only printer names with changed process presets will be displayed, \n" -"and all user process presets in each printer name you select will be " -"exported as a zip." +"and all user process presets in each printer name you select will be exported as a zip." msgstr "" "Alleen printernamen met gewijzigde proces presets worden weergegeven, \n" -"en alle gebruikersproces presets in elke printernaam die u selecteert, " -"worden als zip geëxporteerd." +"en alle gebruikersproces presets in elke printernaam die u selecteert, worden als zip " +"geëxporteerd." msgid "Please select at least one printer or filament." msgstr "Selecteer ten minste één printer of filament." @@ -15327,23 +14715,22 @@ msgid "Edit Filament" msgstr "Bewerk filament" msgid "Filament presets under this filament" -msgstr "Presets onder deze gloeidraad" +msgstr "Voorinstellingen voor filament onder dit filament" msgid "" -"Note: If the only preset under this filament is deleted, the filament will " -"be deleted after exiting the dialog." +"Note: If the only preset under this filament is deleted, the filament will be deleted after " +"exiting the dialog." msgstr "" -"Opmerking: Als de enige preset onder deze gloeidraad wordt verwijderd, wordt " -"de gloeidraad verwijderd na het verlaten van het dialoogvenster." +"Opmerking: Als de enige preset onder deze gloeidraad wordt verwijderd, wordt de gloeidraad " +"verwijderd na het verlaten van het dialoogvenster." msgid "Presets inherited by other presets can not be deleted" -msgstr "" -"Presets die door andere presets worden geërfd, kunnen niet worden verwijderd" +msgstr "Presets die door andere presets worden geërfd, kunnen niet worden verwijderd" msgid "The following presets inherits this preset." msgid_plural "The following preset inherits this preset." -msgstr[0] "" -msgstr[1] "" +msgstr[0] "De volgende voorinstellingen nemen deze voorinstelling over." +msgstr[1] "De volgende voorinstelling neemt deze voorinstelling over." msgid "Delete Preset" msgstr "Preset verwijderen" @@ -15362,13 +14749,11 @@ msgstr "Draad verwijderen" msgid "" "All the filament presets belong to this filament would be deleted. \n" -"If you are using this filament on your printer, please reset the filament " -"information for that slot." +"If you are using this filament on your printer, please reset the filament information for " +"that slot." msgstr "" -"Alle presets van het filament die bij dit filament horen, worden " -"verwijderd. \n" -"Als u dit filament gebruikt in uw printer, reset dan de filamentinformatie " -"voor die sleuf." +"Alle presets van het filament die bij dit filament horen, worden verwijderd. \n" +"Als u dit filament gebruikt in uw printer, reset dan de filamentinformatie voor die sleuf." msgid "Delete filament" msgstr "Draad verwijderen" @@ -15395,7 +14780,7 @@ msgid "For more information, please check out Wiki" msgstr "For more information, please check out our Wiki" msgid "Collapse" -msgstr "Instorten" +msgstr "Inklappen" msgid "Daily Tips" msgstr "Dagelijkse tips" @@ -15405,15 +14790,15 @@ msgid "nozzle memorized: %.1f %s" msgstr "mondstuk onthouden: %.1f %s" msgid "" -"Your nozzle diameter in preset is not consistent with memorized nozzle " -"diameter. Did you change your nozzle lately?" +"Your nozzle diameter in preset is not consistent with memorized nozzle diameter. Did you " +"change your nozzle lately?" msgstr "" -"Your nozzle diameter in preset is not consistent with the saved nozzle " -"diameter. Have you changed your nozzle?" +"Uw mondstuk diameter in preset komt niet overeen met de opgeslagen mondstuk diameter. Heeft " +"u uw mondstuk veranderd?" #, c-format, boost-format msgid "*Printing %s material with %s may cause nozzle damage" -msgstr "*Afdrukken%s materiaal mee%s kan schade aan het mondstuk veroorzaken" +msgstr "*Het afdrukken van %s materiaal met %s kan schade aan het mondstuk veroorzaken" msgid "Need select printer" msgstr "Printer selecteren" @@ -15422,11 +14807,11 @@ msgid "The start, end or step is not valid value." msgstr "Het begin, einde of stap is geen geldige waarde." msgid "" -"Unable to calibrate: maybe because the set calibration value range is too " -"large, or the step is too small" +"Unable to calibrate: maybe because the set calibration value range is too large, or the " +"step is too small" msgstr "" -"Kan niet kalibreren: misschien omdat het bereik van de ingestelde " -"kalibratiewaarde te groot is, of omdat de stap te klein is" +"Kan niet kalibreren: misschien omdat het bereik van de ingestelde kalibratiewaarde te groot " +"is, of omdat de stap te klein is" msgid "Physical Printer" msgstr "Fysieke printer" @@ -15441,23 +14826,23 @@ msgid "Success!" msgstr "Succes!" msgid "Are you sure to log out?" -msgstr "" +msgstr "Weet u zeker dat u wilt uitloggen?" msgid "Refresh Printers" msgstr "Printers vernieuwen" msgid "View print host webui in Device tab" -msgstr "" +msgstr "Bekijk de printhost webui op het tabblad Apparaat" msgid "Replace the BambuLab's device tab with print host webui" -msgstr "" +msgstr "Vervang het apparaattabblad van BambuLab door de printhost webui" msgid "" -"HTTPS CA file is optional. It is only needed if you use HTTPS with a self-" -"signed certificate." +"HTTPS CA file is optional. It is only needed if you use HTTPS with a self-signed " +"certificate." msgstr "" -"HTTPS CA-bestand is optioneel. Het is alleen nodig als je HTTPS gebruikt met " -"een zelfondertekend certificaat." +"HTTPS CA-bestand is optioneel. Het is alleen nodig als je HTTPS gebruikt met een " +"zelfondertekend certificaat." msgid "Certificate files (*.crt, *.pem)|*.crt;*.pem|All files|*.*" msgstr "Certificaatbestanden (*.crt, *.pem)|*.crt;*.pem|Alle bestanden|*.*" @@ -15467,21 +14852,18 @@ msgstr "Open CA-certificaatbestand" #, c-format, boost-format msgid "" -"On this system, %s uses HTTPS certificates from the system Certificate Store " -"or Keychain." +"On this system, %s uses HTTPS certificates from the system Certificate Store or Keychain." msgstr "" -"Op dit systeem gebruikt %s HTTPS-certificaten uit de " -"systeemcertificaatopslag of de sleutelhanger." +"Op dit systeem gebruikt %s HTTPS-certificaten uit de systeemcertificaatopslag of de " +"sleutelhanger." -msgid "" -"To use a custom CA file, please import your CA file into Certificate Store / " -"Keychain." +msgid "To use a custom CA file, please import your CA file into Certificate Store / Keychain." msgstr "" -"Om een aangepast CA-bestand te gebruiken, importeert u uw CA-bestand in " -"Certificate Store / Keychain." +"Om een aangepast CA-bestand te gebruiken, importeert u uw CA-bestand in Certificate Store / " +"Keychain." msgid "Login/Test" -msgstr "" +msgstr "Inloggen/Test" msgid "Connection to printers connected via the print host failed." msgstr "Verbinding met printers aangesloten via de printhost mislukt." @@ -15524,11 +14906,10 @@ msgid "Could not connect to FlashAir" msgstr "Kan geen verbinding maken met FlashAir" msgid "" -"Note: FlashAir with firmware 2.00.02 or newer and activated upload function " -"is required." +"Note: FlashAir with firmware 2.00.02 or newer and activated upload function is required." msgstr "" -"Opmerking: FlashAir met firmware 2.00.02 of nieuwer en geactiveerde " -"uploadfunctie is vereist." +"Opmerking: FlashAir met firmware 2.00.02 of nieuwer en geactiveerde uploadfunctie is " +"vereist." msgid "Connection to MKS works correctly." msgstr "Connection to MKS is working correctly." @@ -15558,31 +14939,31 @@ msgid "Could not connect to PrusaLink" msgstr "Kan geen verbinding maken met PrusaLink" msgid "Storages found" -msgstr "" +msgstr "Gevonden opslagplaatsen" #. TRN %1% = storage path #, boost-format msgid "%1% : read only" -msgstr "" +msgstr "%1% : alleen lezen" #. TRN %1% = storage path #, boost-format msgid "%1% : no free space" -msgstr "" +msgstr "%1% : geen vrije ruimte" #. TRN %1% = host #, boost-format msgid "Upload has failed. There is no suitable storage found at %1%." -msgstr "" +msgstr "Upload is mislukt. Er is geen geschikte opslag gevonden op %1%." msgid "Connection to Prusa Connect works correctly." -msgstr "" +msgstr "De verbinding met Prusa Connect werkt goed." msgid "Could not connect to Prusa Connect" -msgstr "" +msgstr "Kon geen verbinding maken met Prusa Connect" msgid "Connection to Repetier works correctly." -msgstr "Connection to Repetier is working correctly." +msgstr "De verbinding met Repetier werkt goed." msgid "Could not connect to Repetier" msgstr "Kan geen verbinding maken met Repetier" @@ -15619,255 +15000,232 @@ msgstr "" "Fout: \"%2%\"" msgid "" -"It has a small layer height, and results in almost negligible layer lines " -"and high printing quality. It is suitable for most general printing cases." +"It has a small layer height, and results in almost negligible layer lines and high printing " +"quality. It is suitable for most general printing cases." msgstr "" -"It has a small layer height, and results in almost negligible layer lines " -"and high print quality. It is suitable for most general printing cases." +"Het heeft een kleine laaghoogte en resulteert in bijna verwaarloosbare laaglijnen en een " +"hoge afdrukkwaliteit. Het is geschikt voor de meeste algemene afdrukgevallen." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds " -"and acceleration, and the sparse infill pattern is Gyroid. So, it results in " -"much higher printing quality, but a much longer printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds and acceleration, " +"and the sparse infill pattern is Gyroid. So, it results in much higher printing quality, " +"but a much longer printing time." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds " -"and acceleration, and the sparse infill pattern is Gyroid. This results in " -"much higher print quality but a much longer print time." +"Vergeleken met het standaardprofiel van een 0,2 mm mondstuk, heeft het lagere snelheden en " +"acceleratie, en het spaarzame infill patroon is Gyroid. Dit resulteert in een veel hogere " +"printkwaliteit maar ook een veel langere printtijd." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a slightly " -"bigger layer height, and results in almost negligible layer lines, and " -"slightly shorter printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has a slightly bigger layer " +"height, and results in almost negligible layer lines, and slightly shorter printing time." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a slightly " -"bigger layer height. This results in almost negligible layer lines and " -"slightly longer print time." +"Compared with the default profile of a 0.2 mm nozzle, it has a slightly bigger layer " +"height. This results in almost negligible layer lines and slightly longer print time." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer " -"height, and results in slightly visible layer lines, but shorter printing " +"Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer height, and " +"results in slightly visible layer lines, but shorter printing time." +msgstr "" +"Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer height. This " +"results in slightly visible layer lines but shorter print time." + +msgid "" +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer height, and " +"results in almost invisible layer lines and higher printing quality, but shorter printing " "time." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer " -"height. This results in slightly visible layer lines but shorter print time." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer height. This " +"results in almost invisible layer lines and higher print quality but longer print time." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " -"height, and results in almost invisible layer lines and higher printing " -"quality, but shorter printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower " +"speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in almost " +"invisible layer lines and much higher printing quality, but much longer printing time." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " -"height. This results in almost invisible layer lines and higher print " -"quality but longer print time." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower " +"speeds and acceleration, and the sparse infill pattern is Gyroid. This results in almost " +"invisible layer lines and much higher print quality but much longer print time." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " -"lines, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. So, it results in almost invisible layer lines and much higher " -"printing quality, but much longer printing time." +"Compared with the default profile of 0.2 mm nozzle, it has a smaller layer height, and " +"results in minimal layer lines and higher printing quality, but shorter printing time." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " -"lines, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. This results in almost invisible layer lines and much higher print " -"quality but much longer print time." +"Compared with the default profile of 0.2 mm nozzle, it has a smaller layer height. This " +"results in minimal layer lines and higher print quality but longer print time." msgid "" -"Compared with the default profile of 0.2 mm nozzle, it has a smaller layer " -"height, and results in minimal layer lines and higher printing quality, but " -"shorter printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower " +"speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in minimal " +"layer lines and much higher printing quality, but much longer printing time." msgstr "" -"Compared with the default profile of 0.2 mm nozzle, it has a smaller layer " -"height. This results in minimal layer lines and higher print quality but " -"longer print time." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower " +"speeds and acceleration, and the sparse infill pattern is Gyroid. This results in minimal " +"layer lines and much higher print quality but much longer print time." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " -"lines, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. So, it results in minimal layer lines and much higher printing " -"quality, but much longer printing time." +"It has a general layer height, and results in general layer lines and printing quality. It " +"is suitable for most general printing cases." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " -"lines, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. This results in minimal layer lines and much higher print quality " -"but much longer print time." +"Het heeft een normale laaghoogte en resulteert in gemiddelde laaglijnen en afdrukkwaliteit. " +"Het is geschikt voor de meeste afdrukgevallen." msgid "" -"It has a general layer height, and results in general layer lines and " -"printing quality. It is suitable for most general printing cases." +"Compared with the default profile of a 0.4 mm nozzle, it has more wall loops and a higher " +"sparse infill density. So, it results in higher strength of the prints, but more filament " +"consumption and longer printing time." msgstr "" -"It has a normal layer height, and results in average layer lines and print " -"quality. It is suitable for most printing cases." +"Compared with the default profile of a 0.4 mm nozzle, it has more wall loops and a higher " +"sparse infill density. This results in higher print strength but more filament consumption " +"and longer print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has more wall loops " -"and a higher sparse infill density. So, it results in higher strength of the " -"prints, but more filament consumption and longer printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height, and " +"results in more apparent layer lines and lower printing quality, but slightly shorter " +"printing time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has more wall loops " -"and a higher sparse infill density. This results in higher print strength " -"but more filament consumption and longer print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height. This " +"results in more apparent layer lines and lower print quality but slightly shorter print " +"time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " -"height, and results in more apparent layer lines and lower printing quality, " -"but slightly shorter printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height, and " +"results in more apparent layer lines and lower printing quality, but shorter printing time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " -"height. This results in more apparent layer lines and lower print quality " -"but slightly shorter print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height. This " +"results in more apparent layer lines and lower print quality but shorter print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " -"height, and results in more apparent layer lines and lower printing quality, " -"but shorter printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, and " +"results in less apparent layer lines and higher printing quality, but longer printing time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " -"height. This results in more apparent layer lines and lower print quality " -"but shorter print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height. This " +"results in less apparent layer lines and higher print quality but longer print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and higher printing " -"quality, but longer printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower " +"speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in less " +"apparent layer lines and much higher printing quality, but much longer printing time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height. This results in less apparent layer lines and higher print quality " -"but longer print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower " +"speeds and acceleration, and the sparse infill pattern is Gyroid. This results in less " +"apparent layer lines and much higher print quality but much longer print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. So, it results in less apparent layer lines and much higher printing " -"quality, but much longer printing time." -msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. This results in less apparent layer lines and much higher print " -"quality but much longer print time." - -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in almost negligible layer lines and higher printing " -"quality, but longer printing time." -msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height. This results in almost negligible layer lines and higher print " -"quality but longer print time." - -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. So, it results in almost negligible layer lines and much higher " -"printing quality, but much longer printing time." -msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. This results in almost negligible layer lines and much higher print " -"quality but much longer print time." - -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in almost negligible layer lines and longer printing " +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, and " +"results in almost negligible layer lines and higher printing quality, but longer printing " "time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height. This results in almost negligible layer lines and longer print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height. This " +"results in almost negligible layer lines and higher print quality but longer print time." msgid "" -"It has a big layer height, and results in apparent layer lines and ordinary " -"printing quality and printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower " +"speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in almost " +"negligible layer lines and much higher printing quality, but much longer printing time." msgstr "" -"It has a big layer height, and results in apparent layer lines and ordinary " -"printing quality and printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower " +"speeds and acceleration, and the sparse infill pattern is Gyroid. This results in almost " +"negligible layer lines and much higher print quality but much longer print time." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has more wall loops " -"and a higher sparse infill density. So, it results in higher strength of the " -"prints, but more filament consumption and longer printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, and " +"results in almost negligible layer lines and longer printing time." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has more wall loops " -"and a higher sparse infill density. This results in higher print strength " -"but more filament consumption and longer print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height. This " +"results in almost negligible layer lines and longer print time." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " -"height, and results in more apparent layer lines and lower printing quality, " -"but shorter printing time in some printing cases." +"It has a big layer height, and results in apparent layer lines and ordinary printing " +"quality and printing time." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " -"height. This results in more apparent layer lines and lower print quality " -"but shorter print time in some cases." +"De laagdikte is groot, wat resulteert in zichtbare laaglijnen en een normale " +"afdrukkwaliteit en afdruktijd." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " -"height, and results in much more apparent layer lines and much lower " -"printing quality, but shorter printing time in some printing cases." +"Compared with the default profile of a 0.6 mm nozzle, it has more wall loops and a higher " +"sparse infill density. So, it results in higher strength of the prints, but more filament " +"consumption and longer printing time." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " -"height. This results in much more apparent layer lines and much lower print " -"quality, but shorter print time in some cases." +"Compared with the default profile of a 0.6 mm nozzle, it has more wall loops and a higher " +"sparse infill density. This results in higher print strength but more filament consumption " +"and longer print time." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and slight higher printing " -"quality, but longer printing time." +"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height, and " +"results in more apparent layer lines and lower printing quality, but shorter printing time " +"in some printing cases." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " -"height. This results in less apparent layer lines and slightly higher print " -"quality but longer print time." +"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height. This " +"results in more apparent layer lines and lower print quality but shorter print time in some " +"cases." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and higher printing " -"quality, but longer printing time." +"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height, and " +"results in much more apparent layer lines and much lower printing quality, but shorter " +"printing time in some printing cases." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " -"height. This results in less apparent layer lines and higher print quality " -"but longer print time." +"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height. This " +"results in much more apparent layer lines and much lower print quality, but shorter print " +"time in some cases." msgid "" -"It has a very big layer height, and results in very apparent layer lines, " -"low printing quality and general printing time." +"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height, and " +"results in less apparent layer lines and slight higher printing quality, but longer " +"printing time." msgstr "" -"It has a very big layer height, and results in very apparent layer lines, " -"low print quality and shorter printing time." +"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height. This " +"results in less apparent layer lines and slightly higher print quality but longer print " +"time." msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer " -"height, and results in very apparent layer lines and much lower printing " -"quality, but shorter printing time in some printing cases." +"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height, and " +"results in less apparent layer lines and higher printing quality, but longer printing time." msgstr "" -"Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer " -"height. This results in very apparent layer lines and much lower print " -"quality but shorter print time in some cases." +"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height. This " +"results in less apparent layer lines and higher print quality but longer print time." msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a much bigger " -"layer height, and results in extremely apparent layer lines and much lower " -"printing quality, but much shorter printing time in some printing cases." +"It has a very big layer height, and results in very apparent layer lines, low printing " +"quality and general printing time." msgstr "" -"Compared with the default profile of a 0.8 mm nozzle, it has a much bigger " -"layer height. This results in extremely apparent layer lines and much lower " -"print quality but much shorter print time in some cases." +"De laagdikte is erg groot, wat resulteert in duidelijke lijnen, een lage afdrukkwaliteit en " +"een kortere afdruktijd." msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a slightly " -"smaller layer height, and results in slightly less but still apparent layer " -"lines and slightly higher printing quality, but longer printing time in some " -"printing cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer height, and " +"results in very apparent layer lines and much lower printing quality, but shorter printing " +"time in some printing cases." msgstr "" -"Compared with the default profile of a 0.8 mm nozzle, it has a slightly " -"smaller layer height. This results in slightly less but still apparent layer " -"lines and slightly higher print quality, but longer print time in some cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer height. This " +"results in very apparent layer lines and much lower print quality but shorter print time in " +"some cases." msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a smaller layer " -"height, and results in less but still apparent layer lines and slightly " -"higher printing quality, but longer printing time in some printing cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a much bigger layer height, " +"and results in extremely apparent layer lines and much lower printing quality, but much " +"shorter printing time in some printing cases." msgstr "" -"Compared with the default profile of a 0.8 mm nozzle, it has a smaller layer " -"height. This results in less but still apparent layer lines and slightly " -"higher print quality, but longer print time in some cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a much bigger layer height. " +"This results in extremely apparent layer lines and much lower print quality but much " +"shorter print time in some cases." + +msgid "" +"Compared with the default profile of a 0.8 mm nozzle, it has a slightly smaller layer " +"height, and results in slightly less but still apparent layer lines and slightly higher " +"printing quality, but longer printing time in some printing cases." +msgstr "" +"Compared with the default profile of a 0.8 mm nozzle, it has a slightly smaller layer " +"height. This results in slightly less but still apparent layer lines and slightly higher " +"print quality, but longer print time in some cases." + +msgid "" +"Compared with the default profile of a 0.8 mm nozzle, it has a smaller layer height, and " +"results in less but still apparent layer lines and slightly higher printing quality, but " +"longer printing time in some printing cases." +msgstr "" +"Vergeleken met het standaardprofiel van een 0,8 mm mondstuk, heeft het een kleinere " +"laaghoogte. Dit resulteert in minder maar nog steeds zichtbare laaglijnen en een iets " +"hogere printkwaliteit, maar in sommige gevallen een langere printtijd." msgid "Connected to Obico successfully!" msgstr "" @@ -15882,10 +15240,10 @@ msgid "Could not connect to SimplyPrint" msgstr "" msgid "Internal error" -msgstr "" +msgstr "Interne fout" msgid "Unknown error" -msgstr "" +msgstr "Onbekende fout" msgid "SimplyPrint account not linked. Go to Connect options to set it up." msgstr "" @@ -15900,100 +15258,121 @@ msgid "The provided state is not correct." msgstr "" msgid "Please give the required permissions when authorizing this application." -msgstr "" +msgstr "Geef de vereiste machtigingen wanneer u deze toepassing autoriseert." msgid "Something unexpected happened when trying to log in, please try again." -msgstr "" +msgstr "Er is iets onverwachts gebeurd bij het inloggen. Probeer het opnieuw." msgid "User cancelled." -msgstr "" +msgstr "Gebruiker geannuleerd." #: resources/data/hints.ini: [hint:Precise wall] msgid "" "Precise wall\n" -"Did you know that turning on precise wall can improve precision and layer " -"consistency?" +"Did you know that turning on precise wall can improve precision and layer consistency?" msgstr "" +"Precieze muur\n" +"Wist u dat het inschakelen van de precieze muur de precisie en consistentie van de laag kan " +"verbeteren?" #: resources/data/hints.ini: [hint:Sandwich mode] msgid "" "Sandwich mode\n" -"Did you know that you can use sandwich mode (inner-outer-inner) to improve " -"precision and layer consistency if your model doesn't have very steep " -"overhangs?" +"Did you know that you can use sandwich mode (inner-outer-inner) to improve precision and " +"layer consistency if your model doesn't have very steep overhangs?" msgstr "" +"Sandwichmodus\n" +"Wist u dat u de sandwichmodus (binnen-buiten-binnen) kunt gebruiken om de precisie en " +"consistentie van de laag te verbeteren als uw model geen erg steile overhangen heeft?" #: resources/data/hints.ini: [hint:Chamber temperature] msgid "" "Chamber temperature\n" "Did you know that OrcaSlicer supports chamber temperature?" msgstr "" +"Kamertemperatuur\n" +"Wist je dat OrcaSlicer kamertemperatuur ondersteunt?" #: resources/data/hints.ini: [hint:Calibration] msgid "" "Calibration\n" -"Did you know that calibrating your printer can do wonders? Check out our " -"beloved calibration solution in OrcaSlicer." +"Did you know that calibrating your printer can do wonders? Check out our beloved " +"calibration solution in OrcaSlicer." msgstr "" +"Kalibratie\n" +"Wist u dat het kalibreren van uw printer wonderen kan doen? Bekijk onze geliefde " +"kalibratieoplossing in OrcaSlicer." #: resources/data/hints.ini: [hint:Auxiliary fan] msgid "" "Auxiliary fan\n" "Did you know that OrcaSlicer supports Auxiliary part cooling fan?" msgstr "" +"Hulpventilator\n" +"Wist u dat OrcaSlicer eventuele extra onderdeel koelventilator ondersteunt?" #: resources/data/hints.ini: [hint:Air filtration] msgid "" "Air filtration/Exhaust Fan\n" "Did you know that OrcaSlicer can support Air filtration/Exhaust Fan?" msgstr "" +"Luchtfiltratie/Afzuigventilator\n" +"Wist u dat OrcaSlicer eventuele luchtfiltratie/afzuigventilator ondersteunt?" #: resources/data/hints.ini: [hint:G-code window] msgid "" "G-code window\n" "You can turn on/off the G-code window by pressing the C key." msgstr "" +"G-codevenster\n" +"U kunt het G-codevenster in- of uitschakelen door op de C-toets te drukken." #: resources/data/hints.ini: [hint:Switch workspaces] msgid "" "Switch workspaces\n" -"You can switch between Prepare and Preview workspaces by " -"pressing the Tab key." +"You can switch between Prepare and Preview workspaces by pressing the Tab key." msgstr "" +"Werkruimten wisselen\n" +"U kunt schakelen tussen de werkruimten Voorbereiden en Voorvertoning door op " +"de Tab-toets te drukken." #: resources/data/hints.ini: [hint:How to use keyboard shortcuts] msgid "" "How to use keyboard shortcuts\n" -"Did you know that Orca Slicer offers a wide range of keyboard shortcuts and " -"3D scene operations." +"Did you know that Orca Slicer offers a wide range of keyboard shortcuts and 3D scene " +"operations." msgstr "" +"Hoe sneltoetsen te gebruiken\n" +"Wist u dat Orca Slicer een breed scala aan sneltoetsen en 3D-scènebewerkingen biedt." #: resources/data/hints.ini: [hint:Reverse on odd] msgid "" "Reverse on odd\n" -"Did you know that Reverse on odd feature can significantly improve " -"the surface quality of your overhangs?" +"Did you know that Reverse on odd feature can significantly improve the surface " +"quality of your overhangs?" msgstr "" +"Achteruit op oneven\n" +"Wist u dat de functie Achteruit op oneven de oppervlaktekwaliteit van uw overhangen " +"aanzienlijk kan verbeteren?" #: resources/data/hints.ini: [hint:Cut Tool] msgid "" "Cut Tool\n" -"Did you know that you can cut a model at any angle and position with the " -"cutting tool?" +"Did you know that you can cut a model at any angle and position with the cutting tool?" msgstr "" "Snijgereedschap\n" -"Wist u dat u een model in elke hoek en positie kunt snijden met het " -"snijgereedschap?" +"Wist u dat u een model in elke hoek en positie kunt snijden met het snijgereedschap?" #: resources/data/hints.ini: [hint:Fix Model] msgid "" "Fix Model\n" -"Did you know that you can fix a corrupted 3D model to avoid a lot of slicing " -"problems on the Windows system?" +"Did you know that you can fix a corrupted 3D model to avoid a lot of slicing problems on " +"the Windows system?" msgstr "" "Model repareren\n" -"Wist je dat je een beschadigd 3D-model kunt repareren om veel snijproblemen " -"op het Windows-systeem te voorkomen?" +"Wist je dat je een beschadigd 3D-model kunt repareren om veel snijproblemen op het Windows-" +"systeem te voorkomen?" #: resources/data/hints.ini: [hint:Timelapse] msgid "" @@ -16014,188 +15393,189 @@ msgstr "" #: resources/data/hints.ini: [hint:Auto-Orient] msgid "" "Auto-Orient\n" -"Did you know that you can rotate objects to an optimal orientation for " -"printing by a simple click?" +"Did you know that you can rotate objects to an optimal orientation for printing by a simple " +"click?" msgstr "" "Automatische oriëntatie\n" -"Wist je dat je met een simpele klik objecten kunt roteren naar een optimale " -"oriëntatie voor afdrukken?" +"Wist je dat je met een simpele klik objecten kunt roteren naar een optimale oriëntatie voor " +"afdrukken?" #: resources/data/hints.ini: [hint:Lay on Face] msgid "" "Lay on Face\n" -"Did you know that you can quickly orient a model so that one of its faces " -"sits on the print bed? Select the \"Place on face\" function or press the " -"F key." +"Did you know that you can quickly orient a model so that one of its faces sits on the print " +"bed? Select the \"Place on face\" function or press the F key." msgstr "" "Op gekozen selectie leggen\n" -"Wist u dat u een model snel zo kunt oriënteren dat een van de gezichten op " -"het printbed ligt? Selecteer de functie \"Op selectie leggen\" of druk op de " -"F toets." +"Wist u dat u een model snel zo kunt oriënteren dat een van de gezichten op het printbed " +"ligt? Selecteer de functie \"Op selectie leggen\" of druk op de F toets." #: resources/data/hints.ini: [hint:Object List] msgid "" "Object List\n" -"Did you know that you can view all objects/parts in a list and change " -"settings for each object/part?" +"Did you know that you can view all objects/parts in a list and change settings for each " +"object/part?" msgstr "" "Objectenlijst\n" -"Wist u dat u alle objecten/onderdelen in een lijst kunt bekijken en de " -"instellingen voor ieder object/onderdeel kunt wijzigen?" +"Wist u dat u alle objecten/onderdelen in een lijst kunt bekijken en de instellingen voor " +"ieder object/onderdeel kunt wijzigen?" #: resources/data/hints.ini: [hint:Search Functionality] msgid "" "Search Functionality\n" -"Did you know that you use the Search tool to quickly find a specific Orca " -"Slicer setting?" +"Did you know that you use the Search tool to quickly find a specific Orca Slicer setting?" msgstr "" +"Zoekfunctionaliteit\n" +"Wist u dat u de zoekfunctie gebruikt om snel een specifieke Orca Slicer-instelling te " +"vinden?" #: resources/data/hints.ini: [hint:Simplify Model] msgid "" "Simplify Model\n" -"Did you know that you can reduce the number of triangles in a mesh using the " -"Simplify mesh feature? Right-click the model and select Simplify model." +"Did you know that you can reduce the number of triangles in a mesh using the Simplify mesh " +"feature? Right-click the model and select Simplify model." msgstr "" +"Model vereenvoudigen\n" +"Wist u dat u het aantal driehoeken in een mesh kunt verminderen met de mesh functie " +"Vereenvoudigen? Klik met de rechtermuisknop op het model en selecteer Model vereenvoudigen." #: resources/data/hints.ini: [hint:Slicing Parameter Table] msgid "" "Slicing Parameter Table\n" -"Did you know that you can view all objects/parts on a table and change " -"settings for each object/part?" +"Did you know that you can view all objects/parts on a table and change settings for each " +"object/part?" msgstr "" "Tabel met slicing parameters\n" -"Wist je dat je alle objecten/onderdelen op een tabel kunt bekijken en " -"instellingen voor ieder object/onderdeel kunt wijzigen?" +"Wist je dat je alle objecten/onderdelen op een tabel kunt bekijken en instellingen voor " +"ieder object/onderdeel kunt wijzigen?" #: resources/data/hints.ini: [hint:Split to Objects/Parts] msgid "" "Split to Objects/Parts\n" -"Did you know that you can split a big object into small ones for easy " -"colorizing or printing?" +"Did you know that you can split a big object into small ones for easy colorizing or " +"printing?" msgstr "" "Splitsen naar objecten/delen\n" -"Wist u dat u een groot object kunt splitsen in kleine delen, zodat u het " -"gemakkelijk kunt inkleuren of afdrukken?" +"Wist u dat u een groot object kunt splitsen in kleine delen, zodat u het gemakkelijk kunt " +"inkleuren of afdrukken?" #: resources/data/hints.ini: [hint:Subtract a Part] msgid "" "Subtract a Part\n" -"Did you know that you can subtract one mesh from another using the Negative " -"part modifier? That way you can, for example, create easily resizable holes " -"directly in Orca Slicer." +"Did you know that you can subtract one mesh from another using the Negative part modifier? " +"That way you can, for example, create easily resizable holes directly in Orca Slicer." msgstr "" +"Een deel aftrekken\n" +"Wist u dat u een mesh van een andere kunt aftrekken met de Negatief deel aanpasser? Zo kunt " +"u bijvoorbeeld gemakkelijk aanpasbare gaten rechtstreeks in Orca Slicer maken." #: resources/data/hints.ini: [hint:STEP] msgid "" "STEP\n" -"Did you know that you can improve your print quality by slicing a STEP file " -"instead of an STL?\n" -"Orca Slicer supports slicing STEP files, providing smoother results than a " -"lower resolution STL. Give it a try!" +"Did you know that you can improve your print quality by slicing a STEP file instead of an " +"STL?\n" +"Orca Slicer supports slicing STEP files, providing smoother results than a lower resolution " +"STL. Give it a try!" msgstr "" +"STEP\n" +"Wist u dat u uw afdrukkwaliteit kunt verbeteren door een STEP-bestand te slicen in plaats " +"van een STL?\n" +"Orca Slicer ondersteunt het slicen van STEP-bestanden, wat vloeiendere resultaten oplevert " +"dan een STL met een lagere resolutie. Probeer het eens!" #: resources/data/hints.ini: [hint:Z seam location] msgid "" "Z seam location\n" -"Did you know that you can customize the location of the Z seam, and even " -"paint it on your print, to have it in a less visible location? This improves " -"the overall look of your model. Check it out!" +"Did you know that you can customize the location of the Z seam, and even paint it on your " +"print, to have it in a less visible location? This improves the overall look of your model. " +"Check it out!" msgstr "" "Plaats van de Z-naad\n" -"Wist je dat je de plaats van de Z-naad kunt aanpassen, en zelfs op je afdruk " -"kunt schilderen, zodat hij minder zichtbaar is? Dit verbetert de algemene " -"look van je model. Kijk maar!" +"Wist je dat je de plaats van de Z-naad kunt aanpassen, en zelfs op je afdruk kunt " +"schilderen, zodat hij minder zichtbaar is? Dit verbetert de algemene look van je model. " +"Kijk maar!" #: resources/data/hints.ini: [hint:Fine-tuning for flow rate] msgid "" "Fine-tuning for flow rate\n" -"Did you know that flow rate can be fine-tuned for even better-looking " -"prints? Depending on the material, you can improve the overall finish of the " -"printed model by doing some fine-tuning." +"Did you know that flow rate can be fine-tuned for even better-looking prints? Depending on " +"the material, you can improve the overall finish of the printed model by doing some fine-" +"tuning." msgstr "" "Nauwkeurige afstelling van flow rate\n" -"Wist u dat de flow rate nauwkeurig kan worden ingesteld voor nog mooiere " -"afdrukken? Afhankelijk van het materiaal kunt u de algehele afwerking van " -"het geprinte model verbeteren door wat fijnafstelling uit te voeren." +"Wist u dat de flow rate nauwkeurig kan worden ingesteld voor nog mooiere afdrukken? " +"Afhankelijk van het materiaal kunt u de algehele afwerking van het geprinte model " +"verbeteren door wat fijnafstelling uit te voeren." #: resources/data/hints.ini: [hint:Split your prints into plates] msgid "" "Split your prints into plates\n" -"Did you know that you can split a model that has a lot of parts into " -"individual plates ready to print? This will simplify the process of keeping " -"track of all the parts." +"Did you know that you can split a model that has a lot of parts into individual plates " +"ready to print? This will simplify the process of keeping track of all the parts." msgstr "" "Uw afdrukken opsplitsen in platen\n" -"Wist u dat u een model met veel onderdelen kunt splitsen in afzonderlijke " -"platen die klaar zijn om te printen? Dit vereenvoudigt het proces van het " -"bijhouden van alle onderdelen." +"Wist u dat u een model met veel onderdelen kunt splitsen in afzonderlijke platen die klaar " +"zijn om te printen? Dit vereenvoudigt het proces van het bijhouden van alle onderdelen." -#: resources/data/hints.ini: [hint:Speed up your print with Adaptive Layer -#: Height] +#: resources/data/hints.ini: [hint:Speed up your print with Adaptive Layer Height] msgid "" "Speed up your print with Adaptive Layer Height\n" -"Did you know that you can print a model even faster, by using the Adaptive " -"Layer Height option? Check it out!" +"Did you know that you can print a model even faster, by using the Adaptive Layer Height " +"option? Check it out!" msgstr "" "Versnel uw afdrukken met Adaptieve Laag Hoogte\n" -"Wist u dat u een model nog sneller kunt afdrukken door de optie Adaptieve " -"Laag Hoogte te gebruiken? Bekijk het eens!" +"Wist u dat u een model nog sneller kunt afdrukken door de optie Adaptieve Laag Hoogte te " +"gebruiken? Bekijk het eens!" #: resources/data/hints.ini: [hint:Support painting] msgid "" "Support painting\n" -"Did you know that you can paint the location of your supports? This feature " -"makes it easy to place the support material only on the sections of the " -"model that actually need it." +"Did you know that you can paint the location of your supports? This feature makes it easy " +"to place the support material only on the sections of the model that actually need it." msgstr "" "Ondersteuning schilderen\n" -"Wist je dat je de locatie van je ondersteuning kunt schilderen? Deze functie " -"maakt het eenvoudig om het ondersteuningsmateriaal alleen op de delen van " -"het model te plaatsen die het echt nodig hebben." +"Wist je dat je de locatie van je ondersteuning kunt schilderen? Deze functie maakt het " +"eenvoudig om het ondersteuningsmateriaal alleen op de delen van het model te plaatsen die " +"het echt nodig hebben." #: resources/data/hints.ini: [hint:Different types of supports] msgid "" "Different types of supports\n" -"Did you know that you can choose from multiple types of supports? Tree " -"supports work great for organic models, while saving filament and improving " -"print speed. Check them out!" +"Did you know that you can choose from multiple types of supports? Tree supports work great " +"for organic models, while saving filament and improving print speed. Check them out!" msgstr "" "Verschillende soorten ondersteuningen\n" -"Wist je dat je kunt kiezen uit meerdere soorten ondersteuningen? Tree " -"Support werkt uitstekend voor organische modellen, bespaart filament en " -"verbetert de printsnelheid. Bekijk ze eens!" +"Wist je dat je kunt kiezen uit meerdere soorten ondersteuningen? Tree Support werkt " +"uitstekend voor organische modellen, bespaart filament en verbetert de printsnelheid. " +"Bekijk ze eens!" #: resources/data/hints.ini: [hint:Printing Silk Filament] msgid "" "Printing Silk Filament\n" -"Did you know that Silk filament needs special consideration to print it " -"successfully? Higher temperature and lower speed are always recommended for " -"the best results." +"Did you know that Silk filament needs special consideration to print it successfully? " +"Higher temperature and lower speed are always recommended for the best results." msgstr "" "Silk Filament printen \n" -"Wist u dat Silk filament speciale aandacht nodig heeft om succesvol te " -"printen? Voor het beste resultaat wordt altijd een hogere temperatuur en een " -"lagere snelheid aanbevolen." +"Wist u dat Silk filament speciale aandacht nodig heeft om succesvol te printen? Voor het " +"beste resultaat wordt altijd een hogere temperatuur en een lagere snelheid aanbevolen." #: resources/data/hints.ini: [hint:Brim for better adhesion] msgid "" "Brim for better adhesion\n" -"Did you know that when printing models have a small contact interface with " -"the printing surface, it's recommended to use a brim?" +"Did you know that when printing models have a small contact interface with the printing " +"surface, it's recommended to use a brim?" msgstr "" "Brim voor betere hechting\n" -"Wist u dat wanneer gedrukte modellen een kleine contactinterface met het " -"printoppervlak hebben, het aanbevolen is om een brim te gebruiken?" +"Wist u dat wanneer gedrukte modellen een kleine contactinterface met het printoppervlak " +"hebben, het aanbevolen is om een brim te gebruiken?" #: resources/data/hints.ini: [hint:Set parameters for multiple objects] msgid "" "Set parameters for multiple objects\n" -"Did you know that you can set slicing parameters for all selected objects at " -"one time?" +"Did you know that you can set slicing parameters for all selected objects at one time?" msgstr "" "Parameters instellen voor meerdere objecten\n" -"Wist u dat u slicing parameters kunt instellen voor alle geselecteerde " -"objecten tegelijk?" +"Wist u dat u slicing parameters kunt instellen voor alle geselecteerde objecten tegelijk?" #: resources/data/hints.ini: [hint:Stack objects] msgid "" @@ -16208,48 +15588,45 @@ msgstr "" #: resources/data/hints.ini: [hint:Flush into support/objects/infill] msgid "" "Flush into support/objects/infill\n" -"Did you know that you can save the wasted filament by flushing them into " -"support/objects/infill during filament change?" +"Did you know that you can save the wasted filament by flushing them into support/objects/" +"infill during filament change?" msgstr "" "Flush in support/voorwerpen/infill\n" -"Wist u dat u minder filament verspilt door het tijdens het verwisselen van " -"filament in support/objecten/infill te spoelen?" +"Wist u dat u minder filament verspilt door het tijdens het verwisselen van filament in " +"support/objecten/infill te spoelen?" #: resources/data/hints.ini: [hint:Improve strength] msgid "" "Improve strength\n" -"Did you know that you can use more wall loops and higher sparse infill " -"density to improve the strength of the model?" +"Did you know that you can use more wall loops and higher sparse infill density to improve " +"the strength of the model?" msgstr "" "Stekte verbeteren\n" -"Wist je dat je meer wandlussen en een hogere dunne invuldichtheid kunt " -"gebruiken om de sterkte van het model te verbeteren?" +"Wist je dat je meer wandlussen en een hogere dunne invuldichtheid kunt gebruiken om de " +"sterkte van het model te verbeteren?" -#: resources/data/hints.ini: [hint:When need to print with the printer door -#: opened] +#: resources/data/hints.ini: [hint:When need to print with the printer door opened] msgid "" "When need to print with the printer door opened\n" -"Did you know that opening the printer door can reduce the probability of " -"extruder/hotend clogging when printing lower temperature filament with a " -"higher enclosure temperature. More info about this in the Wiki." +"Did you know that opening the printer door can reduce the probability of extruder/hotend " +"clogging when printing lower temperature filament with a higher enclosure temperature. More " +"info about this in the Wiki." msgstr "" "Wanneer moet u printen met de printerdeur open?\n" -"Wist je dat het openen van de printerdeur de kans op verstopping van de " -"extruder/hotend kan verminderen bij het printen van filament met een lagere " -"temperatuur en een hogere omgevingstemperatuur? Er staat meer informatie " -"hierover in de Wiki." +"Wist je dat het openen van de printerdeur de kans op verstopping van de extruder/hotend kan " +"verminderen bij het printen van filament met een lagere temperatuur en een hogere " +"omgevingstemperatuur? Er staat meer informatie hierover in de Wiki." #: resources/data/hints.ini: [hint:Avoid warping] msgid "" "Avoid warping\n" -"Did you know that when printing materials that are prone to warping such as " -"ABS, appropriately increasing the heatbed temperature can reduce the " -"probability of warping." +"Did you know that when printing materials that are prone to warping such as ABS, " +"appropriately increasing the heatbed temperature can reduce the probability of warping." msgstr "" "Kromtrekken voorkomen\n" -"Wist je dat bij het printen van materialen die gevoelig zijn voor " -"kromtrekken, zoals ABS, een juiste verhoging van de temperatuur van het " -"warmtebed de kans op kromtrekken kan verkleinen?" +"Wist je dat bij het printen van materialen die gevoelig zijn voor kromtrekken, zoals ABS, " +"een juiste verhoging van de temperatuur van het warmtebed de kans op kromtrekken kan " +"verkleinen?" #~ msgid "up to" #~ msgstr "tot" @@ -16262,8 +15639,7 @@ msgstr "" #~ msgid "Switching application language while some presets are modified." #~ msgstr "" -#~ "De taal van de toepassing aanpaasen terwijl sommige voorinstellingen zijn " -#~ "aangepast." +#~ "De taal van de toepassing aanpaasen terwijl sommige voorinstellingen zijn aangepast." #~ msgid "⌘+Shift+G" #~ msgstr "⌘+Shift+G" @@ -16302,22 +15678,18 @@ msgstr "" #~ msgstr "Alt+muiswiel" #~ msgid "" -#~ "Different nozzle diameters and different filament diameters is not " -#~ "allowed when prime tower is enabled." +#~ "Different nozzle diameters and different filament diameters is not allowed when prime " +#~ "tower is enabled." #~ msgstr "" -#~ "Verschillende mondstukdiameters en verschillende filamentdiameters zijn " -#~ "niet toegestaan als de prime-toren is ingeschakeld." +#~ "Verschillende mondstukdiameters en verschillende filamentdiameters zijn niet toegestaan " +#~ "als de prime-toren is ingeschakeld." -#~ msgid "" -#~ "Ooze prevention is currently not supported with the prime tower enabled." +#~ msgid "Ooze prevention is currently not supported with the prime tower enabled." #~ msgstr "" -#~ "Ooze-preventie wordt momenteel niet ondersteund als de prime tower is " -#~ "ingeschakeld." +#~ "Ooze-preventie wordt momenteel niet ondersteund als de prime tower is ingeschakeld." -#~ msgid "" -#~ "Interlocking depth of a segmented region. Zero disables this feature." -#~ msgstr "" -#~ "Insluitdiepte van een gesegmenteerd gebied. Nul schakelt deze functie uit." +#~ msgid "Interlocking depth of a segmented region. Zero disables this feature." +#~ msgstr "Insluitdiepte van een gesegmenteerd gebied. Nul schakelt deze functie uit." #~ msgid "Please input a valid value (K in 0~0.3)" #~ msgstr "Voer een geldige waarde in (K in 0~0.3)" @@ -16331,60 +15703,55 @@ msgstr "" #~ msgid "" #~ "Please find the details of Flow Dynamics Calibration from our wiki.\n" #~ "\n" -#~ "Usually the calibration is unnecessary. When you start a single color/" -#~ "material print, with the \"flow dynamics calibration\" option checked in " -#~ "the print start menu, the printer will follow the old way, calibrate the " -#~ "filament before the print; When you start a multi color/material print, " -#~ "the printer will use the default compensation parameter for the filament " -#~ "during every filament switch which will have a good result in most " +#~ "Usually the calibration is unnecessary. When you start a single color/material print, " +#~ "with the \"flow dynamics calibration\" option checked in the print start menu, the " +#~ "printer will follow the old way, calibrate the filament before the print; When you start " +#~ "a multi color/material print, the printer will use the default compensation parameter " +#~ "for the filament during every filament switch which will have a good result in most " #~ "cases.\n" #~ "\n" -#~ "Please note there are a few cases that will make the calibration result " -#~ "not reliable: using a texture plate to do the calibration; the build " -#~ "plate does not have good adhesion (please wash the build plate or apply " -#~ "gluestick!) ...You can find more from our wiki.\n" +#~ "Please note there are a few cases that will make the calibration result not reliable: " +#~ "using a texture plate to do the calibration; the build plate does not have good adhesion " +#~ "(please wash the build plate or apply gluestick!) ...You can find more from our wiki.\n" #~ "\n" -#~ "The calibration results have about 10 percent jitter in our test, which " -#~ "may cause the result not exactly the same in each calibration. We are " -#~ "still investigating the root cause to do improvements with new updates." +#~ "The calibration results have about 10 percent jitter in our test, which may cause the " +#~ "result not exactly the same in each calibration. We are still investigating the root " +#~ "cause to do improvements with new updates." #~ msgstr "" #~ "De details van Flow Dynamics Calibration vindt u op onze wiki.\n" #~ "\n" -#~ "Meestal is kalibratie niet nodig. Als je een print met één kleur/" -#~ "materiaal start en de optie \"kalibratie van de stroomdynamica\" is " -#~ "aangevinkt in het startmenu van de printer, dan zal de printer de oude " -#~ "manier volgen en het filament kalibreren voor het printen; als je een " -#~ "print met meerdere kleuren/materialen start, dan zal de printer de " -#~ "standaard compensatieparameter voor het filament gebruiken tijdens elke " -#~ "filamentwissel, wat in de meeste gevallen een goed resultaat zal " -#~ "opleveren.\n" +#~ "Meestal is kalibratie niet nodig. Als je een print met één kleur/materiaal start en de " +#~ "optie \"kalibratie van de stroomdynamica\" is aangevinkt in het startmenu van de " +#~ "printer, dan zal de printer de oude manier volgen en het filament kalibreren voor het " +#~ "printen; als je een print met meerdere kleuren/materialen start, dan zal de printer de " +#~ "standaard compensatieparameter voor het filament gebruiken tijdens elke filamentwissel, " +#~ "wat in de meeste gevallen een goed resultaat zal opleveren.\n" #~ "\n" -#~ "Let op: er zijn een paar gevallen waardoor het kalibratieresultaat niet " -#~ "betrouwbaar is: als je een textuurplaat gebruikt om de kalibratie uit te " -#~ "voeren; als de bouwplaat geen goede hechting heeft (was de bouwplaat of " -#~ "breng lijm aan!) ...Je kunt meer informatie vinden op onze wiki.\n" +#~ "Let op: er zijn een paar gevallen waardoor het kalibratieresultaat niet betrouwbaar is: " +#~ "als je een textuurplaat gebruikt om de kalibratie uit te voeren; als de bouwplaat geen " +#~ "goede hechting heeft (was de bouwplaat of breng lijm aan!) ...Je kunt meer informatie " +#~ "vinden op onze wiki.\n" #~ "\n" -#~ "De kalibratieresultaten hebben ongeveer 10 procent jitter in onze test, " -#~ "waardoor het resultaat niet bij elke kalibratie precies hetzelfde is. We " -#~ "onderzoeken nog steeds de oorzaak om verbeteringen aan te brengen met " -#~ "nieuwe updates." +#~ "De kalibratieresultaten hebben ongeveer 10 procent jitter in onze test, waardoor het " +#~ "resultaat niet bij elke kalibratie precies hetzelfde is. We onderzoeken nog steeds de " +#~ "oorzaak om verbeteringen aan te brengen met nieuwe updates." #~ msgid "" -#~ "Only one of the results with the same name will be saved. Are you sure " -#~ "you want to overrides the other results?" +#~ "Only one of the results with the same name will be saved. Are you sure you want to " +#~ "overrides the other results?" #~ msgstr "" -#~ "Slechts één van de resultaten met dezelfde naam wordt opgeslagen. Weet je " -#~ "zeker dat je de andere resultaten wilt vervangen?" +#~ "Slechts één van de resultaten met dezelfde naam wordt opgeslagen. Weet je zeker dat je " +#~ "de andere resultaten wilt vervangen?" #, c-format, boost-format #~ msgid "" -#~ "There is already a historical calibration result with the same name: %s. " -#~ "Only one of the results with the same name is saved. Are you sure you " -#~ "want to overrides the historical result?" +#~ "There is already a historical calibration result with the same name: %s. Only one of the " +#~ "results with the same name is saved. Are you sure you want to overrides the historical " +#~ "result?" #~ msgstr "" -#~ "Er is al een eerder kalibratieresultaat met dezelfde naam: %s. Slechts " -#~ "één van de resultaten met dezelfde naam wordt opgeslagen. Weet je zeker " -#~ "dat je het vorige resultaat wilt vervangen?" +#~ "Er is al een eerder kalibratieresultaat met dezelfde naam: %s. Slechts één van de " +#~ "resultaten met dezelfde naam wordt opgeslagen. Weet je zeker dat je het vorige resultaat " +#~ "wilt vervangen?" #~ msgid "Please find the cornor with perfect degree of extrusion" #~ msgstr "Zoek de hoek met de perfecte extrusiegraad" @@ -16399,29 +15766,29 @@ msgstr "" #~ msgstr "Vulling (infill) richting" #~ msgid "" -#~ "Enable this to get a G-code file which has G2 and G3 moves. And the " -#~ "fitting tolerance is same with resolution" +#~ "Enable this to get a G-code file which has G2 and G3 moves. And the fitting tolerance is " +#~ "same with resolution" #~ msgstr "" -#~ "Schakel dit in om een G-codebestand te krijgen met G2- en G3-bewegingen. " -#~ "De pastolerantie is gelijk aan de resolutie." +#~ "Schakel dit in om een G-codebestand te krijgen met G2- en G3-bewegingen. De " +#~ "pastolerantie is gelijk aan de resolutie." #~ msgid "" -#~ "Infill area is enlarged slightly to overlap with wall for better bonding. " -#~ "The percentage value is relative to line width of sparse infill" +#~ "Infill area is enlarged slightly to overlap with wall for better bonding. The percentage " +#~ "value is relative to line width of sparse infill" #~ msgstr "" -#~ "Hierdoor kan het opvulgebied (infill) iets worden vergroot om de wanden " -#~ "te overlappen voor een betere hechting. De procentuele waarde is relatief " -#~ "ten opzichte van de lijndikte van de opvulling." +#~ "Hierdoor kan het opvulgebied (infill) iets worden vergroot om de wanden te overlappen " +#~ "voor een betere hechting. De procentuele waarde is relatief ten opzichte van de " +#~ "lijndikte van de opvulling." #~ msgid "Unload Filament" #~ msgstr "Lossen" #~ msgid "" -#~ "Choose an AMS slot then press \"Load\" or \"Unload\" button to " -#~ "automatically load or unload filiament." +#~ "Choose an AMS slot then press \"Load\" or \"Unload\" button to automatically load or " +#~ "unload filiament." #~ msgstr "" -#~ "Kies een AMS sleuf en druk op de \"Laden\" of \"Verwijderen\" knop om het " -#~ "filament automatisch te laden of te verwijderen." +#~ "Kies een AMS sleuf en druk op de \"Laden\" of \"Verwijderen\" knop om het filament " +#~ "automatisch te laden of te verwijderen." #~ msgid "MC" #~ msgstr "MC" @@ -16448,42 +15815,39 @@ msgstr "" #~ msgstr "Vochtigheid in de cabine" #~ msgid "" -#~ "Green means that AMS humidity is normal, orange represent humidity is " -#~ "high, red represent humidity is too high.(Hygrometer: lower the better.)" +#~ "Green means that AMS humidity is normal, orange represent humidity is high, red " +#~ "represent humidity is too high.(Hygrometer: lower the better.)" #~ msgstr "" -#~ "Groen betekent dat de AMS-luchtvochtigheid normaal is, oranje betekent " -#~ "dat de luchtvochtigheid hoog is en rood betekent dat de luchtvochtigheid " -#~ "te hoog is. (Hygrometer: hoe lager, hoe beter.)" +#~ "Groen betekent dat de AMS-luchtvochtigheid normaal is, oranje betekent dat de " +#~ "luchtvochtigheid hoog is en rood betekent dat de luchtvochtigheid te hoog is. " +#~ "(Hygrometer: hoe lager, hoe beter.)" #~ msgid "Desiccant status" #~ msgstr "Status van het droogmiddel" #~ msgid "" -#~ "A desiccant status lower than two bars indicates that desiccant may be " -#~ "inactive. Please change the desiccant.(The bars: higher the better.)" +#~ "A desiccant status lower than two bars indicates that desiccant may be inactive. Please " +#~ "change the desiccant.(The bars: higher the better.)" #~ msgstr "" -#~ "Een droogmiddelstatus lager dan twee streepjes geeft aan dat het " -#~ "droogmiddel mogelijk inactief is. Vervang het droogmiddel. (Hoe hoger, " -#~ "hoe beter.)" +#~ "Een droogmiddelstatus lager dan twee streepjes geeft aan dat het droogmiddel mogelijk " +#~ "inactief is. Vervang het droogmiddel. (Hoe hoger, hoe beter.)" #~ msgid "" -#~ "Note: When the lid is open or the desiccant pack is changed, it can take " -#~ "hours or a night to absorb the moisture. Low temperatures also slow down " -#~ "the process. During this time, the indicator may not represent the " -#~ "chamber accurately." +#~ "Note: When the lid is open or the desiccant pack is changed, it can take hours or a " +#~ "night to absorb the moisture. Low temperatures also slow down the process. During this " +#~ "time, the indicator may not represent the chamber accurately." #~ msgstr "" -#~ "Opmerking: Als het deksel open is of de verpakking van het droogmiddel is " -#~ "vervangen, kan het enkele uren of een nacht duren voordat het vocht is " -#~ "opgenomen. Lage temperaturen vertragen ook het proces. Gedurende deze " -#~ "tijd geeft de indicator de vochtigheid mogelijk niet nauwkeurig weer." +#~ "Opmerking: Als het deksel open is of de verpakking van het droogmiddel is vervangen, kan " +#~ "het enkele uren of een nacht duren voordat het vocht is opgenomen. Lage temperaturen " +#~ "vertragen ook het proces. Gedurende deze tijd geeft de indicator de vochtigheid mogelijk " +#~ "niet nauwkeurig weer." #~ msgid "" -#~ "Note: if new filament is inserted during printing, the AMS will not " -#~ "automatically read any information until printing is completed." +#~ "Note: if new filament is inserted during printing, the AMS will not automatically read " +#~ "any information until printing is completed." #~ msgstr "" -#~ "Opmerking: als er tijdens het afdrukken nieuw filament wordt geplaatst, " -#~ "zal de AMS niet automatisch informatie lezen totdat het afdrukken is " -#~ "voltooid." +#~ "Opmerking: als er tijdens het afdrukken nieuw filament wordt geplaatst, zal de AMS niet " +#~ "automatisch informatie lezen totdat het afdrukken is voltooid." #, boost-format #~ msgid "Succeed to export G-code to %1%" @@ -16495,10 +15859,8 @@ msgstr "" #~ msgid "Initialize failed (No Camera Device)!" #~ msgstr "Initialisatie is mislukt (geen camera-apparaat)!" -#~ msgid "" -#~ "Printer is busy downloading, Please wait for the downloading to finish." -#~ msgstr "" -#~ "De printer is bezig met downloaden. Wacht tot het downloaden is voltooid." +#~ msgid "Printer is busy downloading, Please wait for the downloading to finish." +#~ msgstr "De printer is bezig met downloaden. Wacht tot het downloaden is voltooid." #~ msgid "Initialize failed (Not accessible in LAN-only mode)!" #~ msgstr "Initialisatie mislukt (niet toegankelijk in alleen LAN-modus)!" @@ -16529,37 +15891,33 @@ msgstr "" #~ msgstr "Failed to parse model infomation" #~ msgid "" -#~ "Unable to perform boolean operation on model meshes. Only positive parts " -#~ "will be exported." +#~ "Unable to perform boolean operation on model meshes. Only positive parts will be " +#~ "exported." #~ msgstr "" -#~ "Unable to perform boolean operation on model meshes. Only positive parts " -#~ "will be exported." +#~ "Unable to perform boolean operation on model meshes. Only positive parts will be " +#~ "exported." #, boost-format #~ msgid "" #~ "You have changed some settings of preset \"%1%\". \n" -#~ "Would you like to keep these changed settings (new value) after switching " -#~ "preset?" +#~ "Would you like to keep these changed settings (new value) after switching preset?" #~ msgstr "" #~ "U heeft enkele instellingen van voorinstelling \"%1%\" gewijzigd.\n" -#~ "Wilt u deze gewijzigde instellingen (nieuwe waarde) behouden na het " -#~ "wisselen van preset?" +#~ "Wilt u deze gewijzigde instellingen (nieuwe waarde) behouden na het wisselen van preset?" #~ msgid "" #~ "You have changed some preset settings. \n" -#~ "Would you like to keep these changed settings (new value) after switching " -#~ "preset?" +#~ "Would you like to keep these changed settings (new value) after switching preset?" #~ msgstr "" #~ "Je hebt een aantal vooraf ingestelde instellingen gewijzigd. \n" -#~ "Wilt u deze gewijzigde instellingen (nieuwe waarde) behouden na het " -#~ "wisselen van presets?" +#~ "Wilt u deze gewijzigde instellingen (nieuwe waarde) behouden na het wisselen van presets?" #~ msgid "" -#~ "Add solid infill near sloping surfaces to guarantee the vertical shell " -#~ "thickness (top+bottom solid layers)" +#~ "Add solid infill near sloping surfaces to guarantee the vertical shell thickness " +#~ "(top+bottom solid layers)" #~ msgstr "" -#~ "Voeg dichte vulling toe in de buurt van hellende oppervlakken om de " -#~ "verticale schaaldikte te garanderen (boven+onder vaste lagen)." +#~ "Voeg dichte vulling toe in de buurt van hellende oppervlakken om de verticale " +#~ "schaaldikte te garanderen (boven+onder vaste lagen)." #~ msgid "Configuration package updated to " #~ msgstr "Het configuratiebestand is bijgewerkt naar " @@ -16635,22 +15993,21 @@ msgstr "" #~ msgid "Quick" #~ msgstr "Quick" -#~ msgid "" -#~ "Discribe how long the nozzle will move along the last path when retracting" +#~ msgid "Discribe how long the nozzle will move along the last path when retracting" #~ msgstr "" -#~ "Dit beschrijft hoe lang de nozzle langs het laatste pad zal bewegen " -#~ "tijdens het terugtrekken (rectracting)." +#~ "Dit beschrijft hoe lang de nozzle langs het laatste pad zal bewegen tijdens het " +#~ "terugtrekken (rectracting)." #~ msgid "" #~ "Simplify Model\n" -#~ "Did you know that you can reduce the number of triangles in a mesh using " -#~ "the Simplify mesh feature? Right-click the model and select Simplify " -#~ "model. Read more in the documentation." +#~ "Did you know that you can reduce the number of triangles in a mesh using the Simplify " +#~ "mesh feature? Right-click the model and select Simplify model. Read more in the " +#~ "documentation." #~ msgstr "" #~ "Vereenvoudig het model\n" -#~ "Wist u dat u het aantal driehoeken in een mesh kunt verminderen met de " -#~ "functie Simplify mesh? Klik met de rechtermuisknop op het model en " -#~ "selecteer Model vereenvoudigen. Lees meer in de documentatie." +#~ "Wist u dat u het aantal driehoeken in een mesh kunt verminderen met de functie Simplify " +#~ "mesh? Klik met de rechtermuisknop op het model en selecteer Model vereenvoudigen. Lees " +#~ "meer in de documentatie." #~ msgid "Filling bed " #~ msgstr "Filling bed" @@ -16666,25 +16023,22 @@ msgstr "" #~ msgstr "" #~ "Overschakelen naar rechtlijnig patroon?\n" #~ "Ja - Automatisch overschakelen naar rechtlijnig patroon\n" -#~ "Nee - Zet de dichtheid automatisch terug naar de standaard niet 100% " -#~ "waarde" +#~ "Nee - Zet de dichtheid automatisch terug naar de standaard niet 100% waarde" #~ msgid "Please heat the nozzle to above 170 degree before loading filament." -#~ msgstr "" -#~ "Verwarm de nozzle tot meer dan 170 graden voordat je het filament laadt." +#~ msgstr "Verwarm de nozzle tot meer dan 170 graden voordat je het filament laadt." #, c-format #~ msgid "Density of internal sparse infill, 100% means solid throughout" #~ msgstr "" -#~ "Dit is de dichtheid van de interne vulling. 100%% betekent dat het object " -#~ "geheel solide zal zijn." +#~ "Dit is de dichtheid van de interne vulling. 100%% betekent dat het object geheel solide " +#~ "zal zijn." #~ msgid "Tree support wall loops" #~ msgstr "Tree support wand lussen" #~ msgid "This setting specify the count of walls around tree support" -#~ msgstr "" -#~ "Deze instelling specificeert het aantal wanden rond de tree support." +#~ msgstr "Deze instelling specificeert het aantal wanden rond de tree support." #, c-format, boost-format #~ msgid " doesn't work at 100%% density " @@ -16712,9 +16066,7 @@ msgstr "" #~ msgstr "Exporteer alle objecten als STL" #~ msgid "The 3mf is not compatible, load geometry data only!" -#~ msgstr "" -#~ "Het 3mf bestand is niet compatibel, enkel de geometrische data wordt " -#~ "geladen!" +#~ msgstr "Het 3mf bestand is niet compatibel, enkel de geometrische data wordt geladen!" #~ msgid "Incompatible 3mf" #~ msgstr "Onbruikbaar 3mf bestand" @@ -16736,9 +16088,7 @@ msgstr "" #~ msgstr "Volgorde binnenwand/buitenwand/opvulling (infill)" #~ msgid "Print sequence of inner wall, outer wall and infill. " -#~ msgstr "" -#~ "Dit is de afdrukvolgorde van binnenwanden, buitenwanden en vulling " -#~ "(infill)." +#~ msgstr "Dit is de afdrukvolgorde van binnenwanden, buitenwanden en vulling (infill)." #~ msgid "inner/outer/infill" #~ msgstr "binnenste/buitenste/vulling (infill)" @@ -16777,8 +16127,7 @@ msgstr "" #~ msgstr "Slice" #~ msgid "Slice the plates: 0-all plates, i-plate i, others-invalid" -#~ msgstr "" -#~ "Slice de printbedden: 0-alle printbedden, i-printbed i, andere-onjuist" +#~ msgstr "Slice de printbedden: 0-alle printbedden, i-printbed i, andere-onjuist" #~ msgid "Show command help." #~ msgstr "Dit toont de command hulp." @@ -16867,41 +16216,36 @@ msgstr "" #~ msgid "Debug level" #~ msgstr "Debuggen level" -#~ msgid "" -#~ "Sets debug logging level. 0:fatal, 1:error, 2:warning, 3:info, 4:debug, 5:" -#~ "trace\n" +#~ msgid "Sets debug logging level. 0:fatal, 1:error, 2:warning, 3:info, 4:debug, 5:trace\n" #~ msgstr "" -#~ "Sets debug logging level. 0:fataal, 1:error, 2:waarschuwing, 3:info, 4:" -#~ "debug, 5:trace\n" +#~ "Sets debug logging level. 0:fataal, 1:error, 2:waarschuwing, 3:info, 4:debug, 5:trace\n" #~ msgid "" #~ "3D Scene Operations\n" -#~ "Did you know how to control view and object/part selection with mouse and " -#~ "touchpanel in the 3D scene?" +#~ "Did you know how to control view and object/part selection with mouse and touchpanel in " +#~ "the 3D scene?" #~ msgstr "" #~ "3D-scènebewerkingen\n" -#~ "Weet u hoe u de weergave en selectie van objecten/onderdelen met de muis " -#~ "en het aanraakscherm in de 3D-scène kunt bedienen?" +#~ "Weet u hoe u de weergave en selectie van objecten/onderdelen met de muis en het " +#~ "aanraakscherm in de 3D-scène kunt bedienen?" #~ msgid "" #~ "Fix Model\n" -#~ "Did you know that you can fix a corrupted 3D model to avoid a lot of " -#~ "slicing problems?" +#~ "Did you know that you can fix a corrupted 3D model to avoid a lot of slicing problems?" #~ msgstr "" #~ "Model repareren\n" -#~ "Wist u dat u een beschadigd 3D-model kunt repareren om veel snijproblemen " -#~ "te voorkomen?" +#~ "Wist u dat u een beschadigd 3D-model kunt repareren om veel snijproblemen te voorkomen?" # Source and destination string both English but don't match! #~ msgid "Embeded" #~ msgstr "Embedded" #~ msgid "" -#~ "OrcaSlicer configuration file may be corrupted and is not abled to be " -#~ "parsed.Please delete the file and try again." +#~ "OrcaSlicer configuration file may be corrupted and is not abled to be parsed.Please " +#~ "delete the file and try again." #~ msgstr "" -#~ "OrcaSlicer configuratiebestand is mogelijks corrupt, en kan niet verwerkt " -#~ "worden.Verwijder het configuratiebestand en probeer het opnieuw." +#~ "OrcaSlicer configuratiebestand is mogelijks corrupt, en kan niet verwerkt worden." +#~ "Verwijder het configuratiebestand en probeer het opnieuw." #~ msgid "Online Models" #~ msgstr "Online Models" @@ -16913,41 +16257,37 @@ msgstr "" #~ msgstr "De minimale printsnelheid indien er afgeremd wordt om af te koelen" #~ msgid "" -#~ "The bed temperature exceeds filament's vitrification temperature. Please " -#~ "open the front door of printer before printing to avoid nozzle clog." +#~ "The bed temperature exceeds filament's vitrification temperature. Please open the front " +#~ "door of printer before printing to avoid nozzle clog." #~ msgstr "" -#~ "De bedtemperatuur overschrijdt de vitrificatietemperatuur van het " -#~ "filament. Open de voorkdeur van de printer voor het printen om " -#~ "verstopping van de nozzles te voorkomen." +#~ "De bedtemperatuur overschrijdt de vitrificatietemperatuur van het filament. Open de " +#~ "voorkdeur van de printer voor het printen om verstopping van de nozzles te voorkomen." #~ msgid "Temperature of vitrificaiton" #~ msgstr "Temperatuur van verglazing" #~ msgid "" -#~ "Material becomes soft at this temperature. Thus the heatbed cannot be " -#~ "hotter than this tempature" +#~ "Material becomes soft at this temperature. Thus the heatbed cannot be hotter than this " +#~ "tempature" #~ msgstr "" -#~ "Op deze temperatuur zal het materiaal zacht worden. Daarom kan de " -#~ "temperatuur van het printbed niet hoger dan deze waarde." +#~ "Op deze temperatuur zal het materiaal zacht worden. Daarom kan de temperatuur van het " +#~ "printbed niet hoger dan deze waarde." #~ msgid "Enable this option if machine has auxiliary part cooling fan" -#~ msgstr "" -#~ "Schakel deze optie in als de machine een ventilator voor de enclosure " -#~ "heeft" +#~ msgstr "Schakel deze optie in als de machine een ventilator voor de enclosure heeft" #~ msgid "" -#~ "Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed " -#~ "during printing except the first several layers which is defined by no " -#~ "cooling layers" +#~ "Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed during " +#~ "printing except the first several layers which is defined by no cooling layers" #~ msgstr "" -#~ "Snelheid van de auxiliary part ventilator. De auxiliary ventilator draait " -#~ "op deze snelheid tijdens het afdrukken, behalve de eerste paar lagen, die " -#~ "worden gedefinieerd door geen koellagen" +#~ "Snelheid van de auxiliary part ventilator. De auxiliary ventilator draait op deze " +#~ "snelheid tijdens het afdrukken, behalve de eerste paar lagen, die worden gedefinieerd " +#~ "door geen koellagen" #~ msgid "Empty layers around bottom are replaced by nearest normal layers." #~ msgstr "" -#~ "Lege lagen in de buurt van de bodem worden vervangen door de " -#~ "dichtsbijzijnde normale lagen." +#~ "Lege lagen in de buurt van de bodem worden vervangen door de dichtsbijzijnde normale " +#~ "lagen." #~ msgid "The model has too many empty layers." #~ msgstr "Het model heeft te veel lege lagen." @@ -16963,26 +16303,24 @@ msgstr "" #, c-format, boost-format #~ msgid "" -#~ "Bed temperature of other layer is lower than bed temperature of initial " -#~ "layer for more than %d degree centigrade.\n" +#~ "Bed temperature of other layer is lower than bed temperature of initial layer for more " +#~ "than %d degree centigrade.\n" #~ "This may cause model broken free from build plate during printing" #~ msgstr "" -#~ "De printbed temperatuur voor de overige lagen is %d graden celcius lager " -#~ "dan de temperatuur voor de eerste laag.\n" +#~ "De printbed temperatuur voor de overige lagen is %d graden celcius lager dan de " +#~ "temperatuur voor de eerste laag.\n" #~ "Hierdoor kan de print loskomen van het printbed gedurende de printtaak" #~ msgid "" -#~ "Bed temperature is higher than vitrification temperature of this " -#~ "filament.\n" +#~ "Bed temperature is higher than vitrification temperature of this filament.\n" #~ "This may cause nozzle blocked and printing failure\n" -#~ "Please keep the printer open during the printing process to ensure air " -#~ "circulation or reduce the temperature of the hot bed" +#~ "Please keep the printer open during the printing process to ensure air circulation or " +#~ "reduce the temperature of the hot bed" #~ msgstr "" -#~ "De bedtemperatuur is hoger dan de vitrificatietemperatuur van dit " -#~ "filament.\n" +#~ "De bedtemperatuur is hoger dan de vitrificatietemperatuur van dit filament.\n" #~ "Dit kan leiden tot verstopping van de nozzle en tot print fouten.\n" -#~ "Houd de printer open tijdens het printproces om te zorgen voor " -#~ "luchtcirculatie, of om de temperatuur van het warmwaterbed te verlagen." +#~ "Houd de printer open tijdens het printproces om te zorgen voor luchtcirculatie, of om de " +#~ "temperatuur van het warmwaterbed te verlagen." #~ msgid "Total Time Estimation" #~ msgstr "Total Time Estimation" @@ -17012,44 +16350,41 @@ msgstr "" #~ msgstr "High Temp Plate (hoge temperatuur printbed)" #~ msgid "" -#~ "Bed temperature when high temperature plate is installed. Value 0 means " -#~ "the filament does not support to print on the High Temp Plate" +#~ "Bed temperature when high temperature plate is installed. Value 0 means the filament " +#~ "does not support to print on the High Temp Plate" #~ msgstr "" -#~ "Dit is de bedtemperatuur wanneer de hogetemperatuurplaat is " -#~ "geïnstalleerd. Een waarde van 0 betekent dat het filament printen op de " -#~ "High Temp Plate niet ondersteunt." +#~ "Dit is de bedtemperatuur wanneer de hogetemperatuurplaat is geïnstalleerd. Een waarde " +#~ "van 0 betekent dat het filament printen op de High Temp Plate niet ondersteunt." #~ msgid "Internal bridge support thickness" #~ msgstr "Dikte interne brugondersteuning" #~ msgid "" -#~ "Style and shape of the support. For normal support, projecting the " -#~ "supports into a regular grid will create more stable supports (default), " -#~ "while snug support towers will save material and reduce object scarring.\n" -#~ "For tree support, slim style will merge branches more aggressively and " -#~ "save a lot of material (default), while hybrid style will create similar " -#~ "structure to normal support under large flat overhangs." +#~ "Style and shape of the support. For normal support, projecting the supports into a " +#~ "regular grid will create more stable supports (default), while snug support towers will " +#~ "save material and reduce object scarring.\n" +#~ "For tree support, slim style will merge branches more aggressively and save a lot of " +#~ "material (default), while hybrid style will create similar structure to normal support " +#~ "under large flat overhangs." #~ msgstr "" -#~ "Stijl en vorm van de ondersteuning. Voor normale ondersteuning zal grit " -#~ "stabielere steunen creëren (standaard), terwijl snug materiaal bespaart " -#~ "en littekens op het object zal verminderen.\n" -#~ "Voor tree ondersteuning zal de slanke stijl takken agressiever " -#~ "samenvoegen en veel materiaal besparen (standaard), terwijl de hybride " -#~ "stijl een soortgelijke structuur creëert als de normale ondersteuning " -#~ "onder grote platte overhangen." +#~ "Stijl en vorm van de ondersteuning. Voor normale ondersteuning zal grit stabielere " +#~ "steunen creëren (standaard), terwijl snug materiaal bespaart en littekens op het object " +#~ "zal verminderen.\n" +#~ "Voor tree ondersteuning zal de slanke stijl takken agressiever samenvoegen en veel " +#~ "materiaal besparen (standaard), terwijl de hybride stijl een soortgelijke structuur " +#~ "creëert als de normale ondersteuning onder grote platte overhangen." #~ msgid "Bed temperature difference" #~ msgstr "Printbed temperatuurverschil" #~ msgid "" -#~ "Do not recommend bed temperature of other layer to be lower than initial " -#~ "layer for more than this threshold. Too low bed temperature of other " -#~ "layer may cause the model broken free from build plate" +#~ "Do not recommend bed temperature of other layer to be lower than initial layer for more " +#~ "than this threshold. Too low bed temperature of other layer may cause the model broken " +#~ "free from build plate" #~ msgstr "" -#~ "Het wordt niet aanbevolen om de bedtemperatuur van andere lagen meer dan " -#~ "deze drempelwaarde te verlagen dan de eerste laag. Een te lage " -#~ "bedtemperatuur van een andere laag kan ertoe leiden dat het model loskomt " -#~ "van de bouwplaat." +#~ "Het wordt niet aanbevolen om de bedtemperatuur van andere lagen meer dan deze " +#~ "drempelwaarde te verlagen dan de eerste laag. Een te lage bedtemperatuur van een andere " +#~ "laag kan ertoe leiden dat het model loskomt van de bouwplaat." #~ msgid "Orient the model" #~ msgstr "Oriënteer het model" From d1b9ef427e1452dbc25c73f436ea69f9df8ad92f Mon Sep 17 00:00:00 2001 From: SoftFever Date: Fri, 23 Aug 2024 22:12:36 +0800 Subject: [PATCH 12/35] Add alert --- README.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/README.md b/README.md index 415d0d371e..da42312e32 100644 --- a/README.md +++ b/README.md @@ -4,6 +4,10 @@ Orca Slicer is an open source slicer for FDM printers. ![discord-mark-blue](https://github.com/SoftFever/OrcaSlicer/assets/103989404/b97d5ffc-072d-4d0a-bbda-e67ef373876f) Join community: [OrcaSlicer Official Discord Server](https://discord.gg/P4VE9UY9gJ) +🚨🚨🚨Alert🚨🚨🚨: "orcaslicer.net" is **NOT** an our website and appears to be potentially malicious. The content there is AI-generated, which means it lacks genuine context and it's only purpose is to profit from ADs and worse: they can redirect download links to harmful sources. Please avoid downloading OrcaSlicer from this site, as the download links could be compromised at any time. +The only official platforms for OrcaSlicer are the GitHub project page and the Discord channel mentioned above. +I really value the OrcaSlicer community and appreciate all the social groups that have formed. However, it’s important to address that it’s harmful if any group falsely claims to be official or misleads its members. If you notice such a group or are part of one, please help by encouraging the group owner to add a clear disclaimer or by warning its members. + # Main features - Auto calibrations for all printers - Sandwich(inner-outer-inner) mode - an improved version of the `External perimeters first` mode From a68fc86c4efcca9fe4aa34f09fb8f6e870ac1959 Mon Sep 17 00:00:00 2001 From: Noisyfox Date: Fri, 23 Aug 2024 22:55:10 +0800 Subject: [PATCH 13/35] Fix crash in printer config when switching tabs (#6537) * Fix ASAN with MSVC * Make ASAN happy * Avoid deleting activated tab button by not calling `DeleteAllItems` (#SoftFever/OrcaSlicer#6486) --- CMakeLists.txt | 2 ++ src/slic3r/GUI/PartPlate.cpp | 2 +- src/slic3r/GUI/Tab.cpp | 17 +++++++++++++---- src/slic3r/GUI/Widgets/TabCtrl.cpp | 18 +++++++++++++++++- 4 files changed, 33 insertions(+), 6 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index b062604fba..197694e020 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -314,6 +314,8 @@ if (SLIC3R_ASAN) set(CMAKE_EXE_LINKER_FLAGS "${CMAKE_EXE_LINKER_FLAGS} -fsanitize=address") set(CMAKE_SHARED_LINKER_FLAGS "${CMAKE_SHARED_LINKER_FLAGS} -fsanitize=address") set(CMAKE_MODULE_LINKER_FLAGS "${CMAKE_MODULE_LINKER_FLAGS} -fsanitize=address") + else() + add_compile_definitions(_DISABLE_STRING_ANNOTATION=1 _DISABLE_VECTOR_ANNOTATION=1) endif () if ("${CMAKE_CXX_COMPILER_ID}" STREQUAL "GNU") diff --git a/src/slic3r/GUI/PartPlate.cpp b/src/slic3r/GUI/PartPlate.cpp index ce65811936..f99db5445c 100644 --- a/src/slic3r/GUI/PartPlate.cpp +++ b/src/slic3r/GUI/PartPlate.cpp @@ -470,7 +470,7 @@ void PartPlate::calc_gridlines(const ExPolygon& poly, const BoundingBox& pp_bbox int count = 0; int step = 10; // Orca: use 500 x 500 bed size as baseline. - auto grid_counts = pp_bbox.size() / ((coord_t) scale_(step * 50)); + const Point grid_counts = pp_bbox.size() / ((coord_t) scale_(step * 50)); // if the grid is too dense, we increase the step if (grid_counts.minCoeff() > 1) { step = static_cast(grid_counts.minCoeff() + 1) * 10; diff --git a/src/slic3r/GUI/Tab.cpp b/src/slic3r/GUI/Tab.cpp index 9ac8e4bdbd..fc37a0ea6b 100644 --- a/src/slic3r/GUI/Tab.cpp +++ b/src/slic3r/GUI/Tab.cpp @@ -4746,19 +4746,28 @@ void Tab::rebuild_page_tree() // To avoid redundant clear/activate functions call // suppress activate page before page_tree rebuilding m_disable_tree_sel_changed_event = true; - m_tabctrl->DeleteAllItems(); + int curr_item = 0; for (auto p : m_pages) { if (!p->get_show()) continue; - auto itemId = m_tabctrl->AppendItem(translate_category(p->title(), m_type), p->iconID()); - m_tabctrl->SetItemTextColour(itemId, p->get_item_colour() == m_modified_label_clr ? p->get_item_colour() : StateColor( + if (m_tabctrl->GetCount() <= curr_item) { + m_tabctrl->AppendItem(translate_category(p->title(), m_type), p->iconID()); + } else { + m_tabctrl->SetItemText(curr_item, translate_category(p->title(), m_type)); + } + m_tabctrl->SetItemTextColour(curr_item, p->get_item_colour() == m_modified_label_clr ? p->get_item_colour() : StateColor( std::make_pair(0x6B6B6C, (int) StateColor::NotChecked), std::make_pair(p->get_item_colour(), (int) StateColor::Normal))); if (translate_category(p->title(), m_type) == selected) - item = itemId; + item = curr_item; + curr_item++; } + while (m_tabctrl->GetCount() > curr_item) { + m_tabctrl->DeleteItem(m_tabctrl->GetCount() - 1); + } + // BBS: on mac, root is selected, this fix it m_tabctrl->Unselect(); // BBS: not select on hide tab diff --git a/src/slic3r/GUI/Widgets/TabCtrl.cpp b/src/slic3r/GUI/Widgets/TabCtrl.cpp index 73d792a4e0..1cfb8c5534 100644 --- a/src/slic3r/GUI/Widgets/TabCtrl.cpp +++ b/src/slic3r/GUI/Widgets/TabCtrl.cpp @@ -117,7 +117,23 @@ int TabCtrl::AppendItem(const wxString &item, bool TabCtrl::DeleteItem(int item) { - return false; + if (item < 0 || item >= btns.size()) { + return false; + } + + Button* btn = btns[item]; + btn->Destroy(); + btns.erase(btns.begin() + item); + sizer->Remove(item * 2); + if (btns.size() > 1) + sizer->GetItem(sizer->GetItemCount() - 1)->SetMinSize({0, 0}); + relayout(); + if (sel >= item) { + sel--; + sendTabCtrlEvent(); + } + + return true; } void TabCtrl::DeleteAllItems() From bd8c2ffaeb4c7c747ed253cc629ba85b307efd35 Mon Sep 17 00:00:00 2001 From: Vovodroid Date: Sun, 25 Aug 2024 07:33:32 +0300 Subject: [PATCH 14/35] Refactor stagger concentric seams (#6432) --- src/libslic3r/Fill/FillConcentric.cpp | 36 +++++++++++++++++++++------ 1 file changed, 29 insertions(+), 7 deletions(-) diff --git a/src/libslic3r/Fill/FillConcentric.cpp b/src/libslic3r/Fill/FillConcentric.cpp index f7fe82ad5f..b5a0c738c9 100644 --- a/src/libslic3r/Fill/FillConcentric.cpp +++ b/src/libslic3r/Fill/FillConcentric.cpp @@ -10,12 +10,15 @@ namespace Slic3r { template -int stagger_seam_index(int ind, LINE_T line) +int stagger_seam_index(int ind, LINE_T line, double shift, bool dir) { Point const *point = &line.points[ind]; double dist = 0; - while (dist < 0.5 / SCALING_FACTOR) { - ind = (ind + 1) % line.points.size(); + while (dist < shift / SCALING_FACTOR) { + if (dir) + ind = (ind + 1) % line.points.size(); + else + ind = ind > 0 ? --ind : line.points.size() - 1; Point const &next = line.points[ind]; dist += point->distance_to(next); point = &next; @@ -23,6 +26,8 @@ int stagger_seam_index(int ind, LINE_T line) return ind; } +#define STAGGER_SEAM_THRESHOLD 0.9 + void FillConcentric::_fill_surface_single( const FillParams ¶ms, unsigned int thickness_layers, @@ -55,8 +60,20 @@ void FillConcentric::_fill_surface_single( // split paths using a nearest neighbor search size_t iPathFirst = polylines_out.size(); Point last_pos(0, 0); + + double min_nozzle_diameter; + bool dir; + if (this->print_config != nullptr && params.density >= STAGGER_SEAM_THRESHOLD) { + min_nozzle_diameter = *std::min_element(print_config->nozzle_diameter.values.begin(), print_config->nozzle_diameter.values.end()); + dir = rand() % 2; + } + for (const Polygon &loop : loops) { - polylines_out.emplace_back(loop.split_at_index(stagger_seam_index(last_pos.nearest_point_index(loop.points), loop))); + int ind = (this->print_config != nullptr && params.density > STAGGER_SEAM_THRESHOLD) ? + stagger_seam_index(last_pos.nearest_point_index(loop.points), loop, min_nozzle_diameter / 2, dir) : + last_pos.nearest_point_index(loop.points); + + polylines_out.emplace_back(loop.split_at_index(ind)); last_pos = polylines_out.back().last_point(); } @@ -118,13 +135,18 @@ void FillConcentric::_fill_surface_single(const FillParams& params, // Split paths using a nearest neighbor search. size_t firts_poly_idx = thick_polylines_out.size(); Point last_pos(0, 0); + bool dir = rand() % 2; for (const Arachne::ExtrusionLine* extrusion : all_extrusions) { if (extrusion->empty()) continue; - ThickPolyline thick_polyline = Arachne::to_thick_polyline(*extrusion); - if (extrusion->is_closed) - thick_polyline.start_at_index(stagger_seam_index(last_pos.nearest_point_index(thick_polyline.points), thick_polyline)); + + if (extrusion->is_closed) { + int ind = (params.density >= STAGGER_SEAM_THRESHOLD) ? + stagger_seam_index(last_pos.nearest_point_index(thick_polyline.points), thick_polyline, min_nozzle_diameter / 2, dir) : + last_pos.nearest_point_index(thick_polyline.points); + thick_polyline.start_at_index(ind); + } thick_polylines_out.emplace_back(std::move(thick_polyline)); last_pos = thick_polylines_out.back().last_point(); } From a7d2ae0450f227e1547fdf91a0b04d24357c26b8 Mon Sep 17 00:00:00 2001 From: Vovodroid Date: Sun, 25 Aug 2024 07:39:15 +0300 Subject: [PATCH 15/35] Fix crash when both Flow compensator and Verbose Gcode are enabled. (#6428) * Fix crash when both Flow compensator and Verbose Gcode are enabled. --- src/libslic3r/GCode.cpp | 1 + 1 file changed, 1 insertion(+) diff --git a/src/libslic3r/GCode.cpp b/src/libslic3r/GCode.cpp index 0fa6bbcbba..1b6335e169 100644 --- a/src/libslic3r/GCode.cpp +++ b/src/libslic3r/GCode.cpp @@ -5568,6 +5568,7 @@ std::string GCode::_extrude(const ExtrusionPath &path, std::string description, size_t start_index = fitting_result[fitting_index].start_point_index; size_t end_index = fitting_result[fitting_index].end_point_index; for (size_t point_index = start_index + 1; point_index < end_index + 1; point_index++) { + tempDescription = description; const Line line = Line(path.polyline.points[point_index - 1], path.polyline.points[point_index]); const double line_length = line.length() * SCALING_FACTOR; if (line_length < EPSILON) From 0c63dd4bd014754dd1c276fa39960a0aeb24773e Mon Sep 17 00:00:00 2001 From: Vovodroid Date: Sun, 25 Aug 2024 07:40:40 +0300 Subject: [PATCH 16/35] Remove unused slow down proportionally code (#6405) * Remove unused slow down proportionally code --- src/libslic3r/GCode/CoolingBuffer.cpp | 66 ++------------------------- src/libslic3r/GCode/CoolingBuffer.hpp | 3 -- 2 files changed, 3 insertions(+), 66 deletions(-) diff --git a/src/libslic3r/GCode/CoolingBuffer.cpp b/src/libslic3r/GCode/CoolingBuffer.cpp index ff36ce7e21..2f4938bc7a 100644 --- a/src/libslic3r/GCode/CoolingBuffer.cpp +++ b/src/libslic3r/GCode/CoolingBuffer.cpp @@ -521,62 +521,6 @@ std::vector CoolingBuffer::parse_layer_gcode(const std:: return per_extruder_adjustments; } -// Slow down an extruder range proportionally down to slow_down_layer_time. -// Return the total time for the complete layer. -static inline float extruder_range_slow_down_proportional( - std::vector::iterator it_begin, - std::vector::iterator it_end, - // Elapsed time for the extruders already processed. - float elapsed_time_total0, - // Initial total elapsed time before slow down. - float elapsed_time_before_slowdown, - // Target time for the complete layer (all extruders applied). - float slow_down_layer_time) -{ - // Total layer time after the slow down has been applied. - float total_after_slowdown = elapsed_time_before_slowdown; - // Now decide, whether the external perimeters shall be slowed down as well. - float max_time_nep = elapsed_time_total0; - for (auto it = it_begin; it != it_end; ++ it) - max_time_nep += (*it)->maximum_time_after_slowdown(false); - if (max_time_nep > slow_down_layer_time) { - // It is sufficient to slow down the non-external perimeter moves to reach the target layer time. - // Slow down the non-external perimeters proportionally. - float non_adjustable_time = elapsed_time_total0; - for (auto it = it_begin; it != it_end; ++ it) - non_adjustable_time += (*it)->non_adjustable_time(false); - // The following step is a linear programming task due to the minimum movement speeds of the print moves. - // Run maximum 5 iterations until a good enough approximation is reached. - for (size_t iter = 0; iter < 5; ++ iter) { - float factor = (slow_down_layer_time - non_adjustable_time) / (total_after_slowdown - non_adjustable_time); - assert(factor > 1.f); - total_after_slowdown = elapsed_time_total0; - for (auto it = it_begin; it != it_end; ++ it) - total_after_slowdown += (*it)->slow_down_proportional(factor, false); - if (total_after_slowdown > 0.95f * slow_down_layer_time) - break; - } - } else { - // Slow down everything. First slow down the non-external perimeters to maximum. - for (auto it = it_begin; it != it_end; ++ it) - (*it)->slowdown_to_minimum_feedrate(false); - // Slow down the external perimeters proportionally. - float non_adjustable_time = elapsed_time_total0; - for (auto it = it_begin; it != it_end; ++ it) - non_adjustable_time += (*it)->non_adjustable_time(true); - for (size_t iter = 0; iter < 5; ++ iter) { - float factor = (slow_down_layer_time - non_adjustable_time) / (total_after_slowdown - non_adjustable_time); - assert(factor > 1.f); - total_after_slowdown = elapsed_time_total0; - for (auto it = it_begin; it != it_end; ++ it) - total_after_slowdown += (*it)->slow_down_proportional(factor, true); - if (total_after_slowdown > 0.95f * slow_down_layer_time) - break; - } - } - return total_after_slowdown; -} - // Slow down an extruder range to slow_down_layer_time. // Return the total time for the complete layer. static inline void extruder_range_slow_down_non_proportional( @@ -674,9 +618,8 @@ float CoolingBuffer::calculate_layer_slowdown(std::vector 0) { by_slowdown_time.emplace_back(&adj); - if (! m_cooling_logic_proportional) - // sorts the lines, also sets adj.time_non_adjustable - adj.sort_lines_by_decreasing_feedrate(); + // sorts the lines, also sets adj.time_non_adjustable + adj.sort_lines_by_decreasing_feedrate(); } else elapsed_time_total0 += adj.elapsed_time_total(); } @@ -700,10 +643,7 @@ float CoolingBuffer::calculate_layer_slowdown(std::vectortime_maximum; if (max_time > slow_down_layer_time) { - if (m_cooling_logic_proportional) - extruder_range_slow_down_proportional(cur_begin, by_slowdown_time.end(), elapsed_time_total0, total, slow_down_layer_time); - else - extruder_range_slow_down_non_proportional(cur_begin, by_slowdown_time.end(), slow_down_layer_time - total); + extruder_range_slow_down_non_proportional(cur_begin, by_slowdown_time.end(), slow_down_layer_time - total); } else { // Slow down to maximum possible. for (auto it = cur_begin; it != by_slowdown_time.end(); ++ it) diff --git a/src/libslic3r/GCode/CoolingBuffer.hpp b/src/libslic3r/GCode/CoolingBuffer.hpp index 7fb55985f7..dcbf0120b8 100644 --- a/src/libslic3r/GCode/CoolingBuffer.hpp +++ b/src/libslic3r/GCode/CoolingBuffer.hpp @@ -54,9 +54,6 @@ private: // the PrintConfig slice of FullPrintConfig is constant, thus no thread synchronization is required. const PrintConfig &m_config; unsigned int m_current_extruder; - - // Old logic: proportional. - bool m_cooling_logic_proportional = false; //BBS: current fan speed int m_current_fan_speed; }; From 2bf54878f7e67578050092f809286e2cd43826b4 Mon Sep 17 00:00:00 2001 From: Noisyfox Date: Sun, 25 Aug 2024 12:42:01 +0800 Subject: [PATCH 17/35] Make the checkbox on export preset dialog more visible in dark mode (#6539) * Make the checkbox on export preset dialog more visible in dark mode (SoftFever/OrcaSlicer#6536) * Merge branch 'main' into bugfox/export-checkbox --- src/slic3r/GUI/CreatePresetsDialog.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/slic3r/GUI/CreatePresetsDialog.cpp b/src/slic3r/GUI/CreatePresetsDialog.cpp index 48dcd07424..d40b1343a0 100644 --- a/src/slic3r/GUI/CreatePresetsDialog.cpp +++ b/src/slic3r/GUI/CreatePresetsDialog.cpp @@ -4122,13 +4122,13 @@ wxBoxSizer *ExportConfigsDialog::create_select_printer(wxWindow *parent) horizontal_sizer->Add(optionSizer, 0, wxEXPAND | wxALL | wxALIGN_CENTER_VERTICAL, FromDIP(10)); m_scrolled_preset_window = new wxScrolledWindow(parent); m_scrolled_preset_window->SetScrollRate(5, 5); - m_scrolled_preset_window->SetBackgroundColour(PRINTER_LIST_COLOUR); + m_scrolled_preset_window->SetBackgroundColour(*wxWHITE); m_scrolled_preset_window->SetMaxSize(wxSize(FromDIP(660), FromDIP(400))); m_scrolled_preset_window->SetSize(wxSize(FromDIP(660), FromDIP(400))); wxBoxSizer *scrolled_window = new wxBoxSizer(wxHORIZONTAL); m_presets_window = new wxPanel(m_scrolled_preset_window, wxID_ANY); - m_presets_window->SetBackgroundColour(PRINTER_LIST_COLOUR); + m_presets_window->SetBackgroundColour(*wxWHITE); wxBoxSizer *select_printer_sizer = new wxBoxSizer(wxVERTICAL); m_preset_sizer = new wxGridSizer(3, FromDIP(5), FromDIP(5)); From 3757295b959854d3809789a7518cf2cb8337cab4 Mon Sep 17 00:00:00 2001 From: Noisyfox Date: Mon, 26 Aug 2024 20:21:59 +0800 Subject: [PATCH 18/35] A bunch of tab fixes (#6551) * Make sure the speed tab is properly hidden when toggle off advance mode * Clear each page before clearing the parent, otherwise the child pages will be destroyed twice * Fix crash if current selected tab is positioned after the removed tab * Fix issue that sometimes the printer config first page is not displayed * Fix issue that the wrong tab item get bold if the number of tabs changed --- src/slic3r/GUI/OG_CustomCtrl.cpp | 13 ++++++++----- src/slic3r/GUI/PresetComboBoxes.cpp | 4 +++- src/slic3r/GUI/Tab.cpp | 11 ++--------- src/slic3r/GUI/Widgets/TabCtrl.cpp | 12 ++++++++++-- 4 files changed, 23 insertions(+), 17 deletions(-) diff --git a/src/slic3r/GUI/OG_CustomCtrl.cpp b/src/slic3r/GUI/OG_CustomCtrl.cpp index dadde84ebc..bfeb550d3d 100644 --- a/src/slic3r/GUI/OG_CustomCtrl.cpp +++ b/src/slic3r/GUI/OG_CustomCtrl.cpp @@ -492,13 +492,16 @@ bool OG_CustomCtrl::update_visibility(ConfigOptionMode mode) wxCoord h_pos2 = get_title_width() * m_em_unit; wxCoord v_pos = 0; - size_t invisible_lines = 0; + bool has_visible_lines = false; for (CtrlLine& line : ctrl_lines) { line.update_visibility(mode); - if (line.is_visible) + if (line.is_visible) { v_pos += (wxCoord)line.height; - else - invisible_lines++; + + if (!line.is_separator()) { // Ignore separators + has_visible_lines = true; + } + } } // BBS: multi-line title SetFont(Label::Head_16); @@ -513,7 +516,7 @@ bool OG_CustomCtrl::update_visibility(ConfigOptionMode mode) this->SetMinSize(wxSize(h_pos, v_pos)); - return invisible_lines != ctrl_lines.size(); + return has_visible_lines; } // BBS: call by Tab/Page diff --git a/src/slic3r/GUI/PresetComboBoxes.cpp b/src/slic3r/GUI/PresetComboBoxes.cpp index e634c4fe1a..2f5aed9f08 100644 --- a/src/slic3r/GUI/PresetComboBoxes.cpp +++ b/src/slic3r/GUI/PresetComboBoxes.cpp @@ -799,8 +799,10 @@ bool PlaterPresetComboBox::switch_to_tab() //BBS Select NoteBook Tab params if (tab->GetParent() == wxGetApp().params_panel()) wxGetApp().mainframe->select_tab(MainFrame::tp3DEditor); - else + else { wxGetApp().params_dialog()->Popup(); + tab->OnActivate(); + } tab->restore_last_select_item(); const Preset* selected_filament_preset = nullptr; diff --git a/src/slic3r/GUI/Tab.cpp b/src/slic3r/GUI/Tab.cpp index fc37a0ea6b..077a095993 100644 --- a/src/slic3r/GUI/Tab.cpp +++ b/src/slic3r/GUI/Tab.cpp @@ -468,14 +468,7 @@ void Tab::create_preset_tab() // so that the cursor jumps to the last item. // BBS: bold selection m_tabctrl->Bind(wxEVT_TAB_SEL_CHANGING, [this](wxCommandEvent& event) { - if (m_disable_tree_sel_changed_event) - return; const auto sel_item = m_tabctrl->GetSelection(); - //OutputDebugStringA("wxEVT_TAB_SEL_CHANGING "); - //OutputDebugStringA(m_title.c_str()); - //const auto selection = sel_item >= 0 ? m_tabctrl->GetItemText(sel_item) : ""; - //OutputDebugString(selection); - //OutputDebugStringA("\n"); m_tabctrl->SetItemBold(sel_item, false); }); m_tabctrl->Bind(wxEVT_TAB_SEL_CHANGED, [this](wxCommandEvent& event) { @@ -5282,10 +5275,10 @@ bool Tab::update_current_page_in_background(int& item) // clear pages from the controlls // BBS: fix after new layout, clear page in backgroud - if (m_parent->is_active_and_shown_tab((wxPanel*)this)) - m_parent->clear_page(); for (auto p : m_pages) p->clear(); + if (m_parent->is_active_and_shown_tab((wxPanel*)this)) + m_parent->clear_page(); update_undo_buttons(); diff --git a/src/slic3r/GUI/Widgets/TabCtrl.cpp b/src/slic3r/GUI/Widgets/TabCtrl.cpp index 1cfb8c5534..f766df864b 100644 --- a/src/slic3r/GUI/Widgets/TabCtrl.cpp +++ b/src/slic3r/GUI/Widgets/TabCtrl.cpp @@ -120,6 +120,11 @@ bool TabCtrl::DeleteItem(int item) if (item < 0 || item >= btns.size()) { return false; } + const bool selection_changed = sel >= item; + + if (selection_changed) { + sendTabCtrlEvent(true); + } Button* btn = btns[item]; btn->Destroy(); @@ -127,9 +132,12 @@ bool TabCtrl::DeleteItem(int item) sizer->Remove(item * 2); if (btns.size() > 1) sizer->GetItem(sizer->GetItemCount() - 1)->SetMinSize({0, 0}); + + if (selection_changed) { + sel--; // `relayout()` uses `sel` so we need to update this before calling `relayout()` + } relayout(); - if (sel >= item) { - sel--; + if (selection_changed) { sendTabCtrlEvent(); } From 7d1fb381e4295512472180a3529b22f908b43ee1 Mon Sep 17 00:00:00 2001 From: Heiko Liebscher Date: Mon, 26 Aug 2024 14:22:56 +0200 Subject: [PATCH 19/35] add new msgid's fol all languages 2.2.0-Dev (#6543) * add new msgid's fol all languages * Merge branch 'main' into new_features_translation * Merge branch 'main' into new_features_translation --- localization/i18n/OrcaSlicer.pot | 561 +- localization/i18n/ca/OrcaSlicer_ca.po | 480 +- localization/i18n/cs/OrcaSlicer_cs.po | 434 +- localization/i18n/de/OrcaSlicer_de.po | 680 +- localization/i18n/en/OrcaSlicer_en.po | 374 +- localization/i18n/es/OrcaSlicer_es.po | 534 +- localization/i18n/fr/OrcaSlicer_fr.po | 1282 ++-- localization/i18n/hu/OrcaSlicer_hu.po | 392 +- localization/i18n/it/OrcaSlicer_it.po | 504 +- localization/i18n/ja/OrcaSlicer_ja.po | 390 +- localization/i18n/ko/OrcaSlicer_ko.po | 451 +- localization/i18n/nl/OrcaSlicer_nl.po | 6709 +++++++++++-------- localization/i18n/pl/OrcaSlicer_pl.po | 466 +- localization/i18n/pt_BR/OrcaSlicer_pt_BR.po | 477 +- localization/i18n/ru/OrcaSlicer_ru.po | 498 +- localization/i18n/sv/OrcaSlicer_sv.po | 378 +- localization/i18n/tr/OrcaSlicer_tr.po | 2176 +++--- localization/i18n/uk/OrcaSlicer_uk.po | 476 +- localization/i18n/zh_CN/OrcaSlicer_zh_CN.po | 397 +- localization/i18n/zh_TW/OrcaSlicer_zh_TW.po | 388 +- 20 files changed, 11200 insertions(+), 6847 deletions(-) diff --git a/localization/i18n/OrcaSlicer.pot b/localization/i18n/OrcaSlicer.pot index 4fea2ad475..d5d2f245a9 100644 --- a/localization/i18n/OrcaSlicer.pot +++ b/localization/i18n/OrcaSlicer.pot @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -78,6 +78,9 @@ msgstr "" msgid "On overhangs only" msgstr "" +msgid "Auto support threshold angle: " +msgstr "" + msgid "Circle" msgstr "" @@ -97,9 +100,6 @@ msgstr "" msgid "Highlight faces according to overhang angle." msgstr "" -msgid "Auto support threshold angle: " -msgstr "" - msgid "No auto support" msgstr "" @@ -1914,6 +1914,9 @@ msgstr "" msgid "Center" msgstr "" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "" @@ -3857,6 +3860,15 @@ msgstr "" msgid "Total cost" msgstr "" +msgid "up to" +msgstr "" + +msgid "above" +msgstr "" + +msgid "from" +msgstr "" + msgid "Color Scheme" msgstr "" @@ -3920,10 +3932,10 @@ msgstr "" msgid "Cost" msgstr "" -msgid "Print" +msgid "Color change" msgstr "" -msgid "Color change" +msgid "Print" msgstr "" msgid "Printer" @@ -4109,7 +4121,7 @@ msgstr "" msgid "Size:" msgstr "" -#, possible-c-format, possible-boost-format +#, possible-boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4540,6 +4552,18 @@ msgstr "" msgid "Flow rate test - Pass 2" msgstr "" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "" @@ -5721,18 +5745,13 @@ msgid "The file does not contain any geometry data." msgstr "" msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." +"Your object appears to be too large, Do you want to scale it down to fit the " +"heat bed automatically?" msgstr "" msgid "Object too large" msgstr "" -msgid "" -"Your object appears to be too large, Do you want to scale it down to fit the " -"heat bed automatically?" -msgstr "" - msgid "Export STL file:" msgstr "" @@ -6074,6 +6093,9 @@ msgstr "" msgid "Language selection" msgstr "" +msgid "Switching application language while some presets are modified." +msgstr "" + msgid "Changing application language" msgstr "" @@ -7065,8 +7087,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" msgid "Line width" @@ -7849,7 +7871,10 @@ msgstr "" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "" -msgid "Shift+G" +msgid "⌘+Shift+G" +msgstr "" + +msgid "Ctrl+Shift+G" msgstr "" msgid "Paste from clipboard" @@ -7897,18 +7922,33 @@ msgstr "" msgid "Collapse/Expand the sidebar" msgstr "" -msgid "Any arrow" +msgid "⌘+Any arrow" msgstr "" msgid "Movement in camera space" msgstr "" +msgid "⌥+Left mouse button" +msgstr "" + msgid "Select a part" msgstr "" +msgid "⌘+Left mouse button" +msgstr "" + msgid "Select multiple objects" msgstr "" +msgid "Ctrl+Any arrow" +msgstr "" + +msgid "Alt+Left mouse button" +msgstr "" + +msgid "Ctrl+Left mouse button" +msgstr "" + msgid "Shift+Left mouse button" msgstr "" @@ -8011,12 +8051,24 @@ msgstr "" msgid "Move: press to snap by 1mm" msgstr "" +msgid "⌘+Mouse wheel" +msgstr "" + msgid "Support/Color Painting: adjust pen radius" msgstr "" +msgid "⌥+Mouse wheel" +msgstr "" + msgid "Support/Color Painting: adjust section position" msgstr "" +msgid "Ctrl+Mouse wheel" +msgstr "" + +msgid "Alt+Mouse wheel" +msgstr "" + msgid "Gizmo" msgstr "" @@ -8923,14 +8975,31 @@ msgid "Apply gap fill" msgstr "" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" msgid "Everywhere" @@ -8990,7 +9059,10 @@ msgstr "" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" msgid "Internal bridge flow ratio" @@ -8999,7 +9071,11 @@ msgstr "" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" msgid "Top surface flow ratio" @@ -9007,13 +9083,20 @@ msgstr "" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" msgid "Bottom surface flow ratio" msgstr "" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" msgid "Precise wall" @@ -9143,9 +9226,25 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "" +#, possible-c-format, possible-boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" msgid "mm/s or %" @@ -9154,7 +9253,13 @@ msgstr "" msgid "External" msgstr "" -msgid "Speed of bridge and completely overhang wall" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." msgstr "" msgid "mm/s" @@ -9164,8 +9269,8 @@ msgid "Internal" msgstr "" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" msgid "Brim width" @@ -9651,6 +9756,17 @@ msgid "" "has slight overflow or underflow" msgstr "" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "" @@ -9812,13 +9928,28 @@ msgstr "" msgid "Filament load time" msgstr "" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" msgid "Filament unload time" msgstr "" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" msgid "" @@ -9933,12 +10064,6 @@ msgstr "" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" - msgid "Ramming parameters" msgstr "" @@ -9947,12 +10072,6 @@ msgid "" "parameters." msgstr "" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" - msgid "Enable ramming for multitool setups" msgstr "" @@ -10259,10 +10378,10 @@ msgstr "" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" msgid "layer" @@ -10320,7 +10439,10 @@ msgstr "" msgid "Layers and Perimeters" msgstr "" -msgid "Filter out gaps smaller than the threshold specified" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " msgstr "" msgid "" @@ -12048,22 +12170,39 @@ msgid "Activate temperature control" msgstr "" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" msgid "Chamber temperature" msgstr "" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" msgid "Nozzle temperature for layers after the initial one" @@ -13709,8 +13848,8 @@ msgid "" msgstr "" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" @@ -14461,151 +14600,151 @@ msgstr "" msgid "User cancelled." msgstr "" - -#: resources/data/hints.ini: [hint:Precise wall] -msgid "Precise wall\nDid you know that turning on precise wall can improve precision and layer consistency?" -msgstr "" - -#: resources/data/hints.ini: [hint:Sandwich mode] -msgid "Sandwich mode\nDid you know that you can use sandwich mode (inner-outer-inner) to improve precision and layer consistency if your model doesn't have very steep overhangs?" -msgstr "" - -#: resources/data/hints.ini: [hint:Chamber temperature] -msgid "Chamber temperature\nDid you know that OrcaSlicer supports chamber temperature?" -msgstr "" - -#: resources/data/hints.ini: [hint:Calibration] -msgid "Calibration\nDid you know that calibrating your printer can do wonders? Check out our beloved calibration solution in OrcaSlicer." -msgstr "" - -#: resources/data/hints.ini: [hint:Auxiliary fan] -msgid "Auxiliary fan\nDid you know that OrcaSlicer supports Auxiliary part cooling fan?" -msgstr "" - -#: resources/data/hints.ini: [hint:Air filtration] -msgid "Air filtration/Exhaust Fan\nDid you know that OrcaSlicer can support Air filtration/Exhaust Fan?" -msgstr "" - -#: resources/data/hints.ini: [hint:G-code window] -msgid "G-code window\nYou can turn on/off the G-code window by pressing the C key." -msgstr "" - -#: resources/data/hints.ini: [hint:Switch workspaces] -msgid "Switch workspaces\nYou can switch between Prepare and Preview workspaces by pressing the Tab key." -msgstr "" - -#: resources/data/hints.ini: [hint:How to use keyboard shortcuts] -msgid "How to use keyboard shortcuts\nDid you know that Orca Slicer offers a wide range of keyboard shortcuts and 3D scene operations." -msgstr "" - -#: resources/data/hints.ini: [hint:Reverse on odd] -msgid "Reverse on odd\nDid you know that Reverse on odd feature can significantly improve the surface quality of your overhangs?" -msgstr "" - -#: resources/data/hints.ini: [hint:Cut Tool] -msgid "Cut Tool\nDid you know that you can cut a model at any angle and position with the cutting tool?" -msgstr "" - -#: resources/data/hints.ini: [hint:Fix Model] -msgid "Fix Model\nDid you know that you can fix a corrupted 3D model to avoid a lot of slicing problems on the Windows system?" -msgstr "" - -#: resources/data/hints.ini: [hint:Timelapse] -msgid "Timelapse\nDid you know that you can generate a timelapse video during each print?" -msgstr "" - -#: resources/data/hints.ini: [hint:Auto-Arrange] -msgid "Auto-Arrange\nDid you know that you can auto-arrange all objects in your project?" -msgstr "" - -#: resources/data/hints.ini: [hint:Auto-Orient] -msgid "Auto-Orient\nDid you know that you can rotate objects to an optimal orientation for printing by a simple click?" -msgstr "" - -#: resources/data/hints.ini: [hint:Lay on Face] -msgid "Lay on Face\nDid you know that you can quickly orient a model so that one of its faces sits on the print bed? Select the \"Place on face\" function or press the F key." -msgstr "" - -#: resources/data/hints.ini: [hint:Object List] -msgid "Object List\nDid you know that you can view all objects/parts in a list and change settings for each object/part?" -msgstr "" - -#: resources/data/hints.ini: [hint:Search Functionality] -msgid "Search Functionality\nDid you know that you use the Search tool to quickly find a specific Orca Slicer setting?" -msgstr "" - -#: resources/data/hints.ini: [hint:Simplify Model] -msgid "Simplify Model\nDid you know that you can reduce the number of triangles in a mesh using the Simplify mesh feature? Right-click the model and select Simplify model." -msgstr "" - -#: resources/data/hints.ini: [hint:Slicing Parameter Table] -msgid "Slicing Parameter Table\nDid you know that you can view all objects/parts on a table and change settings for each object/part?" -msgstr "" - -#: resources/data/hints.ini: [hint:Split to Objects/Parts] -msgid "Split to Objects/Parts\nDid you know that you can split a big object into small ones for easy colorizing or printing?" -msgstr "" - -#: resources/data/hints.ini: [hint:Subtract a Part] -msgid "Subtract a Part\nDid you know that you can subtract one mesh from another using the Negative part modifier? That way you can, for example, create easily resizable holes directly in Orca Slicer." -msgstr "" - -#: resources/data/hints.ini: [hint:STEP] -msgid "STEP\nDid you know that you can improve your print quality by slicing a STEP file instead of an STL?\nOrca Slicer supports slicing STEP files, providing smoother results than a lower resolution STL. Give it a try!" -msgstr "" - -#: resources/data/hints.ini: [hint:Z seam location] -msgid "Z seam location\nDid you know that you can customize the location of the Z seam, and even paint it on your print, to have it in a less visible location? This improves the overall look of your model. Check it out!" -msgstr "" - -#: resources/data/hints.ini: [hint:Fine-tuning for flow rate] -msgid "Fine-tuning for flow rate\nDid you know that flow rate can be fine-tuned for even better-looking prints? Depending on the material, you can improve the overall finish of the printed model by doing some fine-tuning." -msgstr "" - -#: resources/data/hints.ini: [hint:Split your prints into plates] -msgid "Split your prints into plates\nDid you know that you can split a model that has a lot of parts into individual plates ready to print? This will simplify the process of keeping track of all the parts." -msgstr "" - -#: resources/data/hints.ini: [hint:Speed up your print with Adaptive Layer Height] -msgid "Speed up your print with Adaptive Layer Height\nDid you know that you can print a model even faster, by using the Adaptive Layer Height option? Check it out!" -msgstr "" - -#: resources/data/hints.ini: [hint:Support painting] -msgid "Support painting\nDid you know that you can paint the location of your supports? This feature makes it easy to place the support material only on the sections of the model that actually need it." -msgstr "" - -#: resources/data/hints.ini: [hint:Different types of supports] -msgid "Different types of supports\nDid you know that you can choose from multiple types of supports? Tree supports work great for organic models, while saving filament and improving print speed. Check them out!" -msgstr "" - -#: resources/data/hints.ini: [hint:Printing Silk Filament] -msgid "Printing Silk Filament\nDid you know that Silk filament needs special consideration to print it successfully? Higher temperature and lower speed are always recommended for the best results." -msgstr "" - -#: resources/data/hints.ini: [hint:Brim for better adhesion] -msgid "Brim for better adhesion\nDid you know that when printing models have a small contact interface with the printing surface, it's recommended to use a brim?" -msgstr "" - -#: resources/data/hints.ini: [hint:Set parameters for multiple objects] -msgid "Set parameters for multiple objects\nDid you know that you can set slicing parameters for all selected objects at one time?" -msgstr "" - -#: resources/data/hints.ini: [hint:Stack objects] -msgid "Stack objects\nDid you know that you can stack objects as a whole one?" -msgstr "" - -#: resources/data/hints.ini: [hint:Flush into support/objects/infill] -msgid "Flush into support/objects/infill\nDid you know that you can save the wasted filament by flushing them into support/objects/infill during filament change?" -msgstr "" - -#: resources/data/hints.ini: [hint:Improve strength] -msgid "Improve strength\nDid you know that you can use more wall loops and higher sparse infill density to improve the strength of the model?" -msgstr "" - -#: resources/data/hints.ini: [hint:When need to print with the printer door opened] -msgid "When need to print with the printer door opened\nDid you know that opening the printer door can reduce the probability of extruder/hotend clogging when printing lower temperature filament with a higher enclosure temperature. More info about this in the Wiki." -msgstr "" - -#: resources/data/hints.ini: [hint:Avoid warping] -msgid "Avoid warping\nDid you know that when printing materials that are prone to warping such as ABS, appropriately increasing the heatbed temperature can reduce the probability of warping." -msgstr "" + +#: resources/data/hints.ini: [hint:Precise wall] +msgid "Precise wall\nDid you know that turning on precise wall can improve precision and layer consistency?" +msgstr "" + +#: resources/data/hints.ini: [hint:Sandwich mode] +msgid "Sandwich mode\nDid you know that you can use sandwich mode (inner-outer-inner) to improve precision and layer consistency if your model doesn't have very steep overhangs?" +msgstr "" + +#: resources/data/hints.ini: [hint:Chamber temperature] +msgid "Chamber temperature\nDid you know that OrcaSlicer supports chamber temperature?" +msgstr "" + +#: resources/data/hints.ini: [hint:Calibration] +msgid "Calibration\nDid you know that calibrating your printer can do wonders? Check out our beloved calibration solution in OrcaSlicer." +msgstr "" + +#: resources/data/hints.ini: [hint:Auxiliary fan] +msgid "Auxiliary fan\nDid you know that OrcaSlicer supports Auxiliary part cooling fan?" +msgstr "" + +#: resources/data/hints.ini: [hint:Air filtration] +msgid "Air filtration/Exhaust Fan\nDid you know that OrcaSlicer can support Air filtration/Exhaust Fan?" +msgstr "" + +#: resources/data/hints.ini: [hint:G-code window] +msgid "G-code window\nYou can turn on/off the G-code window by pressing the C key." +msgstr "" + +#: resources/data/hints.ini: [hint:Switch workspaces] +msgid "Switch workspaces\nYou can switch between Prepare and Preview workspaces by pressing the Tab key." +msgstr "" + +#: resources/data/hints.ini: [hint:How to use keyboard shortcuts] +msgid "How to use keyboard shortcuts\nDid you know that Orca Slicer offers a wide range of keyboard shortcuts and 3D scene operations." +msgstr "" + +#: resources/data/hints.ini: [hint:Reverse on odd] +msgid "Reverse on odd\nDid you know that Reverse on odd feature can significantly improve the surface quality of your overhangs?" +msgstr "" + +#: resources/data/hints.ini: [hint:Cut Tool] +msgid "Cut Tool\nDid you know that you can cut a model at any angle and position with the cutting tool?" +msgstr "" + +#: resources/data/hints.ini: [hint:Fix Model] +msgid "Fix Model\nDid you know that you can fix a corrupted 3D model to avoid a lot of slicing problems on the Windows system?" +msgstr "" + +#: resources/data/hints.ini: [hint:Timelapse] +msgid "Timelapse\nDid you know that you can generate a timelapse video during each print?" +msgstr "" + +#: resources/data/hints.ini: [hint:Auto-Arrange] +msgid "Auto-Arrange\nDid you know that you can auto-arrange all objects in your project?" +msgstr "" + +#: resources/data/hints.ini: [hint:Auto-Orient] +msgid "Auto-Orient\nDid you know that you can rotate objects to an optimal orientation for printing by a simple click?" +msgstr "" + +#: resources/data/hints.ini: [hint:Lay on Face] +msgid "Lay on Face\nDid you know that you can quickly orient a model so that one of its faces sits on the print bed? Select the \"Place on face\" function or press the F key." +msgstr "" + +#: resources/data/hints.ini: [hint:Object List] +msgid "Object List\nDid you know that you can view all objects/parts in a list and change settings for each object/part?" +msgstr "" + +#: resources/data/hints.ini: [hint:Search Functionality] +msgid "Search Functionality\nDid you know that you use the Search tool to quickly find a specific Orca Slicer setting?" +msgstr "" + +#: resources/data/hints.ini: [hint:Simplify Model] +msgid "Simplify Model\nDid you know that you can reduce the number of triangles in a mesh using the Simplify mesh feature? Right-click the model and select Simplify model." +msgstr "" + +#: resources/data/hints.ini: [hint:Slicing Parameter Table] +msgid "Slicing Parameter Table\nDid you know that you can view all objects/parts on a table and change settings for each object/part?" +msgstr "" + +#: resources/data/hints.ini: [hint:Split to Objects/Parts] +msgid "Split to Objects/Parts\nDid you know that you can split a big object into small ones for easy colorizing or printing?" +msgstr "" + +#: resources/data/hints.ini: [hint:Subtract a Part] +msgid "Subtract a Part\nDid you know that you can subtract one mesh from another using the Negative part modifier? That way you can, for example, create easily resizable holes directly in Orca Slicer." +msgstr "" + +#: resources/data/hints.ini: [hint:STEP] +msgid "STEP\nDid you know that you can improve your print quality by slicing a STEP file instead of an STL?\nOrca Slicer supports slicing STEP files, providing smoother results than a lower resolution STL. Give it a try!" +msgstr "" + +#: resources/data/hints.ini: [hint:Z seam location] +msgid "Z seam location\nDid you know that you can customize the location of the Z seam, and even paint it on your print, to have it in a less visible location? This improves the overall look of your model. Check it out!" +msgstr "" + +#: resources/data/hints.ini: [hint:Fine-tuning for flow rate] +msgid "Fine-tuning for flow rate\nDid you know that flow rate can be fine-tuned for even better-looking prints? Depending on the material, you can improve the overall finish of the printed model by doing some fine-tuning." +msgstr "" + +#: resources/data/hints.ini: [hint:Split your prints into plates] +msgid "Split your prints into plates\nDid you know that you can split a model that has a lot of parts into individual plates ready to print? This will simplify the process of keeping track of all the parts." +msgstr "" + +#: resources/data/hints.ini: [hint:Speed up your print with Adaptive Layer Height] +msgid "Speed up your print with Adaptive Layer Height\nDid you know that you can print a model even faster, by using the Adaptive Layer Height option? Check it out!" +msgstr "" + +#: resources/data/hints.ini: [hint:Support painting] +msgid "Support painting\nDid you know that you can paint the location of your supports? This feature makes it easy to place the support material only on the sections of the model that actually need it." +msgstr "" + +#: resources/data/hints.ini: [hint:Different types of supports] +msgid "Different types of supports\nDid you know that you can choose from multiple types of supports? Tree supports work great for organic models, while saving filament and improving print speed. Check them out!" +msgstr "" + +#: resources/data/hints.ini: [hint:Printing Silk Filament] +msgid "Printing Silk Filament\nDid you know that Silk filament needs special consideration to print it successfully? Higher temperature and lower speed are always recommended for the best results." +msgstr "" + +#: resources/data/hints.ini: [hint:Brim for better adhesion] +msgid "Brim for better adhesion\nDid you know that when printing models have a small contact interface with the printing surface, it's recommended to use a brim?" +msgstr "" + +#: resources/data/hints.ini: [hint:Set parameters for multiple objects] +msgid "Set parameters for multiple objects\nDid you know that you can set slicing parameters for all selected objects at one time?" +msgstr "" + +#: resources/data/hints.ini: [hint:Stack objects] +msgid "Stack objects\nDid you know that you can stack objects as a whole one?" +msgstr "" + +#: resources/data/hints.ini: [hint:Flush into support/objects/infill] +msgid "Flush into support/objects/infill\nDid you know that you can save the wasted filament by flushing them into support/objects/infill during filament change?" +msgstr "" + +#: resources/data/hints.ini: [hint:Improve strength] +msgid "Improve strength\nDid you know that you can use more wall loops and higher sparse infill density to improve the strength of the model?" +msgstr "" + +#: resources/data/hints.ini: [hint:When need to print with the printer door opened] +msgid "When need to print with the printer door opened\nDid you know that opening the printer door can reduce the probability of extruder/hotend clogging when printing lower temperature filament with a higher enclosure temperature. More info about this in the Wiki." +msgstr "" + +#: resources/data/hints.ini: [hint:Avoid warping] +msgid "Avoid warping\nDid you know that when printing materials that are prone to warping such as ABS, appropriately increasing the heatbed temperature can reduce the probability of warping." +msgstr "" diff --git a/localization/i18n/ca/OrcaSlicer_ca.po b/localization/i18n/ca/OrcaSlicer_ca.po index da702fafcf..ee7dd16611 100644 --- a/localization/i18n/ca/OrcaSlicer_ca.po +++ b/localization/i18n/ca/OrcaSlicer_ca.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: 2024-07-07 18:43+0200\n" "Last-Translator: \n" "Language-Team: \n" @@ -79,6 +79,9 @@ msgstr "Angle de farciment intel·ligent" msgid "On overhangs only" msgstr "Només als voladissos" +msgid "Auto support threshold angle: " +msgstr "Angle llindar de suport automàtic: " + msgid "Circle" msgstr "Cercle" @@ -98,9 +101,6 @@ msgstr "Permet pintar només les facetes seleccionades per: \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Ressalteu les cares segons l'angle del voladís." -msgid "Auto support threshold angle: " -msgstr "Angle llindar de suport automàtic: " - msgid "No auto support" msgstr "No suports automàtics" @@ -1995,6 +1995,9 @@ msgstr "Simplificar el model" msgid "Center" msgstr "Centre" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Editar la configuració de Processat" @@ -4170,6 +4173,15 @@ msgstr "Temps total" msgid "Total cost" msgstr "Cost total" +msgid "up to" +msgstr "fins a" + +msgid "above" +msgstr "sobre" + +msgid "from" +msgstr "des de" + msgid "Color Scheme" msgstr "Esquema de color" @@ -4233,12 +4245,12 @@ msgstr "Canvis de filament" msgid "Cost" msgstr "Cost" -msgid "Print" -msgstr "Imprimir" - msgid "Color change" msgstr "Canvi de color" +msgid "Print" +msgstr "Imprimir" + msgid "Printer" msgstr "Impressora" @@ -4422,7 +4434,7 @@ msgstr "Volum:" msgid "Size:" msgstr "Mida:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4864,6 +4876,18 @@ msgstr "Pas 2" msgid "Flow rate test - Pass 2" msgstr "Test de Flux - Pas 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Ratio de Flux" @@ -6171,14 +6195,6 @@ msgstr "S'ha detectat un objecte amb múltiples peces" msgid "The file does not contain any geometry data." msgstr "El fitxer no conté cap dada de geometria." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "Objecte massa gran" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6186,6 +6202,9 @@ msgstr "" "El teu objecte sembla ser massa gran, Vols reduir-lo per adaptar-lo " "automàticament al llit?" +msgid "Object too large" +msgstr "Objecte massa gran" + msgid "Export STL file:" msgstr "Exportar el fitxer STL:" @@ -6564,6 +6583,9 @@ msgstr "Voleu continuar?" msgid "Language selection" msgstr "Selecció d'idiomes" +msgid "Switching application language while some presets are modified." +msgstr "Canviant l'idioma de l'aplicació mentre es modifiquen alguns perfils." + msgid "Changing application language" msgstr "Canviant de l'idioma de l'aplicació" @@ -7705,8 +7727,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "Quan graveu timelapse sense capçal d'impressió, es recomana afegir una " "\"Torre de Purga Timelapse\" \n" @@ -8585,8 +8607,11 @@ msgstr "Llista d'objectes" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Importar dades de geometria des de fitxers STL/STEP/3MF/OBJ/AMF" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Maj+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Maj+G" msgid "Paste from clipboard" msgstr "Enganxa des del porta-retalls" @@ -8637,18 +8662,33 @@ msgstr "Maj+Tab" msgid "Collapse/Expand the sidebar" msgstr "Replegar/Expandir barra lateral" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+Qualsevol fletxa" msgid "Movement in camera space" msgstr "Moviment a l'espai de la càmera" +msgid "⌥+Left mouse button" +msgstr "⌥+Botó esquerre del ratolí" + msgid "Select a part" msgstr "Seleccionar una peça" +msgid "⌘+Left mouse button" +msgstr "⌘+Botó esquerre del ratolí" + msgid "Select multiple objects" msgstr "Seleccionar múltiples objectes" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+Qualsevol fletxa" + +msgid "Alt+Left mouse button" +msgstr "Alt+Botó esquerre del ratolí" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+Botó esquerre del ratolí" + msgid "Shift+Left mouse button" msgstr "Maj+Botó esquerre del ratolí" @@ -8751,12 +8791,24 @@ msgstr "Plataforma" msgid "Move: press to snap by 1mm" msgstr "Moure: Clicka per ajustar en passos d'1 mm" +msgid "⌘+Mouse wheel" +msgstr "⌘+Roda del ratolí" + msgid "Support/Color Painting: adjust pen radius" msgstr "Suport/Pintat de color: configuració del radi de la ploma" +msgid "⌥+Mouse wheel" +msgstr "⌥+Roda del ratolí" + msgid "Support/Color Painting: adjust section position" msgstr "Suport/Pintat de color: configuració de la posició de la secció" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+Roda del ratolí" + +msgid "Alt+Mouse wheel" +msgstr "Alt+Roda del ratolí" + msgid "Gizmo" msgstr "Gizmo" @@ -9838,25 +9890,32 @@ msgid "Apply gap fill" msgstr "Aplicar farciment de buits" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" -msgstr "" -"Habilita farciment de buits per a les superfícies seleccionades. El mínim " -"del forat que s'omplirà es pot controlar des de l'opció filtrar forats " -"petits a continuació.\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"Opcions:\n" -"1. A tot arreu: aplica farciment de buits a superfícies sòlides superiors, " -"inferiors i internes\n" -"2. Superfícies superiors i inferiors: aplica farciment de buit només a " -"superfícies superiors i inferiors\n" -"3. Enlloc: desactiva el farciment de buits\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" +msgstr "" msgid "Everywhere" msgstr "A tot arreu" @@ -9931,10 +9990,11 @@ msgstr "Ratio de flux del pont" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Disminuïu lleugerament aquest valor ( per exemple 0,9 ) per reduir la " -"quantitat de material per al pont, per millorar l'enfonsament" msgid "Internal bridge flow ratio" msgstr "Ratio de flux del pont intern" @@ -9942,30 +10002,33 @@ msgstr "Ratio de flux del pont intern" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"Aquest valor regeix el gruix de la capa de pont intern. Aquesta és la " -"primera capa sobre el farciment poc dens. Disminuïu lleugerament aquest " -"valor ( per exemple 0,9 ) per millorar la qualitat de la superfície sobre el " -"farciment poc dens." msgid "Top surface flow ratio" msgstr "Ratio de flux superficial superior" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Aquest factor afecta la quantitat de material per al farciment sòlid " -"superior. Podeu disminuir-lo lleugerament per tenir un acabat superficial " -"suau" msgid "Bottom surface flow ratio" msgstr "Ratio de flux superficial inferior" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Aquest factor afecta la quantitat de material per al farciment sòlid inferior" msgid "Precise wall" msgstr "Perímetre precís" @@ -10142,12 +10205,26 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "Alentir la velocitat per a perímetres corbats" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Activeu aquesta opció per alentir la impressió en zones on potencialment " -"poden existir perímetres corbats" msgid "mm/s or %" msgstr "mm/s o %" @@ -10155,8 +10232,14 @@ msgstr "mm/s o %" msgid "External" msgstr "Extern" -msgid "Speed of bridge and completely overhang wall" -msgstr "Velocitat per a ponts i perímetres completament en voladís" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -10165,11 +10248,9 @@ msgid "Internal" msgstr "Intern" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Velocitat del pont intern. Si el valor s'expressa en percentatge, es " -"calcularà a partir de la bridge_speed. El valor predeterminat és del 150%." msgid "Brim width" msgstr "Ample de la Vora d'Adherència" @@ -10828,6 +10909,17 @@ msgstr "" "entre 0,95 i 1,05. Potser podeu ajustar aquest valor per obtenir una " "superfície ben plana quan hi ha un lleuger excés o dèficit de flux" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Activar l'Avanç de Pressió Lineal" @@ -11016,18 +11108,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Temps de càrrega del filament" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Temps per carregar nou filament quan canvia de filament. Només per a " -"estadístiques" msgid "Filament unload time" msgstr "Temps de descàrrega del filament" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Temps per descarregar filament vell en canviar de filament. Només per a " -"estadístiques" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11175,16 +11278,6 @@ msgid "Cooling moves are gradually accelerating towards this speed." msgstr "" "Els moviments de refredament s'acceleren gradualment cap a aquesta velocitat." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Temps perquè el firmware de la impressora ( o la Unitat Multi Material 2.0 ) " -"carregui un filament durant un canvi d'eina ( en executar el Codi-T ). " -"Aquest temps s'afegeix al temps d'impressió total mitjançant l'estimador de " -"temps del Codi-G." - msgid "Ramming parameters" msgstr "Paràmetres de Moldejat de Punta( Ramming )" @@ -11195,16 +11288,6 @@ msgstr "" "RammingDialog processa aquesta cadena i conté paràmetres específics de " "Moldejat de Punta( Ramming )" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Temps perquè el firmware de la impressora ( o la Unitat Multi Material 2.0 ) " -"descarregui un filament durant un canvi d'eina ( en executar el Codi-T ). " -"Aquest temps s'afegeix al temps d'impressió total mitjançant l'estimador de " -"temps del Codi-G." - msgid "Enable ramming for multitool setups" msgstr "" "Habilita el Moldejat de Punta( Ramming ) per a configuracions multieina" @@ -11574,15 +11657,15 @@ msgstr "Velocitat màxima del ventilador a la capa" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "La velocitat del ventilador augmentarà linealment de zero a la capa " -"\"close_fan_the_first_x_layers\" al màxim a la capa \"full_fan_speed_layer" -"\". S'ignorarà \"full_fan_speed_layer\" si és inferior a " -"\"close_fan_the_first_x_layers\", en aquest cas el ventilador funcionarà a " +"\"close_fan_the_first_x_layers\" al màxim a la capa " +"\"full_fan_speed_layer\". S'ignorarà \"full_fan_speed_layer\" si és inferior " +"a \"close_fan_the_first_x_layers\", en aquest cas el ventilador funcionarà a " "la velocitat màxima permesa a la capa \"close_fan_the_first_x_layers\" + 1." msgid "layer" @@ -11652,8 +11735,11 @@ msgstr "Filtrar els buits minúsculs" msgid "Layers and Perimeters" msgstr "Capes i Perímetres" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Filtrar els buits més petits que el llindar especificat" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13836,33 +13922,40 @@ msgid "Activate temperature control" msgstr "Activar el control de temperatura" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Activeu aquesta opció per al control de temperatura de la cambra. S'afegirà " -"una comanda M191 abans de \"machine_start_gcode\"\n" -"Comandes de Codi-G: M141 / M191 S ( 0-255 )" msgid "Chamber temperature" msgstr "Temperatura de la cambra" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Una temperatura de cambra més alta pot ajudar a suprimir o reduir la " -"deformació( warping ) i potencialment conduir a una major resistència d'unió " -"entre capes per a materials d'alta temperatura com ABS, ASA, PC, PA, etc. Al " -"mateix temps, la filtració d'aire d'ABS i ASA empitjorarà. Mentre que per a " -"PLA, PETG, TPU, PVA i altres materials de baixa temperatura, la temperatura " -"real de la cambra no hauria de ser alta per evitar obstruccions, pel que 0, " -"que significa apagar, és molt recomanable" msgid "Nozzle temperature for layers after the initial one" msgstr "Temperatura del broquet per les capes després de l'inicial" @@ -15866,8 +15959,8 @@ msgstr "" "Vols reescriure'l?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" "Canviaríem el nom dels perfils seleccionats com a \"Proveïdor Tipus " @@ -17211,54 +17304,135 @@ msgstr "" "augmentar adequadament la temperatura del llit pot reduir la probabilitat de " "deformació." -#~ msgid "up to" -#~ msgstr "fins a" - -#~ msgid "above" -#~ msgstr "sobre" - -#~ msgid "from" -#~ msgstr "des de" - -#~ msgid "Switching application language while some presets are modified." +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" #~ msgstr "" -#~ "Canviant l'idioma de l'aplicació mentre es modifiquen alguns perfils." +#~ "Habilita farciment de buits per a les superfícies seleccionades. El mínim " +#~ "del forat que s'omplirà es pot controlar des de l'opció filtrar forats " +#~ "petits a continuació.\n" +#~ "\n" +#~ "Opcions:\n" +#~ "1. A tot arreu: aplica farciment de buits a superfícies sòlides " +#~ "superiors, inferiors i internes\n" +#~ "2. Superfícies superiors i inferiors: aplica farciment de buit només a " +#~ "superfícies superiors i inferiors\n" +#~ "3. Enlloc: desactiva el farciment de buits\n" -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Maj+G" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Disminuïu lleugerament aquest valor ( per exemple 0,9 ) per reduir la " +#~ "quantitat de material per al pont, per millorar l'enfonsament" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Maj+G" +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Aquest valor regeix el gruix de la capa de pont intern. Aquesta és la " +#~ "primera capa sobre el farciment poc dens. Disminuïu lleugerament aquest " +#~ "valor ( per exemple 0,9 ) per millorar la qualitat de la superfície sobre " +#~ "el farciment poc dens." -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+Qualsevol fletxa" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Aquest factor afecta la quantitat de material per al farciment sòlid " +#~ "superior. Podeu disminuir-lo lleugerament per tenir un acabat superficial " +#~ "suau" -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Botó esquerre del ratolí" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "" +#~ "Aquest factor afecta la quantitat de material per al farciment sòlid " +#~ "inferior" -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Botó esquerre del ratolí" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Activeu aquesta opció per alentir la impressió en zones on potencialment " +#~ "poden existir perímetres corbats" -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+Qualsevol fletxa" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Velocitat per a ponts i perímetres completament en voladís" -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+Botó esquerre del ratolí" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Velocitat del pont intern. Si el valor s'expressa en percentatge, es " +#~ "calcularà a partir de la bridge_speed. El valor predeterminat és del 150%." -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+Botó esquerre del ratolí" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Temps per carregar nou filament quan canvia de filament. Només per a " +#~ "estadístiques" -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Roda del ratolí" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Temps per descarregar filament vell en canviar de filament. Només per a " +#~ "estadístiques" -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Roda del ratolí" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Temps perquè el firmware de la impressora ( o la Unitat Multi Material " +#~ "2.0 ) carregui un filament durant un canvi d'eina ( en executar el Codi-" +#~ "T ). Aquest temps s'afegeix al temps d'impressió total mitjançant " +#~ "l'estimador de temps del Codi-G." -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+Roda del ratolí" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Temps perquè el firmware de la impressora ( o la Unitat Multi Material " +#~ "2.0 ) descarregui un filament durant un canvi d'eina ( en executar el " +#~ "Codi-T ). Aquest temps s'afegeix al temps d'impressió total mitjançant " +#~ "l'estimador de temps del Codi-G." -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+Roda del ratolí" +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "Filtrar els buits més petits que el llindar especificat" + +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Activeu aquesta opció per al control de temperatura de la cambra. " +#~ "S'afegirà una comanda M191 abans de \"machine_start_gcode\"\n" +#~ "Comandes de Codi-G: M141 / M191 S ( 0-255 )" + +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Una temperatura de cambra més alta pot ajudar a suprimir o reduir la " +#~ "deformació( warping ) i potencialment conduir a una major resistència " +#~ "d'unió entre capes per a materials d'alta temperatura com ABS, ASA, PC, " +#~ "PA, etc. Al mateix temps, la filtració d'aire d'ABS i ASA empitjorarà. " +#~ "Mentre que per a PLA, PETG, TPU, PVA i altres materials de baixa " +#~ "temperatura, la temperatura real de la cambra no hauria de ser alta per " +#~ "evitar obstruccions, pel que 0, que significa apagar, és molt recomanable" #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " diff --git a/localization/i18n/cs/OrcaSlicer_cs.po b/localization/i18n/cs/OrcaSlicer_cs.po index 5c5c4aba53..fd186378a9 100644 --- a/localization/i18n/cs/OrcaSlicer_cs.po +++ b/localization/i18n/cs/OrcaSlicer_cs.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: 2023-09-30 15:15+0200\n" "Last-Translator: René Mošner \n" "Language-Team: \n" @@ -78,6 +78,9 @@ msgstr "Úhel chytrého vybarvení" msgid "On overhangs only" msgstr "Pouze na převisech" +msgid "Auto support threshold angle: " +msgstr "Auto podpěry hraniční úhlel: " + msgid "Circle" msgstr "Kruh" @@ -97,9 +100,6 @@ msgstr "Umožňuje malovat pouze na fasety vybrané pomocí: \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Zvýrazněte plochy podle úhlu převisů." -msgid "Auto support threshold angle: " -msgstr "Auto podpěry hraniční úhlel: " - msgid "No auto support" msgstr "Žádné automatické podpěry" @@ -1965,6 +1965,9 @@ msgstr "Zjednodušit model" msgid "Center" msgstr "Střed" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Upravit nastavení procesu" @@ -4085,6 +4088,15 @@ msgstr "Celkový čas" msgid "Total cost" msgstr "Celková cena" +msgid "up to" +msgstr "až do" + +msgid "above" +msgstr "nad" + +msgid "from" +msgstr "z" + msgid "Color Scheme" msgstr "Barevné schéma" @@ -4148,12 +4160,12 @@ msgstr "Doby výměny Filamentu" msgid "Cost" msgstr "Náklady" -msgid "Print" -msgstr "Tisk" - msgid "Color change" msgstr "Změna barvy" +msgid "Print" +msgstr "Tisk" + msgid "Printer" msgstr "Tiskárna" @@ -4337,7 +4349,7 @@ msgstr "Objem:" msgid "Size:" msgstr "Velikost:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4778,6 +4790,18 @@ msgstr "Postup 2" msgid "Flow rate test - Pass 2" msgstr "Test průtoku - Postup 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Průtok" @@ -6039,14 +6063,6 @@ msgstr "Byl detekován objekt s více částmi" msgid "The file does not contain any geometry data." msgstr "Soubor neobsahuje žádná geometrická data." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "Objekt je příliš velký" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6054,6 +6070,9 @@ msgstr "" "Váš objekt se zdá být příliš velký, chcete jej zmenšit, aby se vešel na " "vyhřívanou podložku automaticky?" +msgid "Object too large" +msgstr "Objekt je příliš velký" + msgid "Export STL file:" msgstr "Exportovat STL soubor:" @@ -6421,6 +6440,9 @@ msgstr "Chcete pokračovat?" msgid "Language selection" msgstr "Výběr jazyka" +msgid "Switching application language while some presets are modified." +msgstr "Přepínání jazyka aplikace při změně některých předvoleb." + msgid "Changing application language" msgstr "Změna jazyka aplikace" @@ -7487,8 +7509,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "Při nahrávání časosběru bez nástrojové hlavy se doporučuje přidat " "\"Timelapse Wipe Tower\" \n" @@ -8334,8 +8356,11 @@ msgstr "Seznam objektů" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Import geometrických dat ze souborů STL/STEP/3MF/OBJ/AMF" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Vložit ze schránky" @@ -8385,18 +8410,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Sbalit/Rozbalit postranní panel" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+libovolná šipka" msgid "Movement in camera space" msgstr "Posun výběru v ortogonálním prostoru kamery" +msgid "⌥+Left mouse button" +msgstr "⌥+levé tlačítko myši" + msgid "Select a part" msgstr "Vyberte část" +msgid "⌘+Left mouse button" +msgstr "⌘+levé tlačítko myši" + msgid "Select multiple objects" msgstr "Vyberte více objektů" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+libovolná šipka" + +msgid "Alt+Left mouse button" +msgstr "Alt+levé tlačítko myši" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+levé tlačítko myši" + msgid "Shift+Left mouse button" msgstr "Shift+levé tlačítko myši" @@ -8499,12 +8539,24 @@ msgstr "Podložka" msgid "Move: press to snap by 1mm" msgstr "Posunout: stisknutím přitáhnete o 1 mm" +msgid "⌘+Mouse wheel" +msgstr "⌘+kolečko myši" + msgid "Support/Color Painting: adjust pen radius" msgstr "Podpěry/Barva: upravit poloměr pera" +msgid "⌥+Mouse wheel" +msgstr "⌥+kolečko myši" + msgid "Support/Color Painting: adjust section position" msgstr "Podpěry/Barva: upravit polohu sekce" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+kolečko myši" + +msgid "Alt+Mouse wheel" +msgstr "Alt+kolečko myši" + msgid "Gizmo" msgstr "Gizmo" @@ -9525,14 +9577,31 @@ msgid "Apply gap fill" msgstr "" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" msgid "Everywhere" @@ -9605,10 +9674,11 @@ msgstr "Průtok mostu" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Snižte tuto hodnotu mírně (například 0,9), abyste snížili množství materiálu " -"pro most a zlepšili prověšení" msgid "Internal bridge flow ratio" msgstr "" @@ -9616,7 +9686,11 @@ msgstr "" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" msgid "Top surface flow ratio" @@ -9624,16 +9698,21 @@ msgstr "Poměr průtoku horní vrstvy" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Tento faktor ovlivňuje množství materiálu pro vrchní plnou výplň. Můžete jej " -"mírně snížit, abyste měli hladký povrch" msgid "Bottom surface flow ratio" msgstr "Poměr průtoku spodní vrstvy" -msgid "This factor affects the amount of material for bottom solid infill" -msgstr "Tento faktor ovlivňuje množství materiálu pro spodní plnou výplň" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." +msgstr "" msgid "Precise wall" msgstr "Přesná stěna" @@ -9779,12 +9858,26 @@ msgstr "Povolte tuto volbu pro zpomalení tisku pro různé stupně převisů" msgid "Slow down for curled perimeters" msgstr "Zpomalení pro zakroucené obvody" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Povolte tuto možnost pro zpomalení tisku na místech, kde mohou existovat " -"potenciální zakroucené obvody" msgid "mm/s or %" msgstr "mm/s or %" @@ -9792,8 +9885,14 @@ msgstr "mm/s or %" msgid "External" msgstr "Vnější" -msgid "Speed of bridge and completely overhang wall" -msgstr "Rychlost mostu a zcela převislé stěny" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -9802,11 +9901,9 @@ msgid "Internal" msgstr "Vnitřní" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Rychlost vnitřního mostu. Pokud je hodnota vyjádřena jako procento, bude " -"vypočítána na základě most_speed. Výchozí hodnota je 150 %." msgid "Brim width" msgstr "Šířka límce" @@ -10341,6 +10438,17 @@ msgstr "" "můžete tuto hodnotu vyladit, abyste získali pěkně rovný povrch, když dochází " "k mírnému přetečení nebo podtečení" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Povolit předstih tlaku" @@ -10517,16 +10625,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Doba zavádění filamentu" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Čas na zavedení nového filamentu při výměně filamentu. Pouze pro statistiku" msgid "Filament unload time" msgstr "Doba vysouvání filamentu" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Čas vytažení starého filamentu při výměně filamentu. Pouze pro statistiku" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -10661,15 +10782,6 @@ msgstr "Rychlost posledního pohybu chlazení" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "Chladící pohyby se postupně zrychlují až k této rychlosti." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Doba, po kterou firmware tiskárny (nebo jednotka Multi Material 2.0) zavádí " -"nový filament během jeho výměny (při provádění kódu T). Tento čas je přidán " -"k celkové době tisku pomocí G-kódu odhadovače tiskového času." - msgid "Ramming parameters" msgstr "Parametry rapidní extruze" @@ -10680,15 +10792,6 @@ msgstr "" "Tento řetězec je upravován dialogem RammingDialog a obsahuje specifické " "parametry pro rapidní extruzi." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Doba, po kterou firmware tiskárny (nebo jednotka Multi Material 2.0) vysouvá " -"filament během jeho výměny (při provádění kódu T). Tento čas je přidán k " -"celkové době tisku pomocí G-kódu odhadovače tiskového času." - msgid "Enable ramming for multitool setups" msgstr "Povolení rapidní extruze tiskárny s více nástroji" @@ -11040,10 +11143,10 @@ msgstr "Maximální otáčky ventilátoru ve vrstvě" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "Otáčky ventilátoru se lineárně zvýší z nuly ve vrstvě " "\"close_fan_first_layers\" na maximum ve vrstvě \"full_fan_speed_layer\". " @@ -11115,8 +11218,11 @@ msgstr "Odfiltrujte drobné mezery" msgid "Layers and Perimeters" msgstr "Vrstvy a perimetry" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Filtrovat mezery menší než stanovená hranice" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13107,33 +13213,40 @@ msgid "Activate temperature control" msgstr "Aktivovat řízení teploty" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" -msgstr "" -"Zapněte tuto volbu pro řízení teploty v komoře. Příkaz M191 bude přidán před " +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " "\"machine_start_gcode\"\n" -"G-kód příkazy: M141/M191 S(0-255)" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." +msgstr "" msgid "Chamber temperature" msgstr "Teplota v komoře" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Vyšší teplota komory může pomoci potlačit nebo snížit odchlipování a " -"potenciálně vést k vyšší pevnosti spojů mezi vrstvami pro materiály s " -"vysokou teplotou, jako je ABS, ASA, PC, PA a další. Zároveň se však zhorší " -"filtrace vzduchu pro ABS a ASA. Naopak pro PLA, PETG, TPU, PVA a další " -"materiály s nízkou teplotou by teplota komory neměla být vysoká, aby se " -"předešlo zanášení, takže je velmi doporučeno použít hodnotu 0, která znamená " -"vypnutí" msgid "Nozzle temperature for layers after the initial one" msgstr "Teplota trysky pro vrstvy po počáteční" @@ -14983,8 +15096,8 @@ msgid "" msgstr "" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" @@ -15878,8 +15991,8 @@ msgid "" msgstr "" "Plochou na podložku\n" "Věděli jste, že můžete rychle nastavit orientaci modelu tak, aby jedna z " -"jeho stěn spočívala na tiskovém podloží? Vyberte funkci \"Plochou na podložku" -"\" nebo stiskněte klávesu F." +"jeho stěn spočívala na tiskovém podloží? Vyberte funkci \"Plochou na " +"podložku\" nebo stiskněte klávesu F." #: resources/data/hints.ini: [hint:Object List] msgid "" @@ -16095,53 +16208,96 @@ msgid "" "probability of warping." msgstr "" -#~ msgid "up to" -#~ msgstr "až do" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Snižte tuto hodnotu mírně (například 0,9), abyste snížili množství " +#~ "materiálu pro most a zlepšili prověšení" -#~ msgid "above" -#~ msgstr "nad" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Tento faktor ovlivňuje množství materiálu pro vrchní plnou výplň. Můžete " +#~ "jej mírně snížit, abyste měli hladký povrch" -#~ msgid "from" -#~ msgstr "z" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "Tento faktor ovlivňuje množství materiálu pro spodní plnou výplň" -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "Přepínání jazyka aplikace při změně některých předvoleb." +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Povolte tuto možnost pro zpomalení tisku na místech, kde mohou existovat " +#~ "potenciální zakroucené obvody" -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Rychlost mostu a zcela převislé stěny" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Rychlost vnitřního mostu. Pokud je hodnota vyjádřena jako procento, bude " +#~ "vypočítána na základě most_speed. Výchozí hodnota je 150 %." -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+libovolná šipka" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Čas na zavedení nového filamentu při výměně filamentu. Pouze pro " +#~ "statistiku" -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+levé tlačítko myši" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Čas vytažení starého filamentu při výměně filamentu. Pouze pro statistiku" -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+levé tlačítko myši" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Doba, po kterou firmware tiskárny (nebo jednotka Multi Material 2.0) " +#~ "zavádí nový filament během jeho výměny (při provádění kódu T). Tento čas " +#~ "je přidán k celkové době tisku pomocí G-kódu odhadovače tiskového času." -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+libovolná šipka" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Doba, po kterou firmware tiskárny (nebo jednotka Multi Material 2.0) " +#~ "vysouvá filament během jeho výměny (při provádění kódu T). Tento čas je " +#~ "přidán k celkové době tisku pomocí G-kódu odhadovače tiskového času." -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+levé tlačítko myši" +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "Filtrovat mezery menší než stanovená hranice" -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+levé tlačítko myši" +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Zapněte tuto volbu pro řízení teploty v komoře. Příkaz M191 bude přidán " +#~ "před \"machine_start_gcode\"\n" +#~ "G-kód příkazy: M141/M191 S(0-255)" -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+kolečko myši" - -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+kolečko myši" - -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+kolečko myši" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+kolečko myši" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Vyšší teplota komory může pomoci potlačit nebo snížit odchlipování a " +#~ "potenciálně vést k vyšší pevnosti spojů mezi vrstvami pro materiály s " +#~ "vysokou teplotou, jako je ABS, ASA, PC, PA a další. Zároveň se však " +#~ "zhorší filtrace vzduchu pro ABS a ASA. Naopak pro PLA, PETG, TPU, PVA a " +#~ "další materiály s nízkou teplotou by teplota komory neměla být vysoká, " +#~ "aby se předešlo zanášení, takže je velmi doporučeno použít hodnotu 0, " +#~ "která znamená vypnutí" #~ msgid "Wipe tower extruder" #~ msgstr "Extruder čistící věže" @@ -16172,12 +16328,12 @@ msgstr "" #~ "Najdete podrobnosti o kalibraci průtoku dynamiky v naší wiki.\n" #~ "\n" #~ "Obvykle kalibrace není potřebná. Při spuštění tisku s jednobarevným/" -#~ "materiálovým filamentem a zaškrtnutou volbou \"kalibrace průtoku dynamiky" -#~ "\" v menu spuštění tisku, tiskárna bude postupovat podle staré metody a " -#~ "zkalibruje filament před tiskem. Při spuštění tisku s vícebarevným/" -#~ "materiálovým filamentem bude tiskárna při každé změně filamentu používat " -#~ "výchozí kompenzační parametr pro filament, což má většinou dobrý " -#~ "výsledek.\n" +#~ "materiálovým filamentem a zaškrtnutou volbou \"kalibrace průtoku " +#~ "dynamiky\" v menu spuštění tisku, tiskárna bude postupovat podle staré " +#~ "metody a zkalibruje filament před tiskem. Při spuštění tisku s " +#~ "vícebarevným/materiálovým filamentem bude tiskárna při každé změně " +#~ "filamentu používat výchozí kompenzační parametr pro filament, což má " +#~ "většinou dobrý výsledek.\n" #~ "\n" #~ "Všimněte si, že existují některé případy, které mohou způsobit, že " #~ "výsledek kalibrace nebude spolehlivý: použití texturované podložky pro " diff --git a/localization/i18n/de/OrcaSlicer_de.po b/localization/i18n/de/OrcaSlicer_de.po index 7547eaeee6..ed3799db7c 100644 --- a/localization/i18n/de/OrcaSlicer_de.po +++ b/localization/i18n/de/OrcaSlicer_de.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: \n" "Last-Translator: Heiko Liebscher \n" "Language-Team: \n" @@ -74,6 +74,9 @@ msgstr "Intelligenter Füllwinkel" msgid "On overhangs only" msgstr "Nur an Überhängen" +msgid "Auto support threshold angle: " +msgstr "Winkel für automatische Supports: " + msgid "Circle" msgstr "Kreis" @@ -94,9 +97,6 @@ msgstr "" msgid "Highlight faces according to overhang angle." msgstr "Markieren der Flächen entsprechend dem Überhangwinkel." -msgid "Auto support threshold angle: " -msgstr "Winkel für automatische Supports: " - msgid "No auto support" msgstr "Kein automatischer Support" @@ -1995,6 +1995,9 @@ msgstr "Modell vereinfachen" msgid "Center" msgstr "Zur Mitte" +msgid "Drop" +msgstr "Ablegen" + msgid "Edit Process Settings" msgstr "Prozesseinstellungen" @@ -4214,6 +4217,15 @@ msgstr "Gesamtdauer" msgid "Total cost" msgstr "Geamtkosten" +msgid "up to" +msgstr "bis zu" + +msgid "above" +msgstr "über" + +msgid "from" +msgstr "von" + msgid "Color Scheme" msgstr "Farbschema" @@ -4277,12 +4289,12 @@ msgstr "Filamentwechselzeiten" msgid "Cost" msgstr "Kosten" -msgid "Print" -msgstr "aktuelle Platte drucken" - msgid "Color change" msgstr "Farbwechsel" +msgid "Print" +msgstr "aktuelle Platte drucken" + msgid "Printer" msgstr "Drucker" @@ -4466,7 +4478,7 @@ msgstr "Volumen:" msgid "Size:" msgstr "Größe:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4911,6 +4923,18 @@ msgstr "Durchgang 2" msgid "Flow rate test - Pass 2" msgstr "Durchflussratentests - Teil 1" +msgid "YOLO (Recommended)" +msgstr "YOLO (Empfohlen)" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "Orca YOLO Durchflusskalibrierung, 0.01 Schritt" + +msgid "YOLO (perfectionist version)" +msgstr "YOLO (Perfektionisten-Version)" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "Orca YOLO Durchflusskalibrierung, 0.005 Schritt" + msgid "Flow rate" msgstr "Durchflussrate" @@ -6232,16 +6256,6 @@ msgstr "Objekt mit mehreren Teilen wurde entdeckt" msgid "The file does not contain any geometry data." msgstr "Die Datei enthält keine Geometriedaten." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" -"Ihr Objekt scheint zu groß zu sein. Es wird automatisch verkleinert, um auf " -"das Druckbett zu passen." - -msgid "Object too large" -msgstr "Objekt zu groß" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6249,6 +6263,9 @@ msgstr "" "Ihr Objekt scheint zu groß zu sein. Möchten Sie es verkleinern, um es " "automatisch an das Druckbett anzupassen?" +msgid "Object too large" +msgstr "Objekt zu groß" + msgid "Export STL file:" msgstr "Exportiere STL Datei:" @@ -6634,6 +6651,10 @@ msgstr "Möchten Sie fortfahren?" msgid "Language selection" msgstr "Sprachauswahl" +msgid "Switching application language while some presets are modified." +msgstr "" +"Umschalten der Anwendungssprache, während einige Profile geändert werden." + msgid "Changing application language" msgstr "Anwendungssprache ändern" @@ -7382,8 +7403,8 @@ msgstr "" msgid "" "Timelapse is not supported because Print sequence is set to \"By object\"." msgstr "" -"Zeitraffer wird nicht unterstützt, da die Druckreihenfolge auf \"Nach Objekt" -"\" eingestellt ist." +"Zeitraffer wird nicht unterstützt, da die Druckreihenfolge auf \"Nach " +"Objekt\" eingestellt ist." msgid "Errors" msgstr "Fehler" @@ -7777,13 +7798,13 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "Wenn Sie einen Zeitraffer ohne Werkzeugkopf aufnehmen, wird empfohlen, einen " "\"Timelapse Wischturm\" hinzuzufügen, indem Sie mit der rechten Maustaste " -"auf die leere Position der Bauplatte klicken und \"Primitiv hinzufügen\"->" -"\"Timelapse Wischturm\" wählen." +"auf die leere Position der Bauplatte klicken und \"Primitiv hinzufügen\"-" +">\"Timelapse Wischturm\" wählen." msgid "Line width" msgstr "Breite der Linie" @@ -8674,8 +8695,11 @@ msgstr "Liste der Objekte" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Importiere Geometriedaten aus STL/STEP/3MF/OBJ/AMF-Dateien" -msgid "Shift+G" -msgstr "Umschalt+G" +msgid "⌘+Shift+G" +msgstr "⌘+Umschalttaste+G" + +msgid "Ctrl+Shift+G" +msgstr "Strg+Umschalt+G" msgid "Paste from clipboard" msgstr "Aus Zwischenablage einfügen" @@ -8726,18 +8750,33 @@ msgstr "Umschalt+Tab" msgid "Collapse/Expand the sidebar" msgstr "Seitenleiste zu-/aufklappen" -msgid "Any arrow" -msgstr "Beliebiger Pfeil" +msgid "⌘+Any arrow" +msgstr "⌘+beliebiger Pfeil" msgid "Movement in camera space" msgstr "Bewegung im Kameraraum" +msgid "⌥+Left mouse button" +msgstr "⌥+Linke Maustaste" + msgid "Select a part" msgstr "Teil auswählen" +msgid "⌘+Left mouse button" +msgstr "⌘+Linke Maustaste" + msgid "Select multiple objects" msgstr "Mehrere Objekte auswählen" +msgid "Ctrl+Any arrow" +msgstr "Strg + beliebige Pfeiltaste" + +msgid "Alt+Left mouse button" +msgstr "Alt + Linke Maustaste" + +msgid "Ctrl+Left mouse button" +msgstr "Strg + Linke Maustaste" + msgid "Shift+Left mouse button" msgstr "Umschalt+Linke Maustaste" @@ -8840,12 +8879,24 @@ msgstr "Druckplatte" msgid "Move: press to snap by 1mm" msgstr "Verschieben: Drücken, um in 1 mm einzurasten" +msgid "⌘+Mouse wheel" +msgstr "⌘+Mausrad" + msgid "Support/Color Painting: adjust pen radius" msgstr "Stützen/Farbmalen: Stiftradius einstellen" +msgid "⌥+Mouse wheel" +msgstr "⌥+Mausrad" + msgid "Support/Color Painting: adjust section position" msgstr "Stützen/Farbmalen: Position des Abschnitts anpassen" +msgid "Ctrl+Mouse wheel" +msgstr "Strg + Mausrad" + +msgid "Alt+Mouse wheel" +msgstr "Alt + Mausrad" + msgid "Gizmo" msgstr "Gizmo" @@ -9939,25 +9990,60 @@ msgid "Apply gap fill" msgstr "Lückenfüllung anwenden" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" -"Schaltet die Lückenfüllung für die ausgewählten Oberflächen ein. Die " -"minimale Länge der Lücke, die gefüllt wird, kann über die Option \"winzige " -"Lücken herausfiltern\" unten gesteuert werden.\n" +"Schaltet die Lückenfüllung für die ausgewählten massiven Oberflächen ein. " +"Die minimale Lückenlänge, die gefüllt wird, kann von der Option zum " +"Filtern kleiner Lücken unten gesteuert werden.\n" "\n" "Optionen:\n" -"1. Überall: Füllt Lücken in oberen, unteren und inneren massiven Oberflächen " -"aus\n" +"1. Überall: Füllt Lücken in oberen, unteren und internen massiven " +"Oberflächen für maximale Festigkeit" "2. Obere und untere Oberflächen: Füllt Lücken nur in oberen und unteren " -"Oberflächen aus\n" -"3. Nirgendwo: Deaktiviert die Lückenfüllung\n" +"Oberflächen, um Druckgeschwindigkeit zu erhöhen, potenzielle Überextrusion " +"im massiven Infill zu reduzieren und sicherzustellen, dass die oberen und " +"unteren Oberflächen keine Löcher aufweisen" +"3. Nirgendwo: Deaktiviert die Lückenfüllung für alle massiven Infill-Bereiche.\n" +"\n" +"Beachten Sie, dass bei Verwendung des klassischen Umfangsgenerators " +"Lückenfüllung auch zwischen Umfängen generiert werden kann, wenn eine " +"volle Breitenlinie nicht zwischen ihnen passt. Diese Umfangslückenfüllung " +"wird nicht durch diese Einstellung gesteuert.\n" +"\n" +"Wenn Sie möchten, dass alle Lückenfüllungen, einschließlich der vom " +"klassischen Umfangsgenerator generierten, entfernt werden, setzen Sie den " +"Wert zum Filtern kleiner Lücken auf eine große Zahl, wie 999999.\n" +"\n" +"Dies wird jedoch nicht empfohlen, da die Lückenfüllung zwischen Umfängen zur " +"Festigkeit des Modells beiträgt. Für Modelle, bei denen zwischen Umfängen " +"übermäßige Lückenfüllung generiert wird, wäre eine bessere Option, auf den " +"Arachne-Wandgenerator umzusteigen und diese Option zu verwenden, um zu " +"steuern, ob die kosmetische Lückenfüllung für obere und untere Oberflächen " +"generiert wird." msgid "Everywhere" msgstr "Überall" @@ -10033,10 +10119,17 @@ msgstr "Brücken Flussrate" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Verringern Sie diesen Wert geringfügig (z. B. 0,9), um die Materialmenge für " -"die Brücke zu verringern und den Durchhang zu minimieren" +"Verringern Sie diesen Wert leicht (zum Beispiel 0,9), um die Materialmenge " +"für die Brücke zu reduzieren und das Durchhängen zu verbessern.\n" +"\n" +"Der tatsächliche Brückenfluss wird berechnet, indem dieser Wert mit dem " +"Filamentflussverhältnis und, falls festgelegt, dem Objektflussverhältnis " +"multipliziert wird." msgid "Internal bridge flow ratio" msgstr "Interne Brücken Flussrate" @@ -10044,29 +10137,52 @@ msgstr "Interne Brücken Flussrate" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" "Dieser Wert bestimmt die Dicke der internen Brückenschicht. Dies ist die " -"erste Schicht über der dünnen Füllung. Verringern Sie diesen Wert leicht (z. " -"B. 0,9), um die Oberflächenqualität über der dünnen Füllung zu verbessern." +"erste Schicht über der dünnen Füllung. Verringern Sie diesen Wert leicht " +"(zum Beispiel 0,9), um die Oberflächenqualität über der dünnen Füllung zu " +"verbessern.\n" +"\n" +"Der tatsächliche interne Brückenfluss wird berechnet, indem dieser Wert mit " +"dem Brückenflussverhältnis, dem Filamentflussverhältnis und, falls festgelegt, " +"dem Objektflussverhältnis multipliziert wird." msgid "Top surface flow ratio" msgstr "Durchflussverhältnis obere Fläche" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Dieser Faktor beeinflusst die Menge des Materials für die obere Füllung. Sie " -"können ihn leicht verringern, um eine glatte Oberflächenbeschichtung zu " -"erhalten" +"Dieser Faktor beeinflusst die Menge des Materials für die obere feste Füllung. " +"Sie können ihn leicht verringern, um eine glatte Oberfläche zu erhalten.\n" +"\n" +"Der tatsächliche obere Fluss wird berechnet, indem dieser Wert mit dem " +"Filamentflussverhältnis und, falls festgelegt, dem Objektflussverhältnis " +"multipliziert wird." msgid "Bottom surface flow ratio" msgstr "Durchflussverhältnis untere Fläche" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Dieser Faktor beeinflusst die Menge des Materials für die untere Füllung" +"Dieser Faktor beeinflusst die Menge des Materials für die untere feste Füllung.\n" +"\n" +"Der tatsächliche Fluss für die untere feste Füllung wird berechnet, indem " +"dieser Wert mit dem Filamentflussverhältnis und, falls festgelegt, dem " +"Objektflussverhältnis multipliziert wird." msgid "Precise wall" msgstr "Exakte Wand" @@ -10246,11 +10362,44 @@ msgid "Slow down for curled perimeters" msgstr "Langsamer Druck für gekrümmte Umfänge" msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" "Aktivieren Sie diese Option, um den Druck in Bereichen zu verlangsamen, in " -"denen möglicherweise gekrümmte Umfänge vorhanden sind" +"denen die Umfänge nach oben gekrümmt sein können. Zum Beispiel wird eine " +"zusätzliche Verlangsamung angewendet, wenn Überhänge an scharfen Ecken wie " +"der Vorderseite des Benchy-Rumpfes gedruckt werden, um das Kräuseln zu " +"reduzieren, das sich über mehrere Schichten hinweg aufbaut.\n" +"\n" +"Es wird im Allgemeinen empfohlen, diese Option eingeschaltet zu lassen, es " +"sei denn, Ihr Drucker ist leistungsstark genug oder die Druckgeschwindigkeit " +"ist langsam genug, dass das Kräuseln der Umfänge nicht auftritt. Wenn mit " +"einer hohen externen Umfangsgeschwindigkeit gedruckt wird, kann dieser " +"Parameter leichte Artefakte verursachen, wenn er aufgrund der großen " +"Varianz der Druckgeschwindigkeiten verlangsamt wird. Wenn Sie Artefakte " +"bemerken, stellen Sie sicher, dass Ihr Druckvorschub korrekt eingestellt " +"ist.\n" +"\n" +"Hinweis: Wenn diese Option aktiviert ist, werden Umfangsumfänge wie " +"Überhänge behandelt, was bedeutet, dass die Überhangsgeschwindigkeit " +"angewendet wird, auch wenn der überhängende Umfang Teil einer Brücke ist. " +"Zum Beispiel, wenn die Umfänge zu 100 % überhängen, ohne dass eine Wand sie " +"von unten stützt, wird die Überhangsgeschwindigkeit von 100 % angewendet." msgid "mm/s or %" msgstr "mm/s o. %" @@ -10258,8 +10407,20 @@ msgstr "mm/s o. %" msgid "External" msgstr "Extern" -msgid "Speed of bridge and completely overhang wall" -msgstr "Geschwindigkeit für Brücken und vollständig überhängende Wände." +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" +"Geschwindigkeit der extern sichtbaren Brückenextrusionen.\n" +"\n" +"Darüber hinaus wird, wenn die Option zum Verlangsamen von gekrümmten Umfängen " +"deaktiviert ist oder der klassische Überhangsmodus aktiviert ist, die " +"Druckgeschwindigkeit der Überhangswände, die zu weniger als 13 % gestützt " +"sind, ob sie Teil einer Brücke oder eines Überhangs sind." msgid "mm/s" msgstr "mm/s" @@ -10268,12 +10429,12 @@ msgid "Internal" msgstr "Intern" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Geschwindigkeit der internen Brücke. Wenn der Wert als Prozentsatz angegeben " -"ist, wird er basierend auf der Brückengeschwindigkeit berechnet. " -"Standardwert ist 150%." +"Geschwindigkeit der internen Brücken. Wenn der Wert als Prozentsatz angegeben " +"wird, wird er auf der Grundlage der Brückengeschwindigkeit berechnet. Der " +"Standardwert beträgt 150 %." msgid "Brim width" msgstr "Randbreite" @@ -10924,6 +11085,26 @@ msgstr "" "anpassen, um eine schöne flache Oberfläche zu erhalten, wenn es eine leichte " "Über- oder Unterextrusion gibt." +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" +"Das Material kann sich nach dem Wechsel zwischen geschmolzenem und " +"kristallinem Zustand volumetrisch verändern. Mit dieser Einstellung werden " +"alle Extrusionsströme dieses Filaments im G-Code proportional geändert. Der " +"empfohlene Wertebereich liegt zwischen 0,95 und 1,05. Sie können diesen Wert " +"anpassen, um eine schöne flache Oberfläche zu erhalten, wenn es eine leichte " +"Über- oder Unterextrusion gibt. \n" +"\n" +"Das endgültige Objekt-Flussverhältnis ist das Produkt aus diesem Wert und " +"dem Filament-Flussverhältnis." + msgid "Enable pressure advance" msgstr "Pressure advance aktivieren" @@ -10979,8 +11160,8 @@ msgstr "" "Druckbedingungen an den Drucker ausgegeben wird.\n" "\n" "Wenn diese Option aktiviert ist, wird der obige Druckvorschubwert überschrie-" -"ben. Es wird jedoch dringend empfohlen, einen vernünftigen Standardwert " -"oben zu verwenden, um als Fallback und für den Werkzeugwechsel zu dienen.\n" +"ben. Es wird jedoch dringend empfohlen, einen vernünftigen Standardwert oben " +"zu verwenden, um als Fallback und für den Werkzeugwechsel zu dienen.\n" "\n" msgid "Adaptive pressure advance measurements (beta)" @@ -11033,16 +11214,16 @@ msgstr "" "Druckbeschleunigungen durch und nicht schneller als die empfohlene maximale " "Beschleunigung, wie sie vom Klipper-Eingabe-Shaper angegeben wird.\n" "2. Notieren Sie den optimalen PA-Wert für jede Volumenfließgeschwindigkeit " -"und Beschleunigung. Sie können die Fließzahl auswählen, indem Sie Fluss aus" -"dem Farbschema-Dropdown auswählen und den horizontalen Schieberegler über den " -"PA-Musterlinien bewegen. Die Zahl sollte am unteren Rand der Seite sichtbar " -"sein. Der ideale PA-Wert sollte abnehmen, je höher die Volumenfließgeschwin-" -"digkeit ist. Wenn dies nicht der Fall ist, bestätigen Sie, dass Ihr Extruder " -"korrekt funktioniert. Je langsamer und mit weniger Beschleunigung Sie drucken, " -"desto größer ist der Bereich der akzeptablen PA-Werte. Wenn kein Unterschied " -"sichtbar ist, verwenden Sie den PA-Wert aus dem schnelleren Test.3. Geben Sie " -"die Triplets von PA-Werten, Fluss und Beschleunigungen im Textfeld hier ein " -"und speichern Sie Ihr Filamentprofil\n" +"und Beschleunigung. Sie können die Fließzahl auswählen, indem Sie Fluss " +"ausdem Farbschema-Dropdown auswählen und den horizontalen Schieberegler über " +"den PA-Musterlinien bewegen. Die Zahl sollte am unteren Rand der Seite " +"sichtbar sein. Der ideale PA-Wert sollte abnehmen, je höher die " +"Volumenfließgeschwin-digkeit ist. Wenn dies nicht der Fall ist, bestätigen " +"Sie, dass Ihr Extruder korrekt funktioniert. Je langsamer und mit weniger " +"Beschleunigung Sie drucken, desto größer ist der Bereich der akzeptablen PA-" +"Werte. Wenn kein Unterschied sichtbar ist, verwenden Sie den PA-Wert aus dem " +"schnelleren Test.3. Geben Sie die Triplets von PA-Werten, Fluss und " +"Beschleunigungen im Textfeld hier ein und speichern Sie Ihr Filamentprofil\n" "\n" msgid "Enable adaptive pressure advance for overhangs (beta)" @@ -11174,18 +11355,40 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Ladedauer des Filaments" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Zeit zum Laden des neuen Filaments, beim Wechseln des Filaments. Nur für " -"statistische Zwecke." +"Zeit zum Laden des neuen Filaments beim Wechsel des Filaments. Es ist in der " +"Regel für Einzel-Extruder-Multi-Material-Maschinen anwendbar. Für " +"Werkzeugwechsler oder Multi-Tool-Maschinen beträgt es in der Regel 0. Nur " +"für Statistiken" msgid "Filament unload time" msgstr "Entladezeit des Filaments" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Zeit zum Entladen des alten Filaments, beim Wechseln des Filaments. Nur für " -"statistische Zwecke." +"Zeit zum Entladen des alten Filaments beim Wechsel des Filaments. Es ist in " +"der Regel für Einzel-Extruder-Multi-Material-Maschinen anwendbar. Für " +"Werkzeugwechsler oder Multi-Tool-Maschinen beträgt es in der Regel 0. Nur " +"für Statistiken" + +msgid "Tool change time" +msgstr "Werkzeugwechselzeit" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" +msgstr "" +"Zeit, die zum Wechseln der Werkzeuge benötigt wird. Es ist in der Regel für " +"Werkzeugwechsler oder Multi-Tool-Maschinen anwendbar. Für Einzel-Extruder-" +"Multi-Material-Maschinen beträgt es in der Regel 0. Nur für Statistiken" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11334,16 +11537,6 @@ msgstr "Geschwindigkeit der letzten Kühlbewegung" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "Kühlbewegungen beschleunigen allmählich auf diese Geschwindigkeit." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Zeit für die Drucker-Firmware (oder die Multi Material Unit 2.0), um ein " -"neues Filament während eines Werkzeugwechsels zu laden (wenn der T-Code " -"ausgeführt wird). Diese Zeit wird zur Gesamt-Druckzeit vom G-Code-Zeit-" -"Schätzer hinzugefügt." - msgid "Ramming parameters" msgstr "Ramming-Parameter" @@ -11354,16 +11547,6 @@ msgstr "" "Dieser String wird von RammingDialog bearbeitet und enthält ramming-" "spezifische Parameter." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Zeit für die Drucker-Firmware (oder die Multi Material Unit 2.0), um ein " -"Filament während eines Werkzeugwechsels zu entladen (wenn der T-Code " -"ausgeführt wird). Diese Zeit wird zur Gesamt-Druckzeit vom G-Code-Zeit-" -"Schätzer hinzugefügt." - msgid "Enable ramming for multitool setups" msgstr "Ermöglicht das Rammen für Multitool-Setups" @@ -11737,13 +11920,13 @@ msgstr "Volle Lüfterdrehzahl ab Schicht" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" -"Die Lüftergeschwindigkeit wird linear von Null bei der Schicht" -"\"close_fan_the_first_x_layers\" auf das Maximum bei der Schicht " +"Die Lüftergeschwindigkeit wird linear von Null bei der " +"Schicht\"close_fan_the_first_x_layers\" auf das Maximum bei der Schicht " "\"full_fan_speed_layer\" erhöht. \"full_fan_speed_layer\" wird ignoriert, " "wenn es niedriger ist als \"close_fan_the_first_x_layers\",in diesem Fall " "läuft der Lüfter bei Schicht \"close_fan_the_first_x_layers\"+ 1 mit maximal " @@ -11814,8 +11997,15 @@ msgstr "Filtert winzige Lücken aus" msgid "Layers and Perimeters" msgstr "Schichten und Perimeter" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Filtert Lücken aus, die kleiner als der angegebene Schwellenwert sind" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" +"Drucken Sie keine Lückenfüllung mit einer Länge, die kleiner als der " +"angegebene Schwellenwert (in mm) ist. Diese Einstellung gilt für die obere, " +"untere und massive Füllung und, wenn der klassische Perimeter-Generator " +"verwendet wird, für die Wandlückenfüllung." msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -12164,7 +12354,10 @@ msgid "" "\"mmu_segmented_region_interlocking_depth\"is bigger then " "\"mmu_segmented_region_max_width\". Zero disables this feature." msgstr "" - +"Interlock-Tiefe eines segmentierten Bereichs. Es wird ignoriert, wenn " +"\"mmu_segmented_region_max_width\" null ist oder wenn " +"\"mmu_segmented_region_interlocking_depth\" größer ist als " +"\"mmu_segmented_region_max_width\". Null deaktiviert diese Funktion." msgid "Use beam interlocking" msgstr "Verwende Interlock-Strukturen" @@ -12683,8 +12876,8 @@ msgid "" "This option will drop the temperature of the inactive extruders to prevent " "oozing." msgstr "" -"Diese Option senkt die Temperatur der inaktiven Extruder, um das Herauslaufen " -"des Filaments zu verhindern." +"Diese Option senkt die Temperatur der inaktiven Extruder, um das " +"Herauslaufen des Filaments zu verhindern." msgid "Filename format" msgstr "Format des Dateinamens" @@ -13472,8 +13665,8 @@ msgid "" "zero value." msgstr "" "Temperaturunterschied, der angewendet wird, wenn ein Extruder nicht aktiv " -"ist. Der Wert wird nicht verwendet, wenn 'idle_temperature' in den " -"Filament-Einstellungen auf einen Wert ungleich Null gesetzt ist." +"ist. Der Wert wird nicht verwendet, wenn 'idle_temperature' in den Filament-" +"Einstellungen auf einen Wert ungleich Null gesetzt ist." msgid "Preheat time" msgstr "Vorheizzeit" @@ -14005,34 +14198,68 @@ msgid "Activate temperature control" msgstr "aktiviere Temperaturkontrolle" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Diese Option aktivieren, um die Temperatur der Druckkammer zu steuern. Ein " -"M191-Befehl wird vor \"machine_start_gcode\" hinzugefügt\n" -"G-Code-Befehle: M141/M191 S(0-255)" +"Diese Option aktiviert die automatische Druckraumtemperaturkontrolle. Diese " +"Option aktiviert das Aussenden eines M191-Befehls vor dem " +"\"machine_start_gcode\", der die Druckraumtemperatur einstellt und wartet, " +"bis sie erreicht ist. Darüber hinaus wird am Ende des Drucks ein M141-Befehl " +"ausgegeben, um den Druckraumheizer auszuschalten, falls vorhanden. \n" +"\n" +"Diese Option basiert auf der Firmware, die die M191- und M141-Befehle " +"entweder über Makros oder nativ unterstützt und wird normalerweise verwendet, " +"wenn ein aktiver Druckraumheizer installiert ist." msgid "Chamber temperature" msgstr "Druckraum Temperatur" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Eine höhere Druckraumtemperatur kann das Verziehen unterdrücken oder " -"reduzieren und möglicherweise zu einer höheren " -"Zwischenschichtbindungsfestigkeit für Hochtemperaturmaterialien wie ABS, " -"ASA, PC, PA und so weiter führen. Gleichzeitig wird die Luftfiltration von " -"ABS und ASA schlechter. Für PLA, PETG, TPU, PVA und andere Materialien mit " -"niedriger Temperatur sollte die tatsächliche Druckraumtemperatur nicht hoch " -"sein, um Verstopfungen zu vermeiden, daher wird 0, was für das Ausschalten " -"steht, dringend empfohlen." +"Für Hochtemperaturmaterialien wie ABS, ASA, PC und PA kann eine höhere " +"Druckraumtemperatur helfen, das Verziehen zu unterdrücken oder zu reduzieren " +"und möglicherweise zu einer höheren Festigkeit der Zwischenschichtbindung " +"führen. Gleichzeitig verringert eine höhere Druckraumtemperatur jedoch die " +"Effizienz der Luftfiltration für ABS und ASA. \n" +"\n" +"Für PLA, PETG, TPU, PVA und andere Niedrigtemperaturmaterialien sollte diese " +"Option deaktiviert sein (auf 0 gesetzt werden), da die Druckraumtemperatur " +"niedrig sein sollte, um ein Verstopfen des Extruders durch Erweichung des " +"Materials am Heizblock zu vermeiden. \n" +"\n" +"Wenn diese Option aktiviert ist, wird auch eine G-Code-Variable namens " +"chamber_temperature gesetzt, die verwendet werden kann, um die gewünschte " +"Druckraumtemperatur an Ihr Druckstart-Makro oder ein Wärmespeicher-Makro " +"weiterzugeben, wie z.B. PRINT_START (andere Variablen) CHAMBER_TEMP=[" +"chamber_temperature]. Dies kann nützlich sein, wenn Ihr Drucker die Befehle " +"M141/M191 nicht unterstützt oder wenn Sie das Wärmespeichern im " +"Druckstart-Makro behandeln möchten, wenn kein aktiver Druckraumheizer " +"installiert ist." msgid "Nozzle temperature for layers after the initial one" msgstr "Düsentemperatur nach der ersten Schicht" @@ -14686,7 +14913,8 @@ msgid "" "Current position of the extruder axis. Only used with absolute extruder " "addressing." msgstr "" -"Aktuelle Position der Extruderachse. Wird nur bei absoluter Extruderadressierung verwendet." +"Aktuelle Position der Extruderachse. Wird nur bei absoluter " +"Extruderadressierung verwendet." msgid "Current extruder" msgstr "Aktueller Extruder" @@ -14742,7 +14970,9 @@ msgid "Has single extruder MM priming" msgstr "Hat einzelnes Extruder-MM-Priming" msgid "Are the extra multi-material priming regions used in this print?" -msgstr "Werden die zusätzlichen Multi-Material-Priming-Regionen in diesem Druck verwendet?" +msgstr "" +"Werden die zusätzlichen Multi-Material-Priming-Regionen in diesem Druck " +"verwendet?" msgid "Volume per extruder" msgstr "Volumen pro Extruder" @@ -16052,8 +16282,8 @@ msgstr "" "Möchten Sie es überschreiben?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" "Wir würden die Voreinstellungen als \"Hersteller Typ Seriennummer @Drucker, " @@ -17397,54 +17627,150 @@ msgstr "" "wie z.B. ABS, durch eine entsprechende Erhöhung der Heizbetttemperatur die " "Wahrscheinlichkeit von Verwerfungen verringert werden kann." -#~ msgid "up to" -#~ msgstr "bis zu" - -#~ msgid "above" -#~ msgstr "über" - -#~ msgid "from" -#~ msgstr "von" - -#~ msgid "Switching application language while some presets are modified." +#~ msgid "" +#~ "Your object appears to be too large. It will be scaled down to fit the " +#~ "heat bed automatically." #~ msgstr "" -#~ "Umschalten der Anwendungssprache, während einige Profile geändert werden." +#~ "Ihr Objekt scheint zu groß zu sein. Es wird automatisch verkleinert, um " +#~ "auf das Druckbett zu passen." -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Umschalttaste+G" +#~ msgid "Shift+G" +#~ msgstr "Umschalt+G" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Strg+Umschalt+G" +#~ msgid "Any arrow" +#~ msgstr "Beliebiger Pfeil" -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+beliebiger Pfeil" +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" +#~ msgstr "" +#~ "Schaltet die Lückenfüllung für die ausgewählten Oberflächen ein. Die " +#~ "minimale Länge der Lücke, die gefüllt wird, kann über die Option " +#~ "\"winzige Lücken herausfiltern\" unten gesteuert werden.\n" +#~ "\n" +#~ "Optionen:\n" +#~ "1. Überall: Füllt Lücken in oberen, unteren und inneren massiven " +#~ "Oberflächen aus\n" +#~ "2. Obere und untere Oberflächen: Füllt Lücken nur in oberen und unteren " +#~ "Oberflächen aus\n" +#~ "3. Nirgendwo: Deaktiviert die Lückenfüllung\n" -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Linke Maustaste" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Verringern Sie diesen Wert geringfügig (z. B. 0,9), um die Materialmenge " +#~ "für die Brücke zu verringern und den Durchhang zu minimieren" -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Linke Maustaste" +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Dieser Wert bestimmt die Dicke der internen Brückenschicht. Dies ist die " +#~ "erste Schicht über der dünnen Füllung. Verringern Sie diesen Wert leicht " +#~ "(z. B. 0,9), um die Oberflächenqualität über der dünnen Füllung zu " +#~ "verbessern." -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Strg + beliebige Pfeiltaste" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Dieser Faktor beeinflusst die Menge des Materials für die obere Füllung. " +#~ "Sie können ihn leicht verringern, um eine glatte Oberflächenbeschichtung " +#~ "zu erhalten" -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt + Linke Maustaste" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "" +#~ "Dieser Faktor beeinflusst die Menge des Materials für die untere Füllung" -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Strg + Linke Maustaste" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Aktivieren Sie diese Option, um den Druck in Bereichen zu verlangsamen, " +#~ "in denen möglicherweise gekrümmte Umfänge vorhanden sind" -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Mausrad" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Geschwindigkeit für Brücken und vollständig überhängende Wände." -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Mausrad" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Geschwindigkeit der internen Brücke. Wenn der Wert als Prozentsatz " +#~ "angegeben ist, wird er basierend auf der Brückengeschwindigkeit " +#~ "berechnet. Standardwert ist 150%." -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Strg + Mausrad" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Zeit zum Laden des neuen Filaments, beim Wechseln des Filaments. Nur für " +#~ "statistische Zwecke." -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt + Mausrad" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Zeit zum Entladen des alten Filaments, beim Wechseln des Filaments. Nur " +#~ "für statistische Zwecke." + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Zeit für die Drucker-Firmware (oder die Multi Material Unit 2.0), um ein " +#~ "neues Filament während eines Werkzeugwechsels zu laden (wenn der T-Code " +#~ "ausgeführt wird). Diese Zeit wird zur Gesamt-Druckzeit vom G-Code-Zeit-" +#~ "Schätzer hinzugefügt." + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Zeit für die Drucker-Firmware (oder die Multi Material Unit 2.0), um ein " +#~ "Filament während eines Werkzeugwechsels zu entladen (wenn der T-Code " +#~ "ausgeführt wird). Diese Zeit wird zur Gesamt-Druckzeit vom G-Code-Zeit-" +#~ "Schätzer hinzugefügt." + +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "" +#~ "Filtert Lücken aus, die kleiner als der angegebene Schwellenwert sind" + +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Diese Option aktivieren, um die Temperatur der Druckkammer zu steuern. " +#~ "Ein M191-Befehl wird vor \"machine_start_gcode\" hinzugefügt\n" +#~ "G-Code-Befehle: M141/M191 S(0-255)" + +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Eine höhere Druckraumtemperatur kann das Verziehen unterdrücken oder " +#~ "reduzieren und möglicherweise zu einer höheren " +#~ "Zwischenschichtbindungsfestigkeit für Hochtemperaturmaterialien wie ABS, " +#~ "ASA, PC, PA und so weiter führen. Gleichzeitig wird die Luftfiltration " +#~ "von ABS und ASA schlechter. Für PLA, PETG, TPU, PVA und andere " +#~ "Materialien mit niedriger Temperatur sollte die tatsächliche " +#~ "Druckraumtemperatur nicht hoch sein, um Verstopfungen zu vermeiden, daher " +#~ "wird 0, was für das Ausschalten steht, dringend empfohlen." #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " @@ -17757,8 +18083,8 @@ msgstr "" #~ "Choose an AMS slot then press \"Load\" or \"Unload\" button to " #~ "automatically load or unload filiament." #~ msgstr "" -#~ "Wählen Sie einen AMS-Slot und drücken Sie dann \"Laden\" oder \"Entladen" -#~ "\", um automatisch Filament zu laden oder zu entladen." +#~ "Wählen Sie einen AMS-Slot und drücken Sie dann \"Laden\" oder " +#~ "\"Entladen\", um automatisch Filament zu laden oder zu entladen." #~ msgid "MC" #~ msgstr "MC" @@ -18081,8 +18407,8 @@ msgstr "" #~ msgstr "Keine dünnen Schichten (EXPERIMENTELL)" #~ msgid "" -#~ "We would rename the presets as \"Vendor Type Serial @printer you selected" -#~ "\". \n" +#~ "We would rename the presets as \"Vendor Type Serial @printer you " +#~ "selected\". \n" #~ "To add preset for more prinetrs, Please go to printer selection" #~ msgstr "" #~ "Wir würden die Voreinstellungen als \"Hersteller Typ Seriennummer " diff --git a/localization/i18n/en/OrcaSlicer_en.po b/localization/i18n/en/OrcaSlicer_en.po index 922551be48..dbb582f073 100644 --- a/localization/i18n/en/OrcaSlicer_en.po +++ b/localization/i18n/en/OrcaSlicer_en.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: \n" "Last-Translator: \n" "Language-Team: \n" @@ -74,6 +74,9 @@ msgstr "Smart fill angle" msgid "On overhangs only" msgstr "On overhangs only" +msgid "Auto support threshold angle: " +msgstr "Auto support threshold angle: " + msgid "Circle" msgstr "Circle" @@ -93,9 +96,6 @@ msgstr "Allows painting only on facets selected by: \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Highlight faces according to overhang angle." -msgid "Auto support threshold angle: " -msgstr "Auto support threshold angle: " - msgid "No auto support" msgstr "No auto support" @@ -1925,6 +1925,9 @@ msgstr "Simplify Model" msgid "Center" msgstr "Center" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Edit Process Settings" @@ -4041,6 +4044,15 @@ msgstr "Total time" msgid "Total cost" msgstr "Total cost" +msgid "up to" +msgstr "up to" + +msgid "above" +msgstr "above" + +msgid "from" +msgstr "from" + msgid "Color Scheme" msgstr "Color scheme" @@ -4104,12 +4116,12 @@ msgstr "Filament change times" msgid "Cost" msgstr "Cost" -msgid "Print" -msgstr "Print" - msgid "Color change" msgstr "Color change" +msgid "Print" +msgstr "Print" + msgid "Printer" msgstr "Printer" @@ -4293,7 +4305,7 @@ msgstr "Volume:" msgid "Size:" msgstr "Size:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4733,6 +4745,18 @@ msgstr "Pass 2" msgid "Flow rate test - Pass 2" msgstr "Flow rate test - Pass 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Flow rate" @@ -5990,14 +6014,6 @@ msgstr "An object with multiple parts was detected" msgid "The file does not contain any geometry data." msgstr "The file does not contain any geometry data." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "Object too large" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6005,6 +6021,9 @@ msgstr "" "Your object appears to be too large, Do you want to scale it down to fit the " "print bed automatically?" +msgid "Object too large" +msgstr "Object too large" + msgid "Export STL file:" msgstr "Export STL file:" @@ -6368,6 +6387,9 @@ msgstr "Do you want to continue?" msgid "Language selection" msgstr "Language selection" +msgid "Switching application language while some presets are modified." +msgstr "Switching application language while some presets are modified." + msgid "Changing application language" msgstr "Changing application language" @@ -7457,13 +7479,13 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgid "Line width" msgstr "Line width" @@ -8296,8 +8318,11 @@ msgstr "Objects list" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Import geometry data from STL/STEP/3MF/OBJ/AMF files" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Paste from clipboard" @@ -8347,18 +8372,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Collapse/Expand the sidebar" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+Any arrow" msgid "Movement in camera space" msgstr "Movement in camera space" +msgid "⌥+Left mouse button" +msgstr "⌥+Left mouse button" + msgid "Select a part" msgstr "Select a part" +msgid "⌘+Left mouse button" +msgstr "⌘+Left mouse button" + msgid "Select multiple objects" msgstr "Select multiple objects" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+Any arrow" + +msgid "Alt+Left mouse button" +msgstr "Alt+Left mouse button" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+Left mouse button" + msgid "Shift+Left mouse button" msgstr "Shift+Left mouse button" @@ -8461,12 +8501,24 @@ msgstr "Plater" msgid "Move: press to snap by 1mm" msgstr "Move: press to snap by 1mm" +msgid "⌘+Mouse wheel" +msgstr "⌘+Mouse wheel" + msgid "Support/Color Painting: adjust pen radius" msgstr "Support/Color Painting: adjust pen radius" +msgid "⌥+Mouse wheel" +msgstr "⌥+Mouse wheel" + msgid "Support/Color Painting: adjust section position" msgstr "Support/Color Painting: adjust section position" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+Mouse wheel" + +msgid "Alt+Mouse wheel" +msgstr "Alt+Mouse wheel" + msgid "Gizmo" msgstr "Gizmo" @@ -9472,14 +9524,31 @@ msgid "Apply gap fill" msgstr "" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" msgid "Everywhere" @@ -9551,10 +9620,11 @@ msgstr "Bridge flow ratio" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Decrease this value slightly (for example 0.9) to reduce the amount of " -"material extruded for bridges to avoid sagging." msgid "Internal bridge flow ratio" msgstr "" @@ -9562,7 +9632,11 @@ msgstr "" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" msgid "Top surface flow ratio" @@ -9570,15 +9644,20 @@ msgstr "Top surface flow ratio" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" msgid "Bottom surface flow ratio" msgstr "" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" msgid "Precise wall" @@ -9712,9 +9791,25 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" msgid "mm/s or %" @@ -9723,8 +9818,14 @@ msgstr "mm/s or %" msgid "External" msgstr "" -msgid "Speed of bridge and completely overhang wall" -msgstr "This is the speed for bridges and 100% overhang walls." +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -9733,8 +9834,8 @@ msgid "Internal" msgstr "" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" msgid "Brim width" @@ -10263,6 +10364,17 @@ msgstr "" "1.05. You may be able to tune this value to get a nice flat surface if there " "is slight overflow or underflow." +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Enable pressure advance" @@ -10435,18 +10547,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Filament load time" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Time to load new filament when switching filament, for statistical purposes " -"only." msgid "Filament unload time" msgstr "Filament unload time" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Time to unload old filament when switching filament, for statistical " -"purposes only." msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -10567,12 +10690,6 @@ msgstr "" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" - msgid "Ramming parameters" msgstr "" @@ -10581,12 +10698,6 @@ msgid "" "parameters." msgstr "" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" - msgid "Enable ramming for multitool setups" msgstr "" @@ -10910,10 +11021,10 @@ msgstr "Full fan speed at layer" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" msgid "layer" @@ -10978,7 +11089,10 @@ msgstr "Filter out tiny gaps" msgid "Layers and Perimeters" msgstr "Layers and Perimeters" -msgid "Filter out gaps smaller than the threshold specified" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " msgstr "" msgid "" @@ -12852,29 +12966,40 @@ msgid "Activate temperature control" msgstr "" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" msgid "Chamber temperature" msgstr "Chamber temperature" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on. At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials, the actual chamber temperature should not " -"be high to avoid clogs, so 0 (turned off) is highly recommended." msgid "Nozzle temperature for layers after the initial one" msgstr "Nozzle temperature after the first layer" @@ -14682,8 +14807,8 @@ msgstr "" "Do you want to rewrite it?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" @@ -15923,53 +16048,50 @@ msgstr "" "ABS, appropriately increasing the heatbed temperature can reduce the " "probability of warping?" -#~ msgid "up to" -#~ msgstr "up to" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Decrease this value slightly (for example 0.9) to reduce the amount of " +#~ "material extruded for bridges to avoid sagging." -#~ msgid "above" -#~ msgstr "above" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" -#~ msgid "from" -#~ msgstr "from" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "This is the speed for bridges and 100% overhang walls." -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "Switching application language while some presets are modified." +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Time to load new filament when switching filament, for statistical " +#~ "purposes only." -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Time to unload old filament when switching filament, for statistical " +#~ "purposes only." -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" - -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+Any arrow" - -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Left mouse button" - -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Left mouse button" - -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+Any arrow" - -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+Left mouse button" - -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+Left mouse button" - -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Mouse wheel" - -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Mouse wheel" - -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+Mouse wheel" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+Mouse wheel" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on. At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials, the actual chamber " +#~ "temperature should not be high to avoid clogs, so 0 (turned off) is " +#~ "highly recommended." #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " diff --git a/localization/i18n/es/OrcaSlicer_es.po b/localization/i18n/es/OrcaSlicer_es.po index c124c2eade..0f8f804cfb 100644 --- a/localization/i18n/es/OrcaSlicer_es.po +++ b/localization/i18n/es/OrcaSlicer_es.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: \n" "Last-Translator: Carlos Fco. Caruncho Serrano \n" "Language-Team: \n" @@ -74,6 +74,9 @@ msgstr "Ángulo de relleno en puente" msgid "On overhangs only" msgstr "Solo en voladizos" +msgid "Auto support threshold angle: " +msgstr "Ángulo del umbral de soporte automático: " + msgid "Circle" msgstr "Círculo" @@ -93,9 +96,6 @@ msgstr "Permite pintar solo las facetas seleccionadas por: \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Resalte las caras según el ángulo del voladizo." -msgid "Auto support threshold angle: " -msgstr "Ángulo del umbral de soporte automático: " - msgid "No auto support" msgstr "No auto soportes" @@ -2007,6 +2007,9 @@ msgstr "Simplificar Modelo" msgid "Center" msgstr "Centrar" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Editar Ajustes de Procesado" @@ -4206,6 +4209,15 @@ msgstr "Tiempo total" msgid "Total cost" msgstr "Costo total" +msgid "up to" +msgstr "hasta" + +msgid "above" +msgstr "sobre" + +msgid "from" +msgstr "desde" + msgid "Color Scheme" msgstr "Esquema de colores" @@ -4269,12 +4281,12 @@ msgstr "Tiempos de cambio de filamento" msgid "Cost" msgstr "Coste" -msgid "Print" -msgstr "Imprimir" - msgid "Color change" msgstr "Cambio de color" +msgid "Print" +msgstr "Imprimir" + msgid "Printer" msgstr "Impresora" @@ -4458,7 +4470,7 @@ msgstr "Volumen:" msgid "Size:" msgstr "Tamaño:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4900,6 +4912,18 @@ msgstr "Paso 2" msgid "Flow rate test - Pass 2" msgstr "Test de Flujo - Paso 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Test de Flujo" @@ -6210,16 +6234,6 @@ msgstr "Se ha detectado un objeto con varias piezas" msgid "The file does not contain any geometry data." msgstr "El archivo no contiene ninguna información geométrica." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" -"Su objeto parece demasiado grande, ¿Desea disminuirlo para que quepa en la " -"cama caliente automáticamente?." - -msgid "Object too large" -msgstr "Objeto demasiado grande" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6227,6 +6241,9 @@ msgstr "" "Tu objeto parece demasiado grande, ¿Deseas disminuirlo para que quepa en la " "cama caliente automáticamente?" +msgid "Object too large" +msgstr "Objeto demasiado grande" + msgid "Export STL file:" msgstr "Exportar archivo STL:" @@ -6607,6 +6624,10 @@ msgstr "¿Quieres continuar?" msgid "Language selection" msgstr "Selección de idiomas" +msgid "Switching application language while some presets are modified." +msgstr "" +"Cambiando idioma de la aplicación mientras se modifican algunos perfiles." + msgid "Changing application language" msgstr "Cambiar el idioma de la aplicación" @@ -7382,9 +7403,10 @@ msgid "" "start printing." msgstr "" "Hay algunos filamentos desconocidos en los mapeados AMS. Por favor, " -"compruebe si son los filamentos requeridos. Si lo son, presione \"Confirmar" -"\" para empezar a imprimir. Por favor, compruebe si son los filamentos " -"requeridos. Si lo son, presione \"Confirmar\" para empezar a imprimir." +"compruebe si son los filamentos requeridos. Si lo son, presione " +"\"Confirmar\" para empezar a imprimir. Por favor, compruebe si son los " +"filamentos requeridos. Si lo son, presione \"Confirmar\" para empezar a " +"imprimir." #, c-format, boost-format msgid "nozzle in preset: %s %s" @@ -7747,13 +7769,13 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "Cuando se graba un timelapse sin cabezal, se recomienda añadir una \"Torre " "de Purga de Timelapse\" haciendo clic con el botón derecho del ratón en la " -"posición vacía de la bandeja de impresión y seleccionando \"Añadir Primitivo" -"\"->Torre de Purga de Timelapse\"." +"posición vacía de la bandeja de impresión y seleccionando \"Añadir " +"Primitivo\"->Torre de Purga de Timelapse\"." msgid "Line width" msgstr "Ancho de extrusión" @@ -8636,8 +8658,11 @@ msgstr "Lista de objetos" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Importar datos de geometría de los archivos STL/STEP/3MF/OBJ/AMF" -msgid "Shift+G" -msgstr "Shift+G" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Pegar desde el portapapeles" @@ -8687,18 +8712,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Ocultar/Expandir barra lateral" -msgid "Any arrow" -msgstr "⌘+Cualquier flecha" +msgid "⌘+Any arrow" +msgstr "" msgid "Movement in camera space" msgstr "Movimiento en el espacio de la cámara" +msgid "⌥+Left mouse button" +msgstr "Botón de ratón ⌥+Left" + msgid "Select a part" msgstr "Seleccionar una pieza" +msgid "⌘+Left mouse button" +msgstr "⌘+botón izquierdo de ratón" + msgid "Select multiple objects" msgstr "Seleccionar varios objetos" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+Cualquier flecha" + +msgid "Alt+Left mouse button" +msgstr "Alt+Botón izquierdo de ratón" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+Botón izquierdo de ratón" + msgid "Shift+Left mouse button" msgstr "Shift+Left+Botón izquierdo de ratón" @@ -8801,12 +8841,24 @@ msgstr "Bandeja" msgid "Move: press to snap by 1mm" msgstr "Mover: pulsar para ajustar 1mm" +msgid "⌘+Mouse wheel" +msgstr "⌘+Rueda del ratón" + msgid "Support/Color Painting: adjust pen radius" msgstr "Soporte/Pintado en color: ajuste del radio de la pluma" +msgid "⌥+Mouse wheel" +msgstr "⌥+Rueda del ratón" + msgid "Support/Color Painting: adjust section position" msgstr "Soporte/Pintado de color: ajuste de la posición de la sección" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+Rueda del ratón" + +msgid "Alt+Mouse wheel" +msgstr "Alt+Rueda del ratón" + msgid "Gizmo" msgstr "Artilugio" @@ -9896,25 +9948,32 @@ msgid "Apply gap fill" msgstr "Aplicar relleno de huecos" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" -msgstr "" -"Activa el relleno de huecos para las superficies seleccionadas. La longitud " -"mínima de hueco que se rellenará puede controlarse desde la opción filtrar " -"huecos pequeños que aparece más abajo.\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"Opciones: \n" -"1. En todas partes: Aplica el relleno de huecos a las superficies sólidas " -"superior, inferior e interna \n" -"2. Superficies superior e inferior: Aplica el relleno de huecos sólo a las " -"superficies superior e inferior. \n" -"3. En ninguna parte: Desactiva el relleno de huecos\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" +msgstr "" msgid "Everywhere" msgstr "En todas partes" @@ -9990,10 +10049,11 @@ msgstr "Ratio de flujo en puentes" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Disminuya este valor ligeramente (por ejemplo 0,9) para reducir la cantidad " -"de material para mejorar o evitar el hundimiento de puentes." msgid "Internal bridge flow ratio" msgstr "Ratio de flujo de puentes internos" @@ -10001,30 +10061,33 @@ msgstr "Ratio de flujo de puentes internos" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"Este valor regula el grosor de la capa puente interna. Es la primera capa " -"sobre el relleno de baja densidad. Disminuya ligeramente este valor (por " -"ejemplo, 0,9) para mejorar la calidad de la superficie sobre el relleno de " -"baja densidad." msgid "Top surface flow ratio" msgstr "Ratio de flujo en superficie superior" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Este factor afecta a la cantidad de material de para relleno sólido " -"superior. Puede disminuirlo ligeramente para obtener un acabado suave de " -"superficie" msgid "Bottom surface flow ratio" msgstr "Ratio de flujo en superficie inferior" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Este factor afecta a la cantidad de material para el relleno sólido inferior" msgid "Precise wall" msgstr "Perímetro preciso" @@ -10204,12 +10267,26 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "Reducir velocidad para perímetros curvados" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Active está opción para bajar la velocidad de impresión en las áreas donde " -"potencialmente podrían formarse perímetros curvados" msgid "mm/s or %" msgstr "mm/s o %" @@ -10217,8 +10294,14 @@ msgstr "mm/s o %" msgid "External" msgstr "Externo" -msgid "Speed of bridge and completely overhang wall" -msgstr "Velocidad del puente y perímetro completo en voladizo" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -10227,11 +10310,9 @@ msgid "Internal" msgstr "Interno" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Velocidad del puente interno. Si el valor es expresado como porcentaje, será " -"calculado en base a bridge_speed. El valor por defecto es 150%." msgid "Brim width" msgstr "Ancho del borde de adherencia" @@ -10894,6 +10975,17 @@ msgstr "" "para obtener una superficie plana adecuada cuando hay un ligero sobre flujo " "o infra flujo" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Activar Avance de Presión Lineal" @@ -11138,18 +11230,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Tiempo de carga de filamento" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Tiempo para cargar un nuevo filamento cuando se cambia de filamento. Sólo " -"para estadísticas" msgid "Filament unload time" msgstr "Tiempo de descarga del filamento" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Tiempo para descargar el filamento viejo cuando se cambia de filamento. Sólo " -"para las estadísticas" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11302,16 +11405,6 @@ msgstr "" "Los movimientos de refrigeración se aceleran gradualmente hacía esta " "velocidad." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Tiempo que tarda el firmware de la impresora (o la Unidad Multi Material " -"2.0) en cargar un nuevo filamento durante un cambio de cabezal (al ejecutar " -"el T-Code). El estimador de tiempo del G-Code añade este tiempo al tiempo " -"total de impresión." - msgid "Ramming parameters" msgstr "Parámetros de moldeado de extremo" @@ -11322,16 +11415,6 @@ msgstr "" "El Moldeado de ExtremoDialog edita esta cadena y contiene los parámetros " "específicos de moldeado de extremo." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Tiempo que tarda el firmware (para la unidad Multi Material 2.0) en " -"descargar el filamento durante el cambio de cabezal ( cuando se ejecuta el T-" -"Code). Esta duración se añade a la duración total de impresión estimada del " -"G-Code." - msgid "Enable ramming for multitool setups" msgstr "Activar moldeado de extremo para configuraciones multicabezal" @@ -11705,10 +11788,10 @@ msgstr "Velocidad máxima del ventilador en la capa" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "La velocidad de ventilador se incrementará linealmente de cero a " "\"close_fan_the_first_x_layers\" al máximo de capa \"full_fan_speed_layer\". " @@ -11780,10 +11863,11 @@ msgstr "Filtrar pequeños huecos" msgid "Layers and Perimeters" msgstr "Capas y Perímetros" -msgid "Filter out gaps smaller than the threshold specified" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " msgstr "" -"Filtra los huecos menores que el umbral especificado. Este ajuste no " -"afectará a las capas superior/inferior" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13980,33 +14064,40 @@ msgid "Activate temperature control" msgstr "Activar control de temperatura" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Active esta opción para controlar la temperatura de la cámara. Se añadirá un " -"comando M191 antes de \"machine_start_gcode\"\n" -"Comandos G-Code: M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "Temperatura de cámara" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Una mayor temperatura de la cámara puede ayudar a suprimir o reducir la " -"deformación y potencialmente conducir a una mayor resistencia de unión entre " -"capas para materiales de alta temperatura como ABS, ASA, PC, PA, etc. Al " -"mismo tiempo, la filtración de aire de ABS y ASA empeorará. Mientras que " -"para PLA, PETG, TPU, PVA y otros materiales de baja temperatura, la " -"temperatura real de la cámara no debe ser alta para evitar obstrucciones, " -"por lo que 0, que significa apagar, es muy recomendable" msgid "Nozzle temperature for layers after the initial one" msgstr "Temperatura de la boquilla después de la primera capa" @@ -14503,9 +14594,10 @@ msgstr "" "NOTA: Las superficies inferior y superior no se verán afectadas por este " "valor para evitar huecos visuales en el exterior del modelo. Ajuste \"Umbral " "de Perímetro\" en la configuración avanzada para ajustar la sensibilidad de " -"lo que se considera una superficie superior. El \"Umbral de un Solo Perímetro" -"\" sólo es visible si este valor es superior al valor predeterminado de 0,5, " -"o si las superficies superiores de un solo perímetro están activados." +"lo que se considera una superficie superior. El \"Umbral de un Solo " +"Perímetro\" sólo es visible si este valor es superior al valor " +"predeterminado de 0,5, o si las superficies superiores de un solo perímetro " +"están activados." msgid "First layer minimum wall width" msgstr "Ancho mínimo del perímetro de la primera capa" @@ -15275,12 +15367,12 @@ msgstr "" "impresión de varios colores/materiales, la impresora utilizará el parámetro " "de compensación por defecto para el filamento durante cada cambio de " "filamento que tendrá un buen resultado en la mayoría de los casos.\n" -"un solo color/material, con la opción \"calibración de la dinámica de flujo" -"\" marcada en el menú de inicio de impresión, la impresora seguirá el camino " -"antiguo, calibrar el filamento antes de la impresión; cuando se inicia una " -"impresión de varios colores/materiales, la impresora utilizará el parámetro " -"de compensación por defecto para el filamento durante cada cambio de " -"filamento que tendrá un buen resultado en la mayoría de los casos.\n" +"un solo color/material, con la opción \"calibración de la dinámica de " +"flujo\" marcada en el menú de inicio de impresión, la impresora seguirá el " +"camino antiguo, calibrar el filamento antes de la impresión; cuando se " +"inicia una impresión de varios colores/materiales, la impresora utilizará el " +"parámetro de compensación por defecto para el filamento durante cada cambio " +"de filamento que tendrá un buen resultado en la mayoría de los casos.\n" "\n" "Tenga en cuenta que hay algunos casos que pueden hacer que los resultados de " "la calibración no sean fiables, como una adhesión insuficiente en la bandeja " @@ -16036,8 +16128,8 @@ msgstr "" "¿Quieres reescribirlo?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" "Cambiaremos el nombre de los perfiles a \"Tipo Número de Serie @impresora " @@ -17379,51 +17471,151 @@ msgstr "" "aumentar adecuadamente la temperatura del lecho térmico puede reducir la " "probabilidad de deformaciones." -#~ msgid "up to" -#~ msgstr "hasta" - -#~ msgid "above" -#~ msgstr "sobre" - -#~ msgid "from" -#~ msgstr "desde" - -#~ msgid "Switching application language while some presets are modified." +#~ msgid "" +#~ "Your object appears to be too large. It will be scaled down to fit the " +#~ "heat bed automatically." #~ msgstr "" -#~ "Cambiando idioma de la aplicación mientras se modifican algunos perfiles." +#~ "Su objeto parece demasiado grande, ¿Desea disminuirlo para que quepa en " +#~ "la cama caliente automáticamente?." -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "Shift+G" +#~ msgstr "Shift+G" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "Any arrow" +#~ msgstr "⌘+Cualquier flecha" -#~ msgid "⌥+Left mouse button" -#~ msgstr "Botón de ratón ⌥+Left" +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" +#~ msgstr "" +#~ "Activa el relleno de huecos para las superficies seleccionadas. La " +#~ "longitud mínima de hueco que se rellenará puede controlarse desde la " +#~ "opción filtrar huecos pequeños que aparece más abajo.\n" +#~ "\n" +#~ "Opciones: \n" +#~ "1. En todas partes: Aplica el relleno de huecos a las superficies sólidas " +#~ "superior, inferior e interna \n" +#~ "2. Superficies superior e inferior: Aplica el relleno de huecos sólo a " +#~ "las superficies superior e inferior. \n" +#~ "3. En ninguna parte: Desactiva el relleno de huecos\n" -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+botón izquierdo de ratón" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Disminuya este valor ligeramente (por ejemplo 0,9) para reducir la " +#~ "cantidad de material para mejorar o evitar el hundimiento de puentes." -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+Cualquier flecha" +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Este valor regula el grosor de la capa puente interna. Es la primera capa " +#~ "sobre el relleno de baja densidad. Disminuya ligeramente este valor (por " +#~ "ejemplo, 0,9) para mejorar la calidad de la superficie sobre el relleno " +#~ "de baja densidad." -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+Botón izquierdo de ratón" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Este factor afecta a la cantidad de material de para relleno sólido " +#~ "superior. Puede disminuirlo ligeramente para obtener un acabado suave de " +#~ "superficie" -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+Botón izquierdo de ratón" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "" +#~ "Este factor afecta a la cantidad de material para el relleno sólido " +#~ "inferior" -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Rueda del ratón" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Active está opción para bajar la velocidad de impresión en las áreas " +#~ "donde potencialmente podrían formarse perímetros curvados" -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Rueda del ratón" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Velocidad del puente y perímetro completo en voladizo" -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+Rueda del ratón" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Velocidad del puente interno. Si el valor es expresado como porcentaje, " +#~ "será calculado en base a bridge_speed. El valor por defecto es 150%." -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+Rueda del ratón" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Tiempo para cargar un nuevo filamento cuando se cambia de filamento. Sólo " +#~ "para estadísticas" + +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Tiempo para descargar el filamento viejo cuando se cambia de filamento. " +#~ "Sólo para las estadísticas" + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Tiempo que tarda el firmware de la impresora (o la Unidad Multi Material " +#~ "2.0) en cargar un nuevo filamento durante un cambio de cabezal (al " +#~ "ejecutar el T-Code). El estimador de tiempo del G-Code añade este tiempo " +#~ "al tiempo total de impresión." + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Tiempo que tarda el firmware (para la unidad Multi Material 2.0) en " +#~ "descargar el filamento durante el cambio de cabezal ( cuando se ejecuta " +#~ "el T-Code). Esta duración se añade a la duración total de impresión " +#~ "estimada del G-Code." + +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "" +#~ "Filtra los huecos menores que el umbral especificado. Este ajuste no " +#~ "afectará a las capas superior/inferior" + +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Active esta opción para controlar la temperatura de la cámara. Se añadirá " +#~ "un comando M191 antes de \"machine_start_gcode\"\n" +#~ "Comandos G-Code: M141/M191 S(0-255)" + +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Una mayor temperatura de la cámara puede ayudar a suprimir o reducir la " +#~ "deformación y potencialmente conducir a una mayor resistencia de unión " +#~ "entre capas para materiales de alta temperatura como ABS, ASA, PC, PA, " +#~ "etc. Al mismo tiempo, la filtración de aire de ABS y ASA empeorará. " +#~ "Mientras que para PLA, PETG, TPU, PVA y otros materiales de baja " +#~ "temperatura, la temperatura real de la cámara no debe ser alta para " +#~ "evitar obstrucciones, por lo que 0, que significa apagar, es muy " +#~ "recomendable" #~ msgid "" #~ "Interlocking depth of a segmented region. Zero disables this feature." @@ -17444,14 +17636,14 @@ msgstr "" #~ "Cuando grabamos timelapse sin cabezal de impresión, es recomendable " #~ "añadir un \"Torre de Purga de Intervalo\" \n" #~ "presionando con el botón derecho la posición vacía de la bandeja de " -#~ "construcción y elegir \"Añadir Primitivo\"->\"Intervalo de Torre de Purga" -#~ "\"." +#~ "construcción y elegir \"Añadir Primitivo\"->\"Intervalo de Torre de " +#~ "Purga\"." #~ msgid "" -#~ "We would rename the presets as \"Vendor Type Serial @printer you selected" -#~ "\". \n" -#~ "We would rename the presets as \"Vendor Type Serial @printer you selected" -#~ "\". \n" +#~ "We would rename the presets as \"Vendor Type Serial @printer you " +#~ "selected\". \n" +#~ "We would rename the presets as \"Vendor Type Serial @printer you " +#~ "selected\". \n" #~ "To add preset for more printers, Please go to printer selection" #~ msgstr "" #~ "Cambiaríamos el nombre de los preajustes a \"Número de serie del Vendedor " diff --git a/localization/i18n/fr/OrcaSlicer_fr.po b/localization/i18n/fr/OrcaSlicer_fr.po index 1f2edeab23..adcd0f2f69 100644 --- a/localization/i18n/fr/OrcaSlicer_fr.po +++ b/localization/i18n/fr/OrcaSlicer_fr.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: \n" "Last-Translator: \n" "Language-Team: Guislain Cyril, Thomas Lété\n" @@ -77,6 +77,9 @@ msgstr "Angle de remplissage intelligent" msgid "On overhangs only" msgstr "Sur les surplombs uniquement" +msgid "Auto support threshold angle: " +msgstr "Angle de seuil de support automatique : " + msgid "Circle" msgstr "Cercle" @@ -97,9 +100,6 @@ msgstr "" msgid "Highlight faces according to overhang angle." msgstr "Mettre en surbrillance les faces en fonction de l'angle de surplomb." -msgid "Auto support threshold angle: " -msgstr "Angle de seuil de support automatique : " - msgid "No auto support" msgstr "Pas de support auto" @@ -2010,6 +2010,9 @@ msgstr "Simplifier le Modèle" msgid "Center" msgstr "Centrer" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Modifier les paramètres du traitement" @@ -4200,6 +4203,15 @@ msgstr "Durée totale" msgid "Total cost" msgstr "Coût total" +msgid "up to" +msgstr "" + +msgid "above" +msgstr "" + +msgid "from" +msgstr "" + msgid "Color Scheme" msgstr "Schéma de couleur" @@ -4263,12 +4275,12 @@ msgstr "Temps de changement de filament" msgid "Cost" msgstr "Coût" -msgid "Print" -msgstr "Imprimer" - msgid "Color change" msgstr "Changement de couleur" +msgid "Print" +msgstr "Imprimer" + msgid "Printer" msgstr "Imprimante" @@ -4897,6 +4909,18 @@ msgstr "Passe 2" msgid "Flow rate test - Pass 2" msgstr "Test de débit - Passe 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Débit" @@ -6214,16 +6238,6 @@ msgstr "Un objet en plusieurs parties a été détecté" msgid "The file does not contain any geometry data." msgstr "Le fichier ne contient pas de données géométriques." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" -"Votre objet est trop grand. Il sera automatiquement réduit pour s’adapter au " -"plateau." - -msgid "Object too large" -msgstr "Objet trop grand" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6231,6 +6245,9 @@ msgstr "" "Votre objet semble trop grand. Voulez-vous le réduire pour l'adapter " "automatiquement au plateau d'impression ?" +msgid "Object too large" +msgstr "Objet trop grand" + msgid "Export STL file:" msgstr "Exporter le fichier STL :" @@ -6621,6 +6638,9 @@ msgstr "Voulez-vous continuer?" msgid "Language selection" msgstr "Sélection de la langue" +msgid "Switching application language while some presets are modified." +msgstr "" + msgid "Changing application language" msgstr "Changer la langue de l'application" @@ -8705,8 +8725,11 @@ msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "" "Importez des données de géométrie à partir de fichiers STL/STEP/3MF/OBJ/AMF." -msgid "Shift+G" -msgstr "Shift+G" +msgid "⌘+Shift+G" +msgstr "" + +msgid "Ctrl+Shift+G" +msgstr "" msgid "Paste from clipboard" msgstr "Coller depuis le presse-papier" @@ -8758,18 +8781,33 @@ msgstr "Maj+Tab" msgid "Collapse/Expand the sidebar" msgstr "Réduire/développer la barre latérale" -msgid "Any arrow" -msgstr "Toutes les flèches" +msgid "⌘+Any arrow" +msgstr "" msgid "Movement in camera space" msgstr "Mouvement dans l'espace de la caméra" +msgid "⌥+Left mouse button" +msgstr "" + msgid "Select a part" msgstr "Sélectionner une pièce" +msgid "⌘+Left mouse button" +msgstr "" + msgid "Select multiple objects" msgstr "Sélectionnez tous les objets sur la plaque actuelle" +msgid "Ctrl+Any arrow" +msgstr "" + +msgid "Alt+Left mouse button" +msgstr "" + +msgid "Ctrl+Left mouse button" +msgstr "" + msgid "Shift+Left mouse button" msgstr "Maj+Bouton gauche de la souris" @@ -8872,12 +8910,24 @@ msgstr "Plateau" msgid "Move: press to snap by 1mm" msgstr "Déplacer : appuyez pour aligner de 1 mm" +msgid "⌘+Mouse wheel" +msgstr "" + msgid "Support/Color Painting: adjust pen radius" msgstr "Support/Peinture couleur : ajustez le rayon du stylet" +msgid "⌥+Mouse wheel" +msgstr "" + msgid "Support/Color Painting: adjust section position" msgstr "Support/Peinture couleur : ajuster la position de la section" +msgid "Ctrl+Mouse wheel" +msgstr "" + +msgid "Alt+Mouse wheel" +msgstr "" + msgid "Gizmo" msgstr "Gizmo" @@ -9982,25 +10032,32 @@ msgid "Apply gap fill" msgstr "Remplissage des trous" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" -msgstr "" -"Active le remplissage des trous pour les surfaces sélectionnées. La longueur " -"minimale du trou qui sera comblé peut être contrôlée à l’aide de l’option " -"« Filtrer les petits trous » ci-dessous.\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"Options :\n" -"1. Partout : Applique le remplissage des trous aux surfaces pleines " -"supérieures, inférieures et internes.\n" -"2. Surfaces supérieure et inférieure : Remplissage des trous uniquement sur " -"les surfaces supérieures et inférieures.\n" -"3. Nulle part : Désactive le remplissage des trous\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" +msgstr "" msgid "Everywhere" msgstr "Partout" @@ -10076,10 +10133,11 @@ msgstr "Débit des ponts" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Diminuez légèrement cette valeur (par exemple 0,9) pour réduire la quantité " -"de matériaux pour le pont, pour améliorer l'affaissement" msgid "Internal bridge flow ratio" msgstr "Ratio de débit du pont interne" @@ -10087,31 +10145,33 @@ msgstr "Ratio de débit du pont interne" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"Cette valeur détermine l’épaisseur de la couche des ponts internes. Il " -"s’agit de la première couche sur le remplissage. Diminuez légèrement cette " -"valeur (par exemple 0.9) pour améliorer la qualité de la surface sur le " -"remplissage." msgid "Top surface flow ratio" msgstr "Ratio du débit des surfaces supérieures" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Ce facteur affecte la quantité de matériau pour le remplissage plein " -"supérieur. Vous pouvez le diminuer légèrement pour avoir une finition de " -"surface lisse" msgid "Bottom surface flow ratio" msgstr "Ratio du débit des surfaces inférieures" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Ce facteur affecte la quantité de matériau pour le remplissage plein du " -"dessous" msgid "Precise wall" msgstr "Parois précises" @@ -10292,12 +10352,26 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "Ralentir lors des périmètres courbés" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Activer cette option pour ralentir l’impression dans les zones où des " -"périmètres potentiellement courbées peuvent exister." msgid "mm/s or %" msgstr "mm/s ou %" @@ -10305,9 +10379,14 @@ msgstr "mm/s ou %" msgid "External" msgstr "Externe" -msgid "Speed of bridge and completely overhang wall" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." msgstr "" -"Il s'agit de la vitesse pour les ponts et les parois en surplomb à 100 %." msgid "mm/s" msgstr "mm/s" @@ -10316,11 +10395,9 @@ msgid "Internal" msgstr "Interne" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Vitesse des ponts internes. Si la valeur est exprimée en pourcentage, elle " -"sera calculée en fonction de bridge_speed. La valeur par défaut est 150%." msgid "Brim width" msgstr "Largeur de la bordure" @@ -10987,6 +11064,17 @@ msgstr "" "cette valeur pour obtenir une belle surface plane en cas de léger " "débordement ou sous-dépassement" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Activer la Pressure Advance" @@ -11008,7 +11096,7 @@ msgid "" "With increasing print speeds (and hence increasing volumetric flow through " "the nozzle) and increasing accelerations, it has been observed that the " "effective PA value typically decreases. This means that a single PA value is " -"not always 100%% optimal for all features and a compromise value is usually " +"not always 100% optimal for all features and a compromise value is usually " "used that does not cause too much bulging on features with lower flow speed " "and accelerations while also not causing gaps on faster features.\n" "\n" @@ -11024,27 +11112,6 @@ msgid "" "and for when tool changing.\n" "\n" msgstr "" -"Avec l’augmentation des vitesses d’impression (et donc du débit volumétrique " -"à travers la buse) et des accélérations, il a été observé que la valeur " -"effective de PA diminue généralement. Cela signifie qu’une valeur PA unique " -"n’est pas toujours optimale à 100%% pour toutes les caractéristiques et " -"qu’une valeur de compromis est généralement utilisée pour éviter de trop " -"gonfler les caractéristiques avec une vitesse d’écoulement et des " -"accélérations plus faibles, tout en évitant de créer des interstices sur les " -"traits plus rapides.\n" -"\n" -"Cette fonction vise à remédier à cette limitation en modélisant la réponse " -"du système d’extrusion de votre imprimante en fonction de la vitesse du flux " -"volumétrique et de l’accélération de l’impression. En interne, elle génère " -"un modèle ajusté qui peut extrapoler l’avance de pression nécessaire pour " -"une vitesse de débit volumétrique et une accélération données, qui est " -"ensuite émise à l’imprimante en fonction des conditions d’impression " -"actuelles.\n" -"\n" -"Lorsqu’elle est activée, la valeur de l’avance de pression ci-dessus est " -"annulée. Cependant, une valeur par défaut raisonnable est fortement " -"recommandée pour servir de solution de secours et en cas de changement " -"d’outil.\n" msgid "Adaptive pressure advance measurements (beta)" msgstr "Mesures adaptatives de l’avance de pression (beta)" @@ -11235,18 +11302,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Temps de chargement du filament" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Il est temps de charger un nouveau filament lors du changement de filament. " -"Pour les statistiques uniquement" msgid "Filament unload time" msgstr "Temps de déchargement du filament" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Il est temps de décharger l'ancien filament lorsque vous changez de " -"filament. Pour les statistiques uniquement" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11399,16 +11477,6 @@ msgstr "" "Les mouvements de refroidissement s’accélèrent progressivement vers cette " "vitesse." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Temps nécessaire au firmware de l’imprimante (ou au Multi Material Unit 2.0) " -"pour charger un nouveau filament lors d’un changement d’outil (lors de " -"l’exécution du code T). Ce temps est ajouté au temps d’impression total par " -"l’estimateur de temps du G-code." - msgid "Ramming parameters" msgstr "Paramètres de pilonnage" @@ -11419,16 +11487,6 @@ msgstr "" "Cette chaîne est éditée par RammingDialog et contient des paramètres " "spécifiques au pilonnage." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Temps nécessaire au firmware de l’imprimante (ou au Multi Material Unit 2.0) " -"pour décharger un filament lors d’un changement d’outil (lors de l’exécution " -"du code T). Ce temps est ajouté au temps d’impression total par l’estimateur " -"de temps du G-code." - msgid "Enable ramming for multitool setups" msgstr "Activer le pilonnage pour les configurations multi-outils" @@ -11880,8 +11938,11 @@ msgstr "Filtrer les petits espaces" msgid "Layers and Perimeters" msgstr "Couches et Périmètres" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Filtrer les petits espaces au seuil spécifié." +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -14104,34 +14165,40 @@ msgid "Activate temperature control" msgstr "Activer le contrôle de la température" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Activez cette option pour le contrôle de la température du caisson. Une " -"commande M191 sera ajoutée avant \"machine_start_gcode\"\n" -"Commandes G-code : M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "Température du caisson" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Une température de caisson plus élevée peut aider à supprimer ou à réduire " -"la déformation et potentiellement conduire à une force de liaison " -"intercouche plus élevée pour les matériaux à haute température comme l’ABS, " -"l’ASA, le PC, le PA, etc. Dans le même temps, la filtration de l’air de " -"l’ABS et de l’ASA s’aggravera. Pour le PLA, le PETG, le TPU, le PVA et " -"d’autres matériaux à basse température, la température réelle du caisson ne " -"doit pas être élevée pour éviter les bouchages, donc la valeur 0 qui " -"signifie éteindre est fortement recommandé." msgid "Nozzle temperature for layers after the initial one" msgstr "Température de la buse pour les couches après la première" @@ -17150,6 +17217,592 @@ msgstr "" msgid "User cancelled." msgstr "L’utilisateur a annulé." +#: resources/data/hints.ini: [hint:Precise wall] +msgid "" +"Precise wall\n" +"Did you know that turning on precise wall can improve precision and layer " +"consistency?" +msgstr "" +"Paroi précise\n" +"Saviez-vous que l’activation de la paroi précise peut améliorer la précision " +"et l’homogénéité des couches ?" + +#: resources/data/hints.ini: [hint:Sandwich mode] +msgid "" +"Sandwich mode\n" +"Did you know that you can use sandwich mode (inner-outer-inner) to improve " +"precision and layer consistency if your model doesn't have very steep " +"overhangs?" +msgstr "" +"Mode sandwich\n" +"Saviez-vous que vous pouvez utiliser le mode sandwich (intérieur-extérieur-" +"intérieur) pour améliorer la précision et la cohérence des couches si votre " +"modèle n’a pas de porte-à-faux très prononcés ?" + +#: resources/data/hints.ini: [hint:Chamber temperature] +msgid "" +"Chamber temperature\n" +"Did you know that OrcaSlicer supports chamber temperature?" +msgstr "" +"Température du caisson\n" +"Saviez-vous qu’OrcaSlicer prend en charge la température du caisson ?" + +#: resources/data/hints.ini: [hint:Calibration] +msgid "" +"Calibration\n" +"Did you know that calibrating your printer can do wonders? Check out our " +"beloved calibration solution in OrcaSlicer." +msgstr "" +"Calibrage\n" +"Saviez-vous que le calibrage de votre imprimante peut faire des merveilles ? " +"Découvrez notre solution de calibrage bien-aimée dans OrcaSlicer." + +#: resources/data/hints.ini: [hint:Auxiliary fan] +msgid "" +"Auxiliary fan\n" +"Did you know that OrcaSlicer supports Auxiliary part cooling fan?" +msgstr "" +"Ventilateur auxiliaire\n" +"Saviez-vous qu’OrcaSlicer prend en charge le ventilateur auxiliaire de " +"refroidissement des pièces ?" + +#: resources/data/hints.ini: [hint:Air filtration] +msgid "" +"Air filtration/Exhaust Fan\n" +"Did you know that OrcaSlicer can support Air filtration/Exhaust Fan?" +msgstr "" +"Filtration de l’air/ventilateur d’extraction\n" +"Saviez-vous qu’OrcaSlicer peut prendre en charge la filtration de l’air/le " +"ventilateur d’extraction ?" + +#: resources/data/hints.ini: [hint:G-code window] +msgid "" +"G-code window\n" +"You can turn on/off the G-code window by pressing the C key." +msgstr "" +"Fenêtre de G-code\n" +"Vous pouvez activer/désactiver la fenêtre G-code en appuyant sur la touche " +"C." + +#: resources/data/hints.ini: [hint:Switch workspaces] +msgid "" +"Switch workspaces\n" +"You can switch between Prepare and Preview workspaces by " +"pressing the Tab key." +msgstr "" +"Changer les espaces de travail\n" +"Vous pouvez alterner entre l’espace de travail Préparer et Aperçu en appuyant sur la touche Tab." + +#: resources/data/hints.ini: [hint:How to use keyboard shortcuts] +msgid "" +"How to use keyboard shortcuts\n" +"Did you know that Orca Slicer offers a wide range of keyboard shortcuts and " +"3D scene operations." +msgstr "" +"Comment utiliser les raccourcis clavier\n" +"Saviez-vous qu’Orca Slicer offre une large gamme de raccourcis clavier et " +"d’opérations sur les scènes 3D." + +#: resources/data/hints.ini: [hint:Reverse on odd] +msgid "" +"Reverse on odd\n" +"Did you know that Reverse on odd feature can significantly improve " +"the surface quality of your overhangs?" +msgstr "" +"Parois inversées sur couches impaires\n" +"Saviez-vous que la fonction Parois inversées sur couches impaires " +"peut améliorer de manière significative la qualité de la surface de vos " +"surplombs ?" + +#: resources/data/hints.ini: [hint:Cut Tool] +msgid "" +"Cut Tool\n" +"Did you know that you can cut a model at any angle and position with the " +"cutting tool?" +msgstr "" +"Outil de découpe\n" +"Saviez-vous que vous pouvez découper un modèle à n'importe quel angle et " +"dans n'importe quelle position avec l'outil de découpe ?" + +#: resources/data/hints.ini: [hint:Fix Model] +msgid "" +"Fix Model\n" +"Did you know that you can fix a corrupted 3D model to avoid a lot of slicing " +"problems on the Windows system?" +msgstr "" +"Réparer un modèle\n" +"Saviez-vous que vous pouvez réparer un modèle 3D corrompu pour éviter de " +"nombreux problèmes de découpage sur le système Windows ?" + +#: resources/data/hints.ini: [hint:Timelapse] +msgid "" +"Timelapse\n" +"Did you know that you can generate a timelapse video during each print?" +msgstr "" +"Timelapse\n" +"Saviez-vous que vous pouvez générer une vidéo en timelapse à chaque " +"impression ?" + +#: resources/data/hints.ini: [hint:Auto-Arrange] +msgid "" +"Auto-Arrange\n" +"Did you know that you can auto-arrange all objects in your project?" +msgstr "" +"Agencement Automatique\n" +"Saviez-vous que vous pouvez agencement automatiquement tous les objets de " +"votre projet ?" + +#: resources/data/hints.ini: [hint:Auto-Orient] +msgid "" +"Auto-Orient\n" +"Did you know that you can rotate objects to an optimal orientation for " +"printing by a simple click?" +msgstr "" +"Orientation Automatique\n" +"Saviez-vous que vous pouvez faire pivoter des objets dans une orientation " +"optimale pour l'impression d'un simple clic ?" + +#: resources/data/hints.ini: [hint:Lay on Face] +msgid "" +"Lay on Face\n" +"Did you know that you can quickly orient a model so that one of its faces " +"sits on the print bed? Select the \"Place on face\" function or press the " +"F key." +msgstr "" +"Poser sur une face\n" +"Saviez-vous qu'il est possible d'orienter rapidement un modèle de manière à " +"ce que l'une de ses faces repose sur le plateau d'impression ? Sélectionnez " +"la fonction « Placer sur la face » ou appuyez sur la touche F." + +#: resources/data/hints.ini: [hint:Object List] +msgid "" +"Object List\n" +"Did you know that you can view all objects/parts in a list and change " +"settings for each object/part?" +msgstr "" +"Liste d'objets\n" +"Saviez-vous que vous pouvez afficher tous les objets/pièces dans une liste " +"et modifier les paramètres de chaque objet/pièce ?" + +#: resources/data/hints.ini: [hint:Search Functionality] +msgid "" +"Search Functionality\n" +"Did you know that you use the Search tool to quickly find a specific Orca " +"Slicer setting?" +msgstr "" +"Fonctionnalité de recherche\n" +"Saviez-vous que vous pouvez utiliser l’outil de recherche pour trouver " +"rapidement un paramètre spécifique de l’Orca Slicer ?" + +#: resources/data/hints.ini: [hint:Simplify Model] +msgid "" +"Simplify Model\n" +"Did you know that you can reduce the number of triangles in a mesh using the " +"Simplify mesh feature? Right-click the model and select Simplify model." +msgstr "" +"Simplifier le modèle\n" +"Saviez-vous que vous pouviez réduire le nombre de triangles dans un maillage " +"à l’aide de la fonction Simplifier le maillage ? Cliquez avec le bouton " +"droit de la souris sur le modèle et sélectionnez Simplifier le modèle." + +#: resources/data/hints.ini: [hint:Slicing Parameter Table] +msgid "" +"Slicing Parameter Table\n" +"Did you know that you can view all objects/parts on a table and change " +"settings for each object/part?" +msgstr "" +"Tableau des paramètres de découpe\n" +"Saviez-vous que vous pouvez afficher tous les objets/pièces sur un tableau " +"et modifier les paramètres de chaque objet/pièce ?" + +#: resources/data/hints.ini: [hint:Split to Objects/Parts] +msgid "" +"Split to Objects/Parts\n" +"Did you know that you can split a big object into small ones for easy " +"colorizing or printing?" +msgstr "" +"Séparer en objets/parties\n" +"Saviez-vous que vous pouvez séparer un gros objet en petits objets pour les " +"colorier ou les imprimer facilement ?" + +#: resources/data/hints.ini: [hint:Subtract a Part] +msgid "" +"Subtract a Part\n" +"Did you know that you can subtract one mesh from another using the Negative " +"part modifier? That way you can, for example, create easily resizable holes " +"directly in Orca Slicer." +msgstr "" +"Soustraire une pièce\n" +"Saviez-vous que vous pouviez soustraire un maillage d’un autre à l’aide du " +"modificateur de partie négative ? De cette façon, vous pouvez, par exemple, " +"créer des trous facilement redimensionnables directement dans Orca Slicer." + +#: resources/data/hints.ini: [hint:STEP] +msgid "" +"STEP\n" +"Did you know that you can improve your print quality by slicing a STEP file " +"instead of an STL?\n" +"Orca Slicer supports slicing STEP files, providing smoother results than a " +"lower resolution STL. Give it a try!" +msgstr "" +"STEP\n" +"Saviez-vous que vous pouvez améliorer votre qualité d'impression en " +"découpant un fichier .step au lieu d'un .stl ?\n" +"Orca Slicer prend en charge le découpage des fichiers .step, offrant des " +"résultats plus fluides qu'un .stl de résolution inférieure. Essayez !" + +#: resources/data/hints.ini: [hint:Z seam location] +msgid "" +"Z seam location\n" +"Did you know that you can customize the location of the Z seam, and even " +"paint it on your print, to have it in a less visible location? This improves " +"the overall look of your model. Check it out!" +msgstr "" +"Emplacement de la couture Z\n" +"Saviez-vous que vous pouvez personnaliser l'emplacement de la couture Z, et " +"même la peindre manuelle sur votre impression pour le placer dans un endroit " +"moins visible ? Cela améliore l'aspect général de votre modèle. Jetez-y un " +"coup d'œil !" + +#: resources/data/hints.ini: [hint:Fine-tuning for flow rate] +msgid "" +"Fine-tuning for flow rate\n" +"Did you know that flow rate can be fine-tuned for even better-looking " +"prints? Depending on the material, you can improve the overall finish of the " +"printed model by doing some fine-tuning." +msgstr "" +"Réglage fin du débit\n" +"Saviez-vous que le débit peut être réglé avec précision pour obtenir des " +"impressions encore plus belles ? En fonction du matériau, vous pouvez " +"améliorer la finition générale du modèle imprimé en procédant à un réglage " +"fin." + +#: resources/data/hints.ini: [hint:Split your prints into plates] +msgid "" +"Split your prints into plates\n" +"Did you know that you can split a model that has a lot of parts into " +"individual plates ready to print? This will simplify the process of keeping " +"track of all the parts." +msgstr "" +"Divisez vos impressions en plateaux\n" +"Saviez-vous que vous pouvez diviser un modèle comportant de nombreuses " +"pièces en plateaux individuels prêts à être imprimés ? Cela simplifie le " +"processus de suivi de toutes les pièces." + +#: resources/data/hints.ini: [hint:Speed up your print with Adaptive Layer +#: Height] +msgid "" +"Speed up your print with Adaptive Layer Height\n" +"Did you know that you can print a model even faster, by using the Adaptive " +"Layer Height option? Check it out!" +msgstr "" +"Accélérez votre impression grâce à la Hauteur de Couche Adaptative\n" +"Saviez-vous que vous pouvez imprimer un modèle encore plus rapidement en " +"utilisant l'option Adaptive Layer Height ? Jetez-y un coup d'œil !" + +#: resources/data/hints.ini: [hint:Support painting] +msgid "" +"Support painting\n" +"Did you know that you can paint the location of your supports? This feature " +"makes it easy to place the support material only on the sections of the " +"model that actually need it." +msgstr "" +"Peinture de support\n" +"Saviez-vous que vous pouvez peindre l'emplacement de vos supports ? Cette " +"caractéristique permet de placer facilement le matériau de support " +"uniquement sur les sections du modèle qui en ont réellement besoin." + +#: resources/data/hints.ini: [hint:Different types of supports] +msgid "" +"Different types of supports\n" +"Did you know that you can choose from multiple types of supports? Tree " +"supports work great for organic models, while saving filament and improving " +"print speed. Check them out!" +msgstr "" +"Différents types de supports\n" +"Saviez-vous que vous pouvez choisir parmi plusieurs types de supports ? Les " +"supports arborescents fonctionnent parfaitement pour les modèles organiques " +"tout en économisant du filament et en améliorant la vitesse d'impression. " +"Découvrez-les !" + +#: resources/data/hints.ini: [hint:Printing Silk Filament] +msgid "" +"Printing Silk Filament\n" +"Did you know that Silk filament needs special consideration to print it " +"successfully? Higher temperature and lower speed are always recommended for " +"the best results." +msgstr "" +"Impression de filament Soie\n" +"Saviez-vous que le filament soie nécessite une attention particulière pour " +"une impression réussie ? Une température plus élevée et une vitesse plus " +"faible sont toujours recommandées pour obtenir les meilleurs résultats." + +#: resources/data/hints.ini: [hint:Brim for better adhesion] +msgid "" +"Brim for better adhesion\n" +"Did you know that when printing models have a small contact interface with " +"the printing surface, it's recommended to use a brim?" +msgstr "" +"Bordure pour une meilleure adhésion\n" +"Saviez-vous que lorsque les modèles imprimés ont une faible interface de " +"contact avec la surface d'impression, il est recommandé d'utiliser une " +"bordure ?" + +#: resources/data/hints.ini: [hint:Set parameters for multiple objects] +msgid "" +"Set parameters for multiple objects\n" +"Did you know that you can set slicing parameters for all selected objects at " +"one time?" +msgstr "" +"Définir les paramètres de plusieurs objets\n" +"Saviez-vous que vous pouvez définir des paramètres de découpe pour tous les " +"objets sélectionnés en une seule fois ?" + +#: resources/data/hints.ini: [hint:Stack objects] +msgid "" +"Stack objects\n" +"Did you know that you can stack objects as a whole one?" +msgstr "" +"Empiler des objets\n" +"Saviez-vous que vous pouvez empiler des objets pour n'en former qu'un?" + +#: resources/data/hints.ini: [hint:Flush into support/objects/infill] +msgid "" +"Flush into support/objects/infill\n" +"Did you know that you can save the wasted filament by flushing them into " +"support/objects/infill during filament change?" +msgstr "" +"Purger dans les supports/les objets/le remplissage\n" +"Saviez-vous que vous pouvez réduire le filament gaspillé en le purgeant dans " +"les supports/les objets/le remplissage lors des changements de filament ?" + +#: resources/data/hints.ini: [hint:Improve strength] +msgid "" +"Improve strength\n" +"Did you know that you can use more wall loops and higher sparse infill " +"density to improve the strength of the model?" +msgstr "" +"Améliorer la solidité\n" +"Saviez-vous que vous pouvez définir un plus grand nombre de périmètre et une " +"densité de remplissage plus élevée pour améliorer la résistance du modèle ?" + +#: resources/data/hints.ini: [hint:When need to print with the printer door +#: opened] +msgid "" +"When need to print with the printer door opened\n" +"Did you know that opening the printer door can reduce the probability of " +"extruder/hotend clogging when printing lower temperature filament with a " +"higher enclosure temperature. More info about this in the Wiki." +msgstr "" +"Quand il faut imprimer avec la porte de l’imprimante ouverte\n" +"Saviez-vous que l’ouverture de la porte de l’imprimante peut réduire la " +"probabilité de blocage de l’extrudeuse/du réchauffeur lors de l’impression " +"de filament à basse température avec une température de boîtier plus élevée. " +"Plus d’informations à ce sujet dans le Wiki." + +#: resources/data/hints.ini: [hint:Avoid warping] +msgid "" +"Avoid warping\n" +"Did you know that when printing materials that are prone to warping such as " +"ABS, appropriately increasing the heatbed temperature can reduce the " +"probability of warping." +msgstr "" +"Éviter la déformation\n" +"Saviez-vous que lors de l’impression de matériaux susceptibles de se " +"déformer, tels que l’ABS, une augmentation appropriée de la température du " +"plateau chauffant peut réduire la probabilité de déformation." + +#~ msgid "" +#~ "Your object appears to be too large. It will be scaled down to fit the " +#~ "heat bed automatically." +#~ msgstr "" +#~ "Votre objet est trop grand. Il sera automatiquement réduit pour s’adapter " +#~ "au plateau." + +#~ msgid "Shift+G" +#~ msgstr "Shift+G" + +#~ msgid "Any arrow" +#~ msgstr "Toutes les flèches" + +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" +#~ msgstr "" +#~ "Active le remplissage des trous pour les surfaces sélectionnées. La " +#~ "longueur minimale du trou qui sera comblé peut être contrôlée à l’aide de " +#~ "l’option « Filtrer les petits trous » ci-dessous.\n" +#~ "\n" +#~ "Options :\n" +#~ "1. Partout : Applique le remplissage des trous aux surfaces pleines " +#~ "supérieures, inférieures et internes.\n" +#~ "2. Surfaces supérieure et inférieure : Remplissage des trous uniquement " +#~ "sur les surfaces supérieures et inférieures.\n" +#~ "3. Nulle part : Désactive le remplissage des trous\n" + +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Diminuez légèrement cette valeur (par exemple 0,9) pour réduire la " +#~ "quantité de matériaux pour le pont, pour améliorer l'affaissement" + +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Cette valeur détermine l’épaisseur de la couche des ponts internes. Il " +#~ "s’agit de la première couche sur le remplissage. Diminuez légèrement " +#~ "cette valeur (par exemple 0.9) pour améliorer la qualité de la surface " +#~ "sur le remplissage." + +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Ce facteur affecte la quantité de matériau pour le remplissage plein " +#~ "supérieur. Vous pouvez le diminuer légèrement pour avoir une finition de " +#~ "surface lisse" + +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "" +#~ "Ce facteur affecte la quantité de matériau pour le remplissage plein du " +#~ "dessous" + +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Activer cette option pour ralentir l’impression dans les zones où des " +#~ "périmètres potentiellement courbées peuvent exister." + +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "" +#~ "Il s'agit de la vitesse pour les ponts et les parois en surplomb à 100 %." + +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Vitesse des ponts internes. Si la valeur est exprimée en pourcentage, " +#~ "elle sera calculée en fonction de bridge_speed. La valeur par défaut est " +#~ "150%." + +#, c-format, boost-format +#~ msgid "" +#~ "With increasing print speeds (and hence increasing volumetric flow " +#~ "through the nozzle) and increasing accelerations, it has been observed " +#~ "that the effective PA value typically decreases. This means that a single " +#~ "PA value is not always 100%% optimal for all features and a compromise " +#~ "value is usually used that does not cause too much bulging on features " +#~ "with lower flow speed and accelerations while also not causing gaps on " +#~ "faster features.\n" +#~ "\n" +#~ "This feature aims to address this limitation by modeling the response of " +#~ "your printer's extrusion system depending on the volumetric flow speed " +#~ "and acceleration it is printing at. Internally, it generates a fitted " +#~ "model that can extrapolate the needed pressure advance for any given " +#~ "volumetric flow speed and acceleration, which is then emmited to the " +#~ "printer depending on the current print conditions.\n" +#~ "\n" +#~ "When enabled, the pressure advance value above is overriden. However, a " +#~ "reasonable default value above is strongly recomended to act as a " +#~ "fallback and for when tool changing.\n" +#~ "\n" +#~ msgstr "" +#~ "Avec l’augmentation des vitesses d’impression (et donc du débit " +#~ "volumétrique à travers la buse) et des accélérations, il a été observé " +#~ "que la valeur effective de PA diminue généralement. Cela signifie qu’une " +#~ "valeur PA unique n’est pas toujours optimale à 100%% pour toutes les " +#~ "caractéristiques et qu’une valeur de compromis est généralement utilisée " +#~ "pour éviter de trop gonfler les caractéristiques avec une vitesse " +#~ "d’écoulement et des accélérations plus faibles, tout en évitant de créer " +#~ "des interstices sur les traits plus rapides.\n" +#~ "\n" +#~ "Cette fonction vise à remédier à cette limitation en modélisant la " +#~ "réponse du système d’extrusion de votre imprimante en fonction de la " +#~ "vitesse du flux volumétrique et de l’accélération de l’impression. En " +#~ "interne, elle génère un modèle ajusté qui peut extrapoler l’avance de " +#~ "pression nécessaire pour une vitesse de débit volumétrique et une " +#~ "accélération données, qui est ensuite émise à l’imprimante en fonction " +#~ "des conditions d’impression actuelles.\n" +#~ "\n" +#~ "Lorsqu’elle est activée, la valeur de l’avance de pression ci-dessus est " +#~ "annulée. Cependant, une valeur par défaut raisonnable est fortement " +#~ "recommandée pour servir de solution de secours et en cas de changement " +#~ "d’outil.\n" + +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Il est temps de charger un nouveau filament lors du changement de " +#~ "filament. Pour les statistiques uniquement" + +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Il est temps de décharger l'ancien filament lorsque vous changez de " +#~ "filament. Pour les statistiques uniquement" + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Temps nécessaire au firmware de l’imprimante (ou au Multi Material Unit " +#~ "2.0) pour charger un nouveau filament lors d’un changement d’outil (lors " +#~ "de l’exécution du code T). Ce temps est ajouté au temps d’impression " +#~ "total par l’estimateur de temps du G-code." + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Temps nécessaire au firmware de l’imprimante (ou au Multi Material Unit " +#~ "2.0) pour décharger un filament lors d’un changement d’outil (lors de " +#~ "l’exécution du code T). Ce temps est ajouté au temps d’impression total " +#~ "par l’estimateur de temps du G-code." + +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "Filtrer les petits espaces au seuil spécifié." + +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Activez cette option pour le contrôle de la température du caisson. Une " +#~ "commande M191 sera ajoutée avant \"machine_start_gcode\"\n" +#~ "Commandes G-code : M141/M191 S(0-255)" + +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Une température de caisson plus élevée peut aider à supprimer ou à " +#~ "réduire la déformation et potentiellement conduire à une force de liaison " +#~ "intercouche plus élevée pour les matériaux à haute température comme " +#~ "l’ABS, l’ASA, le PC, le PA, etc. Dans le même temps, la filtration de " +#~ "l’air de l’ABS et de l’ASA s’aggravera. Pour le PLA, le PETG, le TPU, le " +#~ "PVA et d’autres matériaux à basse température, la température réelle du " +#~ "caisson ne doit pas être élevée pour éviter les bouchages, donc la valeur " +#~ "0 qui signifie éteindre est fortement recommandé." + #~ msgid "Current association: " #~ msgstr "Association actuelle : " @@ -17189,371 +17842,6 @@ msgstr "L’utilisateur a annulé." #~ msgid "Internel error" #~ msgstr "Erreur interne" -#~ msgid "" -#~ "Precise wall\n" -#~ "Did you know that turning on precise wall can improve precision and layer " -#~ "consistency?" -#~ msgstr "" -#~ "Paroi précise\n" -#~ "Saviez-vous que l’activation de la paroi précise peut améliorer la " -#~ "précision et l’homogénéité des couches ?" - -#~ msgid "" -#~ "Sandwich mode\n" -#~ "Did you know that you can use sandwich mode (inner-outer-inner) to " -#~ "improve precision and layer consistency if your model doesn't have very " -#~ "steep overhangs?" -#~ msgstr "" -#~ "Mode sandwich\n" -#~ "Saviez-vous que vous pouvez utiliser le mode sandwich (intérieur-" -#~ "extérieur-intérieur) pour améliorer la précision et la cohérence des " -#~ "couches si votre modèle n’a pas de porte-à-faux très prononcés ?" - -#~ msgid "" -#~ "Chamber temperature\n" -#~ "Did you know that OrcaSlicer supports chamber temperature?" -#~ msgstr "" -#~ "Température du caisson\n" -#~ "Saviez-vous qu’OrcaSlicer prend en charge la température du caisson ?" - -#~ msgid "" -#~ "Calibration\n" -#~ "Did you know that calibrating your printer can do wonders? Check out our " -#~ "beloved calibration solution in OrcaSlicer." -#~ msgstr "" -#~ "Calibrage\n" -#~ "Saviez-vous que le calibrage de votre imprimante peut faire des " -#~ "merveilles ? Découvrez notre solution de calibrage bien-aimée dans " -#~ "OrcaSlicer." - -#~ msgid "" -#~ "Auxiliary fan\n" -#~ "Did you know that OrcaSlicer supports Auxiliary part cooling fan?" -#~ msgstr "" -#~ "Ventilateur auxiliaire\n" -#~ "Saviez-vous qu’OrcaSlicer prend en charge le ventilateur auxiliaire de " -#~ "refroidissement des pièces ?" - -#~ msgid "" -#~ "Air filtration/Exhaust Fan\n" -#~ "Did you know that OrcaSlicer can support Air filtration/Exhaust Fan?" -#~ msgstr "" -#~ "Filtration de l’air/ventilateur d’extraction\n" -#~ "Saviez-vous qu’OrcaSlicer peut prendre en charge la filtration de l’air/" -#~ "le ventilateur d’extraction ?" - -#~ msgid "" -#~ "G-code window\n" -#~ "You can turn on/off the G-code window by pressing the C key." -#~ msgstr "" -#~ "Fenêtre de G-code\n" -#~ "Vous pouvez activer/désactiver la fenêtre G-code en appuyant sur la " -#~ "touche C." - -#~ msgid "" -#~ "Switch workspaces\n" -#~ "You can switch between Prepare and Preview workspaces by " -#~ "pressing the Tab key." -#~ msgstr "" -#~ "Changer les espaces de travail\n" -#~ "Vous pouvez alterner entre l’espace de travail Préparer et " -#~ "Aperçu en appuyant sur la touche Tab." - -#~ msgid "" -#~ "How to use keyboard shortcuts\n" -#~ "Did you know that Orca Slicer offers a wide range of keyboard shortcuts " -#~ "and 3D scene operations." -#~ msgstr "" -#~ "Comment utiliser les raccourcis clavier\n" -#~ "Saviez-vous qu’Orca Slicer offre une large gamme de raccourcis clavier et " -#~ "d’opérations sur les scènes 3D." - -#~ msgid "" -#~ "Reverse on odd\n" -#~ "Did you know that Reverse on odd feature can significantly improve " -#~ "the surface quality of your overhangs?" -#~ msgstr "" -#~ "Parois inversées sur couches impaires\n" -#~ "Saviez-vous que la fonction Parois inversées sur couches impaires " -#~ "peut améliorer de manière significative la qualité de la surface de vos " -#~ "surplombs ?" - -#~ msgid "" -#~ "Cut Tool\n" -#~ "Did you know that you can cut a model at any angle and position with the " -#~ "cutting tool?" -#~ msgstr "" -#~ "Outil de découpe\n" -#~ "Saviez-vous que vous pouvez découper un modèle à n'importe quel angle et " -#~ "dans n'importe quelle position avec l'outil de découpe ?" - -#~ msgid "" -#~ "Fix Model\n" -#~ "Did you know that you can fix a corrupted 3D model to avoid a lot of " -#~ "slicing problems on the Windows system?" -#~ msgstr "" -#~ "Réparer un modèle\n" -#~ "Saviez-vous que vous pouvez réparer un modèle 3D corrompu pour éviter de " -#~ "nombreux problèmes de découpage sur le système Windows ?" - -#~ msgid "" -#~ "Timelapse\n" -#~ "Did you know that you can generate a timelapse video during each print?" -#~ msgstr "" -#~ "Timelapse\n" -#~ "Saviez-vous que vous pouvez générer une vidéo en timelapse à chaque " -#~ "impression ?" - -#~ msgid "" -#~ "Auto-Arrange\n" -#~ "Did you know that you can auto-arrange all objects in your project?" -#~ msgstr "" -#~ "Agencement Automatique\n" -#~ "Saviez-vous que vous pouvez agencement automatiquement tous les objets de " -#~ "votre projet ?" - -#~ msgid "" -#~ "Auto-Orient\n" -#~ "Did you know that you can rotate objects to an optimal orientation for " -#~ "printing by a simple click?" -#~ msgstr "" -#~ "Orientation Automatique\n" -#~ "Saviez-vous que vous pouvez faire pivoter des objets dans une orientation " -#~ "optimale pour l'impression d'un simple clic ?" - -#~ msgid "" -#~ "Lay on Face\n" -#~ "Did you know that you can quickly orient a model so that one of its faces " -#~ "sits on the print bed? Select the \"Place on face\" function or press the " -#~ "F key." -#~ msgstr "" -#~ "Poser sur une face\n" -#~ "Saviez-vous qu'il est possible d'orienter rapidement un modèle de manière " -#~ "à ce que l'une de ses faces repose sur le plateau d'impression ? " -#~ "Sélectionnez la fonction « Placer sur la face » ou appuyez sur la touche " -#~ "F." - -#~ msgid "" -#~ "Object List\n" -#~ "Did you know that you can view all objects/parts in a list and change " -#~ "settings for each object/part?" -#~ msgstr "" -#~ "Liste d'objets\n" -#~ "Saviez-vous que vous pouvez afficher tous les objets/pièces dans une " -#~ "liste et modifier les paramètres de chaque objet/pièce ?" - -#~ msgid "" -#~ "Search Functionality\n" -#~ "Did you know that you use the Search tool to quickly find a specific Orca " -#~ "Slicer setting?" -#~ msgstr "" -#~ "Fonctionnalité de recherche\n" -#~ "Saviez-vous que vous pouvez utiliser l’outil de recherche pour trouver " -#~ "rapidement un paramètre spécifique de l’Orca Slicer ?" - -#~ msgid "" -#~ "Simplify Model\n" -#~ "Did you know that you can reduce the number of triangles in a mesh using " -#~ "the Simplify mesh feature? Right-click the model and select Simplify " -#~ "model." -#~ msgstr "" -#~ "Simplifier le modèle\n" -#~ "Saviez-vous que vous pouviez réduire le nombre de triangles dans un " -#~ "maillage à l’aide de la fonction Simplifier le maillage ? Cliquez avec le " -#~ "bouton droit de la souris sur le modèle et sélectionnez Simplifier le " -#~ "modèle." - -#~ msgid "" -#~ "Slicing Parameter Table\n" -#~ "Did you know that you can view all objects/parts on a table and change " -#~ "settings for each object/part?" -#~ msgstr "" -#~ "Tableau des paramètres de découpe\n" -#~ "Saviez-vous que vous pouvez afficher tous les objets/pièces sur un " -#~ "tableau et modifier les paramètres de chaque objet/pièce ?" - -#~ msgid "" -#~ "Split to Objects/Parts\n" -#~ "Did you know that you can split a big object into small ones for easy " -#~ "colorizing or printing?" -#~ msgstr "" -#~ "Séparer en objets/parties\n" -#~ "Saviez-vous que vous pouvez séparer un gros objet en petits objets pour " -#~ "les colorier ou les imprimer facilement ?" - -#~ msgid "" -#~ "Subtract a Part\n" -#~ "Did you know that you can subtract one mesh from another using the " -#~ "Negative part modifier? That way you can, for example, create easily " -#~ "resizable holes directly in Orca Slicer." -#~ msgstr "" -#~ "Soustraire une pièce\n" -#~ "Saviez-vous que vous pouviez soustraire un maillage d’un autre à l’aide " -#~ "du modificateur de partie négative ? De cette façon, vous pouvez, par " -#~ "exemple, créer des trous facilement redimensionnables directement dans " -#~ "Orca Slicer." - -#~ msgid "" -#~ "STEP\n" -#~ "Did you know that you can improve your print quality by slicing a STEP " -#~ "file instead of an STL?\n" -#~ "Orca Slicer supports slicing STEP files, providing smoother results than " -#~ "a lower resolution STL. Give it a try!" -#~ msgstr "" -#~ "STEP\n" -#~ "Saviez-vous que vous pouvez améliorer votre qualité d'impression en " -#~ "découpant un fichier .step au lieu d'un .stl ?\n" -#~ "Orca Slicer prend en charge le découpage des fichiers .step, offrant des " -#~ "résultats plus fluides qu'un .stl de résolution inférieure. Essayez !" - -#~ msgid "" -#~ "Z seam location\n" -#~ "Did you know that you can customize the location of the Z seam, and even " -#~ "paint it on your print, to have it in a less visible location? This " -#~ "improves the overall look of your model. Check it out!" -#~ msgstr "" -#~ "Emplacement de la couture Z\n" -#~ "Saviez-vous que vous pouvez personnaliser l'emplacement de la couture Z, " -#~ "et même la peindre manuelle sur votre impression pour le placer dans un " -#~ "endroit moins visible ? Cela améliore l'aspect général de votre modèle. " -#~ "Jetez-y un coup d'œil !" - -#~ msgid "" -#~ "Fine-tuning for flow rate\n" -#~ "Did you know that flow rate can be fine-tuned for even better-looking " -#~ "prints? Depending on the material, you can improve the overall finish of " -#~ "the printed model by doing some fine-tuning." -#~ msgstr "" -#~ "Réglage fin du débit\n" -#~ "Saviez-vous que le débit peut être réglé avec précision pour obtenir des " -#~ "impressions encore plus belles ? En fonction du matériau, vous pouvez " -#~ "améliorer la finition générale du modèle imprimé en procédant à un " -#~ "réglage fin." - -#~ msgid "" -#~ "Split your prints into plates\n" -#~ "Did you know that you can split a model that has a lot of parts into " -#~ "individual plates ready to print? This will simplify the process of " -#~ "keeping track of all the parts." -#~ msgstr "" -#~ "Divisez vos impressions en plateaux\n" -#~ "Saviez-vous que vous pouvez diviser un modèle comportant de nombreuses " -#~ "pièces en plateaux individuels prêts à être imprimés ? Cela simplifie le " -#~ "processus de suivi de toutes les pièces." - -#~ msgid "" -#~ "Speed up your print with Adaptive Layer Height\n" -#~ "Did you know that you can print a model even faster, by using the " -#~ "Adaptive Layer Height option? Check it out!" -#~ msgstr "" -#~ "Accélérez votre impression grâce à la Hauteur de Couche Adaptative\n" -#~ "Saviez-vous que vous pouvez imprimer un modèle encore plus rapidement en " -#~ "utilisant l'option Adaptive Layer Height ? Jetez-y un coup d'œil !" - -#~ msgid "" -#~ "Support painting\n" -#~ "Did you know that you can paint the location of your supports? This " -#~ "feature makes it easy to place the support material only on the sections " -#~ "of the model that actually need it." -#~ msgstr "" -#~ "Peinture de support\n" -#~ "Saviez-vous que vous pouvez peindre l'emplacement de vos supports ? Cette " -#~ "caractéristique permet de placer facilement le matériau de support " -#~ "uniquement sur les sections du modèle qui en ont réellement besoin." - -#~ msgid "" -#~ "Different types of supports\n" -#~ "Did you know that you can choose from multiple types of supports? Tree " -#~ "supports work great for organic models, while saving filament and " -#~ "improving print speed. Check them out!" -#~ msgstr "" -#~ "Différents types de supports\n" -#~ "Saviez-vous que vous pouvez choisir parmi plusieurs types de supports ? " -#~ "Les supports arborescents fonctionnent parfaitement pour les modèles " -#~ "organiques tout en économisant du filament et en améliorant la vitesse " -#~ "d'impression. Découvrez-les !" - -#~ msgid "" -#~ "Printing Silk Filament\n" -#~ "Did you know that Silk filament needs special consideration to print it " -#~ "successfully? Higher temperature and lower speed are always recommended " -#~ "for the best results." -#~ msgstr "" -#~ "Impression de filament Soie\n" -#~ "Saviez-vous que le filament soie nécessite une attention particulière " -#~ "pour une impression réussie ? Une température plus élevée et une vitesse " -#~ "plus faible sont toujours recommandées pour obtenir les meilleurs " -#~ "résultats." - -#~ msgid "" -#~ "Brim for better adhesion\n" -#~ "Did you know that when printing models have a small contact interface " -#~ "with the printing surface, it's recommended to use a brim?" -#~ msgstr "" -#~ "Bordure pour une meilleure adhésion\n" -#~ "Saviez-vous que lorsque les modèles imprimés ont une faible interface de " -#~ "contact avec la surface d'impression, il est recommandé d'utiliser une " -#~ "bordure ?" - -#~ msgid "" -#~ "Set parameters for multiple objects\n" -#~ "Did you know that you can set slicing parameters for all selected objects " -#~ "at one time?" -#~ msgstr "" -#~ "Définir les paramètres de plusieurs objets\n" -#~ "Saviez-vous que vous pouvez définir des paramètres de découpe pour tous " -#~ "les objets sélectionnés en une seule fois ?" - -#~ msgid "" -#~ "Stack objects\n" -#~ "Did you know that you can stack objects as a whole one?" -#~ msgstr "" -#~ "Empiler des objets\n" -#~ "Saviez-vous que vous pouvez empiler des objets pour n'en former qu'un?" - -#~ msgid "" -#~ "Flush into support/objects/infill\n" -#~ "Did you know that you can save the wasted filament by flushing them into " -#~ "support/objects/infill during filament change?" -#~ msgstr "" -#~ "Purger dans les supports/les objets/le remplissage\n" -#~ "Saviez-vous que vous pouvez réduire le filament gaspillé en le purgeant " -#~ "dans les supports/les objets/le remplissage lors des changements de " -#~ "filament ?" - -#~ msgid "" -#~ "Improve strength\n" -#~ "Did you know that you can use more wall loops and higher sparse infill " -#~ "density to improve the strength of the model?" -#~ msgstr "" -#~ "Améliorer la solidité\n" -#~ "Saviez-vous que vous pouvez définir un plus grand nombre de périmètre et " -#~ "une densité de remplissage plus élevée pour améliorer la résistance du " -#~ "modèle ?" - -#~ msgid "" -#~ "When need to print with the printer door opened\n" -#~ "Did you know that opening the printer door can reduce the probability of " -#~ "extruder/hotend clogging when printing lower temperature filament with a " -#~ "higher enclosure temperature. More info about this in the Wiki." -#~ msgstr "" -#~ "Quand il faut imprimer avec la porte de l’imprimante ouverte\n" -#~ "Saviez-vous que l’ouverture de la porte de l’imprimante peut réduire la " -#~ "probabilité de blocage de l’extrudeuse/du réchauffeur lors de " -#~ "l’impression de filament à basse température avec une température de " -#~ "boîtier plus élevée. Plus d’informations à ce sujet dans le Wiki." - -#~ msgid "" -#~ "Avoid warping\n" -#~ "Did you know that when printing materials that are prone to warping such " -#~ "as ABS, appropriately increasing the heatbed temperature can reduce the " -#~ "probability of warping." -#~ msgstr "" -#~ "Éviter la déformation\n" -#~ "Saviez-vous que lors de l’impression de matériaux susceptibles de se " -#~ "déformer, tels que l’ABS, une augmentation appropriée de la température " -#~ "du plateau chauffant peut réduire la probabilité de déformation." - #~ msgid "" #~ "File size exceeds the 100MB upload limit. Please upload your file through " #~ "the panel." diff --git a/localization/i18n/hu/OrcaSlicer_hu.po b/localization/i18n/hu/OrcaSlicer_hu.po index c6abe9ecb4..ebcfec825a 100644 --- a/localization/i18n/hu/OrcaSlicer_hu.po +++ b/localization/i18n/hu/OrcaSlicer_hu.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "Language: hu\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -71,6 +71,9 @@ msgstr "Okos kitöltési szög" msgid "On overhangs only" msgstr "Csak túlnyúlásokon" +msgid "Auto support threshold angle: " +msgstr "Automatikus támasz szögének határértéke: " + msgid "Circle" msgstr "Kör" @@ -90,9 +93,6 @@ msgstr "Csak a(z) „%1%“ által kijelölt felületeken történik festés" msgid "Highlight faces according to overhang angle." msgstr "Felületek kiemelése a túlnyúlási szögnek megfelelően." -msgid "Auto support threshold angle: " -msgstr "Automatikus támasz szögének határértéke: " - msgid "No auto support" msgstr "Nincs automatikus támasz" @@ -1932,6 +1932,9 @@ msgstr "Modell egyszerűsítése" msgid "Center" msgstr "Közép" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Folyamatbeállítások szerkesztése" @@ -4082,6 +4085,15 @@ msgstr "Teljes idő" msgid "Total cost" msgstr "Total cost" +msgid "up to" +msgstr "legfeljebb" + +msgid "above" +msgstr "felett" + +msgid "from" +msgstr "ettől" + msgid "Color Scheme" msgstr "Színséma" @@ -4145,12 +4157,12 @@ msgstr "Filamentcserék száma" msgid "Cost" msgstr "Költség" -msgid "Print" -msgstr "Nyomtatás" - msgid "Color change" msgstr "Színváltás" +msgid "Print" +msgstr "Nyomtatás" + msgid "Printer" msgstr "Nyomtató" @@ -4334,7 +4346,7 @@ msgstr "Térfogat:" msgid "Size:" msgstr "Méret:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4774,6 +4786,18 @@ msgstr "2. menet" msgid "Flow rate test - Pass 2" msgstr "Anyagáramlás teszt - 2. menet" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Anyagáramlás" @@ -6036,14 +6060,6 @@ msgstr "Több részből álló objektumot észleltünk" msgid "The file does not contain any geometry data." msgstr "A fájl nem tartalmaz geometriai adatokat." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "Az objektum túl nagy" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6051,6 +6067,9 @@ msgstr "" "Úgy tűnik, hogy az objektum túl nagy. Szeretnéd átméretezni, hogy " "illeszkedjen a nyomtatótér méretéhez?" +msgid "Object too large" +msgstr "Az objektum túl nagy" + msgid "Export STL file:" msgstr "STL fájl exportálása:" @@ -6418,6 +6437,9 @@ msgstr "Szeretnéd folytatni?" msgid "Language selection" msgstr "Nyelv kiválasztása" +msgid "Switching application language while some presets are modified." +msgstr "Alkalmazás nyelvének átváltása, miközben egyes beállítások módosultak." + msgid "Changing application language" msgstr "Alkalmazás nyelvének megváltoztatása" @@ -7528,8 +7550,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "Ha a nyomtatófej nélküli timelapse engedélyezve van, javasoljuk, hogy " "helyezz el a tálcán egy „Timelapse törlőtornyot“. Ehhez kattints jobb " @@ -8384,8 +8406,11 @@ msgstr "Objektumok listája" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Import geometry data from STL/STEP/3MF/OBJ/AMF files" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Beillesztés a vágólapról" @@ -8435,18 +8460,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Az oldalsáv összecsukása/kinyitása" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+Bármilyen nyíl gomb" msgid "Movement in camera space" msgstr "Mozgás a kameratérben" +msgid "⌥+Left mouse button" +msgstr "⌥+Bal egérgomb" + msgid "Select a part" msgstr "Válassz egy tárgyat" +msgid "⌘+Left mouse button" +msgstr "⌘+Bal egérgomb" + msgid "Select multiple objects" msgstr "Több objektum kijelölése" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+Bármelyik nyílgomb" + +msgid "Alt+Left mouse button" +msgstr "Alt+bal egérgomb" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+Bal egérgomb" + msgid "Shift+Left mouse button" msgstr "Shift+Bal egérgomb" @@ -8549,12 +8589,24 @@ msgstr "Plater" msgid "Move: press to snap by 1mm" msgstr "Move: press to snap by 1mm" +msgid "⌘+Mouse wheel" +msgstr "⌘+Egérgörgő" + msgid "Support/Color Painting: adjust pen radius" msgstr "Támasz/Színfestés: toll méretének beállítása" +msgid "⌥+Mouse wheel" +msgstr "⌥+Egérgörgő" + msgid "Support/Color Painting: adjust section position" msgstr "Támasz/Színfestés: metszet pozíciójának beállítása" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+Egérgörgő" + +msgid "Alt+Mouse wheel" +msgstr "Alt+Egérgörgő" + msgid "Gizmo" msgstr "Gizmo" @@ -9585,14 +9637,31 @@ msgid "Apply gap fill" msgstr "" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" msgid "Everywhere" @@ -9667,10 +9736,11 @@ msgstr "Áthidalás áramlási sebessége" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Csökkentsd kicsit ezt az értéket (például 0,9-re), hogy ezzel csökkentsd az " -"áthidaláshoz használt anyag mennyiségét, és a megereszkedést" msgid "Internal bridge flow ratio" msgstr "" @@ -9678,7 +9748,11 @@ msgstr "" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" msgid "Top surface flow ratio" @@ -9686,15 +9760,20 @@ msgstr "Felső felület anyagáramlása" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Ez a beállítás a felső szilárd kitöltésnél használt anyag mennyiségét " -"befolyásolja. Kis mértékben csökkentve simább felület érhető el vele." msgid "Bottom surface flow ratio" msgstr "" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" msgid "Precise wall" @@ -9828,9 +9907,25 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" msgid "mm/s or %" @@ -9839,8 +9934,14 @@ msgstr "mm/s vagy %" msgid "External" msgstr "" -msgid "Speed of bridge and completely overhang wall" -msgstr "Az áthidalások és a teljesen túlnyúló falak nyomtatási sebessége" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -9849,8 +9950,8 @@ msgid "Internal" msgstr "" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" msgid "Brim width" @@ -10378,6 +10479,17 @@ msgstr "" "értéknek a változtatásával szép sík felületet kaphatsz, ha úgy tapasztalod, " "hogy túl sok vagy kevés az anyagáramlás." +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Nyomáselőtolás engedélyezése" @@ -10552,18 +10664,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Filament betöltési idő" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Az új filament betöltésének ideje filament váltáskor, csak statisztikai " -"célokra van használva." msgid "Filament unload time" msgstr "Filament kitöltési idő" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"A régi filament kitöltésének ideje filament váltáskor, csak statisztikai " -"célokra van használva." msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -10686,15 +10809,6 @@ msgstr "Az utolsó hűtési lépés sebessége" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "A hűtési lépések fokozatosan felgyorsulnak erre a sebességre." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Az az idő, amíg a nyomtató vezérlő szoftvere (vagy a Multi Material Unit " -"2.0) új filamentet tölt be a szerszámcsere során (a T kód végrehajtásakor). " -"Ezt az időt a G-kód időbecslő hozzáadja a teljes nyomtatási időhöz." - msgid "Ramming parameters" msgstr "Tömörítési paraméterek" @@ -10705,16 +10819,6 @@ msgstr "" "Ez a karakterlánc a TömörítésPárbeszéd ablakban szerkeszthető, és a " "tömörítéssel kapcsolatos paramétereket tartalmaz." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Az az idő, amíg a nyomtató vezérlő szoftvere (vagy a Multi Material Unit " -"2.0) az előző Filamenet kiüríti a szerszámcsere során (a T kód " -"végrehajtásakor). Ezt az időt a G-kód időbecslő hozzáadja a teljes " -"nyomtatási időhöz." - msgid "Enable ramming for multitool setups" msgstr "" @@ -11041,10 +11145,10 @@ msgstr "Teljes ventilátor fordulatszám ennél a rétegnél" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" msgid "layer" @@ -11107,7 +11211,10 @@ msgstr "Apró rések szűrése" msgid "Layers and Perimeters" msgstr "Rétegek és peremek" -msgid "Filter out gaps smaller than the threshold specified" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " msgstr "" msgid "" @@ -13030,29 +13137,40 @@ msgid "Activate temperature control" msgstr "" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" msgid "Chamber temperature" msgstr "Kamra hőmérséklete" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on. At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials, the actual chamber temperature should not " -"be high to avoid clogs, so 0 (turned off) is highly recommended." msgid "Nozzle temperature for layers after the initial one" msgstr "Fúvóka hőmérséklete az első réteg után" @@ -14876,8 +14994,8 @@ msgstr "" "Szeretnéd felülírni?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" @@ -16118,54 +16236,70 @@ msgstr "" "Tudtad, hogy a vetemedésre hajlamos anyagok (például ABS) nyomtatásakor a " "tárgyasztal hőmérsékletének növelése csökkentheti a vetemedés valószínűségét?" -#~ msgid "up to" -#~ msgstr "legfeljebb" - -#~ msgid "above" -#~ msgstr "felett" - -#~ msgid "from" -#~ msgstr "ettől" - -#~ msgid "Switching application language while some presets are modified." +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" #~ msgstr "" -#~ "Alkalmazás nyelvének átváltása, miközben egyes beállítások módosultak." +#~ "Csökkentsd kicsit ezt az értéket (például 0,9-re), hogy ezzel csökkentsd " +#~ "az áthidaláshoz használt anyag mennyiségét, és a megereszkedést" -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Ez a beállítás a felső szilárd kitöltésnél használt anyag mennyiségét " +#~ "befolyásolja. Kis mértékben csökkentve simább felület érhető el vele." -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Az áthidalások és a teljesen túlnyúló falak nyomtatási sebessége" -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+Bármilyen nyíl gomb" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Az új filament betöltésének ideje filament váltáskor, csak statisztikai " +#~ "célokra van használva." -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Bal egérgomb" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "A régi filament kitöltésének ideje filament váltáskor, csak statisztikai " +#~ "célokra van használva." -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Bal egérgomb" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Az az idő, amíg a nyomtató vezérlő szoftvere (vagy a Multi Material Unit " +#~ "2.0) új filamentet tölt be a szerszámcsere során (a T kód " +#~ "végrehajtásakor). Ezt az időt a G-kód időbecslő hozzáadja a teljes " +#~ "nyomtatási időhöz." -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+Bármelyik nyílgomb" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Az az idő, amíg a nyomtató vezérlő szoftvere (vagy a Multi Material Unit " +#~ "2.0) az előző Filamenet kiüríti a szerszámcsere során (a T kód " +#~ "végrehajtásakor). Ezt az időt a G-kód időbecslő hozzáadja a teljes " +#~ "nyomtatási időhöz." -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+bal egérgomb" - -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+Bal egérgomb" - -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Egérgörgő" - -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Egérgörgő" - -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+Egérgörgő" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+Egérgörgő" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on. At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials, the actual chamber " +#~ "temperature should not be high to avoid clogs, so 0 (turned off) is " +#~ "highly recommended." #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " diff --git a/localization/i18n/it/OrcaSlicer_it.po b/localization/i18n/it/OrcaSlicer_it.po index ec66aa6dd4..bb1ee27c0c 100644 --- a/localization/i18n/it/OrcaSlicer_it.po +++ b/localization/i18n/it/OrcaSlicer_it.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: \n" "Last-Translator: \n" "Language-Team: \n" @@ -74,6 +74,9 @@ msgstr "Angolo riempimento intelligente" msgid "On overhangs only" msgstr "Solo sulle sporgenze" +msgid "Auto support threshold angle: " +msgstr "Angolo di soglia per supporto automatico: " + msgid "Circle" msgstr "Cerchio" @@ -93,9 +96,6 @@ msgstr "Consente di pitturare solo sulle sfaccettature selezionate da: \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Evidenziare le facce in base all'angolo di sporgenza." -msgid "Auto support threshold angle: " -msgstr "Angolo di soglia per supporto automatico: " - msgid "No auto support" msgstr "Nessun supporto automatico" @@ -1995,6 +1995,9 @@ msgstr "Semplifica Modello" msgid "Center" msgstr "Centro" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Modifica le impostazioni del processo" @@ -4181,6 +4184,15 @@ msgstr "Tempo totale" msgid "Total cost" msgstr "Costo totale" +msgid "up to" +msgstr "fino a" + +msgid "above" +msgstr "sopra" + +msgid "from" +msgstr "da" + msgid "Color Scheme" msgstr "Schema Colore" @@ -4244,12 +4256,12 @@ msgstr "Tempi cambio filamento" msgid "Cost" msgstr "Costo" -msgid "Print" -msgstr "Stampa" - msgid "Color change" msgstr "Cambio colore" +msgid "Print" +msgstr "Stampa" + msgid "Printer" msgstr "Stampante" @@ -4433,7 +4445,7 @@ msgstr "Volume:" msgid "Size:" msgstr "Dimensione:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4875,6 +4887,18 @@ msgstr "Passaggio 2" msgid "Flow rate test - Pass 2" msgstr "Test di portata - Pass 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Flusso" @@ -6165,14 +6189,6 @@ msgstr "È stato rilevato un oggetto con più parti" msgid "The file does not contain any geometry data." msgstr "Il file non contiene dati geometrici." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "Oggetto troppo grande" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6180,6 +6196,9 @@ msgstr "" "L'oggetto sembra troppo grande. Vuoi ridimensionarlo per adattarlo " "automaticamente al piatto di stampa?" +msgid "Object too large" +msgstr "Oggetto troppo grande" + msgid "Export STL file:" msgstr "Esporta file STL:" @@ -6558,6 +6577,9 @@ msgstr "Vuoi continuare?" msgid "Language selection" msgstr "Selezione lingua" +msgid "Switching application language while some presets are modified." +msgstr "Cambio lingua applicazione durante la modifica di alcuni preset." + msgid "Changing application language" msgstr "Modifica lingua applicazione" @@ -7680,8 +7702,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "Quando si registra un timelapse senza testa di stampa, si consiglia di " "aggiungere un \"Timelapse Torre di pulizia\"\n" @@ -8555,8 +8577,11 @@ msgstr "Elenco oggetti" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Importa geometrie da file STL/STEP/3MF/OBJ/AMF." -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Incolla dagli appunti" @@ -8608,18 +8633,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Riduci/Espandi barra laterale" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+Freccia qualsiasi" msgid "Movement in camera space" msgstr "Movimento nello spazio della camera" +msgid "⌥+Left mouse button" +msgstr "⌥+Tasto sinistro mouse" + msgid "Select a part" msgstr "Seleziona parte" +msgid "⌘+Left mouse button" +msgstr "⌘+Tasto sinistro del mouse" + msgid "Select multiple objects" msgstr "Seleziona più oggetti" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+qualsiasi freccia" + +msgid "Alt+Left mouse button" +msgstr "Alt+tasto sinistro del mouse" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+Tasto sinistro del mouse" + msgid "Shift+Left mouse button" msgstr "Shift+tasto sinistro mouse" @@ -8722,12 +8762,24 @@ msgstr "Piano" msgid "Move: press to snap by 1mm" msgstr "Sposta: premi per muovere di 1 mm" +msgid "⌘+Mouse wheel" +msgstr "⌘+Rotella mouse" + msgid "Support/Color Painting: adjust pen radius" msgstr "Supporto/Pittura a colori: regolare il raggio della penna" +msgid "⌥+Mouse wheel" +msgstr "⌥+Rotella mouse" + msgid "Support/Color Painting: adjust section position" msgstr "Supporto/Pittura a colori: regolare la posizione della sezione" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+Rotellina del mouse" + +msgid "Alt+Mouse wheel" +msgstr "Alt+Rotella del mouse" + msgid "Gizmo" msgstr "Gizmo" @@ -8937,8 +8989,8 @@ msgid "" msgstr "" "È stato rilevato un aggiornamento importante che deve essere eseguito prima " "che la stampa possa continuare. Si desidera aggiornare ora? È possibile " -"effettuare l'aggiornamento anche in un secondo momento da \"Aggiorna firmware" -"\"." +"effettuare l'aggiornamento anche in un secondo momento da \"Aggiorna " +"firmware\"." msgid "" "The firmware version is abnormal. Repairing and updating are required before " @@ -9812,25 +9864,32 @@ msgid "Apply gap fill" msgstr "Applicare il riempimento degli spazi vuoti" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" -msgstr "" -"Abilita il riempimento degli spazi vuoti per le superfici selezionate. La " -"lunghezza minima degli spazi vuoti che verranno riempiti può essere " -"controllata dall'opzione Filtra piccoli spazi vuoti di seguito.\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"Opzioni:\n" -"1. Ovunque: applica il riempimento degli spazi vuoti alle superfici solide " -"superiori, inferiori e interne\n" -"2. Superfici superiore e inferiore: applica il riempimento degli spazi vuoti " -"solo alle superfici superiore e inferiore\n" -"3. Da nessuna parte: disabilita il riempimento degli spazi vuoti\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" +msgstr "" msgid "Everywhere" msgstr "Ovunque" @@ -9905,10 +9964,11 @@ msgstr "Flusso del Bridge" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Diminuire leggermente questo valore (ad esempio 0.9) per ridurre la quantità " -"di materiale per il ponte e migliorare l'abbassamento dello stesso" msgid "Internal bridge flow ratio" msgstr "Rapporto Flusso del bridge interno" @@ -9916,30 +9976,33 @@ msgstr "Rapporto Flusso del bridge interno" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"Questo valore governa lo spessore dello strato del bridge interno. Questo è " -"il primo strato sopra il riempimento. Riduci leggermente questo valore (ad " -"esempio 0.9) per migliorare la qualità della superficie sopra il riempimento." msgid "Top surface flow ratio" msgstr "Rapporto di portata superficiale superiore" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Questo fattore influisce sulla quantità di materiale per il riempimento " -"solido superiore. Puoi diminuirlo leggermente per avere una finitura " -"superficiale liscia" msgid "Bottom surface flow ratio" msgstr "Rapporto di flusso della superficie inferiore" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Questo fattore influisce sulla quantità di materiale per il riempimento " -"solido inferiore" msgid "Precise wall" msgstr "Parete precisa" @@ -10118,12 +10181,26 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "Rallenta per perimetri arricciati" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Attivare questa opzione per rallentare la stampa nelle aree in cui possono " -"esistere potenziali perimetri arricciati" msgid "mm/s or %" msgstr "mm/s o %" @@ -10131,8 +10208,14 @@ msgstr "mm/s o %" msgid "External" msgstr "Esterno" -msgid "Speed of bridge and completely overhang wall" -msgstr "Indica la velocità per i bridge e le pareti completamente a sbalzo." +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -10141,11 +10224,9 @@ msgid "Internal" msgstr "Interno" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Velocità del ponte interno. Se il valore è espresso in percentuale, verrà " -"calcolato in base al bridge_speed. Il valore predefinito è 150%." msgid "Brim width" msgstr "Larghezza brim" @@ -10801,6 +10882,17 @@ msgstr "" "regolare questo valore per ottenere una superficie piatta se si verifica una " "leggera sovra-estrusione o sotto-estrusione." +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Abilita l'avanzamento della pressione" @@ -10980,18 +11072,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Durata caricamento filamento" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Tempo di caricamento del nuovo filamento quando si cambia filamento, solo a " -"fini statistici." msgid "Filament unload time" msgstr "Durata scaricamento filamento" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Tempo di scarico vecchio filamento quando si cambia filamento, solo a fini " -"statistici." msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11131,16 +11234,6 @@ msgid "Cooling moves are gradually accelerating towards this speed." msgstr "" "I movimenti di raffreddamento accelerano gradualmente verso questa velocità." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Tempo per il firmware della stampante (o per l'unità Multi Material 2.0) per " -"il caricamento del nuovo filamento durante il cambio strumento (quando viene " -"eseguito il T code). Questa durata viene aggiunta alla stima del tempo " -"totale di stampa del G-code." - msgid "Ramming parameters" msgstr "Parametri del ramming" @@ -11151,16 +11244,6 @@ msgstr "" "Questa stringa viene controllata da RammingDialog e contiene parametri " "specifici del ramming." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Tempo per il firmware della stampante (o per l'unità Multi Material 2.0) per " -"lo scaricamento del nuovo filamento durante il cambio strumento (quando " -"viene eseguito il T code). Questa durata viene aggiunta alla stima del tempo " -"totale di stampa del G-code." - msgid "Enable ramming for multitool setups" msgstr "Abilita ramming per configurazioni multitool" @@ -11532,16 +11615,17 @@ msgstr "Massima velocità della ventola al layer" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "La velocità della ventola aumenterà linearmente da zero al livello " -"\"close_fan_the_first_x_layers\" al massimo al livello \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" verrà ignorato se inferiore a " -"\"close_fan_the_first_x_layers\", nel qual caso la ventola funzionerà alla " -"massima velocità consentita al livello \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" al massimo al livello " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" verrà ignorato se " +"inferiore a \"close_fan_the_first_x_layers\", nel qual caso la ventola " +"funzionerà alla massima velocità consentita al livello " +"\"close_fan_the_first_x_layers\" + 1." msgid "layer" msgstr "" @@ -11609,8 +11693,11 @@ msgstr "Filtra i piccoli spazi vuoti" msgid "Layers and Perimeters" msgstr "Layer e Perimetri" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Filtra gli spazi più piccoli della soglia specificata" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13742,34 +13829,40 @@ msgid "Activate temperature control" msgstr "Attiva il controllo della temperatura" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Abilitare questa opzione per il controllo della temperatura della camera. Un " -"comando M191 verrà aggiunto prima di \"machine_start_gcode\"\n" -"Comandi G-code: M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "Temperatura della camera di stampa" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Una temperatura della camera più elevata può aiutare a sopprimere o ridurre " -"la deformazione e potenzialmente portare a una maggiore forza di adesione " -"tra gli strati per materiali ad alta temperatura come ABS, ASA, PC, PA e " -"così via. Allo stesso tempo, la filtrazione dell'aria di ABS e ASA " -"peggiorerà. Mentre per PLA, PETG, TPU, PVA e altri materiali a bassa " -"temperatura, la temperatura effettiva della camera non dovrebbe essere " -"elevata per evitare intasamenti, quindi 0 che sta per spegnimento è " -"altamente raccomandato" msgid "Nozzle temperature for layers after the initial one" msgstr "Temperatura del nozzle dopo il primo layer" @@ -15744,8 +15837,8 @@ msgstr "" "Vuoi riscriverlo?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" "Rinomineremo le preimpostazioni come \"Tipo di fornitore seriale @printer " @@ -17061,53 +17154,137 @@ msgstr "" "aumentare in modo appropriato la temperatura del piano riscaldato può " "ridurre la probabilità di deformazione." -#~ msgid "up to" -#~ msgstr "fino a" +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" +#~ msgstr "" +#~ "Abilita il riempimento degli spazi vuoti per le superfici selezionate. La " +#~ "lunghezza minima degli spazi vuoti che verranno riempiti può essere " +#~ "controllata dall'opzione Filtra piccoli spazi vuoti di seguito.\n" +#~ "\n" +#~ "Opzioni:\n" +#~ "1. Ovunque: applica il riempimento degli spazi vuoti alle superfici " +#~ "solide superiori, inferiori e interne\n" +#~ "2. Superfici superiore e inferiore: applica il riempimento degli spazi " +#~ "vuoti solo alle superfici superiore e inferiore\n" +#~ "3. Da nessuna parte: disabilita il riempimento degli spazi vuoti\n" -#~ msgid "above" -#~ msgstr "sopra" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Diminuire leggermente questo valore (ad esempio 0.9) per ridurre la " +#~ "quantità di materiale per il ponte e migliorare l'abbassamento dello " +#~ "stesso" -#~ msgid "from" -#~ msgstr "da" +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Questo valore governa lo spessore dello strato del bridge interno. Questo " +#~ "è il primo strato sopra il riempimento. Riduci leggermente questo valore " +#~ "(ad esempio 0.9) per migliorare la qualità della superficie sopra il " +#~ "riempimento." -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "Cambio lingua applicazione durante la modifica di alcuni preset." +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Questo fattore influisce sulla quantità di materiale per il riempimento " +#~ "solido superiore. Puoi diminuirlo leggermente per avere una finitura " +#~ "superficiale liscia" -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "" +#~ "Questo fattore influisce sulla quantità di materiale per il riempimento " +#~ "solido inferiore" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Attivare questa opzione per rallentare la stampa nelle aree in cui " +#~ "possono esistere potenziali perimetri arricciati" -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+Freccia qualsiasi" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Indica la velocità per i bridge e le pareti completamente a sbalzo." -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Tasto sinistro mouse" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Velocità del ponte interno. Se il valore è espresso in percentuale, verrà " +#~ "calcolato in base al bridge_speed. Il valore predefinito è 150%." -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Tasto sinistro del mouse" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Tempo di caricamento del nuovo filamento quando si cambia filamento, solo " +#~ "a fini statistici." -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+qualsiasi freccia" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Tempo di scarico vecchio filamento quando si cambia filamento, solo a " +#~ "fini statistici." -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+tasto sinistro del mouse" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Tempo per il firmware della stampante (o per l'unità Multi Material 2.0) " +#~ "per il caricamento del nuovo filamento durante il cambio strumento " +#~ "(quando viene eseguito il T code). Questa durata viene aggiunta alla " +#~ "stima del tempo totale di stampa del G-code." -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+Tasto sinistro del mouse" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Tempo per il firmware della stampante (o per l'unità Multi Material 2.0) " +#~ "per lo scaricamento del nuovo filamento durante il cambio strumento " +#~ "(quando viene eseguito il T code). Questa durata viene aggiunta alla " +#~ "stima del tempo totale di stampa del G-code." -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Rotella mouse" +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "Filtra gli spazi più piccoli della soglia specificata" -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Rotella mouse" +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Abilitare questa opzione per il controllo della temperatura della camera. " +#~ "Un comando M191 verrà aggiunto prima di \"machine_start_gcode\"\n" +#~ "Comandi G-code: M141/M191 S(0-255)" -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+Rotellina del mouse" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+Rotella del mouse" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Una temperatura della camera più elevata può aiutare a sopprimere o " +#~ "ridurre la deformazione e potenzialmente portare a una maggiore forza di " +#~ "adesione tra gli strati per materiali ad alta temperatura come ABS, ASA, " +#~ "PC, PA e così via. Allo stesso tempo, la filtrazione dell'aria di ABS e " +#~ "ASA peggiorerà. Mentre per PLA, PETG, TPU, PVA e altri materiali a bassa " +#~ "temperatura, la temperatura effettiva della camera non dovrebbe essere " +#~ "elevata per evitare intasamenti, quindi 0 che sta per spegnimento è " +#~ "altamente raccomandato" #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " @@ -17164,12 +17341,13 @@ msgstr "" #~ "nostro wiki.\n" #~ "\n" #~ "Di solito la calibrazione non è necessaria. Quando si avvia una stampa a " -#~ "singolo colore/materiale, con l'opzione \"calibrazione dinamica del flusso" -#~ "\" selezionata nel menu di avvio della stampa, la stampante seguirà il " -#~ "vecchio modo, calibrando il filamento prima della stampa; Quando si avvia " -#~ "una stampa multicolore/materiale, la stampante utilizzerà il parametro di " -#~ "compensazione predefinito per il filamento durante ogni cambio di " -#~ "filamento, che avrà un buon risultato nella maggior parte dei casi.\n" +#~ "singolo colore/materiale, con l'opzione \"calibrazione dinamica del " +#~ "flusso\" selezionata nel menu di avvio della stampa, la stampante seguirà " +#~ "il vecchio modo, calibrando il filamento prima della stampa; Quando si " +#~ "avvia una stampa multicolore/materiale, la stampante utilizzerà il " +#~ "parametro di compensazione predefinito per il filamento durante ogni " +#~ "cambio di filamento, che avrà un buon risultato nella maggior parte dei " +#~ "casi.\n" #~ "\n" #~ "Si prega di notare che ci sono alcuni casi che renderanno il risultato " #~ "della calibrazione non affidabile: utilizzo di una piastra di texture per " @@ -17566,8 +17744,8 @@ msgstr "" #~ msgstr "Nessun layer sparso (SPERIMENTALE)" #~ msgid "" -#~ "We would rename the presets as \"Vendor Type Serial @printer you selected" -#~ "\". \n" +#~ "We would rename the presets as \"Vendor Type Serial @printer you " +#~ "selected\". \n" #~ "To add preset for more prinetrs, Please go to printer selection" #~ msgstr "" #~ "Rinomineremo le impostazioni predefinite come \"Tipo di fornitore seriale " diff --git a/localization/i18n/ja/OrcaSlicer_ja.po b/localization/i18n/ja/OrcaSlicer_ja.po index 16b11846d9..83e11fca49 100644 --- a/localization/i18n/ja/OrcaSlicer_ja.po +++ b/localization/i18n/ja/OrcaSlicer_ja.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: \n" "Last-Translator: \n" "Language-Team: \n" @@ -74,6 +74,9 @@ msgstr "自動充填角度" msgid "On overhangs only" msgstr "オーバーハングのみ" +msgid "Auto support threshold angle: " +msgstr "自動サポート角度閾値" + msgid "Circle" msgstr "円形" @@ -93,9 +96,6 @@ msgstr "%1%で選択した面だけをペイントする" msgid "Highlight faces according to overhang angle." msgstr "オーバーハングの角度によりハイライト" -msgid "Auto support threshold angle: " -msgstr "自動サポート角度閾値" - msgid "No auto support" msgstr "自動サポート無し" @@ -1942,6 +1942,9 @@ msgstr "モデルを簡略化" msgid "Center" msgstr "センター" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "プロセス設定を編集" @@ -4023,6 +4026,15 @@ msgstr "総時間" msgid "Total cost" msgstr "Total cost" +msgid "up to" +msgstr "最大" + +msgid "above" +msgstr "以上" + +msgid "from" +msgstr "from" + msgid "Color Scheme" msgstr "配色スキーム" @@ -4086,12 +4098,12 @@ msgstr "フィラメント交換回数" msgid "Cost" msgstr "コスト" -msgid "Print" -msgstr "造形する" - msgid "Color change" msgstr "色変更" +msgid "Print" +msgstr "造形する" + msgid "Printer" msgstr "プリンター" @@ -4275,7 +4287,7 @@ msgstr "ボリューム" msgid "Size:" msgstr "サイズ:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4711,6 +4723,18 @@ msgstr "Pass 2" msgid "Flow rate test - Pass 2" msgstr "Flow rate test - Pass 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Flow rate" @@ -5951,19 +5975,14 @@ msgstr "複数のパーツを含むオブジェクトが検出されました" msgid "The file does not contain any geometry data." msgstr "このファイルにはジオメトリデータが含まれていません。" -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "オブジェクトが大きすぎます" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" msgstr "オブジェクトが大きすぎのようです、ベッドに合わせてスケールしますか?" +msgid "Object too large" +msgstr "オブジェクトが大きすぎます" + msgid "Export STL file:" msgstr "STLファイルをエクスポート:" @@ -6333,6 +6352,9 @@ msgstr "続行しますか?" msgid "Language selection" msgstr "言語選択" +msgid "Switching application language while some presets are modified." +msgstr "アプリケーション言語を切り替える時に、プリセットの変更があります" + msgid "Changing application language" msgstr "言語を変更" @@ -7398,8 +7420,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "ヘッド無しのタイムラプスビデオを録画する時に、「タイムラプスプライムタワー」" "を追加してください。プレートで右クリックして、「プリミティブを追加」→「タイム" @@ -8230,8 +8252,11 @@ msgstr "オブジェクト一覧" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Import geometry data from STL/STEP/3MF/OBJ/AMF files" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "貼り付け" @@ -8278,18 +8303,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "サイドバーを展開/隠す" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+↑↓←→" msgid "Movement in camera space" msgstr "オブジェクト移動" +msgid "⌥+Left mouse button" +msgstr "⌥+マウス左ボタン" + msgid "Select a part" msgstr "パーツを選択" +msgid "⌘+Left mouse button" +msgstr "⌘+マウス左ボタン" + msgid "Select multiple objects" msgstr "複数のオブジェクトを選択" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+↑↓←→" + +msgid "Alt+Left mouse button" +msgstr "Alt+マウス左ボタン" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+マウス左ボタン" + msgid "Shift+Left mouse button" msgstr "Shift + マウス左ボタン" @@ -8392,12 +8432,24 @@ msgstr "準備" msgid "Move: press to snap by 1mm" msgstr "1mm単位で移動" +msgid "⌘+Mouse wheel" +msgstr "⌘+マウスホイール" + msgid "Support/Color Painting: adjust pen radius" msgstr "サポート/色塗り: 半径のサイズ" +msgid "⌥+Mouse wheel" +msgstr "⌥+マウスホイール" + msgid "Support/Color Painting: adjust section position" msgstr "サポート/色塗り: 断面の位置" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+マウスホイール" + +msgid "Alt+Mouse wheel" +msgstr "Alt+マウスホイール" + msgid "Gizmo" msgstr "Gizmo" @@ -9382,14 +9434,31 @@ msgid "Apply gap fill" msgstr "" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" msgid "Everywhere" @@ -9459,10 +9528,11 @@ msgstr "ブリッジ流量" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"この値を少し (例えば 0.9) 小さくし、ブリッジ用に押出し量を減らし、たるみを防" -"ぎます。" msgid "Internal bridge flow ratio" msgstr "" @@ -9470,7 +9540,11 @@ msgstr "" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" msgid "Top surface flow ratio" @@ -9478,15 +9552,20 @@ msgstr "Top surface flow ratio" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have a smooth surface finish." msgid "Bottom surface flow ratio" msgstr "" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" msgid "Precise wall" @@ -9618,9 +9697,25 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" msgid "mm/s or %" @@ -9629,8 +9724,14 @@ msgstr "mm/s or %" msgid "External" msgstr "" -msgid "Speed of bridge and completely overhang wall" -msgstr "ブリッジを造形する時に速度です。" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -9639,8 +9740,8 @@ msgid "Internal" msgstr "" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" msgid "Brim width" @@ -10153,6 +10254,17 @@ msgstr "" "フィラメントは温度により体積が変わります。この設定で押出流量を比例的に調整し" "ます。 0.95 ~ 1.05の間で設定していください。" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Enable pressure advance" @@ -10320,18 +10432,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "フィラメントロード時間" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"フィラメントを入れ替える時に、フィラメントをロードする時間です、統計目的に使" -"用されています。" msgid "Filament unload time" msgstr "フィラメントアンロード時間" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"フィラメントを入れ替える時に、フィラメントをアンロードする時間です、統計目的" -"に使用されています。" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -10454,15 +10577,6 @@ msgstr "最後の冷却移動の速度" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "冷却動作は、この速度に向かって徐々に加速しています。" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"ツールの変更中(Tコードの実行時)にプリンターファームウェア(またはMulti " -"Material Unit 2.0)が新しいフィラメントをロードする時間。 この時間は、Gコード" -"時間推定プログラムによって合計プリント時間に追加されます。" - msgid "Ramming parameters" msgstr "ラミングパラメーター" @@ -10473,15 +10587,6 @@ msgstr "" "この文字列はラミングダイアログで編集され、ラミング固有のパラメーターが含まれ" "ています。" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"ツールチェンジ中(Tコードの実行時)にプリンターファームウェア(またはMulti " -"Material Unit 2.0)がフィラメントをアンロードする時間。 この時間は、Gコード時" -"間予測プログラムによって合計プリント予測時間に追加されます。" - msgid "Enable ramming for multitool setups" msgstr "マルチツールのセットアップでラミングを有効にする" @@ -10801,10 +10906,10 @@ msgstr "最大回転速度の積層" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" msgid "layer" @@ -10864,7 +10969,10 @@ msgstr "Filter out tiny gaps" msgid "Layers and Perimeters" msgstr "積層と境界" -msgid "Filter out gaps smaller than the threshold specified" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " msgstr "" msgid "" @@ -12730,29 +12838,40 @@ msgid "Activate temperature control" msgstr "" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" msgid "Chamber temperature" msgstr "Chamber temperature" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on. At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials, the actual chamber temperature should not " -"be high to avoid clogs, so 0 (turned off) is highly recommended." msgid "Nozzle temperature for layers after the initial one" msgstr "1層目後のノズル温度" @@ -14575,8 +14694,8 @@ msgstr "" "Do you want to rewrite it?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" @@ -15794,53 +15913,68 @@ msgstr "" "ABS, appropriately increasing the heatbed temperature can reduce the " "probability of warping?" -#~ msgid "up to" -#~ msgstr "最大" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "この値を少し (例えば 0.9) 小さくし、ブリッジ用に押出し量を減らし、たるみを" +#~ "防ぎます。" -#~ msgid "above" -#~ msgstr "以上" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have a smooth surface finish." -#~ msgid "from" -#~ msgstr "from" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "ブリッジを造形する時に速度です。" -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "アプリケーション言語を切り替える時に、プリセットの変更があります" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "フィラメントを入れ替える時に、フィラメントをロードする時間です、統計目的に" +#~ "使用されています。" -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "フィラメントを入れ替える時に、フィラメントをアンロードする時間です、統計目" +#~ "的に使用されています。" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "ツールの変更中(Tコードの実行時)にプリンターファームウェア(またはMulti " +#~ "Material Unit 2.0)が新しいフィラメントをロードする時間。 この時間は、G" +#~ "コード時間推定プログラムによって合計プリント時間に追加されます。" -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+↑↓←→" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "ツールチェンジ中(Tコードの実行時)にプリンターファームウェア(または" +#~ "Multi Material Unit 2.0)がフィラメントをアンロードする時間。 この時間は、" +#~ "Gコード時間予測プログラムによって合計プリント予測時間に追加されます。" -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+マウス左ボタン" - -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+マウス左ボタン" - -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+↑↓←→" - -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+マウス左ボタン" - -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+マウス左ボタン" - -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+マウスホイール" - -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+マウスホイール" - -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+マウスホイール" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+マウスホイール" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on. At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials, the actual chamber " +#~ "temperature should not be high to avoid clogs, so 0 (turned off) is " +#~ "highly recommended." #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " diff --git a/localization/i18n/ko/OrcaSlicer_ko.po b/localization/i18n/ko/OrcaSlicer_ko.po index d9d2118ec3..27b80dc0f3 100644 --- a/localization/i18n/ko/OrcaSlicer_ko.po +++ b/localization/i18n/ko/OrcaSlicer_ko.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: 2024-05-31 23:33+0900\n" "Last-Translator: ElectricalBoy <15651807+ElectricalBoy@users.noreply.github." "com>\n" @@ -79,6 +79,9 @@ msgstr "스마트 채우기 각도" msgid "On overhangs only" msgstr "돌출부에만 칠하기" +msgid "Auto support threshold angle: " +msgstr "자동 지지대 임계값 각도: " + msgid "Circle" msgstr "원" @@ -98,9 +101,6 @@ msgstr "\"%1%\"에서 선택한 영역에만 칠하기 허용" msgid "Highlight faces according to overhang angle." msgstr "돌출부 각도에 따라 면을 강조 표시합니다." -msgid "Auto support threshold angle: " -msgstr "자동 지지대 임계값 각도: " - msgid "No auto support" msgstr "자동 지지대 비활성" @@ -1962,6 +1962,9 @@ msgstr "모델 단순화" msgid "Center" msgstr "중앙" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "프로세스 설정에서 편집" @@ -4052,6 +4055,15 @@ msgstr "시간 합계" msgid "Total cost" msgstr "총 비용" +msgid "up to" +msgstr "까지" + +msgid "above" +msgstr "위에" + +msgid "from" +msgstr "부터" + msgid "Color Scheme" msgstr "색 구성표" @@ -4115,12 +4127,12 @@ msgstr "필라멘트 변경 시간" msgid "Cost" msgstr "비용" -msgid "Print" -msgstr "출력" - msgid "Color change" msgstr "색 변경" +msgid "Print" +msgstr "출력" + msgid "Printer" msgstr "프린터" @@ -4304,7 +4316,7 @@ msgstr "용량:" msgid "Size:" msgstr "크기:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4744,6 +4756,18 @@ msgstr "2차 테스트" msgid "Flow rate test - Pass 2" msgstr "유량 테스트 - 2차" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "유량" @@ -5998,19 +6022,14 @@ msgstr "여러 부품으로 구성된 개체가 감지되었습니다" msgid "The file does not contain any geometry data." msgstr "파일에 형상 데이터가 포함되어 있지 않습니다." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "개체가 너무 큼" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" msgstr "개체가 너무 큽니다. 자동으로 고온 베드에 맞게 크기를 줄이시겠습니까?" +msgid "Object too large" +msgstr "개체가 너무 큼" + msgid "Export STL file:" msgstr "STL 파일 내보내기:" @@ -6380,6 +6399,9 @@ msgstr "계속하시겠습니까?" msgid "Language selection" msgstr "언어 선택" +msgid "Switching application language while some presets are modified." +msgstr "일부 사전 설정이 수정되는 동안 응용 프로그램 언어를 전환합니다." + msgid "Changing application language" msgstr "응용 프로그램 언어 변경" @@ -7460,8 +7482,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "툴헤드 없이 시간 경과를 기록할 경우 \"타임랩스 닦기 타워\"를 추가하는 것이 좋" "습니다\n" @@ -8312,8 +8334,11 @@ msgstr "개체 목록" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "STL/STEP/3MF/OBJ/AMF 파일에서 형상 데이터 가져오기" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "클립보드에서 붙여넣기" @@ -8363,18 +8388,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "사이드바 접기/펼치기" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+아무 화살표" msgid "Movement in camera space" msgstr "카메라 공간에서 이동" +msgid "⌥+Left mouse button" +msgstr "⌥+마우스 왼쪽 버튼" + msgid "Select a part" msgstr "부품 선택" +msgid "⌘+Left mouse button" +msgstr "⌘+마우스 왼쪽 버튼" + msgid "Select multiple objects" msgstr "여러 개체 선택" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+화살표" + +msgid "Alt+Left mouse button" +msgstr "Alt+마우스 왼쪽 버튼" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+마우스 왼쪽 버튼" + msgid "Shift+Left mouse button" msgstr "Shift+마우스 왼쪽 버튼" @@ -8477,12 +8517,24 @@ msgstr "출력판" msgid "Move: press to snap by 1mm" msgstr "이동: 눌러서 1mm씩 이동" +msgid "⌘+Mouse wheel" +msgstr "⌘+마우스 휠" + msgid "Support/Color Painting: adjust pen radius" msgstr "지지대/색상 칠하기: 펜 반경 조정" +msgid "⌥+Mouse wheel" +msgstr "⌥+마우스 휠" + msgid "Support/Color Painting: adjust section position" msgstr "지지대/색상 칠하기: 단면 위치 조정" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+마우스 휠" + +msgid "Alt+Mouse wheel" +msgstr "Alt+마우스 휠" + msgid "Gizmo" msgstr "도구 상자" @@ -9502,22 +9554,32 @@ msgid "Apply gap fill" msgstr "간격 채우기 적용" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" -msgstr "" -"선택한 표면에 대해 간격 채우기를 활성화합니다. 채워질 최소 간격 길이는 아래" -"의 작은 간격 필터링 옵션에서 제어할 수 있습니다.\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"옵션:\n" -"1. 어디에서나: 상단, 하단 및 내부 솔리드 표면에 간격 채우기를 적용합니다.\n" -"2. 상단 및 하단 표면: 상단 및 하단 표면에만 간격 채우기를 적용합니다.\n" -"3. 아무데도: 간격 채우기를 비활성화합니다.\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" +msgstr "" msgid "Everywhere" msgstr "어디에나" @@ -9588,8 +9650,11 @@ msgstr "브릿지 유량 비율" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" -msgstr "이 값을 약간(예: 0.9) 줄여 브릿지의 압출량을 줄여 처짐을 개선합니다" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." +msgstr "" msgid "Internal bridge flow ratio" msgstr "내부 브릿지 유량 비율" @@ -9597,27 +9662,33 @@ msgstr "내부 브릿지 유량 비율" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"이 값은 내부 브릿지 레이어의 두께를 결정합니다. 이것은 드문 채우기 위의 첫 번" -"째 레이어입니다. 드문 채우기보다 표면 품질을 향상시키려면 이 값을 약간(예: " -"0.9) 줄입니다." msgid "Top surface flow ratio" msgstr "상단 표면 유량 비율" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"이 값은 상단 꽉찬 내부 채우기의 재료의 양에 영향을 미칩니다. 부드러운 표면 마" -"감을 위해 약간 줄여도 됩니다" msgid "Bottom surface flow ratio" msgstr "하단 표면 유량 비율" -msgid "This factor affects the amount of material for bottom solid infill" -msgstr "이 값은 하단 꽉찬 내부 채우기의 재료의 양에 영향을 미칩니다" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." +msgstr "" msgid "Precise wall" msgstr "정밀한 벽" @@ -9784,12 +9855,26 @@ msgstr "돌출부 정도에 따라 출력 속도를 낮추려면 이 옵션을 msgid "Slow down for curled perimeters" msgstr "꺾여 있는 둘레에서 감속" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"꺾여 있는 둘레가 있을 수 있는 영역에서 출력 속도를 낮추려면 이 옵션을 활성화" -"하세요" msgid "mm/s or %" msgstr "mm/s 또는 %" @@ -9797,8 +9882,14 @@ msgstr "mm/s 또는 %" msgid "External" msgstr "외부" -msgid "Speed of bridge and completely overhang wall" -msgstr "브릿지와 돌출부 벽의 속도" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -9807,11 +9898,9 @@ msgid "Internal" msgstr "내부" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"내부 브릿지 속도. 값을 백분율로 표시하면 외부 브릿지 속도를 기준으로 계산됩니" -"다. 기본값은 150%입니다." msgid "Brim width" msgstr "브림 너비" @@ -10420,6 +10509,17 @@ msgstr "" "범위는 0.95와 1.05 사이입니다. 약간의 과대압출 또는 과소압출이 있을 때 이 값" "을 조정하여 평평한 표면을 얻을 수 있습니다" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "프레셔 어드밴스 활성화" @@ -10601,15 +10701,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "필라멘트 넣기 시간" -msgid "Time to load new filament when switch filament. For statistics only" -msgstr "필라멘트 교체 시 새 필라멘트를 넣는 시간입니다. 통계에만 사용됩니다" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" msgid "Filament unload time" msgstr "필라멘트 빼기 시간" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"필라멘트를 교체할 때 기존 필라멘트를 빼는 시간입니다. 통계에만 사용됩니다" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -10747,15 +10861,6 @@ msgstr "마지막 냉각 이동 속도" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "냉각 동작은 이 속도를 향해 점진적으로 감속됩니다." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"툴 교체 중(T 코드 실행 시) 프린터 펌웨어(또는 Multi Material Unit 2.0)가 새 " -"필라멘트를 넣는 시간입니다. 이 시간은 G코드 시간 계산기에 의해 총 출력 시간" -"에 추가됩니다." - msgid "Ramming parameters" msgstr "래밍 매개변수" @@ -10765,15 +10870,6 @@ msgid "" msgstr "" "이 문자열은 RammingDialog에 의해 편집되며 래밍 관련 매개변수를 포함합니다." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"툴 교체 중(T 코드 실행 시) 프린터 펌웨어(또는 Multi Material Unit 2.0)가 필라" -"멘트를 빼는 시간입니다. 이 시간은 G코드 시간 계산기에 의해 총 출력 시간에 추" -"가됩니다." - msgid "Enable ramming for multitool setups" msgstr "다중 압출기 설정을 위한 래밍 활성화" @@ -11120,10 +11216,10 @@ msgstr "팬 최대 속도 레이어" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "팬 속도는 \"close_fan_the_first_x_layers\" 의 0에서 \"full_fan_speed_layer\" " "의 최고 속도까지 선형적으로 증가합니다. \"full_fan_speed_layer\"가 " @@ -11191,8 +11287,11 @@ msgstr "작은 간격 필터링" msgid "Layers and Perimeters" msgstr "레이어와 윤곽선" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "지정된 임계값보다 작은 간격을 필터링합니다" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13238,31 +13337,40 @@ msgid "Activate temperature control" msgstr "온도 제어 활성화" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"챔버 온도 제어를 위해 이 옵션을 활성화합니다. M191 명령이 " -"\"machine_start_gcode\" 앞에 추가됩니다.\n" -"G코드 명령: M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "챔버 온도" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"챔버 온도가 높을수록 뒤틀림을 억제하거나 줄이는 데 도움이 될 수 있으며 잠재적" -"으로 ABS, ASA, PC, PA 등과 같은 고온 재료의 층간 결합 강도가 높아질 수 있습니" -"다. 동시에 ABS 및 ASA의 공기 여과는 더욱 악화됩니다. PLA, PETG, TPU, PVA 및 " -"기타 저온 재료의 경우 막힘을 방지하려면 실제 챔버 온도가 높지 않아야 하므로 " -"꺼짐을 의미하는 0을 적극 권장합니다" msgid "Nozzle temperature for layers after the initial one" msgstr "초기 레이어 이후의 노즐 온도" @@ -15157,8 +15265,8 @@ msgstr "" "다시 작성하시겠습니까?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" "사전 설정의 이름을 \"선택한 공급업체 유형 직렬 @프린터\"로 변경합니다.\n" @@ -16422,53 +16530,120 @@ msgstr "" "ABS와 같이 뒤틀림이 발생하기 쉬운 소재를 출력할 때, 히트베드 온도를 적절하게 " "높이면 뒤틀림 가능성을 줄일 수 있다는 사실을 알고 계셨나요?" -#~ msgid "up to" -#~ msgstr "까지" +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" +#~ msgstr "" +#~ "선택한 표면에 대해 간격 채우기를 활성화합니다. 채워질 최소 간격 길이는 아" +#~ "래의 작은 간격 필터링 옵션에서 제어할 수 있습니다.\n" +#~ "\n" +#~ "옵션:\n" +#~ "1. 어디에서나: 상단, 하단 및 내부 솔리드 표면에 간격 채우기를 적용합니" +#~ "다.\n" +#~ "2. 상단 및 하단 표면: 상단 및 하단 표면에만 간격 채우기를 적용합니다.\n" +#~ "3. 아무데도: 간격 채우기를 비활성화합니다.\n" -#~ msgid "above" -#~ msgstr "위에" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "이 값을 약간(예: 0.9) 줄여 브릿지의 압출량을 줄여 처짐을 개선합니다" -#~ msgid "from" -#~ msgstr "부터" +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "이 값은 내부 브릿지 레이어의 두께를 결정합니다. 이것은 드문 채우기 위의 " +#~ "첫 번째 레이어입니다. 드문 채우기보다 표면 품질을 향상시키려면 이 값을 약" +#~ "간(예: 0.9) 줄입니다." -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "일부 사전 설정이 수정되는 동안 응용 프로그램 언어를 전환합니다." +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "이 값은 상단 꽉찬 내부 채우기의 재료의 양에 영향을 미칩니다. 부드러운 표" +#~ "면 마감을 위해 약간 줄여도 됩니다" -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "이 값은 하단 꽉찬 내부 채우기의 재료의 양에 영향을 미칩니다" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "꺾여 있는 둘레가 있을 수 있는 영역에서 출력 속도를 낮추려면 이 옵션을 활성" +#~ "화하세요" -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+아무 화살표" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "브릿지와 돌출부 벽의 속도" -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+마우스 왼쪽 버튼" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "내부 브릿지 속도. 값을 백분율로 표시하면 외부 브릿지 속도를 기준으로 계산" +#~ "됩니다. 기본값은 150%입니다." -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+마우스 왼쪽 버튼" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "필라멘트 교체 시 새 필라멘트를 넣는 시간입니다. 통계에만 사용됩니다" -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+화살표" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "필라멘트를 교체할 때 기존 필라멘트를 빼는 시간입니다. 통계에만 사용됩니다" -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+마우스 왼쪽 버튼" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "툴 교체 중(T 코드 실행 시) 프린터 펌웨어(또는 Multi Material Unit 2.0)가 " +#~ "새 필라멘트를 넣는 시간입니다. 이 시간은 G코드 시간 계산기에 의해 총 출력 " +#~ "시간에 추가됩니다." -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+마우스 왼쪽 버튼" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "툴 교체 중(T 코드 실행 시) 프린터 펌웨어(또는 Multi Material Unit 2.0)가 " +#~ "필라멘트를 빼는 시간입니다. 이 시간은 G코드 시간 계산기에 의해 총 출력 시" +#~ "간에 추가됩니다." -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+마우스 휠" +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "지정된 임계값보다 작은 간격을 필터링합니다" -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+마우스 휠" +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "챔버 온도 제어를 위해 이 옵션을 활성화합니다. M191 명령이 " +#~ "\"machine_start_gcode\" 앞에 추가됩니다.\n" +#~ "G코드 명령: M141/M191 S(0-255)" -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+마우스 휠" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+마우스 휠" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "챔버 온도가 높을수록 뒤틀림을 억제하거나 줄이는 데 도움이 될 수 있으며 잠" +#~ "재적으로 ABS, ASA, PC, PA 등과 같은 고온 재료의 층간 결합 강도가 높아질 " +#~ "수 있습니다. 동시에 ABS 및 ASA의 공기 여과는 더욱 악화됩니다. PLA, PETG, " +#~ "TPU, PVA 및 기타 저온 재료의 경우 막힘을 방지하려면 실제 챔버 온도가 높지 " +#~ "않아야 하므로 꺼짐을 의미하는 0을 적극 권장합니다" #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " @@ -16913,8 +17088,8 @@ msgstr "" #~ msgstr "드문 레이어 없음(실험적)" #~ msgid "" -#~ "We would rename the presets as \"Vendor Type Serial @printer you selected" -#~ "\". \n" +#~ "We would rename the presets as \"Vendor Type Serial @printer you " +#~ "selected\". \n" #~ "To add preset for more prinetrs, Please go to printer selection" #~ msgstr "" #~ "사전 설정의 이름을 \"선택한 공급업체 유형 직렬 @프린터\"로 변경합니다.\n" diff --git a/localization/i18n/nl/OrcaSlicer_nl.po b/localization/i18n/nl/OrcaSlicer_nl.po index 48573c2b04..8b0635b100 100644 --- a/localization/i18n/nl/OrcaSlicer_nl.po +++ b/localization/i18n/nl/OrcaSlicer_nl.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: \n" "Last-Translator: \n" "Language-Team: \n" @@ -74,6 +74,9 @@ msgstr "Slim vullen hoek" msgid "On overhangs only" msgstr "Alleen op overhangen" +msgid "Auto support threshold angle: " +msgstr "Maximale hoek automatische ondersteuning: " + msgid "Circle" msgstr "Cirkel" @@ -93,9 +96,6 @@ msgstr "Staat alleen schilderen toe op facetten geselecteerd met: \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Gebieden markeren op basis van overhangende hoek." -msgid "Auto support threshold angle: " -msgstr "Maximale hoek automatische ondersteuning: " - msgid "No auto support" msgstr "Geen automatische ondersteuning" @@ -110,11 +110,12 @@ msgstr "Op zijde leggen" #, boost-format msgid "" -"Filament count exceeds the maximum number that painting tool supports. only the first %1% " -"filaments will be available in painting tool." +"Filament count exceeds the maximum number that painting tool supports. only " +"the first %1% filaments will be available in painting tool." msgstr "" -"Het aantal filamenten overschrijdt het maximale aantal dat het tekengereedschap " -"ondersteunt. Alleen de eerste %1% filamenten zijn beschikbaar in de tekentool." +"Het aantal filamenten overschrijdt het maximale aantal dat het " +"tekengereedschap ondersteunt. Alleen de eerste %1% filamenten zijn " +"beschikbaar in de tekentool." msgid "Color Painting" msgstr "Kleuren schilderen" @@ -522,7 +523,8 @@ msgstr "Snij met behulp van vlak" msgid "non-manifold edges be caused by cut tool, do you want to fix it now?" msgstr "" -"hiet-gevormde randen worden veroorzaakt door snijgereedschap: wil je dit nu herstellen?" +"hiet-gevormde randen worden veroorzaakt door snijgereedschap: wil je dit nu " +"herstellen?" msgid "Repairing model object" msgstr "Model object repareren" @@ -544,11 +546,11 @@ msgstr "Decimeren verhouding" #, boost-format msgid "" -"Processing model '%1%' with more than 1M triangles could be slow. It is highly recommended " -"to simplify the model." +"Processing model '%1%' with more than 1M triangles could be slow. It is " +"highly recommended to simplify the model." msgstr "" -"Het verwerken van model '%1%' met meer dan 1 miljoen driehoeken kan traag zijn. Het wordt " -"sterk aanbevolen om het model te vereenvoudigen." +"Het verwerken van model '%1%' met meer dan 1 miljoen driehoeken kan traag " +"zijn. Het wordt sterk aanbevolen om het model te vereenvoudigen." msgid "Simplify model" msgstr "Model vereenvoudigen" @@ -558,7 +560,8 @@ msgstr "Vereenvoudigen" msgid "Simplification is currently only allowed when a single part is selected" msgstr "" -"Vereenvoudiging is momenteel alleen toegestaan wanneer één enkel onderdeel is geselecteerd" +"Vereenvoudiging is momenteel alleen toegestaan wanneer één enkel onderdeel " +"is geselecteerd" msgid "Error" msgstr "Fout" @@ -717,7 +720,8 @@ msgid "Advanced" msgstr "Geavanceerd" msgid "" -"The text cannot be written using the selected font. Please try choosing a different font." +"The text cannot be written using the selected font. Please try choosing a " +"different font." msgstr "" msgid "Embossed text cannot contain only white spaces." @@ -761,7 +765,8 @@ msgid "Click to change text into object part." msgstr "Klik om tekst in objectgedeelte te veranderen." msgid "You can't change a type of the last solid part of the object." -msgstr "U kunt het type van het laatste onderdeel van een object niet wijzigen." +msgstr "" +"U kunt het type van het laatste onderdeel van een object niet wijzigen." msgctxt "EmbossOperation" msgid "Cut" @@ -871,7 +876,8 @@ msgstr "Ongeldige stijl." #, boost-format msgid "Style \"%1%\" can't be used and will be removed from a list." -msgstr "Stijl \"%1%\" kan niet worden gebruikt en wordt uit de lijst verwijderd." +msgstr "" +"Stijl \"%1%\" kan niet worden gebruikt en wordt uit de lijst verwijderd." msgid "Unset italic" msgstr "" @@ -992,11 +998,12 @@ msgstr "" #, boost-format msgid "" -"Can't load exactly same font(\"%1%\"). Application selected a similar one(\"%2%\"). You " -"have to specify font for enable edit text." +"Can't load exactly same font(\"%1%\"). Application selected a similar " +"one(\"%2%\"). You have to specify font for enable edit text." msgstr "" -"Kan niet exact hetzelfde lettertype laden(\"%1%\"). Er is een vergelijkbaar lettertype(\"%2%" -"\") geselecteerd. U moet een lettertype opgeven om tekst te kunnen bewerken." +"Kan niet exact hetzelfde lettertype laden(\"%1%\"). Er is een vergelijkbaar " +"lettertype(\"%2%\") geselecteerd. U moet een lettertype opgeven om tekst te " +"kunnen bewerken." msgid "No symbol" msgstr "" @@ -1111,7 +1118,9 @@ msgstr "" msgid "Path can't be healed from selfintersection and multiple points." msgstr "" -msgid "Final shape constains selfintersection or multiple points with same coordinate." +msgid "" +"Final shape constains selfintersection or multiple points with same " +"coordinate." msgstr "" #, boost-format @@ -1337,7 +1346,8 @@ msgid "%1% was replaced with %2%" msgstr "%1% werd vervangen door %2%" msgid "The configuration may be generated by a newer version of OrcaSlicer." -msgstr "De configuratie was mogelijks met een nieuwere versie Orcaslicer gemaakt." +msgstr "" +"De configuratie was mogelijks met een nieuwere versie Orcaslicer gemaakt." msgid "Some values have been replaced. Please check them:" msgstr "Sommige waarden zijn aangepast. Controleer deze alstublieft:" @@ -1352,28 +1362,32 @@ msgid "Machine" msgstr "Machine" msgid "Configuration package was loaded, but some values were not recognized." -msgstr "Het onfiguratiepakket werd geladen, maar sommige waarden werden niet herkend." +msgstr "" +"Het onfiguratiepakket werd geladen, maar sommige waarden werden niet herkend." #, boost-format -msgid "Configuration file \"%1%\" was loaded, but some values were not recognized." -msgstr "Configuratiebestand “%1%” werd geladen, maar sommige waarden werden niet herkend." +msgid "" +"Configuration file \"%1%\" was loaded, but some values were not recognized." +msgstr "" +"Configuratiebestand “%1%” werd geladen, maar sommige waarden werden niet " +"herkend." msgid "" -"OrcaSlicer will terminate because of running out of memory.It may be a bug. It will be " -"appreciated if you report the issue to our team." +"OrcaSlicer will terminate because of running out of memory.It may be a bug. " +"It will be appreciated if you report the issue to our team." msgstr "" -"OrcaSlicer zal sluiten, omdat het geen geheugen meer heeft. Dit kan een bug zijn. Ons team " -"een rapport schrijven over deze fout wordt erg gewaardeerd." +"OrcaSlicer zal sluiten, omdat het geen geheugen meer heeft. Dit kan een bug " +"zijn. Ons team een rapport schrijven over deze fout wordt erg gewaardeerd." msgid "Fatal error" msgstr "Fatale fout" msgid "" -"OrcaSlicer will terminate because of a localization error. It will be appreciated if you " -"report the specific scenario this issue happened." +"OrcaSlicer will terminate because of a localization error. It will be " +"appreciated if you report the specific scenario this issue happened." msgstr "" -"OrcaSlicer zal sluiten door een vertalingsfout. Ons team een rapport schrijven over de " -"situatie waar dit zich voor deed wordt erg gewaardeerd." +"OrcaSlicer zal sluiten door een vertalingsfout. Ons team een rapport " +"schrijven over de situatie waar dit zich voor deed wordt erg gewaardeerd." msgid "Critical error" msgstr "Kritieke fout" @@ -1399,11 +1413,12 @@ msgid "Connect %s failed! [SN:%s, code=%s]" msgstr "Verbinding met %s is mislukt! [SN: %s, code=%s]" msgid "" -"Orca Slicer requires the Microsoft WebView2 Runtime to operate certain features.\n" +"Orca Slicer requires the Microsoft WebView2 Runtime to operate certain " +"features.\n" "Click Yes to install it now." msgstr "" -"OrcaSlicer heeft het MicroSoft WebView2 Runtime nodig om bepaalde functies in werking te " -"stellen.\n" +"OrcaSlicer heeft het MicroSoft WebView2 Runtime nodig om bepaalde functies " +"in werking te stellen.\n" "Klik Ja om het nu te installeren." msgid "WebView2 Runtime" @@ -1425,7 +1440,8 @@ msgstr "Configuratie wordt geladen" #, c-format, boost-format msgid "Click to download new version in default browser: %s" -msgstr "Klik hier om de nieuwe versie te downloaden in je standaard browser: %s" +msgstr "" +"Klik hier om de nieuwe versie te downloaden in je standaard browser: %s" msgid "The Orca Slicer needs an upgrade" msgstr "Orca Slicer heeft een upgrade nodig" @@ -1439,7 +1455,8 @@ msgstr "Informatie" msgid "" "The OrcaSlicer configuration file may be corrupted and cannot be parsed.\n" "OrcaSlicer has attempted to recreate the configuration file.\n" -"Please note, application settings will be lost, but printer profiles will not be affected." +"Please note, application settings will be lost, but printer profiles will " +"not be affected." msgstr "" msgid "Rebuild" @@ -1470,11 +1487,11 @@ msgid "Some presets are modified." msgstr "Sommige voorinstellingen zijn aangepast." msgid "" -"You can keep the modifield presets to the new project, discard or save changes as new " -"presets." +"You can keep the modifield presets to the new project, discard or save " +"changes as new presets." msgstr "" -"Je kunt de aangepaste voorinstellingen bewaren voor het nieuwe project ze laten vervallen " -"of opslaan als nieuwe voorinstelling." +"Je kunt de aangepaste voorinstellingen bewaren voor het nieuwe project ze " +"laten vervallen of opslaan als nieuwe voorinstelling." msgid "User logged out" msgstr "Gebruiker is uitgelogd" @@ -1486,22 +1503,22 @@ msgid "Open Project" msgstr "Open project" msgid "" -"The version of Orca Slicer is too low and needs to be updated to the latest version before " -"it can be used normally" +"The version of Orca Slicer is too low and needs to be updated to the latest " +"version before it can be used normally" msgstr "" -"De versie van Orca Slicer is te oud en dient te worden bijgewerkt naar de nieuwste versie " -"voordat deze normaal kan worden gebruikt" +"De versie van Orca Slicer is te oud en dient te worden bijgewerkt naar de " +"nieuwste versie voordat deze normaal kan worden gebruikt" msgid "Privacy Policy Update" msgstr "Privacy Policy Update" msgid "" -"The number of user presets cached in the cloud has exceeded the upper limit, newly created " -"user presets can only be used locally." +"The number of user presets cached in the cloud has exceeded the upper limit, " +"newly created user presets can only be used locally." msgstr "" -"Het aantal gebruikersvoorinstellingen dat in de cloud is opgeslagen, heeft de bovengrens " -"overschreden. Nieuw gemaakte gebruikersvoorinstellingen kunnen alleen lokaal worden " -"gebruikt." +"Het aantal gebruikersvoorinstellingen dat in de cloud is opgeslagen, heeft " +"de bovengrens overschreden. Nieuw gemaakte gebruikersvoorinstellingen kunnen " +"alleen lokaal worden gebruikt." msgid "Sync user presets" msgstr "Synchroniseer gebruikersvoorinstellingen" @@ -1534,8 +1551,8 @@ msgid "Select a G-code file:" msgstr "Selecteer een G-code bestand:" msgid "" -"Could not start URL download. Destination folder is not set. Please choose destination " -"folder in Configuration Wizard." +"Could not start URL download. Destination folder is not set. Please choose " +"destination folder in Configuration Wizard." msgstr "" msgid "Import File" @@ -1696,9 +1713,9 @@ msgid "Orca String Hell" msgstr "" msgid "" -"This model features text embossment on the top surface. For optimal results, it is " -"advisable to set the 'One Wall Threshold(min_width_top_surface)' to 0 for the 'Only One " -"Wall on Top Surfaces' to work best.\n" +"This model features text embossment on the top surface. For optimal results, " +"it is advisable to set the 'One Wall Threshold(min_width_top_surface)' to 0 " +"for the 'Only One Wall on Top Surfaces' to work best.\n" "Yes - Change these settings automatically\n" "No - Do not change these settings for me" msgstr "" @@ -1804,10 +1821,12 @@ msgid "Assemble" msgstr "Monteren" msgid "Assemble the selected objects to an object with multiple parts" -msgstr "Monteer de geselecteerde objecten tot een object bestaande uit meerdere delen" +msgstr "" +"Monteer de geselecteerde objecten tot een object bestaande uit meerdere delen" msgid "Assemble the selected objects to an object with single part" -msgstr "Monteer de geselecteerde objecten tot een object bestaande uit 1 onderdeel" +msgstr "" +"Monteer de geselecteerde objecten tot een object bestaande uit 1 onderdeel" msgid "Mesh boolean" msgstr "Mesh booleaan" @@ -1885,7 +1904,8 @@ msgid "Auto orientation" msgstr "Automatisch oriënteren" msgid "Auto orient the object to improve print quality." -msgstr "Automatisch oriënteren van het object om de printkwaliteit te verbeteren." +msgstr "" +"Automatisch oriënteren van het object om de printkwaliteit te verbeteren." msgid "Select All" msgstr "Alles selecteren" @@ -1932,6 +1952,9 @@ msgstr "Model vereenvoudigen" msgid "Center" msgstr "Centreren" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Procesinstellingen bewerken" @@ -1981,21 +2004,25 @@ msgstr[0] "%1$d non-manifold edges@%1$d non-manifold edges" msgstr[1] "%1$d non-manifold edges@%1$d non-manifold edges" msgid "Right click the icon to fix model object" -msgstr "Klik met de rechter muisknop op het pictogram om het modelobject te repareren" +msgstr "" +"Klik met de rechter muisknop op het pictogram om het modelobject te repareren" msgid "Right button click the icon to drop the object settings" -msgstr "Klik met de rechter muisknop op het pictogram om de objectinstellingen te verwijderen" +msgstr "" +"Klik met de rechter muisknop op het pictogram om de objectinstellingen te " +"verwijderen" msgid "Click the icon to reset all settings of the object" msgstr "Klik op het icoon om alle instellingen van het object terug te zetten" msgid "Right button click the icon to drop the object printable property" msgstr "" -"Klik met de rechter muisknop op het pictogram om de printbare eigenschap van het object te " -"verwijderen" +"Klik met de rechter muisknop op het pictogram om de printbare eigenschap van " +"het object te verwijderen" msgid "Click the icon to toggle printable property of the object" -msgstr "Klik op het pictogram om de afdruk eigenschap van het object in te schakelen" +msgstr "" +"Klik op het pictogram om de afdruk eigenschap van het object in te schakelen" msgid "Click the icon to edit support painting of the object" msgstr "Klik op het pictogram om de support van het object te bewerken" @@ -2023,12 +2050,15 @@ msgstr "Aanpasser toevoegen" msgid "Switch to per-object setting mode to edit modifier settings." msgstr "" -"Schakel over naar instellingsmodus per object om instellingen van de aanpassing te bewerken." +"Schakel over naar instellingsmodus per object om instellingen van de " +"aanpassing te bewerken." -msgid "Switch to per-object setting mode to edit process settings of selected objects." +msgid "" +"Switch to per-object setting mode to edit process settings of selected " +"objects." msgstr "" -"Schakel over naar de instellingsmodus per object om procesinstellingen van geselecteerde " -"objecten te bewerken." +"Schakel over naar de instellingsmodus per object om procesinstellingen van " +"geselecteerde objecten te bewerken." msgid "Delete connector from object which is a part of cut" msgstr "Verwijder verbinding van object dat deel is van een knipbewerking" @@ -2039,23 +2069,25 @@ msgstr "Verwijder vast onderdeel van object dat deel is van een knipbewerking" msgid "Delete negative volume from object which is a part of cut" msgstr "Verwijder negatief volume van object dat deel is van een knipbewerking" -msgid "To save cut correspondence you can delete all connectors from all related objects." +msgid "" +"To save cut correspondence you can delete all connectors from all related " +"objects." msgstr "" -"Om de knipovereenkomst op te slaan kan je alle verbindingen verwijderen uit gerelateerde " -"objecten." +"Om de knipovereenkomst op te slaan kan je alle verbindingen verwijderen uit " +"gerelateerde objecten." msgid "" "This action will break a cut correspondence.\n" "After that model consistency can't be guaranteed .\n" "\n" -"To manipulate with solid parts or negative volumes you have to invalidate cut infornation " -"first." +"To manipulate with solid parts or negative volumes you have to invalidate " +"cut infornation first." msgstr "" "This action will break a cut correspondence.\n" "After that, model consistency can't be guaranteed .\n" "\n" -"To manipulate with solid parts or negative volumes you have to invalidate cut information " -"first." +"To manipulate with solid parts or negative volumes you have to invalidate " +"cut information first." msgid "Delete all connectors" msgstr "Verwijder alle vberbindingen" @@ -2064,7 +2096,9 @@ msgid "Deleting the last solid part is not allowed." msgstr "Het is niet toegestaand om het laaste vaste deel te verwijderen." msgid "The target object contains only one part and can not be splited." -msgstr "Het doelbestand bevat slechts 1 onderdeel en kan daarom niet worden opgesplitst." +msgstr "" +"Het doelbestand bevat slechts 1 onderdeel en kan daarom niet worden " +"opgesplitst." msgid "Assembly" msgstr "Montage" @@ -2105,18 +2139,22 @@ msgstr "Laag" msgid "Selection conflicts" msgstr "Selectieconflicten" -msgid "If first selected item is an object, the second one should also be object." +msgid "" +"If first selected item is an object, the second one should also be object." msgstr "" -"Als het eerste geselecteerde item een object is, dient het tweede item ook een object te " -"zijn." +"Als het eerste geselecteerde item een object is, dient het tweede item ook " +"een object te zijn." -msgid "If first selected item is a part, the second one should be part in the same object." +msgid "" +"If first selected item is a part, the second one should be part in the same " +"object." msgstr "" -"Als het eerst geselecteerde item een onderdeel is, moet het tweede een onderdeel van " -"hetzelfde object zijn." +"Als het eerst geselecteerde item een onderdeel is, moet het tweede een " +"onderdeel van hetzelfde object zijn." msgid "The type of the last solid object part is not to be changed." -msgstr "Het type van het laatste solide object onderdeel kan niet worden veranderd." +msgstr "" +"Het type van het laatste solide object onderdeel kan niet worden veranderd." msgid "Negative Part" msgstr "Negatief deel" @@ -2142,9 +2180,11 @@ msgstr "Hernoemen" msgid "Following model object has been repaired" msgid_plural "Following model objects have been repaired" msgstr[0] "" -"De volgende model objecten zijn gerepareerd@De volgende model objecten zijn gerepareerd" +"De volgende model objecten zijn gerepareerd@De volgende model objecten zijn " +"gerepareerd" msgstr[1] "" -"De volgende model objecten zijn gerepareerd@De volgende model objecten zijn gerepareerd" +"De volgende model objecten zijn gerepareerd@De volgende model objecten zijn " +"gerepareerd" msgid "Failed to repair following model object" msgid_plural "Failed to repair following model objects" @@ -2173,7 +2213,9 @@ msgid "Invalid numeric." msgstr "Onjuist getal." msgid "one cell can only be copied to one or multiple cells in the same column" -msgstr "één cel kan alleen naar één of meerdere cellen in dezelfde kolom worden gekopieerd" +msgstr "" +"één cel kan alleen naar één of meerdere cellen in dezelfde kolom worden " +"gekopieerd" msgid "multiple cells copy is not supported" msgstr "Het kopiëren van meerdere cellen wordt niet ondersteund." @@ -2387,7 +2429,8 @@ msgstr "AMS kalibreren..." msgid "A problem occurred during calibration. Click to view the solution." msgstr "" -"Er is een probleem opgetreden tijdens de kalibratie. Klik om de oplossing te bekijken." +"Er is een probleem opgetreden tijdens de kalibratie. Klik om de oplossing te " +"bekijken." msgid "Calibrate again" msgstr "Opnieuw kalibreren" @@ -2426,11 +2469,11 @@ msgid "Grab new filament" msgstr "Grab new filament" msgid "" -"Choose an AMS slot then press \"Load\" or \"Unload\" button to automatically load or unload " -"filaments." +"Choose an AMS slot then press \"Load\" or \"Unload\" button to automatically " +"load or unload filaments." msgstr "" -"Kies een AMS-sleuf en druk op de knop \"Laden\" of \"Lossen\" om automatisch filament te " -"laden of te ontladen." +"Kies een AMS-sleuf en druk op de knop \"Laden\" of \"Lossen\" om automatisch " +"filament te laden of te ontladen." msgid "Edit" msgstr "Bewerken" @@ -2461,25 +2504,29 @@ msgstr "Rangschikken" msgid "Arranging canceled." msgstr "Rangschikken geannuleerd." -msgid "Arranging is done but there are unpacked items. Reduce spacing and try again." +msgid "" +"Arranging is done but there are unpacked items. Reduce spacing and try again." msgstr "" -"Rangschikken voltooid, sommige zaken konden niet geranschikt worden. Verklein de afstand en " -"probeer het opnieuw." +"Rangschikken voltooid, sommige zaken konden niet geranschikt worden. " +"Verklein de afstand en probeer het opnieuw." msgid "Arranging done." msgstr "Rangschikken voltooid." -msgid "Arrange failed. Found some exceptions when processing object geometries." +msgid "" +"Arrange failed. Found some exceptions when processing object geometries." msgstr "" -"Het rangschikken is mislukt. Er zijn enkele uitzonderingen gevonden tijdens het verwerken " -"van het object." +"Het rangschikken is mislukt. Er zijn enkele uitzonderingen gevonden tijdens " +"het verwerken van het object." #, c-format, boost-format msgid "" -"Arrangement ignored the following objects which can't fit into a single bed:\n" +"Arrangement ignored the following objects which can't fit into a single " +"bed:\n" "%s" msgstr "" -"De volgende objecten zijn niet gerangschikt omdat ze niet op het printbed passen:\n" +"De volgende objecten zijn niet gerangschikt omdat ze niet op het printbed " +"passen:\n" "%s" msgid "" @@ -2548,11 +2595,11 @@ msgid "Print file not found. please slice again." msgstr "Print file not found; please slice again." msgid "" -"The print file exceeds the maximum allowable size (1GB). Please simplify the model and " -"slice again." +"The print file exceeds the maximum allowable size (1GB). Please simplify the " +"model and slice again." msgstr "" -"The print file exceeds the maximum allowable size (1GB). Please simplify the model and " -"slice again." +"The print file exceeds the maximum allowable size (1GB). Please simplify the " +"model and slice again." msgid "Failed to send the print job. Please try again." msgstr "Het verzenden van de printopdracht is mislukt. Probeer het opnieuw." @@ -2560,17 +2607,28 @@ msgstr "Het verzenden van de printopdracht is mislukt. Probeer het opnieuw." msgid "Failed to upload file to ftp. Please try again." msgstr "Failed to upload file to ftp. Please try again." -msgid "Check the current status of the bambu server by clicking on the link above." -msgstr "Check the current status of the Bambu Lab server by clicking on the link above." +msgid "" +"Check the current status of the bambu server by clicking on the link above." +msgstr "" +"Check the current status of the Bambu Lab server by clicking on the link " +"above." -msgid "The size of the print file is too large. Please adjust the file size and try again." -msgstr "The size of the print file is too large. Please adjust the file size and try again." +msgid "" +"The size of the print file is too large. Please adjust the file size and try " +"again." +msgstr "" +"The size of the print file is too large. Please adjust the file size and try " +"again." msgid "Print file not found, Please slice it again and send it for printing." msgstr "Print file not found; please slice it again and send it for printing." -msgid "Failed to upload print file to FTP. Please check the network status and try again." -msgstr "Failed to upload print file via FTP. Please check the network status and try again." +msgid "" +"Failed to upload print file to FTP. Please check the network status and try " +"again." +msgstr "" +"Failed to upload print file via FTP. Please check the network status and try " +"again." msgid "Sending print job over LAN" msgstr "Printopdracht verzenden via LAN" @@ -2596,10 +2654,13 @@ msgstr "Succesvol verzonden. Springt automatisch naar de apparaatpagina in %ss" #, c-format, boost-format msgid "Successfully sent. Will automatically jump to the next page in %ss" -msgstr "Succesvol verzonden. Springt automatisch naar de volgende pagina in %ss" +msgstr "" +"Succesvol verzonden. Springt automatisch naar de volgende pagina in %ss" msgid "An SD card needs to be inserted before printing via LAN." -msgstr "Er moet een MicroSD-kaart worden geplaatst voordat er via LAN kan worden afgedrukt." +msgstr "" +"Er moet een MicroSD-kaart worden geplaatst voordat er via LAN kan worden " +"afgedrukt." msgid "Sending gcode file over LAN" msgstr "G-codebestand verzenden via LAN" @@ -2613,17 +2674,18 @@ msgstr "Succesvol verzonden. Sluit de huidige pagina in %s s" msgid "An SD card needs to be inserted before sending to printer." msgstr "" -"Een MicroSD-kaart moet worden geplaatst voordat er iets naar de printer wordt gestuurd." +"Een MicroSD-kaart moet worden geplaatst voordat er iets naar de printer " +"wordt gestuurd." msgid "Importing SLA archive" msgstr "Importing SLA archive" msgid "" -"The SLA archive doesn't contain any presets. Please activate some SLA printer preset first " -"before importing that SLA archive." +"The SLA archive doesn't contain any presets. Please activate some SLA " +"printer preset first before importing that SLA archive." msgstr "" -"The SLA archive doesn't contain any presets. Please activate some SLA printer presets first " -"before importing that SLA archive." +"The SLA archive doesn't contain any presets. Please activate some SLA " +"printer presets first before importing that SLA archive." msgid "Importing canceled." msgstr "Importing canceled." @@ -2632,11 +2694,11 @@ msgid "Importing done." msgstr "Importing done." msgid "" -"The imported SLA archive did not contain any presets. The current SLA presets were used as " -"fallback." +"The imported SLA archive did not contain any presets. The current SLA " +"presets were used as fallback." msgstr "" -"The imported SLA archive did not contain any presets. The current SLA presets were used as " -"fallback." +"The imported SLA archive did not contain any presets. The current SLA " +"presets were used as fallback." msgid "You cannot load SLA project with a multi-part object on the bed" msgstr "You cannot load an SLA project with a multi-part object on the bed" @@ -2687,11 +2749,12 @@ msgid "Libraries" msgstr "Bibliotheken" msgid "" -"This software uses open source components whose copyright and other proprietary rights " -"belong to their respective owners" +"This software uses open source components whose copyright and other " +"proprietary rights belong to their respective owners" msgstr "" -"Deze software maakt gebruik van open source-componenten waarvan het auteursrecht en andere " -"rechten eigendom zijn van hun respectievelijke eigenaren." +"Deze software maakt gebruik van open source-componenten waarvan het " +"auteursrecht en andere rechten eigendom zijn van hun respectievelijke " +"eigenaren." #, c-format, boost-format msgid "About %s" @@ -2707,10 +2770,15 @@ msgid "BambuStudio is originally based on PrusaSlicer by PrusaResearch." msgstr "" msgid "PrusaSlicer is originally based on Slic3r by Alessandro Ranellucci." -msgstr "PrusaSlicer is oorspronkelijk gebaseerd op Slic3r van Alessandro Ranellucci." +msgstr "" +"PrusaSlicer is oorspronkelijk gebaseerd op Slic3r van Alessandro Ranellucci." -msgid "Slic3r was created by Alessandro Ranellucci with the help of many other contributors." -msgstr "Slic3r is gemaakt door Alessandro Ranellucci met de hulp van vele andere bijdragers." +msgid "" +"Slic3r was created by Alessandro Ranellucci with the help of many other " +"contributors." +msgstr "" +"Slic3r is gemaakt door Alessandro Ranellucci met de hulp van vele andere " +"bijdragers." msgid "Version" msgstr "Versie" @@ -2748,7 +2816,9 @@ msgid "SN" msgstr "SN" msgid "Setting AMS slot information while printing is not supported" -msgstr "Het instellen van AMS slot informatie tijdens het printen wordt niet ondersteund." +msgstr "" +"Het instellen van AMS slot informatie tijdens het printen wordt niet " +"ondersteund." msgid "Factors of Flow Dynamics Calibration" msgstr "Factoren van Flow Dynamics Calibration" @@ -2789,13 +2859,14 @@ msgid "Dynamic flow calibration" msgstr "Dynamic flow calibration" msgid "" -"The nozzle temp and max volumetric speed will affect the calibration results. Please fill " -"in the same values as the actual printing. They can be auto-filled by selecting a filament " -"preset." +"The nozzle temp and max volumetric speed will affect the calibration " +"results. Please fill in the same values as the actual printing. They can be " +"auto-filled by selecting a filament preset." msgstr "" -"De temperatuur van het mondstuk en de maximale volumetrische snelheid zijn van invloed op " -"de kalibratieresultaten. Voer dezelfde waarden in als bij de daadwerkelijke afdruk. Ze " -"kunnen automatisch worden gevuld door een voorinstelling voor filamenten te selecteren." +"De temperatuur van het mondstuk en de maximale volumetrische snelheid zijn " +"van invloed op de kalibratieresultaten. Voer dezelfde waarden in als bij de " +"daadwerkelijke afdruk. Ze kunnen automatisch worden gevuld door een " +"voorinstelling voor filamenten te selecteren." msgid "Nozzle Diameter" msgstr "Mondstukdiameter" @@ -2828,11 +2899,13 @@ msgid "Next" msgstr "Volgende" msgid "" -"Calibration completed. Please find the most uniform extrusion line on your hot bed like the " -"picture below, and fill the value on its left side into the factor K input box." +"Calibration completed. Please find the most uniform extrusion line on your " +"hot bed like the picture below, and fill the value on its left side into the " +"factor K input box." msgstr "" -"Kalibratie voltooid. Zoek de meest uniforme extrusielijn op uw hotbed, zoals op de " -"afbeelding hieronder, en vul de waarde aan de linkerkant in het invoervak factor K in." +"Kalibratie voltooid. Zoek de meest uniforme extrusielijn op uw hotbed, zoals " +"op de afbeelding hieronder, en vul de waarde aan de linkerkant in het " +"invoervak factor K in." msgid "Save" msgstr "Bewaar" @@ -2863,10 +2936,11 @@ msgstr "Stap" msgid "AMS Slots" msgstr "AMS Slots" -msgid "Note: Only the AMS slots loaded with the same material type can be selected." +msgid "" +"Note: Only the AMS slots loaded with the same material type can be selected." msgstr "" -"Opmerking: Alleen de AMS-slots die met hetzelfde materiaaltype zijn geladen, kunnen worden " -"geselecteerd." +"Opmerking: Alleen de AMS-slots die met hetzelfde materiaaltype zijn geladen, " +"kunnen worden geselecteerd." msgid "Enable AMS" msgstr "AMS inschakelen" @@ -2884,18 +2958,21 @@ msgid "Current Cabin humidity" msgstr "Current Cabin humidity" msgid "" -"Please change the desiccant when it is too wet. The indicator may not represent accurately " -"in following cases : when the lid is open or the desiccant pack is changed. it take hours " -"to absorb the moisture, low temperatures also slow down the process." +"Please change the desiccant when it is too wet. The indicator may not " +"represent accurately in following cases : when the lid is open or the " +"desiccant pack is changed. it take hours to absorb the moisture, low " +"temperatures also slow down the process." msgstr "" -"Please change the desiccant when it is too wet. The indicator may not represent accurately " -"in following cases: when the lid is open or the desiccant pack is changed. It takes a few " -"hours to absorb the moisture, and low temperatures also slow down the process." +"Please change the desiccant when it is too wet. The indicator may not " +"represent accurately in following cases: when the lid is open or the " +"desiccant pack is changed. It takes a few hours to absorb the moisture, and " +"low temperatures also slow down the process." -msgid "Config which AMS slot should be used for a filament used in the print job" +msgid "" +"Config which AMS slot should be used for a filament used in the print job" msgstr "" -"Configureer welke AMS-sleuf moet worden gebruikt voor een filament dat voor de " -"printopdracht wordt gebruikt." +"Configureer welke AMS-sleuf moet worden gebruikt voor een filament dat voor " +"de printopdracht wordt gebruikt." msgid "Filament used in this print job" msgstr "Filament gebruikt in deze printopdracht" @@ -2919,11 +2996,11 @@ msgid "Print with filaments mounted on the back of the chassis" msgstr "Print met filament op een externe spoel" msgid "" -"When the current material run out, the printer will continue to print in the following " -"order." +"When the current material run out, the printer will continue to print in the " +"following order." msgstr "" -"Als het huidige materiaal op is, gaat de printer verder met afdrukken in de volgende " -"volgorde." +"Als het huidige materiaal op is, gaat de printer verder met afdrukken in de " +"volgende volgorde." msgid "Group" msgstr "Group" @@ -2931,17 +3008,21 @@ msgstr "Group" msgid "The printer does not currently support auto refill." msgstr "De printer ondersteunt automatisch bijvullen momenteel niet." -msgid "AMS filament backup is not enabled, please enable it in the AMS settings." -msgstr "AMS filament backup is not enabled; please enable it in the AMS settings." +msgid "" +"AMS filament backup is not enabled, please enable it in the AMS settings." +msgstr "" +"AMS filament backup is not enabled; please enable it in the AMS settings." msgid "" -"If there are two identical filaments in AMS, AMS filament backup will be enabled. \n" -"(Currently supporting automatic supply of consumables with the same brand, material type, " -"and color)" +"If there are two identical filaments in AMS, AMS filament backup will be " +"enabled. \n" +"(Currently supporting automatic supply of consumables with the same brand, " +"material type, and color)" msgstr "" -"If there are two identical filaments in an AMS, AMS filament backup will be enabled. \n" -"(This currently supports automatic supply of consumables with the same brand, material " -"type, and color)" +"If there are two identical filaments in an AMS, AMS filament backup will be " +"enabled. \n" +"(This currently supports automatic supply of consumables with the same " +"brand, material type, and color)" msgid "DRY" msgstr "DRY" @@ -2956,74 +3037,78 @@ msgid "Insertion update" msgstr "Update gegevens bij invoeren" msgid "" -"The AMS will automatically read the filament information when inserting a new Bambu Lab " -"filament. This takes about 20 seconds." +"The AMS will automatically read the filament information when inserting a " +"new Bambu Lab filament. This takes about 20 seconds." msgstr "" -"De AMS zal automatisch de filamentinformatie lezen bij het plaatsen van een nieuw Bambu Lab " -"filament. Dit duurt ongeveer 20 seconden." +"De AMS zal automatisch de filamentinformatie lezen bij het plaatsen van een " +"nieuw Bambu Lab filament. Dit duurt ongeveer 20 seconden." msgid "" -"Note: if a new filament is inserted during printing, the AMS will not automatically read " -"any information until printing is completed." +"Note: if a new filament is inserted during printing, the AMS will not " +"automatically read any information until printing is completed." msgstr "" -"Opmerking: als er tijdens het printen een nieuw filament wordt geplaatst, zal het AMS niet " -"automatisch informatie lezen totdat het printen is voltooid." +"Opmerking: als er tijdens het printen een nieuw filament wordt geplaatst, " +"zal het AMS niet automatisch informatie lezen totdat het printen is voltooid." msgid "" -"When inserting a new filament, the AMS will not automatically read its information, leaving " -"it blank for you to enter manually." +"When inserting a new filament, the AMS will not automatically read its " +"information, leaving it blank for you to enter manually." msgstr "" -"Bij het laden van nieuw filament zal de informatie niet automatisch ingelezen worden door " -"de AMS, de informatie kan door uzelf worden ingegeven." +"Bij het laden van nieuw filament zal de informatie niet automatisch " +"ingelezen worden door de AMS, de informatie kan door uzelf worden ingegeven." msgid "Power on update" msgstr "Update gegevens bij aanzetten" msgid "" -"The AMS will automatically read the information of inserted filament on start-up. It will " -"take about 1 minute.The reading process will roll filament spools." +"The AMS will automatically read the information of inserted filament on " +"start-up. It will take about 1 minute.The reading process will roll filament " +"spools." msgstr "" -"De AMS leest automatisch de informatie van het ingevoegde filament bij het opstarten. Dit " -"duurt ongeveer 1 minuut. Tijdens het leesproces zullen de filamentspoelen rollen." +"De AMS leest automatisch de informatie van het ingevoegde filament bij het " +"opstarten. Dit duurt ongeveer 1 minuut. Tijdens het leesproces zullen de " +"filamentspoelen rollen." msgid "" -"The AMS will not automatically read information from inserted filament during startup and " -"will continue to use the information recorded before the last shutdown." +"The AMS will not automatically read information from inserted filament " +"during startup and will continue to use the information recorded before the " +"last shutdown." msgstr "" -"De informatie van het geladen filament zal niet automatisch gelezen worden door de AMS " -"tijdens het opstarten. De tijdens de laatste keer uitzetten opgeslagen informatie zal " -"gebruikt worden." +"De informatie van het geladen filament zal niet automatisch gelezen worden " +"door de AMS tijdens het opstarten. De tijdens de laatste keer uitzetten " +"opgeslagen informatie zal gebruikt worden." msgid "Update remaining capacity" msgstr "Resterende capaciteit bijwerken" msgid "" -"The AMS will estimate Bambu filament's remaining capacity after the filament info is " -"updated. During printing, remaining capacity will be updated automatically." +"The AMS will estimate Bambu filament's remaining capacity after the filament " +"info is updated. During printing, remaining capacity will be updated " +"automatically." msgstr "" -"De AMS zal een schatting maken van de resterende capaciteit van het Bambu-filament nadat de " -"filamentinformatie is bijgewerkt. Tijdens het afdrukken wordt de resterende capaciteit " -"automatisch bijgewerkt." +"De AMS zal een schatting maken van de resterende capaciteit van het Bambu-" +"filament nadat de filamentinformatie is bijgewerkt. Tijdens het afdrukken " +"wordt de resterende capaciteit automatisch bijgewerkt." msgid "AMS filament backup" msgstr "AMS filament backup" msgid "" -"AMS will continue to another spool with the same properties of filament automatically when " -"current filament runs out" +"AMS will continue to another spool with the same properties of filament " +"automatically when current filament runs out" msgstr "" -"AMS gaat automatisch verder met een andere spoel met dezelfde filament eigenschappen " -"wanneer het huidige filament op is." +"AMS gaat automatisch verder met een andere spoel met dezelfde filament " +"eigenschappen wanneer het huidige filament op is." msgid "Air Printing Detection" msgstr "Air Printing Detection" msgid "" -"Detects clogging and filament grinding, halting printing immediately to conserve time and " -"filament." +"Detects clogging and filament grinding, halting printing immediately to " +"conserve time and filament." msgstr "" -"Detects clogging and filament grinding, halting printing immediately to conserve time and " -"filament." +"Detects clogging and filament grinding, halting printing immediately to " +"conserve time and filament." msgid "File" msgstr "Bestand" @@ -3032,18 +3117,18 @@ msgid "Calibration" msgstr "Kalibratie" msgid "" -"Failed to download the plug-in. Please check your firewall settings and vpn software, check " -"and retry." +"Failed to download the plug-in. Please check your firewall settings and vpn " +"software, check and retry." msgstr "" -"Het downloaden van de plug-in is mislukt. Controleer je firewall-instellingen en VPN-" -"software en probeer het opnieuw." +"Het downloaden van de plug-in is mislukt. Controleer je firewall-" +"instellingen en VPN-software en probeer het opnieuw." msgid "" -"Failed to install the plug-in. Please check whether it is blocked or deleted by anti-virus " -"software." +"Failed to install the plug-in. Please check whether it is blocked or deleted " +"by anti-virus software." msgstr "" -"De installatie van de plug-in is mislukt. Controleer of deze is geblokkeerd of verwijderd " -"door anti-virussoftware." +"De installatie van de plug-in is mislukt. Controleer of deze is geblokkeerd " +"of verwijderd door anti-virussoftware." msgid "click here to see more info" msgstr "klik hier voor meer informatie" @@ -3052,18 +3137,21 @@ msgid "Please home all axes (click " msgstr "Centreer alle assen (klik" msgid "" -") to locate the toolhead's position. This prevents device moving beyond the printable " -"boundary and causing equipment wear." +") to locate the toolhead's position. This prevents device moving beyond the " +"printable boundary and causing equipment wear." msgstr "" -") om de positie van de gereedschapskop te bepalen. Dit voorkomt dat het apparaat de " -"printbare grens overschrijdt en dat apparatuur slijt." +") om de positie van de gereedschapskop te bepalen. Dit voorkomt dat het " +"apparaat de printbare grens overschrijdt en dat apparatuur slijt." msgid "Go Home" msgstr "Near home positie" -msgid "A error occurred. Maybe memory of system is not enough or it's a bug of the program" +msgid "" +"A error occurred. Maybe memory of system is not enough or it's a bug of the " +"program" msgstr "" -"Er is een probleem opgetreden. Er is geen vrij geheugen of er een is een bug opgetreden" +"Er is een probleem opgetreden. Er is geen vrij geheugen of er een is een bug " +"opgetreden" msgid "Please save project and restart the program. " msgstr "Sla uw project alstublieft op en herstart het programma. " @@ -3106,46 +3194,47 @@ msgstr "Onbekende fout opgetreden tijdens exporteren van de G-code." #, boost-format msgid "" -"Copying of the temporary G-code to the output G-code failed. Maybe the SD card is write " -"locked?\n" +"Copying of the temporary G-code to the output G-code failed. Maybe the SD " +"card is write locked?\n" "Error message: %1%" msgstr "" -"Fout bij het exporteren naar output-G-code. Is de SD-kaart geblokkeerd tegen schrijven?\n" +"Fout bij het exporteren naar output-G-code. Is de SD-kaart geblokkeerd tegen " +"schrijven?\n" "Foutbericht: %1%" #, boost-format msgid "" -"Copying of the temporary G-code to the output G-code failed. There might be problem with " -"target device, please try exporting again or using different device. The corrupted output G-" -"code is at %1%.tmp." +"Copying of the temporary G-code to the output G-code failed. There might be " +"problem with target device, please try exporting again or using different " +"device. The corrupted output G-code is at %1%.tmp." msgstr "" -"Fout bij het exporteren naar output-G-code. Het probleem ligt mogelijk bij het " -"doelapparaat. Probeer het opnieuw te exporteren of gebruik een ander apparat. De " -"beschadigde G-code is opgeslagen als %1%.tmp." +"Fout bij het exporteren naar output-G-code. Het probleem ligt mogelijk bij " +"het doelapparaat. Probeer het opnieuw te exporteren of gebruik een ander " +"apparat. De beschadigde G-code is opgeslagen als %1%.tmp." #, boost-format msgid "" -"Renaming of the G-code after copying to the selected destination folder has failed. Current " -"path is %1%.tmp. Please try exporting again." +"Renaming of the G-code after copying to the selected destination folder has " +"failed. Current path is %1%.tmp. Please try exporting again." msgstr "" -"Fout bij het exporteren naar output-G-code. Hernoemen van het bestand mislukt. Huidige " -"locatie is %1%.tmp. Probeer opnieuw te exporteren." +"Fout bij het exporteren naar output-G-code. Hernoemen van het bestand " +"mislukt. Huidige locatie is %1%.tmp. Probeer opnieuw te exporteren." #, boost-format msgid "" -"Copying of the temporary G-code has finished but the original code at %1% couldn't be " -"opened during copy check. The output G-code is at %2%.tmp." +"Copying of the temporary G-code has finished but the original code at %1% " +"couldn't be opened during copy check. The output G-code is at %2%.tmp." msgstr "" -"Fout bij het exporteren naar output-G-code. Exporteren gelukt, maar kan het bestand %1% " -"niet openen om te controleren. De output is %2%.tmp." +"Fout bij het exporteren naar output-G-code. Exporteren gelukt, maar kan het " +"bestand %1% niet openen om te controleren. De output is %2%.tmp." #, boost-format msgid "" -"Copying of the temporary G-code has finished but the exported code couldn't be opened " -"during copy check. The output G-code is at %1%.tmp." +"Copying of the temporary G-code has finished but the exported code couldn't " +"be opened during copy check. The output G-code is at %1%.tmp." msgstr "" -"Fout bij het exporteren naar output-G-code. Exporteren gelukt, maar kan het bestand niet " -"openen om te controleren. De output is %1%.tmp." +"Fout bij het exporteren naar output-G-code. Exporteren gelukt, maar kan het " +"bestand niet openen om te controleren. De output is %1%.tmp." #, boost-format msgid "G-code file exported to %1%" @@ -3165,7 +3254,8 @@ msgstr "" "Bronbestand %2%." msgid "Copying of the temporary G-code to the output G-code failed" -msgstr "Het kopiëren van de tijdelijke G-code naar de G-uitvoercode is mislukt." +msgstr "" +"Het kopiëren van de tijdelijke G-code naar de G-uitvoercode is mislukt." #, boost-format msgid "Scheduling upload to `%1%`. See Window -> Print Host Upload Queue" @@ -3221,7 +3311,8 @@ msgstr "Device Status" msgid "Actions" msgstr "Actions" -msgid "Please select the devices you would like to manage here (up to 6 devices)" +msgid "" +"Please select the devices you would like to manage here (up to 6 devices)" msgstr "" msgid "Add" @@ -3351,17 +3442,19 @@ msgid "Send to" msgstr "" msgid "" -"printers at the same time.(It depends on how many devices can undergo heating at the same " -"time.)" +"printers at the same time.(It depends on how many devices can undergo " +"heating at the same time.)" msgstr "" -"printers at the same time. (It depends on how many devices can undergo heating at the same " -"time.)" +"printers at the same time. (It depends on how many devices can undergo " +"heating at the same time.)" msgid "Wait" msgstr "Wait" -msgid "minute each batch.(It depends on how long it takes to complete the heating.)" -msgstr "minute each batch. (It depends on how long it takes to complete heating.)" +msgid "" +"minute each batch.(It depends on how long it takes to complete the heating.)" +msgstr "" +"minute each batch. (It depends on how long it takes to complete heating.)" msgid "Send" msgstr "Versturen" @@ -3393,14 +3486,19 @@ msgstr "Begin" msgid "Size in X and Y of the rectangular plate." msgstr "Maat in X en Y van de vierkante printplaat." -msgid "Distance of the 0,0 G-code coordinate from the front left corner of the rectangle." +msgid "" +"Distance of the 0,0 G-code coordinate from the front left corner of the " +"rectangle." msgstr "" -"Afstand van het 0,0 G-code coordinaat gezien vanuit de linker voorhoek van het printbed." +"Afstand van het 0,0 G-code coordinaat gezien vanuit de linker voorhoek van " +"het printbed." -msgid "Diameter of the print bed. It is assumed that origin (0,0) is located in the center." +msgid "" +"Diameter of the print bed. It is assumed that origin (0,0) is located in the " +"center." msgstr "" -"Diameter van het printbed, ervan uitgaande dat de thuispositie (0,0) in het midden van het " -"bed is." +"Diameter van het printbed, ervan uitgaande dat de thuispositie (0,0) in het " +"midden van het bed is." msgid "Rectangular" msgstr "Rechthoekig" @@ -3427,7 +3525,8 @@ msgid "Model" msgstr "Model" msgid "Choose an STL file to import bed shape from:" -msgstr "Kies een STL bestand waar de vorm van het printbed uit opgehaald kan worden:" +msgstr "" +"Kies een STL bestand waar de vorm van het printbed uit opgehaald kan worden:" msgid "Invalid file format." msgstr "Ongeldig bestandsformaat." @@ -3438,13 +3537,15 @@ msgstr "Fout: Ongeldig model" msgid "The selected file contains no geometry." msgstr "Het gekozen bestand bevat geen geometrische data." -msgid "The selected file contains several disjoint areas. This is not supported." +msgid "" +"The selected file contains several disjoint areas. This is not supported." msgstr "" -"Het geselecteerde bestand bevat verschillende onsamenhangende gebieden. Dit is niet " -"toegestaan." +"Het geselecteerde bestand bevat verschillende onsamenhangende gebieden. Dit " +"is niet toegestaan." msgid "Choose a file to import bed texture from (PNG/SVG):" -msgstr "Kies een bestand om de textuur van het printbed uit op te halen (PNG/SVG):" +msgstr "" +"Kies een bestand om de textuur van het printbed uit op te halen (PNG/SVG):" msgid "Choose an STL file to import bed model from:" msgstr "Kies een STL bestand waaruit het printbed model geladen kan worden:" @@ -3453,18 +3554,18 @@ msgid "Bed Shape" msgstr "Printbed vorm" msgid "" -"The recommended minimum temperature is less than 190 degree or the recommended maximum " -"temperature is greater than 300 degree.\n" +"The recommended minimum temperature is less than 190 degree or the " +"recommended maximum temperature is greater than 300 degree.\n" msgstr "" "De aanbevolen minimumtemperatuur is lager dan 190 graden of de aanbevolen " "maximumtemperatuur is hoger dan 300 graden.\n" msgid "" -"The recommended minimum temperature cannot be higher than the recommended maximum " -"temperature.\n" +"The recommended minimum temperature cannot be higher than the recommended " +"maximum temperature.\n" msgstr "" -"The recommended minimum temperature cannot be higher than the recommended maximum " -"temperature.\n" +"The recommended minimum temperature cannot be higher than the recommended " +"maximum temperature.\n" msgid "Please check.\n" msgstr "Controleer het.\n" @@ -3474,14 +3575,18 @@ msgid "" "Please make sure whether to use the temperature to print.\n" "\n" msgstr "" -"Het kan zijn dat het mondstuk verstopt raakt indien er geprint wordt met een temperatuur " -"buiten de voorgestelde range.\n" +"Het kan zijn dat het mondstuk verstopt raakt indien er geprint wordt met een " +"temperatuur buiten de voorgestelde range.\n" "Controleer en bevestig de temperatuur voordat u verder gaat met printen.\n" "\n" #, c-format, boost-format -msgid "Recommended nozzle temperature of this filament type is [%d, %d] degree centigrade" -msgstr "De aanbevolen mondstuk temperatuur voor dit type filament is [%d, %d] graden Celsius" +msgid "" +"Recommended nozzle temperature of this filament type is [%d, %d] degree " +"centigrade" +msgstr "" +"De aanbevolen mondstuk temperatuur voor dit type filament is [%d, %d] graden " +"Celsius" msgid "" "Too small max volumetric speed.\n" @@ -3492,12 +3597,13 @@ msgstr "" #, c-format, boost-format msgid "" -"Current chamber temperature is higher than the material's safe temperature,it may result in " -"material softening and clogging.The maximum safe temperature for the material is %d" +"Current chamber temperature is higher than the material's safe temperature," +"it may result in material softening and clogging.The maximum safe " +"temperature for the material is %d" msgstr "" -"De huidige kamertemperatuur is hoger dan de veilige temperatuur van het materiaal; dit kan " -"leiden tot verzachting van het materiaal en verstoppingen van het mondstuk. De maximale " -"veilige temperatuur voor het materiaal is %d" +"De huidige kamertemperatuur is hoger dan de veilige temperatuur van het " +"materiaal; dit kan leiden tot verzachting van het materiaal en verstoppingen " +"van het mondstuk. De maximale veilige temperatuur voor het materiaal is %d" msgid "" "Too small layer height.\n" @@ -3523,15 +3629,17 @@ msgstr "" "De hoogte voor de eerste laag wordt teruggezet naar 0.2." msgid "" -"This setting is only used for model size tunning with small value in some cases.\n" +"This setting is only used for model size tunning with small value in some " +"cases.\n" "For example, when model size has small error and hard to be assembled.\n" "For large size tuning, please use model scale function.\n" "\n" "The value will be reset to 0." msgstr "" -"Deze instelling wordt in sommige gevallen alleen gebruikt voor modelafmetingen met een " -"kleine waarde.\n" -"Als bijvoorbeeld de modelgrootte een kleine fout heeft en moeilijk te monteren is.\n" +"Deze instelling wordt in sommige gevallen alleen gebruikt voor " +"modelafmetingen met een kleine waarde.\n" +"Als bijvoorbeeld de modelgrootte een kleine fout heeft en moeilijk te " +"monteren is.\n" "Gebruik voor het afstemmen van grote prints de shaal functie.\n" "\n" "De waarde wordt teruggezet naar 0." @@ -3544,30 +3652,33 @@ msgid "" "The value will be reset to 0." msgstr "" "Het is niet reëel om een grote \"elephant foot\" compensatie in te stellen\n" -"Controleer andere instellingen indien er echt een groot \"elephant foot\" effect optreeft.\n" +"Controleer andere instellingen indien er echt een groot \"elephant foot\" " +"effect optreeft.\n" "Het kan bijvoorbeeld zijn dat de temperatuur van het printbed te hoog is.\n" "\n" "De waarde wordt teruggezet naar 0." msgid "" -"Alternate extra wall does't work well when ensure vertical shell thickness is set to All. " +"Alternate extra wall does't work well when ensure vertical shell thickness " +"is set to All. " msgstr "" msgid "" "Change these settings automatically? \n" -"Yes - Change ensure vertical shell thickness to Moderate and enable alternate extra wall\n" +"Yes - Change ensure vertical shell thickness to Moderate and enable " +"alternate extra wall\n" "No - Dont use alternate extra wall" msgstr "" msgid "" -"Prime tower does not work when Adaptive Layer Height or Independent Support Layer Height is " -"on.\n" +"Prime tower does not work when Adaptive Layer Height or Independent Support " +"Layer Height is on.\n" "Which do you want to keep?\n" "YES - Keep Prime Tower\n" "NO - Keep Adaptive Layer Height and Independent Support Layer Height" msgstr "" -"Prime tower werkt niet wanneer adaptieve laag hoogte of onafhankelijke support laaghoogte " -"is ingeschakeld.\n" +"Prime tower werkt niet wanneer adaptieve laag hoogte of onafhankelijke " +"support laaghoogte is ingeschakeld.\n" "Welke instelling wilt u gebruiken\n" "JA - laat de prime-tower aan staan\n" "NO - laat adaptieve laag en onafhankelijke support-laaghoogte ingeschakeld" @@ -3589,7 +3700,8 @@ msgid "" "YES - Keep Prime Tower\n" "NO - Keep Independent Support Layer Height" msgstr "" -"Prime tower werkt niet wanneer onafhankelijke support laag hoogte is ingeschakeld.\n" +"Prime tower werkt niet wanneer onafhankelijke support laag hoogte is " +"ingeschakeld.\n" "Welke instelling wilt u gebruiken\n" "JA - laat de prime-tower aan staan\n" "NO - laat onafhankelijke support-laag-hoogte ingeschakeld" @@ -3607,11 +3719,11 @@ msgid "" msgstr "" msgid "" -"Spiral mode only works when wall loops is 1, support is disabled, top shell layers is 0, " -"sparse infill density is 0 and timelapse type is traditional." +"Spiral mode only works when wall loops is 1, support is disabled, top shell " +"layers is 0, sparse infill density is 0 and timelapse type is traditional." msgstr "" -"Spiral mode only works when wall loops is 1, support is disabled, top shell layers is 0, " -"sparse infill density is 0 and timelapse type is traditional." +"Spiral mode only works when wall loops is 1, support is disabled, top shell " +"layers is 0, sparse infill density is 0 and timelapse type is traditional." msgid " But machines with I3 structure will not generate timelapse videos." msgstr " Maar machines met een I3-structuur genereren geen timelapsevideo's." @@ -3704,7 +3816,8 @@ msgid "Paused due to AMS lost" msgstr "Gepauzeerd wegens verlies van AMS" msgid "Paused due to low speed of the heat break fan" -msgstr "Gepauzeerd vanwege lage snelheid van de ventilator voor warmteonderbreking" +msgstr "" +"Gepauzeerd vanwege lage snelheid van de ventilator voor warmteonderbreking" msgid "Paused due to chamber temperature control error" msgstr "Gepauzeerd vanwege een fout in de temperatuurregeling van de kamer" @@ -3755,32 +3868,39 @@ msgid "Update failed." msgstr "Updaten mislukt." msgid "" -"The current chamber temperature or the target chamber temperature exceeds 45℃.In order to " -"avoid extruder clogging,low temperature filament(PLA/PETG/TPU) is not allowed to be loaded." +"The current chamber temperature or the target chamber temperature exceeds " +"45℃.In order to avoid extruder clogging,low temperature filament(PLA/PETG/" +"TPU) is not allowed to be loaded." msgstr "" -"The current chamber temperature or the target chamber temperature exceeds 45℃. In order to " -"avoid extruder clogging, low temperature filament (PLA/PETG/TPU) is not allowed to be " -"loaded." +"The current chamber temperature or the target chamber temperature exceeds " +"45℃. In order to avoid extruder clogging, low temperature filament (PLA/PETG/" +"TPU) is not allowed to be loaded." msgid "" -"Low temperature filament(PLA/PETG/TPU) is loaded in the extruder.In order to avoid extruder " -"clogging,it is not allowed to set the chamber temperature above 45℃." +"Low temperature filament(PLA/PETG/TPU) is loaded in the extruder.In order to " +"avoid extruder clogging,it is not allowed to set the chamber temperature " +"above 45℃." msgstr "" -"Low temperature filament (PLA/PETG/TPU) is loaded in the extruder. In order to avoid " -"extruder clogging, it is not allowed to set the chamber temperature above 45℃." +"Low temperature filament (PLA/PETG/TPU) is loaded in the extruder. In order " +"to avoid extruder clogging, it is not allowed to set the chamber temperature " +"above 45℃." msgid "" -"When you set the chamber temperature below 40℃, the chamber temperature control will not be " -"activated. And the target chamber temperature will automatically be set to 0℃." +"When you set the chamber temperature below 40℃, the chamber temperature " +"control will not be activated. And the target chamber temperature will " +"automatically be set to 0℃." msgstr "" -"When you set the chamber temperature below 40℃, the chamber temperature control will not be " -"activated, and the target chamber temperature will automatically be set to 0℃." +"When you set the chamber temperature below 40℃, the chamber temperature " +"control will not be activated, and the target chamber temperature will " +"automatically be set to 0℃." msgid "Failed to start printing job" msgstr "Het starten van de printopdracht is mislukt" -msgid "This calibration does not support the currently selected nozzle diameter" -msgstr "Deze kalibratie ondersteunt de momenteel geselecteerde mondstukdiameter niet" +msgid "" +"This calibration does not support the currently selected nozzle diameter" +msgstr "" +"Deze kalibratie ondersteunt de momenteel geselecteerde mondstukdiameter niet" msgid "Current flowrate cali param is invalid" msgstr "Huidige stroomsnelheid cali param is ongeldig" @@ -3801,18 +3921,18 @@ msgid "Bambu PET-CF/PA6-CF is not supported by AMS." msgstr "Bambu PET-CF/PA6-CF wordt niet ondersteund door AMS." msgid "" -"Damp PVA will become flexible and get stuck inside AMS,please take care to dry it before " -"use." +"Damp PVA will become flexible and get stuck inside AMS,please take care to " +"dry it before use." msgstr "" -"Vochtige PVA zal flexibel worden en vast komen te zitten in de AMS, zorg er dus voor dat je " -"het droogt voor gebruik." +"Vochtige PVA zal flexibel worden en vast komen te zitten in de AMS, zorg er " +"dus voor dat je het droogt voor gebruik." msgid "" -"CF/GF filaments are hard and brittle, It's easy to break or get stuck in AMS, please use " -"with caution." +"CF/GF filaments are hard and brittle, It's easy to break or get stuck in " +"AMS, please use with caution." msgstr "" -"CF/GF-filamenten zijn hard en bros. Ze kunnen gemakkelijk breken of vast komen te zitten in " -"AMS." +"CF/GF-filamenten zijn hard en bros. Ze kunnen gemakkelijk breken of vast " +"komen te zitten in AMS." msgid "default" msgstr "Standaard" @@ -3911,8 +4031,11 @@ msgstr "" "NEE voor %s %s." #, boost-format -msgid "Invalid input format. Expected vector of dimensions in the following format: \"%1%\"" -msgstr "Ongeldige invoer. Verwachte waarde moet in het volgende format: \"%1%\"" +msgid "" +"Invalid input format. Expected vector of dimensions in the following format: " +"\"%1%\"" +msgstr "" +"Ongeldige invoer. Verwachte waarde moet in het volgende format: \"%1%\"" msgid "Input value is out of range" msgstr "Ingevoerde waarde valt buiten het bereik" @@ -4002,6 +4125,15 @@ msgstr "Totale tijd" msgid "Total cost" msgstr "Total cost" +msgid "up to" +msgstr "tot" + +msgid "above" +msgstr "Boven" + +msgid "from" +msgstr "Van" + msgid "Color Scheme" msgstr "Kleurschema" @@ -4065,12 +4197,12 @@ msgstr "Filamentwisseltijden" msgid "Cost" msgstr "Kosten" -msgid "Print" -msgstr "Print" - msgid "Color change" msgstr "Kleur veranderen" +msgid "Print" +msgstr "Print" + msgid "Printer" msgstr "Printer" @@ -4254,10 +4386,10 @@ msgstr "Volume:" msgid "Size:" msgstr "Maat:" -#, c-format, boost-format +#, boost-format msgid "" -"Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please separate the " -"conflicted objects farther (%s <-> %s)." +"Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " +"separate the conflicted objects farther (%s <-> %s)." msgstr "" msgid "An object is layed over the boundary of plate." @@ -4274,12 +4406,13 @@ msgstr "Alleen het object waaraan gewerkt wordt is zichtbaar." msgid "" "An object is laid over the boundary of plate or exceeds the height limit.\n" -"Please solve the problem by moving it totally on or off the plate, and confirming that the " -"height is within the build volume." +"Please solve the problem by moving it totally on or off the plate, and " +"confirming that the height is within the build volume." msgstr "" -"Een object is over de grens van de plaat geplaatst of overschrijdt de hoogtelimiet.\n" -"Los het probleem op door het geheel op of van de plaat te verplaatsen, en controleer of de " -"hoogte binnen het bouwvolume valt." +"Een object is over de grens van de plaat geplaatst of overschrijdt de " +"hoogtelimiet.\n" +"Los het probleem op door het geheel op of van de plaat te verplaatsen, en " +"controleer of de hoogte binnen het bouwvolume valt." msgid "Calibration step selection" msgstr "Kalibratiestap selectie" @@ -4300,12 +4433,12 @@ msgid "Calibration program" msgstr "Kalibratie programma" msgid "" -"The calibration program detects the status of your device automatically to minimize " -"deviation.\n" +"The calibration program detects the status of your device automatically to " +"minimize deviation.\n" "It keeps the device performing optimally." msgstr "" -"Het kalibratieprogramma detecteert automatisch de status van uw apparaat om afwijkingen te " -"minimaliseren.\n" +"Het kalibratieprogramma detecteert automatisch de status van uw apparaat om " +"afwijkingen te minimaliseren.\n" "Het zorgt ervoor dat het apparaat optimaal blijft presteren." msgid "Calibration Flow" @@ -4693,6 +4826,18 @@ msgstr "Fase 2" msgid "Flow rate test - Pass 2" msgstr "Stroomsnelheidstest - Fase 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Flowrate" @@ -4797,13 +4942,15 @@ msgstr "Selecteer het te laden profiel:" #, c-format, boost-format msgid "There is %d config imported. (Only non-system and compatible configs)" -msgid_plural "There are %d configs imported. (Only non-system and compatible configs)" +msgid_plural "" +"There are %d configs imported. (Only non-system and compatible configs)" msgstr[0] "" msgstr[1] "" msgid "" "\n" -"Hint: Make sure you have added the corresponding printer before importing the configs." +"Hint: Make sure you have added the corresponding printer before importing " +"the configs." msgstr "" msgid "Import result" @@ -4841,24 +4988,32 @@ msgid "Player is malfunctioning. Please reinstall the system player." msgstr "De speler werkt niet goed. Installeer de systeemspeler opnieuw." msgid "The player is not loaded, please click \"play\" button to retry." -msgstr "De speler is niet geladen; klik op de \"play\" knop om het opnieuw te proberen." +msgstr "" +"De speler is niet geladen; klik op de \"play\" knop om het opnieuw te " +"proberen." msgid "Please confirm if the printer is connected." msgstr "Controleer of de printer is aangesloten." -msgid "The printer is currently busy downloading. Please try again after it finishes." +msgid "" +"The printer is currently busy downloading. Please try again after it " +"finishes." msgstr "" -"De printer is momenteel bezig met downloaden. Probeer het opnieuw nadat het is voltooid." +"De printer is momenteel bezig met downloaden. Probeer het opnieuw nadat het " +"is voltooid." msgid "Printer camera is malfunctioning." msgstr "De printercamera werkt niet goed." msgid "Problem occured. Please update the printer firmware and try again." msgstr "" -"Er heeft zich een probleem voorgedaan. Werk de printerfirmware bij en probeer het opnieuw." +"Er heeft zich een probleem voorgedaan. Werk de printerfirmware bij en " +"probeer het opnieuw." -msgid "LAN Only Liveview is off. Please turn on the liveview on printer screen." -msgstr "LAN Only Liveview is off. Please turn on the liveview on printer screen." +msgid "" +"LAN Only Liveview is off. Please turn on the liveview on printer screen." +msgstr "" +"LAN Only Liveview is off. Please turn on the liveview on printer screen." msgid "Please enter the IP of printer to connect." msgstr "Voer het IP-adres in van de printer waarmee u verbinding wilt maken." @@ -4870,11 +5025,11 @@ msgid "Connection Failed. Please check the network and try again" msgstr "Verbinding mislukt. Controleer het netwerk en probeer het opnieuw" msgid "" -"Please check the network and try again, You can restart or update the printer if the issue " -"persists." +"Please check the network and try again, You can restart or update the " +"printer if the issue persists." msgstr "" -"Controleer het netwerk en probeer het opnieuw. U kunt de printer opnieuw opstarten of " -"bijwerken als het probleem zich blijft voordoen." +"Controleer het netwerk en probeer het opnieuw. U kunt de printer opnieuw " +"opstarten of bijwerken als het probleem zich blijft voordoen." msgid "The printer has been logged out and cannot connect." msgstr "De printer is afgemeld en kan geen verbinding maken." @@ -4988,11 +5143,11 @@ msgid "Initialize failed (Device connection not ready)!" msgstr "Initialization failed (Device connection not ready)!" msgid "" -"Browsing file in SD card is not supported in current firmware. Please update the printer " -"firmware." +"Browsing file in SD card is not supported in current firmware. Please update " +"the printer firmware." msgstr "" -"Browsing file in SD card is not supported in current firmware. Please update the printer " -"firmware." +"Browsing file in SD card is not supported in current firmware. Please update " +"the printer firmware." msgid "Initialize failed (Storage unavailable, insert SD card.)!" msgstr "" @@ -5009,7 +5164,8 @@ msgstr "Initialisatie is mislukt (%s)!" #, c-format, boost-format msgid "You are going to delete %u file from printer. Are you sure to continue?" -msgid_plural "You are going to delete %u files from printer. Are you sure to continue?" +msgid_plural "" +"You are going to delete %u files from printer. Are you sure to continue?" msgstr[0] "" msgstr[1] "" @@ -5033,8 +5189,8 @@ msgid "Failed to parse model information." msgstr "Mislukt bij het parsen van modelinformatie." msgid "" -"The .gcode.3mf file contains no G-code data.Please slice it with Orca Slicer and export a " -"new .gcode.3mf file." +"The .gcode.3mf file contains no G-code data.Please slice it with Orca Slicer " +"and export a new .gcode.3mf file." msgstr "" #, c-format, boost-format @@ -5066,11 +5222,11 @@ msgid "Downloading %d%%..." msgstr "%d%% downloaden..." msgid "" -"Reconnecting the printer, the operation cannot be completed immediately, please try again " -"later." +"Reconnecting the printer, the operation cannot be completed immediately, " +"please try again later." msgstr "" -"Reconnecting the printer, the operation cannot be completed immediately, please try again " -"later." +"Reconnecting the printer, the operation cannot be completed immediately, " +"please try again later." msgid "File does not exist." msgstr "Bestand bestaat niet." @@ -5149,8 +5305,12 @@ msgstr "" msgid "How do you like this printing file?" msgstr "Wat vind je van dit afdrukbestand?" -msgid "(The model has already been rated. Your rating will overwrite the previous rating.)" -msgstr "(Het model is al beoordeeld. Uw beoordeling overschrijft de vorige beoordeling)." +msgid "" +"(The model has already been rated. Your rating will overwrite the previous " +"rating.)" +msgstr "" +"(Het model is al beoordeeld. Uw beoordeling overschrijft de vorige " +"beoordeling)." msgid "Rate" msgstr "Tarief" @@ -5224,8 +5384,12 @@ msgstr "Layer: %s" msgid "Layer: %d/%d" msgstr "Layer: %d/%d" -msgid "Please heat the nozzle to above 170 degree before loading or unloading filament." -msgstr "Verwarm het mondstuk tot boven de 170 graden voordat u filament laadt of lost." +msgid "" +"Please heat the nozzle to above 170 degree before loading or unloading " +"filament." +msgstr "" +"Verwarm het mondstuk tot boven de 170 graden voordat u filament laadt of " +"lost." msgid "Still unload" msgstr "Nog steeds aan het ontladen" @@ -5237,11 +5401,11 @@ msgid "Please select an AMS slot before calibration" msgstr "Selecteer een AMS-slot voor de kalibratie." msgid "" -"Cannot read filament info: the filament is loaded to the tool head,please unload the " -"filament and try again." +"Cannot read filament info: the filament is loaded to the tool head,please " +"unload the filament and try again." msgstr "" -"Kan de filament informatie niet lezen: het filament is in de printkop geladen; verwijder " -"het filament en probeer het opnieuw." +"Kan de filament informatie niet lezen: het filament is in de printkop " +"geladen; verwijder het filament en probeer het opnieuw." msgid "This only takes effect during printing" msgstr "Dit is alleen van kracht tijdens het printen" @@ -5307,12 +5471,12 @@ msgid " can not be opened\n" msgstr " cannot be opened\n" msgid "" -"The following issues occurred during the process of uploading images. Do you want to ignore " -"them?\n" +"The following issues occurred during the process of uploading images. Do you " +"want to ignore them?\n" "\n" msgstr "" -"De volgende problemen deden zich voor tijdens het uploaden van afbeeldingen. Wil je ze " -"negeren?\n" +"De volgende problemen deden zich voor tijdens het uploaden van afbeeldingen. " +"Wil je ze negeren?\n" "\n" msgid "info" @@ -5320,7 +5484,8 @@ msgstr "Informatie" msgid "Synchronizing the printing results. Please retry a few seconds later." msgstr "" -"De afdrukresultaten worden gesynchroniseerd. Probeer het een paar seconden later opnieuw." +"De afdrukresultaten worden gesynchroniseerd. Probeer het een paar seconden " +"later opnieuw." msgid "Upload failed\n" msgstr "Uploaden mislukt\n" @@ -5350,10 +5515,11 @@ msgstr "" "Would you like to redirect to the webpage to give a rating?" msgid "" -"Some of your images failed to upload. Would you like to redirect to the webpage for rating?" +"Some of your images failed to upload. Would you like to redirect to the " +"webpage for rating?" msgstr "" -"Sommige afbeeldingen zijn niet geüpload. Wilt u doorverwijzen naar de webpagina voor " -"beoordeling?" +"Sommige afbeeldingen zijn niet geüpload. Wilt u doorverwijzen naar de " +"webpagina voor beoordeling?" msgid "You can select up to 16 images." msgstr "Je kunt tot 16 afbeeldingen selecteren." @@ -5404,7 +5570,9 @@ msgstr "Overslaan" msgid "Newer 3mf version" msgstr "Nieuwere versie 3mf" -msgid "The 3mf file version is in Beta and it is newer than the current OrcaSlicer version." +msgid "" +"The 3mf file version is in Beta and it is newer than the current OrcaSlicer " +"version." msgstr "" msgid "If you would like to try Orca Slicer Beta, you may click to" @@ -5480,19 +5648,21 @@ msgstr "Safely remove hardware." msgid "%1$d Object has custom supports." msgid_plural "%1$d Objects have custom supports." msgstr[0] "" -"%1$d de objecten hebben handmatig toegevoegde supports.@%1$d de objecten hebben handmatig " -"toegevoegde supports." +"%1$d de objecten hebben handmatig toegevoegde supports.@%1$d de objecten " +"hebben handmatig toegevoegde supports." msgstr[1] "" -"%1$d de objecten hebben handmatig toegevoegde supports.@%1$d de objecten hebben handmatig " -"toegevoegde supports." +"%1$d de objecten hebben handmatig toegevoegde supports.@%1$d de objecten " +"hebben handmatig toegevoegde supports." #, c-format, boost-format msgid "%1$d Object has color painting." msgid_plural "%1$d Objects have color painting." msgstr[0] "" -"%1$d De objecten hebben geschilderde kleuren.@%1$d De objecten hebben geschilderde kleuren." +"%1$d De objecten hebben geschilderde kleuren.@%1$d De objecten hebben " +"geschilderde kleuren." msgstr[1] "" -"%1$d De objecten hebben geschilderde kleuren.@%1$d De objecten hebben geschilderde kleuren." +"%1$d De objecten hebben geschilderde kleuren.@%1$d De objecten hebben " +"geschilderde kleuren." #, c-format, boost-format msgid "%1$d object was loaded as a part of cut object." @@ -5560,10 +5730,12 @@ msgstr "Lagen" msgid "Range" msgstr "Bereik" -msgid "The application cannot run normally because OpenGL version is lower than 2.0.\n" +msgid "" +"The application cannot run normally because OpenGL version is lower than " +"2.0.\n" msgstr "" -"De toepassing kan niet volledig naar behoren functioneren omdat de geinstalleerde versie " -"van OpenGL lager is dan 2.0.\n" +"De toepassing kan niet volledig naar behoren functioneren omdat de " +"geinstalleerde versie van OpenGL lager is dan 2.0.\n" msgid "Please upgrade your graphics card driver." msgstr "Upgrade uw videokaart drivers." @@ -5600,11 +5772,12 @@ msgid "Enable detection of build plate position" msgstr "Detectie van de positie van de printplaat inschakelen" msgid "" -"The localization tag of build plate is detected, and printing is paused if the tag is not " -"in predefined range." +"The localization tag of build plate is detected, and printing is paused if " +"the tag is not in predefined range." msgstr "" -"De lokalisatietag van de bouwplaat wordt gedetecteerd en het afdrukken wordt gepauzeerd als " -"de tag zich niet binnen het vooraf gedefinieerde bereik bevindt." +"De lokalisatietag van de bouwplaat wordt gedetecteerd en het afdrukken wordt " +"gepauzeerd als de tag zich niet binnen het vooraf gedefinieerde bereik " +"bevindt." msgid "First Layer Inspection" msgstr "Inspectie van de eerste laag" @@ -5623,7 +5796,8 @@ msgstr "Detectie van klontvorming in mondstuk" msgid "Check if the nozzle is clumping by filament or other foreign objects." msgstr "" -"Controleer of er klonten in het mondstuk zitten door filament of andere vreemde voorwerpen." +"Controleer of er klonten in het mondstuk zitten door filament of andere " +"vreemde voorwerpen." msgid "Nozzle Type" msgstr "Mondstuk Type" @@ -5735,21 +5909,28 @@ msgstr "Zoek plaat, object en onderdeel." msgid "Pellets" msgstr "" -msgid "No AMS filaments. Please select a printer in 'Device' page to load AMS info." -msgstr "Geen AMS filamenten. Selecteer een printer in 'Apparaat' pagina om AMS info te laden." +msgid "" +"No AMS filaments. Please select a printer in 'Device' page to load AMS info." +msgstr "" +"Geen AMS filamenten. Selecteer een printer in 'Apparaat' pagina om AMS info " +"te laden." msgid "Sync filaments with AMS" msgstr "Synchroniseer filamenten met AMS" msgid "" -"Sync filaments with AMS will drop all current selected filament presets and colors. Do you " -"want to continue?" +"Sync filaments with AMS will drop all current selected filament presets and " +"colors. Do you want to continue?" msgstr "" -"Door filamenten te synchroniseren met de AMS zullen alle huidige geselecteerde filament " -"presets en kleuren wegvallen. Wilt u doorgaan?" +"Door filamenten te synchroniseren met de AMS zullen alle huidige " +"geselecteerde filament presets en kleuren wegvallen. Wilt u doorgaan?" -msgid "Already did a synchronization, do you want to sync only changes or resync all?" -msgstr "Already did a synchronization; do you want to sync only changes or resync all?" +msgid "" +"Already did a synchronization, do you want to sync only changes or resync " +"all?" +msgstr "" +"Already did a synchronization; do you want to sync only changes or resync " +"all?" msgid "Sync" msgstr "Sync" @@ -5758,11 +5939,14 @@ msgid "Resync" msgstr "Resync" msgid "There are no compatible filaments, and sync is not performed." -msgstr "Er zijn geen compatibele filamenten en er wordt geen synchronisatie uitgevoerd." +msgstr "" +"Er zijn geen compatibele filamenten en er wordt geen synchronisatie " +"uitgevoerd." msgid "" -"There are some unknown filaments mapped to generic preset. Please update Orca Slicer or " -"restart Orca Slicer to check if there is an update to system presets." +"There are some unknown filaments mapped to generic preset. Please update " +"Orca Slicer or restart Orca Slicer to check if there is an update to system " +"presets." msgstr "" #, boost-format @@ -5770,44 +5954,49 @@ msgid "Do you want to save changes to \"%1%\"?" msgstr "Wilt u de wijzigingen opslaan in \"%1%\"?" #, c-format, boost-format -msgid "Successfully unmounted. The device %s(%s) can now be safely removed from the computer." +msgid "" +"Successfully unmounted. The device %s(%s) can now be safely removed from the " +"computer." msgstr "" -"Succesvol ontkoppeld. Het apparaat %s(%s) kan nu veilig van de computer worden verwijderd." +"Succesvol ontkoppeld. Het apparaat %s(%s) kan nu veilig van de computer " +"worden verwijderd." #, c-format, boost-format msgid "Ejecting of device %s(%s) has failed." msgstr "Het uitwerpen van apparaat %s(%s) is mislukt." msgid "Previous unsaved project detected, do you want to restore it?" -msgstr "Er is niet opgeslagen project data gedectereerd, wilt u deze herstellen?" +msgstr "" +"Er is niet opgeslagen project data gedectereerd, wilt u deze herstellen?" msgid "Restore" msgstr "Herstellen" msgid "" -"The current hot bed temperature is relatively high. The nozzle may be clogged when printing " -"this filament in a closed enclosure. Please open the front door and/or remove the upper " -"glass." +"The current hot bed temperature is relatively high. The nozzle may be " +"clogged when printing this filament in a closed enclosure. Please open the " +"front door and/or remove the upper glass." msgstr "" -"De huidige warmtebedtemperatuur is relatief hoog. Het mondstuk kan verstopt raken bij het " -"printen van dit filament in een gesloten omgeving. Open de voordeur en/of verwijder het " -"bovenste glas." +"De huidige warmtebedtemperatuur is relatief hoog. Het mondstuk kan verstopt " +"raken bij het printen van dit filament in een gesloten omgeving. Open de " +"voordeur en/of verwijder het bovenste glas." msgid "" -"The nozzle hardness required by the filament is higher than the default nozzle hardness of " -"the printer. Please replace the hardened nozzle or filament, otherwise, the nozzle will be " -"attrited or damaged." +"The nozzle hardness required by the filament is higher than the default " +"nozzle hardness of the printer. Please replace the hardened nozzle or " +"filament, otherwise, the nozzle will be attrited or damaged." msgstr "" -"De door het filament vereiste hardheid van het mondstuk is hoger dan de standaard hardheid " -"van het mondstuk van de printer. Vervang het geharde mondstuk of het filament, anders raakt " -"het mondstuk versleten of beschadigd." +"De door het filament vereiste hardheid van het mondstuk is hoger dan de " +"standaard hardheid van het mondstuk van de printer. Vervang het geharde " +"mondstuk of het filament, anders raakt het mondstuk versleten of beschadigd." msgid "" -"Enabling traditional timelapse photography may cause surface imperfections. It is " -"recommended to change to smooth mode." +"Enabling traditional timelapse photography may cause surface imperfections. " +"It is recommended to change to smooth mode." msgstr "" -"Het inschakelen van traditionele timelapse-fotografie kan oneffenheden in het oppervlak " -"veroorzaken. Het wordt aanbevolen om over te schakelen naar de vloeiende modus." +"Het inschakelen van traditionele timelapse-fotografie kan oneffenheden in " +"het oppervlak veroorzaken. Het wordt aanbevolen om over te schakelen naar de " +"vloeiende modus." msgid "Expand sidebar" msgstr "Zijbalk uitklappen" @@ -5820,25 +6009,30 @@ msgid "Loading file: %s" msgstr "Bestand laden: %s" msgid "The 3mf is not supported by OrcaSlicer, load geometry data only." -msgstr "De 3mf is niet van Orca Slicer, er worden alleen geometriegegevens geladen." +msgstr "" +"De 3mf is niet van Orca Slicer, er worden alleen geometriegegevens geladen." msgid "Load 3mf" msgstr "Laad 3mf" #, c-format, boost-format -msgid "The 3mf's version %s is newer than %s's version %s, Found following keys unrecognized:" +msgid "" +"The 3mf's version %s is newer than %s's version %s, Found following keys " +"unrecognized:" msgstr "" -"Versie %s van de 3mf is nieuwer dan versie %s van %s. De volgende sleutels worden niet " -"herkend:" +"Versie %s van de 3mf is nieuwer dan versie %s van %s. De volgende sleutels " +"worden niet herkend:" msgid "You'd better upgrade your software.\n" msgstr "U dient de software te upgraden.\n" #, c-format, boost-format -msgid "The 3mf's version %s is newer than %s's version %s, Suggest to upgrade your software." +msgid "" +"The 3mf's version %s is newer than %s's version %s, Suggest to upgrade your " +"software." msgstr "" -"Versie %s van de 3mf is nieuwer dan versie %s van %s. Wij stellen voor om uw software te " -"upgraden." +"Versie %s van de 3mf is nieuwer dan versie %s van %s. Wij stellen voor om uw " +"software te upgraden." msgid "Invalid values found in the 3mf:" msgstr "Invalid values found in the 3mf:" @@ -5850,21 +6044,26 @@ msgid "The 3mf has following modified G-codes in filament or printer presets:" msgstr "The 3mf has following modified G-code in filament or printer presets:" msgid "" -"Please confirm that these modified G-codes are safe to prevent any damage to the machine!" +"Please confirm that these modified G-codes are safe to prevent any damage to " +"the machine!" msgstr "" -"Controleer of deze aangepaste G-codes veilig zijn om schade aan de machine te voorkomen!" +"Controleer of deze aangepaste G-codes veilig zijn om schade aan de machine " +"te voorkomen!" msgid "Modified G-codes" msgstr "Modified G-code" msgid "The 3mf has following customized filament or printer presets:" -msgstr "De 3mf heeft de volgende aangepaste voorinstellingen voor filament of printer:" +msgstr "" +"De 3mf heeft de volgende aangepaste voorinstellingen voor filament of " +"printer:" msgid "" -"Please confirm that the G-codes within these presets are safe to prevent any damage to the " -"machine!" +"Please confirm that the G-codes within these presets are safe to prevent any " +"damage to the machine!" msgstr "" -"Controleer of de G-codes in deze presets veilig zijn om schade aan de machine te voorkomen!" +"Controleer of de G-codes in deze presets veilig zijn om schade aan de " +"machine te voorkomen!" msgid "Customized Preset" msgstr "Aangepaste voorinstelling" @@ -5873,14 +6072,17 @@ msgid "Name of components inside step file is not UTF8 format!" msgstr "Naam van componenten in step-bestand is niet UTF8-formaat!" msgid "The name may show garbage characters!" -msgstr "Vanwege niet-ondersteunde tekstcodering kunnen er onjuiste tekens verschijnen!" +msgstr "" +"Vanwege niet-ondersteunde tekstcodering kunnen er onjuiste tekens " +"verschijnen!" msgid "Remember my choice." msgstr "Remember my choice." #, boost-format msgid "Failed loading file \"%1%\". An invalid configuration was found." -msgstr "Kan bestand \"%1%\" niet laden. Er is een ongeldige configuratie gevonden." +msgstr "" +"Kan bestand \"%1%\" niet laden. Er is een ongeldige configuratie gevonden." msgid "Objects with zero volume removed" msgstr "Objecten zonder inhoud zijn verwijderd" @@ -5904,7 +6106,8 @@ msgid "" "Instead of considering them as multiple objects, should \n" "the file be loaded as a single object having multiple parts?" msgstr "" -"Dit bestand bevat verschillende objecten die op verschillende hoogten zijn geplaatst.\n" +"Dit bestand bevat verschillende objecten die op verschillende hoogten zijn " +"geplaatst.\n" "In plaats van ze te beschouwen als meerdere objecten, moet\n" "het bestand worden geladen als een enkel object met meerdere delen?" @@ -5912,7 +6115,9 @@ msgid "Multi-part object detected" msgstr "Object met meerdere onderdelen gedetecteerd" msgid "Load these files as a single object with multiple parts?\n" -msgstr "Wilt u deze bestanden laden als een enkel object bestaande uit meerdere onderdelen?\n" +msgstr "" +"Wilt u deze bestanden laden als een enkel object bestaande uit meerdere " +"onderdelen?\n" msgid "Object with multiple parts was detected" msgstr "Er is een object met meerdere onderdelen gedetecteerd" @@ -5921,19 +6126,15 @@ msgid "The file does not contain any geometry data." msgstr "Het bestand bevat geen geometriegegevens." msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat bed " -"automatically." +"Your object appears to be too large, Do you want to scale it down to fit the " +"heat bed automatically?" msgstr "" +"Uw object lijkt te groot. Wilt u het verkleinen zodat het automatisch op het " +"printbed past?" msgid "Object too large" msgstr "Object te groot" -msgid "" -"Your object appears to be too large, Do you want to scale it down to fit the heat bed " -"automatically?" -msgstr "" -"Uw object lijkt te groot. Wilt u het verkleinen zodat het automatisch op het printbed past?" - msgid "Export STL file:" msgstr "Exporteer STL bestand:" @@ -6027,21 +6228,24 @@ msgstr "Slicing printbed %d" msgid "Please resolve the slicing errors and publish again." msgstr "Los aub de slicing fouten op en publiceer opnieuw." -msgid "Network Plug-in is not detected. Network related features are unavailable." +msgid "" +"Network Plug-in is not detected. Network related features are unavailable." msgstr "" -"Netwerk plug-in is niet gedetecteerd. Netwerkgerelateerde functies zijn niet beschikbaar." +"Netwerk plug-in is niet gedetecteerd. Netwerkgerelateerde functies zijn niet " +"beschikbaar." msgid "" "Preview only mode:\n" "The loaded file contains gcode only, Can not enter the Prepare page" msgstr "" "Voorvertoning modus:\n" -"Het geladen bestand bevat alleen G-code, hierdoor is het niet mogelijk om naar de pagina " -"Voorbereiden schakelen." +"Het geladen bestand bevat alleen G-code, hierdoor is het niet mogelijk om " +"naar de pagina Voorbereiden schakelen." msgid "You can keep the modified presets to the new project or discard them" msgstr "" -"Je kunt de aangepaste voorinstellingen bewaren voor het nieuwe project of ze laten vervallen" +"Je kunt de aangepaste voorinstellingen bewaren voor het nieuwe project of ze " +"laten vervallen" msgid "Creating a new project" msgstr "Start een nieuw project" @@ -6051,11 +6255,12 @@ msgstr "Project laden" msgid "" "Failed to save the project.\n" -"Please check whether the folder exists online or if other programs open the project file." +"Please check whether the folder exists online or if other programs open the " +"project file." msgstr "" "Het is niet gelukt om het project op te slaan.\n" -"Controleer of de map online bestaat of dat het projectbestand in andere programma's is " -"geopend." +"Controleer of de map online bestaat of dat het projectbestand in andere " +"programma's is geopend." msgid "Save project" msgstr "Project opslaan" @@ -6079,7 +6284,9 @@ msgstr "Download failed; File size exception." msgid "Project downloaded %d%%" msgstr "Project %d%% gedownload" -msgid "Importing to Orca Slicer failed. Please download the file and manually import it." +msgid "" +"Importing to Orca Slicer failed. Please download the file and manually " +"import it." msgstr "" msgid "Import SLA archive" @@ -6107,7 +6314,8 @@ msgstr "Kan het bestand niet uitpakken naar %1%: %2%" #, boost-format msgid "Failed to find unzipped file at %1%. Unzipping of file has failed." msgstr "" -"Kan het uitgepakte bestand op %1% niet vinden. Het uitpakken van het bestand is mislukt." +"Kan het uitgepakte bestand op %1% niet vinden. Het uitpakken van het bestand " +"is mislukt." msgid "Drop project file" msgstr "Projectbestand neerzetten" @@ -6138,8 +6346,8 @@ msgstr "Alle objecten zullen verwijderd worden, doorgaan?" msgid "The current project has unsaved changes, save it before continue?" msgstr "" -"Het huidige project heeft niet-opgeslagen wijzigingen. Wilt u eerst opslaan voordat u " -"verder gaat?" +"Het huidige project heeft niet-opgeslagen wijzigingen. Wilt u eerst opslaan " +"voordat u verder gaat?" msgid "Number of copies:" msgstr "Aantal kopieën:" @@ -6164,17 +6372,18 @@ msgstr "Bewaar het geslicede bestand als:" #, c-format, boost-format msgid "" -"The file %s has been sent to the printer's storage space and can be viewed on the printer." +"The file %s has been sent to the printer's storage space and can be viewed " +"on the printer." msgstr "" -"Het bestand %s is naar de opslagruimte van de printer gestuurd en kan op de printer worden " -"bekeken." +"Het bestand %s is naar de opslagruimte van de printer gestuurd en kan op de " +"printer worden bekeken." msgid "" -"Unable to perform boolean operation on model meshes. Only positive parts will be kept. You " -"may fix the meshes and try again." +"Unable to perform boolean operation on model meshes. Only positive parts " +"will be kept. You may fix the meshes and try again." msgstr "" -"Unable to perform boolean operation on model meshes. Only positive parts will be kept. You " -"may fix the meshes and try again." +"Unable to perform boolean operation on model meshes. Only positive parts " +"will be kept. You may fix the meshes and try again." #, boost-format msgid "Reason: part \"%1%\" is empty." @@ -6193,7 +6402,8 @@ msgid "Reason: \"%1%\" and another part have no intersection." msgstr "Reason: \"%1%\" and another part have no intersection." msgid "" -"Are you sure you want to store original SVGs with their local paths into the 3MF file?\n" +"Are you sure you want to store original SVGs with their local paths into the " +"3MF file?\n" "If you hit 'NO', all SVGs in the project will not be editable any more." msgstr "" @@ -6211,8 +6421,8 @@ msgid "" "Suggest to use auto-arrange to avoid collisions when printing." msgstr "" "Afdrukken per object:\n" -"Het wordt geadviseerd om automatisch rangschikken te gebruiken om botsingen tijdens het " -"afdrukken te voorkomen." +"Het wordt geadviseerd om automatisch rangschikken te gebruiken om botsingen " +"tijdens het afdrukken te voorkomen." msgid "Send G-code" msgstr "Verstuur G-code" @@ -6221,7 +6431,8 @@ msgid "Send to printer" msgstr "Stuur naar printer" msgid "Custom supports and color painting were removed before repairing." -msgstr "Handmatig aangebrachte support en kleuren zijn verwijderd voor het repareren." +msgstr "" +"Handmatig aangebrachte support en kleuren zijn verwijderd voor het repareren." msgid "Optimize Rotation" msgstr "" @@ -6272,22 +6483,25 @@ msgid "Tips:" msgstr "Tips:" msgid "" -"\"Fix Model\" feature is currently only on Windows. Please repair the model on Orca " -"Slicer(windows) or CAD softwares." +"\"Fix Model\" feature is currently only on Windows. Please repair the model " +"on Orca Slicer(windows) or CAD softwares." msgstr "" -"De functie \"Model repareren\" is momenteel alleen beschikbaar op Windows. Repareer het " -"model met OrcaSlicer (Windows) of andere CAD-software." +"De functie \"Model repareren\" is momenteel alleen beschikbaar op Windows. " +"Repareer het model met OrcaSlicer (Windows) of andere CAD-software." #, c-format, boost-format msgid "" -"Plate% d: %s is not suggested to be used to print filament %s(%s). If you still want to do " -"this printing, please set this filament's bed temperature to non zero." +"Plate% d: %s is not suggested to be used to print filament %s(%s). If you " +"still want to do this printing, please set this filament's bed temperature " +"to non zero." msgstr "" -"Plate% d: %s is not suggested for use printing filament %s(%s). If you still want to do " -"this print job, please set this filament's bed temperature to a number that is not zero." +"Plate% d: %s is not suggested for use printing filament %s(%s). If you still " +"want to do this print job, please set this filament's bed temperature to a " +"number that is not zero." msgid "Switching the language requires application restart.\n" -msgstr "Om de taal te wijzigen dient de toepassing opnieuw opgestart te worden.\n" +msgstr "" +"Om de taal te wijzigen dient de toepassing opnieuw opgestart te worden.\n" msgid "Do you want to continue?" msgstr "Wilt u doorgaan?" @@ -6295,6 +6509,11 @@ msgstr "Wilt u doorgaan?" msgid "Language selection" msgstr "Taal selectie" +msgid "Switching application language while some presets are modified." +msgstr "" +"De taal van de toepassing aanpaasen terwijl sommige voorinstellingen zijn " +"aangepast." + msgid "Changing application language" msgstr "Taal van de applicatie wijzigen" @@ -6353,12 +6572,12 @@ msgid "Stealth Mode" msgstr "Stealth-modus" msgid "" -"This stops the transmission of data to Bambu's cloud services. Users who don't use BBL " -"machines or use LAN mode only can safely turn on this function." +"This stops the transmission of data to Bambu's cloud services. Users who " +"don't use BBL machines or use LAN mode only can safely turn on this function." msgstr "" -"Hiermee wordt het versturen van gegevens naar Bambu's cloudservices gestopt. Gebruikers die " -"geen BambuLab-machines gebruiken of alleen de LAN-modus gebruiken, kunnen deze functie " -"veilig inschakelen." +"Hiermee wordt het versturen van gegevens naar Bambu's cloudservices gestopt. " +"Gebruikers die geen BambuLab-machines gebruiken of alleen de LAN-modus " +"gebruiken, kunnen deze functie veilig inschakelen." msgid "Enable network plugin" msgstr "Netwerkplug-in inschakelen" @@ -6379,20 +6598,22 @@ msgid "Allow only one OrcaSlicer instance" msgstr "Sta slechts één OrcaSlicer-instantie toe" msgid "" -"On OSX there is always only one instance of app running by default. However it is allowed " -"to run multiple instances of same app from the command line. In such case this settings " -"will allow only one instance." +"On OSX there is always only one instance of app running by default. However " +"it is allowed to run multiple instances of same app from the command line. " +"In such case this settings will allow only one instance." msgstr "" -"In OSX is er standaard altijd maar één instantie van een app actief. Het is echter " -"toegestaan om meerdere instanties van dezelfde app uit te voeren vanaf de opdrachtregel. In " -"dat geval staat deze instelling slechts één instantie toe." +"In OSX is er standaard altijd maar één instantie van een app actief. Het is " +"echter toegestaan om meerdere instanties van dezelfde app uit te voeren " +"vanaf de opdrachtregel. In dat geval staat deze instelling slechts één " +"instantie toe." msgid "" -"If this is enabled, when starting OrcaSlicer and another instance of the same OrcaSlicer is " -"already running, that instance will be reactivated instead." +"If this is enabled, when starting OrcaSlicer and another instance of the " +"same OrcaSlicer is already running, that instance will be reactivated " +"instead." msgstr "" -"Als deze optie is ingeschakeld, wordt OrcaSlicer opnieuw geactiveerd wanneer er al een " -"ander exemplaar van OrcaSlicer is gestart." +"Als deze optie is ingeschakeld, wordt OrcaSlicer opnieuw geactiveerd wanneer " +"er al een ander exemplaar van OrcaSlicer is gestart." msgid "Home" msgstr "Thuis" @@ -6422,24 +6643,27 @@ msgid "Zoom to mouse position" msgstr "Zoomen naar muispositie" msgid "" -"Zoom in towards the mouse pointer's position in the 3D view, rather than the 2D window " -"center." +"Zoom in towards the mouse pointer's position in the 3D view, rather than the " +"2D window center." msgstr "" -"Zoom in op de positie van de muisaanwijzer in de 3D-weergave, in plaats van op het midden " -"van het venster." +"Zoom in op de positie van de muisaanwijzer in de 3D-weergave, in plaats van " +"op het midden van het venster." msgid "Use free camera" msgstr "Gebruik vrij beweegbare camera" msgid "If enabled, use free camera. If not enabled, use constrained camera." msgstr "" -"Als dit is ingeschakeld wordt de vrij beweegbare camera gebruikt, anders een vaste camera." +"Als dit is ingeschakeld wordt de vrij beweegbare camera gebruikt, anders een " +"vaste camera." msgid "Reverse mouse zoom" msgstr "Omgekeerde muiszoom" msgid "If enabled, reverses the direction of zoom with mouse wheel." -msgstr "Als deze optie is ingeschakeld, wordt de zoomrichting met het muiswiel omgedraaid." +msgstr "" +"Als deze optie is ingeschakeld, wordt de zoomrichting met het muiswiel " +"omgedraaid." msgid "Show splash screen" msgstr "Toon startscherm" @@ -6451,42 +6675,48 @@ msgid "Show \"Tip of the day\" notification after start" msgstr "Toon de melding 'Tip van de dag' na het starten" msgid "If enabled, useful hints are displayed at startup." -msgstr "Indien ingeschakeld, worden bij het opstarten nuttige tips weergegeven." +msgstr "" +"Indien ingeschakeld, worden bij het opstarten nuttige tips weergegeven." msgid "Flushing volumes: Auto-calculate everytime the color changed." -msgstr "Spoelvolumes: Automatisch berekenen telkens wanneer de kleur verandert." +msgstr "" +"Spoelvolumes: Automatisch berekenen telkens wanneer de kleur verandert." msgid "If enabled, auto-calculate everytime the color changed." msgstr "" -"Als deze optie is ingeschakeld, wordt elke keer dat de kleur verandert automatisch berekend." +"Als deze optie is ingeschakeld, wordt elke keer dat de kleur verandert " +"automatisch berekend." -msgid "Flushing volumes: Auto-calculate every time when the filament is changed." -msgstr "Spoelvolumes: Automatisch berekenen telkens wanneer het filament wordt vervangen." +msgid "" +"Flushing volumes: Auto-calculate every time when the filament is changed." +msgstr "" +"Spoelvolumes: Automatisch berekenen telkens wanneer het filament wordt " +"vervangen." msgid "If enabled, auto-calculate every time when filament is changed" msgstr "" -"Als dit is ingeschakeld, wordt er automatisch berekend telkens wanneer het filament wordt " -"verwisseld" +"Als dit is ingeschakeld, wordt er automatisch berekend telkens wanneer het " +"filament wordt verwisseld" msgid "Remember printer configuration" msgstr "Printerconfiguratie onthouden" msgid "" -"If enabled, Orca will remember and switch filament/process configuration for each printer " -"automatically." +"If enabled, Orca will remember and switch filament/process configuration for " +"each printer automatically." msgstr "" -"Als dit is ingeschakeld, onthoudt Orca automatisch de filament-/procesconfiguratie voor " -"elke printer en schakelt deze automatisch om." +"Als dit is ingeschakeld, onthoudt Orca automatisch de filament-/" +"procesconfiguratie voor elke printer en schakelt deze automatisch om." msgid "Multi-device Management(Take effect after restarting Orca)." msgstr "Beheer van meerdere apparaten (Werkt nadat Orca opnieuw is opgestart)." msgid "" -"With this option enabled, you can send a task to multiple devices at the same time and " -"manage multiple devices." +"With this option enabled, you can send a task to multiple devices at the " +"same time and manage multiple devices." msgstr "" -"With this option enabled, you can send a task to multiple devices at the same time and " -"manage multiple devices." +"With this option enabled, you can send a task to multiple devices at the " +"same time and manage multiple devices." msgid "Auto arrange plate after cloning" msgstr "Plaat automatisch rangschikken na het klonen" @@ -6498,7 +6728,9 @@ msgid "Network" msgstr "Netwerk" msgid "Auto sync user presets(Printer/Filament/Process)" -msgstr "Gebruikersvoorinstellingen automatisch synchroniseren (printer/filament/proces)" +msgstr "" +"Gebruikersvoorinstellingen automatisch synchroniseren (printer/filament/" +"proces)" msgid "User Sync" msgstr "Gebruiker synchroniseren" @@ -6520,24 +6752,24 @@ msgstr "Koppel .3mf-bestanden aan OrcaSlicer" msgid "If enabled, sets OrcaSlicer as default application to open .3mf files" msgstr "" -"Indien ingeschakeld, wordt OrcaSlicer ingesteld als de standaardtoepassing om .3mf-" -"bestanden te openen" +"Indien ingeschakeld, wordt OrcaSlicer ingesteld als de standaardtoepassing " +"om .3mf-bestanden te openen" msgid "Associate .stl files to OrcaSlicer" msgstr "Koppel .stl-bestanden aan OrcaSlicer" msgid "If enabled, sets OrcaSlicer as default application to open .stl files" msgstr "" -"Indien ingeschakeld, wordt OrcaSlicer ingesteld als de standaardtoepassing om .stl-" -"bestanden te openen" +"Indien ingeschakeld, wordt OrcaSlicer ingesteld als de standaardtoepassing " +"om .stl-bestanden te openen" msgid "Associate .step/.stp files to OrcaSlicer" msgstr "Koppel .step/.stp bestanden aan OrcaSlicer" msgid "If enabled, sets OrcaSlicer as default application to open .step files" msgstr "" -"Indien ingeschakeld, wordt OrcaSlicer ingesteld als de standaardtoepassing om .step-" -"bestanden te openen" +"Indien ingeschakeld, wordt OrcaSlicer ingesteld als de standaardtoepassing " +"om .step-bestanden te openen" msgid "Associate web links to OrcaSlicer" msgstr "Koppel weblinks aan OrcaSlicer" @@ -6560,10 +6792,11 @@ msgstr "Geen waarschuwingen bij het laden van 3MF met aangepaste G-codes" msgid "Auto-Backup" msgstr "Automatisch een back-up maken" -msgid "Backup your project periodically for restoring from the occasional crash." +msgid "" +"Backup your project periodically for restoring from the occasional crash." msgstr "" -"Maak regelmatig een back-up van uw project, zodat u het kunt herstellen na een incidentele " -"crash." +"Maak regelmatig een back-up van uw project, zodat u het kunt herstellen na " +"een incidentele crash." msgid "every" msgstr "elke" @@ -6784,7 +7017,8 @@ msgid "Jump to model publish web page" msgstr "Ga naar de website om het model te publiceren" msgid "Note: The preparation may takes several minutes. Please be patiant." -msgstr "Notitie: het voorbereiden kan enkele minuten duren. Even geduld alstublieft." +msgstr "" +"Notitie: het voorbereiden kan enkele minuten duren. Even geduld alstublieft." msgid "Publish" msgstr "Publiceren" @@ -6823,15 +7057,17 @@ msgstr "Voorinstelling \"%1%\" bestaat al." #, boost-format msgid "Preset \"%1%\" already exists and is incompatible with current printer." -msgstr "Voorinstelling \"%1%\" bestaat al en is niet compatibel met de huidige printer." +msgstr "" +"Voorinstelling \"%1%\" bestaat al en is niet compatibel met de huidige " +"printer." msgid "Please note that saving action will replace this preset" msgstr "Let er aub op dat opslaan de voorinstelling zal overschrijven" msgid "The name cannot be the same as a preset alias name." msgstr "" -"Er kan niet voor een naam gekozen worden die hetzelfde is als de naam van een " -"voorinstelling." +"Er kan niet voor een naam gekozen worden die hetzelfde is als de naam van " +"een voorinstelling." msgid "Save preset" msgstr "Bewaar voorinstelling" @@ -6854,7 +7090,8 @@ msgstr "Voor \"%1%\", dient \"%2%\" veranderd te worden in \"%3%\" " #, boost-format msgid "For \"%1%\", add \"%2%\" as a new preset" -msgstr "Voor \"%1%\", dient \"%2%\" toegevoegd te worden als nieuwe voorinstelling" +msgstr "" +"Voor \"%1%\", dient \"%2%\" toegevoegd te worden als nieuwe voorinstelling" #, boost-format msgid "Simply switch to \"%1%\"" @@ -6937,98 +7174,110 @@ msgstr "Time-out tijdens synchronisatie van apparaatinformatie" msgid "Cannot send the print job when the printer is updating firmware" msgstr "" -"Kan geen printopdracht verzenden terwijl de printer bezig is met het updaten van de firmware" +"Kan geen printopdracht verzenden terwijl de printer bezig is met het updaten " +"van de firmware" -msgid "The printer is executing instructions. Please restart printing after it ends" +msgid "" +"The printer is executing instructions. Please restart printing after it ends" msgstr "" -"De printer is instructies aan het uitvoeren. Begin opnieuw met printen nadat dit is voltooid" +"De printer is instructies aan het uitvoeren. Begin opnieuw met printen nadat " +"dit is voltooid" msgid "The printer is busy on other print job" msgstr "De printer is bezig met een andere printtaak" #, c-format, boost-format msgid "" -"Filament %s exceeds the number of AMS slots. Please update the printer firmware to support " -"AMS slot assignment." +"Filament %s exceeds the number of AMS slots. Please update the printer " +"firmware to support AMS slot assignment." msgstr "" -"Filament %s overschrijdt het aantal AMS-sleuven. Update de firmware van de printer om de " -"toewijzing van AMS-sleuven te ondersteunen." +"Filament %s overschrijdt het aantal AMS-sleuven. Update de firmware van de " +"printer om de toewijzing van AMS-sleuven te ondersteunen." msgid "" -"Filament exceeds the number of AMS slots. Please update the printer firmware to support AMS " -"slot assignment." +"Filament exceeds the number of AMS slots. Please update the printer firmware " +"to support AMS slot assignment." msgstr "" -"Het filament overschrijdt het aantal AMS-sleuven. Update de firmware van de printer om de " -"toewijzing van AMS-sleuven te ondersteunen." +"Het filament overschrijdt het aantal AMS-sleuven. Update de firmware van de " +"printer om de toewijzing van AMS-sleuven te ondersteunen." msgid "" -"Filaments to AMS slots mappings have been established. You can click a filament above to " -"change its mapping AMS slot" +"Filaments to AMS slots mappings have been established. You can click a " +"filament above to change its mapping AMS slot" msgstr "" -"De toewijzingen van filamenten aan AMS-slots zijn vastgesteld. U kunt op een filament " -"hierboven klikken om de toewijzing van het AMS slot te wijzigen" +"De toewijzingen van filamenten aan AMS-slots zijn vastgesteld. U kunt op een " +"filament hierboven klikken om de toewijzing van het AMS slot te wijzigen" msgid "" -"Please click each filament above to specify its mapping AMS slot before sending the print " -"job" +"Please click each filament above to specify its mapping AMS slot before " +"sending the print job" msgstr "" -"Klik op elk filament hierboven om de bijbehorende AMS-sleuf op te geven voordat u de " -"printopdracht verzendt" +"Klik op elk filament hierboven om de bijbehorende AMS-sleuf op te geven " +"voordat u de printopdracht verzendt" #, c-format, boost-format msgid "" -"Filament %s does not match the filament in AMS slot %s. Please update the printer firmware " -"to support AMS slot assignment." +"Filament %s does not match the filament in AMS slot %s. Please update the " +"printer firmware to support AMS slot assignment." msgstr "" -"Filament %s komt niet overeen met het filament in AMS-sleuf %s. Werk de firmware van de " -"printer bij om de toewijzing van AMS-sleuven te ondersteunen." +"Filament %s komt niet overeen met het filament in AMS-sleuf %s. Werk de " +"firmware van de printer bij om de toewijzing van AMS-sleuven te ondersteunen." msgid "" -"Filament does not match the filament in AMS slot. Please update the printer firmware to " -"support AMS slot assignment." +"Filament does not match the filament in AMS slot. Please update the printer " +"firmware to support AMS slot assignment." msgstr "" -"Het filament komt niet overeen met het filament in de AMS-sleuf. Update de firmware van de " -"printer om de toewijzing van AMS-sleuven te ondersteunen." +"Het filament komt niet overeen met het filament in de AMS-sleuf. Update de " +"firmware van de printer om de toewijzing van AMS-sleuven te ondersteunen." -msgid "The printer firmware only supports sequential mapping of filament => AMS slot." +msgid "" +"The printer firmware only supports sequential mapping of filament => AMS " +"slot." msgstr "" -"De firmware van de printer ondersteunt alleen sequentiële toewijzing van filament => AMS-" -"sleuf." +"De firmware van de printer ondersteunt alleen sequentiële toewijzing van " +"filament => AMS-sleuf." msgid "An SD card needs to be inserted before printing." msgstr "Er moet een MicroSD-kaart worden geplaatst voordat u kunt afdrukken." #, c-format, boost-format msgid "" -"The selected printer (%s) is incompatible with the chosen printer profile in the slicer " -"(%s)." +"The selected printer (%s) is incompatible with the chosen printer profile in " +"the slicer (%s)." msgstr "" -"The selected printer (%s) is incompatible with the chosen printer profile in the slicer " -"(%s)." +"The selected printer (%s) is incompatible with the chosen printer profile in " +"the slicer (%s)." msgid "An SD card needs to be inserted to record timelapse." -msgstr "Er moet een MicroSD-kaart worden geplaatst om een timelapse op te nemen." - -msgid "Cannot send the print job to a printer whose firmware is required to get updated." msgstr "" -"Kan de printopdracht niet naar een printer sturen waarvan de firmware moet worden " -"bijgewerkt." +"Er moet een MicroSD-kaart worden geplaatst om een timelapse op te nemen." + +msgid "" +"Cannot send the print job to a printer whose firmware is required to get " +"updated." +msgstr "" +"Kan de printopdracht niet naar een printer sturen waarvan de firmware moet " +"worden bijgewerkt." msgid "Cannot send the print job for empty plate" msgstr "Kan geen afdruktaak verzenden voor een lege plaat" msgid "This printer does not support printing all plates" -msgstr "Deze printer biedt geen ondersteuning voor het afdrukken van alle platen" +msgstr "" +"Deze printer biedt geen ondersteuning voor het afdrukken van alle platen" msgid "" -"When enable spiral vase mode, machines with I3 structure will not generate timelapse videos." +"When enable spiral vase mode, machines with I3 structure will not generate " +"timelapse videos." msgstr "" -"When spiral vase mode is enabled, machines with I3 structure will not generate timelapse " -"videos." +"When spiral vase mode is enabled, machines with I3 structure will not " +"generate timelapse videos." -msgid "Timelapse is not supported because Print sequence is set to \"By object\"." +msgid "" +"Timelapse is not supported because Print sequence is set to \"By object\"." msgstr "" -"Timelapse wordt niet ondersteund omdat Afdruksequentie is ingesteld op \"Per object\"." +"Timelapse wordt niet ondersteund omdat Afdruksequentie is ingesteld op \"Per " +"object\"." msgid "Errors" msgstr "Fouten" @@ -7037,18 +7286,22 @@ msgid "Please check the following:" msgstr "Controleer het volgende:" msgid "" -"The printer type selected when generating G-Code is not consistent with the currently " -"selected printer. It is recommended that you use the same printer type for slicing." +"The printer type selected when generating G-Code is not consistent with the " +"currently selected printer. It is recommended that you use the same printer " +"type for slicing." msgstr "" -"The printer type selected when generating G-Code is not consistent with the currently " -"selected printer. It is recommended that you use the same printer type for slicing." +"The printer type selected when generating G-Code is not consistent with the " +"currently selected printer. It is recommended that you use the same printer " +"type for slicing." msgid "" -"There are some unknown filaments in the AMS mappings. Please check whether they are the " -"required filaments. If they are okay, press \"Confirm\" to start printing." +"There are some unknown filaments in the AMS mappings. Please check whether " +"they are the required filaments. If they are okay, press \"Confirm\" to " +"start printing." msgstr "" -"Er zijn enkele onbekende filamenten in de AMS mappings. Controleer of het de vereiste " -"filamenten zijn. Als ze in orde zijn, klikt u op \"Bevestigen\" om het afdrukken te starten." +"Er zijn enkele onbekende filamenten in de AMS mappings. Controleer of het de " +"vereiste filamenten zijn. Als ze in orde zijn, klikt u op \"Bevestigen\" om " +"het afdrukken te starten." #, c-format, boost-format msgid "nozzle in preset: %s %s" @@ -7059,34 +7312,41 @@ msgid "nozzle memorized: %.2f %s" msgstr "mondstuk onthouden: %.2f %s" msgid "" -"Your nozzle diameter in sliced file is not consistent with memorized nozzle. If you changed " -"your nozzle lately, please go to Device > Printer Parts to change settings." +"Your nozzle diameter in sliced file is not consistent with memorized nozzle. " +"If you changed your nozzle lately, please go to Device > Printer Parts to " +"change settings." msgstr "" -"De dieameter van het mondstuk in het bestand komt niet overeen met het opgeslagen mondstuk. " -"Als u uw mondstuk onlangs hebt gewijzigd, ga dan naar Apparaat > Printeronderdelen om de " -"instellingen te wijzigen." +"De dieameter van het mondstuk in het bestand komt niet overeen met het " +"opgeslagen mondstuk. Als u uw mondstuk onlangs hebt gewijzigd, ga dan naar " +"Apparaat > Printeronderdelen om de instellingen te wijzigen." #, c-format, boost-format -msgid "Printing high temperature material(%s material) with %s may cause nozzle damage" +msgid "" +"Printing high temperature material(%s material) with %s may cause nozzle " +"damage" msgstr "" -"Het printen van materiaal met een hoge temperatuur (%s materiaal) met %s kan schade aan het " -"mondstuk veroorzaken" +"Het printen van materiaal met een hoge temperatuur (%s materiaal) met %s kan " +"schade aan het mondstuk veroorzaken" msgid "Please fix the error above, otherwise printing cannot continue." msgstr "Please fix the error above, otherwise printing cannot continue." -msgid "Please click the confirm button if you still want to proceed with printing." -msgstr "Please click the confirm button if you still want to proceed with printing." - -msgid "Connecting to the printer. Unable to cancel during the connection process." -msgstr "Aansluiten op de printer. Kan niet annuleren tijdens het verbindingsproces." +msgid "" +"Please click the confirm button if you still want to proceed with printing." +msgstr "" +"Please click the confirm button if you still want to proceed with printing." msgid "" -"Caution to use! Flow calibration on Textured PEI Plate may fail due to the scattered " -"surface." +"Connecting to the printer. Unable to cancel during the connection process." msgstr "" -"Let op bij gebruik! Flowkalibratie op de PEI-plaat met structuur kan mislukken vanwege het " -"verstrooide oppervlak." +"Aansluiten op de printer. Kan niet annuleren tijdens het verbindingsproces." + +msgid "" +"Caution to use! Flow calibration on Textured PEI Plate may fail due to the " +"scattered surface." +msgstr "" +"Let op bij gebruik! Flowkalibratie op de PEI-plaat met structuur kan " +"mislukken vanwege het verstrooide oppervlak." msgid "Automatic flow calibration using Micro Lidar" msgstr "Automatic flow calibration using the Micro Lidar" @@ -7104,17 +7364,21 @@ msgid "Cannot send the print task when the upgrade is in progress" msgstr "Kan de printtaak niet verzenden wanneer de upgrade wordt uitgevoerd" msgid "The selected printer is incompatible with the chosen printer presets." -msgstr "De geselecteerde printer is niet compatibel met de gekozen printervoorinstellingen." +msgstr "" +"De geselecteerde printer is niet compatibel met de gekozen " +"printervoorinstellingen." msgid "An SD card needs to be inserted before send to printer SD card." -msgstr "A MicroSD card needs to be inserted before sending to the printer SD card." +msgstr "" +"A MicroSD card needs to be inserted before sending to the printer SD card." msgid "The printer is required to be in the same LAN as Orca Slicer." msgstr "De printer moet zich in hetzelfde LAN bevinden als Orca Slicer." msgid "The printer does not support sending to printer SD card." msgstr "" -"De printer biedt geen ondersteuning voor het verzenden naar de microSD-kaart van de printer." +"De printer biedt geen ondersteuning voor het verzenden naar de microSD-kaart " +"van de printer." msgid "Slice ok." msgstr "Slice gelukt." @@ -7187,17 +7451,17 @@ msgid "Terms and Conditions" msgstr "Algemene voorwaarden" msgid "" -"Thank you for purchasing a Bambu Lab device.Before using your Bambu Lab device, please read " -"the termsand conditions.By clicking to agree to use your Bambu Lab device, you agree to " -"abide by the Privacy Policyand Terms of Use(collectively, the \"Terms\"). If you do not " -"comply with or agree to the Bambu Lab Privacy Policy, please do not use Bambu Lab equipment " -"and services." +"Thank you for purchasing a Bambu Lab device.Before using your Bambu Lab " +"device, please read the termsand conditions.By clicking to agree to use your " +"Bambu Lab device, you agree to abide by the Privacy Policyand Terms of " +"Use(collectively, the \"Terms\"). If you do not comply with or agree to the " +"Bambu Lab Privacy Policy, please do not use Bambu Lab equipment and services." msgstr "" -"Thank you for purchasing a Bambu Lab device. Before using your Bambu Lab device, please " -"read the terms and conditions. By clicking to agree to use your Bambu Lab device, you agree " -"to abide by the Privacy Policy and Terms of Use (collectively, the \"Terms\"). If you do " -"not comply with or agree to the Bambu Lab Privacy Policy, please do not use Bambu Lab " -"equipment and services." +"Thank you for purchasing a Bambu Lab device. Before using your Bambu Lab " +"device, please read the terms and conditions. By clicking to agree to use " +"your Bambu Lab device, you agree to abide by the Privacy Policy and Terms of " +"Use (collectively, the \"Terms\"). If you do not comply with or agree to the " +"Bambu Lab Privacy Policy, please do not use Bambu Lab equipment and services." msgid "and" msgstr "en" @@ -7213,25 +7477,29 @@ msgstr "Statement about User Experience Improvement Program" #, c-format, boost-format msgid "" -"In the 3D Printing community, we learn from each other's successes and failures to adjust " -"our own slicing parameters and settings. %s follows the same principle and uses machine " -"learning to improve its performance from the successes and failures of the vast number of " -"prints by our users. We are training %s to be smarter by feeding them the real-world data. " -"If you are willing, this service will access information from your error logs and usage " -"logs, which may include information described in Privacy Policy. We will not collect any " -"Personal Data by which an individual can be identified directly or indirectly, including " -"without limitation names, addresses, payment information, or phone numbers. By enabling " -"this service, you agree to these terms and the statement about Privacy Policy." +"In the 3D Printing community, we learn from each other's successes and " +"failures to adjust our own slicing parameters and settings. %s follows the " +"same principle and uses machine learning to improve its performance from the " +"successes and failures of the vast number of prints by our users. We are " +"training %s to be smarter by feeding them the real-world data. If you are " +"willing, this service will access information from your error logs and usage " +"logs, which may include information described in Privacy Policy. We will " +"not collect any Personal Data by which an individual can be identified " +"directly or indirectly, including without limitation names, addresses, " +"payment information, or phone numbers. By enabling this service, you agree " +"to these terms and the statement about Privacy Policy." msgstr "" -"In the 3D Printing community, we learn from each other's successes and failures to adjust " -"our own slicing parameters and settings. %s follows the same principle and uses machine " -"learning to improve its performance from the successes and failures of the vast number of " -"prints by our users. We are training %s to be smarter by feeding them the real-world data. " -"If you are willing, this service will access information from your error logs and usage " -"logs, which may include information described in Privacy Policy. We will not collect any " -"Personal Data by which an individual can be identified directly or indirectly, including " -"without limitation names, addresses, payment information, or phone numbers. By enabling " -"this service, you agree to these terms and the statement about Privacy Policy." +"In the 3D Printing community, we learn from each other's successes and " +"failures to adjust our own slicing parameters and settings. %s follows the " +"same principle and uses machine learning to improve its performance from the " +"successes and failures of the vast number of prints by our users. We are " +"training %s to be smarter by feeding them the real-world data. If you are " +"willing, this service will access information from your error logs and usage " +"logs, which may include information described in Privacy Policy. We will " +"not collect any Personal Data by which an individual can be identified " +"directly or indirectly, including without limitation names, addresses, " +"payment information, or phone numbers. By enabling this service, you agree " +"to these terms and the statement about Privacy Policy." msgid "Statement on User Experience Improvement Plan" msgstr "Statement on User Experience Improvement Plan" @@ -7250,7 +7518,8 @@ msgstr "Eerst inloggen aub." msgid "There was a problem connecting to the printer. Please try again." msgstr "" -"Er is een probleem opgetreden tijdens het verbinden met de printer. Probeer het opnieuw." +"Er is een probleem opgetreden tijdens het verbinden met de printer. Probeer " +"het opnieuw." msgid "Failed to log out." msgstr "Uitloggen mislukt." @@ -7267,33 +7536,38 @@ msgid "Search in preset" msgstr "Zoeken in voorinstelling" msgid "Click to reset all settings to the last saved preset." -msgstr "Klik om alle instellingen terug te zetten naar de laatst opgeslagen voorinstelling." +msgstr "" +"Klik om alle instellingen terug te zetten naar de laatst opgeslagen " +"voorinstelling." msgid "" -"Prime tower is required for smooth timeplase. There may be flaws on the model without prime " -"tower. Are you sure you want to disable prime tower?" +"Prime tower is required for smooth timeplase. There may be flaws on the " +"model without prime tower. Are you sure you want to disable prime tower?" msgstr "" -"Een Prime-toren is vereist voor een vloeiende timeplase-modus. Er kunnen gebreken ontstaan " -"aan het model zonder prime-toren. Weet je zeker dat je de prime-toren wilt uitschakelen?" +"Een Prime-toren is vereist voor een vloeiende timeplase-modus. Er kunnen " +"gebreken ontstaan aan het model zonder prime-toren. Weet je zeker dat je de " +"prime-toren wilt uitschakelen?" msgid "" -"Prime tower is required for smooth timelapse. There may be flaws on the model without prime " -"tower. Do you want to enable prime tower?" +"Prime tower is required for smooth timelapse. There may be flaws on the " +"model without prime tower. Do you want to enable prime tower?" msgstr "" -"Een prime-toren is vereist voor een vloeiende timelapse-modus. Er kunnen gebreken ontstaan " -"aan het model zonder prime-toren. Wilt u de prime-toren inschakelen?" +"Een prime-toren is vereist voor een vloeiende timelapse-modus. Er kunnen " +"gebreken ontstaan aan het model zonder prime-toren. Wilt u de prime-toren " +"inschakelen?" msgid "Still print by object?" msgstr "Print je nog steeds per object?" msgid "" -"We have added an experimental style \"Tree Slim\" that features smaller support volume but " -"weaker strength.\n" +"We have added an experimental style \"Tree Slim\" that features smaller " +"support volume but weaker strength.\n" "We recommend using it with: 0 interface layers, 0 top distance, 2 walls." msgstr "" "We hebben een experimentele stijl toegevoegd, „Tree Slim”, met een kleiner " "ondersteuningsvolume maar een zwakkere sterkte.\n" -"We raden aan om het te gebruiken met: 0 interfacelagen, 0 bovenafstand, 2 muren." +"We raden aan om het te gebruiken met: 0 interfacelagen, 0 bovenafstand, 2 " +"muren." msgid "" "Change these settings automatically? \n" @@ -7305,34 +7579,34 @@ msgstr "" "Nee - Wijzig deze instellingen niet voor mij" msgid "" -"For \"Tree Strong\" and \"Tree Hybrid\" styles, we recommend the following settings: at " -"least 2 interface layers, at least 0.1mm top z distance or using support materials on " -"interface." +"For \"Tree Strong\" and \"Tree Hybrid\" styles, we recommend the following " +"settings: at least 2 interface layers, at least 0.1mm top z distance or " +"using support materials on interface." msgstr "" -"Voor de stijlen „Tree Strong” en „Tree Hybrid” raden we de volgende instellingen aan: ten " -"minste 2 interfacelagen, ten minste 0,1 mm op z afstand of gebruik support materiaal op de " -"interface." +"Voor de stijlen „Tree Strong” en „Tree Hybrid” raden we de volgende " +"instellingen aan: ten minste 2 interfacelagen, ten minste 0,1 mm op z " +"afstand of gebruik support materiaal op de interface." msgid "" -"When using support material for the support interface, We recommend the following " -"settings:\n" -"0 top z distance, 0 interface spacing, concentric pattern and disable independent support " -"layer height" +"When using support material for the support interface, We recommend the " +"following settings:\n" +"0 top z distance, 0 interface spacing, concentric pattern and disable " +"independent support layer height" msgstr "" -"When using support material for the support interface, we recommend the following " -"settings:\n" -"0 top z distance, 0 interface spacing, concentric pattern and disable independent support " -"layer height" +"When using support material for the support interface, we recommend the " +"following settings:\n" +"0 top z distance, 0 interface spacing, concentric pattern and disable " +"independent support layer height" msgid "" -"Enabling this option will modify the model's shape. If your print requires precise " -"dimensions or is part of an assembly, it's important to double-check whether this change in " -"geometry impacts the functionality of your print." +"Enabling this option will modify the model's shape. If your print requires " +"precise dimensions or is part of an assembly, it's important to double-check " +"whether this change in geometry impacts the functionality of your print." msgstr "" -"Als u deze optie inschakelt, wordt de vorm van het model aangepast. Als uw afdruk precieze " -"afmetingen vereist of deel uitmaakt van een samenstelling, is het belangrijk om te " -"controleren of deze geometrie verandering van invloed is op de functionaliteit van uw " -"afdruk." +"Als u deze optie inschakelt, wordt de vorm van het model aangepast. Als uw " +"afdruk precieze afmetingen vereist of deel uitmaakt van een samenstelling, " +"is het belangrijk om te controleren of deze geometrie verandering van " +"invloed is op de functionaliteit van uw afdruk." msgid "Are you sure you want to enable this option?" msgstr "Weet u zeker dat u deze optie wilt inschakelen?" @@ -7345,8 +7619,8 @@ msgstr "" "Het zal worden ingesteld op min_layer_height\n" msgid "" -"Layer height exceeds the limit in Printer Settings -> Extruder -> Layer height limits ,this " -"may cause printing quality issues." +"Layer height exceeds the limit in Printer Settings -> Extruder -> Layer " +"height limits ,this may cause printing quality issues." msgstr "" "De laaghoogte overschrijdt de limiet in Printerinstellingen -> Extruder -> " "Laaghoogtelimieten, dit kan problemen met de afdrukkwaliteit veroorzaken." @@ -7361,36 +7635,38 @@ msgid "Ignore" msgstr "Negeer" msgid "" -"Experimental feature: Retracting and cutting off the filament at a greater distance during " -"filament changes to minimize flush.Although it can notably reduce flush, it may also " -"elevate the risk of nozzle clogs or other printing complications." +"Experimental feature: Retracting and cutting off the filament at a greater " +"distance during filament changes to minimize flush.Although it can notably " +"reduce flush, it may also elevate the risk of nozzle clogs or other " +"printing complications." msgstr "" -"Experimentele functie: Het filament op grotere afstand terugtrekken en afsnijden tijdens " -"filamentwisselingen om flush te minimaliseren. Hoewel het het doorspoelen aanzienlijk kan " -"verminderen, kan het ook het risico op een verstopt mondstuk of andere printcomplicaties " -"vergroten." +"Experimentele functie: Het filament op grotere afstand terugtrekken en " +"afsnijden tijdens filamentwisselingen om flush te minimaliseren. Hoewel het " +"het doorspoelen aanzienlijk kan verminderen, kan het ook het risico op een " +"verstopt mondstuk of andere printcomplicaties vergroten." msgid "" -"Experimental feature: Retracting and cutting off the filament at a greater distance during " -"filament changes to minimize flush.Although it can notably reduce flush, it may also " -"elevate the risk of nozzle clogs or other printing complications.Please use with the latest " -"printer firmware." +"Experimental feature: Retracting and cutting off the filament at a greater " +"distance during filament changes to minimize flush.Although it can notably " +"reduce flush, it may also elevate the risk of nozzle clogs or other printing " +"complications.Please use with the latest printer firmware." msgstr "" -"Experimentele functie: Het filament op grotere afstand terugtrekken en afsnijden tijdens " -"filamentwisselingen om flush te minimaliseren. Hoewel het het doorspoelen aanzienlijk kan " -"verminderen, kan het ook het risico op een verstopt mondstuk of andere printcomplicaties " -"vergroten. Gebruik dit met de nieuwste printerfirmware." +"Experimentele functie: Het filament op grotere afstand terugtrekken en " +"afsnijden tijdens filamentwisselingen om flush te minimaliseren. Hoewel het " +"het doorspoelen aanzienlijk kan verminderen, kan het ook het risico op een " +"verstopt mondstuk of andere printcomplicaties vergroten. Gebruik dit met de " +"nieuwste printerfirmware." msgid "" -"When recording timelapse without toolhead, it is recommended to add a \"Timelapse Wipe " -"Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive\"->\"Timelapse " -"Wipe Tower\"." +"When recording timelapse without toolhead, it is recommended to add a " +"\"Timelapse Wipe Tower\" \n" +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" -"Bij het opnemen van timelapse zonder toolhead is het aan te raden om een „Timelapse Wipe " -"Tower” toe te voegen \n" -"door met de rechtermuisknop op de lege positie van de bouwplaat te klikken en „Add " -"Primitive” ->\"Timelapse Wipe Tower” te kiezen." +"Bij het opnemen van timelapse zonder toolhead is het aan te raden om een " +"„Timelapse Wipe Tower” toe te voegen \n" +"door met de rechtermuisknop op de lege positie van de bouwplaat te klikken " +"en „Add Primitive” ->\"Timelapse Wipe Tower” te kiezen." msgid "Line width" msgstr "Lijn dikte" @@ -7429,13 +7705,14 @@ msgid "Overhang speed" msgstr "Snelheid voor overhangende gebieden" msgid "" -"This is the speed for various overhang degrees. Overhang degrees are expressed as a " -"percentage of line width. 0 speed means no slowing down for the overhang degree range and " -"wall speed is used" +"This is the speed for various overhang degrees. Overhang degrees are " +"expressed as a percentage of line width. 0 speed means no slowing down for " +"the overhang degree range and wall speed is used" msgstr "" -"Dit is de snelheid voor diverse overhanggraden. Overhanggraden worden uitgedrukt als een " -"percentage van de laag breedte. 0 betekend dat er niet afgeremd wordt voor overhanggraden " -"en dat dezelfde snelheid als voor wanden gebruikt wordt" +"Dit is de snelheid voor diverse overhanggraden. Overhanggraden worden " +"uitgedrukt als een percentage van de laag breedte. 0 betekend dat er niet " +"afgeremd wordt voor overhanggraden en dat dezelfde snelheid als voor wanden " +"gebruikt wordt" msgid "Bridge" msgstr "Brug" @@ -7494,18 +7771,20 @@ msgstr "Veelgebruikt" #, c-format, boost-format msgid "" "Following line %s contains reserved keywords.\n" -"Please remove it, or will beat G-code visualization and printing time estimation." +"Please remove it, or will beat G-code visualization and printing time " +"estimation." msgid_plural "" "Following lines %s contain reserved keywords.\n" -"Please remove them, or will beat G-code visualization and printing time estimation." +"Please remove them, or will beat G-code visualization and printing time " +"estimation." msgstr[0] "" "De volgende regel %s bevat gereserveerde trefwoorden.\n" -"Verwijder deze woorden alstublieft, anders overschrijven deze de G-code-visualisatie en de " -"schatting van de afdruktijd." +"Verwijder deze woorden alstublieft, anders overschrijven deze de G-code-" +"visualisatie en de schatting van de afdruktijd." msgstr[1] "" "De volgende regel %s bevat gereserveerde trefwoorden.\n" -"Verwijder deze woorden alstublieft, anders overschrijven deze de G-code-visualisatie en de " -"schatting van de afdruktijd." +"Verwijder deze woorden alstublieft, anders overschrijven deze de G-code-" +"visualisatie en de schatting van de afdruktijd." msgid "Reserved keywords found" msgstr "Gereserveerde zoekworden gevonden" @@ -7524,7 +7803,8 @@ msgstr "Aanbevolen mondstuk temperatuur" msgid "Recommended nozzle temperature range of this filament. 0 means no set" msgstr "" -"De geadviseerde mondstuk temperatuur voor dit filament. 0 betekend dat er geen waarde is" +"De geadviseerde mondstuk temperatuur voor dit filament. 0 betekend dat er " +"geen waarde is" msgid "Flow ratio and Pressure Advance" msgstr "" @@ -7545,42 +7825,45 @@ msgid "Cool plate" msgstr "Koudeplaat" msgid "" -"Bed temperature when cool plate is installed. Value 0 means the filament does not support " -"to print on the Cool Plate" +"Bed temperature when cool plate is installed. Value 0 means the filament " +"does not support to print on the Cool Plate" msgstr "" -"Dit is de bedtemperatuur wanneer de koelplaat is geïnstalleerd. Een waarde van 0 betekent " -"dat het filament printen op de Cool Plate niet ondersteunt." +"Dit is de bedtemperatuur wanneer de koelplaat is geïnstalleerd. Een waarde " +"van 0 betekent dat het filament printen op de Cool Plate niet ondersteunt." msgid "Engineering plate" msgstr "Engineering plaat" msgid "" -"Bed temperature when engineering plate is installed. Value 0 means the filament does not " -"support to print on the Engineering Plate" +"Bed temperature when engineering plate is installed. Value 0 means the " +"filament does not support to print on the Engineering Plate" msgstr "" -"Dit is de bedtemperatuur wanneer de technische plaat is geïnstalleerd. Een waarde van 0 " -"betekent dat het filament afdrukken op de Engineering Plate niet ondersteunt." +"Dit is de bedtemperatuur wanneer de technische plaat is geïnstalleerd. Een " +"waarde van 0 betekent dat het filament afdrukken op de Engineering Plate " +"niet ondersteunt." msgid "Smooth PEI Plate / High Temp Plate" msgstr "Gladde PEI-plaat / Hoge temperatuurplaat" msgid "" -"Bed temperature when Smooth PEI Plate/High temperature plate is installed. Value 0 means " -"the filament does not support to print on the Smooth PEI Plate/High Temp Plate" +"Bed temperature when Smooth PEI Plate/High temperature plate is installed. " +"Value 0 means the filament does not support to print on the Smooth PEI Plate/" +"High Temp Plate" msgstr "" -"Bedtemperatuur wanneer gladde PEI-plaat/hoge temperatuurplaat is geïnstalleerd. Waarde 0 " -"betekent dat het filament niet geschikt is voor afdrukken op de gladde PEI-plaat/hoge " -"temperatuurplaat." +"Bedtemperatuur wanneer gladde PEI-plaat/hoge temperatuurplaat is " +"geïnstalleerd. Waarde 0 betekent dat het filament niet geschikt is voor " +"afdrukken op de gladde PEI-plaat/hoge temperatuurplaat." msgid "Textured PEI Plate" msgstr "Getextureerde PEI-plaat" msgid "" -"Bed temperature when Textured PEI Plate is installed. Value 0 means the filament does not " -"support to print on the Textured PEI Plate" +"Bed temperature when Textured PEI Plate is installed. Value 0 means the " +"filament does not support to print on the Textured PEI Plate" msgstr "" -"Bedtemperatuur wanneer een getextureerde PEI-plaat is geïnstalleerd. 0 betekent dat het " -"filament niet wordt ondersteund op de getextureerde PEI-plaat" +"Bedtemperatuur wanneer een getextureerde PEI-plaat is geïnstalleerd. 0 " +"betekent dat het filament niet wordt ondersteund op de getextureerde PEI-" +"plaat" msgid "Volumetric speed limitation" msgstr "Volumetrische snelheidsbeperking" @@ -7598,24 +7881,26 @@ msgid "Min fan speed threshold" msgstr "Minimale snelheidsdrempel ventilator snelheid" msgid "" -"Part cooling fan speed will start to run at min speed when the estimated layer time is no " -"longer than the layer time in setting. When layer time is shorter than threshold, fan speed " -"is interpolated between the minimum and maximum fan speed according to layer printing time" +"Part cooling fan speed will start to run at min speed when the estimated " +"layer time is no longer than the layer time in setting. When layer time is " +"shorter than threshold, fan speed is interpolated between the minimum and " +"maximum fan speed according to layer printing time" msgstr "" -"De snelheid van de printkop ventilator begint op minimale snelheid te draaien wanneer de " -"geschatte printtijd voor de laag niet langer is dan de printtijd in de instelling. Wanneer " -"de printtijd korter is dan de drempelwaarde, wordt de ventilatorsnelheid geïnterpoleerd " -"tussen de minimale en maximale ventilatorsnelheid volgens de printtijd van de laag" +"De snelheid van de printkop ventilator begint op minimale snelheid te " +"draaien wanneer de geschatte printtijd voor de laag niet langer is dan de " +"printtijd in de instelling. Wanneer de printtijd korter is dan de " +"drempelwaarde, wordt de ventilatorsnelheid geïnterpoleerd tussen de minimale " +"en maximale ventilatorsnelheid volgens de printtijd van de laag" msgid "Max fan speed threshold" msgstr "Snelheidsdrempel ventilatorsnelheid" msgid "" -"Part cooling fan speed will be max when the estimated layer time is shorter than the " -"setting value" +"Part cooling fan speed will be max when the estimated layer time is shorter " +"than the setting value" msgstr "" -"De snelheid van de printkop ventilator zal maximaal zijn als de inschatte tijd voor het " -"printen van de laag lager is dan de ingestelde waarde" +"De snelheid van de printkop ventilator zal maximaal zijn als de inschatte " +"tijd voor het printen van de laag lager is dan de ingestelde waarde" msgid "Auxiliary part cooling fan" msgstr "Extra koel ventilator" @@ -7730,8 +8015,8 @@ msgstr "" msgid "" "Single Extruder Multi Material is selected, \n" "and all extruders must have the same diameter.\n" -"Do you want to change the diameter for all extruders to first extruder nozzle diameter " -"value?" +"Do you want to change the diameter for all extruders to first extruder " +"nozzle diameter value?" msgstr "" msgid "Nozzle diameter" @@ -7744,8 +8029,8 @@ msgid "Single extruder multimaterial parameters" msgstr "Parameter voor multi-material met één extruder" msgid "" -"This is a single extruder multimaterial printer, diameters of all extruders will be set to " -"the new value. Do you want to proceed?" +"This is a single extruder multimaterial printer, diameters of all extruders " +"will be set to the new value. Do you want to proceed?" msgstr "" msgid "Layer height limits" @@ -7774,14 +8059,15 @@ msgstr "Losgemaakt" #, c-format, boost-format msgid "" -"%d Filament Preset and %d Process Preset is attached to this printer. Those presets would " -"be deleted if the printer is deleted." +"%d Filament Preset and %d Process Preset is attached to this printer. Those " +"presets would be deleted if the printer is deleted." msgstr "" -"%d Filament Preset en %d Process Preset zijn gekoppeld aan deze printer. Deze " -"voorinstellingen worden verwijderd als de printer wordt verwijderd." +"%d Filament Preset en %d Process Preset zijn gekoppeld aan deze printer. " +"Deze voorinstellingen worden verwijderd als de printer wordt verwijderd." msgid "Presets inherited by other presets can not be deleted!" -msgstr "Presets die door andere presets worden geërfd, kunnen niet worden verwijderd!" +msgstr "" +"Presets die door andere presets worden geërfd, kunnen niet worden verwijderd!" msgid "The following presets inherit this preset." msgid_plural "The following preset inherits this preset." @@ -7800,12 +8086,12 @@ msgstr[1] "De volgende voorinstelling zal ook verwijderd worden@" msgid "" "Are you sure to delete the selected preset? \n" -"If the preset corresponds to a filament currently in use on your printer, please reset the " -"filament information for that slot." +"If the preset corresponds to a filament currently in use on your printer, " +"please reset the filament information for that slot." msgstr "" "Weet je zeker dat je de geselecteerde preset wilt verwijderen? \n" -"Als de voorinstelling overeenkomt met een filament dat momenteel in gebruik is op je " -"printer, reset dan de filamentinformatie voor die sleuf." +"Als de voorinstelling overeenkomt met een filament dat momenteel in gebruik " +"is op je printer, reset dan de filamentinformatie voor die sleuf." #, boost-format msgid "Are you sure to %1% the selected preset?" @@ -7818,11 +8104,13 @@ msgid "Set" msgstr "Instellen" msgid "Click to reset current value and attach to the global value." -msgstr "Klik om de huidige waarde terug te zetten en de globale waarde toe te passen." +msgstr "" +"Klik om de huidige waarde terug te zetten en de globale waarde toe te passen." msgid "Click to drop current modify and reset to saved value." msgstr "" -"Klik om de huidige aanpassingen te verwerpen en terug te gaan naar de standaard instelling." +"Klik om de huidige aanpassingen te verwerpen en terug te gaan naar de " +"standaard instelling." msgid "Process Settings" msgstr "Procesinstellingen" @@ -7867,7 +8155,9 @@ msgid "Keep the selected options." msgstr "Bewaar de geselecteerde opties." msgid "Transfer the selected options to the newly selected preset." -msgstr "Breng de geselecteerde opties over naar de nieuwe geselecteerde voorinstelling" +msgstr "" +"Breng de geselecteerde opties over naar de nieuwe geselecteerde " +"voorinstelling" #, boost-format msgid "" @@ -7882,28 +8172,30 @@ msgid "" "Transfer the selected options to the newly selected preset \n" "\"%1%\"." msgstr "" -"Breng de geselecteerde opties over naar de nieuwe geselecteerde voorinstelling\n" +"Breng de geselecteerde opties over naar de nieuwe geselecteerde " +"voorinstelling\n" "\"%1%\"." #, boost-format msgid "Preset \"%1%\" contains the following unsaved changes:" -msgstr "Voorinstelling \"%1%\" bevat de navolgende nog niet opgeslagen aanpassingen:" +msgstr "" +"Voorinstelling \"%1%\" bevat de navolgende nog niet opgeslagen aanpassingen:" #, boost-format msgid "" -"Preset \"%1%\" is not compatible with the new printer profile and it contains the following " -"unsaved changes:" +"Preset \"%1%\" is not compatible with the new printer profile and it " +"contains the following unsaved changes:" msgstr "" -"Voorinstelling \"%1%\" is niet compatibel met het nieuwe printer profiel en bevat de " -"navolgende nog niet opgeslagen aanpassingen:" +"Voorinstelling \"%1%\" is niet compatibel met het nieuwe printer profiel en " +"bevat de navolgende nog niet opgeslagen aanpassingen:" #, boost-format msgid "" -"Preset \"%1%\" is not compatible with the new process profile and it contains the following " -"unsaved changes:" +"Preset \"%1%\" is not compatible with the new process profile and it " +"contains the following unsaved changes:" msgstr "" -"Voorinstelling \"%1%\" is niet compatibel met het niet proces profiel en bevat de " -"navolgende nog niet opgeslagen aanpassingen:" +"Voorinstelling \"%1%\" is niet compatibel met het niet proces profiel en " +"bevat de navolgende nog niet opgeslagen aanpassingen:" #, boost-format msgid "You have changed some settings of preset \"%1%\". " @@ -7918,8 +8210,8 @@ msgstr "" msgid "" "\n" -"You can save or discard the preset values you have modified, or choose to transfer the " -"values you have modified to the new preset." +"You can save or discard the preset values you have modified, or choose to " +"transfer the values you have modified to the new preset." msgstr "" msgid "You have previously modified your settings." @@ -7927,8 +8219,8 @@ msgstr "You have previously modified your settings." msgid "" "\n" -"You can discard the preset values you have modified, or choose to transfer the modified " -"values to the new project" +"You can discard the preset values you have modified, or choose to transfer " +"the modified values to the new project" msgstr "" msgid "Extruders count" @@ -7946,19 +8238,22 @@ msgstr "Toon alle presets (inclusief incompatibele)" msgid "Select presets to compare" msgstr "Select presets to compare" -msgid "You can only transfer to current active profile because it has been modified." +msgid "" +"You can only transfer to current active profile because it has been modified." msgstr "" msgid "" "Transfer the selected options from left preset to the right.\n" -"Note: New modified presets will be selected in settings tabs after close this dialog." +"Note: New modified presets will be selected in settings tabs after close " +"this dialog." msgstr "" msgid "Transfer values from left to right" msgstr "" msgid "" -"If enabled, this dialog can be used for transfer selected values from left to right preset." +"If enabled, this dialog can be used for transfer selected values from left " +"to right preset." msgstr "" msgid "Add File" @@ -8003,7 +8298,9 @@ msgid "Configuration update" msgstr "Configuratie update" msgid "A new configuration package available, Do you want to install it?" -msgstr "Er is een installatiebestand met een nieuwe configuratie. Wilt u deze installeren?" +msgstr "" +"Er is een installatiebestand met een nieuwe configuratie. Wilt u deze " +"installeren?" msgid "Description:" msgstr "Omschrijving:" @@ -8027,7 +8324,9 @@ msgid "Exit %s" msgstr "Exit %s" msgid "the Configuration package is incompatible with current APP." -msgstr "Het configuratie bestand is niet compatibel met de huidige versie van Bambu Studio." +msgstr "" +"Het configuratie bestand is niet compatibel met de huidige versie van Bambu " +"Studio." msgid "Configuration updates" msgstr "Configuratie updates" @@ -8096,24 +8395,26 @@ msgid "Ramming customization" msgstr "Ramming aanpassen" msgid "" -"Ramming denotes the rapid extrusion just before a tool change in a single-extruder MM " -"printer. Its purpose is to properly shape the end of the unloaded filament so it does not " -"prevent insertion of the new filament and can itself be reinserted later. This phase is " -"important and different materials can require different extrusion speeds to get the good " -"shape. For this reason, the extrusion rates during ramming are adjustable.\n" +"Ramming denotes the rapid extrusion just before a tool change in a single-" +"extruder MM printer. Its purpose is to properly shape the end of the " +"unloaded filament so it does not prevent insertion of the new filament and " +"can itself be reinserted later. This phase is important and different " +"materials can require different extrusion speeds to get the good shape. For " +"this reason, the extrusion rates during ramming are adjustable.\n" "\n" -"This is an expert-level setting, incorrect adjustment will likely lead to jams, extruder " -"wheel grinding into filament etc." +"This is an expert-level setting, incorrect adjustment will likely lead to " +"jams, extruder wheel grinding into filament etc." msgstr "" -"Ramming wordt gebruikt voor het snel extruderen vlak voor een toolwisseling bij multi-" -"materialprinters met één extruder. Het doel daarvan is om het einde van het ongeladen " -"filament goed te vormen (zodat het later weer geladen kan worden) en nieuw filament niet " -"verhinderd wordt. Deze fase is belangrijk. Verschillende materialen vereisen verschillende " -"extrusiesnelheden voor de juiste vorm. Daarom zijn de waarden tijdens de ramming aan te " -"passen.\n" +"Ramming wordt gebruikt voor het snel extruderen vlak voor een toolwisseling " +"bij multi-materialprinters met één extruder. Het doel daarvan is om het " +"einde van het ongeladen filament goed te vormen (zodat het later weer " +"geladen kan worden) en nieuw filament niet verhinderd wordt. Deze fase is " +"belangrijk. Verschillende materialen vereisen verschillende " +"extrusiesnelheden voor de juiste vorm. Daarom zijn de waarden tijdens de " +"ramming aan te passen.\n" "\n" -"Dit is een expert-level instelling. Onjuiste aanpassingen kunnen zorgen voor verstoppingen " -"en andere problemen." +"Dit is een expert-level instelling. Onjuiste aanpassingen kunnen zorgen voor " +"verstoppingen en andere problemen." msgid "Total ramming time" msgstr "Totale ramming-tijd" @@ -8140,8 +8441,8 @@ msgid "Flushing volumes for filament change" msgstr "Volumes reinigen voor filament wijziging" msgid "" -"Orca would re-calculate your flushing volumes everytime the filaments color changed. You " -"could disable the auto-calculate in Orca Slicer > Preferences" +"Orca would re-calculate your flushing volumes everytime the filaments color " +"changed. You could disable the auto-calculate in Orca Slicer > Preferences" msgstr "" msgid "Flushing volume (mm³) for each filament pair." @@ -8153,7 +8454,8 @@ msgstr "Suggestie: Spoelvolume in bereik [%d, %d]" #, c-format, boost-format msgid "The multiplier should be in range [%.2f, %.2f]." -msgstr "De vermenigvuldigingsfactor moet in het bereik liggen van [%.2f, %.2f]." +msgstr "" +"De vermenigvuldigingsfactor moet in het bereik liggen van [%.2f, %.2f]." msgid "Multiplier" msgstr "Vermenigvuldiger" @@ -8174,29 +8476,29 @@ msgid "To" msgstr "Naar" msgid "" -"Windows Media Player is required for this task! Do you want to enable 'Windows Media " -"Player' for your operation system?" +"Windows Media Player is required for this task! Do you want to enable " +"'Windows Media Player' for your operation system?" msgstr "" msgid "" -"BambuSource has not correctly been registered for media playing! Press Yes to re-register " -"it. You will be promoted twice" +"BambuSource has not correctly been registered for media playing! Press Yes " +"to re-register it. You will be promoted twice" msgstr "" msgid "" -"Missing BambuSource component registered for media playing! Please re-install BambuStutio " -"or seek after-sales help." +"Missing BambuSource component registered for media playing! Please re-" +"install BambuStutio or seek after-sales help." msgstr "" msgid "" -"Using a BambuSource from a different install, video play may not work correctly! Press Yes " -"to fix it." +"Using a BambuSource from a different install, video play may not work " +"correctly! Press Yes to fix it." msgstr "" msgid "" -"Your system is missing H.264 codecs for GStreamer, which are required to play video. (Try " -"installing the gstreamer1.0-plugins-bad or gstreamer1.0-libav packages, then restart Orca " -"Slicer?)" +"Your system is missing H.264 codecs for GStreamer, which are required to " +"play video. (Try installing the gstreamer1.0-plugins-bad or gstreamer1.0-" +"libav packages, then restart Orca Slicer?)" msgstr "" msgid "Bambu Network plug-in not detected." @@ -8223,14 +8525,19 @@ msgstr "Object lijst" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Import geometry data from STL/STEP/3MF/OBJ/AMF files" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Plakken vanuit klembord" msgid "Show/Hide 3Dconnexion devices settings dialog" -msgstr "Dialoogvenster met instellingen voor 3Dconnexion-apparaten weergeven/verbergen" +msgstr "" +"Dialoogvenster met instellingen voor 3Dconnexion-apparaten weergeven/" +"verbergen" msgid "Switch table page" msgstr "Schakeltabel pagina" @@ -8260,12 +8567,13 @@ msgid "Shift+R" msgstr "Shift+R" msgid "" -"Auto orientates selected objects or all objects.If there are selected objects, it just " -"orientates the selected ones.Otherwise, it will orientates all objects in the current disk." +"Auto orientates selected objects or all objects.If there are selected " +"objects, it just orientates the selected ones.Otherwise, it will orientates " +"all objects in the current disk." msgstr "" -"Oriënteert automatisch geselecteerde objecten of alle objecten. Als er geselecteerde " -"objecten zijn, oriënteert het alleen de geselecteerde objecten. Anders oriënteert het alle " -"objecten op de disk." +"Oriënteert automatisch geselecteerde objecten of alle objecten. Als er " +"geselecteerde objecten zijn, oriënteert het alleen de geselecteerde " +"objecten. Anders oriënteert het alle objecten op de disk." msgid "Shift+Tab" msgstr "Shift+Tab" @@ -8273,18 +8581,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "De menubalk in-/uitschuiven" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+willekeurige pijl" msgid "Movement in camera space" msgstr "Beweging in cameragebied" +msgid "⌥+Left mouse button" +msgstr "⌥+Linker muisknop" + msgid "Select a part" msgstr "Selecteer een onderdeel" +msgid "⌘+Left mouse button" +msgstr "⌘+Linker muisknop" + msgid "Select multiple objects" msgstr "Selecteer meerdere objecten" +msgid "Ctrl+Any arrow" +msgstr "CTRL+willekeurige pijl" + +msgid "Alt+Left mouse button" +msgstr "Alt+Linker muisknop" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+Linker muisknop" + msgid "Shift+Left mouse button" msgstr "Shift+Linker muisknop" @@ -8387,12 +8710,24 @@ msgstr "Plaat" msgid "Move: press to snap by 1mm" msgstr "Verplaatsen: druk om 1 mm te verplaatsen" +msgid "⌘+Mouse wheel" +msgstr "⌘+muiswiel" + msgid "Support/Color Painting: adjust pen radius" msgstr "Support/kleur intekenen: pas de pen diameter aan" +msgid "⌥+Mouse wheel" +msgstr "⌥+Muiswiel" + msgid "Support/Color Painting: adjust section position" msgstr "Support/kleur intekenen: pas de sectie positie aan" +msgid "Ctrl+Mouse wheel" +msgstr "CTRL+muiswiel" + +msgid "Alt+Mouse wheel" +msgstr "Alt+muiswiel" + msgid "Gizmo" msgstr "Gizmo" @@ -8403,13 +8738,16 @@ msgid "Delete objects, parts, modifiers " msgstr "Verwijder objecten, onderdelen, aanpassingen " msgid "Select the object/part and press space to change the name" -msgstr "Selecteer het object/onderdeel en druk op de spatiebalk om de naam aan te passen" +msgstr "" +"Selecteer het object/onderdeel en druk op de spatiebalk om de naam aan te " +"passen" msgid "Mouse click" msgstr "Muisklik" msgid "Select the object/part and mouse click to change the name" -msgstr "Selecteer het object/onderdeel en rechtermuisklik om de naam aan te passen" +msgstr "" +"Selecteer het object/onderdeel en rechtermuisklik om de naam aan te passen" msgid "Objects List" msgstr "Objecten lijst" @@ -8454,14 +8792,16 @@ msgstr "versie %s update informatie:" msgid "Network plug-in update" msgstr "Netwerk plug-in update" -msgid "Click OK to update the Network plug-in when Orca Slicer launches next time." +msgid "" +"Click OK to update the Network plug-in when Orca Slicer launches next time." msgstr "" -"Klik op OK om de netwerkplug-in bij te werken wanneer Orca Slicer de volgende keer wordt " -"gestart." +"Klik op OK om de netwerkplug-in bij te werken wanneer Orca Slicer de " +"volgende keer wordt gestart." #, c-format, boost-format msgid "A new Network plug-in(%s) available, Do you want to install it?" -msgstr "Een nieuwe netwerk plug-in (%s) is beschikbaar. Wilt je deze installeren?" +msgstr "" +"Een nieuwe netwerk plug-in (%s) is beschikbaar. Wilt je deze installeren?" msgid "New version of Orca Slicer" msgstr "Nieuwe versie van Orca Slicer" @@ -8514,15 +8854,18 @@ msgstr "Bevestig en update het mondstuk" msgid "LAN Connection Failed (Sending print file)" msgstr "LAN-verbinding mislukt (verzenden afdrukbestand)" -msgid "Step 1, please confirm Orca Slicer and your printer are in the same LAN." -msgstr "Stap 1, bevestig dat Orca Slicer en uw printer zich in hetzelfde LAN bevinden." +msgid "" +"Step 1, please confirm Orca Slicer and your printer are in the same LAN." +msgstr "" +"Stap 1, bevestig dat Orca Slicer en uw printer zich in hetzelfde LAN " +"bevinden." msgid "" -"Step 2, if the IP and Access Code below are different from the actual values on your " -"printer, please correct them." +"Step 2, if the IP and Access Code below are different from the actual values " +"on your printer, please correct them." msgstr "" -"Stap 2, als het IP-adres en de toegangscode hieronder afwijken van de werkelijke waarden op " -"uw printer, corrigeer ze dan." +"Stap 2, als het IP-adres en de toegangscode hieronder afwijken van de " +"werkelijke waarden op uw printer, corrigeer ze dan." msgid "IP" msgstr "IP" @@ -8534,7 +8877,8 @@ msgid "Where to find your printer's IP and Access Code?" msgstr "Waar vind je het IP-adres en de toegangscode van je printer?" msgid "Step 3: Ping the IP address to check for packet loss and latency." -msgstr "Stap 3: Ping het IP-adres om te controleren op pakketverlies en latentie." +msgstr "" +"Stap 3: Ping het IP-adres om te controleren op pakketverlies en latentie." msgid "Test" msgstr "Test" @@ -8580,28 +8924,29 @@ msgid "Updating successful" msgstr "Update geslaagd" msgid "" -"Are you sure you want to update? This will take about 10 minutes. Do not turn off the power " -"while the printer is updating." +"Are you sure you want to update? This will take about 10 minutes. Do not " +"turn off the power while the printer is updating." msgstr "" -"Weet u zeker dat u de firmware wilt bijwerken? Dit duurt ongeveer 10 minuten. Zet de " -"printer NIET uit tijdens dit proces." +"Weet u zeker dat u de firmware wilt bijwerken? Dit duurt ongeveer 10 " +"minuten. Zet de printer NIET uit tijdens dit proces." msgid "" -"An important update was detected and needs to be run before printing can continue. Do you " -"want to update now? You can also update later from 'Upgrade firmware'." +"An important update was detected and needs to be run before printing can " +"continue. Do you want to update now? You can also update later from 'Upgrade " +"firmware'." msgstr "" -"Er is een belangrijke update gedetecteerd die moet worden uitgevoerd voordat het printen " -"kan worden voortgezet. Wil je nu updaten? Je kunt ook later updaten via 'Firmware " -"bijwerken'." +"Er is een belangrijke update gedetecteerd die moet worden uitgevoerd voordat " +"het printen kan worden voortgezet. Wil je nu updaten? Je kunt ook later " +"updaten via 'Firmware bijwerken'." msgid "" -"The firmware version is abnormal. Repairing and updating are required before printing. Do " -"you want to update now? You can also update later on printer or update next time starting " -"Orca." +"The firmware version is abnormal. Repairing and updating are required before " +"printing. Do you want to update now? You can also update later on printer or " +"update next time starting Orca." msgstr "" -"De firmwareversie is abnormaal. Repareren en bijwerken is vereist voor het afdrukken. Wil " -"je nu updaten? Je kunt ook later op de printer updaten of updaten wanneer je Orca Slicer de " -"volgende keer start." +"De firmwareversie is abnormaal. Repareren en bijwerken is vereist voor het " +"afdrukken. Wil je nu updaten? Je kunt ook later op de printer updaten of " +"updaten wanneer je Orca Slicer de volgende keer start." msgid "Extension Board" msgstr "Extension Board" @@ -8659,7 +9004,8 @@ msgid "Copying of file %1% to %2% failed: %3%" msgstr "Het kopieeren van bestand %1% naar %2% is mislukt: %3%" msgid "Need to check the unsaved changes before configuration updates." -msgstr "Controleer niet-opgeslagen wijzigingen voordat u de configuratie bijwerkt." +msgstr "" +"Controleer niet-opgeslagen wijzigingen voordat u de configuratie bijwerkt." msgid "Configuration package: " msgstr "" @@ -8671,29 +9017,36 @@ msgid "Open G-code file:" msgstr "Open G-code bestand:" msgid "" -"One object has empty initial layer and can't be printed. Please Cut the bottom or enable " -"supports." +"One object has empty initial layer and can't be printed. Please Cut the " +"bottom or enable supports." msgstr "" -"Eén object heeft een lege eerste laag en kan niet geprint worden. Knip een stuk van de " -"bodem van het object of genereer support." +"Eén object heeft een lege eerste laag en kan niet geprint worden. Knip een " +"stuk van de bodem van het object of genereer support." #, boost-format msgid "Object can't be printed for empty layer between %1% and %2%." -msgstr "Het object heeft lege lagen tussen %1% en %2% en kan daarom niet geprint worden." +msgstr "" +"Het object heeft lege lagen tussen %1% en %2% en kan daarom niet geprint " +"worden." #, boost-format msgid "Object: %1%" msgstr "Object: %1%" -msgid "Maybe parts of the object at these height are too thin, or the object has faulty mesh" +msgid "" +"Maybe parts of the object at these height are too thin, or the object has " +"faulty mesh" msgstr "" -"Delen van het object op deze hoogts kunnen te dun zijn of het object kan een defect in de " -"constructie hebben." +"Delen van het object op deze hoogts kunnen te dun zijn of het object kan een " +"defect in de constructie hebben." msgid "No object can be printed. Maybe too small" -msgstr "Er kunnen geen objecten geprint worden. Het kan zijn dat ze te klein zijn." +msgstr "" +"Er kunnen geen objecten geprint worden. Het kan zijn dat ze te klein zijn." -msgid "Your print is very close to the priming regions. Make sure there is no collision." +msgid "" +"Your print is very close to the priming regions. Make sure there is no " +"collision." msgstr "" msgid "" @@ -8749,12 +9102,12 @@ msgstr "Meerdere" #, boost-format msgid "Failed to calculate line width of %1%. Can not get value of \"%2%\" " msgstr "" -"Kan de lijndikte van %1% niet berekenen omdat de waarde van \"%2%\" niet opgehaald kan " -"worden" +"Kan de lijndikte van %1% niet berekenen omdat de waarde van \"%2%\" niet " +"opgehaald kan worden" msgid "" -"Invalid spacing supplied to Flow::with_spacing(), check your layer height and extrusion " -"width" +"Invalid spacing supplied to Flow::with_spacing(), check your layer height " +"and extrusion width" msgstr "" msgid "undefined error" @@ -8851,10 +9204,11 @@ msgid "write callback failed" msgstr "callback schrijven is mislukt" #, boost-format -msgid "%1% is too close to exclusion area, there may be collisions when printing." +msgid "" +"%1% is too close to exclusion area, there may be collisions when printing." msgstr "" -"%1% bevindt zich te dicht bij het uitsluitingsgebied. Er kunnen botsingen optreden tijdens " -"het afdrukken." +"%1% bevindt zich te dicht bij het uitsluitingsgebied. Er kunnen botsingen " +"optreden tijdens het afdrukken." #, boost-format msgid "%1% is too close to others, and collisions may be caused." @@ -8865,46 +9219,59 @@ msgid "%1% is too tall, and collisions will be caused." msgstr "%1% is te hoog en er kunnen botsingen ontstaan." msgid " is too close to others, there may be collisions when printing." -msgstr "staat te dicht bij anderen; er kunnen botsingen optreden tijdens het afdrukken." +msgstr "" +"staat te dicht bij anderen; er kunnen botsingen optreden tijdens het " +"afdrukken." msgid " is too close to exclusion area, there may be collisions when printing." -msgstr "is te dicht bij het uitsluitingsgebied, er botsingen optreden tijdens het printen." +msgstr "" +"is te dicht bij het uitsluitingsgebied, er botsingen optreden tijdens het " +"printen." msgid "Prime Tower" msgstr "Prime toren" msgid " is too close to others, and collisions may be caused.\n" -msgstr "staat te dicht bij andere objecten en er kunnen botsingen worden veroorzaakt.\n" +msgstr "" +"staat te dicht bij andere objecten en er kunnen botsingen worden " +"veroorzaakt.\n" msgid " is too close to exclusion area, and collisions will be caused.\n" msgstr "" -" bevindt zich te dicht bij het uitsluitingsgebied en er zullen botsingen worden " -"veroorzaakt.\n" +" bevindt zich te dicht bij het uitsluitingsgebied en er zullen botsingen " +"worden veroorzaakt.\n" msgid "" -"Can not print multiple filaments which have large difference of temperature together. " -"Otherwise, the extruder and nozzle may be blocked or damaged during printing" +"Can not print multiple filaments which have large difference of temperature " +"together. Otherwise, the extruder and nozzle may be blocked or damaged " +"during printing" msgstr "" "Het is niet mogelijk om met meerdere filamenten te printen die een groot " -"temperatuurverschil hebben. Anders kunnen de extruder en het mondstuk tijdens het afdrukken " -"worden geblokkeerd of beschadigd" +"temperatuurverschil hebben. Anders kunnen de extruder en het mondstuk " +"tijdens het afdrukken worden geblokkeerd of beschadigd" msgid "No extrusions under current settings." msgstr "Geen extrusion onder de huidige instellingen" -msgid "Smooth mode of timelapse is not supported when \"by object\" sequence is enabled." +msgid "" +"Smooth mode of timelapse is not supported when \"by object\" sequence is " +"enabled." msgstr "" -"Vloeiende modus van timelapse wordt niet ondersteund wanneer \"per object\" sequentie is " -"ingeschakeld." +"Vloeiende modus van timelapse wordt niet ondersteund wanneer \"per object\" " +"sequentie is ingeschakeld." msgid "" -"Please select \"By object\" print sequence to print multiple objects in spiral vase mode." +"Please select \"By object\" print sequence to print multiple objects in " +"spiral vase mode." msgstr "" -"Selecteer de afdrukvolgorde \"per object\" om meerdere objecten in spiraalvaasmodus af te " -"drukken." +"Selecteer de afdrukvolgorde \"per object\" om meerdere objecten in " +"spiraalvaasmodus af te drukken." -msgid "The spiral vase mode does not work when an object contains more than one materials." -msgstr "Spiraal (vaas) modus werkt niet als een object meer dan 1 filament bevalt." +msgid "" +"The spiral vase mode does not work when an object contains more than one " +"materials." +msgstr "" +"Spiraal (vaas) modus werkt niet als een object meer dan 1 filament bevalt." #, boost-format msgid "The object %1% exceeds the maximum build volume height." @@ -8912,70 +9279,82 @@ msgstr "" #, boost-format msgid "" -"While the object %1% itself fits the build volume, its last layer exceeds the maximum build " -"volume height." +"While the object %1% itself fits the build volume, its last layer exceeds " +"the maximum build volume height." msgstr "" msgid "" -"You might want to reduce the size of your model or change current print settings and retry." +"You might want to reduce the size of your model or change current print " +"settings and retry." msgstr "" msgid "Variable layer height is not supported with Organic supports." msgstr "Variabele laaghoogte wordt niet ondersteund met organische steunen." msgid "" -"Different nozzle diameters and different filament diameters may not work well when the " -"prime tower is enabled. It's very experimental, so please proceed with caution." +"Different nozzle diameters and different filament diameters may not work " +"well when the prime tower is enabled. It's very experimental, so please " +"proceed with caution." msgstr "" msgid "" -"The Wipe Tower is currently only supported with the relative extruder addressing " -"(use_relative_e_distances=1)." +"The Wipe Tower is currently only supported with the relative extruder " +"addressing (use_relative_e_distances=1)." msgstr "" -"De Wipe Tower wordt momenteel alleen ondersteund met de relatieve extruderadressering " -"(use_relative_e_distances=1)." +"De Wipe Tower wordt momenteel alleen ondersteund met de relatieve " +"extruderadressering (use_relative_e_distances=1)." msgid "" -"Ooze prevention is only supported with the wipe tower when 'single_extruder_multi_material' " -"is off." +"Ooze prevention is only supported with the wipe tower when " +"'single_extruder_multi_material' is off." msgstr "" msgid "" -"The prime tower is currently only supported for the Marlin, RepRap/Sprinter, RepRapFirmware " -"and Repetier G-code flavors." +"The prime tower is currently only supported for the Marlin, RepRap/Sprinter, " +"RepRapFirmware and Repetier G-code flavors." msgstr "" -"De prime tower wordt momenteel alleen ondersteund voor de Marlin, RepRap/Sprinter, " -"RepRapFirmware en Repetier G-code smaken." +"De prime tower wordt momenteel alleen ondersteund voor de Marlin, RepRap/" +"Sprinter, RepRapFirmware en Repetier G-code smaken." msgid "The prime tower is not supported in \"By object\" print." msgstr "Een prime-toren wordt niet ondersteund bij het \"per object\" printen." msgid "" -"The prime tower is not supported when adaptive layer height is on. It requires that all " -"objects have the same layer height." +"The prime tower is not supported when adaptive layer height is on. It " +"requires that all objects have the same layer height." msgstr "" -"Een prime toren wordt niet ondersteund tijdens het printen met adaptieve laaghoogte. Voor " -"het werken met een prime toren is het van belang dat alle lagen dezelfde laaghoogte hebben." +"Een prime toren wordt niet ondersteund tijdens het printen met adaptieve " +"laaghoogte. Voor het werken met een prime toren is het van belang dat alle " +"lagen dezelfde laaghoogte hebben." msgid "The prime tower requires \"support gap\" to be multiple of layer height" msgstr "" -"Een prime toren vereist dat elke \"support opening\" een veelvoud van de laaghoogte is." +"Een prime toren vereist dat elke \"support opening\" een veelvoud van de " +"laaghoogte is." msgid "The prime tower requires that all objects have the same layer heights" msgstr "Een prime toren vereist dat alle objecten dezelfde laaghoogte hebben." msgid "" -"The prime tower requires that all objects are printed over the same number of raft layers" +"The prime tower requires that all objects are printed over the same number " +"of raft layers" msgstr "" -"Een prime-toren vereist dat alle objecten op hetzelfde aantal raftlagen worden afgedrukt." +"Een prime-toren vereist dat alle objecten op hetzelfde aantal raftlagen " +"worden afgedrukt." -msgid "The prime tower requires that all objects are sliced with the same layer heights." -msgstr "Een prime toren vereist dat alle objecten met dezelfde laaghoogte gesliced worden." - -msgid "The prime tower is only supported if all objects have the same variable layer height" +msgid "" +"The prime tower requires that all objects are sliced with the same layer " +"heights." msgstr "" -"De prime toren wordt alleen ondersteund als alle objecten dezelfde variabele laaghoogte " -"hebben" +"Een prime toren vereist dat alle objecten met dezelfde laaghoogte gesliced " +"worden." + +msgid "" +"The prime tower is only supported if all objects have the same variable " +"layer height" +msgstr "" +"De prime toren wordt alleen ondersteund als alle objecten dezelfde variabele " +"laaghoogte hebben" msgid "Too small line width" msgstr "Te kleine lijnbreedte" @@ -8983,79 +9362,91 @@ msgstr "Te kleine lijnbreedte" msgid "Too large line width" msgstr "Te groote lijnbreedte" -msgid "The prime tower requires that support has the same layer height with object." -msgstr "Een prime toren vereist dat support dezelfde laaghoogte heeft als het object." +msgid "" +"The prime tower requires that support has the same layer height with object." +msgstr "" +"Een prime toren vereist dat support dezelfde laaghoogte heeft als het object." msgid "" -"Organic support tree tip diameter must not be smaller than support material extrusion width." +"Organic support tree tip diameter must not be smaller than support material " +"extrusion width." msgstr "" msgid "" -"Organic support branch diameter must not be smaller than 2x support material extrusion " -"width." +"Organic support branch diameter must not be smaller than 2x support material " +"extrusion width." msgstr "" -msgid "Organic support branch diameter must not be smaller than support tree tip diameter." +msgid "" +"Organic support branch diameter must not be smaller than support tree tip " +"diameter." msgstr "" -msgid "Support enforcers are used but support is not enabled. Please enable support." -msgstr "Er zijn support handhavers ingesteld, maar support staat uit. Schakel support in." +msgid "" +"Support enforcers are used but support is not enabled. Please enable support." +msgstr "" +"Er zijn support handhavers ingesteld, maar support staat uit. Schakel " +"support in." msgid "Layer height cannot exceed nozzle diameter" msgstr "De laaghoogte kan niet groter zijn dan de diameter van het mondstuk" msgid "" -"Relative extruder addressing requires resetting the extruder position at each layer to " -"prevent loss of floating point accuracy. Add \"G92 E0\" to layer_gcode." +"Relative extruder addressing requires resetting the extruder position at " +"each layer to prevent loss of floating point accuracy. Add \"G92 E0\" to " +"layer_gcode." msgstr "" -"Relatieve extruderwaarden vereist het resetten van de extruderpositie op elke laag om " -"decimale onnauwkeurigheid te voorkomen. Voeg \"G92 E0\" toe aan layer_gcode." +"Relatieve extruderwaarden vereist het resetten van de extruderpositie op " +"elke laag om decimale onnauwkeurigheid te voorkomen. Voeg \"G92 E0\" toe aan " +"layer_gcode." msgid "" -"\"G92 E0\" was found in before_layer_gcode, which is incompatible with absolute extruder " -"addressing." +"\"G92 E0\" was found in before_layer_gcode, which is incompatible with " +"absolute extruder addressing." msgstr "" -"\"G92 E0\" gevonden in before_layer_gcode, wat niet compatibel is met absolute " +"\"G92 E0\" gevonden in before_layer_gcode, wat niet compatibel is met " +"absolute positionering." + +msgid "" +"\"G92 E0\" was found in layer_gcode, which is incompatible with absolute " +"extruder addressing." +msgstr "" +"\"G92 E0\" gevonden in layer_gcode, wat niet compatibel is met absolute " "positionering." -msgid "" -"\"G92 E0\" was found in layer_gcode, which is incompatible with absolute extruder " -"addressing." -msgstr "" -"\"G92 E0\" gevonden in layer_gcode, wat niet compatibel is met absolute positionering." - #, c-format, boost-format msgid "Plate %d: %s does not support filament %s" msgstr "Printbed %d: %s ondersteunt filament %s niet." -msgid "Setting the jerk speed too low could lead to artifacts on curved surfaces" +msgid "" +"Setting the jerk speed too low could lead to artifacts on curved surfaces" msgstr "" msgid "" "The jerk setting exceeds the printer's maximum jerk (machine_max_jerk_x/" "machine_max_jerk_y).\n" -"Orca will automatically cap the jerk speed to ensure it doesn't surpass the printer's " -"capabilities.\n" -"You can adjust the maximum jerk setting in your printer's configuration to get higher " -"speeds." +"Orca will automatically cap the jerk speed to ensure it doesn't surpass the " +"printer's capabilities.\n" +"You can adjust the maximum jerk setting in your printer's configuration to " +"get higher speeds." msgstr "" msgid "" "The acceleration setting exceeds the printer's maximum acceleration " "(machine_max_acceleration_extruding).\n" -"Orca will automatically cap the acceleration speed to ensure it doesn't surpass the " -"printer's capabilities.\n" -"You can adjust the machine_max_acceleration_extruding value in your printer's configuration " -"to get higher speeds." +"Orca will automatically cap the acceleration speed to ensure it doesn't " +"surpass the printer's capabilities.\n" +"You can adjust the machine_max_acceleration_extruding value in your " +"printer's configuration to get higher speeds." msgstr "" msgid "" -"The travel acceleration setting exceeds the printer's maximum travel acceleration " -"(machine_max_acceleration_travel).\n" -"Orca will automatically cap the travel acceleration speed to ensure it doesn't surpass the " -"printer's capabilities.\n" -"You can adjust the machine_max_acceleration_travel value in your printer's configuration to " -"get higher speeds." +"The travel acceleration setting exceeds the printer's maximum travel " +"acceleration (machine_max_acceleration_travel).\n" +"Orca will automatically cap the travel acceleration speed to ensure it " +"doesn't surpass the printer's capabilities.\n" +"You can adjust the machine_max_acceleration_travel value in your printer's " +"configuration to get higher speeds." msgstr "" msgid "Generating skirt & brim" @@ -9077,13 +9468,14 @@ msgid "Bed exclude area" msgstr "Uitgesloten printbed gebied" msgid "" -"Unprintable area in XY plane. For example, X1 Series printers use the front left corner to " -"cut filament during filament change. The area is expressed as polygon by points in " -"following format: \"XxY, XxY, ...\"" +"Unprintable area in XY plane. For example, X1 Series printers use the front " +"left corner to cut filament during filament change. The area is expressed as " +"polygon by points in following format: \"XxY, XxY, ...\"" msgstr "" -"Onafdrukbaar gebied in XY-vlak. Printers uit de X1-serie gebruiken bijvoorbeeld de " -"linkervoorhoek om filament af te snijden tijdens het verwisselen van filament. Het gebied " -"wordt uitgedrukt als polygoon door punten in het volgende formaat: „xxY, xxY,...”" +"Onafdrukbaar gebied in XY-vlak. Printers uit de X1-serie gebruiken " +"bijvoorbeeld de linkervoorhoek om filament af te snijden tijdens het " +"verwisselen van filament. Het gebied wordt uitgedrukt als polygoon door " +"punten in het volgende formaat: „xxY, xxY,...”" msgid "Bed custom texture" msgstr "Bed aangepaste textuur" @@ -9094,39 +9486,44 @@ msgstr "Bed aangepast model" msgid "Elephant foot compensation" msgstr "\"Elephant foot\" compensatie" -msgid "Shrink the initial layer on build plate to compensate for elephant foot effect" +msgid "" +"Shrink the initial layer on build plate to compensate for elephant foot " +"effect" msgstr "" -"Hierdoor krimpt de eerste laag op de bouwplaat om het \"elephant foot\" effect te " -"compenseren." +"Hierdoor krimpt de eerste laag op de bouwplaat om het \"elephant foot\" " +"effect te compenseren." msgid "Elephant foot compensation layers" msgstr "\"Elephant foot\" compensatielagen" msgid "" -"The number of layers on which the elephant foot compensation will be active. The first " -"layer will be shrunk by the elephant foot compensation value, then the next layers will be " -"linearly shrunk less, up to the layer indicated by this value." +"The number of layers on which the elephant foot compensation will be active. " +"The first layer will be shrunk by the elephant foot compensation value, then " +"the next layers will be linearly shrunk less, up to the layer indicated by " +"this value." msgstr "" -"Het aantal lagen waarop de \"elephant foot\" compensatie actief zal zijn. De eerste laag " -"zal worden verkleind met de \"elephant foot\" compensatiewaarde, daarna zullen de volgende " -"lagen lineair minder worden verkleind, tot aan de laag die wordt aangegeven door deze " -"waarde." +"Het aantal lagen waarop de \"elephant foot\" compensatie actief zal zijn. De " +"eerste laag zal worden verkleind met de \"elephant foot\" compensatiewaarde, " +"daarna zullen de volgende lagen lineair minder worden verkleind, tot aan de " +"laag die wordt aangegeven door deze waarde." msgid "layers" msgstr "Lagen" msgid "" -"Slicing height for each layer. Smaller layer height means more accurate and more printing " -"time" +"Slicing height for each layer. Smaller layer height means more accurate and " +"more printing time" msgstr "" -"Dit is de hoogte voor iedere laag. Kleinere laaghoogtes geven een grotere nauwkeurigheid " -"maar een langere printtijd." +"Dit is de hoogte voor iedere laag. Kleinere laaghoogtes geven een grotere " +"nauwkeurigheid maar een langere printtijd." msgid "Printable height" msgstr "Hoogte waarbinnen geprint kan worden" msgid "Maximum printable height which is limited by mechanism of printer" -msgstr "Dit is de maximale printbare hoogte gelimiteerd door de constructie van de printer" +msgstr "" +"Dit is de maximale printbare hoogte gelimiteerd door de constructie van de " +"printer" msgid "Preferred orientation" msgstr "Voorkeursoriëntatie" @@ -9147,34 +9544,37 @@ msgid "Hostname, IP or URL" msgstr "Hostnaam, IP of URL" msgid "" -"Orca Slicer can upload G-code files to a printer host. This field should contain the " -"hostname, IP address or URL of the printer host instance. Print host behind HAProxy with " -"basic auth enabled can be accessed by putting the user name and password into the URL in " -"the following format: https://username:password@your-octopi-address/" +"Orca Slicer can upload G-code files to a printer host. This field should " +"contain the hostname, IP address or URL of the printer host instance. Print " +"host behind HAProxy with basic auth enabled can be accessed by putting the " +"user name and password into the URL in the following format: https://" +"username:password@your-octopi-address/" msgstr "" -"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet de hostnaam, " -"het IP-adres of de URL van de printerhostinstantie bevatten. Printhost achter HAProxy met " -"ingeschakelde basisauthenticatie is toegankelijk door de gebruikersnaam en het wachtwoord " -"in de volgende indeling in de URL te plaatsen: https://username:password@your-octopi-" +"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet " +"de hostnaam, het IP-adres of de URL van de printerhostinstantie bevatten. " +"Printhost achter HAProxy met ingeschakelde basisauthenticatie is " +"toegankelijk door de gebruikersnaam en het wachtwoord in de volgende " +"indeling in de URL te plaatsen: https://username:password@your-octopi-" "address/" msgid "Device UI" msgstr "UI van het apparaat" -msgid "Specify the URL of your device user interface if it's not same as print_host" +msgid "" +"Specify the URL of your device user interface if it's not same as print_host" msgstr "" -"Geef de URL op van de gebruikersinterface van uw apparaat als deze niet hetzelfde is als " -"print_host" +"Geef de URL op van de gebruikersinterface van uw apparaat als deze niet " +"hetzelfde is als print_host" msgid "API Key / Password" msgstr "API sleutel / wachtwoord" msgid "" -"Orca Slicer can upload G-code files to a printer host. This field should contain the API " -"Key or the password required for authentication." +"Orca Slicer can upload G-code files to a printer host. This field should " +"contain the API Key or the password required for authentication." msgstr "" -"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet de API-sleutel " -"of het wachtwoord bevatten dat nodig is voor authenticatie." +"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet " +"de API-sleutel of het wachtwoord bevatten dat nodig is voor authenticatie." msgid "Name of the printer" msgstr "Naam van de printer" @@ -9183,12 +9583,13 @@ msgid "HTTPS CA File" msgstr "HTTPS CA Bestand" msgid "" -"Custom CA certificate file can be specified for HTTPS OctoPrint connections, in crt/pem " -"format. If left blank, the default OS CA certificate repository is used." +"Custom CA certificate file can be specified for HTTPS OctoPrint connections, " +"in crt/pem format. If left blank, the default OS CA certificate repository " +"is used." msgstr "" -"Een aangepast CA-certificaatbestand kan worden gespecificeerd voor HTTPS OctoPrint-" -"verbindingen, in crt/pem-formaat. Indien leeg gelaten, wordt de standaard opslagplaats voor " -"OS CA-certificaten gebruikt." +"Een aangepast CA-certificaatbestand kan worden gespecificeerd voor HTTPS " +"OctoPrint-verbindingen, in crt/pem-formaat. Indien leeg gelaten, wordt de " +"standaard opslagplaats voor OS CA-certificaten gebruikt." msgid "User" msgstr "Gebruiker" @@ -9200,12 +9601,13 @@ msgid "Ignore HTTPS certificate revocation checks" msgstr "HTTPS-certificaatintrekkingscontroles negeren" msgid "" -"Ignore HTTPS certificate revocation checks in case of missing or offline distribution " -"points. One may want to enable this option for self signed certificates if connection fails." +"Ignore HTTPS certificate revocation checks in case of missing or offline " +"distribution points. One may want to enable this option for self signed " +"certificates if connection fails." msgstr "" -"HTTPS-certificaatherroepingscontroles negeren in geval van ontbrekende of offline " -"distributiepunten. Men kan deze optie inschakelen voor zelfondertekende certificaten als de " -"verbinding mislukt." +"HTTPS-certificaatherroepingscontroles negeren in geval van ontbrekende of " +"offline distributiepunten. Men kan deze optie inschakelen voor " +"zelfondertekende certificaten als de verbinding mislukt." msgid "Names of presets related to the physical printer" msgstr "Namen van voorinstellingen gerelateerd aan de fysieke printer" @@ -9224,21 +9626,23 @@ msgstr "Vermijd het oversteken van walls" msgid "Detour and avoid to travel across wall which may cause blob on surface" msgstr "" -"Omweg om te voorkomen dat de printkop over wanden verplaatst, dit zou namelijk klodders op " -"het oppervlak kunnen veroorzaken" +"Omweg om te voorkomen dat de printkop over wanden verplaatst, dit zou " +"namelijk klodders op het oppervlak kunnen veroorzaken" msgid "Avoid crossing wall - Max detour length" msgstr "Walls vermijden - Maximale omleidingslengte" msgid "" -"Maximum detour distance for avoiding crossing wall. Don't detour if the detour distance is " -"large than this value. Detour length could be specified either as an absolute value or as " -"percentage (for example 50%) of a direct travel path. Zero to disable" +"Maximum detour distance for avoiding crossing wall. Don't detour if the " +"detour distance is large than this value. Detour length could be specified " +"either as an absolute value or as percentage (for example 50%) of a direct " +"travel path. Zero to disable" msgstr "" -"Maximale omleidingsafstand om te voorkomen dat een muur wordt overgestoken: De printer zal " -"geen omweg maken als de omleidingsafstand groter is dan deze waarde. De lengte van de " -"omleiding kan worden gespecificeerd als absolute waarde of als percentage (bijvoorbeeld " -"50%) van een directe reisroute. Een waarde van 0 zal dit uitschakelen." +"Maximale omleidingsafstand om te voorkomen dat een muur wordt overgestoken: " +"De printer zal geen omweg maken als de omleidingsafstand groter is dan deze " +"waarde. De lengte van de omleiding kan worden gespecificeerd als absolute " +"waarde of als percentage (bijvoorbeeld 50%) van een directe reisroute. Een " +"waarde van 0 zal dit uitschakelen." msgid "mm or %" msgstr "mm of %" @@ -9247,35 +9651,36 @@ msgid "Other layers" msgstr "Andere lagen" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the filament does not " -"support to print on the Cool Plate" +"Bed temperature for layers except the initial one. Value 0 means the " +"filament does not support to print on the Cool Plate" msgstr "" -"Dit is de bedtemperatuur voor alle lagen behalve de eerste. Een waarde van 0 betekent dat " -"het filament het afdrukken op de Cool Plate niet ondersteunt." +"Dit is de bedtemperatuur voor alle lagen behalve de eerste. Een waarde van 0 " +"betekent dat het filament het afdrukken op de Cool Plate niet ondersteunt." msgid "°C" msgstr "°C" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the filament does not " -"support to print on the Engineering Plate" +"Bed temperature for layers except the initial one. Value 0 means the " +"filament does not support to print on the Engineering Plate" msgstr "" -"Dit is de bedtemperatuur voor lagen, behalve voor de eerste. Een waarde van 0 betekent dat " -"het filament afdrukken op de Engineering Plate niet ondersteunt." +"Dit is de bedtemperatuur voor lagen, behalve voor de eerste. Een waarde van " +"0 betekent dat het filament afdrukken op de Engineering Plate niet " +"ondersteunt." msgid "" -"Bed temperature for layers except the initial one. Value 0 means the filament does not " -"support to print on the High Temp Plate" +"Bed temperature for layers except the initial one. Value 0 means the " +"filament does not support to print on the High Temp Plate" msgstr "" -"Dit is de bedtemperatuur voor lagen, behalve voor de eerste. Een waarde van 0 betekent dat " -"het filament printen op de High Temp Plate niet ondersteunt." +"Dit is de bedtemperatuur voor lagen, behalve voor de eerste. Een waarde van " +"0 betekent dat het filament printen op de High Temp Plate niet ondersteunt." msgid "" -"Bed temperature for layers except the initial one. Value 0 means the filament does not " -"support to print on the Textured PEI Plate" +"Bed temperature for layers except the initial one. Value 0 means the " +"filament does not support to print on the Textured PEI Plate" msgstr "" -"Bedtemperatuur na de eerste laag. 0 betekent dat het filament niet wordt ondersteund op de " -"getextureerde PEI-plaat." +"Bedtemperatuur na de eerste laag. 0 betekent dat het filament niet wordt " +"ondersteund op de getextureerde PEI-plaat." msgid "Initial layer" msgstr "Eerste laag" @@ -9284,32 +9689,32 @@ msgid "Initial layer bed temperature" msgstr "Printbed temperatuur voor de eerste laag" msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not support to print " -"on the Cool Plate" +"Bed temperature of the initial layer. Value 0 means the filament does not " +"support to print on the Cool Plate" msgstr "" -"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het filament " -"printen op de Cool Plate niet ondersteunt." +"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het " +"filament printen op de Cool Plate niet ondersteunt." msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not support to print " -"on the Engineering Plate" +"Bed temperature of the initial layer. Value 0 means the filament does not " +"support to print on the Engineering Plate" msgstr "" -"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het filament " -"afdrukken op de Engineering Plate niet ondersteunt." +"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het " +"filament afdrukken op de Engineering Plate niet ondersteunt." msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not support to print " -"on the High Temp Plate" +"Bed temperature of the initial layer. Value 0 means the filament does not " +"support to print on the High Temp Plate" msgstr "" -"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het filament " -"printen op de High Temp Plate niet ondersteunt." +"Dit is de bedtemperatuur van de beginlaag. Een waarde van 0 betekent dat het " +"filament printen op de High Temp Plate niet ondersteunt." msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not support to print " -"on the Textured PEI Plate" +"Bed temperature of the initial layer. Value 0 means the filament does not " +"support to print on the Textured PEI Plate" msgstr "" -"De bedtemperatuur van de eerste laag 0 betekent dat het filament niet wordt ondersteund op " -"de getextureerde PEI-plaat." +"De bedtemperatuur van de eerste laag 0 betekent dat het filament niet wordt " +"ondersteund op de getextureerde PEI-plaat." msgid "Bed types supported by the printer" msgstr "Printbedden ondersteund door de printer" @@ -9333,45 +9738,66 @@ msgid "Other layers filament sequence" msgstr "Other layers filament sequence" msgid "This G-code is inserted at every layer change before lifting z" -msgstr "De G-code wordt bij iedere laagwisseling toegevoegd voor het optillen van Z" +msgstr "" +"De G-code wordt bij iedere laagwisseling toegevoegd voor het optillen van Z" msgid "Bottom shell layers" msgstr "Aantal bodemlagen" msgid "" -"This is the number of solid layers of bottom shell, including the bottom surface layer. " -"When the thickness calculated by this value is thinner than bottom shell thickness, the " -"bottom shell layers will be increased" +"This is the number of solid layers of bottom shell, including the bottom " +"surface layer. When the thickness calculated by this value is thinner than " +"bottom shell thickness, the bottom shell layers will be increased" msgstr "" -"Dit is het aantal vaste lagen van de onderkant inclusief de onderste oppervlaktelaag. " -"Wanneer de door deze waarde berekende dikte dunner is dan de dikte van de onderste laag, " -"worden de onderste lagen vergroot" +"Dit is het aantal vaste lagen van de onderkant inclusief de onderste " +"oppervlaktelaag. Wanneer de door deze waarde berekende dikte dunner is dan " +"de dikte van de onderste laag, worden de onderste lagen vergroot" msgid "Bottom shell thickness" msgstr "Bodemdikte" msgid "" -"The number of bottom solid layers is increased when slicing if the thickness calculated by " -"bottom shell layers is thinner than this value. This can avoid having too thin shell when " -"layer height is small. 0 means that this setting is disabled and thickness of bottom shell " -"is absolutely determained by bottom shell layers" +"The number of bottom solid layers is increased when slicing if the thickness " +"calculated by bottom shell layers is thinner than this value. This can avoid " +"having too thin shell when layer height is small. 0 means that this setting " +"is disabled and thickness of bottom shell is absolutely determained by " +"bottom shell layers" msgstr "" -"Het aantal onderste solide lagen wordt verhoogd tijdens het slicen als de totale dikte van " -"de onderste lagen lager is dan deze waarde. Dit zorgt ervoor dat de schaal niet te dun is " -"bij een lage laaghoogte. 0 betekend dat deze instelling niet actief is en dat de dikte van " -"de bodem bepaald wordt door het aantal bodem lagen." +"Het aantal onderste solide lagen wordt verhoogd tijdens het slicen als de " +"totale dikte van de onderste lagen lager is dan deze waarde. Dit zorgt " +"ervoor dat de schaal niet te dun is bij een lage laaghoogte. 0 betekend dat " +"deze instelling niet actief is en dat de dikte van de bodem bepaald wordt " +"door het aantal bodem lagen." msgid "Apply gap fill" msgstr "" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will be filled can " -"be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" -"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces only\n" -"3. Nowhere: Disables gap fill\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" +"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" msgid "Everywhere" @@ -9387,134 +9813,155 @@ msgid "Force cooling for overhang and bridge" msgstr "Forceer koeling voor overhangende delen en bruggen (bridge)" msgid "" -"Enable this option to optimize part cooling fan speed for overhang and bridge to get better " -"cooling" +"Enable this option to optimize part cooling fan speed for overhang and " +"bridge to get better cooling" msgstr "" -"Schakel deze optie in om de snelheid van de koelventilator van de printkop te optimaliseren " -"voor overhang en bruggen" +"Schakel deze optie in om de snelheid van de koelventilator van de printkop " +"te optimaliseren voor overhang en bruggen" msgid "Fan speed for overhang" msgstr "Ventilator snelheid voor overhangende delen" msgid "" -"Force part cooling fan to be this speed when printing bridge or overhang wall which has " -"large overhang degree. Forcing cooling for overhang and bridge can get better quality for " -"these part" +"Force part cooling fan to be this speed when printing bridge or overhang " +"wall which has large overhang degree. Forcing cooling for overhang and " +"bridge can get better quality for these part" msgstr "" -"Forceer de koelventilator van de printkop om deze snelheid te hebben bij het afdrukken van " -"een brug of overhangende muur met een grote overhanggraad. Het forceren van koeling voor " -"overhang en brug kan een resulteren in een betere kwaliteit voor dit onderdeel" +"Forceer de koelventilator van de printkop om deze snelheid te hebben bij het " +"afdrukken van een brug of overhangende muur met een grote overhanggraad. Het " +"forceren van koeling voor overhang en brug kan een resulteren in een betere " +"kwaliteit voor dit onderdeel" msgid "Cooling overhang threshold" msgstr "Drempel voor overhang koeling" #, c-format msgid "" -"Force cooling fan to be specific speed when overhang degree of printed part exceeds this " -"value. Expressed as percentage which indicides how much width of the line without support " -"from lower layer. 0% means forcing cooling for all outer wall no matter how much overhang " -"degree" +"Force cooling fan to be specific speed when overhang degree of printed part " +"exceeds this value. Expressed as percentage which indicides how much width " +"of the line without support from lower layer. 0% means forcing cooling for " +"all outer wall no matter how much overhang degree" msgstr "" -"Dwingt de koelventilator tot een bepaalde snelheid wanneer de overhanggraad van het " -"geprinte deel deze waarde overschrijdt. Dit wordt uitgedrukt als een percentage dat " -"aangeeft hoe breed de lijn is zonder steun van de onderste laag. 0%% betekent koeling " -"afdwingen voor de hele buitenwand, ongeacht de overhanggraad." +"Dwingt de koelventilator tot een bepaalde snelheid wanneer de overhanggraad " +"van het geprinte deel deze waarde overschrijdt. Dit wordt uitgedrukt als een " +"percentage dat aangeeft hoe breed de lijn is zonder steun van de onderste " +"laag. 0%% betekent koeling afdwingen voor de hele buitenwand, ongeacht de " +"overhanggraad." msgid "Bridge infill direction" msgstr "Bruginvulling richting" msgid "" -"Bridging angle override. If left to zero, the bridging angle will be calculated " -"automatically. Otherwise the provided angle will be used for external bridges. Use 180°for " -"zero angle." +"Bridging angle override. If left to zero, the bridging angle will be " +"calculated automatically. Otherwise the provided angle will be used for " +"external bridges. Use 180°for zero angle." msgstr "" -"Overbrugingshoek overschrijven. 0 betekent dat de overbruggingshoek automatisch wordt " -"berekend. Anders wordt de opgegeven hoek gebruikt voor externe bruggen. Gebruik 180° voor " -"een hoek van nul." +"Overbrugingshoek overschrijven. 0 betekent dat de overbruggingshoek " +"automatisch wordt berekend. Anders wordt de opgegeven hoek gebruikt voor " +"externe bruggen. Gebruik 180° voor een hoek van nul." msgid "Bridge density" msgstr "Brugdichtheid" msgid "Density of external bridges. 100% means solid bridge. Default is 100%." -msgstr "Dichtheid van externe bruggen. 100% betekent massieve brug. Standaard is 100%." +msgstr "" +"Dichtheid van externe bruggen. 100% betekent massieve brug. Standaard is " +"100%." msgid "Bridge flow ratio" msgstr "Brugflow" msgid "" -"Decrease this value slightly(for example 0.9) to reduce the amount of material for bridge, " -"to improve sag" +"Decrease this value slightly(for example 0.9) to reduce the amount of " +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Verlaag deze waarde iets (bijvoorbeeld 0,9) om de hoeveelheid materiaal voor bruggen te " -"verminderen, dit om doorzakken te voorkomen." msgid "Internal bridge flow ratio" msgstr "" msgid "" -"This value governs the thickness of the internal bridge layer. This is the first layer over " -"sparse infill. Decrease this value slightly (for example 0.9) to improve surface quality " -"over sparse infill." +"This value governs the thickness of the internal bridge layer. This is the " +"first layer over sparse infill. Decrease this value slightly (for example " +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" msgid "Top surface flow ratio" msgstr "Flowratio bovenoppervlak" msgid "" -"This factor affects the amount of material for top solid infill. You can decrease it " -"slightly to have smooth surface finish" +"This factor affects the amount of material for top solid infill. You can " +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Deze factor beïnvloedt de hoeveelheid materiaal voor de bovenste vaste vulling. Je kunt het " -"iets verminderen om een glad oppervlak te krijgen." msgid "Bottom surface flow ratio" msgstr "" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" msgid "Precise wall" msgstr "" msgid "" -"Improve shell precision by adjusting outer wall spacing. This also improves layer " -"consistency.\n" -"Note: This setting will only take effect if the wall sequence is configured to Inner-Outer" +"Improve shell precision by adjusting outer wall spacing. This also improves " +"layer consistency.\n" +"Note: This setting will only take effect if the wall sequence is configured " +"to Inner-Outer" msgstr "" msgid "Only one wall on top surfaces" msgstr "Slechts één wand op de bovenste oppervlakken" -msgid "Use only one wall on flat top surface, to give more space to the top infill pattern" +msgid "" +"Use only one wall on flat top surface, to give more space to the top infill " +"pattern" msgstr "" -"Gebruik slechts één wand op het vlakke bovenvlak, om meer ruimte te geven aan het bovenste " -"invulpatroon" +"Gebruik slechts één wand op het vlakke bovenvlak, om meer ruimte te geven " +"aan het bovenste invulpatroon" msgid "One wall threshold" msgstr "" #, no-c-format, no-boost-format msgid "" -"If a top surface has to be printed and it's partially covered by another layer, it won't be " -"considered at a top layer where its width is below this value. This can be useful to not " -"let the 'one perimeter on top' trigger on surface that should be covered only by " -"perimeters. This value can be a mm or a % of the perimeter extrusion width.\n" -"Warning: If enabled, artifacts can be created if you have some thin features on the next " -"layer, like letters. Set this setting to 0 to remove these artifacts." +"If a top surface has to be printed and it's partially covered by another " +"layer, it won't be considered at a top layer where its width is below this " +"value. This can be useful to not let the 'one perimeter on top' trigger on " +"surface that should be covered only by perimeters. This value can be a mm or " +"a % of the perimeter extrusion width.\n" +"Warning: If enabled, artifacts can be created if you have some thin features " +"on the next layer, like letters. Set this setting to 0 to remove these " +"artifacts." msgstr "" msgid "Only one wall on first layer" msgstr "Only one wall on first layer" -msgid "Use only one wall on first layer, to give more space to the bottom infill pattern" +msgid "" +"Use only one wall on first layer, to give more space to the bottom infill " +"pattern" msgstr "" msgid "Extra perimeters on overhangs" msgstr "" msgid "" -"Create additional perimeter paths over steep overhangs and areas where bridges cannot be " -"anchored. " +"Create additional perimeter paths over steep overhangs and areas where " +"bridges cannot be anchored. " msgstr "" msgid "Reverse on odd" @@ -9524,11 +9971,12 @@ msgid "Overhang reversal" msgstr "" msgid "" -"Extrude perimeters that have a part over an overhang in the reverse direction on odd " -"layers. This alternating pattern can drastically improve steep overhangs.\n" +"Extrude perimeters that have a part over an overhang in the reverse " +"direction on odd layers. This alternating pattern can drastically improve " +"steep overhangs.\n" "\n" -"This setting can also help reduce part warping due to the reduction of stresses in the part " -"walls." +"This setting can also help reduce part warping due to the reduction of " +"stresses in the part walls." msgstr "" msgid "Reverse only internal perimeters" @@ -9537,23 +9985,24 @@ msgstr "" msgid "" "Apply the reverse perimeters logic only on internal perimeters. \n" "\n" -"This setting greatly reduces part stresses as they are now distributed in alternating " -"directions. This should reduce part warping while also maintaining external wall quality. " -"This feature can be very useful for warp prone material, like ABS/ASA, and also for elastic " -"filaments, like TPU and Silk PLA. It can also help reduce warping on floating regions over " +"This setting greatly reduces part stresses as they are now distributed in " +"alternating directions. This should reduce part warping while also " +"maintaining external wall quality. This feature can be very useful for warp " +"prone material, like ABS/ASA, and also for elastic filaments, like TPU and " +"Silk PLA. It can also help reduce warping on floating regions over " "supports.\n" "\n" -"For this setting to be the most effective, it is recomended to set the Reverse Threshold to " -"0 so that all internal walls print in alternating directions on odd layers irrespective of " -"their overhang degree." +"For this setting to be the most effective, it is recomended to set the " +"Reverse Threshold to 0 so that all internal walls print in alternating " +"directions on odd layers irrespective of their overhang degree." msgstr "" msgid "Bridge counterbore holes" msgstr "" msgid "" -"This option creates bridges for counterbore holes, allowing them to be printed without " -"support. Available modes include:\n" +"This option creates bridges for counterbore holes, allowing them to be " +"printed without support. Available modes include:\n" "1. None: No bridge is created.\n" "2. Partially Bridged: Only a part of the unsupported area will be bridged.\n" "3. Sacrificial Layer: A full sacrificial bridge layer is created." @@ -9573,8 +10022,8 @@ msgstr "" #, no-c-format, no-boost-format msgid "" -"Number of mm the overhang need to be for the reversal to be considered useful. Can be a % " -"of the perimeter width.\n" +"Number of mm the overhang need to be for the reversal to be considered " +"useful. Can be a % of the perimeter width.\n" "Value 0 enables reversal on every odd layers regardless." msgstr "" @@ -9589,15 +10038,31 @@ msgstr "Afremmen voor overhangende delen" msgid "Enable this option to slow printing down for different overhang degree" msgstr "" -"Schakel deze optie in om de snelheid omlaag te brengen voor verschillende overhangende " -"hoeken" +"Schakel deze optie in om de snelheid omlaag te brengen voor verschillende " +"overhangende hoeken" msgid "Slow down for curled perimeters" msgstr "" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled perimeters may " -"exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" msgid "mm/s or %" @@ -9606,8 +10071,14 @@ msgstr "mm/s of %" msgid "External" msgstr "" -msgid "Speed of bridge and completely overhang wall" -msgstr "Dit is de snelheid voor bruggen en 100% overhangende wanden." +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -9616,8 +10087,8 @@ msgid "Internal" msgstr "" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will be calculated " -"based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" msgid "Brim width" @@ -9630,19 +10101,21 @@ msgid "Brim type" msgstr "Rand type" msgid "" -"This controls the generation of the brim at outer and/or inner side of models. Auto means " -"the brim width is analysed and calculated automatically." +"This controls the generation of the brim at outer and/or inner side of " +"models. Auto means the brim width is analysed and calculated automatically." msgstr "" -"This controls the generation of the brim at outer and/or inner side of models. Auto means " -"the brim width is analyzed and calculated automatically." +"This controls the generation of the brim at outer and/or inner side of " +"models. Auto means the brim width is analyzed and calculated automatically." msgid "Brim-object gap" msgstr "Ruimte tussen rand en object" -msgid "A gap between innermost brim line and object can make brim be removed more easily" +msgid "" +"A gap between innermost brim line and object can make brim be removed more " +"easily" msgstr "" -"Dit creëert ruimte tussen de binnenste brimlijn en het object en zorgt ervoor dat het " -"object eenvoudiger van het printbed kan worden verwijderd." +"Dit creëert ruimte tussen de binnenste brimlijn en het object en zorgt " +"ervoor dat het object eenvoudiger van het printbed kan worden verwijderd." msgid "Brim ears" msgstr "" @@ -9663,8 +10136,8 @@ msgid "Brim ear detection radius" msgstr "" msgid "" -"The geometry will be decimated before dectecting sharp angles. This parameter indicates the " -"minimum length of the deviation for the decimation.\n" +"The geometry will be decimated before dectecting sharp angles. This " +"parameter indicates the minimum length of the deviation for the decimation.\n" "0 to deactivate" msgstr "" @@ -9685,8 +10158,8 @@ msgstr "Conditie van -geschikte proces profielen" msgid "Print sequence, layer by layer or object by object" msgstr "" -"Hiermee wordt de afdrukvolgorde bepaald, zodat u kunt kiezen tussen laag voor laag of " -"object voor object printen." +"Hiermee wordt de afdrukvolgorde bepaald, zodat u kunt kiezen tussen laag " +"voor laag of object voor object printen." msgid "By layer" msgstr "Op basis van laag" @@ -9707,21 +10180,25 @@ msgid "Slow printing down for better layer cooling" msgstr "Printsnelheid omlaag brengen zodat de laag beter kan koelen" msgid "" -"Enable this option to slow printing speed down to make the final layer time not shorter " -"than the layer time threshold in \"Max fan speed threshold\", so that layer can be cooled " -"for longer time. This can improve the cooling quality for needle and small details" +"Enable this option to slow printing speed down to make the final layer time " +"not shorter than the layer time threshold in \"Max fan speed threshold\", so " +"that layer can be cooled for longer time. This can improve the cooling " +"quality for needle and small details" msgstr "" -"Schakel deze optie in om de afdruksnelheid te verlagen om de laatste laag printtijd niet " -"korter te maken dan de laagtijddrempel in \"Maximale ventilatorsnelheidsdrempel\", zodat de " -"laag langer kan worden gekoeld. Dit kan de koelkwaliteit voor kleine details verbeteren" +"Schakel deze optie in om de afdruksnelheid te verlagen om de laatste laag " +"printtijd niet korter te maken dan de laagtijddrempel in \"Maximale " +"ventilatorsnelheidsdrempel\", zodat de laag langer kan worden gekoeld. Dit " +"kan de koelkwaliteit voor kleine details verbeteren" msgid "Normal printing" msgstr "Normaal printen" -msgid "The default acceleration of both normal printing and travel except initial layer" +msgid "" +"The default acceleration of both normal printing and travel except initial " +"layer" msgstr "" -"Dit is de standaard versnelling voor zowel normaal printen en verplaatsen behalve voor de " -"eerste laag" +"Dit is de standaard versnelling voor zowel normaal printen en verplaatsen " +"behalve voor de eerste laag" msgid "mm/s²" msgstr "mm/s²" @@ -9730,7 +10207,8 @@ msgid "Default filament profile" msgstr "Standaard filament profiel" msgid "Default filament profile when switch to this machine profile" -msgstr "Standaard filamentprofiel bij het overschakelen naar dit machineprofiel" +msgstr "" +"Standaard filamentprofiel bij het overschakelen naar dit machineprofiel" msgid "Default process profile" msgstr "Standaard proces profiel" @@ -9748,11 +10226,11 @@ msgid "Fan speed" msgstr "Ventilator snelheid" msgid "" -"Speed of exhaust fan during printing.This speed will overwrite the speed in filament custom " -"gcode" +"Speed of exhaust fan during printing.This speed will overwrite the speed in " +"filament custom gcode" msgstr "" -"Snelheid van de afzuigventilator tijdens het printen. Deze snelheid overschrijft de " -"snelheid in de aangepaste g-code van het filament." +"Snelheid van de afzuigventilator tijdens het printen. Deze snelheid " +"overschrijft de snelheid in de aangepaste g-code van het filament." msgid "Speed of exhaust fan after printing completes" msgstr "" @@ -9761,70 +10239,76 @@ msgid "No cooling for the first" msgstr "Geen koeling voor de eerste" msgid "" -"Close all cooling fan for the first certain layers. Cooling fan of the first layer used to " -"be closed to get better build plate adhesion" +"Close all cooling fan for the first certain layers. Cooling fan of the first " +"layer used to be closed to get better build plate adhesion" msgstr "" -"Schakel alle ventilatoren uit voor de eerste lagen. Het wordt geadviseerd om de koel " -"ventilator voor de eerste laag uit te schakelen om een betere hechting met het printbed te " -"krijgen" +"Schakel alle ventilatoren uit voor de eerste lagen. Het wordt geadviseerd om " +"de koel ventilator voor de eerste laag uit te schakelen om een betere " +"hechting met het printbed te krijgen" msgid "Don't support bridges" msgstr "Geen support bij bruggen toepassen" msgid "" -"Don't support the whole bridge area which make support very large. Bridge usually can be " -"printing directly without support if not very long" +"Don't support the whole bridge area which make support very large. Bridge " +"usually can be printing directly without support if not very long" msgstr "" -"Dit schakelt de ondersteuning (support) voor bruggebieden uit, waardoor de ondersteuning " -"(support) erg groot kan worden. Bruggen kunnen meestal direct zonder ondersteuning " -"(support) worden afgedrukt als ze niet erg lang zijn." +"Dit schakelt de ondersteuning (support) voor bruggebieden uit, waardoor de " +"ondersteuning (support) erg groot kan worden. Bruggen kunnen meestal direct " +"zonder ondersteuning (support) worden afgedrukt als ze niet erg lang zijn." msgid "Thick bridges" msgstr "Dikke bruggen" msgid "" -"If enabled, bridges are more reliable, can bridge longer distances, but may look worse. If " -"disabled, bridges look better but are reliable just for shorter bridged distances." +"If enabled, bridges are more reliable, can bridge longer distances, but may " +"look worse. If disabled, bridges look better but are reliable just for " +"shorter bridged distances." msgstr "" -"Indien ingeschakeld, zijn bruggen betrouwbaarder en kunnen ze langere afstanden " -"overbruggen, maar ze kunnen er slechter uitzien. Indien uitgeschakeld, zien bruggen er " -"beter uit, maar zijn ze alleen betrouwbaar voor kortere afstanden." +"Indien ingeschakeld, zijn bruggen betrouwbaarder en kunnen ze langere " +"afstanden overbruggen, maar ze kunnen er slechter uitzien. Indien " +"uitgeschakeld, zien bruggen er beter uit, maar zijn ze alleen betrouwbaar " +"voor kortere afstanden." msgid "Thick internal bridges" msgstr "" msgid "" -"If enabled, thick internal bridges will be used. It's usually recommended to have this " -"feature turned on. However, consider turning it off if you are using large nozzles." +"If enabled, thick internal bridges will be used. It's usually recommended to " +"have this feature turned on. However, consider turning it off if you are " +"using large nozzles." msgstr "" msgid "Don't filter out small internal bridges (beta)" msgstr "" msgid "" -"This option can help reducing pillowing on top surfaces in heavily slanted or curved " -"models.\n" +"This option can help reducing pillowing on top surfaces in heavily slanted " +"or curved models.\n" "\n" -"By default, small internal bridges are filtered out and the internal solid infill is " -"printed directly over the sparse infill. This works well in most cases, speeding up " -"printing without too much compromise on top surface quality. \n" +"By default, small internal bridges are filtered out and the internal solid " +"infill is printed directly over the sparse infill. This works well in most " +"cases, speeding up printing without too much compromise on top surface " +"quality. \n" "\n" -"However, in heavily slanted or curved models especially where too low sparse infill density " -"is used, this may result in curling of the unsupported solid infill, causing pillowing.\n" +"However, in heavily slanted or curved models especially where too low sparse " +"infill density is used, this may result in curling of the unsupported solid " +"infill, causing pillowing.\n" "\n" -"Enabling this option will print internal bridge layer over slightly unsupported internal " -"solid infill. The options below control the amount of filtering, i.e. the amount of " -"internal bridges created.\n" +"Enabling this option will print internal bridge layer over slightly " +"unsupported internal solid infill. The options below control the amount of " +"filtering, i.e. the amount of internal bridges created.\n" "\n" -"Disabled - Disables this option. This is the default behaviour and works well in most " -"cases.\n" +"Disabled - Disables this option. This is the default behaviour and works " +"well in most cases.\n" "\n" -"Limited filtering - Creates internal bridges on heavily slanted surfaces, while avoiding " -"creating uncessesary interal bridges. This works well for most difficult models.\n" +"Limited filtering - Creates internal bridges on heavily slanted surfaces, " +"while avoiding creating uncessesary interal bridges. This works well for " +"most difficult models.\n" "\n" -"No filtering - Creates internal bridges on every potential internal overhang. This option " -"is useful for heavily slanted top surface models. However, in most cases it creates too " -"many unecessary bridges." +"No filtering - Creates internal bridges on every potential internal " +"overhang. This option is useful for heavily slanted top surface models. " +"However, in most cases it creates too many unecessary bridges." msgstr "" msgid "Disabled" @@ -9840,12 +10324,13 @@ msgid "Max bridge length" msgstr "Maximale bruglengte" msgid "" -"Max length of bridges that don't need support. Set it to 0 if you want all bridges to be " -"supported, and set it to a very large value if you don't want any bridges to be supported." +"Max length of bridges that don't need support. Set it to 0 if you want all " +"bridges to be supported, and set it to a very large value if you don't want " +"any bridges to be supported." msgstr "" -"Maximale lengte van bruggen die geen ondersteuning nodig hebben. Stel het in op 0 als u " -"wilt dat alle bruggen worden ondersteund, en stel het in op een zeer grote waarde als u " -"niet wilt dat bruggen worden ondersteund." +"Maximale lengte van bruggen die geen ondersteuning nodig hebben. Stel het in " +"op 0 als u wilt dat alle bruggen worden ondersteund, en stel het in op een " +"zeer grote waarde als u niet wilt dat bruggen worden ondersteund." msgid "End G-code" msgstr "Einde G-code" @@ -9857,23 +10342,24 @@ msgid "Between Object Gcode" msgstr "Tussen object Gcode" msgid "" -"Insert Gcode between objects. This parameter will only come into effect when you print your " -"models object by object" +"Insert Gcode between objects. This parameter will only come into effect when " +"you print your models object by object" msgstr "" -"Gcode invoegen tussen objecten. Deze parameter wordt alleen actief wanneer u uw modellen " -"object voor object afdrukt." +"Gcode invoegen tussen objecten. Deze parameter wordt alleen actief wanneer u " +"uw modellen object voor object afdrukt." msgid "End G-code when finish the printing of this filament" -msgstr "Voeg een eind G-code toe bij het afronden van het printen van dit filament." +msgstr "" +"Voeg een eind G-code toe bij het afronden van het printen van dit filament." msgid "Ensure vertical shell thickness" msgstr "Zorg voor een verticale schaaldikte" msgid "" -"Add solid infill near sloping surfaces to guarantee the vertical shell thickness " -"(top+bottom solid layers)\n" -"None: No solid infill will be added anywhere. Caution: Use this option carefully if your " -"model has sloped surfaces\n" +"Add solid infill near sloping surfaces to guarantee the vertical shell " +"thickness (top+bottom solid layers)\n" +"None: No solid infill will be added anywhere. Caution: Use this option " +"carefully if your model has sloped surfaces\n" "Critical Only: Avoid adding solid infill for walls\n" "Moderate: Add solid infill for heavily sloping surfaces only\n" "All: Add solid infill for all suitable sloping surfaces\n" @@ -9890,7 +10376,8 @@ msgid "Top surface pattern" msgstr "Patroon bovenvlak" msgid "Line pattern of top surface infill" -msgstr "Dit is het lijnenpatroon voor de vulling (infill) van het bovenoppervlak." +msgstr "" +"Dit is het lijnenpatroon voor de vulling (infill) van het bovenoppervlak." msgid "Concentric" msgstr "Concentrisch" @@ -9921,42 +10408,46 @@ msgstr "Bodem oppvlakte patroon" msgid "Line pattern of bottom surface infill, not bridge infill" msgstr "" -"Dit is het lijnenpatroon van de vulling (infill) van het bodemoppervlak, maar niet van de " -"vulling van de brug." +"Dit is het lijnenpatroon van de vulling (infill) van het bodemoppervlak, " +"maar niet van de vulling van de brug." msgid "Internal solid infill pattern" msgstr "Intern massief invulpatroon" msgid "" -"Line pattern of internal solid infill. if the detect narrow internal solid infill be " -"enabled, the concentric pattern will be used for the small area." +"Line pattern of internal solid infill. if the detect narrow internal solid " +"infill be enabled, the concentric pattern will be used for the small area." msgstr "" msgid "" -"Line width of outer wall. If expressed as a %, it will be computed over the nozzle diameter." +"Line width of outer wall. If expressed as a %, it will be computed over the " +"nozzle diameter." msgstr "" msgid "" -"Speed of outer wall which is outermost and visible. It's used to be slower than inner wall " -"speed to get better quality." +"Speed of outer wall which is outermost and visible. It's used to be slower " +"than inner wall speed to get better quality." msgstr "" -"Dit is de snelheid voor de buitenste wand die zichtbaar is. Deze wordt langzamer geprint " -"dan de binnenste wanden om een betere kwaliteit te krijgen." +"Dit is de snelheid voor de buitenste wand die zichtbaar is. Deze wordt " +"langzamer geprint dan de binnenste wanden om een betere kwaliteit te krijgen." msgid "Small perimeters" msgstr "Kleine omtrek" msgid "" "This separate setting will affect the speed of perimeters having radius <= " -"small_perimeter_threshold (usually holes). If expressed as percentage (for example: 80%) it " -"will be calculated on the outer wall speed setting above. Set to zero for auto." +"small_perimeter_threshold (usually holes). If expressed as percentage (for " +"example: 80%) it will be calculated on the outer wall speed setting above. " +"Set to zero for auto." msgstr "" msgid "Small perimeters threshold" msgstr "" -msgid "This sets the threshold for small perimeter length. Default threshold is 0mm" -msgstr "Dit stelt de drempel voor kleine omtreklengte in. De standaarddrempel is 0 mm" +msgid "" +"This sets the threshold for small perimeter length. Default threshold is 0mm" +msgstr "" +"Dit stelt de drempel voor kleine omtreklengte in. De standaarddrempel is 0 mm" msgid "Walls printing order" msgstr "" @@ -9964,22 +10455,24 @@ msgstr "" msgid "" "Print sequence of the internal (inner) and external (outer) walls. \n" "\n" -"Use Inner/Outer for best overhangs. This is because the overhanging walls can adhere to a " -"neighouring perimeter while printing. However, this option results in slightly reduced " -"surface quality as the external perimeter is deformed by being squashed to the internal " -"perimeter.\n" +"Use Inner/Outer for best overhangs. This is because the overhanging walls " +"can adhere to a neighouring perimeter while printing. However, this option " +"results in slightly reduced surface quality as the external perimeter is " +"deformed by being squashed to the internal perimeter.\n" "\n" -"Use Inner/Outer/Inner for the best external surface finish and dimensional accuracy as the " -"external wall is printed undisturbed from an internal perimeter. However, overhang " -"performance will reduce as there is no internal perimeter to print the external wall " -"against. This option requires a minimum of 3 walls to be effective as it prints the " -"internal walls from the 3rd perimeter onwards first, then the external perimeter and, " -"finally, the first internal perimeter. This option is recomended against the Outer/Inner " -"option in most cases. \n" +"Use Inner/Outer/Inner for the best external surface finish and dimensional " +"accuracy as the external wall is printed undisturbed from an internal " +"perimeter. However, overhang performance will reduce as there is no internal " +"perimeter to print the external wall against. This option requires a minimum " +"of 3 walls to be effective as it prints the internal walls from the 3rd " +"perimeter onwards first, then the external perimeter and, finally, the first " +"internal perimeter. This option is recomended against the Outer/Inner option " +"in most cases. \n" "\n" -"Use Outer/Inner for the same external wall quality and dimensional accuracy benefits of " -"Inner/Outer/Inner option. However, the z seams will appear less consistent as the first " -"extrusion of a new layer starts on a visible surface.\n" +"Use Outer/Inner for the same external wall quality and dimensional accuracy " +"benefits of Inner/Outer/Inner option. However, the z seams will appear less " +"consistent as the first extrusion of a new layer starts on a visible " +"surface.\n" "\n" " " msgstr "" @@ -9997,24 +10490,26 @@ msgid "Print infill first" msgstr "Eerst infill afdrukken" msgid "" -"Order of wall/infill. When the tickbox is unchecked the walls are printed first, which " -"works best in most cases.\n" +"Order of wall/infill. When the tickbox is unchecked the walls are printed " +"first, which works best in most cases.\n" "\n" -"Printing infill first may help with extreme overhangs as the walls have the neighbouring " -"infill to adhere to. However, the infill will slighly push out the printed walls where it " -"is attached to them, resulting in a worse external surface finish. It can also cause the " -"infill to shine through the external surfaces of the part." +"Printing infill first may help with extreme overhangs as the walls have the " +"neighbouring infill to adhere to. However, the infill will slighly push out " +"the printed walls where it is attached to them, resulting in a worse " +"external surface finish. It can also cause the infill to shine through the " +"external surfaces of the part." msgstr "" msgid "Wall loop direction" msgstr "" msgid "" -"The direction which the wall loops are extruded when looking down from the top.\n" +"The direction which the wall loops are extruded when looking down from the " +"top.\n" "\n" -"By default all walls are extruded in counter-clockwise, unless Reverse on odd is enabled. " -"Set this to any option other than Auto will force the wall direction regardless of the " -"Reverse on odd.\n" +"By default all walls are extruded in counter-clockwise, unless Reverse on " +"odd is enabled. Set this to any option other than Auto will force the wall " +"direction regardless of the Reverse on odd.\n" "\n" "This option will be disabled if sprial vase mode is enabled." msgstr "" @@ -10029,25 +10524,28 @@ msgid "Height to rod" msgstr "Hoogte tot geleider" msgid "" -"Distance of the nozzle tip to the lower rod. Used for collision avoidance in by-object " -"printing." +"Distance of the nozzle tip to the lower rod. Used for collision avoidance in " +"by-object printing." msgstr "" -"Afstand van de punt van het mondstuk tot de onderste stang. Wordt gebruikt om botsingen te " -"voorkomen bij het afdrukken op basis van objecten." +"Afstand van de punt van het mondstuk tot de onderste stang. Wordt gebruikt " +"om botsingen te voorkomen bij het afdrukken op basis van objecten." msgid "Height to lid" msgstr "Hoogte tot deksel" msgid "" -"Distance of the nozzle tip to the lid. Used for collision avoidance in by-object printing." +"Distance of the nozzle tip to the lid. Used for collision avoidance in by-" +"object printing." msgstr "" -"Afstand van de punt van het mondstuk tot het deksel. Wordt gebruikt om botsingen te " -"voorkomen bij het afdrukken op basis van objecten." +"Afstand van de punt van het mondstuk tot het deksel. Wordt gebruikt om " +"botsingen te voorkomen bij het afdrukken op basis van objecten." -msgid "Clearance radius around extruder. Used for collision avoidance in by-object printing." +msgid "" +"Clearance radius around extruder. Used for collision avoidance in by-object " +"printing." msgstr "" -"Afstandsradius rond de extruder: gebruikt om botsingen te vermijden bij het printen per " -"object." +"Afstandsradius rond de extruder: gebruikt om botsingen te vermijden bij het " +"printen per object." msgid "Nozzle height" msgstr "Hoogte van het mondstuk" @@ -10059,42 +10557,44 @@ msgid "Bed mesh min" msgstr "" msgid "" -"This option sets the min point for the allowed bed mesh area. Due to the probe's XY offset, " -"most printers are unable to probe the entire bed. To ensure the probe point does not go " -"outside the bed area, the minimum and maximum points of the bed mesh should be set " -"appropriately. OrcaSlicer ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values " -"do not exceed these min/max points. This information can usually be obtained from your " -"printer manufacturer. The default setting is (-99999, -99999), which means there are no " -"limits, thus allowing probing across the entire bed." +"This option sets the min point for the allowed bed mesh area. Due to the " +"probe's XY offset, most printers are unable to probe the entire bed. To " +"ensure the probe point does not go outside the bed area, the minimum and " +"maximum points of the bed mesh should be set appropriately. OrcaSlicer " +"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " +"exceed these min/max points. This information can usually be obtained from " +"your printer manufacturer. The default setting is (-99999, -99999), which " +"means there are no limits, thus allowing probing across the entire bed." msgstr "" msgid "Bed mesh max" msgstr "" msgid "" -"This option sets the max point for the allowed bed mesh area. Due to the probe's XY offset, " -"most printers are unable to probe the entire bed. To ensure the probe point does not go " -"outside the bed area, the minimum and maximum points of the bed mesh should be set " -"appropriately. OrcaSlicer ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values " -"do not exceed these min/max points. This information can usually be obtained from your " -"printer manufacturer. The default setting is (99999, 99999), which means there are no " -"limits, thus allowing probing across the entire bed." +"This option sets the max point for the allowed bed mesh area. Due to the " +"probe's XY offset, most printers are unable to probe the entire bed. To " +"ensure the probe point does not go outside the bed area, the minimum and " +"maximum points of the bed mesh should be set appropriately. OrcaSlicer " +"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " +"exceed these min/max points. This information can usually be obtained from " +"your printer manufacturer. The default setting is (99999, 99999), which " +"means there are no limits, thus allowing probing across the entire bed." msgstr "" msgid "Probe point distance" msgstr "" msgid "" -"This option sets the preferred distance between probe points (grid size) for the X and Y " -"directions, with the default being 50mm for both X and Y." +"This option sets the preferred distance between probe points (grid size) for " +"the X and Y directions, with the default being 50mm for both X and Y." msgstr "" msgid "Mesh margin" msgstr "" msgid "" -"This option determines the additional distance by which the adaptive bed mesh area should " -"be expanded in the XY directions." +"This option determines the additional distance by which the adaptive bed " +"mesh area should be expanded in the XY directions." msgstr "" msgid "Extruder Color" @@ -10110,21 +10610,36 @@ msgid "Flow ratio" msgstr "Flow verhouding" msgid "" -"The material may have volumetric change after switching between molten state and " -"crystalline state. This setting changes all extrusion flow of this filament in gcode " -"proportionally. Recommended value range is between 0.95 and 1.05. Maybe you can tune this " -"value to get nice flat surface when there has slight overflow or underflow" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow" +msgstr "" +"Het materiaal kan een volumetrische verandering hebben na het wisselen " +"tussen gesmolten en gekristaliseerde toestand. Deze instelling verandert " +"alle extrusiestromen van dit filament in de G-code proportioneel. Het " +"aanbevolen waardebereik ligt tussen 0,95 en 1,05. U kunt deze waarde " +"mogelijk optimaliseren om een mooi vlak oppervlak te krijgen als er een " +"lichte over- of onderflow is." + +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." msgstr "" -"Het materiaal kan een volumetrische verandering hebben na het wisselen tussen gesmolten en " -"gekristaliseerde toestand. Deze instelling verandert alle extrusiestromen van dit filament " -"in de G-code proportioneel. Het aanbevolen waardebereik ligt tussen 0,95 en 1,05. U kunt " -"deze waarde mogelijk optimaliseren om een mooi vlak oppervlak te krijgen als er een lichte " -"over- of onderflow is." msgid "Enable pressure advance" msgstr "Pressure advance inschakelen" -msgid "Enable pressure advance, auto calibration result will be overwriten once enabled." +msgid "" +"Enable pressure advance, auto calibration result will be overwriten once " +"enabled." msgstr "" msgid "Pressure advance(Klipper) AKA Linear advance factor(Marlin)" @@ -10135,20 +10650,23 @@ msgstr "" #, c-format, boost-format msgid "" -"With increasing print speeds (and hence increasing volumetric flow through the nozzle) and " -"increasing accelerations, it has been observed that the effective PA value typically " -"decreases. This means that a single PA value is not always 100% optimal for all features " -"and a compromise value is usually used that does not cause too much bulging on features " -"with lower flow speed and accelerations while also not causing gaps on faster features.\n" +"With increasing print speeds (and hence increasing volumetric flow through " +"the nozzle) and increasing accelerations, it has been observed that the " +"effective PA value typically decreases. This means that a single PA value is " +"not always 100% optimal for all features and a compromise value is usually " +"used that does not cause too much bulging on features with lower flow speed " +"and accelerations while also not causing gaps on faster features.\n" "\n" -"This feature aims to address this limitation by modeling the response of your printer's " -"extrusion system depending on the volumetric flow speed and acceleration it is printing at. " -"Internally, it generates a fitted model that can extrapolate the needed pressure advance " -"for any given volumetric flow speed and acceleration, which is then emmited to the printer " -"depending on the current print conditions.\n" +"This feature aims to address this limitation by modeling the response of " +"your printer's extrusion system depending on the volumetric flow speed and " +"acceleration it is printing at. Internally, it generates a fitted model that " +"can extrapolate the needed pressure advance for any given volumetric flow " +"speed and acceleration, which is then emmited to the printer depending on " +"the current print conditions.\n" "\n" -"When enabled, the pressure advance value above is overriden. However, a reasonable default " -"value above is strongly recomended to act as a fallback and for when tool changing.\n" +"When enabled, the pressure advance value above is overriden. However, a " +"reasonable default value above is strongly recomended to act as a fallback " +"and for when tool changing.\n" "\n" msgstr "" @@ -10156,28 +10674,32 @@ msgid "Adaptive pressure advance measurements (beta)" msgstr "" msgid "" -"Add sets of pressure advance (PA) values, the volumetric flow speeds and accelerations they " -"were measured at, separated by a comma. One set of values per line. For example\n" +"Add sets of pressure advance (PA) values, the volumetric flow speeds and " +"accelerations they were measured at, separated by a comma. One set of values " +"per line. For example\n" "0.04,3.96,3000\n" "0.033,3.96,10000\n" "0.029,7.91,3000\n" "0.026,7.91,10000\n" "\n" "How to calibrate:\n" -"1. Run the pressure advance test for at least 3 speeds per acceleration value. It is " -"recommended that the test is run for at least the speed of the external perimeters, the " -"speed of the internal perimeters and the fastest feature print speed in your profile " -"(usually its the sparse or solid infill). Then run them for the same speeds for the slowest " -"and fastest print accelerations,and no faster than the recommended maximum acceleration as " +"1. Run the pressure advance test for at least 3 speeds per acceleration " +"value. It is recommended that the test is run for at least the speed of the " +"external perimeters, the speed of the internal perimeters and the fastest " +"feature print speed in your profile (usually its the sparse or solid " +"infill). Then run them for the same speeds for the slowest and fastest print " +"accelerations,and no faster than the recommended maximum acceleration as " "given by the klipper input shaper.\n" -"2. Take note of the optimal PA value for each volumetric flow speed and acceleration. You " -"can find the flow number by selecting flow from the color scheme drop down and move the " -"horizontal slider over the PA pattern lines. The number should be visible at the bottom of " -"the page. The ideal PA value should be decreasing the higher the volumetric flow is. If it " -"is not, confirm that your extruder is functioning correctly.The slower and with less " -"acceleration you print, the larger the range of acceptable PA values. If no difference is " -"visible, use the PA value from the faster test.3. Enter the triplets of PA values, Flow and " -"Accelerations in the text box here and save your filament profile\n" +"2. Take note of the optimal PA value for each volumetric flow speed and " +"acceleration. You can find the flow number by selecting flow from the color " +"scheme drop down and move the horizontal slider over the PA pattern lines. " +"The number should be visible at the bottom of the page. The ideal PA value " +"should be decreasing the higher the volumetric flow is. If it is not, " +"confirm that your extruder is functioning correctly.The slower and with less " +"acceleration you print, the larger the range of acceptable PA values. If no " +"difference is visible, use the PA value from the faster test.3. Enter the " +"triplets of PA values, Flow and Accelerations in the text box here and save " +"your filament profile\n" "\n" msgstr "" @@ -10185,9 +10707,10 @@ msgid "Enable adaptive pressure advance for overhangs (beta)" msgstr "" msgid "" -"Enable adaptive PA for overhangs as well as when flow changes within the same feature. This " -"is an experimental option, as if the PA profile is not set accurately, it will cause " -"uniformity issues on the external surfaces before and after overhangs.\n" +"Enable adaptive PA for overhangs as well as when flow changes within the " +"same feature. This is an experimental option, as if the PA profile is not " +"set accurately, it will cause uniformity issues on the external surfaces " +"before and after overhangs.\n" msgstr "" msgid "Pressure advance for bridges" @@ -10196,37 +10719,41 @@ msgstr "" msgid "" "Pressure advance value for bridges. Set to 0 to disable. \n" "\n" -" A lower PA value when printing bridges helps reduce the appearance of slight under " -"extrusion immediately after bridges. This is caused by the pressure drop in the nozzle when " -"printing in the air and a lower PA helps counteract this." +" A lower PA value when printing bridges helps reduce the appearance of " +"slight under extrusion immediately after bridges. This is caused by the " +"pressure drop in the nozzle when printing in the air and a lower PA helps " +"counteract this." msgstr "" msgid "" -"Default line width if other line widths are set to 0. If expressed as a %, it will be " -"computed over the nozzle diameter." +"Default line width if other line widths are set to 0. If expressed as a %, " +"it will be computed over the nozzle diameter." msgstr "" msgid "Keep fan always on" msgstr "Laat de ventilator aan staan" msgid "" -"If enable this setting, part cooling fan will never be stoped and will run at least at " -"minimum speed to reduce the frequency of starting and stoping" +"If enable this setting, part cooling fan will never be stoped and will run " +"at least at minimum speed to reduce the frequency of starting and stoping" msgstr "" -"Als deze instelling is ingeschakeld, zal de printkop ventilator altijd aan staan op een " -"minimale snelheid om het aantal start en stop momenten te beperken" +"Als deze instelling is ingeschakeld, zal de printkop ventilator altijd aan " +"staan op een minimale snelheid om het aantal start en stop momenten te " +"beperken" msgid "Don't slow down outer walls" msgstr "" msgid "" -"If enabled, this setting will ensure external perimeters are not slowed down to meet the " -"minimum layer time. This is particularly helpful in the below scenarios:\n" +"If enabled, this setting will ensure external perimeters are not slowed down " +"to meet the minimum layer time. This is particularly helpful in the below " +"scenarios:\n" "\n" " 1. To avoid changes in shine when printing glossy filaments \n" -"2. To avoid changes in external wall speed which may create slight wall artefacts that " -"appear like z banding \n" -"3. To avoid printing at speeds which cause VFAs (fine artefacts) on the external walls\n" +"2. To avoid changes in external wall speed which may create slight wall " +"artefacts that appear like z banding \n" +"3. To avoid printing at speeds which cause VFAs (fine artefacts) on the " +"external walls\n" "\n" msgstr "" @@ -10234,13 +10761,14 @@ msgid "Layer time" msgstr "Laag tijd" msgid "" -"Part cooling fan will be enabled for layers of which estimated time is shorter than this " -"value. Fan speed is interpolated between the minimum and maximum fan speeds according to " -"layer printing time" +"Part cooling fan will be enabled for layers of which estimated time is " +"shorter than this value. Fan speed is interpolated between the minimum and " +"maximum fan speeds according to layer printing time" msgstr "" -"De printkop ventilator wordt ingeschakeld voor lagen waarvan de geschatte printtijd korter " -"is dan deze waarde. Ventilatorsnelheid wordt geïnterpoleerd tussen de minimale en maximale " -"ventilatorsnelheden volgens de printtijd van de laag" +"De printkop ventilator wordt ingeschakeld voor lagen waarvan de geschatte " +"printtijd korter is dan deze waarde. Ventilatorsnelheid wordt geïnterpoleerd " +"tussen de minimale en maximale ventilatorsnelheden volgens de printtijd van " +"de laag" msgid "Default color" msgstr "Standaardkleur" @@ -10258,20 +10786,21 @@ msgid "Required nozzle HRC" msgstr "Vereiste mondstuk HRC" msgid "" -"Minimum HRC of nozzle required to print the filament. Zero means no checking of nozzle's " -"HRC." +"Minimum HRC of nozzle required to print the filament. Zero means no checking " +"of nozzle's HRC." msgstr "" -"Minimale HRC van het mondstuk die nodig is om het filament te printen. Een waarde van 0 " -"betekent geen controle van de HRC van het mondstuk." +"Minimale HRC van het mondstuk die nodig is om het filament te printen. Een " +"waarde van 0 betekent geen controle van de HRC van het mondstuk." msgid "" -"This setting stands for how much volume of filament can be melted and extruded per second. " -"Printing speed is limited by max volumetric speed, in case of too high and unreasonable " -"speed setting. Can't be zero" +"This setting stands for how much volume of filament can be melted and " +"extruded per second. Printing speed is limited by max volumetric speed, in " +"case of too high and unreasonable speed setting. Can't be zero" msgstr "" -"Deze instelling is het volume filament dat per seconde kan worden gesmolten en " -"geëxtrudeerd. De afdruksnelheid wordt beperkt door de maximale volumetrische snelheid, in " -"geval van een te hoge en onredelijke snelheidsinstelling. Deze waarde kan niet nul zijn." +"Deze instelling is het volume filament dat per seconde kan worden gesmolten " +"en geëxtrudeerd. De afdruksnelheid wordt beperkt door de maximale " +"volumetrische snelheid, in geval van een te hoge en onredelijke " +"snelheidsinstelling. Deze waarde kan niet nul zijn." msgid "mm³/s" msgstr "mm³/s" @@ -10279,34 +10808,46 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Filament laadt tijd" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Tijd welke nodig is om nieuw filament te laden tijdens het wisselen. Enkel voor " -"statistieken." msgid "Filament unload time" msgstr "Tijd die nodig is om filament te ontladen" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" msgstr "" -"Tijd welke nodig is om oud filament te lossen tijdens het wisselen. Enkel voor statistieken." msgid "" -"Filament diameter is used to calculate extrusion in gcode, so it's important and should be " -"accurate" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Filamentdiameter wordt gebruikt om de extrusie in de G-code te berekenen, het is dus " -"belangrijk dat deze nauwkeurig wordt ingegeven" + +msgid "" +"Filament diameter is used to calculate extrusion in gcode, so it's important " +"and should be accurate" +msgstr "" +"Filamentdiameter wordt gebruikt om de extrusie in de G-code te berekenen, " +"het is dus belangrijk dat deze nauwkeurig wordt ingegeven" msgid "Pellet flow coefficient" msgstr "" msgid "" -"Pellet flow coefficient is emperically derived and allows for volume calculation for pellet " -"printers.\n" +"Pellet flow coefficient is emperically derived and allows for volume " +"calculation for pellet printers.\n" "\n" -"Internally it is converted to filament_diameter. All other volume calculations remain the " -"same.\n" +"Internally it is converted to filament_diameter. All other volume " +"calculations remain the same.\n" "\n" "filament_diameter = sqrt( (4 * pellet_flow_coefficient) / PI )" msgstr "" @@ -10316,11 +10857,11 @@ msgstr "" #, no-c-format, no-boost-format msgid "" -"Enter the shrinkage percentage that the filament will get after cooling (94% if you measure " -"94mm instead of 100mm). The part will be scaled in xy to compensate. Only the filament used " -"for the perimeter is taken into account.\n" -"Be sure to allow enough space between objects, as this compensation is done after the " -"checks." +"Enter the shrinkage percentage that the filament will get after cooling (94% " +"if you measure 94mm instead of 100mm). The part will be scaled in xy to " +"compensate. Only the filament used for the perimeter is taken into account.\n" +"Be sure to allow enough space between objects, as this compensation is done " +"after the checks." msgstr "" msgid "Loading speed" @@ -10339,38 +10880,42 @@ msgid "Unloading speed" msgstr "Ontlaadsnelheid" msgid "" -"Speed used for unloading the filament on the wipe tower (does not affect initial part of " -"unloading just after ramming)." +"Speed used for unloading the filament on the wipe tower (does not affect " +"initial part of unloading just after ramming)." msgstr "" -"Snelheid die gebruikt wordt voor het ontladen van het afveegblok (heeft geen effect op het " -"initiële onderdeel van het ontladen direct na de ramming)." +"Snelheid die gebruikt wordt voor het ontladen van het afveegblok (heeft geen " +"effect op het initiële onderdeel van het ontladen direct na de ramming)." msgid "Unloading speed at the start" msgstr "Ontlaadsnelheid in het begin" -msgid "Speed used for unloading the tip of the filament immediately after ramming." -msgstr "Snelheid die gebruikt wordt voor het ontladen van het filament direct na de ramming." +msgid "" +"Speed used for unloading the tip of the filament immediately after ramming." +msgstr "" +"Snelheid die gebruikt wordt voor het ontladen van het filament direct na de " +"ramming." msgid "Delay after unloading" msgstr "Vertraging na het ontladen" msgid "" -"Time to wait after the filament is unloaded. May help to get reliable toolchanges with " -"flexible materials that may need more time to shrink to original dimensions." +"Time to wait after the filament is unloaded. May help to get reliable " +"toolchanges with flexible materials that may need more time to shrink to " +"original dimensions." msgstr "" -"Wachttijd voor het ontladen van het filament. Dit kan helpen om betrouwbare toolwisselingen " -"te krijgen met flexibele materialen die meer tijd nodig hebben om te krimpen naar de " -"originele afmetingen." +"Wachttijd voor het ontladen van het filament. Dit kan helpen om betrouwbare " +"toolwisselingen te krijgen met flexibele materialen die meer tijd nodig " +"hebben om te krimpen naar de originele afmetingen." msgid "Number of cooling moves" msgstr "Aantal koelbewegingen" msgid "" -"Filament is cooled by being moved back and forth in the cooling tubes. Specify desired " -"number of these moves." +"Filament is cooled by being moved back and forth in the cooling tubes. " +"Specify desired number of these moves." msgstr "" -"Het filament wordt gekoeld tijdens het terug en voorwaarts bewegen in de koelbuis. " -"Specificeer het benodigd aantal bewegingen." +"Het filament wordt gekoeld tijdens het terug en voorwaarts bewegen in de " +"koelbuis. Specificeer het benodigd aantal bewegingen." msgid "Stamping loading speed" msgstr "" @@ -10382,26 +10927,27 @@ msgid "Stamping distance measured from the center of the cooling tube" msgstr "" msgid "" -"If set to nonzero value, filament is moved toward the nozzle between the individual cooling " -"moves (\"stamping\"). This option configures how long this movement should be before the " -"filament is retracted again." +"If set to nonzero value, filament is moved toward the nozzle between the " +"individual cooling moves (\"stamping\"). This option configures how long " +"this movement should be before the filament is retracted again." msgstr "" msgid "Speed of the first cooling move" msgstr "Snelheid voor de eerste koelbeweging" msgid "Cooling moves are gradually accelerating beginning at this speed." -msgstr "Koelbewegingen worden gelijkmatig versneld, beginnend vanaf deze snelheid." +msgstr "" +"Koelbewegingen worden gelijkmatig versneld, beginnend vanaf deze snelheid." msgid "Minimal purge on wipe tower" msgstr "Minimale filament reiniging op de wipe tower" msgid "" -"After a tool change, the exact position of the newly loaded filament inside the nozzle may " -"not be known, and the filament pressure is likely not yet stable. Before purging the print " -"head into an infill or a sacrificial object, Orca Slicer will always prime this amount of " -"material into the wipe tower to produce successive infill or sacrificial object extrusions " -"reliably." +"After a tool change, the exact position of the newly loaded filament inside " +"the nozzle may not be known, and the filament pressure is likely not yet " +"stable. Before purging the print head into an infill or a sacrificial " +"object, Orca Slicer will always prime this amount of material into the wipe " +"tower to produce successive infill or sacrificial object extrusions reliably." msgstr "" msgid "Speed of the last cooling move" @@ -10410,38 +10956,24 @@ msgstr "Snelheid voor de laatste koelbeweging" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "Koelbewegingen versnellen gelijkmatig tot aan deze snelheid." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new filament " -"during a tool change (when executing the T code). This time is added to the total print " -"time by the G-code time estimator." -msgstr "" -"Tijd voor de printerfirmware (of de MMU 2.0) om nieuw filament te laden tijdens een " -"toolwissel (tijdens het uitvoeren van de T-code). Deze tijd wordt toegevoegd aan de totale " -"printtijd in de tijdsschatting." - msgid "Ramming parameters" msgstr "Rammingparameters" -msgid "This string is edited by RammingDialog and contains ramming specific parameters." -msgstr "Deze frase is bewerkt door het Rammingdialoog en bevat parameters voor de ramming." - msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a filament during " -"a tool change (when executing the T code). This time is added to the total print time by " -"the G-code time estimator." +"This string is edited by RammingDialog and contains ramming specific " +"parameters." msgstr "" -"Tijd voor de printerfirmware (of de MMU 2.0) om filament te ontladen tijdens een toolwissel " -"(tijdens het uitvoeren van de T-code). Deze tijd wordt toegevoegd aan de totale printtijd " -"in de tijdsschatting." +"Deze frase is bewerkt door het Rammingdialoog en bevat parameters voor de " +"ramming." msgid "Enable ramming for multitool setups" msgstr "" msgid "" -"Perform ramming when using multitool printer (i.e. when the 'Single Extruder Multimaterial' " -"in Printer Settings is unchecked). When checked, a small amount of filament is rapidly " -"extruded on the wipe tower just before the toolchange. This option is only used when the " -"wipe tower is enabled." +"Perform ramming when using multitool printer (i.e. when the 'Single Extruder " +"Multimaterial' in Printer Settings is unchecked). When checked, a small " +"amount of filament is rapidly extruded on the wipe tower just before the " +"toolchange. This option is only used when the wipe tower is enabled." msgstr "" msgid "Multitool ramming volume" @@ -10471,28 +11003,32 @@ msgstr "Filament materiaal." msgid "Soluble material" msgstr "Oplosbaar materiaal" -msgid "Soluble material is commonly used to print support and support interface" +msgid "" +"Soluble material is commonly used to print support and support interface" msgstr "" -"Oplosbaar materiaal wordt doorgaans gebruikt om odnersteuning (support) en support " -"interface te printen " +"Oplosbaar materiaal wordt doorgaans gebruikt om odnersteuning (support) en " +"support interface te printen " msgid "Support material" msgstr "Support materiaal" -msgid "Support material is commonly used to print support and support interface" -msgstr "Support materiaal wordt vaak gebruikt om support en support interfaces af te drukken." +msgid "" +"Support material is commonly used to print support and support interface" +msgstr "" +"Support materiaal wordt vaak gebruikt om support en support interfaces af te " +"drukken." msgid "Softening temperature" msgstr "Verzachtingstemperatuur" msgid "" -"The material softens at this temperature, so when the bed temperature is equal to or " -"greater than it, it's highly recommended to open the front door and/or remove the upper " -"glass to avoid cloggings." +"The material softens at this temperature, so when the bed temperature is " +"equal to or greater than it, it's highly recommended to open the front door " +"and/or remove the upper glass to avoid cloggings." msgstr "" -"The material softens at this temperature, so when the bed temperature is equal to or " -"greater than this, it's highly recommended to open the front door and/or remove the upper " -"glass to avoid clogs." +"The material softens at this temperature, so when the bed temperature is " +"equal to or greater than this, it's highly recommended to open the front " +"door and/or remove the upper glass to avoid clogs." msgid "Price" msgstr "Prijs" @@ -10515,15 +11051,19 @@ msgstr "(niet gedefinieerd)" msgid "Sparse infill direction" msgstr "" -msgid "Angle for sparse infill pattern, which controls the start or main direction of line" +msgid "" +"Angle for sparse infill pattern, which controls the start or main direction " +"of line" msgstr "" -"Dit is de hoek voor een dun opvulpatroon, dat het begin of de hoofdrichting van de lijnen " -"bepaalt." +"Dit is de hoek voor een dun opvulpatroon, dat het begin of de hoofdrichting " +"van de lijnen bepaalt." msgid "Solid infill direction" msgstr "" -msgid "Angle for solid infill pattern, which controls the start or main direction of line" +msgid "" +"Angle for solid infill pattern, which controls the start or main direction " +"of line" msgstr "" msgid "Rotate solid infill direction" @@ -10537,8 +11077,8 @@ msgstr "Vulling percentage" #, no-c-format, no-boost-format msgid "" -"Density of internal sparse infill, 100% turns all sparse infill into solid infill and " -"internal solid infill pattern will be used" +"Density of internal sparse infill, 100% turns all sparse infill into solid " +"infill and internal solid infill pattern will be used" msgstr "" msgid "Sparse infill pattern" @@ -10584,14 +11124,16 @@ msgid "Sparse infill anchor length" msgstr "" msgid "" -"Connect an infill line to an internal perimeter with a short segment of an additional " -"perimeter. If expressed as percentage (example: 15%) it is calculated over infill extrusion " -"width. Orca Slicer tries to connect two close infill lines to a short perimeter segment. If " -"no such perimeter segment shorter than infill_anchor_max is found, the infill line is " -"connected to a perimeter segment at just one side and the length of the perimeter segment " -"taken is limited to this parameter, but no longer than anchor_length_max. \n" -"Set this parameter to zero to disable anchoring perimeters connected to a single infill " -"line." +"Connect an infill line to an internal perimeter with a short segment of an " +"additional perimeter. If expressed as percentage (example: 15%) it is " +"calculated over infill extrusion width. Orca Slicer tries to connect two " +"close infill lines to a short perimeter segment. If no such perimeter " +"segment shorter than infill_anchor_max is found, the infill line is " +"connected to a perimeter segment at just one side and the length of the " +"perimeter segment taken is limited to this parameter, but no longer than " +"anchor_length_max. \n" +"Set this parameter to zero to disable anchoring perimeters connected to a " +"single infill line." msgstr "" msgid "0 (no open anchors)" @@ -10604,14 +11146,16 @@ msgid "Maximum length of the infill anchor" msgstr "Maximale lengte van de vullingsbevestiging" msgid "" -"Connect an infill line to an internal perimeter with a short segment of an additional " -"perimeter. If expressed as percentage (example: 15%) it is calculated over infill extrusion " -"width. Orca Slicer tries to connect two close infill lines to a short perimeter segment. If " -"no such perimeter segment shorter than this parameter is found, the infill line is " -"connected to a perimeter segment at just one side and the length of the perimeter segment " -"taken is limited to infill_anchor, but no longer than this parameter. \n" -"If set to 0, the old algorithm for infill connection will be used, it should create the " -"same result as with 1000 & 0." +"Connect an infill line to an internal perimeter with a short segment of an " +"additional perimeter. If expressed as percentage (example: 15%) it is " +"calculated over infill extrusion width. Orca Slicer tries to connect two " +"close infill lines to a short perimeter segment. If no such perimeter " +"segment shorter than this parameter is found, the infill line is connected " +"to a perimeter segment at just one side and the length of the perimeter " +"segment taken is limited to infill_anchor, but no longer than this " +"parameter. \n" +"If set to 0, the old algorithm for infill connection will be used, it should " +"create the same result as with 1000 & 0." msgstr "" msgid "0 (Simple connect)" @@ -10627,38 +11171,44 @@ msgid "Acceleration of travel moves" msgstr "" msgid "" -"Acceleration of top surface infill. Using a lower value may improve top surface quality" +"Acceleration of top surface infill. Using a lower value may improve top " +"surface quality" msgstr "" -"Versnelling van de topoppervlakte-invulling. Gebruik van een lagere waarde kan de kwaliteit " -"van de bovenlaag verbeteren." +"Versnelling van de topoppervlakte-invulling. Gebruik van een lagere waarde " +"kan de kwaliteit van de bovenlaag verbeteren." msgid "Acceleration of outer wall. Using a lower value can improve quality" -msgstr "Versnelling van de buitenwand: een lagere waarde kan de kwaliteit verbeteren." +msgstr "" +"Versnelling van de buitenwand: een lagere waarde kan de kwaliteit verbeteren." msgid "" -"Acceleration of bridges. If the value is expressed as a percentage (e.g. 50%), it will be " -"calculated based on the outer wall acceleration." +"Acceleration of bridges. If the value is expressed as a percentage (e.g. " +"50%), it will be calculated based on the outer wall acceleration." msgstr "" msgid "mm/s² or %" msgstr "mm/s² or %" msgid "" -"Acceleration of sparse infill. If the value is expressed as a percentage (e.g. 100%), it " -"will be calculated based on the default acceleration." +"Acceleration of sparse infill. If the value is expressed as a percentage (e." +"g. 100%), it will be calculated based on the default acceleration." msgstr "" -"Versnelling van de schaarse invulling. Als de waarde wordt uitgedrukt als een percentage " -"(bijvoorbeeld 100%), wordt deze berekend op basis van de standaardversnelling." +"Versnelling van de schaarse invulling. Als de waarde wordt uitgedrukt als " +"een percentage (bijvoorbeeld 100%), wordt deze berekend op basis van de " +"standaardversnelling." msgid "" -"Acceleration of internal solid infill. If the value is expressed as a percentage (e.g. " -"100%), it will be calculated based on the default acceleration." +"Acceleration of internal solid infill. If the value is expressed as a " +"percentage (e.g. 100%), it will be calculated based on the default " +"acceleration." msgstr "" -msgid "Acceleration of initial layer. Using a lower value can improve build plate adhesive" +msgid "" +"Acceleration of initial layer. Using a lower value can improve build plate " +"adhesive" msgstr "" -"Dit is de afdrukversnelling voor de eerste laag. Een beperkte versnelling kan de hechting " -"van de bouwplaat verbeteren." +"Dit is de afdrukversnelling voor de eerste laag. Een beperkte versnelling " +"kan de hechting van de bouwplaat verbeteren." msgid "Enable accel_to_decel" msgstr "Accel_to_decel inschakelen" @@ -10670,7 +11220,8 @@ msgid "accel_to_decel" msgstr "accel_to_decel" #, c-format, boost-format -msgid "Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" +msgid "" +"Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" msgstr "" msgid "Jerk of outer walls" @@ -10692,28 +11243,30 @@ msgid "Jerk for travel" msgstr "" msgid "" -"Line width of initial layer. If expressed as a %, it will be computed over the nozzle " -"diameter." +"Line width of initial layer. If expressed as a %, it will be computed over " +"the nozzle diameter." msgstr "" msgid "Initial layer height" msgstr "Laaghoogte van de eerste laag" msgid "" -"Height of initial layer. Making initial layer height to be thick slightly can improve build " -"plate adhesion" +"Height of initial layer. Making initial layer height to be thick slightly " +"can improve build plate adhesion" msgstr "" -"Dit is de hoogte van de eerste laag. Door de hoogte van de eerste laag hoger te maken, kan " -"de hechting op het printbed worden verbeterd." +"Dit is de hoogte van de eerste laag. Door de hoogte van de eerste laag hoger " +"te maken, kan de hechting op het printbed worden verbeterd." msgid "Speed of initial layer except the solid infill part" -msgstr "Dit is de snelheid voor de eerste laag behalve solide vulling (infill) delen" +msgstr "" +"Dit is de snelheid voor de eerste laag behalve solide vulling (infill) delen" msgid "Initial layer infill" msgstr "Vulling (infill) van de eerste laag" msgid "Speed of solid infill part of initial layer" -msgstr "Dit is de snelheid voor de solide vulling (infill) delen van de eerste laag." +msgstr "" +"Dit is de snelheid voor de solide vulling (infill) delen van de eerste laag." msgid "Initial layer travel speed" msgstr "" @@ -10725,24 +11278,27 @@ msgid "Number of slow layers" msgstr "" msgid "" -"The first few layers are printed slower than normal. The speed is gradually increased in a " -"linear fashion over the specified number of layers." +"The first few layers are printed slower than normal. The speed is gradually " +"increased in a linear fashion over the specified number of layers." msgstr "" msgid "Initial layer nozzle temperature" msgstr "Mondstuk temperatuur voor de eerste laag" msgid "Nozzle temperature to print initial layer when using this filament" -msgstr "Mondstuk temperatuur om de eerste laag mee te printen bij gebruik van dit filament" +msgstr "" +"Mondstuk temperatuur om de eerste laag mee te printen bij gebruik van dit " +"filament" msgid "Full fan speed at layer" msgstr "Volledige snelheid op laag" msgid "" -"Fan speed will be ramped up linearly from zero at layer \"close_fan_the_first_x_layers\" to " -"maximum at layer \"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if " -"lower than \"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"Fan speed will be ramped up linearly from zero at layer " +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" msgid "layer" @@ -10752,18 +11308,19 @@ msgid "Support interface fan speed" msgstr "" msgid "" -"This fan speed is enforced during all support interfaces, to be able to weaken their " -"bonding with a high fan speed.\n" +"This fan speed is enforced during all support interfaces, to be able to " +"weaken their bonding with a high fan speed.\n" "Set to -1 to disable this override.\n" "Can only be overriden by disable_fan_first_layers." msgstr "" msgid "" -"Randomly jitter while printing the wall, so that the surface has a rough look. This setting " -"controls the fuzzy position" +"Randomly jitter while printing the wall, so that the surface has a rough " +"look. This setting controls the fuzzy position" msgstr "" -"Deze instelling zorgt ervoor dat de toolhead willekeurig schudt tijdens het printen van " -"muren, zodat het oppervlak er ruw uitziet. Deze instelling regelt de \"fuzzy\" positie." +"Deze instelling zorgt ervoor dat de toolhead willekeurig schudt tijdens het " +"printen van muren, zodat het oppervlak er ruw uitziet. Deze instelling " +"regelt de \"fuzzy\" positie." msgid "Contour" msgstr "Contour" @@ -10777,18 +11334,22 @@ msgstr "Alle wanden" msgid "Fuzzy skin thickness" msgstr "Fuzzy skin dikte" -msgid "The width within which to jitter. It's adversed to be below outer wall line width" +msgid "" +"The width within which to jitter. It's adversed to be below outer wall line " +"width" msgstr "" -"De breedte van jittering: het is aan te raden deze lager te houden dan de lijndikte van de " -"buitenste wand." +"De breedte van jittering: het is aan te raden deze lager te houden dan de " +"lijndikte van de buitenste wand." msgid "Fuzzy skin point distance" msgstr "Fuzzy skin punt afstand" -msgid "The average diatance between the random points introducded on each line segment" +msgid "" +"The average diatance between the random points introducded on each line " +"segment" msgstr "" -"De gemiddelde afstand tussen de willekeurige punten die op ieder lijnsegment zijn " -"geïntroduceerd" +"De gemiddelde afstand tussen de willekeurige punten die op ieder lijnsegment " +"zijn geïntroduceerd" msgid "Apply fuzzy skin to first layer" msgstr "" @@ -10802,63 +11363,72 @@ msgstr "Kleine openingen wegfilteren" msgid "Layers and Perimeters" msgstr "Lagen en perimeters" -msgid "Filter out gaps smaller than the threshold specified" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " msgstr "" msgid "" -"Speed of gap infill. Gap usually has irregular line width and should be printed more slowly" +"Speed of gap infill. Gap usually has irregular line width and should be " +"printed more slowly" msgstr "" -"Dit is de snelheid voor het opvullen van gaten. Tussenruimtes hebben meestal een " -"onregelmatige lijndikte en moeten daarom langzamer worden afgedrukt." +"Dit is de snelheid voor het opvullen van gaten. Tussenruimtes hebben meestal " +"een onregelmatige lijndikte en moeten daarom langzamer worden afgedrukt." msgid "Precise Z height" msgstr "Precise Z height" msgid "" -"Enable this to get precise z height of object after slicing. It will get the precise object " -"height by fine-tuning the layer heights of the last few layers. Note that this is an " -"experimental parameter." +"Enable this to get precise z height of object after slicing. It will get the " +"precise object height by fine-tuning the layer heights of the last few " +"layers. Note that this is an experimental parameter." msgstr "" -"Enable this to get precise z height of object after slicing. It will get the precise object " -"height by fine-tuning the layer heights of the last few layers. Note that this is an " -"experimental parameter." +"Enable this to get precise z height of object after slicing. It will get the " +"precise object height by fine-tuning the layer heights of the last few " +"layers. Note that this is an experimental parameter." msgid "Arc fitting" msgstr "Boog montage" msgid "" -"Enable this to get a G-code file which has G2 and G3 moves. The fitting tolerance is same " -"as the resolution. \n" +"Enable this to get a G-code file which has G2 and G3 moves. The fitting " +"tolerance is same as the resolution. \n" "\n" -"Note: For klipper machines, this option is recomended to be disabled. Klipper does not " -"benefit from arc commands as these are split again into line segments by the firmware. This " -"results in a reduction in surface quality as line segments are converted to arcs by the " -"slicer and then back to line segments by the firmware." +"Note: For klipper machines, this option is recomended to be disabled. " +"Klipper does not benefit from arc commands as these are split again into " +"line segments by the firmware. This results in a reduction in surface " +"quality as line segments are converted to arcs by the slicer and then back " +"to line segments by the firmware." msgstr "" msgid "Add line number" msgstr "Lijn hoogte toevoegen" msgid "Enable this to add line number(Nx) at the beginning of each G-Code line" -msgstr "Schakel dit in om regelnummer (Nx) toe te voegen aan het begin van elke G-coderegel." +msgstr "" +"Schakel dit in om regelnummer (Nx) toe te voegen aan het begin van elke G-" +"coderegel." msgid "Scan first layer" msgstr "Eerste laag scannen" -msgid "Enable this to enable the camera on printer to check the quality of first layer" +msgid "" +"Enable this to enable the camera on printer to check the quality of first " +"layer" msgstr "" -"Schakel dit in zodat de camera in de printer de kwaliteit van de eerste laag kan " -"controleren." +"Schakel dit in zodat de camera in de printer de kwaliteit van de eerste laag " +"kan controleren." msgid "Nozzle type" msgstr "Mondstuk type" msgid "" -"The metallic material of nozzle. This determines the abrasive resistance of nozzle, and " -"what kind of filament can be printed" +"The metallic material of nozzle. This determines the abrasive resistance of " +"nozzle, and what kind of filament can be printed" msgstr "" -"Het type metaal van het mondstuk. Dit bepaalt de slijtvastheid van het mondstuk en wat voor " -"soort filament kan worden geprint" +"Het type metaal van het mondstuk. Dit bepaalt de slijtvastheid van het " +"mondstuk en wat voor soort filament kan worden geprint" msgid "Undefine" msgstr "Undefined" @@ -10875,10 +11445,12 @@ msgstr "Messing" msgid "Nozzle HRC" msgstr "Mondstuk HRC" -msgid "The nozzle's hardness. Zero means no checking for nozzle's hardness during slicing." +msgid "" +"The nozzle's hardness. Zero means no checking for nozzle's hardness during " +"slicing." msgstr "" -"De hardheid van het mondstuk. Nul betekent geen controle op de hardheid van het mondstuk " -"tijdens het slicen." +"De hardheid van het mondstuk. Nul betekent geen controle op de hardheid van " +"het mondstuk tijdens het slicen." msgid "HRC" msgstr "HRC" @@ -10906,20 +11478,23 @@ msgstr "Beste objectpositie" msgid "Best auto arranging position in range [0,1] w.r.t. bed shape." msgstr "" -"Beste automatisch schikkende positie in het bereik [0,1] met betrekking tot de bedvorm." +"Beste automatisch schikkende positie in het bereik [0,1] met betrekking tot " +"de bedvorm." msgid "" -"Enable this option if machine has auxiliary part cooling fan. G-code command: M106 P2 " -"S(0-255)." +"Enable this option if machine has auxiliary part cooling fan. G-code " +"command: M106 P2 S(0-255)." msgstr "" msgid "" -"Start the fan this number of seconds earlier than its target start time (you can use " -"fractional seconds). It assumes infinite acceleration for this time estimation, and will " -"only take into account G1 and G0 moves (arc fitting is unsupported).\n" -"It won't move fan comands from custom gcodes (they act as a sort of 'barrier').\n" -"It won't move fan comands into the start gcode if the 'only custom start gcode' is " -"activated.\n" +"Start the fan this number of seconds earlier than its target start time (you " +"can use fractional seconds). It assumes infinite acceleration for this time " +"estimation, and will only take into account G1 and G0 moves (arc fitting is " +"unsupported).\n" +"It won't move fan comands from custom gcodes (they act as a sort of " +"'barrier').\n" +"It won't move fan comands into the start gcode if the 'only custom start " +"gcode' is activated.\n" "Use 0 to deactivate." msgstr "" @@ -10933,10 +11508,10 @@ msgid "Fan kick-start time" msgstr "" msgid "" -"Emit a max fan speed command for this amount of seconds before reducing to target speed to " -"kick-start the cooling fan.\n" -"This is useful for fans where a low PWM/power may be insufficient to get the fan started " -"spinning from a stop, or to get the fan up to speed faster.\n" +"Emit a max fan speed command for this amount of seconds before reducing to " +"target speed to kick-start the cooling fan.\n" +"This is useful for fans where a low PWM/power may be insufficient to get the " +"fan started spinning from a stop, or to get the fan up to speed faster.\n" "Set to 0 to deactivate." msgstr "" @@ -10990,10 +11565,10 @@ msgid "Label objects" msgstr "Label objecten" msgid "" -"Enable this to add comments into the G-Code labeling print moves with what object they " -"belong to, which is useful for the Octoprint CancelObject plugin. This settings is NOT " -"compatible with Single Extruder Multi Material setup and Wipe into Object / Wipe into " -"Infill." +"Enable this to add comments into the G-Code labeling print moves with what " +"object they belong to, which is useful for the Octoprint CancelObject " +"plugin. This settings is NOT compatible with Single Extruder Multi Material " +"setup and Wipe into Object / Wipe into Infill." msgstr "" msgid "Exclude objects" @@ -11006,30 +11581,31 @@ msgid "Verbose G-code" msgstr "Opmerkingen in G-code" msgid "" -"Enable this to get a commented G-code file, with each line explained by a descriptive text. " -"If you print from SD card, the additional weight of the file could make your firmware slow " -"down." +"Enable this to get a commented G-code file, with each line explained by a " +"descriptive text. If you print from SD card, the additional weight of the " +"file could make your firmware slow down." msgstr "" -"Sta dit toe om een G-code met opmerkingen te genereren. Bij elk blok commando's wordt een " -"opmerking geplaatst. Als u print vanaf een SD-kaart, kan de extra grootte van het bestand " -"de firmware vertragen." +"Sta dit toe om een G-code met opmerkingen te genereren. Bij elk blok " +"commando's wordt een opmerking geplaatst. Als u print vanaf een SD-kaart, " +"kan de extra grootte van het bestand de firmware vertragen." msgid "Infill combination" msgstr "Vulling (infill) combinatie" msgid "" -"Automatically Combine sparse infill of several layers to print together to reduce time. " -"Wall is still printed with original layer height." +"Automatically Combine sparse infill of several layers to print together to " +"reduce time. Wall is still printed with original layer height." msgstr "" -"Combineer het printen van meerdere lagen vulling om te printtijd te verlagen. De wanden " -"worden geprint in de originele laaghoogte." +"Combineer het printen van meerdere lagen vulling om te printtijd te " +"verlagen. De wanden worden geprint in de originele laaghoogte." msgid "Filament to print internal sparse infill." -msgstr "Dit is het filament voor het printen van interne dunne vulling (infill)" +msgstr "" +"Dit is het filament voor het printen van interne dunne vulling (infill)" msgid "" -"Line width of internal sparse infill. If expressed as a %, it will be computed over the " -"nozzle diameter." +"Line width of internal sparse infill. If expressed as a %, it will be " +"computed over the nozzle diameter." msgstr "" msgid "Infill/Wall overlap" @@ -11037,9 +11613,10 @@ msgstr "Vulling (infill)/wand overlap" #, no-c-format, no-boost-format msgid "" -"Infill area is enlarged slightly to overlap with wall for better bonding. The percentage " -"value is relative to line width of sparse infill. Set this value to ~10-15% to minimize " -"potential over extrusion and accumulation of material resulting in rough top surfaces." +"Infill area is enlarged slightly to overlap with wall for better bonding. " +"The percentage value is relative to line width of sparse infill. Set this " +"value to ~10-15% to minimize potential over extrusion and accumulation of " +"material resulting in rough top surfaces." msgstr "" msgid "Top/Bottom solid infill/wall overlap" @@ -11047,10 +11624,11 @@ msgstr "" #, no-c-format, no-boost-format msgid "" -"Top solid infill area is enlarged slightly to overlap with wall for better bonding and to " -"minimize the appearance of pinholes where the top infill meets the walls. A value of 25-30% " -"is a good starting point, minimising the appearance of pinholes. The percentage value is " -"relative to line width of sparse infill" +"Top solid infill area is enlarged slightly to overlap with wall for better " +"bonding and to minimize the appearance of pinholes where the top infill " +"meets the walls. A value of 25-30% is a good starting point, minimising the " +"appearance of pinholes. The percentage value is relative to line width of " +"sparse infill" msgstr "" msgid "Speed of internal sparse infill" @@ -11060,17 +11638,20 @@ msgid "Interface shells" msgstr "Interface shells" msgid "" -"Force the generation of solid shells between adjacent materials/volumes. Useful for multi-" -"extruder prints with translucent materials or manual soluble support material" +"Force the generation of solid shells between adjacent materials/volumes. " +"Useful for multi-extruder prints with translucent materials or manual " +"soluble support material" msgstr "" -"Force the generation of solid shells between adjacent materials/volumes. Useful for multi-" -"extruder prints with translucent materials or manual soluble support material" +"Force the generation of solid shells between adjacent materials/volumes. " +"Useful for multi-extruder prints with translucent materials or manual " +"soluble support material" msgid "Maximum width of a segmented region" msgstr "Maximale breedte van een gesegmenteerd gebied" msgid "Maximum width of a segmented region. Zero disables this feature." -msgstr "Maximum width of a segmented region. A value of 0 disables this feature." +msgstr "" +"Maximum width of a segmented region. A value of 0 disables this feature." msgid "Interlocking depth of a segmented region" msgstr "Insluitdiepte van een gesegmenteerde regio" @@ -11086,8 +11667,9 @@ msgid "Use beam interlocking" msgstr "" msgid "" -"Generate interlocking beam structure at the locations where different filaments touch. This " -"improves the adhesion between filaments, especially models printed in different materials." +"Generate interlocking beam structure at the locations where different " +"filaments touch. This improves the adhesion between filaments, especially " +"models printed in different materials." msgstr "" msgid "Interlocking beam width" @@ -11106,36 +11688,36 @@ msgid "Interlocking beam layers" msgstr "" msgid "" -"The height of the beams of the interlocking structure, measured in number of layers. Less " -"layers is stronger, but more prone to defects." +"The height of the beams of the interlocking structure, measured in number of " +"layers. Less layers is stronger, but more prone to defects." msgstr "" msgid "Interlocking depth" msgstr "" msgid "" -"The distance from the boundary between filaments to generate interlocking structure, " -"measured in cells. Too few cells will result in poor adhesion." +"The distance from the boundary between filaments to generate interlocking " +"structure, measured in cells. Too few cells will result in poor adhesion." msgstr "" msgid "Interlocking boundary avoidance" msgstr "" msgid "" -"The distance from the outside of a model where interlocking structures will not be " -"generated, measured in cells." +"The distance from the outside of a model where interlocking structures will " +"not be generated, measured in cells." msgstr "" msgid "Ironing Type" msgstr "Strijk type" msgid "" -"Ironing is using small flow to print on same height of surface again to make flat surface " -"more smooth. This setting controls which layer being ironed" +"Ironing is using small flow to print on same height of surface again to make " +"flat surface more smooth. This setting controls which layer being ironed" msgstr "" -"Strijken gebruikt een lage flow om op dezelfde hoogte van een oppervlak te printen om " -"platte oppervlakken gladder te maken. Deze instelling bepaalt op welke lagen het strijken " -"wordt toegepast." +"Strijken gebruikt een lage flow om op dezelfde hoogte van een oppervlak te " +"printen om platte oppervlakken gladder te maken. Deze instelling bepaalt op " +"welke lagen het strijken wordt toegepast." msgid "No ironing" msgstr "Niet strijken" @@ -11159,18 +11741,19 @@ msgid "Ironing flow" msgstr "Flow tijdens strijken" msgid "" -"The amount of material to extrude during ironing. Relative to flow of normal layer height. " -"Too high value results in overextrusion on the surface" +"The amount of material to extrude during ironing. Relative to flow of normal " +"layer height. Too high value results in overextrusion on the surface" msgstr "" -"Dit is de hoeveelheid materiaal die dient te worden geëxtrudeerd tijdens het strijken. Het " -"is relatief ten opzichte van de flow van normale laaghoogte. Een te hoge waarde zal " -"resulteren in overextrusie op het oppervlak." +"Dit is de hoeveelheid materiaal die dient te worden geëxtrudeerd tijdens het " +"strijken. Het is relatief ten opzichte van de flow van normale laaghoogte. " +"Een te hoge waarde zal resulteren in overextrusie op het oppervlak." msgid "Ironing line spacing" msgstr "Afstand tussen de strijklijnen" msgid "The distance between the lines of ironing" -msgstr "Dit is de afstand voor de lijnen die gebruikt worden voor het strijken." +msgstr "" +"Dit is de afstand voor de lijnen die gebruikt worden voor het strijken." msgid "Ironing speed" msgstr "Snelheid tijdens het strijken" @@ -11182,21 +11765,23 @@ msgid "Ironing angle" msgstr "" msgid "" -"The angle ironing is done at. A negative number disables this function and uses the default " -"method." +"The angle ironing is done at. A negative number disables this function and " +"uses the default method." msgstr "" msgid "This gcode part is inserted at every layer change after lift z" -msgstr "De G-code wordt bij iedere laagwisseling toegevoegd na het optillen van Z" +msgstr "" +"De G-code wordt bij iedere laagwisseling toegevoegd na het optillen van Z" msgid "Supports silent mode" msgstr "Stille modus" msgid "" -"Whether the machine supports silent mode in which machine use lower acceleration to print" +"Whether the machine supports silent mode in which machine use lower " +"acceleration to print" msgstr "" -"Dit geeft aan of de machine de stille modus ondersteunt waarin de machine een lagere " -"versnelling gebruikt om te printen" +"Dit geeft aan of de machine de stille modus ondersteunt waarin de machine " +"een lagere versnelling gebruikt om te printen" msgid "Emit limits to G-code" msgstr "" @@ -11210,11 +11795,11 @@ msgid "" msgstr "" msgid "" -"This G-code will be used as a code for the pause print. User can insert pause G-code in " -"gcode viewer" +"This G-code will be used as a code for the pause print. User can insert " +"pause G-code in gcode viewer" msgstr "" -"Deze G-code wordt gebruikt als code voor de pauze. Gebruikers kunnen een pauze-G-code " -"invoegen in de G-code-viewer." +"Deze G-code wordt gebruikt als code voor de pauze. Gebruikers kunnen een " +"pauze-G-code invoegen in de G-code-viewer." msgid "This G-code will be used as a custom code" msgstr "Deze G-code wordt gebruikt als een aangepaste code" @@ -11229,9 +11814,10 @@ msgid "Flow Compensation Model" msgstr "" msgid "" -"Flow Compensation Model, used to adjust the flow for small infill areas. The model is " -"expressed as a comma separated pair of values for extrusion length and flow correction " -"factors, one per line, in the following format: \"1.234,5.678\"" +"Flow Compensation Model, used to adjust the flow for small infill areas. The " +"model is expressed as a comma separated pair of values for extrusion length " +"and flow correction factors, one per line, in the following format: " +"\"1.234,5.678\"" msgstr "" msgid "Maximum speed X" @@ -11337,46 +11923,49 @@ msgid "Maximum acceleration for travel (M204 T), it only applies to Marlin 2" msgstr "" msgid "" -"Part cooling fan speed may be increased when auto cooling is enabled. This is the maximum " -"speed limitation of part cooling fan" +"Part cooling fan speed may be increased when auto cooling is enabled. This " +"is the maximum speed limitation of part cooling fan" msgstr "" -"De snelheid van de ventilator op de printkop kan verhoogd worden als automatisch koelen is " -"ingeschakeld. Dit is de maximale snelheidslimiet van de printkop ventilator" +"De snelheid van de ventilator op de printkop kan verhoogd worden als " +"automatisch koelen is ingeschakeld. Dit is de maximale snelheidslimiet van " +"de printkop ventilator" msgid "Max" msgstr "Maximum" msgid "" -"The largest printable layer height for extruder. Used tp limits the maximum layer hight " -"when enable adaptive layer height" +"The largest printable layer height for extruder. Used tp limits the maximum " +"layer hight when enable adaptive layer height" msgstr "" -"De hoogste printbare laaghoogte voor de extruder: dit wordt gebruikt om de maximale " -"laaghoogte te beperken wanneer adaptieve laaghoogte is ingeschakeld." +"De hoogste printbare laaghoogte voor de extruder: dit wordt gebruikt om de " +"maximale laaghoogte te beperken wanneer adaptieve laaghoogte is ingeschakeld." msgid "Extrusion rate smoothing" msgstr "" msgid "" -"This parameter smooths out sudden extrusion rate changes that happen when the printer " -"transitions from printing a high flow (high speed/larger width) extrusion to a lower flow " -"(lower speed/smaller width) extrusion and vice versa.\n" +"This parameter smooths out sudden extrusion rate changes that happen when " +"the printer transitions from printing a high flow (high speed/larger width) " +"extrusion to a lower flow (lower speed/smaller width) extrusion and vice " +"versa.\n" "\n" -"It defines the maximum rate by which the extruded volumetric flow in mm3/sec can change " -"over time. Higher values mean higher extrusion rate changes are allowed, resulting in " -"faster speed transitions.\n" +"It defines the maximum rate by which the extruded volumetric flow in mm3/sec " +"can change over time. Higher values mean higher extrusion rate changes are " +"allowed, resulting in faster speed transitions.\n" "\n" "A value of 0 disables the feature. \n" "\n" -"For a high speed, high flow direct drive printer (like the Bambu lab or Voron) this value " -"is usually not needed. However it can provide some marginal benefit in certain cases where " -"feature speeds vary greatly. For example, when there are aggressive slowdowns due to " -"overhangs. In these cases a high value of around 300-350mm3/s2 is recommended as this " -"allows for just enough smoothing to assist pressure advance achieve a smoother flow " +"For a high speed, high flow direct drive printer (like the Bambu lab or " +"Voron) this value is usually not needed. However it can provide some " +"marginal benefit in certain cases where feature speeds vary greatly. For " +"example, when there are aggressive slowdowns due to overhangs. In these " +"cases a high value of around 300-350mm3/s2 is recommended as this allows for " +"just enough smoothing to assist pressure advance achieve a smoother flow " "transition.\n" "\n" -"For slower printers without pressure advance, the value should be set much lower. A value " -"of 10-15mm3/s2 is a good starting point for direct drive extruders and 5-10mm3/s2 for " -"Bowden style. \n" +"For slower printers without pressure advance, the value should be set much " +"lower. A value of 10-15mm3/s2 is a good starting point for direct drive " +"extruders and 5-10mm3/s2 for Bowden style. \n" "\n" "This feature is known as Pressure Equalizer in Prusa slicer.\n" "\n" @@ -11390,11 +11979,12 @@ msgid "Smoothing segment length" msgstr "" msgid "" -"A lower value results in smoother extrusion rate transitions. However, this results in a " -"significantly larger gcode file and more instructions for the printer to process. \n" +"A lower value results in smoother extrusion rate transitions. However, this " +"results in a significantly larger gcode file and more instructions for the " +"printer to process. \n" "\n" -"Default value of 3 works well for most cases. If your printer is stuttering, increase this " -"value to reduce the number of adjustments made\n" +"Default value of 3 works well for most cases. If your printer is stuttering, " +"increase this value to reduce the number of adjustments made\n" "\n" "Allowed values: 1-5" msgstr "" @@ -11403,28 +11993,30 @@ msgid "Minimum speed for part cooling fan" msgstr "Minimale snelheid voor de printkop ventilator" msgid "" -"Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed during printing " -"except the first several layers which is defined by no cooling layers.\n" -"Please enable auxiliary_fan in printer settings to use this feature. G-code command: M106 " -"P2 S(0-255)" +"Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed " +"during printing except the first several layers which is defined by no " +"cooling layers.\n" +"Please enable auxiliary_fan in printer settings to use this feature. G-code " +"command: M106 P2 S(0-255)" msgstr "" msgid "Min" msgstr "Minimaal" msgid "" -"The lowest printable layer height for extruder. Used tp limits the minimum layer hight when " -"enable adaptive layer height" +"The lowest printable layer height for extruder. Used tp limits the minimum " +"layer hight when enable adaptive layer height" msgstr "" -"De laagste printbare laaghoogte voor de extruder: dit wordt gebruikt om de minimale " -"laaghoogte te beperken wanneer adaptieve laaghoogte is ingeschakeld." +"De laagste printbare laaghoogte voor de extruder: dit wordt gebruikt om de " +"minimale laaghoogte te beperken wanneer adaptieve laaghoogte is ingeschakeld." msgid "Min print speed" msgstr "Minimale print snelheid" msgid "" -"The minimum printing speed that the printer will slow down to to attempt to maintain the " -"minimum layer time above, when slow down for better layer cooling is enabled." +"The minimum printing speed that the printer will slow down to to attempt to " +"maintain the minimum layer time above, when slow down for better layer " +"cooling is enabled." msgstr "" msgid "Diameter of nozzle" @@ -11434,25 +12026,29 @@ msgid "Configuration notes" msgstr "Configuratie-opmerkingen" msgid "" -"You can put here your personal notes. This text will be added to the G-code header comments." +"You can put here your personal notes. This text will be added to the G-code " +"header comments." msgstr "" -"Hier kunt u eigen opmerkingen plaatsen. Deze tekst wordt bovenin de G-code toegevoegd." +"Hier kunt u eigen opmerkingen plaatsen. Deze tekst wordt bovenin de G-code " +"toegevoegd." msgid "Host Type" msgstr "Hosttype" msgid "" -"Orca Slicer can upload G-code files to a printer host. This field must contain the kind of " -"the host." +"Orca Slicer can upload G-code files to a printer host. This field must " +"contain the kind of the host." msgstr "" -"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet het type host " -"bevatten." +"Orca Slicer kan G-codebestanden uploaden naar een printerhost. Dit veld moet " +"het type host bevatten." msgid "Nozzle volume" msgstr "Mondstuk volume" msgid "Volume of nozzle between the cutter and the end of nozzle" -msgstr "Volume van het mondstuk tussen de filamentsnijder en het uiteinde van het mondstuk" +msgstr "" +"Volume van het mondstuk tussen de filamentsnijder en het uiteinde van het " +"mondstuk" msgid "Cooling tube position" msgstr "Koelbuispositie" @@ -11464,70 +12060,79 @@ msgid "Cooling tube length" msgstr "Koelbuislengte" msgid "Length of the cooling tube to limit space for cooling moves inside it." -msgstr "Lengte van de koelbuis om de ruimte voor koelbewegingen daarin te beperken." +msgstr "" +"Lengte van de koelbuis om de ruimte voor koelbewegingen daarin te beperken." msgid "High extruder current on filament swap" msgstr "Hoge stroomsterkte bij extruder voor filamentwissel" msgid "" -"It may be beneficial to increase the extruder motor current during the filament exchange " -"sequence to allow for rapid ramming feed rates and to overcome resistance when loading a " -"filament with an ugly shaped tip." +"It may be beneficial to increase the extruder motor current during the " +"filament exchange sequence to allow for rapid ramming feed rates and to " +"overcome resistance when loading a filament with an ugly shaped tip." msgstr "" -"Het kan nuttig zijn om de stroomsterkte van de extrudermotor te verhogen tijdens het " -"uitvoeren van de filamentwisseling om snelle ramming mogelijk te maken en om weerstand te " -"overwinnen tijdens het laden van filament met een misvormde kop." +"Het kan nuttig zijn om de stroomsterkte van de extrudermotor te verhogen " +"tijdens het uitvoeren van de filamentwisseling om snelle ramming mogelijk te " +"maken en om weerstand te overwinnen tijdens het laden van filament met een " +"misvormde kop." msgid "Filament parking position" msgstr "Filament parkeerpositie" msgid "" -"Distance of the extruder tip from the position where the filament is parked when unloaded. " -"This should match the value in printer firmware." +"Distance of the extruder tip from the position where the filament is parked " +"when unloaded. This should match the value in printer firmware." msgstr "" -"Afstand van de punt van het mondstuk tot de positie waar het filament wordt geparkeerd " -"wanneer dat niet geladen is. Deze moet overeenkomen met de waarde in de firmware." +"Afstand van de punt van het mondstuk tot de positie waar het filament wordt " +"geparkeerd wanneer dat niet geladen is. Deze moet overeenkomen met de waarde " +"in de firmware." msgid "Extra loading distance" msgstr "Extra laadafstand" msgid "" -"When set to zero, the distance the filament is moved from parking position during load is " -"exactly the same as it was moved back during unload. When positive, it is loaded further, " -"if negative, the loading move is shorter than unloading." +"When set to zero, the distance the filament is moved from parking position " +"during load is exactly the same as it was moved back during unload. When " +"positive, it is loaded further, if negative, the loading move is shorter " +"than unloading." msgstr "" -"Als dit ingesteld is op 0, zal de afstand die het filament tijdens het laden uit de " -"parkeerpositie even groot zijn als wanneer het filament teruggetrokken wordt. Als de waarde " -"positief is, zal het verder geladen worden. Als het negatief is, is de laadafstand dus " -"korter." +"Als dit ingesteld is op 0, zal de afstand die het filament tijdens het laden " +"uit de parkeerpositie even groot zijn als wanneer het filament " +"teruggetrokken wordt. Als de waarde positief is, zal het verder geladen " +"worden. Als het negatief is, is de laadafstand dus korter." msgid "Start end points" msgstr "Start end points" msgid "The start and end points which is from cutter area to garbage can." -msgstr "Het begin- en eindpunt dat zich van het snijoppervlak naar de afvoer chute bevindt." +msgstr "" +"Het begin- en eindpunt dat zich van het snijoppervlak naar de afvoer chute " +"bevindt." msgid "Reduce infill retraction" msgstr "Reduceer terugtrekken (retraction) bij vulling (infill)" msgid "" -"Don't retract when the travel is in infill area absolutely. That means the oozing can't " -"been seen. This can reduce times of retraction for complex model and save printing time, " -"but make slicing and G-code generating slower" +"Don't retract when the travel is in infill area absolutely. That means the " +"oozing can't been seen. This can reduce times of retraction for complex " +"model and save printing time, but make slicing and G-code generating slower" msgstr "" -"Trek niet terug als de beweging zich volledig in een opvulgebied bevindt. Dat betekent dat " -"het sijpelen niet zichtbaar is. Dit kan de retraction times voor complexe modellen " -"verkorten en printtijd besparen, maar het segmenteren en het genereren van G-codes " -"langzamer maken." +"Trek niet terug als de beweging zich volledig in een opvulgebied bevindt. " +"Dat betekent dat het sijpelen niet zichtbaar is. Dit kan de retraction times " +"voor complexe modellen verkorten en printtijd besparen, maar het segmenteren " +"en het genereren van G-codes langzamer maken." -msgid "This option will drop the temperature of the inactive extruders to prevent oozing." +msgid "" +"This option will drop the temperature of the inactive extruders to prevent " +"oozing." msgstr "" msgid "Filename format" msgstr "Bestandsnaam formaat" msgid "User can self-define the project file name when export" -msgstr "Gebruikers kunnen zelf de project bestandsnaam kiezen tijdens het exporteren" +msgstr "" +"Gebruikers kunnen zelf de project bestandsnaam kiezen tijdens het exporteren" msgid "Make overhangs printable" msgstr "" @@ -11539,17 +12144,17 @@ msgid "Make overhangs printable - Maximum angle" msgstr "" msgid "" -"Maximum angle of overhangs to allow after making more steep overhangs printable.90° will " -"not change the model at all and allow any overhang, while 0 will replace all overhangs with " -"conical material." +"Maximum angle of overhangs to allow after making more steep overhangs " +"printable.90° will not change the model at all and allow any overhang, while " +"0 will replace all overhangs with conical material." msgstr "" msgid "Make overhangs printable - Hole area" msgstr "" msgid "" -"Maximum area of a hole in the base of the model before it's filled by conical material.A " -"value of 0 will fill all the holes in the model base." +"Maximum area of a hole in the base of the model before it's filled by " +"conical material.A value of 0 will fill all the holes in the model base." msgstr "" msgid "mm²" @@ -11560,18 +12165,19 @@ msgstr "Overhange wand detecteren" #, c-format, boost-format msgid "" -"Detect the overhang percentage relative to line width and use different speed to print. For " -"100%% overhang, bridge speed is used." +"Detect the overhang percentage relative to line width and use different " +"speed to print. For 100%% overhang, bridge speed is used." msgstr "" -"Dit maakt het mogelijk om het overhangpercentage ten opzichte van de lijnbreedte te " -"detecteren en gebruikt verschillende snelheden om af te drukken. Voor 100%% overhang wordt " -"de brugsnelheid gebruikt." +"Dit maakt het mogelijk om het overhangpercentage ten opzichte van de " +"lijnbreedte te detecteren en gebruikt verschillende snelheden om af te " +"drukken. Voor 100%% overhang wordt de brugsnelheid gebruikt." msgid "Filament to print walls" msgstr "" msgid "" -"Line width of inner wall. If expressed as a %, it will be computed over the nozzle diameter." +"Line width of inner wall. If expressed as a %, it will be computed over the " +"nozzle diameter." msgstr "" msgid "Speed of inner wall" @@ -11584,21 +12190,22 @@ msgid "Alternate extra wall" msgstr "" msgid "" -"This setting adds an extra wall to every other layer. This way the infill gets wedged " -"vertically between the walls, resulting in stronger prints. \n" +"This setting adds an extra wall to every other layer. This way the infill " +"gets wedged vertically between the walls, resulting in stronger prints. \n" "\n" -"When this option is enabled, the ensure vertical shell thickness option needs to be " -"disabled. \n" +"When this option is enabled, the ensure vertical shell thickness option " +"needs to be disabled. \n" "\n" -"Using lightning infill together with this option is not recommended as there is limited " -"infill to anchor the extra perimeters to." +"Using lightning infill together with this option is not recommended as there " +"is limited infill to anchor the extra perimeters to." msgstr "" msgid "" -"If you want to process the output G-code through custom scripts, just list their absolute " -"paths here. Separate multiple scripts with a semicolon. Scripts will be passed the absolute " -"path to the G-code file as the first argument, and they can access the Orca Slicer config " -"settings by reading environment variables." +"If you want to process the output G-code through custom scripts, just list " +"their absolute paths here. Separate multiple scripts with a semicolon. " +"Scripts will be passed the absolute path to the G-code file as the first " +"argument, and they can access the Orca Slicer config settings by reading " +"environment variables." msgstr "" msgid "Printer type" @@ -11621,8 +12228,8 @@ msgstr "Vlot (raft) contact Z afstand:" msgid "Z gap between object and raft. Ignored for soluble interface" msgstr "" -"Dit is de Z-afstand tussen een object en een raft. Het wordt genegeerd voor oplosbare " -"materialen." +"Dit is de Z-afstand tussen een object en een raft. Het wordt genegeerd voor " +"oplosbare materialen." msgid "Raft expansion" msgstr "Vlot (raft) expansie" @@ -11641,111 +12248,123 @@ msgstr "Vergroten van de eerste laag" msgid "Expand the first raft or support layer to improve bed plate adhesion" msgstr "" -"Dit zet de eerste raft- of steun (support) laag uit om de hechting van het bed te " -"verbeteren." +"Dit zet de eerste raft- of steun (support) laag uit om de hechting van het " +"bed te verbeteren." msgid "Raft layers" msgstr "Vlot (raft) lagen" msgid "" -"Object will be raised by this number of support layers. Use this function to avoid wrapping " -"when print ABS" +"Object will be raised by this number of support layers. Use this function to " +"avoid wrapping when print ABS" msgstr "" -"Het object wordt verhoogd met dit aantal support lagen. Gebruik deze functie om kromtrekken " -"te voorkomen bij het afdrukken met ABS." +"Het object wordt verhoogd met dit aantal support lagen. Gebruik deze functie " +"om kromtrekken te voorkomen bij het afdrukken met ABS." msgid "" -"G-code path is genereated after simplifing the contour of model to avoid too much points " -"and gcode lines in gcode file. Smaller value means higher resolution and more time to slice" +"G-code path is genereated after simplifing the contour of model to avoid too " +"much points and gcode lines in gcode file. Smaller value means higher " +"resolution and more time to slice" msgstr "" -"Het G-codepad wordt gegenereerd na het vereenvoudigen van de contouren van modellen om " -"teveel punten en G-codelijnen te vermijden. Kleinere waarden betekenen een hogere resolutie " -"en meer tijd die nodig is om het ontwerpen te slicen." +"Het G-codepad wordt gegenereerd na het vereenvoudigen van de contouren van " +"modellen om teveel punten en G-codelijnen te vermijden. Kleinere waarden " +"betekenen een hogere resolutie en meer tijd die nodig is om het ontwerpen te " +"slicen." msgid "Travel distance threshold" msgstr "Drempel voor verplaatsingsafstand" -msgid "Only trigger retraction when the travel distance is longer than this threshold" +msgid "" +"Only trigger retraction when the travel distance is longer than this " +"threshold" msgstr "" -"Activeer het terugtrekken (retraction) alleen als de verplaatsingsafstand groter is dan " -"deze drempel." +"Activeer het terugtrekken (retraction) alleen als de verplaatsingsafstand " +"groter is dan deze drempel." msgid "Retract amount before wipe" msgstr "Terugtrek (retract) hoeveelheid voor schoonvegen" -msgid "The length of fast retraction before wipe, relative to retraction length" +msgid "" +"The length of fast retraction before wipe, relative to retraction length" msgstr "" -"Dit is de lengte van snel intrekken (retraction) vóór een wipe, in verhouding tot de " -"retraction lengte." +"Dit is de lengte van snel intrekken (retraction) vóór een wipe, in " +"verhouding tot de retraction lengte." msgid "Retract when change layer" msgstr "Terugtrekken (retract) bij wisselen van laag" msgid "Force a retraction when changes layer" -msgstr "Dit forceert retraction (terugtrekken van filament) als er gewisseld wordt van laag" +msgstr "" +"Dit forceert retraction (terugtrekken van filament) als er gewisseld wordt " +"van laag" msgid "Retraction Length" msgstr "Terugtrek (retraction) lengte" msgid "" -"Some amount of material in extruder is pulled back to avoid ooze during long travel. Set " -"zero to disable retraction" +"Some amount of material in extruder is pulled back to avoid ooze during long " +"travel. Set zero to disable retraction" msgstr "" -"Een deel van het materiaal in de extruder wordt teruggetrokken om sijpelen tijdens " -"verplaatsingen over lange afstand te voorkomen. Stel in op 0 om terugtrekken (retraction) " -"uit te schakelen." +"Een deel van het materiaal in de extruder wordt teruggetrokken om sijpelen " +"tijdens verplaatsingen over lange afstand te voorkomen. Stel in op 0 om " +"terugtrekken (retraction) uit te schakelen." msgid "Long retraction when cut(experimental)" msgstr "Long retraction when cut (experimental)" msgid "" -"Experimental feature.Retracting and cutting off the filament at a longer distance during " -"changes to minimize purge.While this reduces flush significantly, it may also raise the " -"risk of nozzle clogs or other printing problems." +"Experimental feature.Retracting and cutting off the filament at a longer " +"distance during changes to minimize purge.While this reduces flush " +"significantly, it may also raise the risk of nozzle clogs or other printing " +"problems." msgstr "" -"Experimentele functie: Het filament wordt tijdens het wisselen over een grotere afstand " -"teruggetrokken en afgesneden om de spoeling tot een minimum te beperken. Dit vermindert de " -"spoeling aanzienlijk, maar vergroot mogelijk ook het risico op verstoppingen in het " -"mondstuk of andere printproblemen." +"Experimentele functie: Het filament wordt tijdens het wisselen over een " +"grotere afstand teruggetrokken en afgesneden om de spoeling tot een minimum " +"te beperken. Dit vermindert de spoeling aanzienlijk, maar vergroot mogelijk " +"ook het risico op verstoppingen in het mondstuk of andere printproblemen." msgid "Retraction distance when cut" msgstr "Retraction distance when cut" -msgid "Experimental feature.Retraction length before cutting off during filament change" -msgstr "Experimental feature. Retraction length before cutting off during filament change" +msgid "" +"Experimental feature.Retraction length before cutting off during filament " +"change" +msgstr "" +"Experimental feature. Retraction length before cutting off during filament " +"change" msgid "Z hop when retract" msgstr "Z hop tijdens terugtrekken (retraction)" msgid "" -"Whenever the retraction is done, the nozzle is lifted a little to create clearance between " -"nozzle and the print. It prevents nozzle from hitting the print when travel move. Using " -"spiral line to lift z can prevent stringing" +"Whenever the retraction is done, the nozzle is lifted a little to create " +"clearance between nozzle and the print. It prevents nozzle from hitting the " +"print when travel move. Using spiral line to lift z can prevent stringing" msgstr "" -"Wanneer er een terugtrekking (retraction) is, wordt het mondstuk een beetje opgetild om " -"ruimte te creëren tussen het mondstuk en de print. Dit voorkomt dat het mondstuk de print " -"raakt bij verplaatsen. Het gebruik van spiraallijnen om Z op te tillen kan stringing " -"voorkomen." +"Wanneer er een terugtrekking (retraction) is, wordt het mondstuk een beetje " +"opgetild om ruimte te creëren tussen het mondstuk en de print. Dit voorkomt " +"dat het mondstuk de print raakt bij verplaatsen. Het gebruik van " +"spiraallijnen om Z op te tillen kan stringing voorkomen." msgid "Z hop lower boundary" msgstr "Z hop ondergrens" msgid "" -"Z hop will only come into effect when Z is above this value and is below the parameter: \"Z " -"hop upper boundary\"" +"Z hop will only come into effect when Z is above this value and is below the " +"parameter: \"Z hop upper boundary\"" msgstr "" -"Z hop treedt alleen in werking wanneer Z boven deze waarde ligt en onder de parameter: \"Z " -"hop bovengrens\"." +"Z hop treedt alleen in werking wanneer Z boven deze waarde ligt en onder de " +"parameter: \"Z hop bovengrens\"." msgid "Z hop upper boundary" msgstr "Z hop bovengrens" msgid "" -"If this value is positive, Z hop will only come into effect when Z is above the parameter: " -"\"Z hop lower boundary\" and is below this value" +"If this value is positive, Z hop will only come into effect when Z is above " +"the parameter: \"Z hop lower boundary\" and is below this value" msgstr "" -"Als deze waarde positief is, treedt Z hop alleen in werking als Z boven de parameter ligt: " -"\"Z hop ondergrens\" en onder deze waarde ligt" +"Als deze waarde positief is, treedt Z hop alleen in werking als Z boven de " +"parameter ligt: \"Z hop ondergrens\" en onder deze waarde ligt" msgid "Z hop type" msgstr "" @@ -11760,31 +12379,32 @@ msgid "Traveling angle" msgstr "" msgid "" -"Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results in Normal Lift" +"Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results " +"in Normal Lift" msgstr "" msgid "Only lift Z above" msgstr "Beweeg Z alleen omhoog boven" msgid "" -"If you set this to a positive value, Z lift will only take place above the specified " -"absolute Z." +"If you set this to a positive value, Z lift will only take place above the " +"specified absolute Z." msgstr "" msgid "Only lift Z below" msgstr "Beweeg Z alleen omhoog onder" msgid "" -"If you set this to a positive value, Z lift will only take place below the specified " -"absolute Z." +"If you set this to a positive value, Z lift will only take place below the " +"specified absolute Z." msgstr "" msgid "On surfaces" msgstr "" msgid "" -"Enforce Z Hop behavior. This setting is impacted by the above settings (Only lift Z above/" -"below)." +"Enforce Z Hop behavior. This setting is impacted by the above settings (Only " +"lift Z above/below)." msgstr "" msgid "All Surfaces" @@ -11803,18 +12423,18 @@ msgid "Extra length on restart" msgstr "Extra lengte bij herstart" msgid "" -"When the retraction is compensated after the travel move, the extruder will push this " -"additional amount of filament. This setting is rarely needed." +"When the retraction is compensated after the travel move, the extruder will " +"push this additional amount of filament. This setting is rarely needed." msgstr "" -"Als retracten wordt gecompenseerd na een beweging, wordt deze extra hoeveelheid filament " -"geëxtrudeerd. Deze instelling is zelden van toepassing." +"Als retracten wordt gecompenseerd na een beweging, wordt deze extra " +"hoeveelheid filament geëxtrudeerd. Deze instelling is zelden van toepassing." msgid "" -"When the retraction is compensated after changing tool, the extruder will push this " -"additional amount of filament." +"When the retraction is compensated after changing tool, the extruder will " +"push this additional amount of filament." msgstr "" -"Als retracten wordt gecompenseerd na een toolwisseling, wordt deze extra hoeveelheid " -"filament geëxtrudeerd." +"Als retracten wordt gecompenseerd na een toolwisseling, wordt deze extra " +"hoeveelheid filament geëxtrudeerd." msgid "Retraction Speed" msgstr "Terugtrek (retraction) snelheid" @@ -11825,18 +12445,20 @@ msgstr "Dit is de snelheid voor terugtrekken (retraction)" msgid "Deretraction Speed" msgstr "Snelheid van terugtrekken (deretraction)" -msgid "Speed for reloading filament into extruder. Zero means same speed with retraction" +msgid "" +"Speed for reloading filament into extruder. Zero means same speed with " +"retraction" msgstr "" -"De snelheid voor het herladen van filament in de extruder na een terugtrekking " -"(retraction); als u dit op 0 zet, betekent dit dat het dezelfde snelheid heeft als het " -"intrekken (retraction)." +"De snelheid voor het herladen van filament in de extruder na een " +"terugtrekking (retraction); als u dit op 0 zet, betekent dit dat het " +"dezelfde snelheid heeft als het intrekken (retraction)." msgid "Use firmware retraction" msgstr "Gebruik firmware retractie" msgid "" -"This experimental setting uses G10 and G11 commands to have the firmware handle the " -"retraction. This is only supported in recent Marlin." +"This experimental setting uses G10 and G11 commands to have the firmware " +"handle the retraction. This is only supported in recent Marlin." msgstr "" msgid "Show auto-calibration marks" @@ -11845,7 +12467,8 @@ msgstr "" msgid "Disable set remaining print time" msgstr "" -msgid "Disable generating of the M73: Set remaining print time in the final gcode" +msgid "" +"Disable generating of the M73: Set remaining print time in the final gcode" msgstr "" msgid "Seam position" @@ -11870,43 +12493,46 @@ msgid "Staggered inner seams" msgstr "" msgid "" -"This option causes the inner seams to be shifted backwards based on their depth, forming a " -"zigzag pattern." +"This option causes the inner seams to be shifted backwards based on their " +"depth, forming a zigzag pattern." msgstr "" msgid "Seam gap" msgstr "Naadopening" msgid "" -"In order to reduce the visibility of the seam in a closed loop extrusion, the loop is " -"interrupted and shortened by a specified amount.\n" -"This amount can be specified in millimeters or as a percentage of the current extruder " -"diameter. The default value for this parameter is 10%." +"In order to reduce the visibility of the seam in a closed loop extrusion, " +"the loop is interrupted and shortened by a specified amount.\n" +"This amount can be specified in millimeters or as a percentage of the " +"current extruder diameter. The default value for this parameter is 10%." msgstr "" msgid "Scarf joint seam (beta)" msgstr "" msgid "Use scarf joint to minimize seam visibility and increase seam strength." -msgstr "Use scarf joint to minimize seam visibility and increase seam strength." +msgstr "" +"Use scarf joint to minimize seam visibility and increase seam strength." msgid "Conditional scarf joint" msgstr "Conditional scarf joint" msgid "" -"Apply scarf joints only to smooth perimeters where traditional seams do not conceal the " -"seams at sharp corners effectively." +"Apply scarf joints only to smooth perimeters where traditional seams do not " +"conceal the seams at sharp corners effectively." msgstr "" -"Apply scarf joints only to smooth perimeters where traditional seams do not conceal the " -"seams at sharp corners effectively." +"Apply scarf joints only to smooth perimeters where traditional seams do not " +"conceal the seams at sharp corners effectively." msgid "Conditional angle threshold" msgstr "Conditional angle threshold" msgid "" -"This option sets the threshold angle for applying a conditional scarf joint seam.\n" -"If the maximum angle within the perimeter loop exceeds this value (indicating the absence " -"of sharp corners), a scarf joint seam will be used. The default value is 155°." +"This option sets the threshold angle for applying a conditional scarf joint " +"seam.\n" +"If the maximum angle within the perimeter loop exceeds this value " +"(indicating the absence of sharp corners), a scarf joint seam will be used. " +"The default value is 155°." msgstr "" msgid "Conditional overhang threshold" @@ -11914,23 +12540,25 @@ msgstr "" #, no-c-format, no-boost-format msgid "" -"This option determines the overhang threshold for the application of scarf joint seams. If " -"the unsupported portion of the perimeter is less than this threshold, scarf joint seams " -"will be applied. The default threshold is set at 40% of the external wall's width. Due to " -"performance considerations, the degree of overhang is estimated." +"This option determines the overhang threshold for the application of scarf " +"joint seams. If the unsupported portion of the perimeter is less than this " +"threshold, scarf joint seams will be applied. The default threshold is set " +"at 40% of the external wall's width. Due to performance considerations, the " +"degree of overhang is estimated." msgstr "" msgid "Scarf joint speed" msgstr "" msgid "" -"This option sets the printing speed for scarf joints. It is recommended to print scarf " -"joints at a slow speed (less than 100 mm/s). It's also advisable to enable 'Extrusion rate " -"smoothing' if the set speed varies significantly from the speed of the outer or inner " -"walls. If the speed specified here is higher than the speed of the outer or inner walls, " -"the printer will default to the slower of the two speeds. When specified as a percentage (e." -"g., 80%), the speed is calculated based on the respective outer or inner wall speed. The " -"default value is set to 100%." +"This option sets the printing speed for scarf joints. It is recommended to " +"print scarf joints at a slow speed (less than 100 mm/s). It's also " +"advisable to enable 'Extrusion rate smoothing' if the set speed varies " +"significantly from the speed of the outer or inner walls. If the speed " +"specified here is higher than the speed of the outer or inner walls, the " +"printer will default to the slower of the two speeds. When specified as a " +"percentage (e.g., 80%), the speed is calculated based on the respective " +"outer or inner wall speed. The default value is set to 100%." msgstr "" msgid "Scarf joint flow ratio" @@ -11944,12 +12572,12 @@ msgstr "Scarf start height" msgid "" "Start height of the scarf.\n" -"This amount can be specified in millimeters or as a percentage of the current layer height. " -"The default value for this parameter is 0." +"This amount can be specified in millimeters or as a percentage of the " +"current layer height. The default value for this parameter is 0." msgstr "" "Start height of the scarf.\n" -"This amount can be specified in millimeters or as a percentage of the current layer height. " -"The default value for this parameter is 0." +"This amount can be specified in millimeters or as a percentage of the " +"current layer height. The default value for this parameter is 0." msgid "Scarf around entire wall" msgstr "Scarf around entire wall" @@ -11960,8 +12588,12 @@ msgstr "The scarf extends to the entire length of the wall." msgid "Scarf length" msgstr "Scarf length" -msgid "Length of the scarf. Setting this parameter to zero effectively disables the scarf." -msgstr "Length of the scarf. Setting this parameter to zero effectively disables the scarf." +msgid "" +"Length of the scarf. Setting this parameter to zero effectively disables the " +"scarf." +msgstr "" +"Length of the scarf. Setting this parameter to zero effectively disables the " +"scarf." msgid "Scarf steps" msgstr "Scarf steps" @@ -11979,45 +12611,47 @@ msgid "Role base wipe speed" msgstr "" msgid "" -"The wipe speed is determined by the speed of the current extrusion role.e.g. if a wipe " -"action is executed immediately following an outer wall extrusion, the speed of the outer " -"wall extrusion will be utilized for the wipe action." +"The wipe speed is determined by the speed of the current extrusion role.e.g. " +"if a wipe action is executed immediately following an outer wall extrusion, " +"the speed of the outer wall extrusion will be utilized for the wipe action." msgstr "" msgid "Wipe on loops" msgstr "" msgid "" -"To minimize the visibility of the seam in a closed loop extrusion, a small inward movement " -"is executed before the extruder leaves the loop." +"To minimize the visibility of the seam in a closed loop extrusion, a small " +"inward movement is executed before the extruder leaves the loop." msgstr "" msgid "Wipe before external loop" msgstr "" msgid "" -"To minimise visibility of potential overextrusion at the start of an external perimeter " -"when printing with Outer/Inner or Inner/Outer/Inner wall print order, the deretraction is " -"performed slightly on the inside from the start of the external perimeter. That way any " -"potential over extrusion is hidden from the outside surface. \n" +"To minimise visibility of potential overextrusion at the start of an " +"external perimeter when printing with Outer/Inner or Inner/Outer/Inner wall " +"print order, the deretraction is performed slightly on the inside from the " +"start of the external perimeter. That way any potential over extrusion is " +"hidden from the outside surface. \n" "\n" -"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall print order as in " -"these modes it is more likely an external perimeter is printed immediately after a " -"deretraction move." +"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall " +"print order as in these modes it is more likely an external perimeter is " +"printed immediately after a deretraction move." msgstr "" msgid "Wipe speed" msgstr "Veegsnelheid" msgid "" -"The wipe speed is determined by the speed setting specified in this configuration.If the " -"value is expressed as a percentage (e.g. 80%), it will be calculated based on the travel " -"speed setting above.The default value for this parameter is 80%" +"The wipe speed is determined by the speed setting specified in this " +"configuration.If the value is expressed as a percentage (e.g. 80%), it will " +"be calculated based on the travel speed setting above.The default value for " +"this parameter is 80%" msgstr "" -"De veegsnelheid wordt bepaald door de snelheidsinstelling die in deze configuratie is " -"opgegeven.Als de waarde wordt uitgedrukt als percentage (bijv. 80%), wordt deze berekend op " -"basis van de bovenstaande instelling van de rijsnelheid.De standaardwaarde voor deze " -"parameter is 80%." +"De veegsnelheid wordt bepaald door de snelheidsinstelling die in deze " +"configuratie is opgegeven.Als de waarde wordt uitgedrukt als percentage " +"(bijv. 80%), wordt deze berekend op basis van de bovenstaande instelling van " +"de rijsnelheid.De standaardwaarde voor deze parameter is 80%." msgid "Skirt distance" msgstr "Rand (skirt) afstand" @@ -12035,17 +12669,17 @@ msgid "Draft shield" msgstr "Tochtscherm" msgid "" -"A draft shield is useful to protect an ABS or ASA print from warping and detaching from " -"print bed due to wind draft. It is usually needed only with open frame printers, i.e. " -"without an enclosure. \n" +"A draft shield is useful to protect an ABS or ASA print from warping and " +"detaching from print bed due to wind draft. It is usually needed only with " +"open frame printers, i.e. without an enclosure. \n" "\n" "Options:\n" "Enabled = skirt is as tall as the highest printed object.\n" "Limited = skirt is as tall as specified by skirt height.\n" "\n" -"Note: With the draft shield active, the skirt will be printed at skirt distance from the " -"object. Therefore, if brims are active it may intersect with them. To avoid this, increase " -"the skirt distance value.\n" +"Note: With the draft shield active, the skirt will be printed at skirt " +"distance from the object. Therefore, if brims are active it may intersect " +"with them. To avoid this, increase the skirt distance value.\n" msgstr "" msgid "Limited" @@ -12058,7 +12692,9 @@ msgid "Skirt loops" msgstr "Rand (skirt) lussen" msgid "Number of loops for the skirt. Zero means disabling skirt" -msgstr "Dit is het aantal lussen voor de skirt. 0 betekent dat de skirt is uitgeschakeld." +msgstr "" +"Dit is het aantal lussen voor de skirt. 0 betekent dat de skirt is " +"uitgeschakeld." msgid "Skirt speed" msgstr "" @@ -12070,28 +12706,30 @@ msgid "Skirt minimum extrusion length" msgstr "" msgid "" -"Minimum filament extrusion length in mm when printing the skirt. Zero means this feature is " -"disabled.\n" +"Minimum filament extrusion length in mm when printing the skirt. Zero means " +"this feature is disabled.\n" "\n" -"Using a non zero value is useful if the printer is set up to print without a prime line." +"Using a non zero value is useful if the printer is set up to print without a " +"prime line." msgstr "" msgid "" -"The printing speed in exported gcode will be slowed down, when the estimated layer time is " -"shorter than this value, to get better cooling for these layers" +"The printing speed in exported gcode will be slowed down, when the estimated " +"layer time is shorter than this value, to get better cooling for these layers" msgstr "" -"De printnelheid in geëxporteerde G-code wordt vertraagd wanneer de geschatte laagtijd " -"korter is dan deze waarde om een betere koeling voor deze lagen te krijgen." +"De printnelheid in geëxporteerde G-code wordt vertraagd wanneer de geschatte " +"laagtijd korter is dan deze waarde om een betere koeling voor deze lagen te " +"krijgen." msgid "Minimum sparse infill threshold" msgstr "Minimale drempel voor dunne opvulling (infill)" msgid "" -"Sparse infill area which is smaller than threshold value is replaced by internal solid " -"infill" +"Sparse infill area which is smaller than threshold value is replaced by " +"internal solid infill" msgstr "" -"Dunne opvullingen (infill) die kleiner zijn dan deze drempelwaarde worden vervangen door " -"solide interne vulling (infill)." +"Dunne opvullingen (infill) die kleiner zijn dan deze drempelwaarde worden " +"vervangen door solide interne vulling (infill)." msgid "Solid infill" msgstr "" @@ -12100,59 +12738,64 @@ msgid "Filament to print solid infill" msgstr "" msgid "" -"Line width of internal solid infill. If expressed as a %, it will be computed over the " -"nozzle diameter." +"Line width of internal solid infill. If expressed as a %, it will be " +"computed over the nozzle diameter." msgstr "" msgid "Speed of internal solid infill, not the top and bottom surface" msgstr "" -"Dit is de snelheid voor de interne solide vulling (infill), bodem en bovenste oppervlakte " -"zijn hiervan uitgezonderd" +"Dit is de snelheid voor de interne solide vulling (infill), bodem en " +"bovenste oppervlakte zijn hiervan uitgezonderd" msgid "" -"Spiralize smooths out the z moves of the outer contour. And turns a solid model into a " -"single walled print with solid bottom layers. The final generated model has no seam" +"Spiralize smooths out the z moves of the outer contour. And turns a solid " +"model into a single walled print with solid bottom layers. The final " +"generated model has no seam" msgstr "" -"Dit maakt spiralen mogelijk, waardoor de Z-bewegingen van de buitencontour worden afgevlakt " -"en een solide model wordt omgezet in een enkelwandige print met solide onderlagen. Het " -"uiteindelijke gegenereerde model heeft geen naad." +"Dit maakt spiralen mogelijk, waardoor de Z-bewegingen van de buitencontour " +"worden afgevlakt en een solide model wordt omgezet in een enkelwandige print " +"met solide onderlagen. Het uiteindelijke gegenereerde model heeft geen naad." msgid "Smooth Spiral" msgstr "Smooth Spiral" msgid "" -"Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam at all, even " -"in the XY directions on walls that are not vertical" +"Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam " +"at all, even in the XY directions on walls that are not vertical" msgstr "" -"Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam at all, even " -"in the XY directions on walls that are not vertical" +"Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam " +"at all, even in the XY directions on walls that are not vertical" msgid "Max XY Smoothing" msgstr "Max XY Smoothing" msgid "" -"Maximum distance to move points in XY to try to achieve a smooth spiralIf expressed as a %, " -"it will be computed over nozzle diameter" +"Maximum distance to move points in XY to try to achieve a smooth spiralIf " +"expressed as a %, it will be computed over nozzle diameter" msgstr "" -"Maximale afstand om punten in XY te verplaatsen om te proberen een gladde spiraal te " -"bereiken. Als het wordt uitgedrukt als een %, wordt het berekend over de diameter van het " -"mondstuk" +"Maximale afstand om punten in XY te verplaatsen om te proberen een gladde " +"spiraal te bereiken. Als het wordt uitgedrukt als een %, wordt het berekend " +"over de diameter van het mondstuk" msgid "" -"If smooth or traditional mode is selected, a timelapse video will be generated for each " -"print. After each layer is printed, a snapshot is taken with the chamber camera. All of " -"these snapshots are composed into a timelapse video when printing completes. If smooth mode " -"is selected, the toolhead will move to the excess chute after each layer is printed and " -"then take a snapshot. Since the melt filament may leak from the nozzle during the process " -"of taking a snapshot, prime tower is required for smooth mode to wipe nozzle." +"If smooth or traditional mode is selected, a timelapse video will be " +"generated for each print. After each layer is printed, a snapshot is taken " +"with the chamber camera. All of these snapshots are composed into a " +"timelapse video when printing completes. If smooth mode is selected, the " +"toolhead will move to the excess chute after each layer is printed and then " +"take a snapshot. Since the melt filament may leak from the nozzle during the " +"process of taking a snapshot, prime tower is required for smooth mode to " +"wipe nozzle." msgstr "" -"Als de vloeiende of traditionele modus is geselecteerd, wordt voor elke print een timelapse-" -"video gegenereerd. Nadat elke laag is geprint, wordt een momentopname gemaakt met de " -"kamercamera. Al deze momentopnamen worden samengevoegd tot een timelapse-video wanneer het " -"afdrukken is voltooid. Als de vloeiende modus is geselecteerd, beweegt de gereedschapskop " -"naar de afvoer chute nadat iedere laag is afgedrukt en maakt vervolgens een momentopname. " -"Aangezien het gesmolten filament uit het mondstuk kan lekken tijdens het maken van een " -"momentopname, is voor de soepele modus een primetoren nodig om het mondstuk schoon te vegen." +"Als de vloeiende of traditionele modus is geselecteerd, wordt voor elke " +"print een timelapse-video gegenereerd. Nadat elke laag is geprint, wordt een " +"momentopname gemaakt met de kamercamera. Al deze momentopnamen worden " +"samengevoegd tot een timelapse-video wanneer het afdrukken is voltooid. Als " +"de vloeiende modus is geselecteerd, beweegt de gereedschapskop naar de " +"afvoer chute nadat iedere laag is afgedrukt en maakt vervolgens een " +"momentopname. Aangezien het gesmolten filament uit het mondstuk kan lekken " +"tijdens het maken van een momentopname, is voor de soepele modus een " +"primetoren nodig om het mondstuk schoon te vegen." msgid "Traditional" msgstr "Traditioneel" @@ -12162,25 +12805,27 @@ msgstr "Temperatuur variatie" #. TRN PrintSettings : "Ooze prevention" > "Temperature variation" msgid "" -"Temperature difference to be applied when an extruder is not active. The value is not used " -"when 'idle_temperature' in filament settings is set to non zero value." +"Temperature difference to be applied when an extruder is not active. The " +"value is not used when 'idle_temperature' in filament settings is set to non " +"zero value." msgstr "" msgid "Preheat time" msgstr "" msgid "" -"To reduce the waiting time after tool change, Orca can preheat the next tool while the " -"current tool is still in use. This setting specifies the time in seconds to preheat the " -"next tool. Orca will insert a M104 command to preheat the tool in advance." +"To reduce the waiting time after tool change, Orca can preheat the next tool " +"while the current tool is still in use. This setting specifies the time in " +"seconds to preheat the next tool. Orca will insert a M104 command to preheat " +"the tool in advance." msgstr "" msgid "Preheat steps" msgstr "" msgid "" -"Insert multiple preheat commands(e.g. M104.1). Only useful for Prusa XL. For other " -"printers, please set it to 1." +"Insert multiple preheat commands(e.g. M104.1). Only useful for Prusa XL. For " +"other printers, please set it to 1." msgstr "" msgid "Start G-code" @@ -12202,10 +12847,11 @@ msgid "Manual Filament Change" msgstr "" msgid "" -"Enable this option to omit the custom Change filament G-code only at the beginning of the " -"print. The tool change command (e.g., T0) will be skipped throughout the entire print. This " -"is useful for manual multi-material printing, where we use M600/PAUSE to trigger the manual " -"filament change action." +"Enable this option to omit the custom Change filament G-code only at the " +"beginning of the print. The tool change command (e.g., T0) will be skipped " +"throughout the entire print. This is useful for manual multi-material " +"printing, where we use M600/PAUSE to trigger the manual filament change " +"action." msgstr "" msgid "Purge in prime tower" @@ -12221,45 +12867,48 @@ msgid "No sparse layers (beta)" msgstr "" msgid "" -"If enabled, the wipe tower will not be printed on layers with no toolchanges. On layers " -"with a toolchange, extruder will travel downward to print the wipe tower. User is " -"responsible for ensuring there is no collision with the print." +"If enabled, the wipe tower will not be printed on layers with no " +"toolchanges. On layers with a toolchange, extruder will travel downward to " +"print the wipe tower. User is responsible for ensuring there is no collision " +"with the print." msgstr "" -"Het afveegblok wordt niet geprint bij lagen zonder toolwisselingen als dit is ingeschakeld. " -"Op lagen met een toolwissel zal de extruder neerwaarts bewegen naar het afveegblok. De " -"gebruiker is verantwoordelijk voor eventuele botsingen met de print." +"Het afveegblok wordt niet geprint bij lagen zonder toolwisselingen als dit " +"is ingeschakeld. Op lagen met een toolwissel zal de extruder neerwaarts " +"bewegen naar het afveegblok. De gebruiker is verantwoordelijk voor eventuele " +"botsingen met de print." msgid "Prime all printing extruders" msgstr "Veeg alle printextruders af" msgid "" -"If enabled, all printing extruders will be primed at the front edge of the print bed at the " -"start of the print." +"If enabled, all printing extruders will be primed at the front edge of the " +"print bed at the start of the print." msgstr "" -"Alle extruders worden afgeveegd aan de voorzijde van het printbed aan het begin van de " -"print als dit is ingeschakeld." +"Alle extruders worden afgeveegd aan de voorzijde van het printbed aan het " +"begin van de print als dit is ingeschakeld." msgid "Slice gap closing radius" msgstr "Sluitingsradius van de gap" msgid "" -"Cracks smaller than 2x gap closing radius are being filled during the triangle mesh " -"slicing. The gap closing operation may reduce the final print resolution, therefore it is " -"advisable to keep the value reasonably low." +"Cracks smaller than 2x gap closing radius are being filled during the " +"triangle mesh slicing. The gap closing operation may reduce the final print " +"resolution, therefore it is advisable to keep the value reasonably low." msgstr "" -"Scheuren kleiner dan 2x de sluitradius van de spleet worden opgevuld tijdens het snijden " -"van driehoekig mesh. Het sluiten van openingen kan de uiteindelijke afdrukresolutie " -"verminderen, daarom is het raadzaam om de waarde redelijk laag te houden." +"Scheuren kleiner dan 2x de sluitradius van de spleet worden opgevuld tijdens " +"het snijden van driehoekig mesh. Het sluiten van openingen kan de " +"uiteindelijke afdrukresolutie verminderen, daarom is het raadzaam om de " +"waarde redelijk laag te houden." msgid "Slicing Mode" msgstr "Slicing-modus" msgid "" -"Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to close all holes in " -"the model." +"Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to " +"close all holes in the model." msgstr "" -"Gebruik „Even-Oneven” voor 3DLabPrint-vliegtuigmodellen. Gebruik „Gaten sluiten” om alle " -"gaten in het model te sluiten." +"Gebruik „Even-Oneven” voor 3DLabPrint-vliegtuigmodellen. Gebruik „Gaten " +"sluiten” om alle gaten in het model te sluiten." msgid "Regular" msgstr "Standaard" @@ -12274,15 +12923,16 @@ msgid "Z offset" msgstr "Z-hoogte" msgid "" -"This value will be added (or subtracted) from all the Z coordinates in the output G-code. " -"It is used to compensate for bad Z endstop position: for example, if your endstop zero " -"actually leaves the nozzle 0.3mm far from the print bed, set this to -0.3 (or fix your " -"endstop)." +"This value will be added (or subtracted) from all the Z coordinates in the " +"output G-code. It is used to compensate for bad Z endstop position: for " +"example, if your endstop zero actually leaves the nozzle 0.3mm far from the " +"print bed, set this to -0.3 (or fix your endstop)." msgstr "" -"Deze waarde wordt toegevoegd (of afgetrokken) van alle Z-coördinaten in de uitvoer-G-code. " -"Het wordt gebruikt om een ​​slechte Z-eindstoppositie te compenseren. Bijvoorbeeld, als de " -"eindstopnul eigenlijk 0,3 mm overlaat tussen het mondstuk en het printbed, stelt u dit in " -"op -0,3 (of maak uw eindstop goed vast)." +"Deze waarde wordt toegevoegd (of afgetrokken) van alle Z-coördinaten in de " +"uitvoer-G-code. Het wordt gebruikt om een ​​slechte Z-eindstoppositie te " +"compenseren. Bijvoorbeeld, als de eindstopnul eigenlijk 0,3 mm overlaat " +"tussen het mondstuk en het printbed, stelt u dit in op -0,3 (of maak uw " +"eindstop goed vast)." msgid "Enable support" msgstr "Support inschakelen" @@ -12291,12 +12941,13 @@ msgid "Enable support generation." msgstr "Dit maakt het genereren van support mogelijk." msgid "" -"normal(auto) and tree(auto) is used to generate support automatically. If normal(manual) or " -"tree(manual) is selected, only support enforcers are generated" +"normal(auto) and tree(auto) is used to generate support automatically. If " +"normal(manual) or tree(manual) is selected, only support enforcers are " +"generated" msgstr "" -"normal(auto) en tree(auto) worden gebruikt om automatisch steun te genereren. Als " -"normaal(handmatig) of tree(handmatig) is geselecteerd, worden alleen ondersteuningen " -"handhavers gegenereerd." +"normal(auto) en tree(auto) worden gebruikt om automatisch steun te " +"genereren. Als normaal(handmatig) of tree(handmatig) is geselecteerd, worden " +"alleen ondersteuningen handhavers gegenereerd." msgid "normal(auto)" msgstr "Normaal (automatisch)" @@ -12320,7 +12971,9 @@ msgid "Pattern angle" msgstr "Patroon hoek" msgid "Use this setting to rotate the support pattern on the horizontal plane." -msgstr "Gebruik deze instelling om het support patroon op het horizontale vlak te roteren." +msgstr "" +"Gebruik deze instelling om het support patroon op het horizontale vlak te " +"roteren." msgid "On build plate only" msgstr "Alleen op het printbed" @@ -12331,9 +12984,12 @@ msgstr "Deze instelling genereert alleen support die begint op het printbed." msgid "Support critical regions only" msgstr "Alleen kritische regio's ondersteunen" -msgid "Only create support for critical regions including sharp tail, cantilever, etc." +msgid "" +"Only create support for critical regions including sharp tail, cantilever, " +"etc." msgstr "" -"Creëer alleen ondersteuning voor kritieke gebieden, waaronder sharp tail, cantilever, etc." +"Creëer alleen ondersteuning voor kritieke gebieden, waaronder sharp tail, " +"cantilever, etc." msgid "Remove small overhangs" msgstr "Kleine uitsteeksels verwijderen" @@ -12345,7 +13001,8 @@ msgid "Top Z distance" msgstr "Top Z afstand" msgid "The z gap between the top support interface and object" -msgstr "Dit bepaald de Z-afstand tussen de bovenste support interfaces en het object." +msgstr "" +"Dit bepaald de Z-afstand tussen de bovenste support interfaces en het object." msgid "Bottom Z distance" msgstr "Onderste Z-afstand" @@ -12357,39 +13014,46 @@ msgid "Support/raft base" msgstr "Support/raft base" msgid "" -"Filament to print support base and raft. \"Default\" means no specific filament for support " -"and current filament is used" +"Filament to print support base and raft. \"Default\" means no specific " +"filament for support and current filament is used" msgstr "" -"Filament voor het printen van ondersteuning (support) en raft. \"Standaard\" betekent geen " -"specifiek filament voor ondersteuning (support) en het huidige filament wordt gebruikt." +"Filament voor het printen van ondersteuning (support) en raft. \"Standaard\" " +"betekent geen specifiek filament voor ondersteuning (support) en het " +"huidige filament wordt gebruikt." msgid "Avoid interface filament for base" msgstr "Vermijd interfacedraad voor basis" -msgid "Avoid using support interface filament to print support base if possible." +msgid "" +"Avoid using support interface filament to print support base if possible." msgstr "" -"Gebruik indien mogelijk geen filament voor de steuninterface om de steunbasis te printen." +"Gebruik indien mogelijk geen filament voor de steuninterface om de " +"steunbasis te printen." msgid "" -"Line width of support. If expressed as a %, it will be computed over the nozzle diameter." +"Line width of support. If expressed as a %, it will be computed over the " +"nozzle diameter." msgstr "" msgid "Interface use loop pattern" msgstr "Luspatroon interface" -msgid "Cover the top contact layer of the supports with loops. Disabled by default." +msgid "" +"Cover the top contact layer of the supports with loops. Disabled by default." msgstr "" -"Dit bedekt de bovenste laag van de support met lussen. Het is standaard uitgeschakeld." +"Dit bedekt de bovenste laag van de support met lussen. Het is standaard " +"uitgeschakeld." msgid "Support/raft interface" msgstr "Support/raft interface" msgid "" -"Filament to print support interface. \"Default\" means no specific filament for support " -"interface and current filament is used" +"Filament to print support interface. \"Default\" means no specific filament " +"for support interface and current filament is used" msgstr "" -"Filament om ondersteuning (support) te printen. \"Standaard\" betekent geen specifiek " -"filament voor ondersteuning (support), en het huidige filament wordt gebruikt." +"Filament om ondersteuning (support) te printen. \"Standaard\" betekent geen " +"specifiek filament voor ondersteuning (support), en het huidige filament " +"wordt gebruikt." msgid "Top interface layers" msgstr "Bovenste interface lagen" @@ -12410,13 +13074,16 @@ msgid "Top interface spacing" msgstr "Bovenste interface-afstand" msgid "Spacing of interface lines. Zero means solid interface" -msgstr "Dit is de afstand tussen de interfacelijnen. 0 betekent solide interface." +msgstr "" +"Dit is de afstand tussen de interfacelijnen. 0 betekent solide interface." msgid "Bottom interface spacing" msgstr "Onderste interface-afstand" msgid "Spacing of bottom interface lines. Zero means solid interface" -msgstr "Dit is de afstand tussen de onderste interfacelijnen. 0 betekent solide interface." +msgstr "" +"Dit is de afstand tussen de onderste interfacelijnen. 0 betekent solide " +"interface." msgid "Speed of support interface" msgstr "Dit is de snelheid voor het printen van de support interfaces." @@ -12437,12 +13104,13 @@ msgid "Interface pattern" msgstr "Interfacepatroon" msgid "" -"Line pattern of support interface. Default pattern for non-soluble support interface is " -"Rectilinear, while default pattern for soluble support interface is Concentric" +"Line pattern of support interface. Default pattern for non-soluble support " +"interface is Rectilinear, while default pattern for soluble support " +"interface is Concentric" msgstr "" -"Dit is het lijnpatroon voor support interfaces. Het standaardpatroon voor niet-oplosbare " -"support interfaces is Rechtlijnig, terwijl het standaardpatroon voor oplosbare support " -"interfaces Concentrisch is." +"Dit is het lijnpatroon voor support interfaces. Het standaardpatroon voor " +"niet-oplosbare support interfaces is Rechtlijnig, terwijl het " +"standaardpatroon voor oplosbare support interfaces Concentrisch is." msgid "Rectilinear Interlaced" msgstr "Rectilinear Interlaced" @@ -12457,18 +13125,21 @@ msgid "Normal Support expansion" msgstr "Normale uitbreiding van de ondersteuning" msgid "Expand (+) or shrink (-) the horizontal span of normal support" -msgstr "Vergroot (+) of verklein (-) het horizontale bereik van de normale ondersteuning" +msgstr "" +"Vergroot (+) of verklein (-) het horizontale bereik van de normale " +"ondersteuning" msgid "Speed of support" msgstr "Dit is de snelheid voor het printen van support." msgid "" -"Style and shape of the support. For normal support, projecting the supports into a regular " -"grid will create more stable supports (default), while snug support towers will save " -"material and reduce object scarring.\n" -"For tree support, slim and organic style will merge branches more aggressively and save a " -"lot of material (default organic), while hybrid style will create similar structure to " -"normal support under large flat overhangs." +"Style and shape of the support. For normal support, projecting the supports " +"into a regular grid will create more stable supports (default), while snug " +"support towers will save material and reduce object scarring.\n" +"For tree support, slim and organic style will merge branches more " +"aggressively and save a lot of material (default organic), while hybrid " +"style will create similar structure to normal support under large flat " +"overhangs." msgstr "" msgid "Snug" @@ -12490,75 +13161,81 @@ msgid "Independent support layer height" msgstr "Onafhankelijke support laaghoogte" msgid "" -"Support layer uses layer height independent with object layer. This is to support " -"customizing z-gap and save print time.This option will be invalid when the prime tower is " -"enabled." +"Support layer uses layer height independent with object layer. This is to " +"support customizing z-gap and save print time.This option will be invalid " +"when the prime tower is enabled." msgstr "" -"Support layer uses layer height independent with object layer. This is to support " -"customizing z-gap and save print time.This option will be invalid when the prime tower is " -"enabled." +"Support layer uses layer height independent with object layer. This is to " +"support customizing z-gap and save print time.This option will be invalid " +"when the prime tower is enabled." msgid "Threshold angle" msgstr "Drempel hoek" -msgid "Support will be generated for overhangs whose slope angle is below the threshold." +msgid "" +"Support will be generated for overhangs whose slope angle is below the " +"threshold." msgstr "" -"Er zal ondersteuning support gegenereerd worden voor overhangende hoeken waarvan de " -"hellingshoek lager is dan deze drempel." +"Er zal ondersteuning support gegenereerd worden voor overhangende hoeken " +"waarvan de hellingshoek lager is dan deze drempel." msgid "Tree support branch angle" msgstr "Tree support vertakkingshoek" msgid "" -"This setting determines the maximum overhang angle that t he branches of tree support " -"allowed to make.If the angle is increased, the branches can be printed more horizontally, " -"allowing them to reach farther." +"This setting determines the maximum overhang angle that t he branches of " +"tree support allowed to make.If the angle is increased, the branches can be " +"printed more horizontally, allowing them to reach farther." msgstr "" -"Deze instelling bepaalt de maximale overhanghoek die de uitloop van de tree support mogen " -"maken. Als de hoek wordt vergroot, kunnen de uitlopen meer horizontaal worden geprint, " -"waardoor ze verder kunnen reiken." +"Deze instelling bepaalt de maximale overhanghoek die de uitloop van de tree " +"support mogen maken. Als de hoek wordt vergroot, kunnen de uitlopen meer " +"horizontaal worden geprint, waardoor ze verder kunnen reiken." msgid "Preferred Branch Angle" msgstr "" #. TRN PrintSettings: "Organic supports" > "Preferred Branch Angle" msgid "" -"The preferred angle of the branches, when they do not have to avoid the model. Use a lower " -"angle to make them more vertical and more stable. Use a higher angle for branches to merge " -"faster." +"The preferred angle of the branches, when they do not have to avoid the " +"model. Use a lower angle to make them more vertical and more stable. Use a " +"higher angle for branches to merge faster." msgstr "" msgid "Tree support branch distance" msgstr "Tree support tak-afstand" -msgid "This setting determines the distance between neighboring tree support nodes." -msgstr "Deze instelling bepaald de afstand tussen naastliggende tree support knooppunten." +msgid "" +"This setting determines the distance between neighboring tree support nodes." +msgstr "" +"Deze instelling bepaald de afstand tussen naastliggende tree support " +"knooppunten." msgid "Branch Density" msgstr "" #. TRN PrintSettings: "Organic supports" > "Branch Density" msgid "" -"Adjusts the density of the support structure used to generate the tips of the branches. A " -"higher value results in better overhangs but the supports are harder to remove, thus it is " -"recommended to enable top support interfaces instead of a high branch density value if " -"dense interfaces are needed." +"Adjusts the density of the support structure used to generate the tips of " +"the branches. A higher value results in better overhangs but the supports " +"are harder to remove, thus it is recommended to enable top support " +"interfaces instead of a high branch density value if dense interfaces are " +"needed." msgstr "" msgid "Adaptive layer height" msgstr "Adaptieve laaghoogte" msgid "" -"Enabling this option means the height of tree support layer except the first will be " -"automatically calculated " +"Enabling this option means the height of tree support layer except the " +"first will be automatically calculated " msgstr "" msgid "Auto brim width" msgstr "" msgid "" -"Enabling this option means the width of the brim for tree support will be automatically " -"calculated" +"Enabling this option means the width of the brim for tree support will be " +"automatically calculated" msgstr "" msgid "Tree support brim width" @@ -12586,9 +13263,10 @@ msgstr "" #. TRN PrintSettings: "Organic supports" > "Branch Diameter Angle" msgid "" -"The angle of the branches' diameter as they gradually become thicker towards the bottom. An " -"angle of 0 will cause the branches to have uniform thickness over their length. A bit of an " -"angle can increase stability of the organic support." +"The angle of the branches' diameter as they gradually become thicker towards " +"the bottom. An angle of 0 will cause the branches to have uniform thickness " +"over their length. A bit of an angle can increase stability of the organic " +"support." msgstr "" msgid "Branch Diameter with double walls" @@ -12596,8 +13274,9 @@ msgstr "" #. TRN PrintSettings: "Organic supports" > "Branch Diameter" msgid "" -"Branches with area larger than the area of a circle of this diameter will be printed with " -"double walls for stability. Set this value to zero for no double walls." +"Branches with area larger than the area of a circle of this diameter will be " +"printed with double walls for stability. Set this value to zero for no " +"double walls." msgstr "" msgid "Support wall loops" @@ -12609,35 +13288,51 @@ msgstr "Deze instelling specificeert het aantal muren rond de ondersteuning" msgid "Tree support with infill" msgstr "Tree support met vulling" -msgid "This setting specifies whether to add infill inside large hollows of tree support" +msgid "" +"This setting specifies whether to add infill inside large hollows of tree " +"support" msgstr "" -"Deze instelling geeft aan of er opvulling moet worden toegevoegd in grote holtes van de " -"tree support." +"Deze instelling geeft aan of er opvulling moet worden toegevoegd in grote " +"holtes van de tree support." msgid "Activate temperature control" msgstr "Temperatuurregeling activeren" msgid "" -"Enable this option for chamber temperature control. An M191 command will be added before " +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " "\"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" msgid "Chamber temperature" msgstr "Kamertemperatuur" msgid "" -"Higher chamber temperature can help suppress or reduce warping and potentially lead to " -"higher interlayer bonding strength for high temperature materials like ABS, ASA, PC, PA and " -"so on.At the same time, the air filtration of ABS and ASA will get worse.While for PLA, " -"PETG, TPU, PVA and other low temperature materials,the actual chamber temperature should " -"not be high to avoid cloggings, so 0 which stands for turning off is highly recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Higher chamber temperature can help suppress or reduce warping and potentially lead to " -"higher interlayer bonding strength for high temperature materials like ABS, ASA, PC, PA and " -"so on. At the same time, the air filtration of ABS and ASA will get worse.While for PLA, " -"PETG, TPU, PVA and other low temperature materials, the actual chamber temperature should " -"not be high to avoid clogs, so 0 (turned off) is highly recommended." msgid "Nozzle temperature for layers after the initial one" msgstr "Mondstuk temperatuur voor de lagen na de eerste laag" @@ -12646,41 +13341,43 @@ msgid "Detect thin wall" msgstr "Detecteer dunne wanden" msgid "" -"Detect thin wall which can't contain two line width. And use single line to print. Maybe " -"printed not very well, because it's not closed loop" +"Detect thin wall which can't contain two line width. And use single line to " +"print. Maybe printed not very well, because it's not closed loop" msgstr "" -"Dit detecteert dunne wanden die geen twee lijnen kunnen bevatten en gebruikt een enkele " -"lijn tijdens het printen. Het kan zijn dat de kwaliteit minder goed is, omdat er geen " -"gesloten lus is" +"Dit detecteert dunne wanden die geen twee lijnen kunnen bevatten en gebruikt " +"een enkele lijn tijdens het printen. Het kan zijn dat de kwaliteit minder " +"goed is, omdat er geen gesloten lus is" msgid "" -"This gcode is inserted when change filament, including T command to trigger tool change" +"This gcode is inserted when change filament, including T command to trigger " +"tool change" msgstr "" -"Deze G-code wordt ingevoegd wanneer filament wordt vervangen, inclusief T-commando's om " -"gereedschapswissel te activeren." +"Deze G-code wordt ingevoegd wanneer filament wordt vervangen, inclusief T-" +"commando's om gereedschapswissel te activeren." msgid "This gcode is inserted when the extrusion role is changed" msgstr "" msgid "" -"Line width for top surfaces. If expressed as a %, it will be computed over the nozzle " -"diameter." +"Line width for top surfaces. If expressed as a %, it will be computed over " +"the nozzle diameter." msgstr "" msgid "Speed of top surface infill which is solid" -msgstr "Dit is de snelheid voor de solide vulling (infill) van de bovenste laag" +msgstr "" +"Dit is de snelheid voor de solide vulling (infill) van de bovenste laag" msgid "Top shell layers" msgstr "Aantal lagen bovenkant" msgid "" -"This is the number of solid layers of top shell, including the top surface layer. When the " -"thickness calculated by this value is thinner than top shell thickness, the top shell " -"layers will be increased" +"This is the number of solid layers of top shell, including the top surface " +"layer. When the thickness calculated by this value is thinner than top shell " +"thickness, the top shell layers will be increased" msgstr "" -"Dit is het aantal solide lagen van de bovenkant, inclusief de bovenste oppervlaktelaag. " -"Wanneer de door deze waarde berekende dikte dunner is dan de dikte van de bovenste laag, " -"worden de bovenste lagen vergroot" +"Dit is het aantal solide lagen van de bovenkant, inclusief de bovenste " +"oppervlaktelaag. Wanneer de door deze waarde berekende dikte dunner is dan " +"de dikte van de bovenste laag, worden de bovenste lagen vergroot" msgid "Top solid layers" msgstr "Aantal bovenste solide lagen" @@ -12689,15 +13386,17 @@ msgid "Top shell thickness" msgstr "Dikte bovenkant" msgid "" -"The number of top solid layers is increased when slicing if the thickness calculated by top " -"shell layers is thinner than this value. This can avoid having too thin shell when layer " -"height is small. 0 means that this setting is disabled and thickness of top shell is " -"absolutely determained by top shell layers" +"The number of top solid layers is increased when slicing if the thickness " +"calculated by top shell layers is thinner than this value. This can avoid " +"having too thin shell when layer height is small. 0 means that this setting " +"is disabled and thickness of top shell is absolutely determained by top " +"shell layers" msgstr "" -"Het aantal bovenste solide lagen wordt verhoogd tijdens het slicen als de totale dikte van " -"de bovenste lagen lager is dan deze waarde. Dit zorgt ervoor dat de schaal niet te dun is " -"bij een lage laaghoogte. 0 betekend dat deze instelling niet actief is en dat de dikte van " -"de bovenkant bepaald wordt door het aantal bodem lagen." +"Het aantal bovenste solide lagen wordt verhoogd tijdens het slicen als de " +"totale dikte van de bovenste lagen lager is dan deze waarde. Dit zorgt " +"ervoor dat de schaal niet te dun is bij een lage laaghoogte. 0 betekend dat " +"deze instelling niet actief is en dat de dikte van de bovenkant bepaald " +"wordt door het aantal bodem lagen." msgid "Speed of travel which is faster and without extrusion" msgstr "Dit is de snelheid waarmee verplaatsingen zullen worden gedaan." @@ -12706,34 +13405,37 @@ msgid "Wipe while retracting" msgstr "Vegen tijdens intrekken (retracting)" msgid "" -"Move nozzle along the last extrusion path when retracting to clean leaked material on " -"nozzle. This can minimize blob when print new part after travel" +"Move nozzle along the last extrusion path when retracting to clean leaked " +"material on nozzle. This can minimize blob when print new part after travel" msgstr "" -"Dit beweegt het mondstuk langs het laatste extrusiepad bij het terugtrekken (retraction) om " -"eventueel gelekt materiaal op het mondstuk te reinigen. Dit kan \"blobs\" minimaliseren bij " -"het printen van een nieuw onderdeel na het verplaatsen" +"Dit beweegt het mondstuk langs het laatste extrusiepad bij het terugtrekken " +"(retraction) om eventueel gelekt materiaal op het mondstuk te reinigen. Dit " +"kan \"blobs\" minimaliseren bij het printen van een nieuw onderdeel na het " +"verplaatsen" msgid "Wipe Distance" msgstr "Veeg afstand" msgid "" -"Discribe how long the nozzle will move along the last path when retracting. \n" +"Discribe how long the nozzle will move along the last path when " +"retracting. \n" "\n" -"Depending on how long the wipe operation lasts, how fast and long the extruder/filament " -"retraction settings are, a retraction move may be needed to retract the remaining " -"filament. \n" +"Depending on how long the wipe operation lasts, how fast and long the " +"extruder/filament retraction settings are, a retraction move may be needed " +"to retract the remaining filament. \n" "\n" -"Setting a value in the retract amount before wipe setting below will perform any excess " -"retraction before the wipe, else it will be performed after." +"Setting a value in the retract amount before wipe setting below will perform " +"any excess retraction before the wipe, else it will be performed after." msgstr "" msgid "" -"The wiping tower can be used to clean up the residue on the nozzle and stabilize the " -"chamber pressure inside the nozzle, in order to avoid appearance defects when printing " -"objects." +"The wiping tower can be used to clean up the residue on the nozzle and " +"stabilize the chamber pressure inside the nozzle, in order to avoid " +"appearance defects when printing objects." msgstr "" -"De veegtoren kan worden gebruikt om resten op het mondstuk te verwijderen en de druk in het " -"mondstuk te stabiliseren om uiterlijke gebreken bij het printen van objecten te voorkomen." +"De veegtoren kan worden gebruikt om resten op het mondstuk te verwijderen en " +"de druk in het mondstuk te stabiliseren om uiterlijke gebreken bij het " +"printen van objecten te voorkomen." msgid "Purging volumes" msgstr "Volumes opschonen" @@ -12742,8 +13444,8 @@ msgid "Flush multiplier" msgstr "Flush-vermenigvuldiger" msgid "" -"The actual flushing volumes is equal to the flush multiplier multiplied by the flushing " -"volumes in the table." +"The actual flushing volumes is equal to the flush multiplier multiplied by " +"the flushing volumes in the table." msgstr "" "De werkelijke flushvolumes zijn gelijk aan de flush vermenigvuldigingswaarde " "vermenigvuldigd met de flushvolumes in de tabel." @@ -12752,7 +13454,9 @@ msgid "Prime volume" msgstr "Prime-volume" msgid "The volume of material to prime extruder on tower." -msgstr "Dit is het volume van het materiaal dat de extruder op de prime toren uitwerpt." +msgstr "" +"Dit is het volume van het materiaal dat de extruder op de prime toren " +"uitwerpt." msgid "Width of prime tower" msgstr "Dit is de breedte van de prime toren." @@ -12767,73 +13471,80 @@ msgid "Stabilization cone apex angle" msgstr "" msgid "" -"Angle at the apex of the cone that is used to stabilize the wipe tower. Larger angle means " -"wider base." +"Angle at the apex of the cone that is used to stabilize the wipe tower. " +"Larger angle means wider base." msgstr "" msgid "Maximum wipe tower print speed" msgstr "" msgid "" -"The maximum print speed when purging in the wipe tower and printing the wipe tower sparse " -"layers. When purging, if the sparse infill speed or calculated speed from the filament max " -"volumetric speed is lower, the lowest will be used instead.\n" +"The maximum print speed when purging in the wipe tower and printing the wipe " +"tower sparse layers. When purging, if the sparse infill speed or calculated " +"speed from the filament max volumetric speed is lower, the lowest will be " +"used instead.\n" "\n" -"When printing the sparse layers, if the internal perimeter speed or calculated speed from " -"the filament max volumetric speed is lower, the lowest will be used instead.\n" +"When printing the sparse layers, if the internal perimeter speed or " +"calculated speed from the filament max volumetric speed is lower, the lowest " +"will be used instead.\n" "\n" -"Increasing this speed may affect the tower's stability as well as increase the force with " -"which the nozzle collides with any blobs that may have formed on the wipe tower.\n" +"Increasing this speed may affect the tower's stability as well as increase " +"the force with which the nozzle collides with any blobs that may have formed " +"on the wipe tower.\n" "\n" -"Before increasing this parameter beyond the default of 90mm/sec, make sure your printer can " -"reliably bridge at the increased speeds and that ooze when tool changing is well " -"controlled.\n" +"Before increasing this parameter beyond the default of 90mm/sec, make sure " +"your printer can reliably bridge at the increased speeds and that ooze when " +"tool changing is well controlled.\n" "\n" -"For the wipe tower external perimeters the internal perimeter speed is used regardless of " -"this setting." +"For the wipe tower external perimeters the internal perimeter speed is used " +"regardless of this setting." msgstr "" msgid "" -"The extruder to use when printing perimeter of the wipe tower. Set to 0 to use the one that " -"is available (non-soluble would be preferred)." +"The extruder to use when printing perimeter of the wipe tower. Set to 0 to " +"use the one that is available (non-soluble would be preferred)." msgstr "" msgid "Purging volumes - load/unload volumes" msgstr "" msgid "" -"This vector saves required volumes to change from/to each tool used on the wipe tower. " -"These values are used to simplify creation of the full purging volumes below." +"This vector saves required volumes to change from/to each tool used on the " +"wipe tower. These values are used to simplify creation of the full purging " +"volumes below." msgstr "" msgid "" -"Purging after filament change will be done inside objects' infills. This may lower the " -"amount of waste and decrease the print time. If the walls are printed with transparent " -"filament, the mixed color infill will be seen outside. It will not take effect, unless the " -"prime tower is enabled." +"Purging after filament change will be done inside objects' infills. This may " +"lower the amount of waste and decrease the print time. If the walls are " +"printed with transparent filament, the mixed color infill will be seen " +"outside. It will not take effect, unless the prime tower is enabled." msgstr "" -"Het purgen na het verwisselen van het filament vindt plaats in de vullingen van objecten. " -"Dit kan de hoeveelheid afval verminderen en de printtijd verkorten. Als de wanden zijn " -"geprint met transparant filament, is de infill in gemengde kleuren zichtbaar. Het wordt " -"niet van kracht tenzij de prime tower is ingeschakeld." +"Het purgen na het verwisselen van het filament vindt plaats in de vullingen " +"van objecten. Dit kan de hoeveelheid afval verminderen en de printtijd " +"verkorten. Als de wanden zijn geprint met transparant filament, is de infill " +"in gemengde kleuren zichtbaar. Het wordt niet van kracht tenzij de prime " +"tower is ingeschakeld." msgid "" -"Purging after filament change will be done inside objects' support. This may lower the " -"amount of waste and decrease the print time. It will not take effect, unless the prime " -"tower is enabled." -msgstr "" -"Het purgen na het verwisselen van het filament vindt plaats in de ondersteuning van de " -"objecten. Dit kan de hoeveelheid afval verminderen en de printtijd verkorten. Het wordt " -"niet van kracht tenzij een prime tower is ingeschakeld." - -msgid "" -"This object will be used to purge the nozzle after a filament change to save filament and " -"decrease the print time. Colours of the objects will be mixed as a result. It will not take " +"Purging after filament change will be done inside objects' support. This may " +"lower the amount of waste and decrease the print time. It will not take " "effect, unless the prime tower is enabled." msgstr "" -"Dit object wordt gebruikt om het mondstuk te reinigen nadat het filament is vervangen om " -"filament te besparen en de printtijd te verkorten. Als resultaat worden de kleuren van de " -"objecten gemengd. Het wordt niet van kracht tenzij de prime toren is ingeschakeld." +"Het purgen na het verwisselen van het filament vindt plaats in de " +"ondersteuning van de objecten. Dit kan de hoeveelheid afval verminderen en " +"de printtijd verkorten. Het wordt niet van kracht tenzij een prime tower is " +"ingeschakeld." + +msgid "" +"This object will be used to purge the nozzle after a filament change to save " +"filament and decrease the print time. Colours of the objects will be mixed " +"as a result. It will not take effect, unless the prime tower is enabled." +msgstr "" +"Dit object wordt gebruikt om het mondstuk te reinigen nadat het filament is " +"vervangen om filament te besparen en de printtijd te verkorten. Als " +"resultaat worden de kleuren van de objecten gemengd. Het wordt niet van " +"kracht tenzij de prime toren is ingeschakeld." msgid "Maximal bridging distance" msgstr "Maximale brugafstand" @@ -12851,50 +13562,54 @@ msgid "Extra flow for purging" msgstr "" msgid "" -"Extra flow used for the purging lines on the wipe tower. This makes the purging lines " -"thicker or narrower than they normally would be. The spacing is adjusted automatically." +"Extra flow used for the purging lines on the wipe tower. This makes the " +"purging lines thicker or narrower than they normally would be. The spacing " +"is adjusted automatically." msgstr "" msgid "Idle temperature" msgstr "" msgid "" -"Nozzle temperature when the tool is currently not used in multi-tool setups.This is only " -"used when 'Ooze prevention' is active in Print Settings. Set to 0 to disable." +"Nozzle temperature when the tool is currently not used in multi-tool setups." +"This is only used when 'Ooze prevention' is active in Print Settings. Set to " +"0 to disable." msgstr "" msgid "X-Y hole compensation" msgstr "X-Y-gaten compensatie" msgid "" -"Holes of object will be grown or shrunk in XY plane by the configured value. Positive value " -"makes holes bigger. Negative value makes holes smaller. This function is used to adjust " -"size slightly when the object has assembling issue" +"Holes of object will be grown or shrunk in XY plane by the configured value. " +"Positive value makes holes bigger. Negative value makes holes smaller. This " +"function is used to adjust size slightly when the object has assembling issue" msgstr "" -"Gaten in objecten worden met de ingestelde waarde groter of kleiner in het XY-vlak. " -"Positieve waarden maken de gaten groter en negatieve waarden maken de gaten kleiner. Deze " -"functie wordt gebruikt om de grootte enigszins aan te passen wanneer objecten " -"montageproblemen hebben." +"Gaten in objecten worden met de ingestelde waarde groter of kleiner in het " +"XY-vlak. Positieve waarden maken de gaten groter en negatieve waarden maken " +"de gaten kleiner. Deze functie wordt gebruikt om de grootte enigszins aan te " +"passen wanneer objecten montageproblemen hebben." msgid "X-Y contour compensation" msgstr "X-Y contourcompensatie" msgid "" -"Contour of object will be grown or shrunk in XY plane by the configured value. Positive " -"value makes contour bigger. Negative value makes contour smaller. This function is used to " -"adjust size slightly when the object has assembling issue" +"Contour of object will be grown or shrunk in XY plane by the configured " +"value. Positive value makes contour bigger. Negative value makes contour " +"smaller. This function is used to adjust size slightly when the object has " +"assembling issue" msgstr "" -"De contouren van objecten worden met de ingestelde waarde in het XY-vlak groter of kleiner " -"gemaakt. Positieve waarden maken contouren groter en negatieve waarden maken contouren " -"kleiner. Deze functie wordt gebruikt om de afmetingen enigszins aan te passen wanneer " -"objecten montageproblemen hebben." +"De contouren van objecten worden met de ingestelde waarde in het XY-vlak " +"groter of kleiner gemaakt. Positieve waarden maken contouren groter en " +"negatieve waarden maken contouren kleiner. Deze functie wordt gebruikt om de " +"afmetingen enigszins aan te passen wanneer objecten montageproblemen hebben." msgid "Convert holes to polyholes" msgstr "" msgid "" -"Search for almost-circular holes that span more than one layer and convert the geometry to " -"polyholes. Use the nozzle size and the (biggest) diameter to compute the polyhole.\n" +"Search for almost-circular holes that span more than one layer and convert " +"the geometry to polyholes. Use the nozzle size and the (biggest) diameter to " +"compute the polyhole.\n" "See http://hydraraptor.blogspot.com/2011/02/polyholes.html" msgstr "" @@ -12904,8 +13619,9 @@ msgstr "" #, no-c-format, no-boost-format msgid "" "Maximum defection of a point to the estimated radius of the circle.\n" -"As cylinders are often exported as triangles of varying size, points may not be on the " -"circle circumference. This setting allows you some leway to broaden the detection.\n" +"As cylinders are often exported as triangles of varying size, points may not " +"be on the circle circumference. This setting allows you some leway to " +"broaden the detection.\n" "In mm or in % of the radius." msgstr "" @@ -12919,40 +13635,43 @@ msgid "G-code thumbnails" msgstr "G-code miniaturen" msgid "" -"Picture sizes to be stored into a .gcode and .sl1 / .sl1s files, in the following format: " -"\"XxY, XxY, ...\"" +"Picture sizes to be stored into a .gcode and .sl1 / .sl1s files, in the " +"following format: \"XxY, XxY, ...\"" msgstr "" msgid "Format of G-code thumbnails" msgstr "Bestandstype van G-code-voorbeelden" msgid "" -"Format of G-code thumbnails: PNG for best quality, JPG for smallest size, QOI for low " -"memory firmware" +"Format of G-code thumbnails: PNG for best quality, JPG for smallest size, " +"QOI for low memory firmware" msgstr "" -"Bestandstype van G-code-voorbeelden: PNG voor de beste kwaliteit, JPG voor kleinste " -"bestand, QOI voor firmware met weinig geheugen" +"Bestandstype van G-code-voorbeelden: PNG voor de beste kwaliteit, JPG voor " +"kleinste bestand, QOI voor firmware met weinig geheugen" msgid "Use relative E distances" msgstr "Relatieve E-afstanden gebruiken" msgid "" -"Relative extrusion is recommended when using \"label_objects\" option.Some extruders work " -"better with this option unckecked (absolute extrusion mode). Wipe tower is only compatible " -"with relative mode. It is recommended on most printers. Default is checked" +"Relative extrusion is recommended when using \"label_objects\" option.Some " +"extruders work better with this option unckecked (absolute extrusion mode). " +"Wipe tower is only compatible with relative mode. It is recommended on most " +"printers. Default is checked" msgstr "" -"Relatieve extrusie wordt aanbevolen bij gebruik van de optie \"label_objects\". Sommige " -"extruders werken beter als deze optie niet is aangevinkt (absolute extrusiemodus). Wipe " -"tower is alleen compatibel met relatieve modus. Het wordt aanbevolen op de meeste printers. " -"Standaard is aangevinkt" +"Relatieve extrusie wordt aanbevolen bij gebruik van de optie " +"\"label_objects\". Sommige extruders werken beter als deze optie niet is " +"aangevinkt (absolute extrusiemodus). Wipe tower is alleen compatibel met " +"relatieve modus. Het wordt aanbevolen op de meeste printers. Standaard is " +"aangevinkt" msgid "" -"Classic wall generator produces walls with constant extrusion width and for very thin areas " -"is used gap-fill. Arachne engine produces walls with variable extrusion width" +"Classic wall generator produces walls with constant extrusion width and for " +"very thin areas is used gap-fill. Arachne engine produces walls with " +"variable extrusion width" msgstr "" -"De klassieke wandgenerator produceert wanden met constante extrusiebreedte en voor zeer " -"dunne gebieden wordt gap-fill gebruikt. De Arachne generator produceert wanden met " -"variabele extrusiebreedte." +"De klassieke wandgenerator produceert wanden met constante extrusiebreedte " +"en voor zeer dunne gebieden wordt gap-fill gebruikt. De Arachne generator " +"produceert wanden met variabele extrusiebreedte." msgid "Classic" msgstr "Klassiek" @@ -12964,130 +13683,140 @@ msgid "Wall transition length" msgstr "Lengte wandovergang" msgid "" -"When transitioning between different numbers of walls as the part becomes thinner, a " -"certain amount of space is allotted to split or join the wall segments. It's expressed as a " -"percentage over nozzle diameter" +"When transitioning between different numbers of walls as the part becomes " +"thinner, a certain amount of space is allotted to split or join the wall " +"segments. It's expressed as a percentage over nozzle diameter" msgstr "" -"Bij de overgang tussen verschillende aantallen muren naarmate het onderdeel dunner wordt, " -"wordt een bepaalde hoeveelheid ruimte toegewezen om de wandsegmenten te splitsen of samen " -"te voegen. Dit wordt uitgedrukt als een percentage ten opzichte van de diameter van het " -"mondstuk." +"Bij de overgang tussen verschillende aantallen muren naarmate het onderdeel " +"dunner wordt, wordt een bepaalde hoeveelheid ruimte toegewezen om de " +"wandsegmenten te splitsen of samen te voegen. Dit wordt uitgedrukt als een " +"percentage ten opzichte van de diameter van het mondstuk." msgid "Wall transitioning filter margin" msgstr "Marge van het filter voor wandovergang" msgid "" -"Prevent transitioning back and forth between one extra wall and one less. This margin " -"extends the range of extrusion widths which follow to [Minimum wall width - margin, 2 * " -"Minimum wall width + margin]. Increasing this margin reduces the number of transitions, " -"which reduces the number of extrusion starts/stops and travel time. However, large " -"extrusion width variation can lead to under- or overextrusion problems. It's expressed as a " +"Prevent transitioning back and forth between one extra wall and one less. " +"This margin extends the range of extrusion widths which follow to [Minimum " +"wall width - margin, 2 * Minimum wall width + margin]. Increasing this " +"margin reduces the number of transitions, which reduces the number of " +"extrusion starts/stops and travel time. However, large extrusion width " +"variation can lead to under- or overextrusion problems. It's expressed as a " "percentage over nozzle diameter" msgstr "" -"Voorkom heen en weer schakelen tussen een extra wand en een wand minder. Deze marge breidt " -"het bereik van extrusiebreedten uit dat volgt op [Minimum wandbreedte - marge, 2 * Minimale " -"wandbreedte + marge]. Door deze marge te vergroten, wordt het aantal overgangen verminderd, " -"waardoor het aantal extrusie-starts/-stops en travel tijd wordt verminderd. Grote variaties " -"in de extrusiebreedte kunnen echter leiden tot onder- of overextrusieproblemen. Het wordt " -"uitgedrukt als een percentage over de diameter van het mondstuk" +"Voorkom heen en weer schakelen tussen een extra wand en een wand minder. " +"Deze marge breidt het bereik van extrusiebreedten uit dat volgt op [Minimum " +"wandbreedte - marge, 2 * Minimale wandbreedte + marge]. Door deze marge te " +"vergroten, wordt het aantal overgangen verminderd, waardoor het aantal " +"extrusie-starts/-stops en travel tijd wordt verminderd. Grote variaties in " +"de extrusiebreedte kunnen echter leiden tot onder- of overextrusieproblemen. " +"Het wordt uitgedrukt als een percentage over de diameter van het mondstuk" msgid "Wall transitioning threshold angle" msgstr "Drempelhoek voor wandovergang" msgid "" -"When to create transitions between even and odd numbers of walls. A wedge shape with an " -"angle greater than this setting will not have transitions and no walls will be printed in " -"the center to fill the remaining space. Reducing this setting reduces the number and length " -"of these center walls, but may leave gaps or overextrude" +"When to create transitions between even and odd numbers of walls. A wedge " +"shape with an angle greater than this setting will not have transitions and " +"no walls will be printed in the center to fill the remaining space. Reducing " +"this setting reduces the number and length of these center walls, but may " +"leave gaps or overextrude" msgstr "" -"Wanneer moet u overgangen maken tussen even en oneven aantallen muren? Een wigvorm met een " -"hoek groter dan deze instelling heeft geen overgangen en er worden in het midden geen muren " -"afgedrukt om de resterende ruimte te vullen. Als u deze instelling verlaagt, worden het " -"aantal en de lengte van deze middenwanden beperkt, maar kunnen er openingen ontstaan of " -"overextruderen" +"Wanneer moet u overgangen maken tussen even en oneven aantallen muren? Een " +"wigvorm met een hoek groter dan deze instelling heeft geen overgangen en er " +"worden in het midden geen muren afgedrukt om de resterende ruimte te vullen. " +"Als u deze instelling verlaagt, worden het aantal en de lengte van deze " +"middenwanden beperkt, maar kunnen er openingen ontstaan of overextruderen" msgid "Wall distribution count" msgstr "Aantal wandverdelingen" msgid "" -"The number of walls, counted from the center, over which the variation needs to be spread. " -"Lower values mean that the outer walls don't change in width" +"The number of walls, counted from the center, over which the variation needs " +"to be spread. Lower values mean that the outer walls don't change in width" msgstr "" -"Het aantal wanden, geteld vanuit het midden, waarover de variatie moet worden verdeeld. " -"Lagere waarden betekenen dat de buitenwanden niet in breedte veranderen." +"Het aantal wanden, geteld vanuit het midden, waarover de variatie moet " +"worden verdeeld. Lagere waarden betekenen dat de buitenwanden niet in " +"breedte veranderen." msgid "Minimum feature size" msgstr "Minimale kenmerkgrootte" msgid "" -"Minimum thickness of thin features. Model features that are thinner than this value will " -"not be printed, while features thicker than the Minimum feature size will be widened to the " -"Minimum wall width. It's expressed as a percentage over nozzle diameter" +"Minimum thickness of thin features. Model features that are thinner than " +"this value will not be printed, while features thicker than the Minimum " +"feature size will be widened to the Minimum wall width. It's expressed as a " +"percentage over nozzle diameter" msgstr "" -"Minimale dikte van dunne onderdelen. Modelkenmerken die dunner zijn dan deze waarde worden " -"niet afgedrukt, terwijl functies die dikker zijn dan de minimale afmeting van het object, " -"worden verbreed tot de minimale wandbreedte. Dit wordt uitgedrukt als een percentage ten " -"opzichte van de diameter van het mondstuk" +"Minimale dikte van dunne onderdelen. Modelkenmerken die dunner zijn dan deze " +"waarde worden niet afgedrukt, terwijl functies die dikker zijn dan de " +"minimale afmeting van het object, worden verbreed tot de minimale " +"wandbreedte. Dit wordt uitgedrukt als een percentage ten opzichte van de " +"diameter van het mondstuk" msgid "Minimum wall length" msgstr "Minimale wandlengte" msgid "" -"Adjust this value to prevent short, unclosed walls from being printed, which could increase " -"print time. Higher values remove more and longer walls.\n" +"Adjust this value to prevent short, unclosed walls from being printed, which " +"could increase print time. Higher values remove more and longer walls.\n" "\n" -"NOTE: Bottom and top surfaces will not be affected by this value to prevent visual gaps on " -"the ouside of the model. Adjust 'One wall threshold' in the Advanced settings below to " -"adjust the sensitivity of what is considered a top-surface. 'One wall threshold' is only " -"visibile if this setting is set above the default value of 0.5, or if single-wall top " -"surfaces is enabled." +"NOTE: Bottom and top surfaces will not be affected by this value to prevent " +"visual gaps on the ouside of the model. Adjust 'One wall threshold' in the " +"Advanced settings below to adjust the sensitivity of what is considered a " +"top-surface. 'One wall threshold' is only visibile if this setting is set " +"above the default value of 0.5, or if single-wall top surfaces is enabled." msgstr "" -"Pas deze waarde aan om te voorkomen dat korte, niet-gesloten wanden worden geprint, wat de " -"printtijd kan verlengen. Hogere waarden verwijderen meer en langere wanden.\n" +"Pas deze waarde aan om te voorkomen dat korte, niet-gesloten wanden worden " +"geprint, wat de printtijd kan verlengen. Hogere waarden verwijderen meer en " +"langere wanden.\n" "\n" -"OPMERKING: Onder- en bovenoppervlakken worden niet beïnvloed door deze waarde om visuele " -"gaten aan de buitenkant van het model te voorkomen. Pas 'One wall threshold' aan in de " -"geavanceerde instellingen hieronder om de gevoeligheid van wat als een bovenoppervlak wordt " -"beschouwd aan te passen. 'One wall threshold' is alleen zichtbaar als deze instelling boven " -"de standaardwaarde van 0,5 is ingesteld of als enkelwandige bovenoppervlakken zijn " -"ingeschakeld." +"OPMERKING: Onder- en bovenoppervlakken worden niet beïnvloed door deze " +"waarde om visuele gaten aan de buitenkant van het model te voorkomen. Pas " +"'One wall threshold' aan in de geavanceerde instellingen hieronder om de " +"gevoeligheid van wat als een bovenoppervlak wordt beschouwd aan te passen. " +"'One wall threshold' is alleen zichtbaar als deze instelling boven de " +"standaardwaarde van 0,5 is ingesteld of als enkelwandige bovenoppervlakken " +"zijn ingeschakeld." msgid "First layer minimum wall width" msgstr "Eerste laag minimale wandbreedte" msgid "" -"The minimum wall width that should be used for the first layer is recommended to be set to " -"the same size as the nozzle. This adjustment is expected to enhance adhesion." +"The minimum wall width that should be used for the first layer is " +"recommended to be set to the same size as the nozzle. This adjustment is " +"expected to enhance adhesion." msgstr "" -"De minimale wandbreedte die voor de eerste laag moet worden gebruikt, wordt aanbevolen om " -"op dezelfde grootte als het mondstuk te worden ingesteld. Deze aanpassing zal naar " -"verwachting de hechting verbeteren." +"De minimale wandbreedte die voor de eerste laag moet worden gebruikt, wordt " +"aanbevolen om op dezelfde grootte als het mondstuk te worden ingesteld. Deze " +"aanpassing zal naar verwachting de hechting verbeteren." msgid "Minimum wall width" msgstr "Minimale wandbreedte" msgid "" -"Width of the wall that will replace thin features (according to the Minimum feature size) " -"of the model. If the Minimum wall width is thinner than the thickness of the feature, the " -"wall will become as thick as the feature itself. It's expressed as a percentage over nozzle " -"diameter" +"Width of the wall that will replace thin features (according to the Minimum " +"feature size) of the model. If the Minimum wall width is thinner than the " +"thickness of the feature, the wall will become as thick as the feature " +"itself. It's expressed as a percentage over nozzle diameter" msgstr "" -"Breedte van de muur die dunne delen (volgens de minimale functiegrootte) van het model zal " -"vervangen. Als de minimale wandbreedte dunner is dan de dikte van het element, wordt de " -"muur net zo dik als het object zelf. Dit wordt uitgedrukt als een percentage ten opzichte " -"van de diameter van het mondstuk" +"Breedte van de muur die dunne delen (volgens de minimale functiegrootte) van " +"het model zal vervangen. Als de minimale wandbreedte dunner is dan de dikte " +"van het element, wordt de muur net zo dik als het object zelf. Dit wordt " +"uitgedrukt als een percentage ten opzichte van de diameter van het mondstuk" msgid "Detect narrow internal solid infill" msgstr "Detecteer dichte interne solide vulling (infill)" msgid "" -"This option will auto detect narrow internal solid infill area. If enabled, concentric " -"pattern will be used for the area to speed printing up. Otherwise, rectilinear pattern is " -"used defaultly." +"This option will auto detect narrow internal solid infill area. If enabled, " +"concentric pattern will be used for the area to speed printing up. " +"Otherwise, rectilinear pattern is used defaultly." msgstr "" -"Deze optie detecteert automatisch smalle interne solide opvul (infill) gebieden. Indien " -"ingeschakeld, wordt het concentrische patroon gebruikt voor het gebied om het afdrukken te " -"versnellen. Anders wordt standaard het rechtlijnige patroon gebruikt." +"Deze optie detecteert automatisch smalle interne solide opvul (infill) " +"gebieden. Indien ingeschakeld, wordt het concentrische patroon gebruikt voor " +"het gebied om het afdrukken te versnellen. Anders wordt standaard het " +"rechtlijnige patroon gebruikt." msgid "invalid value " msgstr "invalid value " @@ -13116,7 +13845,8 @@ msgstr "Do not run any validity checks, such as G-code path conflicts check." msgid "Ensure on bed" msgstr "Plaats op bed" -msgid "Lift the object above the bed when it is partially below. Disabled by default" +msgid "" +"Lift the object above the bed when it is partially below. Disabled by default" msgstr "" msgid "Orient Options" @@ -13138,11 +13868,13 @@ msgid "Data directory" msgstr "Bestandslocatie voor de data" msgid "" -"Load and store settings at the given directory. This is useful for maintaining different " -"profiles or including configurations from a network storage." +"Load and store settings at the given directory. This is useful for " +"maintaining different profiles or including configurations from a network " +"storage." msgstr "" -"Laad fabrieksinstellingen en sla op. Dit is handig voor het onderhouden van verschillende " -"profielen of het opnemen van configuraties van een netwerkopslag." +"Laad fabrieksinstellingen en sla op. Dit is handig voor het onderhouden van " +"verschillende profielen of het opnemen van configuraties van een " +"netwerkopslag." msgid "Load custom gcode" msgstr "Laad aangepaste gcode" @@ -13157,15 +13889,15 @@ msgid "Contains z-hop present at the beginning of the custom G-code block." msgstr "" msgid "" -"Position of the extruder at the beginning of the custom G-code block. If the custom G-code " -"travels somewhere else, it should write to this variable so PrusaSlicer knows where it " -"travels from when it gets control back." +"Position of the extruder at the beginning of the custom G-code block. If the " +"custom G-code travels somewhere else, it should write to this variable so " +"PrusaSlicer knows where it travels from when it gets control back." msgstr "" msgid "" -"Retraction state at the beginning of the custom G-code block. If the custom G-code moves " -"the extruder axis, it should write to this variable so PrusaSlicer deretracts correctly " -"when it gets control back." +"Retraction state at the beginning of the custom G-code block. If the custom " +"G-code moves the extruder axis, it should write to this variable so " +"PrusaSlicer deretracts correctly when it gets control back." msgstr "" msgid "Extra deretraction" @@ -13177,7 +13909,9 @@ msgstr "" msgid "Absolute E position" msgstr "" -msgid "Current position of the extruder axis. Only used with absolute extruder addressing." +msgid "" +"Current position of the extruder axis. Only used with absolute extruder " +"addressing." msgstr "" msgid "Current extruder" @@ -13189,7 +13923,9 @@ msgstr "" msgid "Current object index" msgstr "" -msgid "Specific for sequential printing. Zero-based index of currently printed object." +msgid "" +"Specific for sequential printing. Zero-based index of currently printed " +"object." msgstr "" msgid "Has wipe tower" @@ -13201,13 +13937,17 @@ msgstr "" msgid "Initial extruder" msgstr "" -msgid "Zero-based index of the first extruder used in the print. Same as initial_tool." +msgid "" +"Zero-based index of the first extruder used in the print. Same as " +"initial_tool." msgstr "" msgid "Initial tool" msgstr "" -msgid "Zero-based index of the first extruder used in the print. Same as initial_extruder." +msgid "" +"Zero-based index of the first extruder used in the print. Same as " +"initial_extruder." msgstr "" msgid "Is extruder used?" @@ -13244,15 +13984,16 @@ msgid "Weight per extruder" msgstr "" msgid "" -"Weight per extruder extruded during the entire print. Calculated from filament_density " -"value in Filament Settings." +"Weight per extruder extruded during the entire print. Calculated from " +"filament_density value in Filament Settings." msgstr "" msgid "Total weight" msgstr "" msgid "" -"Total weight of the print. Calculated from filament_density value in Filament Settings." +"Total weight of the print. Calculated from filament_density value in " +"Filament Settings." msgstr "" msgid "Total layer count" @@ -13277,8 +14018,9 @@ msgid "Scale per object" msgstr "" msgid "" -"Contains a string with the information about what scaling was applied to the individual " -"objects. Indexing of the objects is zero-based (first object has index 0).\n" +"Contains a string with the information about what scaling was applied to the " +"individual objects. Indexing of the objects is zero-based (first object has " +"index 0).\n" "Example: 'x:100% y:50% z:100'." msgstr "" @@ -13288,18 +14030,21 @@ msgstr "" msgid "Source filename of the first object, without extension." msgstr "" -msgid "The vector has two elements: x and y coordinate of the point. Values in mm." +msgid "" +"The vector has two elements: x and y coordinate of the point. Values in mm." msgstr "" -msgid "The vector has two elements: x and y dimension of the bounding box. Values in mm." +msgid "" +"The vector has two elements: x and y dimension of the bounding box. Values " +"in mm." msgstr "" msgid "First layer convex hull" msgstr "" msgid "" -"Vector of points of the first layer convex hull. Each element has the following format:'[x, " -"y]' (x and y are floating-point numbers in mm)." +"Vector of points of the first layer convex hull. Each element has the " +"following format:'[x, y]' (x and y are floating-point numbers in mm)." msgstr "" msgid "Bottom-left corner of first layer bounding box" @@ -13345,8 +14090,8 @@ msgid "Filament preset name" msgstr "" msgid "" -"Names of the filament presets used for slicing. The variable is a vector containing one " -"name for each extruder." +"Names of the filament presets used for slicing. The variable is a vector " +"containing one name for each extruder." msgstr "" msgid "Printer preset name" @@ -13364,7 +14109,9 @@ msgstr "" msgid "Number of extruders" msgstr "" -msgid "Total number of extruders, regardless of whether they are used in the current print." +msgid "" +"Total number of extruders, regardless of whether they are used in the " +"current print." msgstr "" msgid "Layer number" @@ -13376,7 +14123,9 @@ msgstr "" msgid "Layer z" msgstr "" -msgid "Height of the current layer above the print bed, measured to the top of the layer." +msgid "" +"Height of the current layer above the print bed, measured to the top of the " +"layer." msgstr "" msgid "Maximal layer z" @@ -13422,8 +14171,12 @@ msgid "large overhangs" msgstr "large overhangs" #, c-format, boost-format -msgid "It seems object %s has %s. Please re-orient the object or enable support generation." -msgstr "It seems object %s has %s. Please re-orient the object or enable support generation." +msgid "" +"It seems object %s has %s. Please re-orient the object or enable support " +"generation." +msgstr "" +"It seems object %s has %s. Please re-orient the object or enable support " +"generation." msgid "Optimizing toolpath" msgstr "Optimaliseren van het pad" @@ -13432,17 +14185,19 @@ msgid "Slicing mesh" msgstr "Slicing mesh" msgid "" -"No layers were detected. You might want to repair your STL file(s) or check their size or " -"thickness and retry.\n" +"No layers were detected. You might want to repair your STL file(s) or check " +"their size or thickness and retry.\n" msgstr "" -"No layers were detected. You might want to repair your STL file(s) or check their size or " -"thickness and retry.\n" +"No layers were detected. You might want to repair your STL file(s) or check " +"their size or thickness and retry.\n" msgid "" -"An object's XY size compensation will not be used because it is also color-painted.\n" +"An object's XY size compensation will not be used because it is also color-" +"painted.\n" "XY Size compensation can not be combined with color-painting." msgstr "" -"An object's XY size compensation will not be used because it is also color-painted.\n" +"An object's XY size compensation will not be used because it is also color-" +"painted.\n" "XY Size compensation can not be combined with color-painting." #, c-format, boost-format @@ -13476,8 +14231,11 @@ msgstr "Support: repareer gaten op laag %d" msgid "Support: propagate branches at layer %d" msgstr "Support: verspreid takken op laag %d" -msgid "Unknown file format. Input file must have .stl, .obj, .amf(.xml) extension." -msgstr "Unknown file format: input file must have .stl, .obj, or .amf(.xml) extension." +msgid "" +"Unknown file format. Input file must have .stl, .obj, .amf(.xml) extension." +msgstr "" +"Unknown file format: input file must have .stl, .obj, or .amf(.xml) " +"extension." msgid "Loading of a model file failed." msgstr "Loading of model file failed." @@ -13545,10 +14303,11 @@ msgstr "Klaar" msgid "How to use calibration result?" msgstr "Hoe kan ik kalibratieresultaten gebruiken?" -msgid "You could change the Flow Dynamics Calibration Factor in material editing" +msgid "" +"You could change the Flow Dynamics Calibration Factor in material editing" msgstr "" -"Je kunt de kalibratiefactor van de stromingsdynamica wijzigen bij het bewerken van " -"materialen" +"Je kunt de kalibratiefactor van de stromingsdynamica wijzigen bij het " +"bewerken van materialen" msgid "" "The current firmware version of the printer does not support calibration.\n" @@ -13597,7 +14356,8 @@ msgid "The selected preset: %s is not found." msgstr "De geselecteerde preset: %s is niet gevonden." msgid "The name cannot be the same as the system preset name." -msgstr "De naam mag niet hetzelfde zijn als de naam van de systeemvoorinstelling." +msgstr "" +"De naam mag niet hetzelfde zijn als de naam van de systeemvoorinstelling." msgid "The name is the same as another existing preset name" msgstr "De naam is hetzelfde als een andere bestaande presetnaam" @@ -13605,8 +14365,11 @@ msgstr "De naam is hetzelfde als een andere bestaande presetnaam" msgid "create new preset failed." msgstr "nieuwe voorinstelling maken mislukt." -msgid "Are you sure to cancel the current calibration and return to the home page?" -msgstr "Are you sure you want to cancel the current calibration and return to the home page?" +msgid "" +"Are you sure to cancel the current calibration and return to the home page?" +msgstr "" +"Are you sure you want to cancel the current calibration and return to the " +"home page?" msgid "No Printer Connected!" msgstr "Geen printer aangesloten!" @@ -13621,15 +14384,16 @@ msgid "The input value size must be 3." msgstr "De grootte van de invoerwaarde moet 3 zijn." msgid "" -"This machine type can only hold 16 history results per nozzle. You can delete the existing " -"historical results and then start calibration. Or you can continue the calibration, but you " -"cannot create new calibration historical results. \n" +"This machine type can only hold 16 history results per nozzle. You can " +"delete the existing historical results and then start calibration. Or you " +"can continue the calibration, but you cannot create new calibration " +"historical results. \n" "Do you still want to continue the calibration?" msgstr "" -"Dit type machine kan slechts 16 historische resultaten per mondstuk bevatten. U kunt de " -"bestaande historische resultaten verwijderen en vervolgens de kalibratie starten. Of u kunt " -"doorgaan met de kalibratie, maar u kunt geen nieuwe historische kalibratieresultaten " -"maken.\n" +"Dit type machine kan slechts 16 historische resultaten per mondstuk " +"bevatten. U kunt de bestaande historische resultaten verwijderen en " +"vervolgens de kalibratie starten. Of u kunt doorgaan met de kalibratie, maar " +"u kunt geen nieuwe historische kalibratieresultaten maken.\n" "Wilt u de kalibratie nog steeds voortzetten?" msgid "Connecting to printer..." @@ -13643,20 +14407,21 @@ msgstr "Flow Dynamics kalibratieresultaat is opgeslagen in de printer" #, c-format, boost-format msgid "" -"There is already a historical calibration result with the same name: %s. Only one of the " -"results with the same name is saved. Are you sure you want to override the historical " -"result?" +"There is already a historical calibration result with the same name: %s. " +"Only one of the results with the same name is saved. Are you sure you want " +"to override the historical result?" msgstr "" -"Er is al een eerder kalibratieresultaat met dezelfde naam: %s. Er wordt maar één resultaat " -"met een naam opgeslagen. Weet je zeker dat je het vorige resultaat wilt overschrijven?" +"Er is al een eerder kalibratieresultaat met dezelfde naam: %s. Er wordt maar " +"één resultaat met een naam opgeslagen. Weet je zeker dat je het vorige " +"resultaat wilt overschrijven?" #, c-format, boost-format msgid "" -"This machine type can only hold %d history results per nozzle. This result will not be " -"saved." +"This machine type can only hold %d history results per nozzle. This result " +"will not be saved." msgstr "" -"Dit type machine kan slechts %d historische resultaten per mondstuk bevatten. Dit resultaat " -"wordt niet opgeslagen." +"Dit type machine kan slechts %d historische resultaten per mondstuk " +"bevatten. Dit resultaat wordt niet opgeslagen." msgid "Internal Error" msgstr "Interne fout" @@ -13665,32 +14430,37 @@ msgid "Please select at least one filament for calibration" msgstr "Selecteer ten minste één filament voor kalibratie" msgid "Flow rate calibration result has been saved to preset" -msgstr "Het resultaat van de debietkalibratie is opgeslagen in een voorkeursinstelling." +msgstr "" +"Het resultaat van de debietkalibratie is opgeslagen in een " +"voorkeursinstelling." msgid "Max volumetric speed calibration result has been saved to preset" msgstr "" -"Het kalibratieresultaat van de maximale volumetrische snelheid is opgeslagen in de vooraf " -"ingestelde waarde" +"Het kalibratieresultaat van de maximale volumetrische snelheid is opgeslagen " +"in de vooraf ingestelde waarde" msgid "When do you need Flow Dynamics Calibration" msgstr "Wanneer heb je een Flow Dynamics-kalibratie nodig?" msgid "" -"We now have added the auto-calibration for different filaments, which is fully automated " -"and the result will be saved into the printer for future use. You only need to do the " -"calibration in the following limited cases:\n" -"1. If you introduce a new filament of different brands/models or the filament is damp;\n" +"We now have added the auto-calibration for different filaments, which is " +"fully automated and the result will be saved into the printer for future " +"use. You only need to do the calibration in the following limited cases:\n" +"1. If you introduce a new filament of different brands/models or the " +"filament is damp;\n" "2. if the nozzle is worn out or replaced with a new one;\n" -"3. If the max volumetric speed or print temperature is changed in the filament setting." +"3. If the max volumetric speed or print temperature is changed in the " +"filament setting." msgstr "" -"We hebben nu de automatische kalibratie voor verschillende filamenten toegevoegd. Deze is " -"volledig geautomatiseerd en het resultaat wordt opgeslagen in de printer voor toekomstig " -"gebruik. Je hoeft de kalibratie alleen uit te voeren in de volgende beperkte gevallen:\n" -"1. Als je een nieuw filament van een ander merk/model introduceert of als het filament " -"vochtig is;\n" +"We hebben nu de automatische kalibratie voor verschillende filamenten " +"toegevoegd. Deze is volledig geautomatiseerd en het resultaat wordt " +"opgeslagen in de printer voor toekomstig gebruik. Je hoeft de kalibratie " +"alleen uit te voeren in de volgende beperkte gevallen:\n" +"1. Als je een nieuw filament van een ander merk/model introduceert of als " +"het filament vochtig is;\n" "2. Als het mondstuk versleten is of vervangen is door een nieuwe;\n" -"3. Als de maximale volumetrische snelheid of printtemperatuur is gewijzigd in de " -"filamentinstelling." +"3. Als de maximale volumetrische snelheid of printtemperatuur is gewijzigd " +"in de filamentinstelling." msgid "About this calibration" msgstr "Over deze kalibratie" @@ -13698,97 +14468,106 @@ msgstr "Over deze kalibratie" msgid "" "Please find the details of Flow Dynamics Calibration from our wiki.\n" "\n" -"Usually the calibration is unnecessary. When you start a single color/material print, with " -"the \"flow dynamics calibration\" option checked in the print start menu, the printer will " -"follow the old way, calibrate the filament before the print; When you start a multi color/" -"material print, the printer will use the default compensation parameter for the filament " -"during every filament switch which will have a good result in most cases.\n" +"Usually the calibration is unnecessary. When you start a single color/" +"material print, with the \"flow dynamics calibration\" option checked in the " +"print start menu, the printer will follow the old way, calibrate the " +"filament before the print; When you start a multi color/material print, the " +"printer will use the default compensation parameter for the filament during " +"every filament switch which will have a good result in most cases.\n" "\n" -"Please note that there are a few cases that can make the calibration results unreliable, " -"such as insufficient adhesion on the build plate. Improving adhesion can be achieved by " -"washing the build plate or applying glue. For more information on this topic, please refer " -"to our Wiki.\n" +"Please note that there are a few cases that can make the calibration results " +"unreliable, such as insufficient adhesion on the build plate. Improving " +"adhesion can be achieved by washing the build plate or applying glue. For " +"more information on this topic, please refer to our Wiki.\n" "\n" -"The calibration results have about 10 percent jitter in our test, which may cause the " -"result not exactly the same in each calibration. We are still investigating the root cause " -"to do improvements with new updates." +"The calibration results have about 10 percent jitter in our test, which may " +"cause the result not exactly the same in each calibration. We are still " +"investigating the root cause to do improvements with new updates." msgstr "" msgid "When to use Flow Rate Calibration" msgstr "Wanneer moet u Flow Rate kalibratie gebruiken" msgid "" -"After using Flow Dynamics Calibration, there might still be some extrusion issues, such " -"as:\n" -"1. Over-Extrusion: Excess material on your printed object, forming blobs or zits, or the " -"layers seem thicker than expected and not uniform.\n" -"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the top layer of the " -"model, even when printing slowly.\n" +"After using Flow Dynamics Calibration, there might still be some extrusion " +"issues, such as:\n" +"1. Over-Extrusion: Excess material on your printed object, forming blobs or " +"zits, or the layers seem thicker than expected and not uniform.\n" +"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the " +"top layer of the model, even when printing slowly.\n" "3. Poor Surface Quality: The surface of your prints seems rough or uneven.\n" -"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as they should be." +"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as " +"they should be." msgstr "" -"After using Flow Dynamics Calibration, there might still be some extrusion issues, such " -"as:\n" -"1. Over-Extrusion: Excess material on your printed object, forming blobs or zits, or the " -"layers seem thicker than expected and not uniform.\n" -"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the top layer of the " -"model, even when printing slowly.\n" +"After using Flow Dynamics Calibration, there might still be some extrusion " +"issues, such as:\n" +"1. Over-Extrusion: Excess material on your printed object, forming blobs or " +"zits, or the layers seem thicker than expected and not uniform.\n" +"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the " +"top layer of the model, even when printing slowly.\n" "3. Poor Surface Quality: The surface of your prints seems rough or uneven.\n" -"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as they should be." +"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as " +"they should be." msgid "" -"In addition, Flow Rate Calibration is crucial for foaming materials like LW-PLA used in RC " -"planes. These materials expand greatly when heated, and calibration provides a useful " -"reference flow rate." +"In addition, Flow Rate Calibration is crucial for foaming materials like LW-" +"PLA used in RC planes. These materials expand greatly when heated, and " +"calibration provides a useful reference flow rate." msgstr "" -"Bovendien is Flow Rate kalibratie cruciaal voor schuimmaterialen zoals LW-PLA die worden " -"gebruikt in RC-vliegtuigen. Deze materialen zetten sterk uit bij verhitting, en kalibratie " -"levert een bruikbare referentiestroom op." +"Bovendien is Flow Rate kalibratie cruciaal voor schuimmaterialen zoals LW-" +"PLA die worden gebruikt in RC-vliegtuigen. Deze materialen zetten sterk uit " +"bij verhitting, en kalibratie levert een bruikbare referentiestroom op." msgid "" -"Flow Rate Calibration measures the ratio of expected to actual extrusion volumes. The " -"default setting works well in Bambu Lab printers and official filaments as they were pre-" -"calibrated and fine-tuned. For a regular filament, you usually won't need to perform a Flow " -"Rate Calibration unless you still see the listed defects after you have done other " -"calibrations. For more details, please check out the wiki article." +"Flow Rate Calibration measures the ratio of expected to actual extrusion " +"volumes. The default setting works well in Bambu Lab printers and official " +"filaments as they were pre-calibrated and fine-tuned. For a regular " +"filament, you usually won't need to perform a Flow Rate Calibration unless " +"you still see the listed defects after you have done other calibrations. For " +"more details, please check out the wiki article." msgstr "" -"Flow Rate Calibration meet de verhouding tussen verwachte en werkelijke extrusievolumes. De " -"standaardinstelling werkt goed in Bambu Lab printers en officiële filamenten, omdat deze " -"vooraf zijn gekalibreerd en afgestemd. Voor een normaal filament is het meestal niet nodig " -"om een kalibratie van de stroomsnelheid uit te voeren, tenzij je nog steeds de genoemde " -"defecten ziet nadat je andere kalibraties hebt uitgevoerd. Kijk voor meer informatie in het " -"wiki-artikel." +"Flow Rate Calibration meet de verhouding tussen verwachte en werkelijke " +"extrusievolumes. De standaardinstelling werkt goed in Bambu Lab printers en " +"officiële filamenten, omdat deze vooraf zijn gekalibreerd en afgestemd. Voor " +"een normaal filament is het meestal niet nodig om een kalibratie van de " +"stroomsnelheid uit te voeren, tenzij je nog steeds de genoemde defecten ziet " +"nadat je andere kalibraties hebt uitgevoerd. Kijk voor meer informatie in " +"het wiki-artikel." msgid "" -"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, directly measuring " -"the calibration patterns. However, please be advised that the efficacy and accuracy of this " -"method may be compromised with specific types of materials. Particularly, filaments that " -"are transparent or semi-transparent, sparkling-particled, or have a high-reflective finish " -"may not be suitable for this calibration and can produce less-than-desirable results.\n" +"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, " +"directly measuring the calibration patterns. However, please be advised that " +"the efficacy and accuracy of this method may be compromised with specific " +"types of materials. Particularly, filaments that are transparent or semi-" +"transparent, sparkling-particled, or have a high-reflective finish may not " +"be suitable for this calibration and can produce less-than-desirable " +"results.\n" "\n" -"The calibration results may vary between each calibration or filament. We are still " -"improving the accuracy and compatibility of this calibration through firmware updates over " -"time.\n" +"The calibration results may vary between each calibration or filament. We " +"are still improving the accuracy and compatibility of this calibration " +"through firmware updates over time.\n" "\n" -"Caution: Flow Rate Calibration is an advanced process, to be attempted only by those who " -"fully understand its purpose and implications. Incorrect usage can lead to sub-par prints " -"or printer damage. Please make sure to carefully read and understand the process before " -"doing it." +"Caution: Flow Rate Calibration is an advanced process, to be attempted only " +"by those who fully understand its purpose and implications. Incorrect usage " +"can lead to sub-par prints or printer damage. Please make sure to carefully " +"read and understand the process before doing it." msgstr "" -"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, directly measuring " -"the calibration patterns. However, please be advised that the efficacy and accuracy of this " -"method may be compromised with specific types of materials. Particularly, filaments that " -"are transparent or semi-transparent, sparkling-particled, or have a high-reflective finish " -"may not be suitable for this calibration and can produce less-than-desirable results.\n" +"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, " +"directly measuring the calibration patterns. However, please be advised that " +"the efficacy and accuracy of this method may be compromised with specific " +"types of materials. Particularly, filaments that are transparent or semi-" +"transparent, sparkling-particled, or have a high-reflective finish may not " +"be suitable for this calibration and can produce less-than-desirable " +"results.\n" "\n" -"The calibration results may vary between each calibration or filament. We are still " -"improving the accuracy and compatibility of this calibration through firmware updates over " -"time.\n" +"The calibration results may vary between each calibration or filament. We " +"are still improving the accuracy and compatibility of this calibration " +"through firmware updates over time.\n" "\n" -"Caution: Flow Rate Calibration is an advanced process, to be attempted only by those who " -"fully understand its purpose and implications. Incorrect usage can lead to sub-par prints " -"or printer damage. Please make sure to carefully read and understand the process before " -"performing it." +"Caution: Flow Rate Calibration is an advanced process, to be attempted only " +"by those who fully understand its purpose and implications. Incorrect usage " +"can lead to sub-par prints or printer damage. Please make sure to carefully " +"read and understand the process before performing it." msgid "When you need Max Volumetric Speed Calibration" msgstr "Wanneer u maximale volumetrische snelheidskalibratie nodig hebt" @@ -13798,7 +14577,8 @@ msgstr "Over-extrusie of onderextrusie" msgid "Max Volumetric Speed calibration is recommended when you print with:" msgstr "" -"Kalibratie van de maximale volumetrische snelheid wordt aanbevolen wanneer je afdrukt met:" +"Kalibratie van de maximale volumetrische snelheid wordt aanbevolen wanneer " +"je afdrukt met:" msgid "material with significant thermal shrinkage/expansion, such as..." msgstr "materiaal met aanzienlijke thermische krimp/uitzetting, zoals..." @@ -13810,16 +14590,18 @@ msgid "We found the best Flow Dynamics Calibration Factor" msgstr "We hebben de beste Flow Dynamics kalibratiefactor gevonden" msgid "" -"Part of the calibration failed! You may clean the plate and retry. The failed test result " -"would be dropped." +"Part of the calibration failed! You may clean the plate and retry. The " +"failed test result would be dropped." msgstr "" -"Een deel van de kalibratie is mislukt! U kunt de plaat schoonmaken en het opnieuw proberen. " -"Het mislukte testresultaat komt te vervallen." +"Een deel van de kalibratie is mislukt! U kunt de plaat schoonmaken en het " +"opnieuw proberen. Het mislukte testresultaat komt te vervallen." -msgid "*We recommend you to add brand, materia, type, and even humidity level in the Name" +msgid "" +"*We recommend you to add brand, materia, type, and even humidity level in " +"the Name" msgstr "" -"*We raden je aan om merk, materiaal, type en zelfs vochtigheidsgraad toe te voegen in de " -"Naam." +"*We raden je aan om merk, materiaal, type en zelfs vochtigheidsgraad toe te " +"voegen in de Naam." msgid "Failed" msgstr "Mislukt" @@ -13831,11 +14613,11 @@ msgid "The name cannot exceed 40 characters." msgstr "De naam mag niet langer zijn dan 40 tekens." msgid "" -"Only one of the results with the same name will be saved. Are you sure you want to override " -"the other results?" +"Only one of the results with the same name will be saved. Are you sure you " +"want to override the other results?" msgstr "" -"Slechts één van de resultaten met dezelfde naam wordt opgeslagen. Weet je zeker dat je de " -"andere resultaten wilt overschrijven?" +"Slechts één van de resultaten met dezelfde naam wordt opgeslagen. Weet je " +"zeker dat je de andere resultaten wilt overschrijven?" msgid "Please find the best line on your plate" msgstr "Zoek de beste regel op je bord" @@ -13893,7 +14675,8 @@ msgid "Please choose a block with smoothest top surface." msgstr "Kies een blok met de gladste bovenkant." msgid "Please input a valid value (0 <= Max Volumetric Speed <= 60)" -msgstr "Voer een geldige waarde in (0 <= maximale volumetrische snelheid <= 60)" +msgstr "" +"Voer een geldige waarde in (0 <= maximale volumetrische snelheid <= 60)" msgid "Calibration Type" msgstr "Kalibratietype" @@ -13908,11 +14691,11 @@ msgid "Title" msgstr "Titel" msgid "" -"A test model will be printed. Please clear the build plate and place it back to the hot bed " -"before calibration." +"A test model will be printed. Please clear the build plate and place it back " +"to the hot bed before calibration." msgstr "" -"Er wordt een testmodel geprint. Maak de bouwplaat vrij en plaats deze terug op het hotbed " -"voordat je gaat kalibreren." +"Er wordt een testmodel geprint. Maak de bouwplaat vrij en plaats deze terug " +"op het hotbed voordat je gaat kalibreren." msgid "Printing Parameters" msgstr "Afdrukparameters" @@ -13936,7 +14719,8 @@ msgid "" msgstr "" "Tips voor kalibratiemateriaal: \n" "- Materialen die dezelfde warmbedtemperatuur kunnen delen\n" -"- Verschillende filamentmerken en -families (Merk = Bambu, Familie = Basis, Mat)" +"- Verschillende filamentmerken en -families (Merk = Bambu, Familie = Basis, " +"Mat)" msgid "Pattern" msgstr "Patroon" @@ -13964,7 +14748,8 @@ msgid "Step value" msgstr "Stap waarde" msgid "The nozzle diameter has been synchronized from the printer Settings" -msgstr "De diameter van het mondstuk is gesynchroniseerd met de printerinstellingen." +msgstr "" +"De diameter van het mondstuk is gesynchroniseerd met de printerinstellingen." msgid "From Volumetric Speed" msgstr "Van Volumetric Speed" @@ -13992,7 +14777,8 @@ msgstr "Actie" #, c-format, boost-format msgid "This machine type can only hold %d history results per nozzle." -msgstr "Dit type machine kan slechts %d historische resultaten per mondstuk bevatten." +msgstr "" +"Dit type machine kan slechts %d historische resultaten per mondstuk bevatten." msgid "Edit Flow Dynamics Calibration" msgstr "Flow Dynamics-kalibratie bewerken" @@ -14176,7 +14962,8 @@ msgid "Upload to Printer Host with the following filename:" msgstr "Uploaden naar Printer Host met de volgende bestandsnaam:" msgid "Use forward slashes ( / ) as a directory separator if needed." -msgstr "Gebruik indien nodig schuine strepen (/) als scheidingsteken voor mappen." +msgstr "" +"Gebruik indien nodig schuine strepen (/) als scheidingsteken voor mappen." msgid "Upload to storage" msgstr "Uploaden naar opslag" @@ -14357,10 +15144,11 @@ msgstr "Vendor is not selected; please reselect vendor." msgid "Custom vendor is not input, please input custom vendor." msgstr "Custom vendor missing; please input custom vendor." -msgid "\"Bambu\" or \"Generic\" can not be used as a Vendor for custom filaments." +msgid "" +"\"Bambu\" or \"Generic\" can not be used as a Vendor for custom filaments." msgstr "" -"\"Bambu\" of \"Generic\" kan niet worden gebruikt als leverancier voor aangepaste " -"filamenten." +"\"Bambu\" of \"Generic\" kan niet worden gebruikt als leverancier voor " +"aangepaste filamenten." msgid "Filament type is not selected, please reselect type." msgstr "Het type draad is niet geselecteerd, selecteer het type opnieuw." @@ -14369,30 +15157,34 @@ msgid "Filament serial is not inputed, please input serial." msgstr "Filament serial missing; please input serial." msgid "" -"There may be escape characters in the vendor or serial input of filament. Please delete and " -"re-enter." +"There may be escape characters in the vendor or serial input of filament. " +"Please delete and re-enter." msgstr "" -"There may be disallowed characters in the vendor or serial input of the filament. Please " -"delete and re-enter." +"There may be disallowed characters in the vendor or serial input of the " +"filament. Please delete and re-enter." msgid "All inputs in the custom vendor or serial are spaces. Please re-enter." -msgstr "Alle ingangen in de aangepaste verkoper of serie zijn spaties. Voer opnieuw in." +msgstr "" +"Alle ingangen in de aangepaste verkoper of serie zijn spaties. Voer opnieuw " +"in." msgid "The vendor can not be a number. Please re-enter." msgstr "The vendor can not be a number; please re-enter." -msgid "You have not selected a printer or preset yet. Please select at least one." -msgstr "Je hebt nog geen printer of preset geselecteerd. Selecteer er ten minste één." +msgid "" +"You have not selected a printer or preset yet. Please select at least one." +msgstr "" +"Je hebt nog geen printer of preset geselecteerd. Selecteer er ten minste één." #, c-format, boost-format msgid "" "The Filament name %s you created already exists. \n" -"If you continue creating, the preset created will be displayed with its full name. Do you " -"want to continue?" +"If you continue creating, the preset created will be displayed with its full " +"name. Do you want to continue?" msgstr "" "De filamentnaam %s die je hebt gemaakt, bestaat al. \n" -"Als u doorgaat, wordt de gemaakte voorinstelling weergegeven met de volledige naam. Wilt u " -"doorgaan?" +"Als u doorgaat, wordt de gemaakte voorinstelling weergegeven met de " +"volledige naam. Wilt u doorgaan?" msgid "Some existing presets have failed to be created, as follows:\n" msgstr "Sommige bestaande presets zijn niet aangemaakt, als volgt:\n" @@ -14405,7 +15197,8 @@ msgstr "" "Wil je het herschrijven?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" @@ -14501,35 +15294,37 @@ msgid "Back Page 1" msgstr "Terug Pagina 1" msgid "" -"You have not yet chosen which printer preset to create based on. Please choose the vendor " -"and model of the printer" +"You have not yet chosen which printer preset to create based on. Please " +"choose the vendor and model of the printer" msgstr "" -"Je hebt nog niet gekozen op basis van welke preset je de printer wilt maken. Kies de " -"leverancier en het model van de printer" +"Je hebt nog niet gekozen op basis van welke preset je de printer wilt maken. " +"Kies de leverancier en het model van de printer" msgid "" -"You have entered an illegal input in the printable area section on the first page. Please " -"check before creating it." +"You have entered an illegal input in the printable area section on the first " +"page. Please check before creating it." msgstr "" -"U hebt een niet toegestaan teken ingevoerd in het gedeelte van het afdrukbare gebied op de " -"eerste pagina. Gebruik alleen cijfers." +"U hebt een niet toegestaan teken ingevoerd in het gedeelte van het " +"afdrukbare gebied op de eerste pagina. Gebruik alleen cijfers." msgid "The custom printer or model is not inputed, place input." msgstr "The custom printer or model missing; please input." msgid "" -"The printer preset you created already has a preset with the same name. Do you want to " -"overwrite it?\n" -"\tYes: Overwrite the printer preset with the same name, and filament and process presets " -"with the same preset name will be recreated \n" -"and filament and process presets without the same preset name will be reserve.\n" +"The printer preset you created already has a preset with the same name. Do " +"you want to overwrite it?\n" +"\tYes: Overwrite the printer preset with the same name, and filament and " +"process presets with the same preset name will be recreated \n" +"and filament and process presets without the same preset name will be " +"reserve.\n" "\tCancel: Do not create a preset, return to the creation interface." msgstr "" -"The printer preset you created already has a preset with the same name. Do you want to " -"overwrite it?\n" -"\tYes: Overwrite the printer preset with the same name, and filament and process presets " -"with the same preset name will be recreated \n" -"and filament and process presets without the same preset name will be reserved.\n" +"The printer preset you created already has a preset with the same name. Do " +"you want to overwrite it?\n" +"\tYes: Overwrite the printer preset with the same name, and filament and " +"process presets with the same preset name will be recreated \n" +"and filament and process presets without the same preset name will be " +"reserved.\n" "\tCancel: Do not create a preset; return to the creation interface." msgid "You need to select at least one filament preset." @@ -14550,30 +15345,34 @@ msgstr "Leverancier is niet gevonden; selecteer opnieuw." msgid "Current vendor has no models, please reselect." msgstr "De huidige leverancier heeft geen modellen. Selecteer opnieuw." -msgid "You have not selected the vendor and model or inputed the custom vendor and model." +msgid "" +"You have not selected the vendor and model or inputed the custom vendor and " +"model." msgstr "" -"U hebt de verkoper en het model niet geselecteerd of de aangepaste verkoper en het " -"aangepaste model niet ingevoerd." +"U hebt de verkoper en het model niet geselecteerd of de aangepaste verkoper " +"en het aangepaste model niet ingevoerd." msgid "" -"There may be escape characters in the custom printer vendor or model. Please delete and re-" -"enter." +"There may be escape characters in the custom printer vendor or model. Please " +"delete and re-enter." msgstr "" -"Er kunnen escape-tekens staan in de aangepaste printerverkoper of het aangepaste " -"printermodel. Verwijder ze en voer ze opnieuw in." +"Er kunnen escape-tekens staan in de aangepaste printerverkoper of het " +"aangepaste printermodel. Verwijder ze en voer ze opnieuw in." -msgid "All inputs in the custom printer vendor or model are spaces. Please re-enter." +msgid "" +"All inputs in the custom printer vendor or model are spaces. Please re-enter." msgstr "" -"Alle invoer in de aangepaste printerverkoper of het aangepaste printermodel zijn spaties. " -"Voer opnieuw in." +"Alle invoer in de aangepaste printerverkoper of het aangepaste printermodel " +"zijn spaties. Voer opnieuw in." msgid "Please check bed printable shape and origin input." msgstr "Controleer de bedrukbare vorm en oorsprongsinvoer." -msgid "You have not yet selected the printer to replace the nozzle, please choose." +msgid "" +"You have not yet selected the printer to replace the nozzle, please choose." msgstr "" -"Je hebt de printer waarvoor je het mondstuk wilt vervangen nog niet geselecteerd; kies een " -"printer." +"Je hebt de printer waarvoor je het mondstuk wilt vervangen nog niet " +"geselecteerd; kies een printer." msgid "Create Printer Successful" msgstr "Printer succesvol gemaakt" @@ -14592,27 +15391,31 @@ msgstr "Aangemaakt filament" msgid "" "Please go to filament setting to edit your presets if you need.\n" -"Please note that nozzle temperature, hot bed temperature, and maximum volumetric speed has " -"a significant impact on printing quality. Please set them carefully." +"Please note that nozzle temperature, hot bed temperature, and maximum " +"volumetric speed has a significant impact on printing quality. Please set " +"them carefully." msgstr "" -"Ga naar filamentinstellingen om uw voorinstellingen te bewerken als dat nodig is.\n" -"Houd er rekening mee dat de spuitmondtemperatuur, warmbedtemperatuur en maximale " -"volumetrische snelheid elk een aanzienlijke invloed hebben op de printkwaliteit. Stel ze " -"daarom zorgvuldig in." +"Ga naar filamentinstellingen om uw voorinstellingen te bewerken als dat " +"nodig is.\n" +"Houd er rekening mee dat de spuitmondtemperatuur, warmbedtemperatuur en " +"maximale volumetrische snelheid elk een aanzienlijke invloed hebben op de " +"printkwaliteit. Stel ze daarom zorgvuldig in." msgid "" "\n" "\n" -"Orca has detected that your user presets synchronization function is not enabled, which may " -"result in unsuccessful Filament settings on the Device page. \n" +"Orca has detected that your user presets synchronization function is not " +"enabled, which may result in unsuccessful Filament settings on the Device " +"page. \n" "Click \"Sync user presets\" to enable the synchronization function." msgstr "" "\n" "\n" -"Orca heeft gedetecteerd dat de synchronisatiefunctie voor uw gebruikersinstellingen niet is " -"ingeschakeld, wat kan resulteren in mislukte Filament-instellingen op de pagina Apparaat.\n" -"Klik op \"Gebruikersinstellingen synchroniseren\" om de synchronisatiefunctie in te " -"schakelen." +"Orca heeft gedetecteerd dat de synchronisatiefunctie voor uw " +"gebruikersinstellingen niet is ingeschakeld, wat kan resulteren in mislukte " +"Filament-instellingen op de pagina Apparaat.\n" +"Klik op \"Gebruikersinstellingen synchroniseren\" om de " +"synchronisatiefunctie in te schakelen." msgid "Printer Setting" msgstr "Printerinstelling" @@ -14652,13 +15455,15 @@ msgstr "Exporteren is gelukt" #, c-format, boost-format msgid "" -"The '%s' folder already exists in the current directory. Do you want to clear it and " -"rebuild it.\n" -"If not, a time suffix will be added, and you can modify the name after creation." +"The '%s' folder already exists in the current directory. Do you want to " +"clear it and rebuild it.\n" +"If not, a time suffix will be added, and you can modify the name after " +"creation." msgstr "" -"The '%s' folder already exists in the current directory. Do you want to clear it and " -"rebuild it?\n" -"If not, a time suffix will be added, and you can modify the name after creation." +"The '%s' folder already exists in the current directory. Do you want to " +"clear it and rebuild it?\n" +"If not, a time suffix will be added, and you can modify the name after " +"creation." msgid "" "Printer and all the filament&&process presets that belongs to the printer. \n" @@ -14672,35 +15477,40 @@ msgstr "" "Ingestelde preset vullingsset van de gebruiker.\n" "Kan worden gedeeld met anderen." -msgid "Only display printer names with changes to printer, filament, and process presets." +msgid "" +"Only display printer names with changes to printer, filament, and process " +"presets." msgstr "" -"Alleen printers met wijzigingen in printer-, filament- en proces presets worden weergegeven." +"Alleen printers met wijzigingen in printer-, filament- en proces presets " +"worden weergegeven." msgid "Only display the filament names with changes to filament presets." msgstr "Geef alleen de filamentnamen weer met wijzigingen in filament presets." msgid "" -"Only printer names with user printer presets will be displayed, and each preset you choose " -"will be exported as a zip." +"Only printer names with user printer presets will be displayed, and each " +"preset you choose will be exported as a zip." msgstr "" -"Alleen printernamen met gebruikersprinter presets worden weergegeven en elke preset die je " -"kiest, wordt als zip geëxporteerd." +"Alleen printernamen met gebruikersprinter presets worden weergegeven en elke " +"preset die je kiest, wordt als zip geëxporteerd." msgid "" "Only the filament names with user filament presets will be displayed, \n" -"and all user filament presets in each filament name you select will be exported as a zip." +"and all user filament presets in each filament name you select will be " +"exported as a zip." msgstr "" "Alleen de filamentnamen met gebruikers presets worden weergegeven, \n" -"en alle gebruikers presets in elke filamentnaam die u selecteert, worden geëxporteerd als " -"zip-bestand." +"en alle gebruikers presets in elke filamentnaam die u selecteert, worden " +"geëxporteerd als zip-bestand." msgid "" "Only printer names with changed process presets will be displayed, \n" -"and all user process presets in each printer name you select will be exported as a zip." +"and all user process presets in each printer name you select will be " +"exported as a zip." msgstr "" "Alleen printernamen met gewijzigde proces presets worden weergegeven, \n" -"en alle gebruikersproces presets in elke printernaam die u selecteert, worden als zip " -"geëxporteerd." +"en alle gebruikersproces presets in elke printernaam die u selecteert, " +"worden als zip geëxporteerd." msgid "Please select at least one printer or filament." msgstr "Selecteer ten minste één printer of filament." @@ -14718,14 +15528,15 @@ msgid "Filament presets under this filament" msgstr "Voorinstellingen voor filament onder dit filament" msgid "" -"Note: If the only preset under this filament is deleted, the filament will be deleted after " -"exiting the dialog." +"Note: If the only preset under this filament is deleted, the filament will " +"be deleted after exiting the dialog." msgstr "" -"Opmerking: Als de enige preset onder deze gloeidraad wordt verwijderd, wordt de gloeidraad " -"verwijderd na het verlaten van het dialoogvenster." +"Opmerking: Als de enige preset onder deze gloeidraad wordt verwijderd, wordt " +"de gloeidraad verwijderd na het verlaten van het dialoogvenster." msgid "Presets inherited by other presets can not be deleted" -msgstr "Presets die door andere presets worden geërfd, kunnen niet worden verwijderd" +msgstr "" +"Presets die door andere presets worden geërfd, kunnen niet worden verwijderd" msgid "The following presets inherits this preset." msgid_plural "The following preset inherits this preset." @@ -14749,11 +15560,13 @@ msgstr "Draad verwijderen" msgid "" "All the filament presets belong to this filament would be deleted. \n" -"If you are using this filament on your printer, please reset the filament information for " -"that slot." +"If you are using this filament on your printer, please reset the filament " +"information for that slot." msgstr "" -"Alle presets van het filament die bij dit filament horen, worden verwijderd. \n" -"Als u dit filament gebruikt in uw printer, reset dan de filamentinformatie voor die sleuf." +"Alle presets van het filament die bij dit filament horen, worden " +"verwijderd. \n" +"Als u dit filament gebruikt in uw printer, reset dan de filamentinformatie " +"voor die sleuf." msgid "Delete filament" msgstr "Draad verwijderen" @@ -14790,15 +15603,17 @@ msgid "nozzle memorized: %.1f %s" msgstr "mondstuk onthouden: %.1f %s" msgid "" -"Your nozzle diameter in preset is not consistent with memorized nozzle diameter. Did you " -"change your nozzle lately?" +"Your nozzle diameter in preset is not consistent with memorized nozzle " +"diameter. Did you change your nozzle lately?" msgstr "" -"Uw mondstuk diameter in preset komt niet overeen met de opgeslagen mondstuk diameter. Heeft " -"u uw mondstuk veranderd?" +"Uw mondstuk diameter in preset komt niet overeen met de opgeslagen mondstuk " +"diameter. Heeft u uw mondstuk veranderd?" #, c-format, boost-format msgid "*Printing %s material with %s may cause nozzle damage" -msgstr "*Het afdrukken van %s materiaal met %s kan schade aan het mondstuk veroorzaken" +msgstr "" +"*Het afdrukken van %s materiaal met %s kan schade aan het mondstuk " +"veroorzaken" msgid "Need select printer" msgstr "Printer selecteren" @@ -14807,11 +15622,11 @@ msgid "The start, end or step is not valid value." msgstr "Het begin, einde of stap is geen geldige waarde." msgid "" -"Unable to calibrate: maybe because the set calibration value range is too large, or the " -"step is too small" +"Unable to calibrate: maybe because the set calibration value range is too " +"large, or the step is too small" msgstr "" -"Kan niet kalibreren: misschien omdat het bereik van de ingestelde kalibratiewaarde te groot " -"is, of omdat de stap te klein is" +"Kan niet kalibreren: misschien omdat het bereik van de ingestelde " +"kalibratiewaarde te groot is, of omdat de stap te klein is" msgid "Physical Printer" msgstr "Fysieke printer" @@ -14838,11 +15653,11 @@ msgid "Replace the BambuLab's device tab with print host webui" msgstr "Vervang het apparaattabblad van BambuLab door de printhost webui" msgid "" -"HTTPS CA file is optional. It is only needed if you use HTTPS with a self-signed " -"certificate." +"HTTPS CA file is optional. It is only needed if you use HTTPS with a self-" +"signed certificate." msgstr "" -"HTTPS CA-bestand is optioneel. Het is alleen nodig als je HTTPS gebruikt met een " -"zelfondertekend certificaat." +"HTTPS CA-bestand is optioneel. Het is alleen nodig als je HTTPS gebruikt met " +"een zelfondertekend certificaat." msgid "Certificate files (*.crt, *.pem)|*.crt;*.pem|All files|*.*" msgstr "Certificaatbestanden (*.crt, *.pem)|*.crt;*.pem|Alle bestanden|*.*" @@ -14852,15 +15667,18 @@ msgstr "Open CA-certificaatbestand" #, c-format, boost-format msgid "" -"On this system, %s uses HTTPS certificates from the system Certificate Store or Keychain." +"On this system, %s uses HTTPS certificates from the system Certificate Store " +"or Keychain." msgstr "" -"Op dit systeem gebruikt %s HTTPS-certificaten uit de systeemcertificaatopslag of de " -"sleutelhanger." +"Op dit systeem gebruikt %s HTTPS-certificaten uit de " +"systeemcertificaatopslag of de sleutelhanger." -msgid "To use a custom CA file, please import your CA file into Certificate Store / Keychain." -msgstr "" -"Om een aangepast CA-bestand te gebruiken, importeert u uw CA-bestand in Certificate Store / " +msgid "" +"To use a custom CA file, please import your CA file into Certificate Store / " "Keychain." +msgstr "" +"Om een aangepast CA-bestand te gebruiken, importeert u uw CA-bestand in " +"Certificate Store / Keychain." msgid "Login/Test" msgstr "Inloggen/Test" @@ -14906,10 +15724,11 @@ msgid "Could not connect to FlashAir" msgstr "Kan geen verbinding maken met FlashAir" msgid "" -"Note: FlashAir with firmware 2.00.02 or newer and activated upload function is required." +"Note: FlashAir with firmware 2.00.02 or newer and activated upload function " +"is required." msgstr "" -"Opmerking: FlashAir met firmware 2.00.02 of nieuwer en geactiveerde uploadfunctie is " -"vereist." +"Opmerking: FlashAir met firmware 2.00.02 of nieuwer en geactiveerde " +"uploadfunctie is vereist." msgid "Connection to MKS works correctly." msgstr "Connection to MKS is working correctly." @@ -15000,232 +15819,258 @@ msgstr "" "Fout: \"%2%\"" msgid "" -"It has a small layer height, and results in almost negligible layer lines and high printing " -"quality. It is suitable for most general printing cases." +"It has a small layer height, and results in almost negligible layer lines " +"and high printing quality. It is suitable for most general printing cases." msgstr "" -"Het heeft een kleine laaghoogte en resulteert in bijna verwaarloosbare laaglijnen en een " -"hoge afdrukkwaliteit. Het is geschikt voor de meeste algemene afdrukgevallen." +"Het heeft een kleine laaghoogte en resulteert in bijna verwaarloosbare " +"laaglijnen en een hoge afdrukkwaliteit. Het is geschikt voor de meeste " +"algemene afdrukgevallen." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds and acceleration, " -"and the sparse infill pattern is Gyroid. So, it results in much higher printing quality, " -"but a much longer printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds " +"and acceleration, and the sparse infill pattern is Gyroid. So, it results in " +"much higher printing quality, but a much longer printing time." msgstr "" -"Vergeleken met het standaardprofiel van een 0,2 mm mondstuk, heeft het lagere snelheden en " -"acceleratie, en het spaarzame infill patroon is Gyroid. Dit resulteert in een veel hogere " -"printkwaliteit maar ook een veel langere printtijd." +"Vergeleken met het standaardprofiel van een 0,2 mm mondstuk, heeft het " +"lagere snelheden en acceleratie, en het spaarzame infill patroon is Gyroid. " +"Dit resulteert in een veel hogere printkwaliteit maar ook een veel langere " +"printtijd." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a slightly bigger layer " -"height, and results in almost negligible layer lines, and slightly shorter printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has a slightly " +"bigger layer height, and results in almost negligible layer lines, and " +"slightly shorter printing time." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a slightly bigger layer " -"height. This results in almost negligible layer lines and slightly longer print time." +"Compared with the default profile of a 0.2 mm nozzle, it has a slightly " +"bigger layer height. This results in almost negligible layer lines and " +"slightly longer print time." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer height, and " -"results in slightly visible layer lines, but shorter printing time." -msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer height. This " -"results in slightly visible layer lines but shorter print time." - -msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer height, and " -"results in almost invisible layer lines and higher printing quality, but shorter printing " +"Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer " +"height, and results in slightly visible layer lines, but shorter printing " "time." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer height. This " -"results in almost invisible layer lines and higher print quality but longer print time." +"Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer " +"height. This results in slightly visible layer lines but shorter print time." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower " -"speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in almost " -"invisible layer lines and much higher printing quality, but much longer printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " +"height, and results in almost invisible layer lines and higher printing " +"quality, but shorter printing time." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower " -"speeds and acceleration, and the sparse infill pattern is Gyroid. This results in almost " -"invisible layer lines and much higher print quality but much longer print time." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " +"height. This results in almost invisible layer lines and higher print " +"quality but longer print time." msgid "" -"Compared with the default profile of 0.2 mm nozzle, it has a smaller layer height, and " -"results in minimal layer lines and higher printing quality, but shorter printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " +"lines, lower speeds and acceleration, and the sparse infill pattern is " +"Gyroid. So, it results in almost invisible layer lines and much higher " +"printing quality, but much longer printing time." msgstr "" -"Compared with the default profile of 0.2 mm nozzle, it has a smaller layer height. This " -"results in minimal layer lines and higher print quality but longer print time." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " +"lines, lower speeds and acceleration, and the sparse infill pattern is " +"Gyroid. This results in almost invisible layer lines and much higher print " +"quality but much longer print time." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower " -"speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in minimal " -"layer lines and much higher printing quality, but much longer printing time." +"Compared with the default profile of 0.2 mm nozzle, it has a smaller layer " +"height, and results in minimal layer lines and higher printing quality, but " +"shorter printing time." msgstr "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower " -"speeds and acceleration, and the sparse infill pattern is Gyroid. This results in minimal " -"layer lines and much higher print quality but much longer print time." +"Compared with the default profile of 0.2 mm nozzle, it has a smaller layer " +"height. This results in minimal layer lines and higher print quality but " +"longer print time." msgid "" -"It has a general layer height, and results in general layer lines and printing quality. It " -"is suitable for most general printing cases." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " +"lines, lower speeds and acceleration, and the sparse infill pattern is " +"Gyroid. So, it results in minimal layer lines and much higher printing " +"quality, but much longer printing time." msgstr "" -"Het heeft een normale laaghoogte en resulteert in gemiddelde laaglijnen en afdrukkwaliteit. " -"Het is geschikt voor de meeste afdrukgevallen." +"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " +"lines, lower speeds and acceleration, and the sparse infill pattern is " +"Gyroid. This results in minimal layer lines and much higher print quality " +"but much longer print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has more wall loops and a higher " -"sparse infill density. So, it results in higher strength of the prints, but more filament " -"consumption and longer printing time." +"It has a general layer height, and results in general layer lines and " +"printing quality. It is suitable for most general printing cases." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has more wall loops and a higher " -"sparse infill density. This results in higher print strength but more filament consumption " -"and longer print time." +"Het heeft een normale laaghoogte en resulteert in gemiddelde laaglijnen en " +"afdrukkwaliteit. Het is geschikt voor de meeste afdrukgevallen." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height, and " -"results in more apparent layer lines and lower printing quality, but slightly shorter " -"printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has more wall loops " +"and a higher sparse infill density. So, it results in higher strength of the " +"prints, but more filament consumption and longer printing time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height. This " -"results in more apparent layer lines and lower print quality but slightly shorter print " -"time." +"Compared with the default profile of a 0.4 mm nozzle, it has more wall loops " +"and a higher sparse infill density. This results in higher print strength " +"but more filament consumption and longer print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height, and " -"results in more apparent layer lines and lower printing quality, but shorter printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " +"height, and results in more apparent layer lines and lower printing quality, " +"but slightly shorter printing time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height. This " -"results in more apparent layer lines and lower print quality but shorter print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " +"height. This results in more apparent layer lines and lower print quality " +"but slightly shorter print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, and " -"results in less apparent layer lines and higher printing quality, but longer printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " +"height, and results in more apparent layer lines and lower printing quality, " +"but shorter printing time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height. This " -"results in less apparent layer lines and higher print quality but longer print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " +"height. This results in more apparent layer lines and lower print quality " +"but shorter print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower " -"speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in less " -"apparent layer lines and much higher printing quality, but much longer printing time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height, and results in less apparent layer lines and higher printing " +"quality, but longer printing time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower " -"speeds and acceleration, and the sparse infill pattern is Gyroid. This results in less " -"apparent layer lines and much higher print quality but much longer print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height. This results in less apparent layer lines and higher print quality " +"but longer print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, and " -"results in almost negligible layer lines and higher printing quality, but longer printing " +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height, lower speeds and acceleration, and the sparse infill pattern is " +"Gyroid. So, it results in less apparent layer lines and much higher printing " +"quality, but much longer printing time." +msgstr "" +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height, lower speeds and acceleration, and the sparse infill pattern is " +"Gyroid. This results in less apparent layer lines and much higher print " +"quality but much longer print time." + +msgid "" +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height, and results in almost negligible layer lines and higher printing " +"quality, but longer printing time." +msgstr "" +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height. This results in almost negligible layer lines and higher print " +"quality but longer print time." + +msgid "" +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height, lower speeds and acceleration, and the sparse infill pattern is " +"Gyroid. So, it results in almost negligible layer lines and much higher " +"printing quality, but much longer printing time." +msgstr "" +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height, lower speeds and acceleration, and the sparse infill pattern is " +"Gyroid. This results in almost negligible layer lines and much higher print " +"quality but much longer print time." + +msgid "" +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height, and results in almost negligible layer lines and longer printing " "time." msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height. This " -"results in almost negligible layer lines and higher print quality but longer print time." +"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " +"height. This results in almost negligible layer lines and longer print time." msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower " -"speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in almost " -"negligible layer lines and much higher printing quality, but much longer printing time." -msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower " -"speeds and acceleration, and the sparse infill pattern is Gyroid. This results in almost " -"negligible layer lines and much higher print quality but much longer print time." - -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, and " -"results in almost negligible layer lines and longer printing time." -msgstr "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height. This " -"results in almost negligible layer lines and longer print time." - -msgid "" -"It has a big layer height, and results in apparent layer lines and ordinary printing " -"quality and printing time." +"It has a big layer height, and results in apparent layer lines and ordinary " +"printing quality and printing time." msgstr "" "De laagdikte is groot, wat resulteert in zichtbare laaglijnen en een normale " "afdrukkwaliteit en afdruktijd." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has more wall loops and a higher " -"sparse infill density. So, it results in higher strength of the prints, but more filament " -"consumption and longer printing time." +"Compared with the default profile of a 0.6 mm nozzle, it has more wall loops " +"and a higher sparse infill density. So, it results in higher strength of the " +"prints, but more filament consumption and longer printing time." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has more wall loops and a higher " -"sparse infill density. This results in higher print strength but more filament consumption " -"and longer print time." +"Compared with the default profile of a 0.6 mm nozzle, it has more wall loops " +"and a higher sparse infill density. This results in higher print strength " +"but more filament consumption and longer print time." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height, and " -"results in more apparent layer lines and lower printing quality, but shorter printing time " -"in some printing cases." +"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " +"height, and results in more apparent layer lines and lower printing quality, " +"but shorter printing time in some printing cases." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height. This " -"results in more apparent layer lines and lower print quality but shorter print time in some " -"cases." +"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " +"height. This results in more apparent layer lines and lower print quality " +"but shorter print time in some cases." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height, and " -"results in much more apparent layer lines and much lower printing quality, but shorter " -"printing time in some printing cases." +"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " +"height, and results in much more apparent layer lines and much lower " +"printing quality, but shorter printing time in some printing cases." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height. This " -"results in much more apparent layer lines and much lower print quality, but shorter print " -"time in some cases." +"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " +"height. This results in much more apparent layer lines and much lower print " +"quality, but shorter print time in some cases." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height, and " -"results in less apparent layer lines and slight higher printing quality, but longer " -"printing time." +"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " +"height, and results in less apparent layer lines and slight higher printing " +"quality, but longer printing time." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height. This " -"results in less apparent layer lines and slightly higher print quality but longer print " -"time." +"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " +"height. This results in less apparent layer lines and slightly higher print " +"quality but longer print time." msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height, and " -"results in less apparent layer lines and higher printing quality, but longer printing time." +"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " +"height, and results in less apparent layer lines and higher printing " +"quality, but longer printing time." msgstr "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height. This " -"results in less apparent layer lines and higher print quality but longer print time." +"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " +"height. This results in less apparent layer lines and higher print quality " +"but longer print time." msgid "" -"It has a very big layer height, and results in very apparent layer lines, low printing " -"quality and general printing time." +"It has a very big layer height, and results in very apparent layer lines, " +"low printing quality and general printing time." msgstr "" -"De laagdikte is erg groot, wat resulteert in duidelijke lijnen, een lage afdrukkwaliteit en " -"een kortere afdruktijd." +"De laagdikte is erg groot, wat resulteert in duidelijke lijnen, een lage " +"afdrukkwaliteit en een kortere afdruktijd." msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer height, and " -"results in very apparent layer lines and much lower printing quality, but shorter printing " -"time in some printing cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer " +"height, and results in very apparent layer lines and much lower printing " +"quality, but shorter printing time in some printing cases." msgstr "" -"Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer height. This " -"results in very apparent layer lines and much lower print quality but shorter print time in " -"some cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer " +"height. This results in very apparent layer lines and much lower print " +"quality but shorter print time in some cases." msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a much bigger layer height, " -"and results in extremely apparent layer lines and much lower printing quality, but much " -"shorter printing time in some printing cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a much bigger " +"layer height, and results in extremely apparent layer lines and much lower " +"printing quality, but much shorter printing time in some printing cases." msgstr "" -"Compared with the default profile of a 0.8 mm nozzle, it has a much bigger layer height. " -"This results in extremely apparent layer lines and much lower print quality but much " -"shorter print time in some cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a much bigger " +"layer height. This results in extremely apparent layer lines and much lower " +"print quality but much shorter print time in some cases." msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a slightly smaller layer " -"height, and results in slightly less but still apparent layer lines and slightly higher " -"printing quality, but longer printing time in some printing cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a slightly " +"smaller layer height, and results in slightly less but still apparent layer " +"lines and slightly higher printing quality, but longer printing time in some " +"printing cases." msgstr "" -"Compared with the default profile of a 0.8 mm nozzle, it has a slightly smaller layer " -"height. This results in slightly less but still apparent layer lines and slightly higher " -"print quality, but longer print time in some cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a slightly " +"smaller layer height. This results in slightly less but still apparent layer " +"lines and slightly higher print quality, but longer print time in some cases." msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a smaller layer height, and " -"results in less but still apparent layer lines and slightly higher printing quality, but " -"longer printing time in some printing cases." +"Compared with the default profile of a 0.8 mm nozzle, it has a smaller layer " +"height, and results in less but still apparent layer lines and slightly " +"higher printing quality, but longer printing time in some printing cases." msgstr "" -"Vergeleken met het standaardprofiel van een 0,8 mm mondstuk, heeft het een kleinere " -"laaghoogte. Dit resulteert in minder maar nog steeds zichtbare laaglijnen en een iets " -"hogere printkwaliteit, maar in sommige gevallen een langere printtijd." +"Vergeleken met het standaardprofiel van een 0,8 mm mondstuk, heeft het een " +"kleinere laaghoogte. Dit resulteert in minder maar nog steeds zichtbare " +"laaglijnen en een iets hogere printkwaliteit, maar in sommige gevallen een " +"langere printtijd." msgid "Connected to Obico successfully!" msgstr "" @@ -15269,21 +16114,24 @@ msgstr "Gebruiker geannuleerd." #: resources/data/hints.ini: [hint:Precise wall] msgid "" "Precise wall\n" -"Did you know that turning on precise wall can improve precision and layer consistency?" +"Did you know that turning on precise wall can improve precision and layer " +"consistency?" msgstr "" "Precieze muur\n" -"Wist u dat het inschakelen van de precieze muur de precisie en consistentie van de laag kan " -"verbeteren?" +"Wist u dat het inschakelen van de precieze muur de precisie en consistentie " +"van de laag kan verbeteren?" #: resources/data/hints.ini: [hint:Sandwich mode] msgid "" "Sandwich mode\n" -"Did you know that you can use sandwich mode (inner-outer-inner) to improve precision and " -"layer consistency if your model doesn't have very steep overhangs?" +"Did you know that you can use sandwich mode (inner-outer-inner) to improve " +"precision and layer consistency if your model doesn't have very steep " +"overhangs?" msgstr "" "Sandwichmodus\n" -"Wist u dat u de sandwichmodus (binnen-buiten-binnen) kunt gebruiken om de precisie en " -"consistentie van de laag te verbeteren als uw model geen erg steile overhangen heeft?" +"Wist u dat u de sandwichmodus (binnen-buiten-binnen) kunt gebruiken om de " +"precisie en consistentie van de laag te verbeteren als uw model geen erg " +"steile overhangen heeft?" #: resources/data/hints.ini: [hint:Chamber temperature] msgid "" @@ -15296,12 +16144,12 @@ msgstr "" #: resources/data/hints.ini: [hint:Calibration] msgid "" "Calibration\n" -"Did you know that calibrating your printer can do wonders? Check out our beloved " -"calibration solution in OrcaSlicer." +"Did you know that calibrating your printer can do wonders? Check out our " +"beloved calibration solution in OrcaSlicer." msgstr "" "Kalibratie\n" -"Wist u dat het kalibreren van uw printer wonderen kan doen? Bekijk onze geliefde " -"kalibratieoplossing in OrcaSlicer." +"Wist u dat het kalibreren van uw printer wonderen kan doen? Bekijk onze " +"geliefde kalibratieoplossing in OrcaSlicer." #: resources/data/hints.ini: [hint:Auxiliary fan] msgid "" @@ -15325,54 +16173,58 @@ msgid "" "You can turn on/off the G-code window by pressing the C key." msgstr "" "G-codevenster\n" -"U kunt het G-codevenster in- of uitschakelen door op de C-toets te drukken." +"U kunt het G-codevenster in- of uitschakelen door op de C-toets te " +"drukken." #: resources/data/hints.ini: [hint:Switch workspaces] msgid "" "Switch workspaces\n" -"You can switch between Prepare and Preview workspaces by pressing the Tab key." +"You can switch between Prepare and Preview workspaces by " +"pressing the Tab key." msgstr "" "Werkruimten wisselen\n" -"U kunt schakelen tussen de werkruimten Voorbereiden en Voorvertoning door op " -"de Tab-toets te drukken." +"U kunt schakelen tussen de werkruimten Voorbereiden en " +"Voorvertoning door op de Tab-toets te drukken." #: resources/data/hints.ini: [hint:How to use keyboard shortcuts] msgid "" "How to use keyboard shortcuts\n" -"Did you know that Orca Slicer offers a wide range of keyboard shortcuts and 3D scene " -"operations." +"Did you know that Orca Slicer offers a wide range of keyboard shortcuts and " +"3D scene operations." msgstr "" "Hoe sneltoetsen te gebruiken\n" -"Wist u dat Orca Slicer een breed scala aan sneltoetsen en 3D-scènebewerkingen biedt." +"Wist u dat Orca Slicer een breed scala aan sneltoetsen en 3D-" +"scènebewerkingen biedt." #: resources/data/hints.ini: [hint:Reverse on odd] msgid "" "Reverse on odd\n" -"Did you know that Reverse on odd feature can significantly improve the surface " -"quality of your overhangs?" +"Did you know that Reverse on odd feature can significantly improve " +"the surface quality of your overhangs?" msgstr "" "Achteruit op oneven\n" -"Wist u dat de functie Achteruit op oneven de oppervlaktekwaliteit van uw overhangen " -"aanzienlijk kan verbeteren?" +"Wist u dat de functie Achteruit op oneven de oppervlaktekwaliteit van " +"uw overhangen aanzienlijk kan verbeteren?" #: resources/data/hints.ini: [hint:Cut Tool] msgid "" "Cut Tool\n" -"Did you know that you can cut a model at any angle and position with the cutting tool?" +"Did you know that you can cut a model at any angle and position with the " +"cutting tool?" msgstr "" "Snijgereedschap\n" -"Wist u dat u een model in elke hoek en positie kunt snijden met het snijgereedschap?" +"Wist u dat u een model in elke hoek en positie kunt snijden met het " +"snijgereedschap?" #: resources/data/hints.ini: [hint:Fix Model] msgid "" "Fix Model\n" -"Did you know that you can fix a corrupted 3D model to avoid a lot of slicing problems on " -"the Windows system?" +"Did you know that you can fix a corrupted 3D model to avoid a lot of slicing " +"problems on the Windows system?" msgstr "" "Model repareren\n" -"Wist je dat je een beschadigd 3D-model kunt repareren om veel snijproblemen op het Windows-" -"systeem te voorkomen?" +"Wist je dat je een beschadigd 3D-model kunt repareren om veel snijproblemen " +"op het Windows-systeem te voorkomen?" #: resources/data/hints.ini: [hint:Timelapse] msgid "" @@ -15393,189 +16245,204 @@ msgstr "" #: resources/data/hints.ini: [hint:Auto-Orient] msgid "" "Auto-Orient\n" -"Did you know that you can rotate objects to an optimal orientation for printing by a simple " -"click?" +"Did you know that you can rotate objects to an optimal orientation for " +"printing by a simple click?" msgstr "" "Automatische oriëntatie\n" -"Wist je dat je met een simpele klik objecten kunt roteren naar een optimale oriëntatie voor " -"afdrukken?" +"Wist je dat je met een simpele klik objecten kunt roteren naar een optimale " +"oriëntatie voor afdrukken?" #: resources/data/hints.ini: [hint:Lay on Face] msgid "" "Lay on Face\n" -"Did you know that you can quickly orient a model so that one of its faces sits on the print " -"bed? Select the \"Place on face\" function or press the F key." +"Did you know that you can quickly orient a model so that one of its faces " +"sits on the print bed? Select the \"Place on face\" function or press the " +"F key." msgstr "" "Op gekozen selectie leggen\n" -"Wist u dat u een model snel zo kunt oriënteren dat een van de gezichten op het printbed " -"ligt? Selecteer de functie \"Op selectie leggen\" of druk op de F toets." +"Wist u dat u een model snel zo kunt oriënteren dat een van de gezichten op " +"het printbed ligt? Selecteer de functie \"Op selectie leggen\" of druk op de " +"F toets." #: resources/data/hints.ini: [hint:Object List] msgid "" "Object List\n" -"Did you know that you can view all objects/parts in a list and change settings for each " -"object/part?" +"Did you know that you can view all objects/parts in a list and change " +"settings for each object/part?" msgstr "" "Objectenlijst\n" -"Wist u dat u alle objecten/onderdelen in een lijst kunt bekijken en de instellingen voor " -"ieder object/onderdeel kunt wijzigen?" +"Wist u dat u alle objecten/onderdelen in een lijst kunt bekijken en de " +"instellingen voor ieder object/onderdeel kunt wijzigen?" #: resources/data/hints.ini: [hint:Search Functionality] msgid "" "Search Functionality\n" -"Did you know that you use the Search tool to quickly find a specific Orca Slicer setting?" +"Did you know that you use the Search tool to quickly find a specific Orca " +"Slicer setting?" msgstr "" "Zoekfunctionaliteit\n" -"Wist u dat u de zoekfunctie gebruikt om snel een specifieke Orca Slicer-instelling te " -"vinden?" +"Wist u dat u de zoekfunctie gebruikt om snel een specifieke Orca Slicer-" +"instelling te vinden?" #: resources/data/hints.ini: [hint:Simplify Model] msgid "" "Simplify Model\n" -"Did you know that you can reduce the number of triangles in a mesh using the Simplify mesh " -"feature? Right-click the model and select Simplify model." +"Did you know that you can reduce the number of triangles in a mesh using the " +"Simplify mesh feature? Right-click the model and select Simplify model." msgstr "" "Model vereenvoudigen\n" -"Wist u dat u het aantal driehoeken in een mesh kunt verminderen met de mesh functie " -"Vereenvoudigen? Klik met de rechtermuisknop op het model en selecteer Model vereenvoudigen." +"Wist u dat u het aantal driehoeken in een mesh kunt verminderen met de mesh " +"functie Vereenvoudigen? Klik met de rechtermuisknop op het model en " +"selecteer Model vereenvoudigen." #: resources/data/hints.ini: [hint:Slicing Parameter Table] msgid "" "Slicing Parameter Table\n" -"Did you know that you can view all objects/parts on a table and change settings for each " -"object/part?" +"Did you know that you can view all objects/parts on a table and change " +"settings for each object/part?" msgstr "" "Tabel met slicing parameters\n" -"Wist je dat je alle objecten/onderdelen op een tabel kunt bekijken en instellingen voor " -"ieder object/onderdeel kunt wijzigen?" +"Wist je dat je alle objecten/onderdelen op een tabel kunt bekijken en " +"instellingen voor ieder object/onderdeel kunt wijzigen?" #: resources/data/hints.ini: [hint:Split to Objects/Parts] msgid "" "Split to Objects/Parts\n" -"Did you know that you can split a big object into small ones for easy colorizing or " -"printing?" +"Did you know that you can split a big object into small ones for easy " +"colorizing or printing?" msgstr "" "Splitsen naar objecten/delen\n" -"Wist u dat u een groot object kunt splitsen in kleine delen, zodat u het gemakkelijk kunt " -"inkleuren of afdrukken?" +"Wist u dat u een groot object kunt splitsen in kleine delen, zodat u het " +"gemakkelijk kunt inkleuren of afdrukken?" #: resources/data/hints.ini: [hint:Subtract a Part] msgid "" "Subtract a Part\n" -"Did you know that you can subtract one mesh from another using the Negative part modifier? " -"That way you can, for example, create easily resizable holes directly in Orca Slicer." +"Did you know that you can subtract one mesh from another using the Negative " +"part modifier? That way you can, for example, create easily resizable holes " +"directly in Orca Slicer." msgstr "" "Een deel aftrekken\n" -"Wist u dat u een mesh van een andere kunt aftrekken met de Negatief deel aanpasser? Zo kunt " -"u bijvoorbeeld gemakkelijk aanpasbare gaten rechtstreeks in Orca Slicer maken." +"Wist u dat u een mesh van een andere kunt aftrekken met de Negatief deel " +"aanpasser? Zo kunt u bijvoorbeeld gemakkelijk aanpasbare gaten rechtstreeks " +"in Orca Slicer maken." #: resources/data/hints.ini: [hint:STEP] msgid "" "STEP\n" -"Did you know that you can improve your print quality by slicing a STEP file instead of an " -"STL?\n" -"Orca Slicer supports slicing STEP files, providing smoother results than a lower resolution " -"STL. Give it a try!" +"Did you know that you can improve your print quality by slicing a STEP file " +"instead of an STL?\n" +"Orca Slicer supports slicing STEP files, providing smoother results than a " +"lower resolution STL. Give it a try!" msgstr "" "STEP\n" -"Wist u dat u uw afdrukkwaliteit kunt verbeteren door een STEP-bestand te slicen in plaats " -"van een STL?\n" -"Orca Slicer ondersteunt het slicen van STEP-bestanden, wat vloeiendere resultaten oplevert " -"dan een STL met een lagere resolutie. Probeer het eens!" +"Wist u dat u uw afdrukkwaliteit kunt verbeteren door een STEP-bestand te " +"slicen in plaats van een STL?\n" +"Orca Slicer ondersteunt het slicen van STEP-bestanden, wat vloeiendere " +"resultaten oplevert dan een STL met een lagere resolutie. Probeer het eens!" #: resources/data/hints.ini: [hint:Z seam location] msgid "" "Z seam location\n" -"Did you know that you can customize the location of the Z seam, and even paint it on your " -"print, to have it in a less visible location? This improves the overall look of your model. " -"Check it out!" +"Did you know that you can customize the location of the Z seam, and even " +"paint it on your print, to have it in a less visible location? This improves " +"the overall look of your model. Check it out!" msgstr "" "Plaats van de Z-naad\n" -"Wist je dat je de plaats van de Z-naad kunt aanpassen, en zelfs op je afdruk kunt " -"schilderen, zodat hij minder zichtbaar is? Dit verbetert de algemene look van je model. " -"Kijk maar!" +"Wist je dat je de plaats van de Z-naad kunt aanpassen, en zelfs op je afdruk " +"kunt schilderen, zodat hij minder zichtbaar is? Dit verbetert de algemene " +"look van je model. Kijk maar!" #: resources/data/hints.ini: [hint:Fine-tuning for flow rate] msgid "" "Fine-tuning for flow rate\n" -"Did you know that flow rate can be fine-tuned for even better-looking prints? Depending on " -"the material, you can improve the overall finish of the printed model by doing some fine-" -"tuning." +"Did you know that flow rate can be fine-tuned for even better-looking " +"prints? Depending on the material, you can improve the overall finish of the " +"printed model by doing some fine-tuning." msgstr "" "Nauwkeurige afstelling van flow rate\n" -"Wist u dat de flow rate nauwkeurig kan worden ingesteld voor nog mooiere afdrukken? " -"Afhankelijk van het materiaal kunt u de algehele afwerking van het geprinte model " -"verbeteren door wat fijnafstelling uit te voeren." +"Wist u dat de flow rate nauwkeurig kan worden ingesteld voor nog mooiere " +"afdrukken? Afhankelijk van het materiaal kunt u de algehele afwerking van " +"het geprinte model verbeteren door wat fijnafstelling uit te voeren." #: resources/data/hints.ini: [hint:Split your prints into plates] msgid "" "Split your prints into plates\n" -"Did you know that you can split a model that has a lot of parts into individual plates " -"ready to print? This will simplify the process of keeping track of all the parts." +"Did you know that you can split a model that has a lot of parts into " +"individual plates ready to print? This will simplify the process of keeping " +"track of all the parts." msgstr "" "Uw afdrukken opsplitsen in platen\n" -"Wist u dat u een model met veel onderdelen kunt splitsen in afzonderlijke platen die klaar " -"zijn om te printen? Dit vereenvoudigt het proces van het bijhouden van alle onderdelen." +"Wist u dat u een model met veel onderdelen kunt splitsen in afzonderlijke " +"platen die klaar zijn om te printen? Dit vereenvoudigt het proces van het " +"bijhouden van alle onderdelen." -#: resources/data/hints.ini: [hint:Speed up your print with Adaptive Layer Height] +#: resources/data/hints.ini: [hint:Speed up your print with Adaptive Layer +#: Height] msgid "" "Speed up your print with Adaptive Layer Height\n" -"Did you know that you can print a model even faster, by using the Adaptive Layer Height " -"option? Check it out!" +"Did you know that you can print a model even faster, by using the Adaptive " +"Layer Height option? Check it out!" msgstr "" "Versnel uw afdrukken met Adaptieve Laag Hoogte\n" -"Wist u dat u een model nog sneller kunt afdrukken door de optie Adaptieve Laag Hoogte te " -"gebruiken? Bekijk het eens!" +"Wist u dat u een model nog sneller kunt afdrukken door de optie Adaptieve " +"Laag Hoogte te gebruiken? Bekijk het eens!" #: resources/data/hints.ini: [hint:Support painting] msgid "" "Support painting\n" -"Did you know that you can paint the location of your supports? This feature makes it easy " -"to place the support material only on the sections of the model that actually need it." +"Did you know that you can paint the location of your supports? This feature " +"makes it easy to place the support material only on the sections of the " +"model that actually need it." msgstr "" "Ondersteuning schilderen\n" -"Wist je dat je de locatie van je ondersteuning kunt schilderen? Deze functie maakt het " -"eenvoudig om het ondersteuningsmateriaal alleen op de delen van het model te plaatsen die " -"het echt nodig hebben." +"Wist je dat je de locatie van je ondersteuning kunt schilderen? Deze functie " +"maakt het eenvoudig om het ondersteuningsmateriaal alleen op de delen van " +"het model te plaatsen die het echt nodig hebben." #: resources/data/hints.ini: [hint:Different types of supports] msgid "" "Different types of supports\n" -"Did you know that you can choose from multiple types of supports? Tree supports work great " -"for organic models, while saving filament and improving print speed. Check them out!" +"Did you know that you can choose from multiple types of supports? Tree " +"supports work great for organic models, while saving filament and improving " +"print speed. Check them out!" msgstr "" "Verschillende soorten ondersteuningen\n" -"Wist je dat je kunt kiezen uit meerdere soorten ondersteuningen? Tree Support werkt " -"uitstekend voor organische modellen, bespaart filament en verbetert de printsnelheid. " -"Bekijk ze eens!" +"Wist je dat je kunt kiezen uit meerdere soorten ondersteuningen? Tree " +"Support werkt uitstekend voor organische modellen, bespaart filament en " +"verbetert de printsnelheid. Bekijk ze eens!" #: resources/data/hints.ini: [hint:Printing Silk Filament] msgid "" "Printing Silk Filament\n" -"Did you know that Silk filament needs special consideration to print it successfully? " -"Higher temperature and lower speed are always recommended for the best results." +"Did you know that Silk filament needs special consideration to print it " +"successfully? Higher temperature and lower speed are always recommended for " +"the best results." msgstr "" "Silk Filament printen \n" -"Wist u dat Silk filament speciale aandacht nodig heeft om succesvol te printen? Voor het " -"beste resultaat wordt altijd een hogere temperatuur en een lagere snelheid aanbevolen." +"Wist u dat Silk filament speciale aandacht nodig heeft om succesvol te " +"printen? Voor het beste resultaat wordt altijd een hogere temperatuur en een " +"lagere snelheid aanbevolen." #: resources/data/hints.ini: [hint:Brim for better adhesion] msgid "" "Brim for better adhesion\n" -"Did you know that when printing models have a small contact interface with the printing " -"surface, it's recommended to use a brim?" +"Did you know that when printing models have a small contact interface with " +"the printing surface, it's recommended to use a brim?" msgstr "" "Brim voor betere hechting\n" -"Wist u dat wanneer gedrukte modellen een kleine contactinterface met het printoppervlak " -"hebben, het aanbevolen is om een brim te gebruiken?" +"Wist u dat wanneer gedrukte modellen een kleine contactinterface met het " +"printoppervlak hebben, het aanbevolen is om een brim te gebruiken?" #: resources/data/hints.ini: [hint:Set parameters for multiple objects] msgid "" "Set parameters for multiple objects\n" -"Did you know that you can set slicing parameters for all selected objects at one time?" +"Did you know that you can set slicing parameters for all selected objects at " +"one time?" msgstr "" "Parameters instellen voor meerdere objecten\n" -"Wist u dat u slicing parameters kunt instellen voor alle geselecteerde objecten tegelijk?" +"Wist u dat u slicing parameters kunt instellen voor alle geselecteerde " +"objecten tegelijk?" #: resources/data/hints.ini: [hint:Stack objects] msgid "" @@ -15588,108 +16455,129 @@ msgstr "" #: resources/data/hints.ini: [hint:Flush into support/objects/infill] msgid "" "Flush into support/objects/infill\n" -"Did you know that you can save the wasted filament by flushing them into support/objects/" -"infill during filament change?" +"Did you know that you can save the wasted filament by flushing them into " +"support/objects/infill during filament change?" msgstr "" "Flush in support/voorwerpen/infill\n" -"Wist u dat u minder filament verspilt door het tijdens het verwisselen van filament in " -"support/objecten/infill te spoelen?" +"Wist u dat u minder filament verspilt door het tijdens het verwisselen van " +"filament in support/objecten/infill te spoelen?" #: resources/data/hints.ini: [hint:Improve strength] msgid "" "Improve strength\n" -"Did you know that you can use more wall loops and higher sparse infill density to improve " -"the strength of the model?" +"Did you know that you can use more wall loops and higher sparse infill " +"density to improve the strength of the model?" msgstr "" "Stekte verbeteren\n" -"Wist je dat je meer wandlussen en een hogere dunne invuldichtheid kunt gebruiken om de " -"sterkte van het model te verbeteren?" +"Wist je dat je meer wandlussen en een hogere dunne invuldichtheid kunt " +"gebruiken om de sterkte van het model te verbeteren?" -#: resources/data/hints.ini: [hint:When need to print with the printer door opened] +#: resources/data/hints.ini: [hint:When need to print with the printer door +#: opened] msgid "" "When need to print with the printer door opened\n" -"Did you know that opening the printer door can reduce the probability of extruder/hotend " -"clogging when printing lower temperature filament with a higher enclosure temperature. More " -"info about this in the Wiki." +"Did you know that opening the printer door can reduce the probability of " +"extruder/hotend clogging when printing lower temperature filament with a " +"higher enclosure temperature. More info about this in the Wiki." msgstr "" "Wanneer moet u printen met de printerdeur open?\n" -"Wist je dat het openen van de printerdeur de kans op verstopping van de extruder/hotend kan " -"verminderen bij het printen van filament met een lagere temperatuur en een hogere " -"omgevingstemperatuur? Er staat meer informatie hierover in de Wiki." +"Wist je dat het openen van de printerdeur de kans op verstopping van de " +"extruder/hotend kan verminderen bij het printen van filament met een lagere " +"temperatuur en een hogere omgevingstemperatuur? Er staat meer informatie " +"hierover in de Wiki." #: resources/data/hints.ini: [hint:Avoid warping] msgid "" "Avoid warping\n" -"Did you know that when printing materials that are prone to warping such as ABS, " -"appropriately increasing the heatbed temperature can reduce the probability of warping." +"Did you know that when printing materials that are prone to warping such as " +"ABS, appropriately increasing the heatbed temperature can reduce the " +"probability of warping." msgstr "" "Kromtrekken voorkomen\n" -"Wist je dat bij het printen van materialen die gevoelig zijn voor kromtrekken, zoals ABS, " -"een juiste verhoging van de temperatuur van het warmtebed de kans op kromtrekken kan " -"verkleinen?" - -#~ msgid "up to" -#~ msgstr "tot" - -#~ msgid "above" -#~ msgstr "Boven" - -#~ msgid "from" -#~ msgstr "Van" - -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "" -#~ "De taal van de toepassing aanpaasen terwijl sommige voorinstellingen zijn aangepast." - -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" - -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" - -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+willekeurige pijl" - -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Linker muisknop" - -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Linker muisknop" - -#~ msgid "Ctrl+Any arrow" -#~ msgstr "CTRL+willekeurige pijl" - -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+Linker muisknop" - -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+Linker muisknop" - -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+muiswiel" - -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Muiswiel" - -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "CTRL+muiswiel" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+muiswiel" +"Wist je dat bij het printen van materialen die gevoelig zijn voor " +"kromtrekken, zoals ABS, een juiste verhoging van de temperatuur van het " +"warmtebed de kans op kromtrekken kan verkleinen?" #~ msgid "" -#~ "Different nozzle diameters and different filament diameters is not allowed when prime " -#~ "tower is enabled." +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" #~ msgstr "" -#~ "Verschillende mondstukdiameters en verschillende filamentdiameters zijn niet toegestaan " -#~ "als de prime-toren is ingeschakeld." +#~ "Verlaag deze waarde iets (bijvoorbeeld 0,9) om de hoeveelheid materiaal " +#~ "voor bruggen te verminderen, dit om doorzakken te voorkomen." -#~ msgid "Ooze prevention is currently not supported with the prime tower enabled." +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" #~ msgstr "" -#~ "Ooze-preventie wordt momenteel niet ondersteund als de prime tower is ingeschakeld." +#~ "Deze factor beïnvloedt de hoeveelheid materiaal voor de bovenste vaste " +#~ "vulling. Je kunt het iets verminderen om een glad oppervlak te krijgen." -#~ msgid "Interlocking depth of a segmented region. Zero disables this feature." -#~ msgstr "Insluitdiepte van een gesegmenteerd gebied. Nul schakelt deze functie uit." +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Dit is de snelheid voor bruggen en 100% overhangende wanden." + +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Tijd welke nodig is om nieuw filament te laden tijdens het wisselen. " +#~ "Enkel voor statistieken." + +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Tijd welke nodig is om oud filament te lossen tijdens het wisselen. Enkel " +#~ "voor statistieken." + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Tijd voor de printerfirmware (of de MMU 2.0) om nieuw filament te laden " +#~ "tijdens een toolwissel (tijdens het uitvoeren van de T-code). Deze tijd " +#~ "wordt toegevoegd aan de totale printtijd in de tijdsschatting." + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Tijd voor de printerfirmware (of de MMU 2.0) om filament te ontladen " +#~ "tijdens een toolwissel (tijdens het uitvoeren van de T-code). Deze tijd " +#~ "wordt toegevoegd aan de totale printtijd in de tijdsschatting." + +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on. At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials, the actual chamber " +#~ "temperature should not be high to avoid clogs, so 0 (turned off) is " +#~ "highly recommended." + +#~ msgid "" +#~ "Different nozzle diameters and different filament diameters is not " +#~ "allowed when prime tower is enabled." +#~ msgstr "" +#~ "Verschillende mondstukdiameters en verschillende filamentdiameters zijn " +#~ "niet toegestaan als de prime-toren is ingeschakeld." + +#~ msgid "" +#~ "Ooze prevention is currently not supported with the prime tower enabled." +#~ msgstr "" +#~ "Ooze-preventie wordt momenteel niet ondersteund als de prime tower is " +#~ "ingeschakeld." + +#~ msgid "" +#~ "Interlocking depth of a segmented region. Zero disables this feature." +#~ msgstr "" +#~ "Insluitdiepte van een gesegmenteerd gebied. Nul schakelt deze functie uit." #~ msgid "Please input a valid value (K in 0~0.3)" #~ msgstr "Voer een geldige waarde in (K in 0~0.3)" @@ -15703,55 +16591,60 @@ msgstr "" #~ msgid "" #~ "Please find the details of Flow Dynamics Calibration from our wiki.\n" #~ "\n" -#~ "Usually the calibration is unnecessary. When you start a single color/material print, " -#~ "with the \"flow dynamics calibration\" option checked in the print start menu, the " -#~ "printer will follow the old way, calibrate the filament before the print; When you start " -#~ "a multi color/material print, the printer will use the default compensation parameter " -#~ "for the filament during every filament switch which will have a good result in most " +#~ "Usually the calibration is unnecessary. When you start a single color/" +#~ "material print, with the \"flow dynamics calibration\" option checked in " +#~ "the print start menu, the printer will follow the old way, calibrate the " +#~ "filament before the print; When you start a multi color/material print, " +#~ "the printer will use the default compensation parameter for the filament " +#~ "during every filament switch which will have a good result in most " #~ "cases.\n" #~ "\n" -#~ "Please note there are a few cases that will make the calibration result not reliable: " -#~ "using a texture plate to do the calibration; the build plate does not have good adhesion " -#~ "(please wash the build plate or apply gluestick!) ...You can find more from our wiki.\n" +#~ "Please note there are a few cases that will make the calibration result " +#~ "not reliable: using a texture plate to do the calibration; the build " +#~ "plate does not have good adhesion (please wash the build plate or apply " +#~ "gluestick!) ...You can find more from our wiki.\n" #~ "\n" -#~ "The calibration results have about 10 percent jitter in our test, which may cause the " -#~ "result not exactly the same in each calibration. We are still investigating the root " -#~ "cause to do improvements with new updates." +#~ "The calibration results have about 10 percent jitter in our test, which " +#~ "may cause the result not exactly the same in each calibration. We are " +#~ "still investigating the root cause to do improvements with new updates." #~ msgstr "" #~ "De details van Flow Dynamics Calibration vindt u op onze wiki.\n" #~ "\n" -#~ "Meestal is kalibratie niet nodig. Als je een print met één kleur/materiaal start en de " -#~ "optie \"kalibratie van de stroomdynamica\" is aangevinkt in het startmenu van de " -#~ "printer, dan zal de printer de oude manier volgen en het filament kalibreren voor het " -#~ "printen; als je een print met meerdere kleuren/materialen start, dan zal de printer de " -#~ "standaard compensatieparameter voor het filament gebruiken tijdens elke filamentwissel, " -#~ "wat in de meeste gevallen een goed resultaat zal opleveren.\n" +#~ "Meestal is kalibratie niet nodig. Als je een print met één kleur/" +#~ "materiaal start en de optie \"kalibratie van de stroomdynamica\" is " +#~ "aangevinkt in het startmenu van de printer, dan zal de printer de oude " +#~ "manier volgen en het filament kalibreren voor het printen; als je een " +#~ "print met meerdere kleuren/materialen start, dan zal de printer de " +#~ "standaard compensatieparameter voor het filament gebruiken tijdens elke " +#~ "filamentwissel, wat in de meeste gevallen een goed resultaat zal " +#~ "opleveren.\n" #~ "\n" -#~ "Let op: er zijn een paar gevallen waardoor het kalibratieresultaat niet betrouwbaar is: " -#~ "als je een textuurplaat gebruikt om de kalibratie uit te voeren; als de bouwplaat geen " -#~ "goede hechting heeft (was de bouwplaat of breng lijm aan!) ...Je kunt meer informatie " -#~ "vinden op onze wiki.\n" +#~ "Let op: er zijn een paar gevallen waardoor het kalibratieresultaat niet " +#~ "betrouwbaar is: als je een textuurplaat gebruikt om de kalibratie uit te " +#~ "voeren; als de bouwplaat geen goede hechting heeft (was de bouwplaat of " +#~ "breng lijm aan!) ...Je kunt meer informatie vinden op onze wiki.\n" #~ "\n" -#~ "De kalibratieresultaten hebben ongeveer 10 procent jitter in onze test, waardoor het " -#~ "resultaat niet bij elke kalibratie precies hetzelfde is. We onderzoeken nog steeds de " -#~ "oorzaak om verbeteringen aan te brengen met nieuwe updates." +#~ "De kalibratieresultaten hebben ongeveer 10 procent jitter in onze test, " +#~ "waardoor het resultaat niet bij elke kalibratie precies hetzelfde is. We " +#~ "onderzoeken nog steeds de oorzaak om verbeteringen aan te brengen met " +#~ "nieuwe updates." #~ msgid "" -#~ "Only one of the results with the same name will be saved. Are you sure you want to " -#~ "overrides the other results?" +#~ "Only one of the results with the same name will be saved. Are you sure " +#~ "you want to overrides the other results?" #~ msgstr "" -#~ "Slechts één van de resultaten met dezelfde naam wordt opgeslagen. Weet je zeker dat je " -#~ "de andere resultaten wilt vervangen?" +#~ "Slechts één van de resultaten met dezelfde naam wordt opgeslagen. Weet je " +#~ "zeker dat je de andere resultaten wilt vervangen?" #, c-format, boost-format #~ msgid "" -#~ "There is already a historical calibration result with the same name: %s. Only one of the " -#~ "results with the same name is saved. Are you sure you want to overrides the historical " -#~ "result?" +#~ "There is already a historical calibration result with the same name: %s. " +#~ "Only one of the results with the same name is saved. Are you sure you " +#~ "want to overrides the historical result?" #~ msgstr "" -#~ "Er is al een eerder kalibratieresultaat met dezelfde naam: %s. Slechts één van de " -#~ "resultaten met dezelfde naam wordt opgeslagen. Weet je zeker dat je het vorige resultaat " -#~ "wilt vervangen?" +#~ "Er is al een eerder kalibratieresultaat met dezelfde naam: %s. Slechts " +#~ "één van de resultaten met dezelfde naam wordt opgeslagen. Weet je zeker " +#~ "dat je het vorige resultaat wilt vervangen?" #~ msgid "Please find the cornor with perfect degree of extrusion" #~ msgstr "Zoek de hoek met de perfecte extrusiegraad" @@ -15766,29 +16659,29 @@ msgstr "" #~ msgstr "Vulling (infill) richting" #~ msgid "" -#~ "Enable this to get a G-code file which has G2 and G3 moves. And the fitting tolerance is " -#~ "same with resolution" +#~ "Enable this to get a G-code file which has G2 and G3 moves. And the " +#~ "fitting tolerance is same with resolution" #~ msgstr "" -#~ "Schakel dit in om een G-codebestand te krijgen met G2- en G3-bewegingen. De " -#~ "pastolerantie is gelijk aan de resolutie." +#~ "Schakel dit in om een G-codebestand te krijgen met G2- en G3-bewegingen. " +#~ "De pastolerantie is gelijk aan de resolutie." #~ msgid "" -#~ "Infill area is enlarged slightly to overlap with wall for better bonding. The percentage " -#~ "value is relative to line width of sparse infill" +#~ "Infill area is enlarged slightly to overlap with wall for better bonding. " +#~ "The percentage value is relative to line width of sparse infill" #~ msgstr "" -#~ "Hierdoor kan het opvulgebied (infill) iets worden vergroot om de wanden te overlappen " -#~ "voor een betere hechting. De procentuele waarde is relatief ten opzichte van de " -#~ "lijndikte van de opvulling." +#~ "Hierdoor kan het opvulgebied (infill) iets worden vergroot om de wanden " +#~ "te overlappen voor een betere hechting. De procentuele waarde is relatief " +#~ "ten opzichte van de lijndikte van de opvulling." #~ msgid "Unload Filament" #~ msgstr "Lossen" #~ msgid "" -#~ "Choose an AMS slot then press \"Load\" or \"Unload\" button to automatically load or " -#~ "unload filiament." +#~ "Choose an AMS slot then press \"Load\" or \"Unload\" button to " +#~ "automatically load or unload filiament." #~ msgstr "" -#~ "Kies een AMS sleuf en druk op de \"Laden\" of \"Verwijderen\" knop om het filament " -#~ "automatisch te laden of te verwijderen." +#~ "Kies een AMS sleuf en druk op de \"Laden\" of \"Verwijderen\" knop om het " +#~ "filament automatisch te laden of te verwijderen." #~ msgid "MC" #~ msgstr "MC" @@ -15815,39 +16708,42 @@ msgstr "" #~ msgstr "Vochtigheid in de cabine" #~ msgid "" -#~ "Green means that AMS humidity is normal, orange represent humidity is high, red " -#~ "represent humidity is too high.(Hygrometer: lower the better.)" +#~ "Green means that AMS humidity is normal, orange represent humidity is " +#~ "high, red represent humidity is too high.(Hygrometer: lower the better.)" #~ msgstr "" -#~ "Groen betekent dat de AMS-luchtvochtigheid normaal is, oranje betekent dat de " -#~ "luchtvochtigheid hoog is en rood betekent dat de luchtvochtigheid te hoog is. " -#~ "(Hygrometer: hoe lager, hoe beter.)" +#~ "Groen betekent dat de AMS-luchtvochtigheid normaal is, oranje betekent " +#~ "dat de luchtvochtigheid hoog is en rood betekent dat de luchtvochtigheid " +#~ "te hoog is. (Hygrometer: hoe lager, hoe beter.)" #~ msgid "Desiccant status" #~ msgstr "Status van het droogmiddel" #~ msgid "" -#~ "A desiccant status lower than two bars indicates that desiccant may be inactive. Please " -#~ "change the desiccant.(The bars: higher the better.)" +#~ "A desiccant status lower than two bars indicates that desiccant may be " +#~ "inactive. Please change the desiccant.(The bars: higher the better.)" #~ msgstr "" -#~ "Een droogmiddelstatus lager dan twee streepjes geeft aan dat het droogmiddel mogelijk " -#~ "inactief is. Vervang het droogmiddel. (Hoe hoger, hoe beter.)" +#~ "Een droogmiddelstatus lager dan twee streepjes geeft aan dat het " +#~ "droogmiddel mogelijk inactief is. Vervang het droogmiddel. (Hoe hoger, " +#~ "hoe beter.)" #~ msgid "" -#~ "Note: When the lid is open or the desiccant pack is changed, it can take hours or a " -#~ "night to absorb the moisture. Low temperatures also slow down the process. During this " -#~ "time, the indicator may not represent the chamber accurately." +#~ "Note: When the lid is open or the desiccant pack is changed, it can take " +#~ "hours or a night to absorb the moisture. Low temperatures also slow down " +#~ "the process. During this time, the indicator may not represent the " +#~ "chamber accurately." #~ msgstr "" -#~ "Opmerking: Als het deksel open is of de verpakking van het droogmiddel is vervangen, kan " -#~ "het enkele uren of een nacht duren voordat het vocht is opgenomen. Lage temperaturen " -#~ "vertragen ook het proces. Gedurende deze tijd geeft de indicator de vochtigheid mogelijk " -#~ "niet nauwkeurig weer." +#~ "Opmerking: Als het deksel open is of de verpakking van het droogmiddel is " +#~ "vervangen, kan het enkele uren of een nacht duren voordat het vocht is " +#~ "opgenomen. Lage temperaturen vertragen ook het proces. Gedurende deze " +#~ "tijd geeft de indicator de vochtigheid mogelijk niet nauwkeurig weer." #~ msgid "" -#~ "Note: if new filament is inserted during printing, the AMS will not automatically read " -#~ "any information until printing is completed." +#~ "Note: if new filament is inserted during printing, the AMS will not " +#~ "automatically read any information until printing is completed." #~ msgstr "" -#~ "Opmerking: als er tijdens het afdrukken nieuw filament wordt geplaatst, zal de AMS niet " -#~ "automatisch informatie lezen totdat het afdrukken is voltooid." +#~ "Opmerking: als er tijdens het afdrukken nieuw filament wordt geplaatst, " +#~ "zal de AMS niet automatisch informatie lezen totdat het afdrukken is " +#~ "voltooid." #, boost-format #~ msgid "Succeed to export G-code to %1%" @@ -15859,8 +16755,10 @@ msgstr "" #~ msgid "Initialize failed (No Camera Device)!" #~ msgstr "Initialisatie is mislukt (geen camera-apparaat)!" -#~ msgid "Printer is busy downloading, Please wait for the downloading to finish." -#~ msgstr "De printer is bezig met downloaden. Wacht tot het downloaden is voltooid." +#~ msgid "" +#~ "Printer is busy downloading, Please wait for the downloading to finish." +#~ msgstr "" +#~ "De printer is bezig met downloaden. Wacht tot het downloaden is voltooid." #~ msgid "Initialize failed (Not accessible in LAN-only mode)!" #~ msgstr "Initialisatie mislukt (niet toegankelijk in alleen LAN-modus)!" @@ -15891,33 +16789,37 @@ msgstr "" #~ msgstr "Failed to parse model infomation" #~ msgid "" -#~ "Unable to perform boolean operation on model meshes. Only positive parts will be " -#~ "exported." +#~ "Unable to perform boolean operation on model meshes. Only positive parts " +#~ "will be exported." #~ msgstr "" -#~ "Unable to perform boolean operation on model meshes. Only positive parts will be " -#~ "exported." +#~ "Unable to perform boolean operation on model meshes. Only positive parts " +#~ "will be exported." #, boost-format #~ msgid "" #~ "You have changed some settings of preset \"%1%\". \n" -#~ "Would you like to keep these changed settings (new value) after switching preset?" +#~ "Would you like to keep these changed settings (new value) after switching " +#~ "preset?" #~ msgstr "" #~ "U heeft enkele instellingen van voorinstelling \"%1%\" gewijzigd.\n" -#~ "Wilt u deze gewijzigde instellingen (nieuwe waarde) behouden na het wisselen van preset?" +#~ "Wilt u deze gewijzigde instellingen (nieuwe waarde) behouden na het " +#~ "wisselen van preset?" #~ msgid "" #~ "You have changed some preset settings. \n" -#~ "Would you like to keep these changed settings (new value) after switching preset?" +#~ "Would you like to keep these changed settings (new value) after switching " +#~ "preset?" #~ msgstr "" #~ "Je hebt een aantal vooraf ingestelde instellingen gewijzigd. \n" -#~ "Wilt u deze gewijzigde instellingen (nieuwe waarde) behouden na het wisselen van presets?" +#~ "Wilt u deze gewijzigde instellingen (nieuwe waarde) behouden na het " +#~ "wisselen van presets?" #~ msgid "" -#~ "Add solid infill near sloping surfaces to guarantee the vertical shell thickness " -#~ "(top+bottom solid layers)" +#~ "Add solid infill near sloping surfaces to guarantee the vertical shell " +#~ "thickness (top+bottom solid layers)" #~ msgstr "" -#~ "Voeg dichte vulling toe in de buurt van hellende oppervlakken om de verticale " -#~ "schaaldikte te garanderen (boven+onder vaste lagen)." +#~ "Voeg dichte vulling toe in de buurt van hellende oppervlakken om de " +#~ "verticale schaaldikte te garanderen (boven+onder vaste lagen)." #~ msgid "Configuration package updated to " #~ msgstr "Het configuratiebestand is bijgewerkt naar " @@ -15993,21 +16895,22 @@ msgstr "" #~ msgid "Quick" #~ msgstr "Quick" -#~ msgid "Discribe how long the nozzle will move along the last path when retracting" +#~ msgid "" +#~ "Discribe how long the nozzle will move along the last path when retracting" #~ msgstr "" -#~ "Dit beschrijft hoe lang de nozzle langs het laatste pad zal bewegen tijdens het " -#~ "terugtrekken (rectracting)." +#~ "Dit beschrijft hoe lang de nozzle langs het laatste pad zal bewegen " +#~ "tijdens het terugtrekken (rectracting)." #~ msgid "" #~ "Simplify Model\n" -#~ "Did you know that you can reduce the number of triangles in a mesh using the Simplify " -#~ "mesh feature? Right-click the model and select Simplify model. Read more in the " -#~ "documentation." +#~ "Did you know that you can reduce the number of triangles in a mesh using " +#~ "the Simplify mesh feature? Right-click the model and select Simplify " +#~ "model. Read more in the documentation." #~ msgstr "" #~ "Vereenvoudig het model\n" -#~ "Wist u dat u het aantal driehoeken in een mesh kunt verminderen met de functie Simplify " -#~ "mesh? Klik met de rechtermuisknop op het model en selecteer Model vereenvoudigen. Lees " -#~ "meer in de documentatie." +#~ "Wist u dat u het aantal driehoeken in een mesh kunt verminderen met de " +#~ "functie Simplify mesh? Klik met de rechtermuisknop op het model en " +#~ "selecteer Model vereenvoudigen. Lees meer in de documentatie." #~ msgid "Filling bed " #~ msgstr "Filling bed" @@ -16023,22 +16926,25 @@ msgstr "" #~ msgstr "" #~ "Overschakelen naar rechtlijnig patroon?\n" #~ "Ja - Automatisch overschakelen naar rechtlijnig patroon\n" -#~ "Nee - Zet de dichtheid automatisch terug naar de standaard niet 100% waarde" +#~ "Nee - Zet de dichtheid automatisch terug naar de standaard niet 100% " +#~ "waarde" #~ msgid "Please heat the nozzle to above 170 degree before loading filament." -#~ msgstr "Verwarm de nozzle tot meer dan 170 graden voordat je het filament laadt." +#~ msgstr "" +#~ "Verwarm de nozzle tot meer dan 170 graden voordat je het filament laadt." #, c-format #~ msgid "Density of internal sparse infill, 100% means solid throughout" #~ msgstr "" -#~ "Dit is de dichtheid van de interne vulling. 100%% betekent dat het object geheel solide " -#~ "zal zijn." +#~ "Dit is de dichtheid van de interne vulling. 100%% betekent dat het object " +#~ "geheel solide zal zijn." #~ msgid "Tree support wall loops" #~ msgstr "Tree support wand lussen" #~ msgid "This setting specify the count of walls around tree support" -#~ msgstr "Deze instelling specificeert het aantal wanden rond de tree support." +#~ msgstr "" +#~ "Deze instelling specificeert het aantal wanden rond de tree support." #, c-format, boost-format #~ msgid " doesn't work at 100%% density " @@ -16066,7 +16972,9 @@ msgstr "" #~ msgstr "Exporteer alle objecten als STL" #~ msgid "The 3mf is not compatible, load geometry data only!" -#~ msgstr "Het 3mf bestand is niet compatibel, enkel de geometrische data wordt geladen!" +#~ msgstr "" +#~ "Het 3mf bestand is niet compatibel, enkel de geometrische data wordt " +#~ "geladen!" #~ msgid "Incompatible 3mf" #~ msgstr "Onbruikbaar 3mf bestand" @@ -16088,7 +16996,9 @@ msgstr "" #~ msgstr "Volgorde binnenwand/buitenwand/opvulling (infill)" #~ msgid "Print sequence of inner wall, outer wall and infill. " -#~ msgstr "Dit is de afdrukvolgorde van binnenwanden, buitenwanden en vulling (infill)." +#~ msgstr "" +#~ "Dit is de afdrukvolgorde van binnenwanden, buitenwanden en vulling " +#~ "(infill)." #~ msgid "inner/outer/infill" #~ msgstr "binnenste/buitenste/vulling (infill)" @@ -16127,7 +17037,8 @@ msgstr "" #~ msgstr "Slice" #~ msgid "Slice the plates: 0-all plates, i-plate i, others-invalid" -#~ msgstr "Slice de printbedden: 0-alle printbedden, i-printbed i, andere-onjuist" +#~ msgstr "" +#~ "Slice de printbedden: 0-alle printbedden, i-printbed i, andere-onjuist" #~ msgid "Show command help." #~ msgstr "Dit toont de command hulp." @@ -16216,36 +17127,41 @@ msgstr "" #~ msgid "Debug level" #~ msgstr "Debuggen level" -#~ msgid "Sets debug logging level. 0:fatal, 1:error, 2:warning, 3:info, 4:debug, 5:trace\n" +#~ msgid "" +#~ "Sets debug logging level. 0:fatal, 1:error, 2:warning, 3:info, 4:debug, 5:" +#~ "trace\n" #~ msgstr "" -#~ "Sets debug logging level. 0:fataal, 1:error, 2:waarschuwing, 3:info, 4:debug, 5:trace\n" +#~ "Sets debug logging level. 0:fataal, 1:error, 2:waarschuwing, 3:info, 4:" +#~ "debug, 5:trace\n" #~ msgid "" #~ "3D Scene Operations\n" -#~ "Did you know how to control view and object/part selection with mouse and touchpanel in " -#~ "the 3D scene?" +#~ "Did you know how to control view and object/part selection with mouse and " +#~ "touchpanel in the 3D scene?" #~ msgstr "" #~ "3D-scènebewerkingen\n" -#~ "Weet u hoe u de weergave en selectie van objecten/onderdelen met de muis en het " -#~ "aanraakscherm in de 3D-scène kunt bedienen?" +#~ "Weet u hoe u de weergave en selectie van objecten/onderdelen met de muis " +#~ "en het aanraakscherm in de 3D-scène kunt bedienen?" #~ msgid "" #~ "Fix Model\n" -#~ "Did you know that you can fix a corrupted 3D model to avoid a lot of slicing problems?" +#~ "Did you know that you can fix a corrupted 3D model to avoid a lot of " +#~ "slicing problems?" #~ msgstr "" #~ "Model repareren\n" -#~ "Wist u dat u een beschadigd 3D-model kunt repareren om veel snijproblemen te voorkomen?" +#~ "Wist u dat u een beschadigd 3D-model kunt repareren om veel snijproblemen " +#~ "te voorkomen?" # Source and destination string both English but don't match! #~ msgid "Embeded" #~ msgstr "Embedded" #~ msgid "" -#~ "OrcaSlicer configuration file may be corrupted and is not abled to be parsed.Please " -#~ "delete the file and try again." +#~ "OrcaSlicer configuration file may be corrupted and is not abled to be " +#~ "parsed.Please delete the file and try again." #~ msgstr "" -#~ "OrcaSlicer configuratiebestand is mogelijks corrupt, en kan niet verwerkt worden." -#~ "Verwijder het configuratiebestand en probeer het opnieuw." +#~ "OrcaSlicer configuratiebestand is mogelijks corrupt, en kan niet verwerkt " +#~ "worden.Verwijder het configuratiebestand en probeer het opnieuw." #~ msgid "Online Models" #~ msgstr "Online Models" @@ -16257,37 +17173,41 @@ msgstr "" #~ msgstr "De minimale printsnelheid indien er afgeremd wordt om af te koelen" #~ msgid "" -#~ "The bed temperature exceeds filament's vitrification temperature. Please open the front " -#~ "door of printer before printing to avoid nozzle clog." +#~ "The bed temperature exceeds filament's vitrification temperature. Please " +#~ "open the front door of printer before printing to avoid nozzle clog." #~ msgstr "" -#~ "De bedtemperatuur overschrijdt de vitrificatietemperatuur van het filament. Open de " -#~ "voorkdeur van de printer voor het printen om verstopping van de nozzles te voorkomen." +#~ "De bedtemperatuur overschrijdt de vitrificatietemperatuur van het " +#~ "filament. Open de voorkdeur van de printer voor het printen om " +#~ "verstopping van de nozzles te voorkomen." #~ msgid "Temperature of vitrificaiton" #~ msgstr "Temperatuur van verglazing" #~ msgid "" -#~ "Material becomes soft at this temperature. Thus the heatbed cannot be hotter than this " -#~ "tempature" +#~ "Material becomes soft at this temperature. Thus the heatbed cannot be " +#~ "hotter than this tempature" #~ msgstr "" -#~ "Op deze temperatuur zal het materiaal zacht worden. Daarom kan de temperatuur van het " -#~ "printbed niet hoger dan deze waarde." +#~ "Op deze temperatuur zal het materiaal zacht worden. Daarom kan de " +#~ "temperatuur van het printbed niet hoger dan deze waarde." #~ msgid "Enable this option if machine has auxiliary part cooling fan" -#~ msgstr "Schakel deze optie in als de machine een ventilator voor de enclosure heeft" +#~ msgstr "" +#~ "Schakel deze optie in als de machine een ventilator voor de enclosure " +#~ "heeft" #~ msgid "" -#~ "Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed during " -#~ "printing except the first several layers which is defined by no cooling layers" +#~ "Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed " +#~ "during printing except the first several layers which is defined by no " +#~ "cooling layers" #~ msgstr "" -#~ "Snelheid van de auxiliary part ventilator. De auxiliary ventilator draait op deze " -#~ "snelheid tijdens het afdrukken, behalve de eerste paar lagen, die worden gedefinieerd " -#~ "door geen koellagen" +#~ "Snelheid van de auxiliary part ventilator. De auxiliary ventilator draait " +#~ "op deze snelheid tijdens het afdrukken, behalve de eerste paar lagen, die " +#~ "worden gedefinieerd door geen koellagen" #~ msgid "Empty layers around bottom are replaced by nearest normal layers." #~ msgstr "" -#~ "Lege lagen in de buurt van de bodem worden vervangen door de dichtsbijzijnde normale " -#~ "lagen." +#~ "Lege lagen in de buurt van de bodem worden vervangen door de " +#~ "dichtsbijzijnde normale lagen." #~ msgid "The model has too many empty layers." #~ msgstr "Het model heeft te veel lege lagen." @@ -16303,24 +17223,26 @@ msgstr "" #, c-format, boost-format #~ msgid "" -#~ "Bed temperature of other layer is lower than bed temperature of initial layer for more " -#~ "than %d degree centigrade.\n" +#~ "Bed temperature of other layer is lower than bed temperature of initial " +#~ "layer for more than %d degree centigrade.\n" #~ "This may cause model broken free from build plate during printing" #~ msgstr "" -#~ "De printbed temperatuur voor de overige lagen is %d graden celcius lager dan de " -#~ "temperatuur voor de eerste laag.\n" +#~ "De printbed temperatuur voor de overige lagen is %d graden celcius lager " +#~ "dan de temperatuur voor de eerste laag.\n" #~ "Hierdoor kan de print loskomen van het printbed gedurende de printtaak" #~ msgid "" -#~ "Bed temperature is higher than vitrification temperature of this filament.\n" +#~ "Bed temperature is higher than vitrification temperature of this " +#~ "filament.\n" #~ "This may cause nozzle blocked and printing failure\n" -#~ "Please keep the printer open during the printing process to ensure air circulation or " -#~ "reduce the temperature of the hot bed" +#~ "Please keep the printer open during the printing process to ensure air " +#~ "circulation or reduce the temperature of the hot bed" #~ msgstr "" -#~ "De bedtemperatuur is hoger dan de vitrificatietemperatuur van dit filament.\n" +#~ "De bedtemperatuur is hoger dan de vitrificatietemperatuur van dit " +#~ "filament.\n" #~ "Dit kan leiden tot verstopping van de nozzle en tot print fouten.\n" -#~ "Houd de printer open tijdens het printproces om te zorgen voor luchtcirculatie, of om de " -#~ "temperatuur van het warmwaterbed te verlagen." +#~ "Houd de printer open tijdens het printproces om te zorgen voor " +#~ "luchtcirculatie, of om de temperatuur van het warmwaterbed te verlagen." #~ msgid "Total Time Estimation" #~ msgstr "Total Time Estimation" @@ -16350,41 +17272,44 @@ msgstr "" #~ msgstr "High Temp Plate (hoge temperatuur printbed)" #~ msgid "" -#~ "Bed temperature when high temperature plate is installed. Value 0 means the filament " -#~ "does not support to print on the High Temp Plate" +#~ "Bed temperature when high temperature plate is installed. Value 0 means " +#~ "the filament does not support to print on the High Temp Plate" #~ msgstr "" -#~ "Dit is de bedtemperatuur wanneer de hogetemperatuurplaat is geïnstalleerd. Een waarde " -#~ "van 0 betekent dat het filament printen op de High Temp Plate niet ondersteunt." +#~ "Dit is de bedtemperatuur wanneer de hogetemperatuurplaat is " +#~ "geïnstalleerd. Een waarde van 0 betekent dat het filament printen op de " +#~ "High Temp Plate niet ondersteunt." #~ msgid "Internal bridge support thickness" #~ msgstr "Dikte interne brugondersteuning" #~ msgid "" -#~ "Style and shape of the support. For normal support, projecting the supports into a " -#~ "regular grid will create more stable supports (default), while snug support towers will " -#~ "save material and reduce object scarring.\n" -#~ "For tree support, slim style will merge branches more aggressively and save a lot of " -#~ "material (default), while hybrid style will create similar structure to normal support " -#~ "under large flat overhangs." +#~ "Style and shape of the support. For normal support, projecting the " +#~ "supports into a regular grid will create more stable supports (default), " +#~ "while snug support towers will save material and reduce object scarring.\n" +#~ "For tree support, slim style will merge branches more aggressively and " +#~ "save a lot of material (default), while hybrid style will create similar " +#~ "structure to normal support under large flat overhangs." #~ msgstr "" -#~ "Stijl en vorm van de ondersteuning. Voor normale ondersteuning zal grit stabielere " -#~ "steunen creëren (standaard), terwijl snug materiaal bespaart en littekens op het object " -#~ "zal verminderen.\n" -#~ "Voor tree ondersteuning zal de slanke stijl takken agressiever samenvoegen en veel " -#~ "materiaal besparen (standaard), terwijl de hybride stijl een soortgelijke structuur " -#~ "creëert als de normale ondersteuning onder grote platte overhangen." +#~ "Stijl en vorm van de ondersteuning. Voor normale ondersteuning zal grit " +#~ "stabielere steunen creëren (standaard), terwijl snug materiaal bespaart " +#~ "en littekens op het object zal verminderen.\n" +#~ "Voor tree ondersteuning zal de slanke stijl takken agressiever " +#~ "samenvoegen en veel materiaal besparen (standaard), terwijl de hybride " +#~ "stijl een soortgelijke structuur creëert als de normale ondersteuning " +#~ "onder grote platte overhangen." #~ msgid "Bed temperature difference" #~ msgstr "Printbed temperatuurverschil" #~ msgid "" -#~ "Do not recommend bed temperature of other layer to be lower than initial layer for more " -#~ "than this threshold. Too low bed temperature of other layer may cause the model broken " -#~ "free from build plate" +#~ "Do not recommend bed temperature of other layer to be lower than initial " +#~ "layer for more than this threshold. Too low bed temperature of other " +#~ "layer may cause the model broken free from build plate" #~ msgstr "" -#~ "Het wordt niet aanbevolen om de bedtemperatuur van andere lagen meer dan deze " -#~ "drempelwaarde te verlagen dan de eerste laag. Een te lage bedtemperatuur van een andere " -#~ "laag kan ertoe leiden dat het model loskomt van de bouwplaat." +#~ "Het wordt niet aanbevolen om de bedtemperatuur van andere lagen meer dan " +#~ "deze drempelwaarde te verlagen dan de eerste laag. Een te lage " +#~ "bedtemperatuur van een andere laag kan ertoe leiden dat het model loskomt " +#~ "van de bouwplaat." #~ msgid "Orient the model" #~ msgstr "Oriënteer het model" diff --git a/localization/i18n/pl/OrcaSlicer_pl.po b/localization/i18n/pl/OrcaSlicer_pl.po index 0c821ac093..01cdea0bf8 100644 --- a/localization/i18n/pl/OrcaSlicer_pl.po +++ b/localization/i18n/pl/OrcaSlicer_pl.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: OrcaSlicer 2.1\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: \n" "Last-Translator: Krzysztof Morga \n" "Language-Team: \n" @@ -75,6 +75,9 @@ msgstr "Kąt inteligentnego wypełniania" msgid "On overhangs only" msgstr "Tylko na nawisach" +msgid "Auto support threshold angle: " +msgstr "Automatyczny kąt progowy podpory: " + msgid "Circle" msgstr "Koło" @@ -94,9 +97,6 @@ msgstr "Pozwala malować tylko na wybranych powierzchniach za pomocą: \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Podświetl ściany zgodnie z kątem nawisu." -msgid "Auto support threshold angle: " -msgstr "Automatyczny kąt progowy podpory: " - msgid "No auto support" msgstr "Brak automatycznej podpory" @@ -1982,6 +1982,9 @@ msgstr "Uprość model" msgid "Center" msgstr "Wyśrodkuj" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Edytuj ustawienia procesu" @@ -4163,6 +4166,15 @@ msgstr "Czas całkowity" msgid "Total cost" msgstr "Koszt całkowity" +msgid "up to" +msgstr "do" + +msgid "above" +msgstr "powyżej" + +msgid "from" +msgstr "od" + msgid "Color Scheme" msgstr "Schemat kolorów" @@ -4226,12 +4238,12 @@ msgstr "Liczba zmian filamentu" msgid "Cost" msgstr "Koszt" -msgid "Print" -msgstr "Drukuj" - msgid "Color change" msgstr "Zmiana koloru" +msgid "Print" +msgstr "Drukuj" + msgid "Printer" msgstr "Drukarka" @@ -4415,7 +4427,7 @@ msgstr "Objętość:" msgid "Size:" msgstr "Rozmiar:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4857,6 +4869,18 @@ msgstr "Procedura 2" msgid "Flow rate test - Pass 2" msgstr "Test natężenia przepływu - Procedura 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Natężenie przepływu" @@ -6159,16 +6183,6 @@ msgstr "Wykryto obiekt składający się z wielu części" msgid "The file does not contain any geometry data." msgstr "Plik nie zawiera żadnych danych geometrycznych." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" -"Twój obiekt wydaje się być zbyt duży. Zostanie on automatycznie zmniejszony, " -"aby pasował do powierzchni roboczej." - -msgid "Object too large" -msgstr "Obiekt jest zbyt duży" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6176,6 +6190,9 @@ msgstr "" "Importowany model przekracza wymiary przestrzeni roboczej. Czy chcesz go " "przeskalowanć do odpowiednich rozmiarów?" +msgid "Object too large" +msgstr "Obiekt jest zbyt duży" + msgid "Export STL file:" msgstr "Eksportuj plik STL:" @@ -6553,6 +6570,11 @@ msgstr "Czy chcesz kontynuować?" msgid "Language selection" msgstr "Wybór języka" +msgid "Switching application language while some presets are modified." +msgstr "" +"Zmiana języka aplikacji przy jednoczesnym istniejących zmodyfikowanych " +"ustawieniach." + msgid "Changing application language" msgstr "Zmiana języka aplikacji" @@ -8571,8 +8593,11 @@ msgstr "Lista obiektów" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Import danych geometrycznych z plików STL/STEP/3MF/OBJ/AMF" -msgid "Shift+G" -msgstr "Shift+G" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Wklej z schowka" @@ -8622,18 +8647,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Zwiń/Rozwiń pasek boczny" -msgid "Any arrow" -msgstr "Dowolna strzałka" +msgid "⌘+Any arrow" +msgstr "" msgid "Movement in camera space" msgstr "Ruch w przestrzeni kamery" +msgid "⌥+Left mouse button" +msgstr "⌥+Lewy przycisk myszy" + msgid "Select a part" msgstr "Wybierz część" +msgid "⌘+Left mouse button" +msgstr "⌘+Lewy przycisk myszy" + msgid "Select multiple objects" msgstr "Wybierz wiele obiektów" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+Dowolna strzałka" + +msgid "Alt+Left mouse button" +msgstr "Alt+Lewy przycisk myszy" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+Lewy przycisk myszy" + msgid "Shift+Left mouse button" msgstr "Shift+Lewy przycisk myszy" @@ -8736,12 +8776,24 @@ msgstr "Płyta" msgid "Move: press to snap by 1mm" msgstr "Przesuń: naciśnij, aby przyciągnąć co 1 mm" +msgid "⌘+Mouse wheel" +msgstr "⌘+Kółko myszy" + msgid "Support/Color Painting: adjust pen radius" msgstr "Podpory/Kolorowanie: dostosuj promień pędzla" +msgid "⌥+Mouse wheel" +msgstr "⌥+Kółko myszy" + msgid "Support/Color Painting: adjust section position" msgstr "Podpory/Kolorowanie: dostosuj pozycję sekcji" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+Kółko myszy" + +msgid "Alt+Mouse wheel" +msgstr "Alt+Kółko myszy" + msgid "Gizmo" msgstr "Uchwyt" @@ -9823,25 +9875,32 @@ msgid "Apply gap fill" msgstr "Zastosuj wypełnienie szczelin" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" -msgstr "" -"Umożliwia wypełnienie szpar/szczelin dla wybranych powierzchni. Minimalną " -"długość szczeliny, która zostanie wypełniona, można kontrolować poprzez " -"opcję 'filtruj wąskie szczeliny' znajdującej się poniżej.\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"Opcje:\n" -"1. Wszędzie: Stosuje wypełnienie na górnych, dolnych i wewnętrznych " -"powierzchniach stałych\n" -"2. Powierzchnie górne i dolne: Stosuje wypełnienie tylko na górnych i " -"dolnych powierzchniach\n" -"3. Nigdzie: Wyłącza wypełnienie\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" +msgstr "" msgid "Everywhere" msgstr "Wszędzie" @@ -9916,10 +9975,11 @@ msgstr "Współczynnik przepływu przy mostach" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Zmniejsz tę wartość minimalnie (na przykład do 0.9), aby zmniejszyć ilość " -"filamentu dla mostu, co zmniejszy jego wygięcie" msgid "Internal bridge flow ratio" msgstr "Współczynnik przepływu dla wewnętrznych mostów" @@ -9927,29 +9987,33 @@ msgstr "Współczynnik przepływu dla wewnętrznych mostów" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"Ta wartość określa grubość wewnętrznej warstwy mostu. Jest to pierwsza " -"warstwa nad rzadkim wypełnieniem. Aby poprawić jakość powierzchni nad tym " -"wypełnieniem, możesz zmniejszyć trochę tą wartość (na przykład do 0.9)" msgid "Top surface flow ratio" msgstr "Współczynnik przepływu górnej powierzchni" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Czynnik ten wpływa na ilość filamentu na górne pełne wypełnienie. Możesz go " -"nieco zmniejszyć, aby uzyskać gładkie wykończenie powierzchni" msgid "Bottom surface flow ratio" msgstr "Współczynnik przepływu dolnej powierzchni" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Ten współczynnik wpływa na ilość materiału w dolnej warstwie pełnego " -"wypełnienia" msgid "Precise wall" msgstr "Ściany o wysokiej precyzji" @@ -10127,12 +10191,26 @@ msgstr "Włącz tę opcję, aby zwolnić drukowanie dla różnych stopni nawisu" msgid "Slow down for curled perimeters" msgstr "Zwalnienie na łukach" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Włącz tę opcję, aby zwolnić drukowanie w obszarach, gdzie istnieje " -"potencjalne zagrożenie odkształceniem obwodów" msgid "mm/s or %" msgstr "mm/s lub %" @@ -10140,8 +10218,14 @@ msgstr "mm/s lub %" msgid "External" msgstr "Zewn." -msgid "Speed of bridge and completely overhang wall" -msgstr "Prędkość mostu i całkowicie nawisającej ściany" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -10150,11 +10234,9 @@ msgid "Internal" msgstr "Wewn." msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Prędkość wewnętrznego mostu. Jeśli wartość jest wyrażona w procentach, " -"będzie obliczana na podstawie prędkości mostu. Domyślna wartość to 150%." msgid "Brim width" msgstr "Szerokość Brimu" @@ -10810,6 +10892,17 @@ msgstr "" "między 0,95 a 1,05. Być może możesz dostroić tę wartość, aby uzyskać gładką " "powierzchnię, gdy występuje lekkie przelewanie lub niedomiar" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Włącz wzrost ciśnienia (PA)" @@ -11049,18 +11142,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Czas ładowania filamentu" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Czas ładowania nowego filamentu podczas zmiany filamentu. Tylko do celów " -"statystycznych" msgid "Filament unload time" msgstr "Czas rozładowania filamentu" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Czas rozładunku poprzedniego filamentu podczas zmiany filamentu. Tylko do " -"celów statystycznych" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11208,15 +11312,6 @@ msgstr "Prędkość ostatniego ruchu chłodzącego" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "Ruchy chłodzące stopniowo przyspieszają do tej prędkości." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Czas, który drukarka (lub dodatek Multi Material 2.0) poświęca na ładowanie " -"nowego filamentu podczas zmiany narzędzia (przy wykonywaniu kodu T). Ten " -"czas jest dodawany do szacowanego czasu druku." - msgid "Ramming parameters" msgstr "Parametry wyciskania" @@ -11227,15 +11322,6 @@ msgstr "" "Ten ciąg jest edytowany przez RammingDialog i zawiera parametry właściwe dla " "wyciskania." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Czas, który drukarka (lub dodatek Multi Material 2.0) poświęca na " -"rozładowanie nowego filamentu podczas zmiany narzędzia (przy wykonywaniu " -"kodu T). Ten czas jest dodawany do szacowanego czasu druku." - msgid "Enable ramming for multitool setups" msgstr "Włącz wyciskanie przy multi-tool" @@ -11682,8 +11768,11 @@ msgstr "Filtruj wąskie szczeliny" msgid "Layers and Perimeters" msgstr "Warstwy i obwody" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Filtruj szczeliny mniejsze niż podany próg" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13870,32 +13959,40 @@ msgid "Activate temperature control" msgstr "Aktywuj kontrolę temperatury" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Włącz tę opcję dla kontroli temperatury komory. Komenda M191 zostanie dodana " -"przed \"początkowy G-code drukarki\"\n" -"Komendy G-code: M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "Temperatura komory" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Wyższa temperatura komory może pomóc w redukcji wypaczania i potencjalnie " -"prowadzić do większej siły wiązania międzywarstwowego w przypadku materiałów " -"wysokotemperaturowych, takich jak ABS, ASA, PC, PA itp. Dla filametów PLA, " -"PETG, TPU, PVA i innych materiałów niskotemperaturowych temperatura komory " -"nie powinna być wysoka. Aby uniknąć zatykania sie dyszy zaleca się " -"ustawienia na wartość 0 (wyłączone)." msgid "Nozzle temperature for layers after the initial one" msgstr "Temperatura dyszy dla warstw po początkowej" @@ -17216,52 +17313,143 @@ msgstr "" "takimi jak ABS, odpowiednie zwiększenie temperatury podgrzewanej płyty może " "zmniejszyć prawdopodobieństwo odkształceń." -#~ msgid "up to" -#~ msgstr "do" - -#~ msgid "above" -#~ msgstr "powyżej" - -#~ msgid "from" -#~ msgstr "od" - -#~ msgid "Switching application language while some presets are modified." +#~ msgid "" +#~ "Your object appears to be too large. It will be scaled down to fit the " +#~ "heat bed automatically." #~ msgstr "" -#~ "Zmiana języka aplikacji przy jednoczesnym istniejących zmodyfikowanych " -#~ "ustawieniach." +#~ "Twój obiekt wydaje się być zbyt duży. Zostanie on automatycznie " +#~ "zmniejszony, aby pasował do powierzchni roboczej." -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "Shift+G" +#~ msgstr "Shift+G" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "Any arrow" +#~ msgstr "Dowolna strzałka" -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Lewy przycisk myszy" +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" +#~ msgstr "" +#~ "Umożliwia wypełnienie szpar/szczelin dla wybranych powierzchni. Minimalną " +#~ "długość szczeliny, która zostanie wypełniona, można kontrolować poprzez " +#~ "opcję 'filtruj wąskie szczeliny' znajdującej się poniżej.\n" +#~ "\n" +#~ "Opcje:\n" +#~ "1. Wszędzie: Stosuje wypełnienie na górnych, dolnych i wewnętrznych " +#~ "powierzchniach stałych\n" +#~ "2. Powierzchnie górne i dolne: Stosuje wypełnienie tylko na górnych i " +#~ "dolnych powierzchniach\n" +#~ "3. Nigdzie: Wyłącza wypełnienie\n" -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Lewy przycisk myszy" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Zmniejsz tę wartość minimalnie (na przykład do 0.9), aby zmniejszyć ilość " +#~ "filamentu dla mostu, co zmniejszy jego wygięcie" -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+Dowolna strzałka" +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Ta wartość określa grubość wewnętrznej warstwy mostu. Jest to pierwsza " +#~ "warstwa nad rzadkim wypełnieniem. Aby poprawić jakość powierzchni nad tym " +#~ "wypełnieniem, możesz zmniejszyć trochę tą wartość (na przykład do 0.9)" -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+Lewy przycisk myszy" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Czynnik ten wpływa na ilość filamentu na górne pełne wypełnienie. Możesz " +#~ "go nieco zmniejszyć, aby uzyskać gładkie wykończenie powierzchni" -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+Lewy przycisk myszy" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "" +#~ "Ten współczynnik wpływa na ilość materiału w dolnej warstwie pełnego " +#~ "wypełnienia" -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Kółko myszy" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Włącz tę opcję, aby zwolnić drukowanie w obszarach, gdzie istnieje " +#~ "potencjalne zagrożenie odkształceniem obwodów" -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Kółko myszy" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Prędkość mostu i całkowicie nawisającej ściany" -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+Kółko myszy" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Prędkość wewnętrznego mostu. Jeśli wartość jest wyrażona w procentach, " +#~ "będzie obliczana na podstawie prędkości mostu. Domyślna wartość to 150%." -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+Kółko myszy" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Czas ładowania nowego filamentu podczas zmiany filamentu. Tylko do celów " +#~ "statystycznych" + +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Czas rozładunku poprzedniego filamentu podczas zmiany filamentu. Tylko do " +#~ "celów statystycznych" + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Czas, który drukarka (lub dodatek Multi Material 2.0) poświęca na " +#~ "ładowanie nowego filamentu podczas zmiany narzędzia (przy wykonywaniu " +#~ "kodu T). Ten czas jest dodawany do szacowanego czasu druku." + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Czas, który drukarka (lub dodatek Multi Material 2.0) poświęca na " +#~ "rozładowanie nowego filamentu podczas zmiany narzędzia (przy wykonywaniu " +#~ "kodu T). Ten czas jest dodawany do szacowanego czasu druku." + +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "Filtruj szczeliny mniejsze niż podany próg" + +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Włącz tę opcję dla kontroli temperatury komory. Komenda M191 zostanie " +#~ "dodana przed \"początkowy G-code drukarki\"\n" +#~ "Komendy G-code: M141/M191 S(0-255)" + +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Wyższa temperatura komory może pomóc w redukcji wypaczania i potencjalnie " +#~ "prowadzić do większej siły wiązania międzywarstwowego w przypadku " +#~ "materiałów wysokotemperaturowych, takich jak ABS, ASA, PC, PA itp. Dla " +#~ "filametów PLA, PETG, TPU, PVA i innych materiałów niskotemperaturowych " +#~ "temperatura komory nie powinna być wysoka. Aby uniknąć zatykania sie " +#~ "dyszy zaleca się ustawienia na wartość 0 (wyłączone)." #~ msgid "" #~ "Interlocking depth of a segmented region. Zero disables this feature." diff --git a/localization/i18n/pt_BR/OrcaSlicer_pt_BR.po b/localization/i18n/pt_BR/OrcaSlicer_pt_BR.po index 42ecd5c780..76f37e4280 100644 --- a/localization/i18n/pt_BR/OrcaSlicer_pt_BR.po +++ b/localization/i18n/pt_BR/OrcaSlicer_pt_BR.po @@ -2,7 +2,7 @@ msgid "" msgstr "" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: 2024-06-01 21:51-0300\n" "Last-Translator: \n" "Language-Team: Portuguese, Brazilian\n" @@ -80,6 +80,9 @@ msgstr "" msgid "On overhangs only" msgstr "Apenas em 'overhangs'" +msgid "Auto support threshold angle: " +msgstr "Ângulo max. do suporte automático: " + msgid "Circle" msgstr "Círculo" @@ -99,9 +102,6 @@ msgstr "Permite pintura apenas em facetas selecionadas por: \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Realçar faces conforme a inclinação." -msgid "Auto support threshold angle: " -msgstr "Ângulo max. do suporte automático: " - msgid "No auto support" msgstr "Sem suporte automático" @@ -1989,6 +1989,9 @@ msgstr "Simplificar Modelo" msgid "Center" msgstr "Centralizar" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Editar Configurações de Processo" @@ -4163,6 +4166,15 @@ msgstr "Tempo total" msgid "Total cost" msgstr "Custo total" +msgid "up to" +msgstr "até" + +msgid "above" +msgstr "acima" + +msgid "from" +msgstr "de" + msgid "Color Scheme" msgstr "Esquema de Cores" @@ -4226,12 +4238,12 @@ msgstr "Quantidade de trocas de filamento" msgid "Cost" msgstr "Custo" -msgid "Print" -msgstr "Imprimir" - msgid "Color change" msgstr "Mudança de Cor" +msgid "Print" +msgstr "Imprimir" + msgid "Printer" msgstr "Impressora" @@ -4415,7 +4427,7 @@ msgstr "Volume:" msgid "Size:" msgstr "Tamanho:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4856,6 +4868,18 @@ msgstr "Passo 2" msgid "Flow rate test - Pass 2" msgstr "Teste de fluxo - Passo 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Fluxo" @@ -6157,14 +6181,6 @@ msgstr "Objeto com múltiplas peças foi detectado" msgid "The file does not contain any geometry data." msgstr "O arquivo não contém dados de geometria." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "Objeto muito grande" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6172,6 +6188,9 @@ msgstr "" "Seu objeto parece ser muito grande. Deseja dimensioná-lo para caber na mesa " "de aquecimento automaticamente?" +msgid "Object too large" +msgstr "Objeto muito grande" + msgid "Export STL file:" msgstr "Exportar arquivo STL:" @@ -6550,6 +6569,10 @@ msgstr "Você deseja continuar?" msgid "Language selection" msgstr "Seleção de Idioma" +msgid "Switching application language while some presets are modified." +msgstr "" +"A mudança do idioma do aplicativo enquanto alguns presets estão modificados." + msgid "Changing application language" msgstr "Alterando o idioma do aplicativo" @@ -7680,8 +7703,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "Ao gravar um timelapse sem o hotend aparecer, é recomendável adicionar uma " "\"Torre Prime para Timelapse\" \n" @@ -8546,8 +8569,11 @@ msgstr "Lista de objetos" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Importar dados de geometria de arquivos STL/STEP/3MF/OBJ/AMF" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Colar da área de transferência" @@ -8597,18 +8623,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Recolher/Expandir a barra lateral" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+Qualquer seta" msgid "Movement in camera space" msgstr "Movimento no espaço da câmera" +msgid "⌥+Left mouse button" +msgstr "Botão esquerdo do mouse ⌥+" + msgid "Select a part" msgstr "Selecionar uma peça" +msgid "⌘+Left mouse button" +msgstr "Botão esquerdo do mouse ⌘+" + msgid "Select multiple objects" msgstr "Selecionar vários objetos" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+Qualquer seta" + +msgid "Alt+Left mouse button" +msgstr "Botão esquerdo do mouse Alt+" + +msgid "Ctrl+Left mouse button" +msgstr "Botão esquerdo do mouse Ctrl+" + msgid "Shift+Left mouse button" msgstr "Botão esquerdo do mouse Shift+" @@ -8711,12 +8752,24 @@ msgstr "Mesa" msgid "Move: press to snap by 1mm" msgstr "Mover: pressione para ajustar em 1mm" +msgid "⌘+Mouse wheel" +msgstr "⌘+Roda do mouse" + msgid "Support/Color Painting: adjust pen radius" msgstr "Suporte/Pintura em cores: ajustar o raio da caneta" +msgid "⌥+Mouse wheel" +msgstr "⌥+Roda do mouse" + msgid "Support/Color Painting: adjust section position" msgstr "Suporte/Pintura em cores: ajustar a posição da seção" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+Roda do mouse" + +msgid "Alt+Mouse wheel" +msgstr "Alt+Roda do mouse" + msgid "Gizmo" msgstr "Gizmo" @@ -9781,25 +9834,32 @@ msgid "Apply gap fill" msgstr "Preenchimento de vão" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" -msgstr "" -"Ativa o preenchimento de vão para as superfícies selecionadas. O comprimento " -"mínimo do vão que será preenchida pode ser controlado a partir da opção de " -"filtrar pequenas s abaixo.\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"Opções:\n" -"1. Em todos os lugares: Aplica preenchimento de s às superfícies sólidas " -"superior, inferior e interna\n" -"2. Superfícies superior e inferior: Aplica preenchimento de s apenas às " -"superfícies superior e inferior\n" -"3. Em nenhum lugar: Desativa o preenchimento de s\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" +msgstr "" msgid "Everywhere" msgstr "Sempre" @@ -9873,10 +9933,11 @@ msgstr "Fluxo em ponte" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Diminua ligeiramente este valor (por exemplo, 0.9) para reduzir a quantidade " -"de material para ponte, para melhorar a flacidez" msgid "Internal bridge flow ratio" msgstr "Fluxo em ponte interna" @@ -9884,31 +9945,33 @@ msgstr "Fluxo em ponte interna" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"Este valor governa a espessura da camada interna da ponte. Esta é a primeira " -"camada sobre o preenchimento. Diminua ligeiramente este valor (por exemplo, " -"0.9) para melhorar a qualidade da superfície sobre o preenchimento " -"esparsamente." msgid "Top surface flow ratio" msgstr "Fluxo em superfície superior" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Este fator afeta a quantidade de material para o preenchimento sólido " -"superior. Você pode diminuí-lo ligeiramente para ter um acabamento de " -"superfície suave" msgid "Bottom surface flow ratio" msgstr "Fluxo em superfície inferior" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Este fator afeta a quantidade de material para o preenchimento sólido " -"inferior" msgid "Precise wall" msgstr "Parede precisa" @@ -10085,12 +10148,26 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "Reduzir vel. para perímetros encurvados" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Ative esta opção para diminuir a velocidade de impressão em áreas onde podem " -"existir potenciais perímetros curvados (warping)" msgid "mm/s or %" msgstr "mm/s ou %" @@ -10098,8 +10175,14 @@ msgstr "mm/s ou %" msgid "External" msgstr "Externo" -msgid "Speed of bridge and completely overhang wall" -msgstr "Velocidade de ponte e paredes compostas completamente de overhangs" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -10108,11 +10191,9 @@ msgid "Internal" msgstr "Interno" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Velocidade da ponte interna. Se o valor for expresso como porcentagem, será " -"calculado com base na velocidade da ponte. O valor padrão é 150%." msgid "Brim width" msgstr "Largura da borda" @@ -10764,6 +10845,17 @@ msgstr "" "está entre 0.95 e 1.05. Talvez você possa ajustar esse valor para obter uma " "superfície plana agradável quando houver um leve transbordamento ou subfluxo" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Habilitar Pressure advance" @@ -10943,18 +11035,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Tempo de carga do filamento" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Tempo para carregar novo filamento ao trocar de filamento. Apenas para " -"estatísticas" msgid "Filament unload time" msgstr "Tempo de descarga do filamento" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Tempo para descarregar o filamento antigo ao trocar de filamento. Apenas " -"para estatísticas" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11095,16 +11198,6 @@ msgstr "" "Os movimentos de resfriamento estão gradualmente acelerando em direção a " "esta velocidade." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Tempo para o firmware da impressora (ou a Unidade de Material Multi 2.0) " -"carregar um novo filamento durante uma troca de ferramenta (ao executar o " -"código T). Este tempo é adicionado ao tempo total de impressão pelo " -"estimador de tempo do G-code." - msgid "Ramming parameters" msgstr "Parâmetros de moldeamento" @@ -11115,16 +11208,6 @@ msgstr "" "Esta frase é editada pelo RammingDialog e contém parâmetros específicos de " "moldeamento." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Tempo para o firmware da impressora (ou a Unidade de Material Multi 2.0) " -"descarregar um filamento durante uma troca de ferramenta (ao executar o " -"código T). Este tempo é adicionado ao tempo total de impressão pelo " -"estimador de tempo do G-code." - msgid "Enable ramming for multitool setups" msgstr "Habilitar moldeamento para configurações de multi-extrusora" @@ -11494,10 +11577,10 @@ msgstr "Velocidade total do ventilador na camada" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "A velocidade do ventilador aumentará linearmente de zero na camada " "\"close_fan_the_first_x_layers\" para o máximo na camada " @@ -11573,8 +11656,11 @@ msgstr "Filtrar vazios pequenos" msgid "Layers and Perimeters" msgstr "Camadas e Perímetros" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Filtrar vazios menores que o limite especificado" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13718,33 +13804,40 @@ msgid "Activate temperature control" msgstr "Ativar controle de temperatura" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Ative esta opção para controle de temperatura da câmara. Um comando M191 " -"será adicionado antes de \"machine_start_gcode\"\n" -"Comandos G-code: M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "Temperatura da câmara" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Uma temperatura mais alta na câmara pode ajudar a suprimir ou reduzir o " -"empenamento e potencialmente levar a uma maior resistência de ligação entre " -"camadas para materiais de alta temperatura como ABS, ASA, PC, PA e assim por " -"diante. Ao mesmo tempo, a filtragem de ar de ABS e ASA ficará pior. Para " -"PLA, PETG, TPU, PVA e outros materiais de baixa temperatura, a temperatura " -"real da câmara não deve ser alta para evitar obstruções, portanto, é " -"altamente recomendável usar 0, que significa desligado" msgid "Nozzle temperature for layers after the initial one" msgstr "Temperatura do bico para camadas após a inicial" @@ -15701,8 +15794,8 @@ msgstr "" "Você deseja reescrevê-lo?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" "Renomearíamos os presets como \"Fornecedor Tipo Serial @ impressora que você " @@ -17029,55 +17122,135 @@ msgstr "" "aumentar adequadamente a temperatura da mesa aquecida pode reduzir a " "probabilidade de empenamento?" -#~ msgid "up to" -#~ msgstr "até" - -#~ msgid "above" -#~ msgstr "acima" - -#~ msgid "from" -#~ msgstr "de" - -#~ msgid "Switching application language while some presets are modified." +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" #~ msgstr "" -#~ "A mudança do idioma do aplicativo enquanto alguns presets estão " -#~ "modificados." +#~ "Ativa o preenchimento de vão para as superfícies selecionadas. O " +#~ "comprimento mínimo do vão que será preenchida pode ser controlado a " +#~ "partir da opção de filtrar pequenas s abaixo.\n" +#~ "\n" +#~ "Opções:\n" +#~ "1. Em todos os lugares: Aplica preenchimento de s às superfícies sólidas " +#~ "superior, inferior e interna\n" +#~ "2. Superfícies superior e inferior: Aplica preenchimento de s apenas às " +#~ "superfícies superior e inferior\n" +#~ "3. Em nenhum lugar: Desativa o preenchimento de s\n" -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Diminua ligeiramente este valor (por exemplo, 0.9) para reduzir a " +#~ "quantidade de material para ponte, para melhorar a flacidez" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Este valor governa a espessura da camada interna da ponte. Esta é a " +#~ "primeira camada sobre o preenchimento. Diminua ligeiramente este valor " +#~ "(por exemplo, 0.9) para melhorar a qualidade da superfície sobre o " +#~ "preenchimento esparsamente." -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+Qualquer seta" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Este fator afeta a quantidade de material para o preenchimento sólido " +#~ "superior. Você pode diminuí-lo ligeiramente para ter um acabamento de " +#~ "superfície suave" -#~ msgid "⌥+Left mouse button" -#~ msgstr "Botão esquerdo do mouse ⌥+" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "" +#~ "Este fator afeta a quantidade de material para o preenchimento sólido " +#~ "inferior" -#~ msgid "⌘+Left mouse button" -#~ msgstr "Botão esquerdo do mouse ⌘+" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Ative esta opção para diminuir a velocidade de impressão em áreas onde " +#~ "podem existir potenciais perímetros curvados (warping)" -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+Qualquer seta" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Velocidade de ponte e paredes compostas completamente de overhangs" -#~ msgid "Alt+Left mouse button" -#~ msgstr "Botão esquerdo do mouse Alt+" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Velocidade da ponte interna. Se o valor for expresso como porcentagem, " +#~ "será calculado com base na velocidade da ponte. O valor padrão é 150%." -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Botão esquerdo do mouse Ctrl+" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Tempo para carregar novo filamento ao trocar de filamento. Apenas para " +#~ "estatísticas" -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Roda do mouse" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Tempo para descarregar o filamento antigo ao trocar de filamento. Apenas " +#~ "para estatísticas" -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Roda do mouse" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Tempo para o firmware da impressora (ou a Unidade de Material Multi 2.0) " +#~ "carregar um novo filamento durante uma troca de ferramenta (ao executar o " +#~ "código T). Este tempo é adicionado ao tempo total de impressão pelo " +#~ "estimador de tempo do G-code." -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+Roda do mouse" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Tempo para o firmware da impressora (ou a Unidade de Material Multi 2.0) " +#~ "descarregar um filamento durante uma troca de ferramenta (ao executar o " +#~ "código T). Este tempo é adicionado ao tempo total de impressão pelo " +#~ "estimador de tempo do G-code." -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+Roda do mouse" +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "Filtrar vazios menores que o limite especificado" + +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Ative esta opção para controle de temperatura da câmara. Um comando M191 " +#~ "será adicionado antes de \"machine_start_gcode\"\n" +#~ "Comandos G-code: M141/M191 S(0-255)" + +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Uma temperatura mais alta na câmara pode ajudar a suprimir ou reduzir o " +#~ "empenamento e potencialmente levar a uma maior resistência de ligação " +#~ "entre camadas para materiais de alta temperatura como ABS, ASA, PC, PA e " +#~ "assim por diante. Ao mesmo tempo, a filtragem de ar de ABS e ASA ficará " +#~ "pior. Para PLA, PETG, TPU, PVA e outros materiais de baixa temperatura, a " +#~ "temperatura real da câmara não deve ser alta para evitar obstruções, " +#~ "portanto, é altamente recomendável usar 0, que significa desligado" #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " diff --git a/localization/i18n/ru/OrcaSlicer_ru.po b/localization/i18n/ru/OrcaSlicer_ru.po index 04def26dcd..6f89ee3416 100644 --- a/localization/i18n/ru/OrcaSlicer_ru.po +++ b/localization/i18n/ru/OrcaSlicer_ru.po @@ -7,7 +7,7 @@ msgid "" msgstr "" "Project-Id-Version: OrcaSlicer V2.0.0 Official Release\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: 2024-06-19 16:50+0700\n" "Last-Translator: \n" "Language-Team: andylg@yandex.ru\n" @@ -15,8 +15,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" -"%10<=4 && (n%100<12 || n%100>14) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && " +"n%10<=4 && (n%100<12 || n%100>14) ? 1 : 2);\n" "X-Generator: Poedit 3.4.2\n" msgid "Supports Painting" @@ -79,6 +79,9 @@ msgstr "Угол для умной заливки" msgid "On overhangs only" msgstr "Только на свесах" +msgid "Auto support threshold angle: " +msgstr "Пороговый угол автоподдержки: " + msgid "Circle" msgstr "Окружность" @@ -98,9 +101,6 @@ msgstr "Позволяет рисовать на выбранных гранях msgid "Highlight faces according to overhang angle." msgstr "Выделение граней по углу свеса." -msgid "Auto support threshold angle: " -msgstr "Пороговый угол автоподдержки: " - msgid "No auto support" msgstr "Откл. автоподдержку" @@ -1988,6 +1988,9 @@ msgstr "Упростить полигональную сетку" msgid "Center" msgstr "По центру" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Редактировать настройки процесса печати" @@ -4193,6 +4196,15 @@ msgstr "Общее время печати" msgid "Total cost" msgstr "Общая стоимость" +msgid "up to" +msgstr "до" + +msgid "above" +msgstr "после" + +msgid "from" +msgstr "с" + msgid "Color Scheme" msgstr "Цветовая схема" @@ -4256,12 +4268,12 @@ msgstr "Время смены прутка" msgid "Cost" msgstr "Стоимость" -msgid "Print" -msgstr "Печать" - msgid "Color change" msgstr "Смена цвета" +msgid "Print" +msgstr "Печать" + msgid "Printer" msgstr "Профиль принтера" @@ -4445,7 +4457,7 @@ msgstr "Объём:" msgid "Size:" msgstr "Размер:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4890,6 +4902,18 @@ msgstr "Проход 2" msgid "Flow rate test - Pass 2" msgstr "Тест скорости потока - 2-ой проход" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Скорость потока" @@ -6197,14 +6221,6 @@ msgstr "Обнаружена модель, состоящая из нескол msgid "The file does not contain any geometry data." msgstr "Файл не содержит никаких геометрических данных." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "Модель слишком большая" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6213,6 +6229,9 @@ msgstr "" "Хотите автоматически уменьшить её масштаб, \n" "чтобы она уместилась на столе?" +msgid "Object too large" +msgstr "Модель слишком большая" + msgid "Export STL file:" msgstr "Экспорт в STL файл:" @@ -6586,6 +6605,9 @@ msgstr "Хотите продолжить?" msgid "Language selection" msgstr "Выбор языка" +msgid "Switching application language while some presets are modified." +msgstr "Смена языка приложения при изменении некоторых профилей." + msgid "Changing application language" msgstr "Изменение языка приложения" @@ -7534,8 +7556,8 @@ msgid "" "Bambu Lab Privacy Policy, please do not use Bambu Lab equipment and services." msgstr "" "Перед использованием устройства Bambu Lab ознакомьтесь с правилами и " -"условиями. Нажимая на кнопку \"Согласие на использование устройства Bambu Lab" -"\", вы соглашаетесь соблюдать Политику конфиденциальности и Условия " +"условиями. Нажимая на кнопку \"Согласие на использование устройства Bambu " +"Lab\", вы соглашаетесь соблюдать Политику конфиденциальности и Условия " "использования (далее - \"Условия\"). Если вы не соблюдаете или не согласны с " "Политикой конфиденциальности Bambu Lab, пожалуйста, не пользуйтесь " "оборудованием и услугами Bambu Lab." @@ -7739,8 +7761,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "При записи таймлапса без видимости головы рекомендуется добавить «Черновая " "башня таймлапса». \n" @@ -8643,8 +8665,11 @@ msgstr "Список моделей" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Импорт геометрических данных из STL/STEP/3MF/OBJ/AMF файлов" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Вставить из буфера обмена" @@ -8694,18 +8719,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Свернуть/Развернуть боковую панель" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘ + Любая стрелка" msgid "Movement in camera space" msgstr "Перемещение выбранного по отношению к камере" +msgid "⌥+Left mouse button" +msgstr "⌥ + Левая кнопка мыши" + msgid "Select a part" msgstr "Выбор части модели" +msgid "⌘+Left mouse button" +msgstr "⌘ + Левая кнопка мыши" + msgid "Select multiple objects" msgstr "Выбор нескольких моделей" +msgid "Ctrl+Any arrow" +msgstr "Ctrl + Любая стрелка" + +msgid "Alt+Left mouse button" +msgstr "Alt + Левая кнопка мыши" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl + Левая кнопка мыши" + msgid "Shift+Left mouse button" msgstr "Shift + Левая кнопка мыши" @@ -8808,12 +8848,24 @@ msgstr "Печатная пластина" msgid "Move: press to snap by 1mm" msgstr "Перемещение: Фиксация перемещения на 1 мм" +msgid "⌘+Mouse wheel" +msgstr "⌘ + Колесо мыши" + msgid "Support/Color Painting: adjust pen radius" msgstr "Рисование поддержки/Шва/Покраски: регулировка радиуса кисти" +msgid "⌥+Mouse wheel" +msgstr "⌥ + Колесо мыши" + msgid "Support/Color Painting: adjust section position" msgstr "Рисование поддержки/Шва/Покраски: регулировка положения сечения" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl + Колесо мыши" + +msgid "Alt+Mouse wheel" +msgstr "Alt + Колесо мыши" + msgid "Gizmo" msgstr "Гизмо" @@ -9894,24 +9946,32 @@ msgid "Apply gap fill" msgstr "Заполнять пробелы" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" -"Включает заполнение пробелов для выбранных поверхностей. Минимальной длиной " -"пробела, который будет заполнен, можно управлять с помощью нижерасположенной " -"опции «Игнорировать небольшие пробелы».\n" -"Доступные режимы:\n" -"1. Везде (заполнение пробелов применяется на верхних, нижних и внутренних " -"сплошных поверхностях)\n" -"2. Верхняя и нижняя поверхности (заполнение пробелов применяется только к " -"верхней и нижней поверхностям)\n" -"3. Нигде (заполнение пробелов отключено)\n" msgid "Everywhere" msgstr "Везде" @@ -9984,12 +10044,11 @@ msgstr "Коэффициент подачи пластика при печати msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Параметр задаёт количество пластика, затрачиваемое для построения мостов. В " -"большинстве случаев настроек по умолчанию достаточно, тем не менее, при " -"печати некоторых моделей уменьшение параметра может сократить провисание " -"пластика при печати мостов." msgid "Internal bridge flow ratio" msgstr "Поток внутреннего моста" @@ -9997,31 +10056,33 @@ msgstr "Поток внутреннего моста" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"Это значение определяет толщину слоя внутреннего моста, печатаемого поверх " -"разреженного заполнения. Немного уменьшите это значение (например 0,9), " -"чтобы улучшить качество поверхности печатаемой поверх разреженного " -"заполнения." msgid "Top surface flow ratio" msgstr "Коэффициент потока на верхней поверхности" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Этот параметр задаёт количество выдавливаемого материала для верхнего " -"сплошного слоя заполнения. Вы можете немного уменьшить его, чтобы получить " -"более гладкую поверхность." msgid "Bottom surface flow ratio" msgstr "Коэффициент потока на нижней поверхности" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Этот параметр задаёт количество выдавливаемого материала для нижнего " -"сплошного слоя заполнения." msgid "Precise wall" msgstr "Точные периметры" @@ -10198,12 +10259,26 @@ msgstr "Включение динамического управления ск msgid "Slow down for curled perimeters" msgstr "Замедляться на изогнутых периметрах" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Включите эту опцию для замедления печати в тех областях, где потенциально " -"могут возникать изогнутые периметры." msgid "mm/s or %" msgstr "мм/с или %" @@ -10211,8 +10286,14 @@ msgstr "мм/с или %" msgid "External" msgstr "Внешние" -msgid "Speed of bridge and completely overhang wall" -msgstr "Скорость печати мостов и периметров с полным нависанием." +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "мм/с" @@ -10221,12 +10302,9 @@ msgid "Internal" msgstr "Внутренние" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Скорость печати внутреннего моста. Если задано в процентах, то значение " -"вычисляться относительно скорости внешнего моста (bridge_speed). Значение по " -"умолчанию равно 150%." msgid "Brim width" msgstr "Ширина каймы" @@ -10876,6 +10954,17 @@ msgstr "" "При небольшом переливе или недоливе на поверхности, корректировка этого " "параметра поможет получить хорошую гладкую поверхность." +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Включить Pressure advance" @@ -11067,16 +11156,29 @@ msgstr "мм³/с" msgid "Filament load time" msgstr "Время загрузки прутка" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Время загрузки новой пластиковой нити при её смене. Только для статистики." msgid "Filament unload time" msgstr "Время выгрузки прутка" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Время выгрузки старой пластиковой нити при её смене. Только для статистики." msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11212,16 +11314,6 @@ msgstr "Скорость последнего охлаждающего движ msgid "Cooling moves are gradually accelerating towards this speed." msgstr "Охлаждающие движения постепенно ускоряют до этой скорости." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Время за которое прошивка принтера (или Multi Material Unit 2.0) выгружает " -"пруток во время смены инструмента (при выполнении кода Т). Это время " -"добавляется к общему времени печати с помощью алгоритма оценки времени " -"выполнения G-кода." - msgid "Ramming parameters" msgstr "Параметры рэмминга" @@ -11232,16 +11324,6 @@ msgstr "" "Эта строка редактируется диалоговым окном рэмминга и содержит его конкретные " "параметры." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Время за которое прошивка принтера (или Multi Material Unit 2.0) выгружает " -"пруток во время смены инструмента (при выполнении кода Т). Это время " -"добавляется к общему времени печати с помощью алгоритма оценки времени " -"выполнения G-кода." - msgid "Enable ramming for multitool setups" msgstr "Включить рэмминг для мультиинструментальных устройств" @@ -11460,8 +11542,8 @@ msgstr "" "две ближайшие линии заполнения с коротким отрезком периметра. Если не " "найдено такого отрезка периметра короче этого параметра, линия заполнения " "соединяется с отрезком периметра только с одной стороны, а длина отрезка " -"периметра ограничена значением «Длина привязок разреженного " -"заполнения» (infill_anchor), но не больше этого параметра.\n" +"периметра ограничена значением «Длина привязок разреженного заполнения» " +"(infill_anchor), но не больше этого параметра.\n" "Если установить 0, то будет использоваться старый алгоритм для соединения " "заполнения, который даёт такой же результат, как и при значениях 1000 и 0." @@ -11616,17 +11698,17 @@ msgstr "Полная скорость вентилятора на слое" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "Скорость вентилятора будет нарастать линейно от нуля на слое " -"\"close_fan_the_first_x_layers\" до максимума на слое \"full_fan_speed_layer" -"\". Значение \"full_fan_speed_layer\" будет игнорироваться, если оно меньше " -"значения \"close_fan_the_first_x_layers\", в этом случае вентилятор будет " -"работать на максимально допустимой скорости на слое " -"\"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" до максимума на слое " +"\"full_fan_speed_layer\". Значение \"full_fan_speed_layer\" будет " +"игнорироваться, если оно меньше значения \"close_fan_the_first_x_layers\", в " +"этом случае вентилятор будет работать на максимально допустимой скорости на " +"слое \"close_fan_the_first_x_layers\" + 1." msgid "layer" msgstr "слой" @@ -11694,8 +11776,11 @@ msgstr "Игнорировать небольшие пробелы" msgid "Layers and Perimeters" msgstr "Слои и периметры" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Небольшие промежутки меньше указанного порога не будут заполняться." +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13865,34 +13950,40 @@ msgid "Activate temperature control" msgstr "Вкл. контроль температуры" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Для контроля температуры в камере принтера включите эту опцию. Команда M191 " -"будет добавлена перед стартовый G-кодом принтера (machine_start_gcode).\n" -"G-код команда: M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "Температура термокамеры" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Более высокая температура в камере может помочь уменьшить или даже исключить " -"коробление материала. Так же это улучшает межслойное соединения у " -"высокотемпературных материалов, таких как ABS, ASA, PC, PA и т.д. (в то же " -"время фильтрация воздуха при печати ABS и ASA сделает её хуже). Для " -"низкотемпературных материалов, таких как PLA, PETG, TPU, PVA и т. д., " -"фактическая температура в камере не должна быть слишком высокой, чтобы " -"избежать засорения сопла, поэтому настоятельно рекомендуется установить " -"температуру в камере равной 0°C." msgid "Nozzle temperature for layers after the initial one" msgstr "Температура сопла при печати для слоёв после первого." @@ -15878,8 +15969,8 @@ msgstr "" "Хотите перезаписать его?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" "Мы переименуем профиль в \"Производитель Тип Серия @выбранный принтер\".\n" @@ -17198,53 +17289,138 @@ msgstr "" "ABS, повышение температуры подогреваемого стола может снизить эту " "вероятность?" -#~ msgid "up to" -#~ msgstr "до" +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" +#~ msgstr "" +#~ "Включает заполнение пробелов для выбранных поверхностей. Минимальной " +#~ "длиной пробела, который будет заполнен, можно управлять с помощью " +#~ "нижерасположенной опции «Игнорировать небольшие пробелы».\n" +#~ "Доступные режимы:\n" +#~ "1. Везде (заполнение пробелов применяется на верхних, нижних и внутренних " +#~ "сплошных поверхностях)\n" +#~ "2. Верхняя и нижняя поверхности (заполнение пробелов применяется только к " +#~ "верхней и нижней поверхностям)\n" +#~ "3. Нигде (заполнение пробелов отключено)\n" -#~ msgid "above" -#~ msgstr "после" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Параметр задаёт количество пластика, затрачиваемое для построения мостов. " +#~ "В большинстве случаев настроек по умолчанию достаточно, тем не менее, при " +#~ "печати некоторых моделей уменьшение параметра может сократить провисание " +#~ "пластика при печати мостов." -#~ msgid "from" -#~ msgstr "с" +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Это значение определяет толщину слоя внутреннего моста, печатаемого " +#~ "поверх разреженного заполнения. Немного уменьшите это значение (например " +#~ "0,9), чтобы улучшить качество поверхности печатаемой поверх разреженного " +#~ "заполнения." -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "Смена языка приложения при изменении некоторых профилей." +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Этот параметр задаёт количество выдавливаемого материала для верхнего " +#~ "сплошного слоя заполнения. Вы можете немного уменьшить его, чтобы " +#~ "получить более гладкую поверхность." -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "" +#~ "Этот параметр задаёт количество выдавливаемого материала для нижнего " +#~ "сплошного слоя заполнения." -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Включите эту опцию для замедления печати в тех областях, где потенциально " +#~ "могут возникать изогнутые периметры." -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘ + Любая стрелка" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Скорость печати мостов и периметров с полным нависанием." -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥ + Левая кнопка мыши" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Скорость печати внутреннего моста. Если задано в процентах, то значение " +#~ "вычисляться относительно скорости внешнего моста (bridge_speed). Значение " +#~ "по умолчанию равно 150%." -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘ + Левая кнопка мыши" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Время загрузки новой пластиковой нити при её смене. Только для статистики." -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl + Любая стрелка" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Время выгрузки старой пластиковой нити при её смене. Только для " +#~ "статистики." -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt + Левая кнопка мыши" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Время за которое прошивка принтера (или Multi Material Unit 2.0) " +#~ "выгружает пруток во время смены инструмента (при выполнении кода Т). Это " +#~ "время добавляется к общему времени печати с помощью алгоритма оценки " +#~ "времени выполнения G-кода." -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl + Левая кнопка мыши" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Время за которое прошивка принтера (или Multi Material Unit 2.0) " +#~ "выгружает пруток во время смены инструмента (при выполнении кода Т). Это " +#~ "время добавляется к общему времени печати с помощью алгоритма оценки " +#~ "времени выполнения G-кода." -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘ + Колесо мыши" +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "Небольшие промежутки меньше указанного порога не будут заполняться." -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥ + Колесо мыши" +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Для контроля температуры в камере принтера включите эту опцию. Команда " +#~ "M191 будет добавлена перед стартовый G-кодом принтера " +#~ "(machine_start_gcode).\n" +#~ "G-код команда: M141/M191 S(0-255)" -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl + Колесо мыши" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt + Колесо мыши" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Более высокая температура в камере может помочь уменьшить или даже " +#~ "исключить коробление материала. Так же это улучшает межслойное соединения " +#~ "у высокотемпературных материалов, таких как ABS, ASA, PC, PA и т.д. (в то " +#~ "же время фильтрация воздуха при печати ABS и ASA сделает её хуже). Для " +#~ "низкотемпературных материалов, таких как PLA, PETG, TPU, PVA и т. д., " +#~ "фактическая температура в камере не должна быть слишком высокой, чтобы " +#~ "избежать засорения сопла, поэтому настоятельно рекомендуется установить " +#~ "температуру в камере равной 0°C." #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " diff --git a/localization/i18n/sv/OrcaSlicer_sv.po b/localization/i18n/sv/OrcaSlicer_sv.po index ee52d153f3..4d30adcc06 100644 --- a/localization/i18n/sv/OrcaSlicer_sv.po +++ b/localization/i18n/sv/OrcaSlicer_sv.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "Language: sv\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -71,6 +71,9 @@ msgstr "Smart fyllningsvinkel" msgid "On overhangs only" msgstr "Endast på överhäng" +msgid "Auto support threshold angle: " +msgstr "Automatisk support tröskelsvinkel: " + msgid "Circle" msgstr "Cirkel" @@ -90,9 +93,6 @@ msgstr "Tillåter målning endast på fasetter som valts av: ”%1%”" msgid "Highlight faces according to overhang angle." msgstr "Markera ytor enligt överhängs vinkeln." -msgid "Auto support threshold angle: " -msgstr "Automatisk support tröskelsvinkel: " - msgid "No auto support" msgstr "Ingen auto support" @@ -1924,6 +1924,9 @@ msgstr "Förenkla modellen" msgid "Center" msgstr "Center" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Redigera Process Inställningar" @@ -4053,6 +4056,15 @@ msgstr "Total tid" msgid "Total cost" msgstr "Total cost" +msgid "up to" +msgstr "upp till" + +msgid "above" +msgstr "över" + +msgid "from" +msgstr "från" + msgid "Color Scheme" msgstr "Färgschema" @@ -4116,12 +4128,12 @@ msgstr "Filament bytes tider" msgid "Cost" msgstr "Kostnad" -msgid "Print" -msgstr "Skriv ut" - msgid "Color change" msgstr "Färg byte" +msgid "Print" +msgstr "Skriv ut" + msgid "Printer" msgstr "Skrivare" @@ -4305,7 +4317,7 @@ msgstr "Volym:" msgid "Size:" msgstr "Storlek:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4744,6 +4756,18 @@ msgstr "Pass 2" msgid "Flow rate test - Pass 2" msgstr "Test av flödeshastighet - Godkänt 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Flödeshastighet" @@ -6002,14 +6026,6 @@ msgstr "Ett objekt med multipla delar har upptäckts" msgid "The file does not contain any geometry data." msgstr "Filen innehåller ingen geometrisk data." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "Objektet är för stort" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6017,6 +6033,9 @@ msgstr "" "Objektet verkar vara för stort, vill du skala ner det så att det passar " "byggplattan automatiskt?" +msgid "Object too large" +msgstr "Objektet är för stort" + msgid "Export STL file:" msgstr "Exportera STL-fil:" @@ -6381,6 +6400,9 @@ msgstr "Fortsätta?" msgid "Language selection" msgstr "Språkval" +msgid "Switching application language while some presets are modified." +msgstr "Byter språk medans inställningarna ändras." + msgid "Changing application language" msgstr "Byter språk" @@ -7106,8 +7128,8 @@ msgstr "" msgid "" "Timelapse is not supported because Print sequence is set to \"By object\"." msgstr "" -"Timelapse stöds inte eftersom utskrifts sekvensen är inställd på \"Per objekt" -"\"." +"Timelapse stöds inte eftersom utskrifts sekvensen är inställd på \"Per " +"objekt\"." msgid "Errors" msgstr "Fel" @@ -7479,8 +7501,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "När du spelar in timelapse utan verktygshuvud rekommenderas att du lägger " "till ett \"Timelapse Wipe Tower\".\n" @@ -8326,8 +8348,11 @@ msgstr "Objektlista" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Importera geometri data från STL/STEP/3MF/OBJ/AMF filer" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Skift+G" msgid "Paste from clipboard" msgstr "Klistra in ifrån urklipp" @@ -8376,18 +8401,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Dölj/Visa meny" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+Valfri pil" msgid "Movement in camera space" msgstr "Rörelse i kamera område" +msgid "⌥+Left mouse button" +msgstr "⌥+Vänster musknapp" + msgid "Select a part" msgstr "Välj del" +msgid "⌘+Left mouse button" +msgstr "⌘+Vänster musknapp" + msgid "Select multiple objects" msgstr "Välj flera objekt" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+Valfri pil" + +msgid "Alt+Left mouse button" +msgstr "Alt+Vänster musknapp" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+vänster musknapp" + msgid "Shift+Left mouse button" msgstr "Shift+Vänster musknapp" @@ -8490,12 +8530,24 @@ msgstr "Plätering/Förgyllning" msgid "Move: press to snap by 1mm" msgstr "Flytta: tryck för att låsa med 1mm" +msgid "⌘+Mouse wheel" +msgstr "⌘+Mushjul" + msgid "Support/Color Painting: adjust pen radius" msgstr "Support/Färgläggning: justera penn radie" +msgid "⌥+Mouse wheel" +msgstr "⌥+Mushjul" + msgid "Support/Color Painting: adjust section position" msgstr "Support/Färgläggning:justera sektions positionen" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+mushjul" + +msgid "Alt+Mouse wheel" +msgstr "Alt+Mushjul" + msgid "Gizmo" msgstr "Gizmo" @@ -9491,14 +9543,31 @@ msgid "Apply gap fill" msgstr "" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" msgid "Everywhere" @@ -9571,10 +9640,11 @@ msgstr "Bridge/Brygg flöde" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Minska detta värde något (tex 0.9) för att minska material åtgång för " -"bridges/bryggor, detta för att förbättra kvaliteten" msgid "Internal bridge flow ratio" msgstr "" @@ -9582,7 +9652,11 @@ msgstr "" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" msgid "Top surface flow ratio" @@ -9590,15 +9664,20 @@ msgstr "Flödesförhållande för övre ytan" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Denna faktor påverkar mängden material för den övre solida fyllningen. Du " -"kan minska den något för att få en jämn ytfinish." msgid "Bottom surface flow ratio" msgstr "" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" msgid "Precise wall" @@ -9731,9 +9810,25 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" msgid "mm/s or %" @@ -9742,8 +9837,14 @@ msgstr "mm/s eller %." msgid "External" msgstr "" -msgid "Speed of bridge and completely overhang wall" -msgstr "Hastighet för bridges/bryggor och hela överhängs väggar" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -9752,8 +9853,8 @@ msgid "Internal" msgstr "" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" msgid "Brim width" @@ -9849,9 +9950,9 @@ msgid "" "quality for needle and small details" msgstr "" "Aktivera detta val för att sänka utskifts hastigheten för att göra den sista " -"lager tiden inte kortare än lager tidströskeln \"Max fläkthastighets tröskel" -"\", detta så att lager kan kylas under en längre tid. Detta kan förbättra " -"kylnings kvaliteten för små detaljer" +"lager tiden inte kortare än lager tidströskeln \"Max fläkthastighets " +"tröskel\", detta så att lager kan kylas under en längre tid. Detta kan " +"förbättra kylnings kvaliteten för små detaljer" msgid "Normal printing" msgstr "Normal utskrift" @@ -10279,6 +10380,17 @@ msgstr "" "värdet är mellan 0.95 och 1.05. Du kan finjustera detta värde för att få en " "fin flat yta när visst överflöde eller underflöde finns" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Aktivera pressure advance" @@ -10451,17 +10563,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Inmatningstid för filament" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Ladda nytt filament vid byte av filament, endast för statistiska ändamål" msgid "Filament unload time" msgstr "Utmatningstid för filament" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Ladda ur gammalt filament vid byte av filament, endast för statistiska " -"ändamål" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -10577,12 +10701,6 @@ msgstr "" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" - msgid "Ramming parameters" msgstr "" @@ -10591,12 +10709,6 @@ msgid "" "parameters." msgstr "" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" - msgid "Enable ramming for multitool setups" msgstr "" @@ -10921,10 +11033,10 @@ msgstr "Full fläkthastighet vid lager" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" msgid "layer" @@ -10989,7 +11101,10 @@ msgstr "Filtrera bort små luckor" msgid "Layers and Perimeters" msgstr "Lager och perimetrar" -msgid "Filter out gaps smaller than the threshold specified" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " msgstr "" msgid "" @@ -12862,29 +12977,40 @@ msgid "Activate temperature control" msgstr "" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" msgid "Chamber temperature" msgstr "Kammarens temperatur" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on. At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials, the actual chamber temperature should not " -"be high to avoid clogs, so 0 (turned off) is highly recommended." msgid "Nozzle temperature for layers after the initial one" msgstr "Nozzel temperatur efter första lager" @@ -14707,8 +14833,8 @@ msgstr "" "Vill du skriva om det?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" @@ -15951,53 +16077,49 @@ msgstr "" "ABS, kan en lämplig ökning av värmebäddens temperatur minska sannolikheten " "för vridning." -#~ msgid "up to" -#~ msgstr "upp till" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Minska detta värde något (tex 0.9) för att minska material åtgång för " +#~ "bridges/bryggor, detta för att förbättra kvaliteten" -#~ msgid "above" -#~ msgstr "över" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Denna faktor påverkar mängden material för den övre solida fyllningen. Du " +#~ "kan minska den något för att få en jämn ytfinish." -#~ msgid "from" -#~ msgstr "från" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Hastighet för bridges/bryggor och hela överhängs väggar" -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "Byter språk medans inställningarna ändras." +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Ladda nytt filament vid byte av filament, endast för statistiska ändamål" -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Ladda ur gammalt filament vid byte av filament, endast för statistiska " +#~ "ändamål" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Skift+G" - -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+Valfri pil" - -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Vänster musknapp" - -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Vänster musknapp" - -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+Valfri pil" - -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+Vänster musknapp" - -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+vänster musknapp" - -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Mushjul" - -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Mushjul" - -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+mushjul" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+Mushjul" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on. At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials, the actual chamber " +#~ "temperature should not be high to avoid clogs, so 0 (turned off) is " +#~ "highly recommended." #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " diff --git a/localization/i18n/tr/OrcaSlicer_tr.po b/localization/i18n/tr/OrcaSlicer_tr.po index a01233b2fc..14d4a64384 100644 --- a/localization/i18n/tr/OrcaSlicer_tr.po +++ b/localization/i18n/tr/OrcaSlicer_tr.po @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: 2024-08-04 11:24+0300\n" "Last-Translator: Olcay ÖREN\n" "Language-Team: \n" @@ -74,6 +74,9 @@ msgstr "Akıllı doldurma açısı" msgid "On overhangs only" msgstr "Yalnızca çıkıntılarda" +msgid "Auto support threshold angle: " +msgstr "Otomatik destek eşik açısı: " + msgid "Circle" msgstr "Daire" @@ -94,9 +97,6 @@ msgstr "" msgid "Highlight faces according to overhang angle." msgstr "Yüzleri çıkıntı açısına göre vurgulayın." -msgid "Auto support threshold angle: " -msgstr "Otomatik destek eşik açısı: " - msgid "No auto support" msgstr "Otomatik destek yok" @@ -728,8 +728,8 @@ msgid "" "The text cannot be written using the selected font. Please try choosing a " "different font." msgstr "" -"Metin seçilen yazı tipi kullanılarak yazılamıyor. Lütfen farklı bir yazı tipi " -"seçmeyi deneyin." +"Metin seçilen yazı tipi kullanılarak yazılamıyor. Lütfen farklı bir yazı " +"tipi seçmeyi deneyin." msgid "Embossed text cannot contain only white spaces." msgstr "Kabartmalı metin yalnızca beyaz boşluklardan oluşamaz." @@ -1013,9 +1013,9 @@ msgid "" "Can't load exactly same font(\"%1%\"). Application selected a similar " "one(\"%2%\"). You have to specify font for enable edit text." msgstr "" -"Tam olarak aynı yazı tipi yüklenemiyor(\"%1%\"). Uygulama benzer bir uygulama " -"seçti(\"%2%\"). Metni düzenlemeyi etkinleştirmek için yazı tipini belirtmeniz " -"gerekir." +"Tam olarak aynı yazı tipi yüklenemiyor(\"%1%\"). Uygulama benzer bir " +"uygulama seçti(\"%2%\"). Metni düzenlemeyi etkinleştirmek için yazı tipini " +"belirtmeniz gerekir." msgid "No symbol" msgstr "Sembol yok" @@ -1467,8 +1467,8 @@ msgstr "Bilgi" msgid "" "The OrcaSlicer configuration file may be corrupted and cannot be parsed.\n" "OrcaSlicer has attempted to recreate the configuration file.\n" -"Please note, application settings will be lost, but printer profiles will not " -"be affected." +"Please note, application settings will be lost, but printer profiles will " +"not be affected." msgstr "" "OrcaSlicer konfigürasyon dosyası bozulmuş olabilir ve ayrıştırılamayabilir.\n" "OrcaSlicer, konfigürasyon dosyasını yeniden oluşturmayı denedi.\n" @@ -1974,6 +1974,9 @@ msgstr "Modeli basitleştir" msgid "Center" msgstr "Merkez" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "İşlem ayarlarını düzenle" @@ -2091,8 +2094,8 @@ msgid "" "This action will break a cut correspondence.\n" "After that model consistency can't be guaranteed .\n" "\n" -"To manipulate with solid parts or negative volumes you have to invalidate cut " -"infornation first." +"To manipulate with solid parts or negative volumes you have to invalidate " +"cut infornation first." msgstr "" "Bu eylem kesilmiş bir yazışmayı bozacaktır.\n" "Bundan sonra model tutarlılığı garanti edilemez.\n" @@ -2155,7 +2158,8 @@ msgstr "İlk seçilen öğe bir nesne ise ikincisi de nesne olmalıdır." msgid "" "If first selected item is a part, the second one should be part in the same " "object." -msgstr "İlk seçilen öğe bir parça ise ikincisi aynı nesnenin parçası olmalıdır." +msgstr "" +"İlk seçilen öğe bir parça ise ikincisi aynı nesnenin parçası olmalıdır." msgid "The type of the last solid object part is not to be changed." msgstr "Son katı nesne parçasının tipi değiştirilNozullidir." @@ -2512,14 +2516,16 @@ msgstr "" msgid "Arranging done." msgstr "Hizalama tamamlandı." -msgid "Arrange failed. Found some exceptions when processing object geometries." +msgid "" +"Arrange failed. Found some exceptions when processing object geometries." msgstr "" "Hizalama başarısız oldu. Nesne geometrilerini işlerken bazı istisnalar " "bulundu." #, c-format, boost-format msgid "" -"Arrangement ignored the following objects which can't fit into a single bed:\n" +"Arrangement ignored the following objects which can't fit into a single " +"bed:\n" "%s" msgstr "" "Hizalama tek tablaya sığmayan aşağıdaki nesneler göz ardı edildi:\n" @@ -2619,7 +2625,8 @@ msgstr "" "deneyin." msgid "Print file not found, Please slice it again and send it for printing." -msgstr "Yazdırma dosyası bulunamadı. Lütfen tekrar dilimleyip baskıya gönderin." +msgstr "" +"Yazdırma dosyası bulunamadı. Lütfen tekrar dilimleyip baskıya gönderin." msgid "" "Failed to upload print file to FTP. Please check the network status and try " @@ -2675,8 +2682,8 @@ msgid "Importing SLA archive" msgstr "SLA arşivi içe aktarılıyor" msgid "" -"The SLA archive doesn't contain any presets. Please activate some SLA printer " -"preset first before importing that SLA archive." +"The SLA archive doesn't contain any presets. Please activate some SLA " +"printer preset first before importing that SLA archive." msgstr "" "SLA arşivi herhangi bir ön ayar içermez. Lütfen SLA arşivini içe aktarmadan " "önce bazı SLA yazıcı ön ayarlarını etkinleştirin." @@ -2688,8 +2695,8 @@ msgid "Importing done." msgstr "İçe aktarma tamamlandı." msgid "" -"The imported SLA archive did not contain any presets. The current SLA presets " -"were used as fallback." +"The imported SLA archive did not contain any presets. The current SLA " +"presets were used as fallback." msgstr "" "İçe aktarılan SLA arşivi herhangi bir ön ayar içermiyordu. Geçerli SLA ön " "ayarları geri dönüş olarak kullanıldı." @@ -2746,8 +2753,8 @@ msgid "" "This software uses open source components whose copyright and other " "proprietary rights belong to their respective owners" msgstr "" -"Bu yazılım, telif hakkı ve diğer mülkiyet hakları ilgili sahiplerine ait olan " -"açık kaynaklı bileşenleri kullanır" +"Bu yazılım, telif hakkı ve diğer mülkiyet hakları ilgili sahiplerine ait " +"olan açık kaynaklı bileşenleri kullanır" #, c-format, boost-format msgid "About %s" @@ -2761,7 +2768,8 @@ msgstr "OrcaSlicer, BambuStudio, PrusaSlicer ve SuperSlicer'ı temel alır." msgid "BambuStudio is originally based on PrusaSlicer by PrusaResearch." msgstr "" -"BambuStudio orijinal olarak PrusaResearch'ün PrusaSlicer'ını temel almaktadır." +"BambuStudio orijinal olarak PrusaResearch'ün PrusaSlicer'ını temel " +"almaktadır." msgid "PrusaSlicer is originally based on Slic3r by Alessandro Ranellucci." msgstr "" @@ -2840,7 +2848,8 @@ msgstr "Lütfen geçerli bir değer girin (K %.1f~%.1f içinde)" #, c-format, boost-format msgid "Please input a valid value (K in %.1f~%.1f, N in %.1f~%.1f)" -msgstr "Lütfen geçerli bir değer girin (K %.1f~%.1f içinde, N %.1f~%.1f içinde)" +msgstr "" +"Lütfen geçerli bir değer girin (K %.1f~%.1f içinde, N %.1f~%.1f içinde)" msgid "Other Color" msgstr "Diğer renk" @@ -2852,9 +2861,9 @@ msgid "Dynamic flow calibration" msgstr "Dinamik akış kalibrasyonu" msgid "" -"The nozzle temp and max volumetric speed will affect the calibration results. " -"Please fill in the same values as the actual printing. They can be auto-" -"filled by selecting a filament preset." +"The nozzle temp and max volumetric speed will affect the calibration " +"results. Please fill in the same values as the actual printing. They can be " +"auto-filled by selecting a filament preset." msgstr "" "Nozul sıcaklığı ve maksimum hacimsel hız kalibrasyon sonuçlarını " "etkileyecektir. Lütfen gerçek yazdırmayla aynı değerleri girin. Bir filament " @@ -2989,7 +2998,8 @@ msgid "" "When the current material run out, the printer will continue to print in the " "following order." msgstr "" -"Mevcut malzeme bittiğinde yazıcı aşağıdaki sırayla yazdırmaya devam edecektir." +"Mevcut malzeme bittiğinde yazıcı aşağıdaki sırayla yazdırmaya devam " +"edecektir." msgid "Group" msgstr "Grup" @@ -3027,8 +3037,8 @@ msgid "Insertion update" msgstr "Ekleme güncellemesi" msgid "" -"The AMS will automatically read the filament information when inserting a new " -"Bambu Lab filament. This takes about 20 seconds." +"The AMS will automatically read the filament information when inserting a " +"new Bambu Lab filament. This takes about 20 seconds." msgstr "" "AMS, yeni bir Bambu Lab filamenti takıldığında filament bilgilerini otomatik " "olarak okuyacaktır. Bu yaklaşık 20 saniye sürer." @@ -3051,16 +3061,17 @@ msgid "Power on update" msgstr "Güncellemeyi aç" msgid "" -"The AMS will automatically read the information of inserted filament on start-" -"up. It will take about 1 minute.The reading process will roll filament spools." +"The AMS will automatically read the information of inserted filament on " +"start-up. It will take about 1 minute.The reading process will roll filament " +"spools." msgstr "" "AMS, başlangıçta takılan filamentin bilgilerini otomatik olarak okuyacaktır. " "Yaklaşık 1 dakika sürecektir. Okuma işlemi filament makaralarını saracaktır." msgid "" -"The AMS will not automatically read information from inserted filament during " -"startup and will continue to use the information recorded before the last " -"shutdown." +"The AMS will not automatically read information from inserted filament " +"during startup and will continue to use the information recorded before the " +"last shutdown." msgstr "" "AMS, başlatma sırasında takılan filamentden bilgileri otomatik olarak okumaz " "ve son kapatmadan önce kaydedilen bilgileri kullanmaya devam eder." @@ -3074,8 +3085,8 @@ msgid "" "automatically." msgstr "" "AMS, filament bilgisi güncellendikten sonra Bambu filamentin kalan " -"kapasitesini tahmin edecek. Yazdırma sırasında kalan kapasite otomatik olarak " -"güncellenecektir." +"kapasitesini tahmin edecek. Yazdırma sırasında kalan kapasite otomatik " +"olarak güncellenecektir." msgid "AMS filament backup" msgstr "AMS filament yedeklemesi" @@ -3107,8 +3118,8 @@ msgid "" "Failed to download the plug-in. Please check your firewall settings and vpn " "software, check and retry." msgstr "" -"Eklenti indirilemedi. Lütfen güvenlik duvarı ayarlarınızı ve vpn yazılımınızı " -"kontrol edin, kontrol edip yeniden deneyin." +"Eklenti indirilemedi. Lütfen güvenlik duvarı ayarlarınızı ve vpn " +"yazılımınızı kontrol edin, kontrol edip yeniden deneyin." msgid "" "Failed to install the plug-in. Please check whether it is blocked or deleted " @@ -3196,8 +3207,8 @@ msgid "" "device. The corrupted output G-code is at %1%.tmp." msgstr "" "Geçici G kodunun çıkış G koduna kopyalanması başarısız oldu. Hedef cihazda " -"sorun olabilir, lütfen tekrar dışa aktarmayı veya farklı bir cihaz kullanmayı " -"deneyin. Bozuk çıktı G kodu %1%.tmp konumunda." +"sorun olabilir, lütfen tekrar dışa aktarmayı veya farklı bir cihaz " +"kullanmayı deneyin. Bozuk çıktı G kodu %1%.tmp konumunda." #, boost-format msgid "" @@ -3430,8 +3441,8 @@ msgid "Send to" msgstr "Gönderildi" msgid "" -"printers at the same time.(It depends on how many devices can undergo heating " -"at the same time.)" +"printers at the same time.(It depends on how many devices can undergo " +"heating at the same time.)" msgstr "" "aynı anda kaç yazıcının ısıtma işleminden geçebileceği, aynı anda " "ısıtılabilecek cihaz sayısına bağlıdır." @@ -3538,8 +3549,8 @@ msgid "" "The recommended minimum temperature is less than 190 degree or the " "recommended maximum temperature is greater than 300 degree.\n" msgstr "" -"Önerilen minimum sıcaklık 190 dereceden azdır veya önerilen maksimum sıcaklık " -"300 dereceden yüksektir.\n" +"Önerilen minimum sıcaklık 190 dereceden azdır veya önerilen maksimum " +"sıcaklık 300 dereceden yüksektir.\n" msgid "" "The recommended minimum temperature cannot be higher than the recommended " @@ -3576,13 +3587,13 @@ msgstr "" #, c-format, boost-format msgid "" -"Current chamber temperature is higher than the material's safe temperature,it " -"may result in material softening and clogging.The maximum safe temperature " -"for the material is %d" +"Current chamber temperature is higher than the material's safe temperature," +"it may result in material softening and clogging.The maximum safe " +"temperature for the material is %d" msgstr "" -"Mevcut hazne sıcaklığı malzemenin güvenli sıcaklığından yüksektir, malzemenin " -"yumuşamasına ve tıkanmasına neden olabilir Malzeme için maksimum güvenli " -"sıcaklık %d'dir" +"Mevcut hazne sıcaklığı malzemenin güvenli sıcaklığından yüksektir, " +"malzemenin yumuşamasına ve tıkanmasına neden olabilir Malzeme için maksimum " +"güvenli sıcaklık %d'dir" msgid "" "Too small layer height.\n" @@ -3636,16 +3647,16 @@ msgstr "" "Değer 0'a sıfırlanacaktır." msgid "" -"Alternate extra wall does't work well when ensure vertical shell thickness is " -"set to All. " +"Alternate extra wall does't work well when ensure vertical shell thickness " +"is set to All. " msgstr "" -"Alternatif ekstra duvar, dikey kabuk kalınlığının Tümü olarak ayarlandığından " -"emin olunduğunda iyi çalışmaz. " +"Alternatif ekstra duvar, dikey kabuk kalınlığının Tümü olarak " +"ayarlandığından emin olunduğunda iyi çalışmaz. " msgid "" "Change these settings automatically? \n" -"Yes - Change ensure vertical shell thickness to Moderate and enable alternate " -"extra wall\n" +"Yes - Change ensure vertical shell thickness to Moderate and enable " +"alternate extra wall\n" "No - Dont use alternate extra wall" msgstr "" "Bu ayarlar otomatik olarak değiştirilsin mi? \n" @@ -3722,7 +3733,8 @@ msgid "" "No - Give up using spiral mode this time" msgstr "" "Bu ayarlar otomatik olarak değiştirilsin mi?\n" -"Evet - Bu ayarları değiştirin ve spiral modunu otomatik olarak etkinleştirin\n" +"Evet - Bu ayarları değiştirin ve spiral modunu otomatik olarak " +"etkinleştirin\n" "Hayır - Bu sefer spiral modunu kullanmaktan vazgeçin" msgid "Auto bed leveling" @@ -3855,9 +3867,9 @@ msgid "Update failed." msgstr "Güncelleme başarısız." msgid "" -"The current chamber temperature or the target chamber temperature exceeds 45℃." -"In order to avoid extruder clogging,low temperature filament(PLA/PETG/TPU) is " -"not allowed to be loaded." +"The current chamber temperature or the target chamber temperature exceeds " +"45℃.In order to avoid extruder clogging,low temperature filament(PLA/PETG/" +"TPU) is not allowed to be loaded." msgstr "" "Mevcut hazne sıcaklığı veya hedef hazne sıcaklığı 45 ° C'yi aşıyor Ekstruder " "tıkanmasını önlemek için düşük sıcaklıkta filament (PLA / PETG / TPU) " @@ -3884,7 +3896,8 @@ msgstr "" msgid "Failed to start printing job" msgstr "Yazdırma işi başlatılamadı" -msgid "This calibration does not support the currently selected nozzle diameter" +msgid "" +"This calibration does not support the currently selected nozzle diameter" msgstr "Bu kalibrasyon, şu anda seçilen nozzle çapını desteklememektedir" msgid "Current flowrate cali param is invalid" @@ -3909,12 +3922,12 @@ msgid "" "Damp PVA will become flexible and get stuck inside AMS,please take care to " "dry it before use." msgstr "" -"Nemli PVA esnekleşecek ve AMS'nin içine sıkışacaktır, lütfen kullanmadan önce " -"kurutmaya dikkat edin." +"Nemli PVA esnekleşecek ve AMS'nin içine sıkışacaktır, lütfen kullanmadan " +"önce kurutmaya dikkat edin." msgid "" -"CF/GF filaments are hard and brittle, It's easy to break or get stuck in AMS, " -"please use with caution." +"CF/GF filaments are hard and brittle, It's easy to break or get stuck in " +"AMS, please use with caution." msgstr "" "CF/GF filamentleri sert ve kırılgandır. AMS'de kırılması veya sıkışması " "kolaydır, lütfen dikkatli kullanın." @@ -4109,6 +4122,15 @@ msgstr "Toplam süre" msgid "Total cost" msgstr "Toplam tutar" +msgid "up to" +msgstr "kadar" + +msgid "above" +msgstr "üstünde" + +msgid "from" +msgstr "itibaren" + msgid "Color Scheme" msgstr "Renk Şeması" @@ -4172,12 +4194,12 @@ msgstr "Filament değişim süreleri" msgid "Cost" msgstr "Maliyet" -msgid "Print" -msgstr "Yazdır" - msgid "Color change" msgstr "Renk değişimi" +msgid "Print" +msgstr "Yazdır" + msgid "Printer" msgstr "Yazıcı" @@ -4361,7 +4383,7 @@ msgstr "Hacim:" msgid "Size:" msgstr "Boyut:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4803,6 +4825,18 @@ msgstr "Geçiş 2" msgid "Flow rate test - Pass 2" msgstr "Akış hızı testi - Geçiş 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Akış hızı" @@ -4920,8 +4954,8 @@ msgstr[1] "" msgid "" "\n" -"Hint: Make sure you have added the corresponding printer before importing the " -"configs." +"Hint: Make sure you have added the corresponding printer before importing " +"the configs." msgstr "" "\n" "İpucu: Yapılandırmaları içe aktarmadan önce ilgili yazıcıyı eklediğinizden " @@ -4970,7 +5004,8 @@ msgid "Please confirm if the printer is connected." msgstr "Lütfen yazıcının bağlı olup olmadığını onaylayın." msgid "" -"The printer is currently busy downloading. Please try again after it finishes." +"The printer is currently busy downloading. Please try again after it " +"finishes." msgstr "" "Yazıcı şu anda indirmeyle meşgul. Lütfen bittikten sonra tekrar deneyin." @@ -4981,7 +5016,8 @@ msgid "Problem occured. Please update the printer firmware and try again." msgstr "" "Sorun oluştu. Lütfen yazıcının ürün yazılımını güncelleyin ve tekrar deneyin." -msgid "LAN Only Liveview is off. Please turn on the liveview on printer screen." +msgid "" +"LAN Only Liveview is off. Please turn on the liveview on printer screen." msgstr "" "Yalnızca LAN Canlı İzleme kapalı. Lütfen yazıcı ekranındaki canlı " "görüntülemeyi açın." @@ -4996,8 +5032,8 @@ msgid "Connection Failed. Please check the network and try again" msgstr "Bağlantı Başarısız. Lütfen ağı kontrol edip tekrar deneyin" msgid "" -"Please check the network and try again, You can restart or update the printer " -"if the issue persists." +"Please check the network and try again, You can restart or update the " +"printer if the issue persists." msgstr "" "Lütfen ağı kontrol edip tekrar deneyin. Sorun devam ederse yazıcıyı yeniden " "başlatabilir veya güncelleyebilirsiniz." @@ -5140,7 +5176,8 @@ msgid_plural "" "You are going to delete %u files from printer. Are you sure to continue?" msgstr[0] "" "%u dosyasını yazıcıdan sileceksiniz. Devam edeceğinizden emin misiniz?" -msgstr[1] "%u dosyayı yazıcıdan sileceksiniz. Devam edeceğinizden emin misiniz?" +msgstr[1] "" +"%u dosyayı yazıcıdan sileceksiniz. Devam edeceğinizden emin misiniz?" msgid "Delete files" msgstr "Dosyaları sil" @@ -5200,8 +5237,8 @@ msgid "" "Reconnecting the printer, the operation cannot be completed immediately, " "please try again later." msgstr "" -"Yazıcıyı yeniden bağladığınızda işlem hemen tamamlanamıyor, lütfen daha sonra " -"tekrar deneyin." +"Yazıcıyı yeniden bağladığınızda işlem hemen tamamlanamıyor, lütfen daha " +"sonra tekrar deneyin." msgid "File does not exist." msgstr "Dosya bulunmuyor." @@ -5284,8 +5321,8 @@ msgid "" "(The model has already been rated. Your rating will overwrite the previous " "rating.)" msgstr "" -"(Model zaten derecelendirilmiştir. Derecelendirmeniz önceki derecelendirmenin " -"üzerine yazılacaktır)" +"(Model zaten derecelendirilmiştir. Derecelendirmeniz önceki " +"derecelendirmenin üzerine yazılacaktır)" msgid "Rate" msgstr "Derecelendir" @@ -5881,8 +5918,8 @@ msgstr "Peletler" msgid "" "No AMS filaments. Please select a printer in 'Device' page to load AMS info." msgstr "" -"AMS filamentleri yok. AMS bilgilerini yüklemek için lütfen 'Cihaz' sayfasında " -"bir yazıcı seçin." +"AMS filamentleri yok. AMS bilgilerini yüklemek için lütfen 'Cihaz' " +"sayfasında bir yazıcı seçin." msgid "Sync filaments with AMS" msgstr "Filamentleri AMS ile senkronize et" @@ -5895,7 +5932,8 @@ msgstr "" "ayarlarını ve renklerini kaldıracaktır. Devam etmek istiyor musun?" msgid "" -"Already did a synchronization, do you want to sync only changes or resync all?" +"Already did a synchronization, do you want to sync only changes or resync " +"all?" msgstr "" "Zaten bir senkronizasyon yaptınız. Yalnızca değişiklikleri senkronize etmek " "mi yoksa tümünü yeniden senkronize etmek mi istiyorsunuz?" @@ -5910,13 +5948,13 @@ msgid "There are no compatible filaments, and sync is not performed." msgstr "Uyumlu filament yok ve senkronizasyon gerçekleştirilmiyor." msgid "" -"There are some unknown filaments mapped to generic preset. Please update Orca " -"Slicer or restart Orca Slicer to check if there is an update to system " +"There are some unknown filaments mapped to generic preset. Please update " +"Orca Slicer or restart Orca Slicer to check if there is an update to system " "presets." msgstr "" -"Genel ön ayara eşlenen bazı bilinmeyen filamentler var. Sistem ön ayarlarında " -"bir güncelleme olup olmadığını kontrol etmek için lütfen Orca Slicer'ı " -"güncelleyin veya Orca Slicer'ı yeniden başlatın." +"Genel ön ayara eşlenen bazı bilinmeyen filamentler var. Sistem ön " +"ayarlarında bir güncelleme olup olmadığını kontrol etmek için lütfen Orca " +"Slicer'ı güncelleyin veya Orca Slicer'ı yeniden başlatın." #, boost-format msgid "Do you want to save changes to \"%1%\"?" @@ -5941,13 +5979,13 @@ msgid "Restore" msgstr "Geri Yükleme" msgid "" -"The current hot bed temperature is relatively high. The nozzle may be clogged " -"when printing this filament in a closed enclosure. Please open the front door " -"and/or remove the upper glass." +"The current hot bed temperature is relatively high. The nozzle may be " +"clogged when printing this filament in a closed enclosure. Please open the " +"front door and/or remove the upper glass." msgstr "" -"Mevcut sıcak yatak sıcaklığı oldukça yüksek. Bu filamenti kapalı bir muhafaza " -"içinde bastırırken nozzle tıkanabilir. Lütfen ön kapağı açın ve/veya üst camı " -"çıkarın." +"Mevcut sıcak yatak sıcaklığı oldukça yüksek. Bu filamenti kapalı bir " +"muhafaza içinde bastırırken nozzle tıkanabilir. Lütfen ön kapağı açın ve/" +"veya üst camı çıkarın." msgid "" "The nozzle hardness required by the filament is higher than the default " @@ -6010,8 +6048,8 @@ msgstr "Lütfen bunları parametre sekmelerinde düzeltin" msgid "The 3mf has following modified G-codes in filament or printer presets:" msgstr "" -"3mf dosyasında filament veya yazıcı ön ayarlarında şu değiştirilmiş G-kodları " -"bulunmaktadır:" +"3mf dosyasında filament veya yazıcı ön ayarlarında şu değiştirilmiş G-" +"kodları bulunmaktadır:" msgid "" "Please confirm that these modified G-codes are safe to prevent any damage to " @@ -6088,16 +6126,6 @@ msgstr "Birden fazla parçaya sahip nesne algılandı" msgid "The file does not contain any geometry data." msgstr "Dosya herhangi bir geometri verisi içermiyor." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" -"Nesneniz çok büyük görünüyor. Plakaya otomatik olarak uyacak şekilde " -"küçültülecektir." - -msgid "Object too large" -msgstr "Nesne çok büyük" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6105,6 +6133,9 @@ msgstr "" "Nesneniz çok büyük görünüyor. Plakaya sığacak şekilde otomatik olarak " "küçültmek istiyor musunuz?" +msgid "Object too large" +msgstr "Nesne çok büyük" + msgid "Export STL file:" msgstr "STL dosyasını dışa aktar:" @@ -6252,8 +6283,8 @@ msgstr "" "dosyayı indirin ve manuel olarak içe aktarın." msgid "" -"Importing to Orca Slicer failed. Please download the file and manually import " -"it." +"Importing to Orca Slicer failed. Please download the file and manually " +"import it." msgstr "" "Orca Slicer'ya aktarma başarısız oldu. Lütfen dosyayı indirin ve manuel " "olarak İçe aktarın." @@ -6341,15 +6372,15 @@ msgstr "Dilimlenmiş dosyayı şu şekilde kaydedin:" #, c-format, boost-format msgid "" -"The file %s has been sent to the printer's storage space and can be viewed on " -"the printer." +"The file %s has been sent to the printer's storage space and can be viewed " +"on the printer." msgstr "" "%s dosyası yazıcının depolama alanına gönderildi ve yazıcıda " "görüntülenebiliyor." msgid "" -"Unable to perform boolean operation on model meshes. Only positive parts will " -"be kept. You may fix the meshes and try again." +"Unable to perform boolean operation on model meshes. Only positive parts " +"will be kept. You may fix the meshes and try again." msgstr "" "Model ağlarında boole işlemi gerçekleştirilemiyor. Yalnızca olumlu kısımlar " "tutulacaktır. Kafesleri düzeltip tekrar deneyebilirsiniz." @@ -6463,8 +6494,8 @@ msgstr "" #, c-format, boost-format msgid "" "Plate% d: %s is not suggested to be used to print filament %s(%s). If you " -"still want to do this printing, please set this filament's bed temperature to " -"non zero." +"still want to do this printing, please set this filament's bed temperature " +"to non zero." msgstr "" "Plaka% d: %s'nin %s(%s) filamentinı yazdırmak için kullanılması önerilmez. " "Eğer yine de bu baskıyı yapmak istiyorsanız, lütfen bu filamentin yatak " @@ -6479,6 +6510,9 @@ msgstr "Devam etmek istiyor musun?" msgid "Language selection" msgstr "Dil seçimi" +msgid "Switching application language while some presets are modified." +msgstr "Bazı ön ayarlar değiştirilirken uygulama dilinin değiştirilmesi." + msgid "Changing application language" msgstr "Dil değiştiriliyor" @@ -6564,8 +6598,8 @@ msgstr "Yalnızca bir OrcaSlicer örneğine izin ver" msgid "" "On OSX there is always only one instance of app running by default. However " -"it is allowed to run multiple instances of same app from the command line. In " -"such case this settings will allow only one instance." +"it is allowed to run multiple instances of same app from the command line. " +"In such case this settings will allow only one instance." msgstr "" "OSX’te her zaman varsayılan olarak çalışan tek bir uygulama örneği vardır. " "Ancak aynı uygulamanın birden fazla örneğinin komut satırından " @@ -6573,8 +6607,9 @@ msgstr "" "örneğe izin verecektir." msgid "" -"If this is enabled, when starting OrcaSlicer and another instance of the same " -"OrcaSlicer is already running, that instance will be reactivated instead." +"If this is enabled, when starting OrcaSlicer and another instance of the " +"same OrcaSlicer is already running, that instance will be reactivated " +"instead." msgstr "" "Bu etkinleştirilirse, OrcaSlicer başlatıldığında ve aynı OrcaSlicer’ın başka " "bir örneği zaten çalışıyorken, bunun yerine bu örnek yeniden " @@ -6666,11 +6701,12 @@ msgstr "" "hatırlayacak ve otomatik olarak değiştirecektir." msgid "Multi-device Management(Take effect after restarting Orca)." -msgstr "Çoklu Cihaz Yönetimi(Studio yeniden başlatıldıktan sonra geçerli olur)." +msgstr "" +"Çoklu Cihaz Yönetimi(Studio yeniden başlatıldıktan sonra geçerli olur)." msgid "" -"With this option enabled, you can send a task to multiple devices at the same " -"time and manage multiple devices." +"With this option enabled, you can send a task to multiple devices at the " +"same time and manage multiple devices." msgstr "" "Bu seçenek etkinleştirildiğinde, aynı anda birden fazla cihaza bir görev " "gönderebilir ve birden fazla cihazı yönetebilirsiniz." @@ -6750,8 +6786,8 @@ msgstr "Otomatik yedekleme" msgid "" "Backup your project periodically for restoring from the occasional crash." msgstr "" -"Ara sıra meydana gelen çökmelerden sonra geri yüklemek için projenizi düzenli " -"aralıklarla yedekleyin." +"Ara sıra meydana gelen çökmelerden sonra geri yüklemek için projenizi " +"düzenli aralıklarla yedekleyin." msgid "every" msgstr "her" @@ -7108,7 +7144,8 @@ msgid "Error code" msgstr "Hata kodu" msgid "No login account, only printers in LAN mode are displayed" -msgstr "Oturum açma hesabı yok, yalnızca LAN modundaki yazıcılar görüntüleniyor" +msgstr "" +"Oturum açma hesabı yok, yalnızca LAN modundaki yazıcılar görüntüleniyor" msgid "Connecting to server" msgstr "Sunucuya baglanıyor" @@ -7176,7 +7213,8 @@ msgstr "" "desteklemek için lütfen yazıcının ürün yazılımını güncelleyin." msgid "" -"The printer firmware only supports sequential mapping of filament => AMS slot." +"The printer firmware only supports sequential mapping of filament => AMS " +"slot." msgstr "" "Yazıcı ürün yazılımı yalnızca filament => AMS yuvasının sıralı eşlemesini " "destekler." @@ -7237,8 +7275,8 @@ msgstr "" msgid "" "There are some unknown filaments in the AMS mappings. Please check whether " -"they are the required filaments. If they are okay, press \"Confirm\" to start " -"printing." +"they are the required filaments. If they are okay, press \"Confirm\" to " +"start printing." msgstr "" "AMS eşlemelerinde bazı bilinmeyen filamentler var. Lütfen bunların gerekli " "filamentler olup olmadığını kontrol edin. Sorun yoksa, yazdırmayı başlatmak " @@ -7270,7 +7308,8 @@ msgstr "" "hasarına neden olabilir" msgid "Please fix the error above, otherwise printing cannot continue." -msgstr "Lütfen yukarıdaki hatayı düzeltin, aksi takdirde yazdırma devam edemez." +msgstr "" +"Lütfen yukarıdaki hatayı düzeltin, aksi takdirde yazdırma devam edemez." msgid "" "Please click the confirm button if you still want to proceed with printing." @@ -7421,11 +7460,11 @@ msgid "" "successes and failures of the vast number of prints by our users. We are " "training %s to be smarter by feeding them the real-world data. If you are " "willing, this service will access information from your error logs and usage " -"logs, which may include information described in Privacy Policy. We will not " -"collect any Personal Data by which an individual can be identified directly " -"or indirectly, including without limitation names, addresses, payment " -"information, or phone numbers. By enabling this service, you agree to these " -"terms and the statement about Privacy Policy." +"logs, which may include information described in Privacy Policy. We will " +"not collect any Personal Data by which an individual can be identified " +"directly or indirectly, including without limitation names, addresses, " +"payment information, or phone numbers. By enabling this service, you agree " +"to these terms and the statement about Privacy Policy." msgstr "" "3D Baskı topluluğunda, kendi dilimleme parametrelerimizi ve ayarlarımızı " "düzenlerken birbirimizin başarılarından ve başarısızlıklarından öğreniyoruz. " @@ -7476,16 +7515,16 @@ msgid "Click to reset all settings to the last saved preset." msgstr "Tüm ayarları en son kaydedilen ön ayara sıfırlamak için tıklayın." msgid "" -"Prime tower is required for smooth timeplase. There may be flaws on the model " -"without prime tower. Are you sure you want to disable prime tower?" +"Prime tower is required for smooth timeplase. There may be flaws on the " +"model without prime tower. Are you sure you want to disable prime tower?" msgstr "" "Sorunsuz timeplace için Prime Tower gereklidir. Prime tower olmayan modelde " "kusurlar olabilir. Prime tower'ı devre dışı bırakmak istediğinizden emin " "misiniz?" msgid "" -"Prime tower is required for smooth timelapse. There may be flaws on the model " -"without prime tower. Do you want to enable prime tower?" +"Prime tower is required for smooth timelapse. There may be flaws on the " +"model without prime tower. Do you want to enable prime tower?" msgstr "" "Sorunsuz hızlandırılmış çekim için Prime Tower gereklidir. Prime tower " "olmayan modelde kusurlar olabilir. Prime tower'ı etkinleştirmek istiyor " @@ -7514,11 +7553,11 @@ msgstr "" msgid "" "For \"Tree Strong\" and \"Tree Hybrid\" styles, we recommend the following " -"settings: at least 2 interface layers, at least 0.1mm top z distance or using " -"support materials on interface." +"settings: at least 2 interface layers, at least 0.1mm top z distance or " +"using support materials on interface." msgstr "" -"\"Güçlü Ağaç\" ve \"Ağaç Hibrit\" stilleri için şu ayarları öneriyoruz: en az " -"2 arayüz katmanı, en az 0,1 mm üst z mesafesi veya arayüzde destek " +"\"Güçlü Ağaç\" ve \"Ağaç Hibrit\" stilleri için şu ayarları öneriyoruz: en " +"az 2 arayüz katmanı, en az 0,1 mm üst z mesafesi veya arayüzde destek " "malzemeleri kullanılması." msgid "" @@ -7557,8 +7596,8 @@ msgid "" "height limits ,this may cause printing quality issues." msgstr "" "Katman yüksekliği, Yazıcı Ayarları -> Ekstruder -> Katman yüksekliği " -"sınırları bölümündeki sınırı aşıyor bu durum baskı kalitesi sorunlarına neden " -"olabilir." +"sınırları bölümündeki sınırı aşıyor bu durum baskı kalitesi sorunlarına " +"neden olabilir." msgid "Adjust to the set range automatically? \n" msgstr "Ayarlanan aralığa otomatik olarak ayarlansın mı? \n" @@ -7572,8 +7611,8 @@ msgstr "Atla" msgid "" "Experimental feature: Retracting and cutting off the filament at a greater " "distance during filament changes to minimize flush.Although it can notably " -"reduce flush, it may also elevate the risk of nozzle clogs or other printing " -"complications." +"reduce flush, it may also elevate the risk of nozzle clogs or other " +"printing complications." msgstr "" "Deneysel özellik: Filament değişiklikleri sırasında, floşu en aza indirmek " "için filamanı daha büyük bir mesafeden geri çekmek ve kesmek. Flush’u önemli " @@ -7595,8 +7634,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive\"-" -">\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "Araç başlığı olmadan timelapse kaydederken, bir \"Timelapse Wipe Tower\" " "eklenmesi önerilir.\n" @@ -7645,8 +7684,8 @@ msgid "" "the overhang degree range and wall speed is used" msgstr "" "Bu, çeşitli sarkma dereceleri için hızdır. Çıkıntı dereceleri çizgi " -"genişliğinin yüzdesi olarak ifade edilir. 0 hız, sarkma derecesi aralığı için " -"yavaşlamanın olmadığı anlamına gelir ve duvar hızı kullanılır" +"genişliğinin yüzdesi olarak ifade edilir. 0 hız, sarkma derecesi aralığı " +"için yavaşlamanın olmadığı anlamına gelir ve duvar hızı kullanılır" msgid "Bridge" msgstr "Köprü" @@ -7758,11 +7797,11 @@ msgid "Cool plate" msgstr "Soğuk plaka" msgid "" -"Bed temperature when cool plate is installed. Value 0 means the filament does " -"not support to print on the Cool Plate" +"Bed temperature when cool plate is installed. Value 0 means the filament " +"does not support to print on the Cool Plate" msgstr "" -"Soğutma plakası takıldığında yatak sıcaklığı. 0 değeri, filamentin Cool Plate " -"üzerine yazdırmayı desteklemediği anlamına gelir" +"Soğutma plakası takıldığında yatak sıcaklığı. 0 değeri, filamentin Cool " +"Plate üzerine yazdırmayı desteklemediği anlamına gelir" msgid "Engineering plate" msgstr "Mühendislik plakası" @@ -7945,13 +7984,13 @@ msgstr "Yazıcının ekstruder sayısı." msgid "" "Single Extruder Multi Material is selected, \n" "and all extruders must have the same diameter.\n" -"Do you want to change the diameter for all extruders to first extruder nozzle " -"diameter value?" +"Do you want to change the diameter for all extruders to first extruder " +"nozzle diameter value?" msgstr "" "Tek Ekstruder Çoklu Malzeme seçilir, \n" "ve tüm ekstrüderlerin aynı çapa sahip olması gerekir.\n" -"Tüm ekstruderlerin çapını ilk ekstruder bozul çapı değerine değiştirmek ister " -"misiniz?" +"Tüm ekstruderlerin çapını ilk ekstruder bozul çapı değerine değiştirmek " +"ister misiniz?" msgid "Nozzle diameter" msgstr "Nozul çapı" @@ -8112,16 +8151,16 @@ msgstr "\"%1%\" ön ayarı aşağıdaki kaydedilmemiş değişiklikleri içeriyo #, boost-format msgid "" -"Preset \"%1%\" is not compatible with the new printer profile and it contains " -"the following unsaved changes:" +"Preset \"%1%\" is not compatible with the new printer profile and it " +"contains the following unsaved changes:" msgstr "" "Ön ayar \"%1%\", yeni yazıcı profiliyle uyumlu değil ve aşağıdaki " "kaydedilmemiş değişiklikleri içeriyor:" #, boost-format msgid "" -"Preset \"%1%\" is not compatible with the new process profile and it contains " -"the following unsaved changes:" +"Preset \"%1%\" is not compatible with the new process profile and it " +"contains the following unsaved changes:" msgstr "" "Ön ayar \"%1%\", yeni işlem profiliyle uyumlu değil ve aşağıdaki " "kaydedilmemiş değişiklikleri içeriyor:" @@ -8155,8 +8194,8 @@ msgid "" "the modified values to the new project" msgstr "" "\n" -"Değiştirdiğiniz ön ayar değerlerini atabilir veya değiştirilen değerleri yeni " -"projeye aktarmayı seçebilirsiniz." +"Değiştirdiğiniz ön ayar değerlerini atabilir veya değiştirilen değerleri " +"yeni projeye aktarmayı seçebilirsiniz." msgid "Extruders count" msgstr "Ekstruder sayısı" @@ -8180,19 +8219,19 @@ msgstr "" msgid "" "Transfer the selected options from left preset to the right.\n" -"Note: New modified presets will be selected in settings tabs after close this " -"dialog." +"Note: New modified presets will be selected in settings tabs after close " +"this dialog." msgstr "" "Seçilen seçenekleri sol ön ayardan sağa aktarın.\n" -"Not: Bu iletişim kutusunu kapattıktan sonra ayarlar sekmelerinde değiştirilen " -"yeni ön ayarlar seçilecektir." +"Not: Bu iletişim kutusunu kapattıktan sonra ayarlar sekmelerinde " +"değiştirilen yeni ön ayarlar seçilecektir." msgid "Transfer values from left to right" msgstr "Değerleri soldan sağa aktarın" msgid "" -"If enabled, this dialog can be used for transfer selected values from left to " -"right preset." +"If enabled, this dialog can be used for transfer selected values from left " +"to right preset." msgstr "" "Etkinleştirilirse, bu iletişim kutusu seçilen değerleri soldan sağa ön ayara " "aktarmak için kullanılabilir." @@ -8333,11 +8372,11 @@ msgstr "Sıkıştırma özelleştirme" msgid "" "Ramming denotes the rapid extrusion just before a tool change in a single-" -"extruder MM printer. Its purpose is to properly shape the end of the unloaded " -"filament so it does not prevent insertion of the new filament and can itself " -"be reinserted later. This phase is important and different materials can " -"require different extrusion speeds to get the good shape. For this reason, " -"the extrusion rates during ramming are adjustable.\n" +"extruder MM printer. Its purpose is to properly shape the end of the " +"unloaded filament so it does not prevent insertion of the new filament and " +"can itself be reinserted later. This phase is important and different " +"materials can require different extrusion speeds to get the good shape. For " +"this reason, the extrusion rates during ramming are adjustable.\n" "\n" "This is an expert-level setting, incorrect adjustment will likely lead to " "jams, extruder wheel grinding into filament etc." @@ -8422,15 +8461,15 @@ msgstr "" "‘Windows Media Player’ı etkinleştirmek istiyor musunuz?" msgid "" -"BambuSource has not correctly been registered for media playing! Press Yes to " -"re-register it. You will be promoted twice" +"BambuSource has not correctly been registered for media playing! Press Yes " +"to re-register it. You will be promoted twice" msgstr "" "BambuSource medya oynatımı için doğru şekilde kaydedilmemiş! Yeniden " "kaydetmek için Evet’e basın." msgid "" -"Missing BambuSource component registered for media playing! Please re-install " -"BambuStutio or seek after-sales help." +"Missing BambuSource component registered for media playing! Please re-" +"install BambuStutio or seek after-sales help." msgstr "" "Medya oynatma için kayıtlı BambuSource bileşeni eksik! Lütfen BambuStutio’yu " "yeniden yükleyin veya satış sonrası yardım isteyin." @@ -8443,9 +8482,9 @@ msgstr "" "çalışmayabilir! Düzeltmek için Evet’e basın." msgid "" -"Your system is missing H.264 codecs for GStreamer, which are required to play " -"video. (Try installing the gstreamer1.0-plugins-bad or gstreamer1.0-libav " -"packages, then restart Orca Slicer?)" +"Your system is missing H.264 codecs for GStreamer, which are required to " +"play video. (Try installing the gstreamer1.0-plugins-bad or gstreamer1.0-" +"libav packages, then restart Orca Slicer?)" msgstr "" "Sisteminizde video oynatmak için gerekli olan GStreamer H.264 codec " "bileşenleri eksik. (gstreamer1.0-plugins-bad veya gstreamer1.0-libav " @@ -8475,8 +8514,11 @@ msgstr "Nesne listesi" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "STL/STEP/3MF/OBJ/AMF dosyalarından geometri verilerini içe aktarın" -msgid "Shift+G" -msgstr "Shift+G" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Panodan yapıştır" @@ -8526,18 +8568,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Kenar çubuğunu daralt/genişlet" -msgid "Any arrow" -msgstr "Herhangi bir ok" +msgid "⌘+Any arrow" +msgstr "⌘+Herhangi bir ok" msgid "Movement in camera space" msgstr "Kamera alanında hareket" +msgid "⌥+Left mouse button" +msgstr "⌥+Sol fare düğmesi" + msgid "Select a part" msgstr "Parça seçin" +msgid "⌘+Left mouse button" +msgstr "⌘+Sol fare düğmesi" + msgid "Select multiple objects" msgstr "Birden fazla nesne seç" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+Herhangi bir yön tuşu" + +msgid "Alt+Left mouse button" +msgstr "Alt+Sol fare düğmesi" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+Sol fare düğmesi" + msgid "Shift+Left mouse button" msgstr "Shift+Sol fare düğmesi" @@ -8640,12 +8697,24 @@ msgstr "Plakacı" msgid "Move: press to snap by 1mm" msgstr "Hareket Ettir: 1 mm kadar yaslamak için basın" +msgid "⌘+Mouse wheel" +msgstr "⌘+Fare tekerleği" + msgid "Support/Color Painting: adjust pen radius" msgstr "Destek/Renkli Boyama: kalem yarıçapını ayarlayın" +msgid "⌥+Mouse wheel" +msgstr "⌥+Fare tekerleği" + msgid "Support/Color Painting: adjust section position" msgstr "Destek/Renkli Boyama: bölüm konumunu ayarlayın" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+Fare tekerleği" + +msgid "Alt+Mouse wheel" +msgstr "Alt+Fare tekerleği" + msgid "Gizmo" msgstr "Gizmo" @@ -8710,8 +8779,8 @@ msgstr "Ağ eklentisi güncellemesi" msgid "" "Click OK to update the Network plug-in when Orca Slicer launches next time." msgstr "" -"Orca Slicer bir sonraki sefer başlatıldığında Ağ eklentisini güncellemek için " -"Tamam'a tıklayın." +"Orca Slicer bir sonraki sefer başlatıldığında Ağ eklentisini güncellemek " +"için Tamam'a tıklayın." #, c-format, boost-format msgid "A new Network plug-in(%s) available, Do you want to install it?" @@ -8768,7 +8837,8 @@ msgstr "Nozulu Onaylayın ve Güncelleyin" msgid "LAN Connection Failed (Sending print file)" msgstr "LAN Bağlantısı Başarısız (Yazdırma dosyası gönderiliyor)" -msgid "Step 1, please confirm Orca Slicer and your printer are in the same LAN." +msgid "" +"Step 1, please confirm Orca Slicer and your printer are in the same LAN." msgstr "" "Adım 1, lütfen Orca Slicer ile yazıcınızın aynı LAN'da olduğunu doğrulayın." @@ -8837,8 +8907,8 @@ msgid "Updating successful" msgstr "Güncelleme başarılı" msgid "" -"Are you sure you want to update? This will take about 10 minutes. Do not turn " -"off the power while the printer is updating." +"Are you sure you want to update? This will take about 10 minutes. Do not " +"turn off the power while the printer is updating." msgstr "" "Güncellemek istediğinizden emin misiniz? Bu yaklaşık 10 dakika sürecektir. " "Yazıcı güncellenirken gücü kapatmayın." @@ -8857,9 +8927,10 @@ msgid "" "printing. Do you want to update now? You can also update later on printer or " "update next time starting Orca." msgstr "" -"Ürün yazılımı sürümü anormal. Yazdırmadan önce onarım ve güncelleme yapılması " -"gerekir. Şimdi güncellemek istiyor musunuz? Ayrıca daha sonra yazıcıda " -"güncelleyebilir veya stüdyoyu bir sonraki başlatışınızda güncelleyebilirsiniz." +"Ürün yazılımı sürümü anormal. Yazdırmadan önce onarım ve güncelleme " +"yapılması gerekir. Şimdi güncellemek istiyor musunuz? Ayrıca daha sonra " +"yazıcıda güncelleyebilir veya stüdyoyu bir sonraki başlatışınızda " +"güncelleyebilirsiniz." msgid "Extension Board" msgstr "Uzatma Kartı" @@ -9017,8 +9088,8 @@ msgid "Failed to calculate line width of %1%. Can not get value of \"%2%\" " msgstr "%1% çizgi genişliği hesaplanamadı. \"%2%\" değeri alınamıyor " msgid "" -"Invalid spacing supplied to Flow::with_spacing(), check your layer height and " -"extrusion width" +"Invalid spacing supplied to Flow::with_spacing(), check your layer height " +"and extrusion width" msgstr "" "Flow::with_spacing()'e sağlanan geçersiz boşluk, kat yüksekliğinizi ve " "ekstrüzyon genişliğinizi kontrol edin" @@ -9151,8 +9222,8 @@ msgstr " dışlama alanına çok yakın ve çarpışmalara neden olacak.\n" msgid "" "Can not print multiple filaments which have large difference of temperature " -"together. Otherwise, the extruder and nozzle may be blocked or damaged during " -"printing" +"together. Otherwise, the extruder and nozzle may be blocked or damaged " +"during printing" msgstr "" "Birlikte büyük sıcaklık farkına sahip birden fazla filament basılamaz. Aksi " "takdirde baskı sırasında ekstruder ve nozul tıkanabilir veya hasar görebilir" @@ -9185,8 +9256,8 @@ msgstr "%1% nesnesi maksimum yapı hacmi yüksekliğini aşıyor." #, boost-format msgid "" -"While the object %1% itself fits the build volume, its last layer exceeds the " -"maximum build volume height." +"While the object %1% itself fits the build volume, its last layer exceeds " +"the maximum build volume height." msgstr "" "%1% nesnesinin kendisi yapı hacmine uysa da, son katmanı maksimum yapı hacmi " "yüksekliğini aşıyor." @@ -9202,9 +9273,9 @@ msgid "Variable layer height is not supported with Organic supports." msgstr "Değişken katman yüksekliği Organik desteklerle desteklenmez." msgid "" -"Different nozzle diameters and different filament diameters may not work well " -"when the prime tower is enabled. It's very experimental, so please proceed " -"with caution." +"Different nozzle diameters and different filament diameters may not work " +"well when the prime tower is enabled. It's very experimental, so please " +"proceed with caution." msgstr "" "Farklı püskürtme ucu çapları ve farklı filaman çapları, ana kule " "etkinleştirildiğinde iyi çalışmayabilir. Oldukça deneysel olduğundan lütfen " @@ -9238,8 +9309,8 @@ msgid "" "The prime tower is not supported when adaptive layer height is on. It " "requires that all objects have the same layer height." msgstr "" -"Uyarlanabilir katman yüksekliği açıkken ana kule desteklenmez. Tüm nesnelerin " -"aynı katman yüksekliğine sahip olmasını gerektirir." +"Uyarlanabilir katman yüksekliği açıkken ana kule desteklenmez. Tüm " +"nesnelerin aynı katman yüksekliğine sahip olmasını gerektirir." msgid "The prime tower requires \"support gap\" to be multiple of layer height" msgstr "" @@ -9247,11 +9318,12 @@ msgstr "" msgid "The prime tower requires that all objects have the same layer heights" msgstr "" -"Prime tower, tüm nesnelerin aynı katman yüksekliğine sahip olmasını gerektirir" +"Prime tower, tüm nesnelerin aynı katman yüksekliğine sahip olmasını " +"gerektirir" msgid "" -"The prime tower requires that all objects are printed over the same number of " -"raft layers" +"The prime tower requires that all objects are printed over the same number " +"of raft layers" msgstr "" "Ana kule, tüm nesnelerin aynı sayıda sal katmanı üzerine yazdırılmasını " "gerektirir" @@ -9264,8 +9336,8 @@ msgstr "" "gerektirir." msgid "" -"The prime tower is only supported if all objects have the same variable layer " -"height" +"The prime tower is only supported if all objects have the same variable " +"layer height" msgstr "" "Prime tower yalnızca tüm nesnelerin aynı değişken katman yüksekliğine sahip " "olması durumunda desteklenir" @@ -9279,7 +9351,8 @@ msgstr "Çok büyük çizgi genişliği" msgid "" "The prime tower requires that support has the same layer height with object." msgstr "" -"Prime kulesi için, destek, nesne ile aynı katman yüksekliğine sahip olmalıdır." +"Prime kulesi için, destek, nesne ile aynı katman yüksekliğine sahip " +"olmalıdır." msgid "" "Organic support tree tip diameter must not be smaller than support material " @@ -9292,8 +9365,8 @@ msgid "" "Organic support branch diameter must not be smaller than 2x support material " "extrusion width." msgstr "" -"Organik destek dalı çapı, destek malzemesi ekstrüzyon genişliğinin 2 katından " -"daha küçük olamaz." +"Organik destek dalı çapı, destek malzemesi ekstrüzyon genişliğinin 2 " +"katından daha küçük olamaz." msgid "" "Organic support branch diameter must not be smaller than support tree tip " @@ -9310,20 +9383,20 @@ msgid "Layer height cannot exceed nozzle diameter" msgstr "Katman yüksekliği nozul çapını aşamaz" msgid "" -"Relative extruder addressing requires resetting the extruder position at each " -"layer to prevent loss of floating point accuracy. Add \"G92 E0\" to " +"Relative extruder addressing requires resetting the extruder position at " +"each layer to prevent loss of floating point accuracy. Add \"G92 E0\" to " "layer_gcode." msgstr "" -"Göreceli ekstruder adreslemesi, kayan nokta doğruluğunun kaybını önlemek için " -"her katmandaki ekstruder konumunun sıfırlanmasını gerektirir. Layer_gcode'a " -"\"G92 E0\" ekleyin." +"Göreceli ekstruder adreslemesi, kayan nokta doğruluğunun kaybını önlemek " +"için her katmandaki ekstruder konumunun sıfırlanmasını gerektirir. " +"Layer_gcode'a \"G92 E0\" ekleyin." msgid "" "\"G92 E0\" was found in before_layer_gcode, which is incompatible with " "absolute extruder addressing." msgstr "" -"Before_layer_gcode'da \"G92 E0\" bulundu ve bu, mutlak ekstruder adreslemeyle " -"uyumsuzdu." +"Before_layer_gcode'da \"G92 E0\" bulundu ve bu, mutlak ekstruder " +"adreslemeyle uyumsuzdu." msgid "" "\"G92 E0\" was found in layer_gcode, which is incompatible with absolute " @@ -9362,8 +9435,8 @@ msgid "" "(machine_max_acceleration_extruding).\n" "Orca will automatically cap the acceleration speed to ensure it doesn't " "surpass the printer's capabilities.\n" -"You can adjust the machine_max_acceleration_extruding value in your printer's " -"configuration to get higher speeds." +"You can adjust the machine_max_acceleration_extruding value in your " +"printer's configuration to get higher speeds." msgstr "" "Hızlanma ayarı yazıcının maksimum hızlanmasını aşıyor " "(machine_max_acceleration_extruding).\n" @@ -9424,7 +9497,8 @@ msgid "Elephant foot compensation" msgstr "Fil ayağı telafi oranı" msgid "" -"Shrink the initial layer on build plate to compensate for elephant foot effect" +"Shrink the initial layer on build plate to compensate for elephant foot " +"effect" msgstr "" "Fil ayağı etkisini telafi etmek için baskı plakasındaki ilk katmanı küçültün" @@ -9483,15 +9557,15 @@ msgid "" "Orca Slicer can upload G-code files to a printer host. This field should " "contain the hostname, IP address or URL of the printer host instance. Print " "host behind HAProxy with basic auth enabled can be accessed by putting the " -"user name and password into the URL in the following format: https://username:" -"password@your-octopi-address/" +"user name and password into the URL in the following format: https://" +"username:password@your-octopi-address/" msgstr "" -"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. Bu " -"alan, yazıcı ana bilgisayar örneğinin ana bilgisayar adını, IP adresini veya " -"URL'sini içermelidir. Temel kimlik doğrulamanın etkin olduğu HAProxy'nin " -"arkasındaki yazdırma ana bilgisayarına, kullanıcı adı ve parolanın aşağıdaki " -"biçimdeki URL'ye girilmesiyle erişilebilir: https://username:password@your-" -"octopi-address/" +"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. " +"Bu alan, yazıcı ana bilgisayar örneğinin ana bilgisayar adını, IP adresini " +"veya URL'sini içermelidir. Temel kimlik doğrulamanın etkin olduğu " +"HAProxy'nin arkasındaki yazdırma ana bilgisayarına, kullanıcı adı ve " +"parolanın aşağıdaki biçimdeki URL'ye girilmesiyle erişilebilir: https://" +"username:password@your-octopi-address/" msgid "Device UI" msgstr "Cihaz kullanıcı arayüzü" @@ -9499,7 +9573,8 @@ msgstr "Cihaz kullanıcı arayüzü" msgid "" "Specify the URL of your device user interface if it's not same as print_host" msgstr "" -"Print_Host ile aynı değilse cihazınızın kullanıcı arayüzünün URL'sini belirtin" +"Print_Host ile aynı değilse cihazınızın kullanıcı arayüzünün URL'sini " +"belirtin" msgid "API Key / Password" msgstr "API Anahtarı / Şifre" @@ -9508,8 +9583,9 @@ msgid "" "Orca Slicer can upload G-code files to a printer host. This field should " "contain the API Key or the password required for authentication." msgstr "" -"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. Bu " -"alan, kimlik doğrulama için gereken API Anahtarını veya şifreyi içermelidir." +"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. " +"Bu alan, kimlik doğrulama için gereken API Anahtarını veya şifreyi " +"içermelidir." msgid "Name of the printer" msgstr "Yazıcı adı" @@ -9519,8 +9595,8 @@ msgstr "HTTPS CA Dosyası" msgid "" "Custom CA certificate file can be specified for HTTPS OctoPrint connections, " -"in crt/pem format. If left blank, the default OS CA certificate repository is " -"used." +"in crt/pem format. If left blank, the default OS CA certificate repository " +"is used." msgstr "" "HTTPS OctoPrint bağlantıları için crt/pem formatında özel CA sertifika " "dosyası belirtilebilir. Boş bırakılırsa varsayılan OS CA sertifika deposu " @@ -9571,10 +9647,10 @@ msgid "" "either as an absolute value or as percentage (for example 50%) of a direct " "travel path. Zero to disable" msgstr "" -"Duvarı geçmekten kaçınmak için maksimum sapma mesafesi. Yoldan sapma mesafesi " -"bu değerden büyükse yoldan sapmayın. Yol uzunluğu, mutlak bir değer olarak " -"veya doğrudan seyahat yolunun yüzdesi (örneğin %50) olarak belirtilebilir. " -"Devre dışı bırakmak için sıfır" +"Duvarı geçmekten kaçınmak için maksimum sapma mesafesi. Yoldan sapma " +"mesafesi bu değerden büyükse yoldan sapmayın. Yol uzunluğu, mutlak bir değer " +"olarak veya doğrudan seyahat yolunun yüzdesi (örneğin %50) olarak " +"belirtilebilir. Devre dışı bırakmak için sıfır" msgid "mm or %" msgstr "mm veya %" @@ -9583,8 +9659,8 @@ msgid "Other layers" msgstr "Diğer katmanlar" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the filament " -"does not support to print on the Cool Plate" +"Bed temperature for layers except the initial one. Value 0 means the " +"filament does not support to print on the Cool Plate" msgstr "" "İlk katman dışındaki katmanlar için yatak sıcaklığı. 0 değeri, filamentin " "Cool Plate üzerine yazdırmayı desteklemediği anlamına gelir" @@ -9593,22 +9669,22 @@ msgid "°C" msgstr "°C" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the filament " -"does not support to print on the Engineering Plate" +"Bed temperature for layers except the initial one. Value 0 means the " +"filament does not support to print on the Engineering Plate" msgstr "" "İlk katman dışındaki katmanlar için yatak sıcaklığı. Değer 0, filamentin " "Mühendislik Plakasına yazdırmayı desteklemediği anlamına gelir" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the filament " -"does not support to print on the High Temp Plate" +"Bed temperature for layers except the initial one. Value 0 means the " +"filament does not support to print on the High Temp Plate" msgstr "" "İlk katman dışındaki katmanlar için yatak sıcaklığı. 0 değeri, filamentin " "Yüksek Sıcaklık Plakasına yazdırmayı desteklemediği anlamına gelir" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the filament " -"does not support to print on the Textured PEI Plate" +"Bed temperature for layers except the initial one. Value 0 means the " +"filament does not support to print on the Textured PEI Plate" msgstr "" "İlk katman dışındaki katmanlar için yatak sıcaklığı. 0 Değeri, filamentin " "Dokulu PEI Plaka üzerine yazdırmayı desteklemediği anlamına gelir" @@ -9690,11 +9766,11 @@ msgid "" "The number of bottom solid layers is increased when slicing if the thickness " "calculated by bottom shell layers is thinner than this value. This can avoid " "having too thin shell when layer height is small. 0 means that this setting " -"is disabled and thickness of bottom shell is absolutely determained by bottom " -"shell layers" +"is disabled and thickness of bottom shell is absolutely determained by " +"bottom shell layers" msgstr "" -"Alt kabuk katmanları tarafından hesaplanan kalınlık bu değerden daha ince ise " -"dilimleme sırasında alt katı katmanların sayısı arttırılır. Bu, katman " +"Alt kabuk katmanları tarafından hesaplanan kalınlık bu değerden daha ince " +"ise dilimleme sırasında alt katı katmanların sayısı arttırılır. Bu, katman " "yüksekliği küçük olduğunda kabuğun çok ince olmasını önleyebilir. 0, bu " "ayarın devre dışı olduğu ve alt kabuğun kalınlığının mutlaka alt kabuk " "katmanları tarafından belirlendiği anlamına gelir" @@ -9703,23 +9779,32 @@ msgid "Apply gap fill" msgstr "Boşluk doldurmayı uygula" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" -"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces only\n" -"3. Nowhere: Disables gap fill\n" -msgstr "" -"Seçilen yüzeyler için boşluk doldurmayı etkinleştirir. Doldurulacak minimum " -"boşluk uzunluğu aşağıdaki küçük boşlukları filtrele seçeneğinden kontrol " -"edilebilir.\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" +"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"Seçenekler:\n" -"1. Her Yerde: Üst, alt ve iç katı yüzeylere boşluk doldurma uygular\n" -"2. Üst ve Alt yüzeyler: Boşluk doldurmayı yalnızca üst ve alt yüzeylere " -"uygular\n" -"3. Hiçbir Yerde: Boşluk doldurmayı devre dışı bırakır\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" +msgstr "" msgid "Everywhere" msgstr "Her yerde" @@ -9734,19 +9819,19 @@ msgid "Force cooling for overhang and bridge" msgstr "Çıkıntı ve köprüler için soğutmayı zorla" msgid "" -"Enable this option to optimize part cooling fan speed for overhang and bridge " -"to get better cooling" +"Enable this option to optimize part cooling fan speed for overhang and " +"bridge to get better cooling" msgstr "" -"Daha iyi soğutma elde etmek amacıyla çıkıntı ve köprü için parça soğutma fanı " -"hızını optimize etmek amacıyla bu seçeneği etkinleştirin" +"Daha iyi soğutma elde etmek amacıyla çıkıntı ve köprü için parça soğutma " +"fanı hızını optimize etmek amacıyla bu seçeneği etkinleştirin" msgid "Fan speed for overhang" msgstr "Çıkıntılar için fan hızı" msgid "" -"Force part cooling fan to be this speed when printing bridge or overhang wall " -"which has large overhang degree. Forcing cooling for overhang and bridge can " -"get better quality for these part" +"Force part cooling fan to be this speed when printing bridge or overhang " +"wall which has large overhang degree. Forcing cooling for overhang and " +"bridge can get better quality for these part" msgstr "" "Çıkıntı derecesi büyük olan köprü veya çıkıntılı duvara baskı yaparken parça " "soğutma fanını bu hızda olmaya zorlayın. Çıkıntı ve köprü için soğutmayı " @@ -9758,9 +9843,9 @@ msgstr "Çıkıntı soğutması" #, c-format msgid "" "Force cooling fan to be specific speed when overhang degree of printed part " -"exceeds this value. Expressed as percentage which indicides how much width of " -"the line without support from lower layer. 0% means forcing cooling for all " -"outer wall no matter how much overhang degree" +"exceeds this value. Expressed as percentage which indicides how much width " +"of the line without support from lower layer. 0% means forcing cooling for " +"all outer wall no matter how much overhang degree" msgstr "" "Yazdırılan parçanın çıkıntı derecesi bu değeri aştığında soğutma fanını " "belirli bir hıza zorlar. Alt katmandan destek almadan çizginin ne kadar " @@ -9792,10 +9877,11 @@ msgstr "Köprülerde akış oranı" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Köprü için malzeme miktarını azaltmak ve sarkmayı iyileştirmek için bu değeri " -"biraz azaltın (örneğin 0,9)" msgid "Internal bridge flow ratio" msgstr "İç köprü akış oranı" @@ -9803,27 +9889,33 @@ msgstr "İç köprü akış oranı" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"Bu değer iç köprü katmanının kalınlığını belirler. Bu, seyrek dolgunun " -"üzerindeki ilk katmandır. Seyrek dolguya göre yüzey kalitesini iyileştirmek " -"için bu değeri biraz azaltın (örneğin 0,9)." msgid "Top surface flow ratio" msgstr "Üst katı dolgu akış oranı" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Bu faktör üst katı dolgu için malzeme miktarını etkiler. Pürüzsüz bir yüzey " -"elde etmek için biraz azaltabilirsiniz" msgid "Bottom surface flow ratio" msgstr "Alt katı dolgu akış oranı" -msgid "This factor affects the amount of material for bottom solid infill" -msgstr "Bu faktör alt katı dolgu için malzeme miktarını etkiler" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." +msgstr "" msgid "Precise wall" msgstr "Hassas duvar" @@ -9863,11 +9955,11 @@ msgid "" "on the next layer, like letters. Set this setting to 0 to remove these " "artifacts." msgstr "" -"Eğer bir üst yüzey basılacaksa ve kısmen başka bir katman tarafından kaplıysa " -"layer genişliği bu değerin altında olan bir üst katman olarak " +"Eğer bir üst yüzey basılacaksa ve kısmen başka bir katman tarafından " +"kaplıysa layer genişliği bu değerin altında olan bir üst katman olarak " "değerlendirilmeyecek. Yalnızca çevrelerle kaplanması gereken yüzeyde 'bir " -"çevre üstte' tetiklemesine izin vermemek yararlı olabilir. Bu değer mm veya a " -"% çevre ekstrüzyon genişliğinin bir yüzdesi olabilir.\n" +"çevre üstte' tetiklemesine izin vermemek yararlı olabilir. Bu değer mm veya " +"a % çevre ekstrüzyon genişliğinin bir yüzdesi olabilir.\n" "Uyarı: Etkinleştirilirse bir sonraki katmanda harfler gibi bazı ince " "özelliklerin olması durumunda yapay yapılar oluşturulabilir. Bu yapıları " "kaldırmak için bu ayarı 0 olarak ayarlayın." @@ -9899,9 +9991,9 @@ msgid "Overhang reversal" msgstr "Çıkıntıyı tersine çevir" msgid "" -"Extrude perimeters that have a part over an overhang in the reverse direction " -"on odd layers. This alternating pattern can drastically improve steep " -"overhangs.\n" +"Extrude perimeters that have a part over an overhang in the reverse " +"direction on odd layers. This alternating pattern can drastically improve " +"steep overhangs.\n" "\n" "This setting can also help reduce part warping due to the reduction of " "stresses in the part walls." @@ -9923,7 +10015,8 @@ msgid "" "alternating directions. This should reduce part warping while also " "maintaining external wall quality. This feature can be very useful for warp " "prone material, like ABS/ASA, and also for elastic filaments, like TPU and " -"Silk PLA. It can also help reduce warping on floating regions over supports.\n" +"Silk PLA. It can also help reduce warping on floating regions over " +"supports.\n" "\n" "For this setting to be the most effective, it is recomended to set the " "Reverse Threshold to 0 so that all internal walls print in alternating " @@ -9955,7 +10048,8 @@ msgstr "" "Bu seçenek, havşa delikleri için köprüler oluşturarak bunların desteksiz " "yazdırılmasına olanak tanır. Mevcut modlar şunları içerir:\n" "1. Yok: Köprü oluşturulmaz.\n" -"2. Kısmen Köprülendi: Desteklenmeyen alanın yalnızca bir kısmı köprülenecek.\n" +"2. Kısmen Köprülendi: Desteklenmeyen alanın yalnızca bir kısmı " +"köprülenecek.\n" "3. Feda Katman: Tam bir feda köprü katmanı oluşturulur." msgid "Partially bridged" @@ -9997,12 +10091,26 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "Kıvrılmış çevre çizgilerinde yavaşlat" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Potansiyel kıvrılmış çevrelerin bulunabileceği alanlarda yazdırmayı " -"yavaşlatmak için bu seçeneği etkinleştirin" msgid "mm/s or %" msgstr "mm/s veya %" @@ -10010,8 +10118,14 @@ msgstr "mm/s veya %" msgid "External" msgstr "Harici" -msgid "Speed of bridge and completely overhang wall" -msgstr "Köprü hızı ve tamamen sarkan duvar" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -10020,11 +10134,9 @@ msgid "Internal" msgstr "Dahili" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Dahili köprünün hızı. Değer yüzde olarak ifade edilirse köprü_hızına göre " -"hesaplanacaktır. Varsayılan değer %150'dir." msgid "Brim width" msgstr "Kenar genişliği" @@ -10075,8 +10187,8 @@ msgid "Brim ear detection radius" msgstr "Kenar kulak algılama yarıçapı" msgid "" -"The geometry will be decimated before dectecting sharp angles. This parameter " -"indicates the minimum length of the deviation for the decimation.\n" +"The geometry will be decimated before dectecting sharp angles. This " +"parameter indicates the minimum length of the deviation for the decimation.\n" "0 to deactivate" msgstr "" "Keskin açılar tespit edilmeden önce geometrinin büyük bir kısmı yok " @@ -10125,10 +10237,10 @@ msgid "" "that layer can be cooled for longer time. This can improve the cooling " "quality for needle and small details" msgstr "" -"Son katman süresinin \"Maksimum fan hızı eşiği\"ndeki katman süresi eşiğinden " -"kısa olmamasını sağlamak amacıyla yazdırma hızını yavaşlatmak için bu " -"seçeneği etkinleştirin, böylece katman daha uzun süre soğutulabilir. Bu, iğne " -"ve küçük detaylar için soğutma kalitesini artırabilir" +"Son katman süresinin \"Maksimum fan hızı eşiği\"ndeki katman süresi " +"eşiğinden kısa olmamasını sağlamak amacıyla yazdırma hızını yavaşlatmak için " +"bu seçeneği etkinleştirin, böylece katman daha uzun süre soğutulabilir. Bu, " +"iğne ve küçük detaylar için soğutma kalitesini artırabilir" msgid "Normal printing" msgstr "Normal baskı" @@ -10137,7 +10249,8 @@ msgid "" "The default acceleration of both normal printing and travel except initial " "layer" msgstr "" -"İlk katman dışında hem normal yazdırmanın hem de ilerlemenin varsayılan ivmesi" +"İlk katman dışında hem normal yazdırmanın hem de ilerlemenin varsayılan " +"ivmesi" msgid "mm/s²" msgstr "mm/s²" @@ -10181,8 +10294,8 @@ msgid "" "Close all cooling fan for the first certain layers. Cooling fan of the first " "layer used to be closed to get better build plate adhesion" msgstr "" -"İlk belirli katmanlar için tüm soğutma fanını kapatın. Daha iyi baskı plakası " -"yapışması sağlamak için ilk katmanın soğutma fanı kapatılırdı" +"İlk belirli katmanlar için tüm soğutma fanını kapatın. Daha iyi baskı " +"plakası yapışması sağlamak için ilk katmanın soğutma fanı kapatılırdı" msgid "Don't support bridges" msgstr "Köprülerde destek olmasın" @@ -10223,8 +10336,8 @@ msgid "Don't filter out small internal bridges (beta)" msgstr "Küçük iç köprüleri filtrelemeyin (deneysel)" msgid "" -"This option can help reducing pillowing on top surfaces in heavily slanted or " -"curved models.\n" +"This option can help reducing pillowing on top surfaces in heavily slanted " +"or curved models.\n" "\n" "By default, small internal bridges are filtered out and the internal solid " "infill is printed directly over the sparse infill. This works well in most " @@ -10239,16 +10352,16 @@ msgid "" "unsupported internal solid infill. The options below control the amount of " "filtering, i.e. the amount of internal bridges created.\n" "\n" -"Disabled - Disables this option. This is the default behaviour and works well " -"in most cases.\n" +"Disabled - Disables this option. This is the default behaviour and works " +"well in most cases.\n" "\n" "Limited filtering - Creates internal bridges on heavily slanted surfaces, " -"while avoiding creating uncessesary interal bridges. This works well for most " -"difficult models.\n" +"while avoiding creating uncessesary interal bridges. This works well for " +"most difficult models.\n" "\n" -"No filtering - Creates internal bridges on every potential internal overhang. " -"This option is useful for heavily slanted top surface models. However, in " -"most cases it creates too many unecessary bridges." +"No filtering - Creates internal bridges on every potential internal " +"overhang. This option is useful for heavily slanted top surface models. " +"However, in most cases it creates too many unecessary bridges." msgstr "" "Bu seçenek, aşırı eğimli veya kavisli modellerde üst yüzeylerdeki " "yastıklamanın azaltılmasına yardımcı olabilir.\n" @@ -10400,8 +10513,8 @@ msgid "" "Speed of outer wall which is outermost and visible. It's used to be slower " "than inner wall speed to get better quality." msgstr "" -"En dışta görünen ve görünen dış duvarın hızı. Daha iyi kalite elde etmek için " -"iç duvar hızından daha yavaş olması kullanılır." +"En dışta görünen ve görünen dış duvarın hızı. Daha iyi kalite elde etmek " +"için iç duvar hızından daha yavaş olması kullanılır." msgid "Small perimeters" msgstr "Küçük çevre (perimeter)" @@ -10430,8 +10543,8 @@ msgstr "Duvar baskı sırası" msgid "" "Print sequence of the internal (inner) and external (outer) walls. \n" "\n" -"Use Inner/Outer for best overhangs. This is because the overhanging walls can " -"adhere to a neighouring perimeter while printing. However, this option " +"Use Inner/Outer for best overhangs. This is because the overhanging walls " +"can adhere to a neighouring perimeter while printing. However, this option " "results in slightly reduced surface quality as the external perimeter is " "deformed by being squashed to the internal perimeter.\n" "\n" @@ -10462,14 +10575,14 @@ msgstr "" "kalitesi ve boyutsal doğruluk için İç/Dış/İç seçeneğini kullanın. Ancak, dış " "duvarın üzerine baskı yapılacak bir iç çevre olmadığından sarkma performansı " "düşecektir. Bu seçenek, önce 3. çevreden itibaren iç duvarları, ardından dış " -"çevreyi ve son olarak da birinci iç çevreyi yazdırdığından etkili olması için " -"en az 3 duvar gerektirir. Bu seçenek çoğu durumda Dış/İç seçeneğine karşı " -"önerilir. \n" +"çevreyi ve son olarak da birinci iç çevreyi yazdırdığından etkili olması " +"için en az 3 duvar gerektirir. Bu seçenek çoğu durumda Dış/İç seçeneğine " +"karşı önerilir. \n" "\n" "İç/Dış/İç seçeneğinin aynı dış duvar kalitesi ve boyutsal doğruluk " "avantajları için Dış/İç seçeneğini kullanın. Bununla birlikte, yeni bir " -"katmanın ilk ekstrüzyonu görünür bir yüzey üzerinde başladığından z dikişleri " -"daha az tutarlı görünecektir.\n" +"katmanın ilk ekstrüzyonu görünür bir yüzey üzerinde başladığından z " +"dikişleri daha az tutarlı görünecektir.\n" "\n" " " @@ -10491,9 +10604,9 @@ msgid "" "\n" "Printing infill first may help with extreme overhangs as the walls have the " "neighbouring infill to adhere to. However, the infill will slighly push out " -"the printed walls where it is attached to them, resulting in a worse external " -"surface finish. It can also cause the infill to shine through the external " -"surfaces of the part." +"the printed walls where it is attached to them, resulting in a worse " +"external surface finish. It can also cause the infill to shine through the " +"external surfaces of the part." msgstr "" "Duvar/dolgu sırası. Onay kutusu işaretlenmediğinde duvarlar önce yazdırılır, " "bu çoğu durumda en iyi şekilde çalışır.\n" @@ -10511,8 +10624,8 @@ msgid "" "The direction which the wall loops are extruded when looking down from the " "top.\n" "\n" -"By default all walls are extruded in counter-clockwise, unless Reverse on odd " -"is enabled. Set this to any option other than Auto will force the wall " +"By default all walls are extruded in counter-clockwise, unless Reverse on " +"odd is enabled. Set this to any option other than Auto will force the wall " "direction regardless of the Reverse on odd.\n" "\n" "This option will be disabled if sprial vase mode is enabled." @@ -10520,8 +10633,8 @@ msgstr "" "Yukarıdan aşağıya bakıldığında duvar döngülerinin ekstrüzyona uğradığı yön.\n" "\n" "Tek sayıyı ters çevir seçeneği etkinleştirilmedikçe, varsayılan olarak tüm " -"duvarlar saat yönünün tersine ekstrüde edilir. Bunu Otomatik dışında herhangi " -"bir seçeneğe ayarlayın, Ters açıklığa bakılmaksızın duvar yönünü " +"duvarlar saat yönünün tersine ekstrüde edilir. Bunu Otomatik dışında " +"herhangi bir seçeneğe ayarlayın, Ters açıklığa bakılmaksızın duvar yönünü " "zorlayacaktır.\n" "\n" "Spiral vazo modu etkinse bu seçenek devre dışı bırakılacaktır." @@ -10549,8 +10662,8 @@ msgid "" "Distance of the nozzle tip to the lid. Used for collision avoidance in by-" "object printing." msgstr "" -"Nozul ucunun kapağa olan mesafesi. Nesneye göre yazdırmada çarpışmayı önlemek " -"için kullanılır." +"Nozul ucunun kapağa olan mesafesi. Nesneye göre yazdırmada çarpışmayı " +"önlemek için kullanılır." msgid "" "Clearance radius around extruder. Used for collision avoidance in by-object " @@ -10573,19 +10686,20 @@ msgid "" "probe's XY offset, most printers are unable to probe the entire bed. To " "ensure the probe point does not go outside the bed area, the minimum and " "maximum points of the bed mesh should be set appropriately. OrcaSlicer " -"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not exceed " -"these min/max points. This information can usually be obtained from your " -"printer manufacturer. The default setting is (-99999, -99999), which means " -"there are no limits, thus allowing probing across the entire bed." +"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " +"exceed these min/max points. This information can usually be obtained from " +"your printer manufacturer. The default setting is (-99999, -99999), which " +"means there are no limits, thus allowing probing across the entire bed." msgstr "" -"Bu seçenek, izin verilen yatak ağ alanı için minimum noktayı ayarlar. Prob XY " -"ofseti nedeniyle çoğu yazıcı yatağın tamamını tarayamaz. Prob noktasının " -"yatak alanı dışına çıkmamasını sağlamak için yatak ağının minimum ve maksimum " -"noktaları uygun şekilde ayarlanmalıdır. OrcaSlicer, adaptive_bed_mesh_min/" -"adaptive_bed_mesh_max değerlerinin bu min/maks noktalarını aşmamasını sağlar. " -"Bu bilgi genellikle yazıcınızın üreticisinden edinilebilir. Varsayılan ayar " -"(-99999, -99999) şeklindedir; bu, herhangi bir sınırın olmadığı anlamına " -"gelir, dolayısıyla yatağın tamamında problamaya izin verilir." +"Bu seçenek, izin verilen yatak ağ alanı için minimum noktayı ayarlar. Prob " +"XY ofseti nedeniyle çoğu yazıcı yatağın tamamını tarayamaz. Prob noktasının " +"yatak alanı dışına çıkmamasını sağlamak için yatak ağının minimum ve " +"maksimum noktaları uygun şekilde ayarlanmalıdır. OrcaSlicer, " +"adaptive_bed_mesh_min/adaptive_bed_mesh_max değerlerinin bu min/maks " +"noktalarını aşmamasını sağlar. Bu bilgi genellikle yazıcınızın üreticisinden " +"edinilebilir. Varsayılan ayar (-99999, -99999) şeklindedir; bu, herhangi bir " +"sınırın olmadığı anlamına gelir, dolayısıyla yatağın tamamında problamaya " +"izin verilir." msgid "Bed mesh max" msgstr "Maksimum yatak ağı" @@ -10595,19 +10709,20 @@ msgid "" "probe's XY offset, most printers are unable to probe the entire bed. To " "ensure the probe point does not go outside the bed area, the minimum and " "maximum points of the bed mesh should be set appropriately. OrcaSlicer " -"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not exceed " -"these min/max points. This information can usually be obtained from your " -"printer manufacturer. The default setting is (99999, 99999), which means " -"there are no limits, thus allowing probing across the entire bed." +"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " +"exceed these min/max points. This information can usually be obtained from " +"your printer manufacturer. The default setting is (99999, 99999), which " +"means there are no limits, thus allowing probing across the entire bed." msgstr "" -"Bu seçenek, izin verilen yatak ağ alanı için maksimum noktayı ayarlar. Probun " -"XY ofseti nedeniyle çoğu yazıcı yatağın tamamını tarayamaz. Prob noktasının " -"yatak alanı dışına çıkmamasını sağlamak için yatak ağının minimum ve maksimum " -"noktaları uygun şekilde ayarlanmalıdır. OrcaSlicer, adaptive_bed_mesh_min/" -"adaptive_bed_mesh_max değerlerinin bu min/maks noktalarını aşmamasını sağlar. " -"Bu bilgi genellikle yazıcınızın üreticisinden edinilebilir. Varsayılan ayar " -"(99999, 99999) şeklindedir; bu, herhangi bir sınırın olmadığı anlamına gelir, " -"dolayısıyla yatağın tamamında problamaya izin verilir." +"Bu seçenek, izin verilen yatak ağ alanı için maksimum noktayı ayarlar. " +"Probun XY ofseti nedeniyle çoğu yazıcı yatağın tamamını tarayamaz. Prob " +"noktasının yatak alanı dışına çıkmamasını sağlamak için yatak ağının minimum " +"ve maksimum noktaları uygun şekilde ayarlanmalıdır. OrcaSlicer, " +"adaptive_bed_mesh_min/adaptive_bed_mesh_max değerlerinin bu min/maks " +"noktalarını aşmamasını sağlar. Bu bilgi genellikle yazıcınızın üreticisinden " +"edinilebilir. Varsayılan ayar (99999, 99999) şeklindedir; bu, herhangi bir " +"sınırın olmadığı anlamına gelir, dolayısıyla yatağın tamamında problamaya " +"izin verilir." msgid "Probe point distance" msgstr "Prob noktası mesafesi" @@ -10624,8 +10739,8 @@ msgid "Mesh margin" msgstr "Yatak ağı boşluğu" msgid "" -"This option determines the additional distance by which the adaptive bed mesh " -"area should be expanded in the XY directions." +"This option determines the additional distance by which the adaptive bed " +"mesh area should be expanded in the XY directions." msgstr "" "Bu seçenek, uyarlanabilir yatak ağ alanının XY yönlerinde genişletilmesi " "gereken ek mesafeyi belirler." @@ -10645,9 +10760,9 @@ msgstr "Akış oranı" msgid "" "The material may have volumetric change after switching between molten state " "and crystalline state. This setting changes all extrusion flow of this " -"filament in gcode proportionally. Recommended value range is between 0.95 and " -"1.05. Maybe you can tune this value to get nice flat surface when there has " -"slight overflow or underflow" +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow" msgstr "" "Malzeme, erimiş hal ile kristal hal arasında geçiş yaptıktan sonra hacimsel " "değişime sahip olabilir. Bu ayar, bu filamentin gcode'daki tüm ekstrüzyon " @@ -10655,6 +10770,17 @@ msgstr "" "arasındadır. Belki hafif taşma veya taşma olduğunda güzel düz bir yüzey elde " "etmek için bu değeri ayarlayabilirsiniz" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Basınç Avansı (PA)" @@ -10671,6 +10797,7 @@ msgstr "Basınç avansı (Klipper) Doğrusal ilerleme faktörü (Marlin)" msgid "Enable adaptive pressure advance (beta)" msgstr "Uyarlanabilir basınç ilerlemesini etkinleştir (beta)" +#, fuzzy, c-format, boost-format msgid "" "With increasing print speeds (and hence increasing volumetric flow through " "the nozzle) and increasing accelerations, it has been observed that the " @@ -10679,12 +10806,12 @@ msgid "" "used that does not cause too much bulging on features with lower flow speed " "and accelerations while also not causing gaps on faster features.\n" "\n" -"This feature aims to address this limitation by modeling the response of your " -"printer's extrusion system depending on the volumetric flow speed and " +"This feature aims to address this limitation by modeling the response of " +"your printer's extrusion system depending on the volumetric flow speed and " "acceleration it is printing at. Internally, it generates a fitted model that " "can extrapolate the needed pressure advance for any given volumetric flow " -"speed and acceleration, which is then emmited to the printer depending on the " -"current print conditions.\n" +"speed and acceleration, which is then emmited to the printer depending on " +"the current print conditions.\n" "\n" "When enabled, the pressure advance value above is overriden. However, a " "reasonable default value above is strongly recomended to act as a fallback " @@ -10725,24 +10852,24 @@ msgid "" "1. Run the pressure advance test for at least 3 speeds per acceleration " "value. It is recommended that the test is run for at least the speed of the " "external perimeters, the speed of the internal perimeters and the fastest " -"feature print speed in your profile (usually its the sparse or solid infill). " -"Then run them for the same speeds for the slowest and fastest print " +"feature print speed in your profile (usually its the sparse or solid " +"infill). Then run them for the same speeds for the slowest and fastest print " "accelerations,and no faster than the recommended maximum acceleration as " "given by the klipper input shaper.\n" "2. Take note of the optimal PA value for each volumetric flow speed and " "acceleration. You can find the flow number by selecting flow from the color " "scheme drop down and move the horizontal slider over the PA pattern lines. " "The number should be visible at the bottom of the page. The ideal PA value " -"should be decreasing the higher the volumetric flow is. If it is not, confirm " -"that your extruder is functioning correctly.The slower and with less " +"should be decreasing the higher the volumetric flow is. If it is not, " +"confirm that your extruder is functioning correctly.The slower and with less " "acceleration you print, the larger the range of acceptable PA values. If no " "difference is visible, use the PA value from the faster test.3. Enter the " "triplets of PA values, Flow and Accelerations in the text box here and save " "your filament profile\n" "\n" msgstr "" -"Basınç ilerlemesi (basınç) değerlerinin setlerini, hacimsel akış hızlarını ve " -"ölçüldükleri ivmeleri virgülle ayırarak ekleyin. Satır başına bir değer " +"Basınç ilerlemesi (basınç) değerlerinin setlerini, hacimsel akış hızlarını " +"ve ölçüldükleri ivmeleri virgülle ayırarak ekleyin. Satır başına bir değer " "kümesi. Örneğin\n" "0.04,3.96,3000\n" "0,033,3,96,10000\n" @@ -10764,18 +10891,18 @@ msgstr "" "olursa o kadar azalmalıdır. Değilse, ekstruderinizin doğru şekilde " "çalıştığını doğrulayın. Ne kadar yavaş ve daha az ivmeyle yazdırırsanız, " "kabul edilebilir PA değerleri aralığı o kadar geniş olur. Hiçbir fark " -"görünmüyorsa, daha hızlı olan testteki PA değerini kullanın.3. Buradaki metin " -"kutusuna PA değerleri, Akış ve Hızlanma üçlüsünü girin ve filament " +"görünmüyorsa, daha hızlı olan testteki PA değerini kullanın.3. Buradaki " +"metin kutusuna PA değerleri, Akış ve Hızlanma üçlüsünü girin ve filament " "profilinizi kaydedin\n" msgid "Enable adaptive pressure advance for overhangs (beta)" msgstr "Çıkıntılar için uyarlanabilir basınç ilerlemesini etkinleştirin (beta)" msgid "" -"Enable adaptive PA for overhangs as well as when flow changes within the same " -"feature. This is an experimental option, as if the PA profile is not set " -"accurately, it will cause uniformity issues on the external surfaces before " -"and after overhangs.\n" +"Enable adaptive PA for overhangs as well as when flow changes within the " +"same feature. This is an experimental option, as if the PA profile is not " +"set accurately, it will cause uniformity issues on the external surfaces " +"before and after overhangs.\n" msgstr "" "Aynı özellik içinde akış değiştiğinde ve çıkıntılar için uyarlanabilir PA’yı " "etkinleştirin. Bu deneysel bir seçenektir, sanki basınç profili doğru " @@ -10788,10 +10915,10 @@ msgstr "Köprüler için basınç ilerlemesi" msgid "" "Pressure advance value for bridges. Set to 0 to disable. \n" "\n" -" A lower PA value when printing bridges helps reduce the appearance of slight " -"under extrusion immediately after bridges. This is caused by the pressure " -"drop in the nozzle when printing in the air and a lower PA helps counteract " -"this." +" A lower PA value when printing bridges helps reduce the appearance of " +"slight under extrusion immediately after bridges. This is caused by the " +"pressure drop in the nozzle when printing in the air and a lower PA helps " +"counteract this." msgstr "" "Köprüler için basınç ilerleme değeri. Devre dışı bırakmak için 0’a " "ayarlayın. \n" @@ -10802,8 +10929,8 @@ msgstr "" "basınç, bunu önlemeye yardımcı olur." msgid "" -"Default line width if other line widths are set to 0. If expressed as a %, it " -"will be computed over the nozzle diameter." +"Default line width if other line widths are set to 0. If expressed as a %, " +"it will be computed over the nozzle diameter." msgstr "" "Diğer çizgi genişlikleri 0'a ayarlanmışsa varsayılan çizgi genişliği. % " "olarak ifade edilirse nozul çapı üzerinden hesaplanacaktır." @@ -10812,8 +10939,8 @@ msgid "Keep fan always on" msgstr "Fanı her zaman açık tut" msgid "" -"If enable this setting, part cooling fan will never be stoped and will run at " -"least at minimum speed to reduce the frequency of starting and stoping" +"If enable this setting, part cooling fan will never be stoped and will run " +"at least at minimum speed to reduce the frequency of starting and stoping" msgstr "" "Bu ayarı etkinleştirirseniz, parça soğutma fanı hiçbir zaman durdurulmayacak " "ve başlatma ve durdurma sıklığını azaltmak için en azından minimum hızda " @@ -10894,18 +11021,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Filament yükleme süresi" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Filamenti değiştirdiğinizde yeni filament yükleme zamanı. Yalnızca " -"istatistikler için" msgid "Filament unload time" msgstr "Filament boşaltma süresi" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Filamenti değiştirdiğinizde eski filamenti boşaltma zamanı. Yalnızca " -"istatistikler için" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -10945,11 +11083,11 @@ msgid "" "Be sure to allow enough space between objects, as this compensation is done " "after the checks." msgstr "" -"Filamentin soğuduktan sonra alacağı büzülme yüzdesini girin (100 mm yerine 94 " -"mm ölçerseniz 94%). Parça, telafi etmek için xy'de ölçeklendirilecektir. " +"Filamentin soğuduktan sonra alacağı büzülme yüzdesini girin (100 mm yerine " +"94 mm ölçerseniz 94%). Parça, telafi etmek için xy'de ölçeklendirilecektir. " "Yalnızca çevre için kullanılan filament dikkate alınır.\n" -"Bu telafi kontrollerden sonra yapıldığından, nesneler arasında yeterli boşluk " -"bıraktığınızdan emin olun." +"Bu telafi kontrollerden sonra yapıldığından, nesneler arasında yeterli " +"boşluk bıraktığınızdan emin olun." msgid "Loading speed" msgstr "Yükleme hızı" @@ -11000,8 +11138,8 @@ msgid "" "Filament is cooled by being moved back and forth in the cooling tubes. " "Specify desired number of these moves." msgstr "" -"Filament, soğutma tüpleri içinde ileri geri hareket ettirilerek soğutulur. Bu " -"sayısını belirtin." +"Filament, soğutma tüpleri içinde ileri geri hareket ettirilerek soğutulur. " +"Bu sayısını belirtin." msgid "Stamping loading speed" msgstr "Damgalama yükleme hızı" @@ -11014,8 +11152,8 @@ msgstr "Soğutma tüpünün merkezinden ölçülen damgalama mesafesi" msgid "" "If set to nonzero value, filament is moved toward the nozzle between the " -"individual cooling moves (\"stamping\"). This option configures how long this " -"movement should be before the filament is retracted again." +"individual cooling moves (\"stamping\"). This option configures how long " +"this movement should be before the filament is retracted again." msgstr "" "Sıfırdan farklı bir değere ayarlanırsa filaman bireysel soğutma hareketleri " "arasında (“damgalama”) nüzule doğru hareket ettirilir. Bu seçenek, filamanın " @@ -11034,9 +11172,9 @@ msgstr "Silme kulesi üzerinde minimum boşaltım" msgid "" "After a tool change, the exact position of the newly loaded filament inside " "the nozzle may not be known, and the filament pressure is likely not yet " -"stable. Before purging the print head into an infill or a sacrificial object, " -"Orca Slicer will always prime this amount of material into the wipe tower to " -"produce successive infill or sacrificial object extrusions reliably." +"stable. Before purging the print head into an infill or a sacrificial " +"object, Orca Slicer will always prime this amount of material into the wipe " +"tower to produce successive infill or sacrificial object extrusions reliably." msgstr "" "Bir takım değişiminden sonra, yeni yüklenen filamentin nozul içindeki kesin " "konumu bilinmeyebilir ve filament basıncı muhtemelen henüz stabil değildir. " @@ -11051,15 +11189,6 @@ msgstr "Son soğutma hareketi hızı" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "Soğutma hareketleri bu hıza doğru giderek hızlanır." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is added " -"to the total print time by the G-code time estimator." -msgstr "" -"Yazıcı donanım yazılımının (veya Çoklu Malzeme Ünitesi 2.0'ın) takım " -"değişikliği sırasında (T kodu yürütülürken) yeni bir filament yükleme süresi. " -"Bu süre, G kodu zaman tahmincisi tarafından toplam baskı süresine eklenir." - msgid "Ramming parameters" msgstr "Sıkıştırma parametreleri" @@ -11070,15 +11199,6 @@ msgstr "" "Bu dize RammingDialog tarafından düzenlenir ve ramming'e özgü parametreleri " "içerir." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is added " -"to the total print time by the G-code time estimator." -msgstr "" -"Yazıcı ürün yazılımının (veya Çoklu Malzeme Ünitesi 2.0'ın) takım değişimi " -"sırasında (T kodu yürütülürken) filamenti boşaltma süresi. Bu süre, G kodu " -"süre tahmincisi tarafından toplam baskı süresine eklenir." - msgid "Enable ramming for multitool setups" msgstr "Çoklu araç kurulumları için sıkıştırmayı etkinleştirin" @@ -11121,7 +11241,8 @@ msgstr "Filament malzeme türü" msgid "Soluble material" msgstr "Çözünür malzeme" -msgid "Soluble material is commonly used to print support and support interface" +msgid "" +"Soluble material is commonly used to print support and support interface" msgstr "" "Çözünür malzeme genellikle destek ve destek arayüzünü yazdırmak için " "kullanılır" @@ -11129,7 +11250,8 @@ msgstr "" msgid "Support material" msgstr "Destek malzemesi" -msgid "Support material is commonly used to print support and support interface" +msgid "" +"Support material is commonly used to print support and support interface" msgstr "" "Destek malzemesi yaygın olarak destek ve destek arayüzünü yazdırmak için " "kullanılır" @@ -11177,8 +11299,8 @@ msgid "Solid infill direction" msgstr "Katı dolgu yönü" msgid "" -"Angle for solid infill pattern, which controls the start or main direction of " -"line" +"Angle for solid infill pattern, which controls the start or main direction " +"of line" msgstr "" "Hattın başlangıcını veya ana yönünü kontrol eden katı dolgu deseni açısı" @@ -11196,8 +11318,8 @@ msgid "" "Density of internal sparse infill, 100% turns all sparse infill into solid " "infill and internal solid infill pattern will be used" msgstr "" -"İç seyrek dolgunun yoğunluğu, %100 tüm seyrek dolguyu katı dolguya dönüştürür " -"ve iç katı dolgu modeli kullanılacaktır" +"İç seyrek dolgunun yoğunluğu, %100 tüm seyrek dolguyu katı dolguya " +"dönüştürür ve iç katı dolgu modeli kullanılacaktır" msgid "Sparse infill pattern" msgstr "Dolgu deseni" @@ -11245,22 +11367,23 @@ msgid "" "Connect an infill line to an internal perimeter with a short segment of an " "additional perimeter. If expressed as percentage (example: 15%) it is " "calculated over infill extrusion width. Orca Slicer tries to connect two " -"close infill lines to a short perimeter segment. If no such perimeter segment " -"shorter than infill_anchor_max is found, the infill line is connected to a " -"perimeter segment at just one side and the length of the perimeter segment " -"taken is limited to this parameter, but no longer than anchor_length_max. \n" +"close infill lines to a short perimeter segment. If no such perimeter " +"segment shorter than infill_anchor_max is found, the infill line is " +"connected to a perimeter segment at just one side and the length of the " +"perimeter segment taken is limited to this parameter, but no longer than " +"anchor_length_max. \n" "Set this parameter to zero to disable anchoring perimeters connected to a " "single infill line." msgstr "" "Bir dolgu hattını, ek bir çevrenin kısa bir bölümü ile bir iç çevreye " -"bağlayın. Yüzde olarak ifade edilirse (örnek: %15) dolgu ekstrüzyon genişliği " -"üzerinden hesaplanır. Orca Slicer iki yakın dolgu hattını kısa bir çevre " -"segmentine bağlamaya çalışıyor. infill_anchor_max'tan daha kısa böyle bir " -"çevre segmenti bulunamazsa, dolgu hattı yalnızca bir taraftaki bir çevre " +"bağlayın. Yüzde olarak ifade edilirse (örnek: %15) dolgu ekstrüzyon " +"genişliği üzerinden hesaplanır. Orca Slicer iki yakın dolgu hattını kısa bir " +"çevre segmentine bağlamaya çalışıyor. infill_anchor_max'tan daha kısa böyle " +"bir çevre segmenti bulunamazsa, dolgu hattı yalnızca bir taraftaki bir çevre " "segmentine bağlanır ve alınan çevre segmentinin uzunluğu bu parametreyle " "sınırlıdır, ancak çapa_uzunluk_max'tan uzun olamaz.\n" -"Tek bir dolgu hattına bağlı sabitleme çevrelerini devre dışı bırakmak için bu " -"parametreyi sıfıra ayarlayın." +"Tek bir dolgu hattına bağlı sabitleme çevrelerini devre dışı bırakmak için " +"bu parametreyi sıfıra ayarlayın." msgid "0 (no open anchors)" msgstr "0 (açık bağlantı yok)" @@ -11275,22 +11398,23 @@ msgid "" "Connect an infill line to an internal perimeter with a short segment of an " "additional perimeter. If expressed as percentage (example: 15%) it is " "calculated over infill extrusion width. Orca Slicer tries to connect two " -"close infill lines to a short perimeter segment. If no such perimeter segment " -"shorter than this parameter is found, the infill line is connected to a " -"perimeter segment at just one side and the length of the perimeter segment " -"taken is limited to infill_anchor, but no longer than this parameter. \n" +"close infill lines to a short perimeter segment. If no such perimeter " +"segment shorter than this parameter is found, the infill line is connected " +"to a perimeter segment at just one side and the length of the perimeter " +"segment taken is limited to infill_anchor, but no longer than this " +"parameter. \n" "If set to 0, the old algorithm for infill connection will be used, it should " "create the same result as with 1000 & 0." msgstr "" "Bir dolgu hattını, ek bir çevrenin kısa bir bölümü ile bir iç çevreye " -"bağlayın. Yüzde olarak ifade edilirse (örnek: %15) dolgu ekstrüzyon genişliği " -"üzerinden hesaplanır. Orca Slicer iki yakın dolgu hattını kısa bir çevre " -"segmentine bağlamaya çalışıyor. Bu parametreden daha kısa bir çevre segmenti " -"bulunamazsa, dolgu hattı sadece bir kenardaki bir çevre segmentine bağlanır " -"ve alınan çevre segmentinin uzunluğu infill_anchor ile sınırlıdır ancak bu " -"parametreden daha uzun olamaz.\n" -"0'a ayarlanırsa dolgu bağlantısı için eski algoritma kullanılacaktır; 1000 ve " -"0 ile aynı sonucu oluşturmalıdır." +"bağlayın. Yüzde olarak ifade edilirse (örnek: %15) dolgu ekstrüzyon " +"genişliği üzerinden hesaplanır. Orca Slicer iki yakın dolgu hattını kısa bir " +"çevre segmentine bağlamaya çalışıyor. Bu parametreden daha kısa bir çevre " +"segmenti bulunamazsa, dolgu hattı sadece bir kenardaki bir çevre segmentine " +"bağlanır ve alınan çevre segmentinin uzunluğu infill_anchor ile sınırlıdır " +"ancak bu parametreden daha uzun olamaz.\n" +"0'a ayarlanırsa dolgu bağlantısı için eski algoritma kullanılacaktır; 1000 " +"ve 0 ile aynı sonucu oluşturmalıdır." msgid "0 (Simple connect)" msgstr "0 (Basit bağlantı)" @@ -11308,8 +11432,8 @@ msgid "" "Acceleration of top surface infill. Using a lower value may improve top " "surface quality" msgstr "" -"Üst yüzey dolgusunun hızlandırılması. Daha düşük bir değerin kullanılması üst " -"yüzey kalitesini iyileştirebilir" +"Üst yüzey dolgusunun hızlandırılması. Daha düşük bir değerin kullanılması " +"üst yüzey kalitesini iyileştirebilir" msgid "Acceleration of outer wall. Using a lower value can improve quality" msgstr "" @@ -11319,8 +11443,8 @@ msgid "" "Acceleration of bridges. If the value is expressed as a percentage (e.g. " "50%), it will be calculated based on the outer wall acceleration." msgstr "" -"Köprülerin hızlandırılması. Değer yüzde olarak ifade edilirse (örn. %50), dış " -"duvar ivmesine göre hesaplanacaktır." +"Köprülerin hızlandırılması. Değer yüzde olarak ifade edilirse (örn. %50), " +"dış duvar ivmesine göre hesaplanacaktır." msgid "mm/s² or %" msgstr "mm/s² veya %" @@ -11357,7 +11481,8 @@ msgid "accel_to_decel" msgstr "Accel_to_decel" #, c-format, boost-format -msgid "Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" +msgid "" +"Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" msgstr "" "Klipper'ın max_accel_to_decel değeri ivmenin bu %%'sine göre ayarlanacak" @@ -11390,8 +11515,8 @@ msgid "Initial layer height" msgstr "Başlangıç katman yüksekliği" msgid "" -"Height of initial layer. Making initial layer height to be thick slightly can " -"improve build plate adhesion" +"Height of initial layer. Making initial layer height to be thick slightly " +"can improve build plate adhesion" msgstr "" "İlk katmanın yüksekliği. İlk katman yüksekliğini biraz kalın yapmak, baskı " "plakasının yapışmasını iyileştirebilir" @@ -11439,9 +11564,10 @@ msgid "" msgstr "" "Fan hızı, \"close_fan_the_first_x_layers\" katmanında sıfırdan " "\"ful_fan_speed_layer\" katmanında maksimuma doğrusal olarak artırılacaktır. " -"\"full_fan_speed_layer\", \"close_fan_the_first_x_layers\" değerinden düşükse " -"göz ardı edilecektir; bu durumda fan, \"close_fan_the_first_x_layers\" + 1 " -"katmanında izin verilen maksimum hızda çalışacaktır." +"\"full_fan_speed_layer\", \"close_fan_the_first_x_layers\" değerinden " +"düşükse göz ardı edilecektir; bu durumda fan, " +"\"close_fan_the_first_x_layers\" + 1 katmanında izin verilen maksimum hızda " +"çalışacaktır." msgid "layer" msgstr "katman" @@ -11507,8 +11633,11 @@ msgstr "Küçük boşlukları filtrele" msgid "Layers and Perimeters" msgstr "Katmanlar ve Çevreler" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Belirtilen eşikten daha küçük boşlukları filtrele" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -11537,11 +11666,11 @@ msgid "" "Enable this to get a G-code file which has G2 and G3 moves. The fitting " "tolerance is same as the resolution. \n" "\n" -"Note: For klipper machines, this option is recomended to be disabled. Klipper " -"does not benefit from arc commands as these are split again into line " -"segments by the firmware. This results in a reduction in surface quality as " -"line segments are converted to arcs by the slicer and then back to line " -"segments by the firmware." +"Note: For klipper machines, this option is recomended to be disabled. " +"Klipper does not benefit from arc commands as these are split again into " +"line segments by the firmware. This results in a reduction in surface " +"quality as line segments are converted to arcs by the slicer and then back " +"to line segments by the firmware." msgstr "" "G2 ve G3 hareketlerine sahip bir G kodu dosyası elde etmek için bunu " "etkinleştirin. Montaj toleransı çözünürlükle aynıdır. \n" @@ -11578,8 +11707,8 @@ msgid "" "The metallic material of nozzle. This determines the abrasive resistance of " "nozzle, and what kind of filament can be printed" msgstr "" -"Nozulnin metalik malzemesi. Bu, nozulun aşınma direncini ve ne tür filamentin " -"basılabileceğini belirler" +"Nozulnin metalik malzemesi. Bu, nozulun aşınma direncini ve ne tür " +"filamentin basılabileceğini belirler" msgid "Undefine" msgstr "Tanımsız" @@ -11631,8 +11760,8 @@ msgid "Best auto arranging position in range [0,1] w.r.t. bed shape." msgstr "Yatak şekline göre [0,1] aralığında en iyi otomatik düzenleme konumu." msgid "" -"Enable this option if machine has auxiliary part cooling fan. G-code command: " -"M106 P2 S(0-255)." +"Enable this option if machine has auxiliary part cooling fan. G-code " +"command: M106 P2 S(0-255)." msgstr "" "Makinede yardımcı parça soğutma fanı varsa bu seçeneği etkinleştirin. G-code " "komut: M106 P2 S(0-255)." @@ -11675,8 +11804,8 @@ msgid "" msgstr "" "Soğutma fanını başlatmak için hedef hıza düşmeden önce bu süre boyunca " "maksimum fan hızı komutunu verin.\n" -"Bu, düşük PWM/gücün fanın durma noktasından dönmeye başlaması veya fanın daha " -"hızlı hızlanması için yetersiz olabileceği fanlar için kullanışlıdır.\n" +"Bu, düşük PWM/gücün fanın durma noktasından dönmeye başlaması veya fanın " +"daha hızlı hızlanması için yetersiz olabileceği fanlar için kullanışlıdır.\n" "Devre dışı bırakmak için 0'a ayarlayın." msgid "Time cost" @@ -11722,7 +11851,8 @@ msgid "Pellet Modded Printer" msgstr "Pelet Modlu Yazıcı" msgid "Enable this option if your printer uses pellets instead of filaments" -msgstr "Yazıcınız filament yerine pellet kullanıyorsa bu seçeneği etkinleştirin" +msgstr "" +"Yazıcınız filament yerine pellet kullanıyorsa bu seçeneği etkinleştirin" msgid "Support multi bed types" msgstr "Çoklu tabla" @@ -11736,20 +11866,21 @@ msgstr "Nesneleri etiketle" msgid "" "Enable this to add comments into the G-Code labeling print moves with what " -"object they belong to, which is useful for the Octoprint CancelObject plugin. " -"This settings is NOT compatible with Single Extruder Multi Material setup and " -"Wipe into Object / Wipe into Infill." +"object they belong to, which is useful for the Octoprint CancelObject " +"plugin. This settings is NOT compatible with Single Extruder Multi Material " +"setup and Wipe into Object / Wipe into Infill." msgstr "" "G-Code etiketleme yazdırma hareketlerine ait oldukları nesneyle ilgili " "yorumlar eklemek için bunu etkinleştirin; bu, Octoprint CancelObject " -"eklentisi için kullanışlıdır. Bu ayarlar Tek Ekstruder Çoklu Malzeme kurulumu " -"ve Nesneye Temizleme / Dolguya Temizleme ile uyumlu DEĞİLDİR." +"eklentisi için kullanışlıdır. Bu ayarlar Tek Ekstruder Çoklu Malzeme " +"kurulumu ve Nesneye Temizleme / Dolguya Temizleme ile uyumlu DEĞİLDİR." msgid "Exclude objects" msgstr "Nesneleri hariç tut" msgid "Enable this option to add EXCLUDE OBJECT command in g-code" -msgstr "G koduna EXCLUDE OBJECT komutunu eklemek için bu seçeneği etkinleştirin" +msgstr "" +"G koduna EXCLUDE OBJECT komutunu eklemek için bu seçeneği etkinleştirin" msgid "Verbose G-code" msgstr "Ayrıntılı G kodu" @@ -11789,10 +11920,10 @@ msgstr "Dolgu/Duvar örtüşmesi" #, no-c-format, no-boost-format msgid "" -"Infill area is enlarged slightly to overlap with wall for better bonding. The " -"percentage value is relative to line width of sparse infill. Set this value " -"to ~10-15% to minimize potential over extrusion and accumulation of material " -"resulting in rough top surfaces." +"Infill area is enlarged slightly to overlap with wall for better bonding. " +"The percentage value is relative to line width of sparse infill. Set this " +"value to ~10-15% to minimize potential over extrusion and accumulation of " +"material resulting in rough top surfaces." msgstr "" "Daha iyi yapışma için dolgu alanı duvarla örtüşecek şekilde hafifçe " "genişletilir. Yüzde değeri seyrek dolgunun çizgi genişliğine göredir. Aşırı " @@ -11805,8 +11936,8 @@ msgstr "Üst/Alt katı dolgu/Duvar örtüşmesi" #, no-c-format, no-boost-format msgid "" "Top solid infill area is enlarged slightly to overlap with wall for better " -"bonding and to minimize the appearance of pinholes where the top infill meets " -"the walls. A value of 25-30% is a good starting point, minimising the " +"bonding and to minimize the appearance of pinholes where the top infill " +"meets the walls. A value of 25-30% is a good starting point, minimising the " "appearance of pinholes. The percentage value is relative to line width of " "sparse infill" msgstr "" @@ -11824,12 +11955,12 @@ msgstr "Arayüz kabukları" msgid "" "Force the generation of solid shells between adjacent materials/volumes. " -"Useful for multi-extruder prints with translucent materials or manual soluble " -"support material" +"Useful for multi-extruder prints with translucent materials or manual " +"soluble support material" msgstr "" "Bitişik malzemeler/hacimler arasında katı kabuk oluşumunu zorlayın. Yarı " -"saydam malzemelerle veya elle çözülebilen destek malzemesiyle çoklu ekstruder " -"baskıları için kullanışlıdır" +"saydam malzemelerle veya elle çözülebilen destek malzemesiyle çoklu " +"ekstruder baskıları için kullanışlıdır" msgid "Maximum width of a segmented region" msgstr "Bölümlere ayrılmış bir bölgenin maksimum genişliği" @@ -11851,7 +11982,8 @@ msgstr "" "Bölümlere ayrılmış bir bölgenin birbirine kenetlenen derinliği. " "“mmu_segmented_region_max_width” sıfırsa veya " "“mmu_segmented_region_interlocking_length”, “mmu_segmented_region_max_width” " -"değerinden büyükse göz ardı edilecektir. Sıfır bu özelliği devre dışı bırakır." +"değerinden büyükse göz ardı edilecektir. Sıfır bu özelliği devre dışı " +"bırakır." msgid "Use beam interlocking" msgstr "Işın kilitlemeyi kullanın" @@ -11895,7 +12027,8 @@ msgid "" "structure, measured in cells. Too few cells will result in poor adhesion." msgstr "" "Hücrelerde ölçülen, birbirine kenetlenen yapıyı oluşturmak için filamentler " -"arasındaki sınırdan mesafe. Çok az hücre yapışmanın zayıf olmasına neden olur." +"arasındaki sınırdan mesafe. Çok az hücre yapışmanın zayıf olmasına neden " +"olur." msgid "Interlocking boundary avoidance" msgstr "Birbirine kenetlenen sınırdan kaçınma" @@ -11996,8 +12129,8 @@ msgstr "" "G kodu tadı Klipper olarak ayarlandığında bu seçenek göz ardı edilecektir." msgid "" -"This G-code will be used as a code for the pause print. User can insert pause " -"G-code in gcode viewer" +"This G-code will be used as a code for the pause print. User can insert " +"pause G-code in gcode viewer" msgstr "" "Bu G kodu duraklatma yazdırması için bir kod olarak kullanılacaktır. " "Kullanıcı gcode görüntüleyiciye duraklatma G kodunu ekleyebilir" @@ -12128,8 +12261,8 @@ msgid "Maximum acceleration for travel (M204 T), it only applies to Marlin 2" msgstr "Seyahat için maksimum ivme (M204 T), yalnızca Marlin 2 için geçerlidir" msgid "" -"Part cooling fan speed may be increased when auto cooling is enabled. This is " -"the maximum speed limitation of part cooling fan" +"Part cooling fan speed may be increased when auto cooling is enabled. This " +"is the maximum speed limitation of part cooling fan" msgstr "" "Otomatik soğutma etkinleştirildiğinde parça soğutma fanı hızı artırılabilir. " "Bu, parça soğutma fanının maksimum hız sınırlamasıdır" @@ -12149,8 +12282,8 @@ msgid "Extrusion rate smoothing" msgstr "Ekstrüzyon hızını yumuşatma" msgid "" -"This parameter smooths out sudden extrusion rate changes that happen when the " -"printer transitions from printing a high flow (high speed/larger width) " +"This parameter smooths out sudden extrusion rate changes that happen when " +"the printer transitions from printing a high flow (high speed/larger width) " "extrusion to a lower flow (lower speed/smaller width) extrusion and vice " "versa.\n" "\n" @@ -12161,11 +12294,12 @@ msgid "" "A value of 0 disables the feature. \n" "\n" "For a high speed, high flow direct drive printer (like the Bambu lab or " -"Voron) this value is usually not needed. However it can provide some marginal " -"benefit in certain cases where feature speeds vary greatly. For example, when " -"there are aggressive slowdowns due to overhangs. In these cases a high value " -"of around 300-350mm3/s2 is recommended as this allows for just enough " -"smoothing to assist pressure advance achieve a smoother flow transition.\n" +"Voron) this value is usually not needed. However it can provide some " +"marginal benefit in certain cases where feature speeds vary greatly. For " +"example, when there are aggressive slowdowns due to overhangs. In these " +"cases a high value of around 300-350mm3/s2 is recommended as this allows for " +"just enough smoothing to assist pressure advance achieve a smoother flow " +"transition.\n" "\n" "For slower printers without pressure advance, the value should be set much " "lower. A value of 10-15mm3/s2 is a good starting point for direct drive " @@ -12187,13 +12321,13 @@ msgstr "" "\n" "0 değeri özelliği devre dışı bırakır. \n" "\n" -"Yüksek hızlı, yüksek akışlı doğrudan tahrikli bir yazıcı için (Bambu lab veya " -"Voron gibi) bu değer genellikle gerekli değildir. Ancak özellik hızlarının " -"büyük ölçüde değiştiği bazı durumlarda marjinal bir fayda sağlayabilir. " -"Örneğin, çıkıntılar nedeniyle agresif yavaşlamalar olduğunda. Bu durumlarda " -"300-350mm3/s2 civarında yüksek bir değer önerilir çünkü bu, basınç " -"ilerlemesinin daha yumuşak bir akış geçişi elde etmesine yardımcı olmak için " -"yeterli yumuşatmaya izin verir.\n" +"Yüksek hızlı, yüksek akışlı doğrudan tahrikli bir yazıcı için (Bambu lab " +"veya Voron gibi) bu değer genellikle gerekli değildir. Ancak özellik " +"hızlarının büyük ölçüde değiştiği bazı durumlarda marjinal bir fayda " +"sağlayabilir. Örneğin, çıkıntılar nedeniyle agresif yavaşlamalar olduğunda. " +"Bu durumlarda 300-350mm3/s2 civarında yüksek bir değer önerilir çünkü bu, " +"basınç ilerlemesinin daha yumuşak bir akış geçişi elde etmesine yardımcı " +"olmak için yeterli yumuşatmaya izin verir.\n" "\n" "Basınç avansı olmayan daha yavaş yazıcılar için değer çok daha düşük " "ayarlanmalıdır. Doğrudan tahrikli ekstruderler için 10-15mm3/s2 ve Bowden " @@ -12287,8 +12421,8 @@ msgid "" "Orca Slicer can upload G-code files to a printer host. This field must " "contain the kind of the host." msgstr "" -"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. Bu " -"alan ana bilgisayarın türünü içermelidir." +"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. " +"Bu alan ana bilgisayarın türünü içermelidir." msgid "Nozzle volume" msgstr "Nozul hacmi" @@ -12329,8 +12463,8 @@ msgid "" "Distance of the extruder tip from the position where the filament is parked " "when unloaded. This should match the value in printer firmware." msgstr "" -"Ekstruder ucunun, boşaltıldığında filamentin park edildiği konumdan uzaklığı. " -"Bu ayar yazıcı ürün yazılımındaki değerle eşleşmelidir." +"Ekstruder ucunun, boşaltıldığında filamentin park edildiği konumdan " +"uzaklığı. Bu ayar yazıcı ürün yazılımındaki değerle eşleşmelidir." msgid "Extra loading distance" msgstr "Ekstra yükleme mesafesi" @@ -12357,8 +12491,8 @@ msgstr "Dolguda geri çekmeyi azalt" msgid "" "Don't retract when the travel is in infill area absolutely. That means the " -"oozing can't been seen. This can reduce times of retraction for complex model " -"and save printing time, but make slicing and G-code generating slower" +"oozing can't been seen. This can reduce times of retraction for complex " +"model and save printing time, but make slicing and G-code generating slower" msgstr "" "Hareket kesinlikle dolgu alanına girdiğinde geri çekilmeyin. Bu, sızıntının " "görülemeyeceği anlamına gelir. Bu, karmaşık model için geri çekme sürelerini " @@ -12402,11 +12536,11 @@ msgid "Make overhangs printable - Hole area" msgstr "Yazdırılabilir çıkıntı delik alanı oluşturun" msgid "" -"Maximum area of a hole in the base of the model before it's filled by conical " -"material.A value of 0 will fill all the holes in the model base." +"Maximum area of a hole in the base of the model before it's filled by " +"conical material.A value of 0 will fill all the holes in the model base." msgstr "" -"Modelin tabanındaki bir deliğin, konik malzemeyle doldurulmadan önce maksimum " -"alanı. 0 değeri, model tabanındaki tüm delikleri dolduracaktır." +"Modelin tabanındaki bir deliğin, konik malzemeyle doldurulmadan önce " +"maksimum alanı. 0 değeri, model tabanındaki tüm delikleri dolduracaktır." msgid "mm²" msgstr "mm²" @@ -12416,11 +12550,11 @@ msgstr "Çıkıntılı duvarı algıla" #, c-format, boost-format msgid "" -"Detect the overhang percentage relative to line width and use different speed " -"to print. For 100%% overhang, bridge speed is used." +"Detect the overhang percentage relative to line width and use different " +"speed to print. For 100%% overhang, bridge speed is used." msgstr "" -"Çizgi genişliğine göre çıkıntı yüzdesini tespit edin ve yazdırmak için farklı " -"hızlar kullanın. %%100 çıkıntı için köprü hızı kullanılır." +"Çizgi genişliğine göre çıkıntı yüzdesini tespit edin ve yazdırmak için " +"farklı hızlar kullanın. %%100 çıkıntı için köprü hızı kullanılır." msgid "Filament to print walls" msgstr "Duvarları yazdırmak için filament" @@ -12445,8 +12579,8 @@ msgid "" "This setting adds an extra wall to every other layer. This way the infill " "gets wedged vertically between the walls, resulting in stronger prints. \n" "\n" -"When this option is enabled, the ensure vertical shell thickness option needs " -"to be disabled. \n" +"When this option is enabled, the ensure vertical shell thickness option " +"needs to be disabled. \n" "\n" "Using lightning infill together with this option is not recommended as there " "is limited infill to anchor the extra perimeters to." @@ -12467,10 +12601,11 @@ msgid "" "argument, and they can access the Orca Slicer config settings by reading " "environment variables." msgstr "" -"Çıktı G-kodunu özel komut dosyaları aracılığıyla işlemek istiyorsanız, mutlak " -"yollarını burada listeleyin. Birden fazla betiği noktalı virgülle ayırın. " -"Betiklere ilk argüman olarak G-code dosyasının mutlak yolu aktarılır ve ortam " -"değişkenlerini okuyarak Orca Slicer yapılandırma ayarlarına erişebilirler." +"Çıktı G-kodunu özel komut dosyaları aracılığıyla işlemek istiyorsanız, " +"mutlak yollarını burada listeleyin. Birden fazla betiği noktalı virgülle " +"ayırın. Betiklere ilk argüman olarak G-code dosyasının mutlak yolu aktarılır " +"ve ortam değişkenlerini okuyarak Orca Slicer yapılandırma ayarlarına " +"erişebilirler." msgid "Printer type" msgstr "Yazıcı türü" @@ -12491,7 +12626,8 @@ msgid "Raft contact Z distance" msgstr "Raft kontak Z mesafesi" msgid "Z gap between object and raft. Ignored for soluble interface" -msgstr "Nesne ve raft arasındaki Z boşluğu. Çözünür arayüz için göz ardı edildi" +msgstr "" +"Nesne ve raft arasındaki Z boşluğu. Çözünür arayüz için göz ardı edildi" msgid "Raft expansion" msgstr "Raft genişletme" @@ -12520,8 +12656,8 @@ msgid "" "Object will be raised by this number of support layers. Use this function to " "avoid wrapping when print ABS" msgstr "" -"Nesne bu sayıdaki destek katmanı tarafından yükseltilecektir. ABS yazdırırken " -"sarmayı önlemek için bu işlevi kullanın" +"Nesne bu sayıdaki destek katmanı tarafından yükseltilecektir. ABS " +"yazdırırken sarmayı önlemek için bu işlevi kullanın" msgid "" "G-code path is genereated after simplifing the contour of model to avoid too " @@ -12536,7 +12672,8 @@ msgid "Travel distance threshold" msgstr "Seyahat mesafesi" msgid "" -"Only trigger retraction when the travel distance is longer than this threshold" +"Only trigger retraction when the travel distance is longer than this " +"threshold" msgstr "" "Geri çekmeyi yalnızca hareket mesafesi bu eşikten daha uzun olduğunda " "tetikleyin" @@ -12544,7 +12681,8 @@ msgstr "" msgid "Retract amount before wipe" msgstr "Temizleme işlemi öncesi geri çekme miktarı" -msgid "The length of fast retraction before wipe, relative to retraction length" +msgid "" +"The length of fast retraction before wipe, relative to retraction length" msgstr "" "Geri çekme uzunluğuna göre, temizlemeden önce hızlı geri çekilmenin uzunluğu" @@ -12635,8 +12773,8 @@ msgid "Traveling angle" msgstr "Seyahat açısı" msgid "" -"Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results in " -"Normal Lift" +"Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results " +"in Normal Lift" msgstr "" "Eğim ve Spiral Z atlama tipi için ilerleme açısı. 90°’ye ayarlamak normal " "kaldırmayla sonuçlanır" @@ -12771,13 +12909,13 @@ msgid "Seam gap" msgstr "Dikiş boşluğu" msgid "" -"In order to reduce the visibility of the seam in a closed loop extrusion, the " -"loop is interrupted and shortened by a specified amount.\n" -"This amount can be specified in millimeters or as a percentage of the current " -"extruder diameter. The default value for this parameter is 10%." +"In order to reduce the visibility of the seam in a closed loop extrusion, " +"the loop is interrupted and shortened by a specified amount.\n" +"This amount can be specified in millimeters or as a percentage of the " +"current extruder diameter. The default value for this parameter is 10%." msgstr "" -"Kapalı döngü ekstrüzyonda dikişin görünürlüğünü azaltmak için döngü kesintiye " -"uğrar ve belirli bir miktarda kısaltılır.\n" +"Kapalı döngü ekstrüzyonda dikişin görünürlüğünü azaltmak için döngü " +"kesintiye uğrar ve belirli bir miktarda kısaltılır.\n" "Bu miktar milimetre cinsinden veya mevcut ekstruder çapının yüzdesi olarak " "belirtilebilir. Bu parametrenin varsayılan değeri %10'dur." @@ -12786,8 +12924,8 @@ msgstr "Atkı birleşim dikişi (beta)" msgid "Use scarf joint to minimize seam visibility and increase seam strength." msgstr "" -"Dikiş görünürlüğünü en aza indirmek ve dikiş mukavemetini arttırmak için atkı " -"birleşimini kullanın." +"Dikiş görünürlüğünü en aza indirmek ve dikiş mukavemetini arttırmak için " +"atkı birleşimini kullanın." msgid "Conditional scarf joint" msgstr "Koşullu atkı birleşimi" @@ -12805,9 +12943,9 @@ msgstr "Koşullu açı eşiği" msgid "" "This option sets the threshold angle for applying a conditional scarf joint " "seam.\n" -"If the maximum angle within the perimeter loop exceeds this value (indicating " -"the absence of sharp corners), a scarf joint seam will be used. The default " -"value is 155°." +"If the maximum angle within the perimeter loop exceeds this value " +"(indicating the absence of sharp corners), a scarf joint seam will be used. " +"The default value is 155°." msgstr "" "Bu seçenek, koşullu bir atkı eklem dikişi uygulamak için eşik açısını " "ayarlar.\n" @@ -12822,8 +12960,8 @@ msgstr "Koşullu çıkıntı eşiği" msgid "" "This option determines the overhang threshold for the application of scarf " "joint seams. If the unsupported portion of the perimeter is less than this " -"threshold, scarf joint seams will be applied. The default threshold is set at " -"40% of the external wall's width. Due to performance considerations, the " +"threshold, scarf joint seams will be applied. The default threshold is set " +"at 40% of the external wall's width. Due to performance considerations, the " "degree of overhang is estimated." msgstr "" "Bu seçenek, atkı bağlantı dikişlerinin uygulanması için sarkma eşiğini " @@ -12837,22 +12975,22 @@ msgstr "Atkı birleşim hızı" msgid "" "This option sets the printing speed for scarf joints. It is recommended to " -"print scarf joints at a slow speed (less than 100 mm/s). It's also advisable " -"to enable 'Extrusion rate smoothing' if the set speed varies significantly " -"from the speed of the outer or inner walls. If the speed specified here is " -"higher than the speed of the outer or inner walls, the printer will default " -"to the slower of the two speeds. When specified as a percentage (e.g., 80%), " -"the speed is calculated based on the respective outer or inner wall speed. " -"The default value is set to 100%." +"print scarf joints at a slow speed (less than 100 mm/s). It's also " +"advisable to enable 'Extrusion rate smoothing' if the set speed varies " +"significantly from the speed of the outer or inner walls. If the speed " +"specified here is higher than the speed of the outer or inner walls, the " +"printer will default to the slower of the two speeds. When specified as a " +"percentage (e.g., 80%), the speed is calculated based on the respective " +"outer or inner wall speed. The default value is set to 100%." msgstr "" "Bu seçenek, atkı bağlantılarının yazdırma hızını ayarlar. Atkı " "bağlantılarının yavaş bir hızda (100 mm/s'den az) yazdırılması tavsiye " "edilir. Ayarlanan hızın dış veya iç duvarların hızından önemli ölçüde farklı " -"olması durumunda 'Ekstrüzyon hızı yumuşatma' seçeneğinin etkinleştirilmesi de " -"tavsiye edilir. Burada belirtilen hız, dış veya iç duvarların hızından daha " -"yüksekse, yazıcı varsayılan olarak iki hızdan daha yavaş olanı seçecektir. " -"Yüzde olarak belirtildiğinde (örn. %80), hız, ilgili dış veya iç duvar hızına " -"göre hesaplanır. Varsayılan değer %100 olarak ayarlanmıştır." +"olması durumunda 'Ekstrüzyon hızı yumuşatma' seçeneğinin etkinleştirilmesi " +"de tavsiye edilir. Burada belirtilen hız, dış veya iç duvarların hızından " +"daha yüksekse, yazıcı varsayılan olarak iki hızdan daha yavaş olanı " +"seçecektir. Yüzde olarak belirtildiğinde (örn. %80), hız, ilgili dış veya iç " +"duvar hızına göre hesaplanır. Varsayılan değer %100 olarak ayarlanmıştır." msgid "Scarf joint flow ratio" msgstr "Atkı birleşimi akış oranı" @@ -12866,8 +13004,8 @@ msgstr "Atkı başlangıç ​​yüksekliği" msgid "" "Start height of the scarf.\n" -"This amount can be specified in millimeters or as a percentage of the current " -"layer height. The default value for this parameter is 0." +"This amount can be specified in millimeters or as a percentage of the " +"current layer height. The default value for this parameter is 0." msgstr "" "Atkı başlangıç yüksekliği.\n" "Bu miktar milimetre cinsinden veya geçerli katman yüksekliğinin yüzdesi " @@ -12886,8 +13024,8 @@ msgid "" "Length of the scarf. Setting this parameter to zero effectively disables the " "scarf." msgstr "" -"Atkının uzunluğu. Bu parametrenin 0 a ayarlanması atkıyı dolaylı yoldan devre " -"dışı bırakır." +"Atkının uzunluğu. Bu parametrenin 0 a ayarlanması atkıyı dolaylı yoldan " +"devre dışı bırakır." msgid "Scarf steps" msgstr "Atkı kademesi" @@ -12928,15 +13066,15 @@ msgid "Wipe before external loop" msgstr "Harici döngüden önce silin" msgid "" -"To minimise visibility of potential overextrusion at the start of an external " -"perimeter when printing with Outer/Inner or Inner/Outer/Inner wall print " -"order, the deretraction is performed slightly on the inside from the start of " -"the external perimeter. That way any potential over extrusion is hidden from " -"the outside surface. \n" +"To minimise visibility of potential overextrusion at the start of an " +"external perimeter when printing with Outer/Inner or Inner/Outer/Inner wall " +"print order, the deretraction is performed slightly on the inside from the " +"start of the external perimeter. That way any potential over extrusion is " +"hidden from the outside surface. \n" "\n" -"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall print " -"order as in these modes it is more likely an external perimeter is printed " -"immediately after a deretraction move." +"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall " +"print order as in these modes it is more likely an external perimeter is " +"printed immediately after a deretraction move." msgstr "" "Dış/İç veya İç/Dış/İç duvar baskı sırası ile yazdırırken, dış çevrenin " "başlangıcında olası aşırı çıkıntının görünürlüğünü en aza indirmek için, " @@ -12945,8 +13083,8 @@ msgstr "" "yüzeyden gizlenir. \n" "\n" "Bu, Dış/İç veya İç/Dış/İç duvar yazdırma sırası ile yazdırırken " -"kullanışlıdır, çünkü bu modlarda, bir geri çekilme hareketinin hemen ardından " -"bir dış çevrenin yazdırılması daha olasıdır." +"kullanışlıdır, çünkü bu modlarda, bir geri çekilme hareketinin hemen " +"ardından bir dış çevrenin yazdırılması daha olasıdır." msgid "Wipe speed" msgstr "Temizleme hızı" @@ -13012,7 +13150,8 @@ msgid "Skirt loops" msgstr "Etek sayısı" msgid "Number of loops for the skirt. Zero means disabling skirt" -msgstr "Etek için ilmek sayısı. Sıfır, eteği devre dışı bırakmak anlamına gelir" +msgstr "" +"Etek için ilmek sayısı. Sıfır, eteği devre dışı bırakmak anlamına gelir" msgid "Skirt speed" msgstr "Etek hızı" @@ -13063,8 +13202,8 @@ msgid "Filament to print solid infill" msgstr "Katı dolguyu yazdırmak için filament" msgid "" -"Line width of internal solid infill. If expressed as a %, it will be computed " -"over the nozzle diameter." +"Line width of internal solid infill. If expressed as a %, it will be " +"computed over the nozzle diameter." msgstr "" "İç katı dolgunun çizgi genişliği. % olarak ifade edilirse Nozul çapı " "üzerinden hesaplanacaktır." @@ -13078,8 +13217,8 @@ msgid "" "generated model has no seam" msgstr "" "Spiralleştirme, dış konturun z hareketlerini yumuşatır. Ve katı bir modeli, " -"katı alt katmanlara sahip tek duvarlı bir baskıya dönüştürür. Oluşturulan son " -"modelde dikiş yok." +"katı alt katmanlara sahip tek duvarlı bir baskıya dönüştürür. Oluşturulan " +"son modelde dikiş yok." msgid "Smooth Spiral" msgstr "Pürüzsüz spiral" @@ -13104,11 +13243,12 @@ msgstr "" msgid "" "If smooth or traditional mode is selected, a timelapse video will be " "generated for each print. After each layer is printed, a snapshot is taken " -"with the chamber camera. All of these snapshots are composed into a timelapse " -"video when printing completes. If smooth mode is selected, the toolhead will " -"move to the excess chute after each layer is printed and then take a " -"snapshot. Since the melt filament may leak from the nozzle during the process " -"of taking a snapshot, prime tower is required for smooth mode to wipe nozzle." +"with the chamber camera. All of these snapshots are composed into a " +"timelapse video when printing completes. If smooth mode is selected, the " +"toolhead will move to the excess chute after each layer is printed and then " +"take a snapshot. Since the melt filament may leak from the nozzle during the " +"process of taking a snapshot, prime tower is required for smooth mode to " +"wipe nozzle." msgstr "" "Düzgün veya geleneksel mod seçilirse her baskı için bir hızlandırılmış video " "oluşturulacaktır. Her katman basıldıktan sonra oda kamerasıyla anlık görüntü " @@ -13203,9 +13343,10 @@ msgid "No sparse layers (beta)" msgstr "Seyrek katman yok (beta)" msgid "" -"If enabled, the wipe tower will not be printed on layers with no toolchanges. " -"On layers with a toolchange, extruder will travel downward to print the wipe " -"tower. User is responsible for ensuring there is no collision with the print." +"If enabled, the wipe tower will not be printed on layers with no " +"toolchanges. On layers with a toolchange, extruder will travel downward to " +"print the wipe tower. User is responsible for ensuring there is no collision " +"with the print." msgstr "" "Etkinleştirilirse, silme kulesi araç değişimi olmayan katmanlarda " "yazdırılmayacaktır. Araç değişimi olan katmanlarda, ekstruder silme kulesini " @@ -13230,16 +13371,16 @@ msgid "" "triangle mesh slicing. The gap closing operation may reduce the final print " "resolution, therefore it is advisable to keep the value reasonably low." msgstr "" -"Üçgen mesh dilimleme sırasında 2x boşluk kapatma yarıçapından küçük çatlaklar " -"doldurulmaktadır. Boşluk kapatma işlemi son yazdırma çözünürlüğünü " +"Üçgen mesh dilimleme sırasında 2x boşluk kapatma yarıçapından küçük " +"çatlaklar doldurulmaktadır. Boşluk kapatma işlemi son yazdırma çözünürlüğünü " "düşürebilir, bu nedenle değerin oldukça düşük tutulması tavsiye edilir." msgid "Slicing Mode" msgstr "Dilimleme modu" msgid "" -"Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to close " -"all holes in the model." +"Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to " +"close all holes in the model." msgstr "" "3DLabPrint uçak modelleri için \"Çift-tek\" seçeneğini kullanın. Modeldeki " "tüm delikleri kapatmak için \"Delikleri kapat\"ı kullanın." @@ -13263,9 +13404,10 @@ msgid "" "print bed, set this to -0.3 (or fix your endstop)." msgstr "" "Bu değer, çıkış G-kodu içindeki tüm Z koordinatlarına eklenir (veya " -"çıkarılır).Bu, kötü Z endstop konumunu telafi etmek için kullanılır: örneğin, " -"endstop sıfır noktanız aslında nozulu baskı tablasından 0.3mm uzakta " -"bırakıyorsa, bu değeri -0.3 olarak ayarlayın (veya endstop'unuzu düzeltin)." +"çıkarılır).Bu, kötü Z endstop konumunu telafi etmek için kullanılır: " +"örneğin, endstop sıfır noktanız aslında nozulu baskı tablasından 0.3mm " +"uzakta bırakıyorsa, bu değeri -0.3 olarak ayarlayın (veya endstop'unuzu " +"düzeltin)." msgid "Enable support" msgstr "Desteği etkinleştir" @@ -13319,7 +13461,8 @@ msgid "" "Only create support for critical regions including sharp tail, cantilever, " "etc." msgstr "" -"Yalnızca keskin kuyruk, konsol vb. gibi kritik bölgeler için destek oluşturun." +"Yalnızca keskin kuyruk, konsol vb. gibi kritik bölgeler için destek " +"oluşturun." msgid "Remove small overhangs" msgstr "Küçük çıkıntıları kaldır" @@ -13356,7 +13499,8 @@ msgstr "Taban için arayüz filamentini azaltın" msgid "" "Avoid using support interface filament to print support base if possible." msgstr "" -"Destek tabanını yazdırmak için destek arayüzü filamentini kullanmaktan kaçının" +"Destek tabanını yazdırmak için destek arayüzü filamentini kullanmaktan " +"kaçının" msgid "" "Line width of support. If expressed as a %, it will be computed over the " @@ -13431,8 +13575,8 @@ msgstr "Arayüz deseni" msgid "" "Line pattern of support interface. Default pattern for non-soluble support " -"interface is Rectilinear, while default pattern for soluble support interface " -"is Concentric" +"interface is Rectilinear, while default pattern for soluble support " +"interface is Concentric" msgstr "" "Destek arayüzünün çizgi deseni. Çözünmeyen destek arayüzü için varsayılan " "model Doğrusaldır, çözünebilir destek arayüzü için varsayılan model ise " @@ -13461,11 +13605,12 @@ msgid "" "into a regular grid will create more stable supports (default), while snug " "support towers will save material and reduce object scarring.\n" "For tree support, slim and organic style will merge branches more " -"aggressively and save a lot of material (default organic), while hybrid style " -"will create similar structure to normal support under large flat overhangs." +"aggressively and save a lot of material (default organic), while hybrid " +"style will create similar structure to normal support under large flat " +"overhangs." msgstr "" -"Destek stil ve şekli. Normal destek için, destekleri düzenli bir ızgara içine " -"projelendirmek daha stabil destekler oluşturacaktır (varsayılan), aynı " +"Destek stil ve şekli. Normal destek için, destekleri düzenli bir ızgara " +"içine projelendirmek daha stabil destekler oluşturacaktır (varsayılan), aynı " "zamanda sıkı destek kuleleri malzeme tasarrufu sağlar ve nesne üzerindeki " "izleri azaltır.\n" "Ağaç destek için, ince ve organik tarz, dalları daha etkili bir şekilde " @@ -13514,8 +13659,8 @@ msgid "Tree support branch angle" msgstr "Ağaç desteği dal açısı" msgid "" -"This setting determines the maximum overhang angle that t he branches of tree " -"support allowed to make.If the angle is increased, the branches can be " +"This setting determines the maximum overhang angle that t he branches of " +"tree support allowed to make.If the angle is increased, the branches can be " "printed more horizontally, allowing them to reach farther." msgstr "" "Bu ayar, ağaç desteğinin dallarının oluşmasına izin verilen maksimum çıkıntı " @@ -13547,10 +13692,11 @@ msgstr "Dal Yoğunluğu" #. TRN PrintSettings: "Organic supports" > "Branch Density" msgid "" -"Adjusts the density of the support structure used to generate the tips of the " -"branches. A higher value results in better overhangs but the supports are " -"harder to remove, thus it is recommended to enable top support interfaces " -"instead of a high branch density value if dense interfaces are needed." +"Adjusts the density of the support structure used to generate the tips of " +"the branches. A higher value results in better overhangs but the supports " +"are harder to remove, thus it is recommended to enable top support " +"interfaces instead of a high branch density value if dense interfaces are " +"needed." msgstr "" "Dalların uçlarını oluşturmak için kullanılan destek yapısının yoğunluğunu " "ayarlar. Daha yüksek bir değer daha iyi çıkıntılarla sonuçlanır, ancak " @@ -13562,8 +13708,8 @@ msgid "Adaptive layer height" msgstr "Uyarlanabilir katman yüksekliği" msgid "" -"Enabling this option means the height of tree support layer except the first " -"will be automatically calculated " +"Enabling this option means the height of tree support layer except the " +"first will be automatically calculated " msgstr "" "Bu seçeneğin etkinleştirilmesi, ilki hariç ağaç destek katmanının " "yüksekliğinin otomatik olarak hesaplanacağı anlamına gelir " @@ -13618,8 +13764,8 @@ msgstr "Çift duvarlı dal çapı" #. TRN PrintSettings: "Organic supports" > "Branch Diameter" msgid "" "Branches with area larger than the area of a circle of this diameter will be " -"printed with double walls for stability. Set this value to zero for no double " -"walls." +"printed with double walls for stability. Set this value to zero for no " +"double walls." msgstr "" "Bu çaptaki bir dairenin alanından daha büyük alana sahip dallar, stabilite " "için çift duvarlı olarak basılacaktır. Çift duvar olmaması için bu değeri " @@ -13645,33 +13791,40 @@ msgid "Activate temperature control" msgstr "Sıcaklık kontrolünü etkinleştirin" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Hazne sıcaklığı kontrolü için bu seçeneği etkinleştirin. Önce bir M191 komutu " -"eklenecek \"machine_start_gcode\"\n" -"G-code komut: M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "Bölme sıcaklığı" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Daha yüksek hazne sıcaklığı, eğrilmeyi bastırmaya veya azaltmaya yardımcı " -"olabilir ve ABS, ASA, PC, PA ve benzeri gibi yüksek sıcaklıktaki malzemeler " -"için potansiyel olarak daha yüksek ara katman yapışmasına yol açabilir Aynı " -"zamanda, ABS ve ASA'nın hava filtrasyonu daha da kötüleşecektir. PLA, PETG, " -"TPU, PVA ve diğer düşük sıcaklıktaki malzemeler için, tıkanmaları önlemek " -"için gerçek hazne sıcaklığı yüksek olmamalıdır, bu nedenle kapatma anlamına " -"gelen 0 şiddetle tavsiye edilir" msgid "Nozzle temperature for layers after the initial one" msgstr "İlk katmandan sonraki katmanlar için nozul sıcaklığı" @@ -13728,11 +13881,11 @@ msgid "" "The number of top solid layers is increased when slicing if the thickness " "calculated by top shell layers is thinner than this value. This can avoid " "having too thin shell when layer height is small. 0 means that this setting " -"is disabled and thickness of top shell is absolutely determained by top shell " -"layers" +"is disabled and thickness of top shell is absolutely determained by top " +"shell layers" msgstr "" -"Üst kabuk katmanları tarafından hesaplanan kalınlık bu değerden daha ince ise " -"dilimleme sırasında üst katı katmanların sayısı artırılır. Bu, katman " +"Üst kabuk katmanları tarafından hesaplanan kalınlık bu değerden daha ince " +"ise dilimleme sırasında üst katı katmanların sayısı artırılır. Bu, katman " "yüksekliği küçük olduğunda kabuğun çok ince olmasını önleyebilir. 0, bu " "ayarın devre dışı olduğu ve üst kabuğun kalınlığının kesinlikle üst kabuk " "katmanları tarafından belirlendiği anlamına gelir" @@ -13755,11 +13908,12 @@ msgid "Wipe Distance" msgstr "Temizleme mesafesi" msgid "" -"Discribe how long the nozzle will move along the last path when retracting. \n" +"Discribe how long the nozzle will move along the last path when " +"retracting. \n" "\n" "Depending on how long the wipe operation lasts, how fast and long the " -"extruder/filament retraction settings are, a retraction move may be needed to " -"retract the remaining filament. \n" +"extruder/filament retraction settings are, a retraction move may be needed " +"to retract the remaining filament. \n" "\n" "Setting a value in the retract amount before wipe setting below will perform " "any excess retraction before the wipe, else it will be performed after." @@ -13767,9 +13921,9 @@ msgstr "" "Geri çekilirken nozulun son yol boyunca ne kadar süre hareket edeceğini " "açıklayın. \n" "\n" -"Silme işleminin ne kadar sürdüğüne, ekstruder/filament geri çekme ayarlarının " -"ne kadar hızlı ve uzun olduğuna bağlı olarak, kalan filamanı geri çekmek için " -"bir geri çekme hareketine ihtiyaç duyulabilir. \n" +"Silme işleminin ne kadar sürdüğüne, ekstruder/filament geri çekme " +"ayarlarının ne kadar hızlı ve uzun olduğuna bağlı olarak, kalan filamanı " +"geri çekmek için bir geri çekme hareketine ihtiyaç duyulabilir. \n" "\n" "Aşağıdaki silme ayarından önce geri çekme miktarına bir değer ayarlamak, " "silme işleminden önce aşırı geri çekme işlemini gerçekleştirecektir, aksi " @@ -13819,8 +13973,8 @@ msgid "" "Angle at the apex of the cone that is used to stabilize the wipe tower. " "Larger angle means wider base." msgstr "" -"Silme kulesini stabilize etmek için kullanılan koninin tepe noktasındaki açı. " -"Daha büyük açı daha geniş taban anlamına gelir." +"Silme kulesini stabilize etmek için kullanılan koninin tepe noktasındaki " +"açı. Daha büyük açı daha geniş taban anlamına gelir." msgid "Maximum wipe tower print speed" msgstr "Maksimum silme kulesi yazdırma hızı" @@ -13882,8 +14036,8 @@ msgid "" "volumes below." msgstr "" "Bu vektör, silme kulesinde kullanılan her bir araçtan/araca geçiş için " -"gerekli hacimleri kaydeder. Bu değerler, aşağıdaki tam temizleme hacimlerinin " -"oluşturulmasını basitleştirmek için kullanılır." +"gerekli hacimleri kaydeder. Bu değerler, aşağıdaki tam temizleme " +"hacimlerinin oluşturulmasını basitleştirmek için kullanılır." msgid "" "Purging after filament change will be done inside objects' infills. This may " @@ -13907,13 +14061,13 @@ msgstr "" msgid "" "This object will be used to purge the nozzle after a filament change to save " -"filament and decrease the print time. Colours of the objects will be mixed as " -"a result. It will not take effect, unless the prime tower is enabled." +"filament and decrease the print time. Colours of the objects will be mixed " +"as a result. It will not take effect, unless the prime tower is enabled." msgstr "" -"Bu nesne, filamentten tasarruf etmek ve baskı süresini azaltmak için filament " -"değişiminden sonra nozulu temizlemek için kullanılacaktır. Sonuç olarak " -"nesnelerin renkleri karıştırılacaktır. Prime tower etkinleştirilmediği sürece " -"etkili olmayacaktır." +"Bu nesne, filamentten tasarruf etmek ve baskı süresini azaltmak için " +"filament değişiminden sonra nozulu temizlemek için kullanılacaktır. Sonuç " +"olarak nesnelerin renkleri karıştırılacaktır. Prime tower " +"etkinleştirilmediği sürece etkili olmayacaktır." msgid "Maximal bridging distance" msgstr "Maksimum köprüleme mesafesi" @@ -13922,8 +14076,8 @@ msgid "Maximal distance between supports on sparse infill sections." msgstr "" "Bu nesne, filamentten tasarruf etmek ve baskı süresini azaltmak için bir " "filament değişiminden sonra nozulu temizlemek için kullanılacaktır. Sonuç " -"olarak nesnelerin renkleri karıştırılacaktır. Prime tower etkinleştirilmediği " -"sürece etkili olmayacaktır." +"olarak nesnelerin renkleri karıştırılacaktır. Prime tower " +"etkinleştirilmediği sürece etkili olmayacaktır." msgid "Wipe tower purge lines spacing" msgstr "Silme kulesi temizleme hatları aralığı" @@ -13936,8 +14090,8 @@ msgstr "Temizleme için ekstra akış" msgid "" "Extra flow used for the purging lines on the wipe tower. This makes the " -"purging lines thicker or narrower than they normally would be. The spacing is " -"adjusted automatically." +"purging lines thicker or narrower than they normally would be. The spacing " +"is adjusted automatically." msgstr "" "Silme kulesindeki temizleme hatları için ekstra akış kullanılır. Bu, " "temizleme hatlarının normalde olduğundan daha kalın veya daha dar olmasına " @@ -13978,8 +14132,8 @@ msgid "" "assembling issue" msgstr "" "Nesnenin konturu XY düzleminde yapılandırılan değer kadar büyütülür veya " -"küçültülür. Pozitif değer konturu büyütür. Negatif değer konturu küçültür. Bu " -"fonksiyon, nesnenin montaj sorunu olduğunda boyutu hafifçe ayarlamak için " +"küçültülür. Pozitif değer konturu büyütür. Negatif değer konturu küçültür. " +"Bu fonksiyon, nesnenin montaj sorunu olduğunda boyutu hafifçe ayarlamak için " "kullanılır" msgid "Convert holes to polyholes" @@ -14003,14 +14157,14 @@ msgstr "Çokgen delik tespiti marjı" msgid "" "Maximum defection of a point to the estimated radius of the circle.\n" "As cylinders are often exported as triangles of varying size, points may not " -"be on the circle circumference. This setting allows you some leway to broaden " -"the detection.\n" +"be on the circle circumference. This setting allows you some leway to " +"broaden the detection.\n" "In mm or in % of the radius." msgstr "" "Bir noktanın dairenin tahmini yarıçapına göre maksimum sapması.\n" "Silindirler genellikle farklı boyutlarda üçgenler olarak ihraç edildiğinden, " -"noktalar daire çevresinde olmayabilir. Bu ayar, algılamayı genişletmeniz için " -"size biraz alan sağlar.\n" +"noktalar daire çevresinde olmayabilir. Bu ayar, algılamayı genişletmeniz " +"için size biraz alan sağlar.\n" "inc mm cinsinden veya yarıçapın %'si cinsinden." msgid "Polyhole twist" @@ -14033,8 +14187,8 @@ msgid "Format of G-code thumbnails" msgstr "G kodu küçük resimlerinin formatı" msgid "" -"Format of G-code thumbnails: PNG for best quality, JPG for smallest size, QOI " -"for low memory firmware" +"Format of G-code thumbnails: PNG for best quality, JPG for smallest size, " +"QOI for low memory firmware" msgstr "" "G kodu küçük resimlerinin formatı: En iyi kalite için PNG, en küçük boyut " "için JPG, düşük bellekli donanım yazılımı için QOI" @@ -14055,11 +14209,11 @@ msgstr "" msgid "" "Classic wall generator produces walls with constant extrusion width and for " -"very thin areas is used gap-fill. Arachne engine produces walls with variable " -"extrusion width" +"very thin areas is used gap-fill. Arachne engine produces walls with " +"variable extrusion width" msgstr "" -"Klasik duvar oluşturucu sabit ekstrüzyon genişliğine sahip duvarlar üretir ve " -"çok ince alanlar için boşluk doldurma kullanılır. Arachne motoru değişken " +"Klasik duvar oluşturucu sabit ekstrüzyon genişliğine sahip duvarlar üretir " +"ve çok ince alanlar için boşluk doldurma kullanılır. Arachne motoru değişken " "ekstrüzyon genişliğine sahip duvarlar üretir" msgid "Classic" @@ -14086,19 +14240,20 @@ msgstr "Duvar geçiş filtresi oranı" msgid "" "Prevent transitioning back and forth between one extra wall and one less. " "This margin extends the range of extrusion widths which follow to [Minimum " -"wall width - margin, 2 * Minimum wall width + margin]. Increasing this margin " -"reduces the number of transitions, which reduces the number of extrusion " -"starts/stops and travel time. However, large extrusion width variation can " -"lead to under- or overextrusion problems. It's expressed as a percentage over " -"nozzle diameter" +"wall width - margin, 2 * Minimum wall width + margin]. Increasing this " +"margin reduces the number of transitions, which reduces the number of " +"extrusion starts/stops and travel time. However, large extrusion width " +"variation can lead to under- or overextrusion problems. It's expressed as a " +"percentage over nozzle diameter" msgstr "" -"Fazladan bir duvar ile bir eksik arasında ileri geri geçişi önleyin. Bu kenar " -"boşluğu, [Minimum duvar genişliği - kenar boşluğu, 2 * Minimum duvar " +"Fazladan bir duvar ile bir eksik arasında ileri geri geçişi önleyin. Bu " +"kenar boşluğu, [Minimum duvar genişliği - kenar boşluğu, 2 * Minimum duvar " "genişliği + kenar boşluğu] şeklinde takip eden ekstrüzyon genişlikleri " "aralığını genişletir. Bu marjın arttırılması geçiş sayısını azaltır, bu da " "ekstrüzyonun başlama/durma sayısını ve seyahat süresini azaltır. Bununla " -"birlikte, büyük ekstrüzyon genişliği değişimi, yetersiz veya aşırı ekstrüzyon " -"sorunlarına yol açabilir. Nozul çapına göre yüzde olarak ifade edilir" +"birlikte, büyük ekstrüzyon genişliği değişimi, yetersiz veya aşırı " +"ekstrüzyon sorunlarına yol açabilir. Nozul çapına göre yüzde olarak ifade " +"edilir" msgid "Wall transitioning threshold angle" msgstr "Duvar geçiş açısı" @@ -14110,11 +14265,11 @@ msgid "" "this setting reduces the number and length of these center walls, but may " "leave gaps or overextrude" msgstr "" -"Çift ve tek sayıdaki duvarlar arasında geçişler ne zaman oluşturulmalıdır? Bu " -"ayardan daha büyük bir açıya sahip bir kama şeklinin geçişleri olmayacak ve " -"kalan alanı dolduracak şekilde ortada hiçbir duvar basılmayacaktır. Bu ayarın " -"düşürülmesi, bu merkez duvarların sayısını ve uzunluğunu azaltır ancak " -"boşluklara veya aşırı çıkıntıya neden olabilir" +"Çift ve tek sayıdaki duvarlar arasında geçişler ne zaman oluşturulmalıdır? " +"Bu ayardan daha büyük bir açıya sahip bir kama şeklinin geçişleri olmayacak " +"ve kalan alanı dolduracak şekilde ortada hiçbir duvar basılmayacaktır. Bu " +"ayarın düşürülmesi, bu merkez duvarların sayısını ve uzunluğunu azaltır " +"ancak boşluklara veya aşırı çıkıntıya neden olabilir" msgid "Wall distribution count" msgstr "Duvar dağılım sayısı" @@ -14130,9 +14285,9 @@ msgid "Minimum feature size" msgstr "Minimum özellik boyutu" msgid "" -"Minimum thickness of thin features. Model features that are thinner than this " -"value will not be printed, while features thicker than the Minimum feature " -"size will be widened to the Minimum wall width. It's expressed as a " +"Minimum thickness of thin features. Model features that are thinner than " +"this value will not be printed, while features thicker than the Minimum " +"feature size will be widened to the Minimum wall width. It's expressed as a " "percentage over nozzle diameter" msgstr "" "İnce özellikler için minimum kalınlık. Bu değerden daha ince olan model " @@ -14149,27 +14304,28 @@ msgid "" "\n" "NOTE: Bottom and top surfaces will not be affected by this value to prevent " "visual gaps on the ouside of the model. Adjust 'One wall threshold' in the " -"Advanced settings below to adjust the sensitivity of what is considered a top-" -"surface. 'One wall threshold' is only visibile if this setting is set above " -"the default value of 0.5, or if single-wall top surfaces is enabled." +"Advanced settings below to adjust the sensitivity of what is considered a " +"top-surface. 'One wall threshold' is only visibile if this setting is set " +"above the default value of 0.5, or if single-wall top surfaces is enabled." msgstr "" "Yazdırma süresini artırabilecek kısa, kapatılmamış duvarların yazdırılmasını " "önlemek için bu değeri ayarlayın. Daha yüksek değerler daha fazla ve daha " "uzun duvarları kaldırır.\n" "\n" -"NOT: Modelin dış kısmında görsel boşluk kalmaması için alt ve üst yüzeyler bu " -"değerden etkilenmeyecektir. Üst yüzey olarak kabul edilen şeyin hassasiyetini " -"ayarlamak için aşağıdaki Gelişmiş ayarlarda 'Tek duvar eşiği'ni ayarlayın. " -"'Tek duvar eşiği' yalnızca bu ayar varsayılan değer olan 0,5'in üzerine " -"ayarlandığında veya tek duvarlı üst yüzeyler etkinleştirildiğinde görünür." +"NOT: Modelin dış kısmında görsel boşluk kalmaması için alt ve üst yüzeyler " +"bu değerden etkilenmeyecektir. Üst yüzey olarak kabul edilen şeyin " +"hassasiyetini ayarlamak için aşağıdaki Gelişmiş ayarlarda 'Tek duvar " +"eşiği'ni ayarlayın. 'Tek duvar eşiği' yalnızca bu ayar varsayılan değer olan " +"0,5'in üzerine ayarlandığında veya tek duvarlı üst yüzeyler " +"etkinleştirildiğinde görünür." msgid "First layer minimum wall width" msgstr "İlk katman minimum duvar genişliği" msgid "" -"The minimum wall width that should be used for the first layer is recommended " -"to be set to the same size as the nozzle. This adjustment is expected to " -"enhance adhesion." +"The minimum wall width that should be used for the first layer is " +"recommended to be set to the same size as the nozzle. This adjustment is " +"expected to enhance adhesion." msgstr "" "İlk katman için kullanılması gereken minimum duvar genişliğinin nozul ile " "aynı boyuta ayarlanması tavsiye edilir. Bu ayarlamanın yapışmayı artırması " @@ -14194,8 +14350,8 @@ msgstr "Dar iç katı dolguyu tespit et" msgid "" "This option will auto detect narrow internal solid infill area. If enabled, " -"concentric pattern will be used for the area to speed printing up. Otherwise, " -"rectilinear pattern is used defaultly." +"concentric pattern will be used for the area to speed printing up. " +"Otherwise, rectilinear pattern is used defaultly." msgstr "" "Bu seçenek dar dahili katı dolgu alanını otomatik olarak algılayacaktır. " "Etkinleştirilirse, yazdırmayı hızlandırmak amacıyla alanda eşmerkezli desen " @@ -14241,7 +14397,8 @@ msgstr "Yönlendirme Seçenekleri" msgid "Orient options: 0-disable, 1-enable, others-auto" msgstr "" -"Yönlendirme seçenekleri: 0-devre dışı bırak, 1-etkinleştir, diğerleri-otomatik" +"Yönlendirme seçenekleri: 0-devre dışı bırak, 1-etkinleştir, diğerleri-" +"otomatik" msgid "Rotation angle around the Z axis in degrees." msgstr "Z ekseni etrafında derece cinsinden dönüş açısı." @@ -14286,13 +14443,13 @@ msgstr "" "ettiğini bilmesi için bu değişkene yazması gerekir." msgid "" -"Retraction state at the beginning of the custom G-code block. If the custom G-" -"code moves the extruder axis, it should write to this variable so PrusaSlicer " -"deretracts correctly when it gets control back." +"Retraction state at the beginning of the custom G-code block. If the custom " +"G-code moves the extruder axis, it should write to this variable so " +"PrusaSlicer deretracts correctly when it gets control back." msgstr "" "Özel G kodu bloğunun başlangıcındaki geri çekilme durumu. Özel G kodu " -"ekstruder eksenini hareket ettirirse, Slicer'ın kontrolü geri aldığında doğru " -"şekilde geri çekme yapması için bu değişkene yazması gerekir." +"ekstruder eksenini hareket ettirirse, Slicer'ın kontrolü geri aldığında " +"doğru şekilde geri çekme yapması için bu değişkene yazması gerekir." msgid "Extra deretraction" msgstr "Ekstra deretraksiyon" @@ -14393,18 +14550,18 @@ msgid "" "Weight per extruder extruded during the entire print. Calculated from " "filament_density value in Filament Settings." msgstr "" -"Baskının tamamı boyunca ekstrüzyon yapılan ekstruder başına ağırlık. Filament " -"Ayarlarındaki filaman yoğunluğu değerinden hesaplanır." +"Baskının tamamı boyunca ekstrüzyon yapılan ekstruder başına ağırlık. " +"Filament Ayarlarındaki filaman yoğunluğu değerinden hesaplanır." msgid "Total weight" msgstr "Toplam ağırlık" msgid "" -"Total weight of the print. Calculated from filament_density value in Filament " -"Settings." +"Total weight of the print. Calculated from filament_density value in " +"Filament Settings." msgstr "" -"Baskının toplam ağırlığı. Filament Ayarlarındaki filaman yoğunluğu değerinden " -"hesaplanır." +"Baskının toplam ağırlığı. Filament Ayarlarındaki filaman yoğunluğu " +"değerinden hesaplanır." msgid "Total layer count" msgstr "Toplam katman sayısı" @@ -14453,8 +14610,8 @@ msgstr "" "cinsindendir." msgid "" -"The vector has two elements: x and y dimension of the bounding box. Values in " -"mm." +"The vector has two elements: x and y dimension of the bounding box. Values " +"in mm." msgstr "" "Vektörün iki öğesi vardır: sınırlayıcı kutunun x ve y boyutu. Değerler mm " "cinsindendir." @@ -14466,8 +14623,8 @@ msgid "" "Vector of points of the first layer convex hull. Each element has the " "following format:'[x, y]' (x and y are floating-point numbers in mm)." msgstr "" -"Birinci katmanın dışbükey gövdesinin noktalarının vektörü. Her öğe şu formata " -"sahiptir:'[x, y]' (x ve y, mm cinsinden kayan noktalı sayılardır)." +"Birinci katmanın dışbükey gövdesinin noktalarının vektörü. Her öğe şu " +"formata sahiptir:'[x, y]' (x ve y, mm cinsinden kayan noktalı sayılardır)." msgid "Bottom-left corner of first layer bounding box" msgstr "İlk katman sınırlayıcı kutusunun sol alt köşesi" @@ -14534,8 +14691,8 @@ msgid "Number of extruders" msgstr "Ekstruder sayısı" msgid "" -"Total number of extruders, regardless of whether they are used in the current " -"print." +"Total number of extruders, regardless of whether they are used in the " +"current print." msgstr "" "Geçerli baskıda kullanılıp kullanılmadığına bakılmaksızın ekstrüderlerin " "toplam sayısı." @@ -14673,7 +14830,8 @@ msgstr "Sağlanan dosya boş olduğundan okunamadı" msgid "Unknown file format. Input file must have .3mf or .zip.amf extension." msgstr "" -"Bilinmeyen dosya formatı. Giriş dosyası .3mf veya .zip.amf uzantılı olmalıdır." +"Bilinmeyen dosya formatı. Giriş dosyası .3mf veya .zip.amf uzantılı " +"olmalıdır." msgid "Canceled" msgstr "İptal edildi" @@ -14795,7 +14953,8 @@ msgstr "yeni ön ayar oluşturma başarısız oldu." msgid "" "Are you sure to cancel the current calibration and return to the home page?" msgstr "" -"Mevcut kalibrasyonu iptal edip ana sayfaya dönmek istediğinizden emin misiniz?" +"Mevcut kalibrasyonu iptal edip ana sayfaya dönmek istediğinizden emin " +"misiniz?" msgid "No Printer Connected!" msgstr "Yazıcı Bağlı Değil!" @@ -14810,16 +14969,16 @@ msgid "The input value size must be 3." msgstr "Giriş değeri boyutu 3 olmalıdır." msgid "" -"This machine type can only hold 16 history results per nozzle. You can delete " -"the existing historical results and then start calibration. Or you can " -"continue the calibration, but you cannot create new calibration historical " -"results. \n" +"This machine type can only hold 16 history results per nozzle. You can " +"delete the existing historical results and then start calibration. Or you " +"can continue the calibration, but you cannot create new calibration " +"historical results. \n" "Do you still want to continue the calibration?" msgstr "" "Bu makine tipi, püskürtme ucu başına yalnızca 16 geçmiş sonucu tutabilir. " -"Mevcut geçmiş sonuçları silebilir ve ardından kalibrasyona başlayabilirsiniz. " -"Veya kalibrasyona devam edebilirsiniz ancak yeni kalibrasyon geçmişi " -"sonuçları oluşturamazsınız.\n" +"Mevcut geçmiş sonuçları silebilir ve ardından kalibrasyona " +"başlayabilirsiniz. Veya kalibrasyona devam edebilirsiniz ancak yeni " +"kalibrasyon geçmişi sonuçları oluşturamazsınız.\n" "Hala kalibrasyona devam etmek istiyor musunuz?" msgid "Connecting to printer..." @@ -14833,9 +14992,9 @@ msgstr "Akış Dinamiği Kalibrasyonu sonucu yazıcıya kaydedildi" #, c-format, boost-format msgid "" -"There is already a historical calibration result with the same name: %s. Only " -"one of the results with the same name is saved. Are you sure you want to " -"override the historical result?" +"There is already a historical calibration result with the same name: %s. " +"Only one of the results with the same name is saved. Are you sure you want " +"to override the historical result?" msgstr "" "Aynı ada sahip geçmiş bir kalibrasyon sonucu zaten var: %s. Aynı ada sahip " "sonuçlardan yalnızca biri kaydedilir. Geçmiş sonucu geçersiz kılmak " @@ -14846,8 +15005,8 @@ msgid "" "This machine type can only hold %d history results per nozzle. This result " "will not be saved." msgstr "" -"Bu makine türü püskürtme ucu başına yalnızca %d geçmiş sonucunu tutabilir. Bu " -"sonuç kaydedilmeyecek." +"Bu makine türü püskürtme ucu başına yalnızca %d geçmiş sonucunu tutabilir. " +"Bu sonuç kaydedilmeyecek." msgid "Internal Error" msgstr "İç hata" @@ -14866,10 +15025,10 @@ msgstr "Akış Dinamiği Kalibrasyonuna ne zaman ihtiyacınız olur" msgid "" "We now have added the auto-calibration for different filaments, which is " -"fully automated and the result will be saved into the printer for future use. " -"You only need to do the calibration in the following limited cases:\n" -"1. If you introduce a new filament of different brands/models or the filament " -"is damp;\n" +"fully automated and the result will be saved into the printer for future " +"use. You only need to do the calibration in the following limited cases:\n" +"1. If you introduce a new filament of different brands/models or the " +"filament is damp;\n" "2. if the nozzle is worn out or replaced with a new one;\n" "3. If the max volumetric speed or print temperature is changed in the " "filament setting." @@ -14891,10 +15050,10 @@ msgid "" "\n" "Usually the calibration is unnecessary. When you start a single color/" "material print, with the \"flow dynamics calibration\" option checked in the " -"print start menu, the printer will follow the old way, calibrate the filament " -"before the print; When you start a multi color/material print, the printer " -"will use the default compensation parameter for the filament during every " -"filament switch which will have a good result in most cases.\n" +"print start menu, the printer will follow the old way, calibrate the " +"filament before the print; When you start a multi color/material print, the " +"printer will use the default compensation parameter for the filament during " +"every filament switch which will have a good result in most cases.\n" "\n" "Please note that there are a few cases that can make the calibration results " "unreliable, such as insufficient adhesion on the build plate. Improving " @@ -14910,9 +15069,9 @@ msgstr "" "Genellikle kalibrasyon gereksizdir. Baskı başlatma menüsünde \"akış " "dinamikleri kalibrasyonu\" seçeneği işaretliyken tek renkli/malzemeli bir " "baskı başlattığınızda, yazıcı eski yolu izleyecek, baskıdan önce filamenti " -"kalibre edecektir; Çok renkli/malzemeli bir baskı başlattığınızda, yazıcı her " -"filament değişimi sırasında filament için varsayılan telafi parametresini " -"kullanacaktır ve bu da çoğu durumda iyi bir sonuç verecektir.\n" +"kalibre edecektir; Çok renkli/malzemeli bir baskı başlattığınızda, yazıcı " +"her filament değişimi sırasında filament için varsayılan telafi " +"parametresini kullanacaktır ve bu da çoğu durumda iyi bir sonuç verecektir.\n" "\n" "Yapı plakası üzerinde yetersiz yapışma gibi kalibrasyon sonuçlarını " "güvenilmez hale getirebilecek birkaç durum olduğunu lütfen unutmayın. " @@ -14962,10 +15121,10 @@ msgstr "" msgid "" "Flow Rate Calibration measures the ratio of expected to actual extrusion " "volumes. The default setting works well in Bambu Lab printers and official " -"filaments as they were pre-calibrated and fine-tuned. For a regular filament, " -"you usually won't need to perform a Flow Rate Calibration unless you still " -"see the listed defects after you have done other calibrations. For more " -"details, please check out the wiki article." +"filaments as they were pre-calibrated and fine-tuned. For a regular " +"filament, you usually won't need to perform a Flow Rate Calibration unless " +"you still see the listed defects after you have done other calibrations. For " +"more details, please check out the wiki article." msgstr "" "Akış Hızı Kalibrasyonu, beklenen ekstrüzyon hacimlerinin gerçek ekstrüzyon " "hacimlerine oranını ölçer. Varsayılan ayar, önceden kalibre edilmiş ve ince " @@ -14980,12 +15139,13 @@ msgid "" "directly measuring the calibration patterns. However, please be advised that " "the efficacy and accuracy of this method may be compromised with specific " "types of materials. Particularly, filaments that are transparent or semi-" -"transparent, sparkling-particled, or have a high-reflective finish may not be " -"suitable for this calibration and can produce less-than-desirable results.\n" +"transparent, sparkling-particled, or have a high-reflective finish may not " +"be suitable for this calibration and can produce less-than-desirable " +"results.\n" "\n" -"The calibration results may vary between each calibration or filament. We are " -"still improving the accuracy and compatibility of this calibration through " -"firmware updates over time.\n" +"The calibration results may vary between each calibration or filament. We " +"are still improving the accuracy and compatibility of this calibration " +"through firmware updates over time.\n" "\n" "Caution: Flow Rate Calibration is an advanced process, to be attempted only " "by those who fully understand its purpose and implications. Incorrect usage " @@ -14996,8 +15156,8 @@ msgstr "" "kullanarak kalibrasyon modellerini doğrudan ölçer. Ancak, bu yöntemin " "etkinliğinin ve doğruluğunun belirli malzeme türleriyle tehlikeye " "girebileceğini lütfen unutmayın. Özellikle şeffaf veya yarı şeffaf, parlak " -"parçacıklı veya yüksek yansıtıcı yüzeye sahip filamentler bu kalibrasyon için " -"uygun olmayabilir ve arzu edilenden daha az sonuçlar üretebilir.\n" +"parçacıklı veya yüksek yansıtıcı yüzeye sahip filamentler bu kalibrasyon " +"için uygun olmayabilir ve arzu edilenden daha az sonuçlar üretebilir.\n" "\n" "Kalibrasyon sonuçları her kalibrasyon veya filament arasında farklılık " "gösterebilir. Zaman içinde ürün yazılımı güncellemeleriyle bu kalibrasyonun " @@ -15006,8 +15166,8 @@ msgstr "" "Dikkat: Akış Hızı Kalibrasyonu, yalnızca amacını ve sonuçlarını tam olarak " "anlayan kişiler tarafından denenmesi gereken gelişmiş bir işlemdir. Yanlış " "kullanım, ortalamanın altında baskılara veya yazıcının zarar görmesine neden " -"olabilir. Lütfen işlemi yapmadan önce işlemi dikkatlice okuyup anladığınızdan " -"emin olun." +"olabilir. Lütfen işlemi yapmadan önce işlemi dikkatlice okuyup " +"anladığınızdan emin olun." msgid "When you need Max Volumetric Speed Calibration" msgstr "Maksimum Hacimsel Hız Kalibrasyonuna ihtiyaç duyduğunuzda" @@ -15029,15 +15189,15 @@ msgid "We found the best Flow Dynamics Calibration Factor" msgstr "En iyi Akış Dinamiği Kalibrasyon Faktörünü bulduk" msgid "" -"Part of the calibration failed! You may clean the plate and retry. The failed " -"test result would be dropped." +"Part of the calibration failed! You may clean the plate and retry. The " +"failed test result would be dropped." msgstr "" "Kalibrasyonun bir kısmı başarısız oldu! Plakayı temizleyip tekrar " "deneyebilirsiniz. Başarısız olan test sonucu görmezden gelinir." msgid "" -"*We recommend you to add brand, materia, type, and even humidity level in the " -"Name" +"*We recommend you to add brand, materia, type, and even humidity level in " +"the Name" msgstr "*İsme marka, malzeme, tür ve hatta nem seviyesini eklemenizi öneririz" msgid "Failed" @@ -15626,8 +15786,8 @@ msgid "" "name. Do you want to continue?" msgstr "" "Oluşturduğunuz %s Filament adı zaten mevcut.\n" -"Oluşturmaya devam ederseniz oluşturulan ön ayar tam adıyla görüntülenecektir. " -"Devam etmek istiyor musun?" +"Oluşturmaya devam ederseniz oluşturulan ön ayar tam adıyla " +"görüntülenecektir. Devam etmek istiyor musun?" msgid "Some existing presets have failed to be created, as follows:\n" msgstr "Aşağıdaki gibi bazı mevcut ön ayarlar oluşturulamadı:\n" @@ -15743,15 +15903,15 @@ msgid "" "You have not yet chosen which printer preset to create based on. Please " "choose the vendor and model of the printer" msgstr "" -"Hangi yazıcı ön ayarının temel alınacağını henüz seçmediniz. Lütfen yazıcının " -"satıcısını ve modelini seçin" +"Hangi yazıcı ön ayarının temel alınacağını henüz seçmediniz. Lütfen " +"yazıcının satıcısını ve modelini seçin" msgid "" "You have entered an illegal input in the printable area section on the first " "page. Please check before creating it." msgstr "" -"İlk sayfadaki yazdırılabilir alan kısmına geçersiz bir giriş yaptınız. Lütfen " -"oluşturmadan önce kontrol edin." +"İlk sayfadaki yazdırılabilir alan kısmına geçersiz bir giriş yaptınız. " +"Lütfen oluşturmadan önce kontrol edin." msgid "The custom printer or model is not inputed, place input." msgstr "Özel yazıcı veya model girilmedi lütfen giriş yapın." @@ -15768,7 +15928,8 @@ msgstr "" "Oluşturduğunuz yazıcı ön ayarının zaten aynı ada sahip bir ön ayarı var. " "Üzerine yazmak istiyor musunuz?\n" "\tEvet: Aynı adı taşıyan yazıcı ön ayarının üzerine yazın; aynı ön ayar adı " -"taşıyan filaman ve proses ön ayarları yeniden oluşturulacak ve aynı ön ayar \n" +"taşıyan filaman ve proses ön ayarları yeniden oluşturulacak ve aynı ön " +"ayar \n" "adı olmayan filament ve işlem ön ayarları rezerve edilecektir.\n" "\tİptal: Ön ayar oluşturmayın, oluşturma arayüzüne dönün." @@ -15814,7 +15975,8 @@ msgstr "" msgid "" "You have not yet selected the printer to replace the nozzle, please choose." -msgstr "Hala nozulu değiştirmek için yazıcı seçmediniz, lütfen bir seçim yapın." +msgstr "" +"Hala nozulu değiştirmek için yazıcı seçmediniz, lütfen bir seçim yapın." msgid "Create Printer Successful" msgstr "Yazıcı Oluşturma Başarılı" @@ -15897,8 +16059,8 @@ msgstr "Dışa aktarma başarılı" #, c-format, boost-format msgid "" -"The '%s' folder already exists in the current directory. Do you want to clear " -"it and rebuild it.\n" +"The '%s' folder already exists in the current directory. Do you want to " +"clear it and rebuild it.\n" "If not, a time suffix will be added, and you can modify the name after " "creation." msgstr "" @@ -15937,8 +16099,8 @@ msgid "" "Only printer names with user printer presets will be displayed, and each " "preset you choose will be exported as a zip." msgstr "" -"Yalnızca kullanıcı yazıcı ön ayarlarına sahip yazıcı adları görüntülenecek ve " -"seçtiğiniz her ön ayar zip olarak dışa aktarılacaktır." +"Yalnızca kullanıcı yazıcı ön ayarlarına sahip yazıcı adları görüntülenecek " +"ve seçtiğiniz her ön ayar zip olarak dışa aktarılacaktır." msgid "" "Only the filament names with user filament presets will be displayed, \n" @@ -15946,13 +16108,13 @@ msgid "" "exported as a zip." msgstr "" "Yalnızca kullanıcı filamenti ön ayarlarına sahip filament adları \n" -"görüntülenecek ve seçtiğiniz her filament adındaki tüm kullanıcı filamenti ön " -"ayarları zip olarak dışa aktarılacaktır." +"görüntülenecek ve seçtiğiniz her filament adındaki tüm kullanıcı filamenti " +"ön ayarları zip olarak dışa aktarılacaktır." msgid "" "Only printer names with changed process presets will be displayed, \n" -"and all user process presets in each printer name you select will be exported " -"as a zip." +"and all user process presets in each printer name you select will be " +"exported as a zip." msgstr "" "Yalnızca işlem ön ayarları değiştirilen yazıcı adları görüntülenecek \n" "ve seçtiğiniz her yazıcı adındaki tüm kullanıcı işlem ön ayarları zip olarak " @@ -15976,8 +16138,8 @@ msgid "Filament presets under this filament" msgstr "Bu filamentin altındaki filament ön ayarları" msgid "" -"Note: If the only preset under this filament is deleted, the filament will be " -"deleted after exiting the dialog." +"Note: If the only preset under this filament is deleted, the filament will " +"be deleted after exiting the dialog." msgstr "" "Not: Bu filamentin altındaki tek ön ayar silinirse, diyalogdan çıkıldıktan " "sonra filament silinecektir." @@ -16095,7 +16257,8 @@ msgstr "Aygıt sekmesinde yazdırma ana bilgisayarı web arayüzünü görüntü msgid "Replace the BambuLab's device tab with print host webui" msgstr "" -"BambuLab’ın aygıt sekmesini yazdırma ana bilgisayarı web arayüzüyle değiştirin" +"BambuLab’ın aygıt sekmesini yazdırma ana bilgisayarı web arayüzüyle " +"değiştirin" msgid "" "HTTPS CA file is optional. It is only needed if you use HTTPS with a self-" @@ -16115,8 +16278,8 @@ msgid "" "On this system, %s uses HTTPS certificates from the system Certificate Store " "or Keychain." msgstr "" -"Bu sistemde %s, sistem Sertifika Deposu veya Anahtar Zincirinden alınan HTTPS " -"sertifikalarını kullanıyor." +"Bu sistemde %s, sistem Sertifika Deposu veya Anahtar Zincirinden alınan " +"HTTPS sertifikalarını kullanıyor." msgid "" "To use a custom CA file, please import your CA file into Certificate Store / " @@ -16266,30 +16429,31 @@ msgstr "" "Hata: \"%2%\"" msgid "" -"It has a small layer height, and results in almost negligible layer lines and " -"high printing quality. It is suitable for most general printing cases." +"It has a small layer height, and results in almost negligible layer lines " +"and high printing quality. It is suitable for most general printing cases." msgstr "" "Küçük bir katman yüksekliğine sahiptir ve neredeyse ihmal edilebilir katman " "çizgileri ve yüksek baskı kalitesi sağlar. Çoğu genel yazdırma durumu için " "uygundur." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds and " -"acceleration, and the sparse infill pattern is Gyroid. So, it results in much " -"higher printing quality, but a much longer printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds " +"and acceleration, and the sparse infill pattern is Gyroid. So, it results in " +"much higher printing quality, but a much longer printing time." msgstr "" "0,2 mm’lik nozülün varsayılan profiliyle karşılaştırıldığında daha düşük hız " -"ve ivmeye sahiptir ve seyrek dolgu deseni Gyroid’dir. Böylece çok daha yüksek " -"baskı kalitesi elde edilir, ancak çok daha uzun baskı süresi elde edilir." +"ve ivmeye sahiptir ve seyrek dolgu deseni Gyroid’dir. Böylece çok daha " +"yüksek baskı kalitesi elde edilir, ancak çok daha uzun baskı süresi elde " +"edilir." msgid "" "Compared with the default profile of a 0.2 mm nozzle, it has a slightly " "bigger layer height, and results in almost negligible layer lines, and " "slightly shorter printing time." msgstr "" -"0,2 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, biraz " -"daha büyük katman yüksekliğine sahiptir ve neredeyse ihmal edilebilir düzeyde " -"katman çizgileri ve biraz daha kısa yazdırma süresi sağlar." +"0,2 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, " +"biraz daha büyük katman yüksekliğine sahiptir ve neredeyse ihmal edilebilir " +"düzeyde katman çizgileri ve biraz daha kısa yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer " @@ -16327,8 +16491,8 @@ msgid "" "shorter printing time." msgstr "" "Varsayılan 0,2 mm püskürtme ucu profiliyle karşılaştırıldığında, daha küçük " -"katman yüksekliğine sahiptir ve minimum katman çizgileri ve daha yüksek baskı " -"kalitesi sağlar, ancak daha kısa yazdırma süresi sağlar." +"katman yüksekliğine sahiptir ve minimum katman çizgileri ve daha yüksek " +"baskı kalitesi sağlar, ancak daha kısa yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " @@ -16379,12 +16543,12 @@ msgstr "" msgid "" "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and higher printing quality, " -"but longer printing time." +"height, and results in less apparent layer lines and higher printing " +"quality, but longer printing time." msgstr "" "0,4 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, daha " -"küçük bir katman yüksekliğine sahiptir ve daha az görünür katman çizgileri ve " -"daha yüksek baskı kalitesi sağlar, ancak daha uzun yazdırma süresi sağlar." +"küçük bir katman yüksekliğine sahiptir ve daha az görünür katman çizgileri " +"ve daha yüksek baskı kalitesi sağlar, ancak daha uzun yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " @@ -16422,7 +16586,8 @@ msgstr "" msgid "" "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in almost negligible layer lines and longer printing time." +"height, and results in almost negligible layer lines and longer printing " +"time." msgstr "" "0,4 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, " "katman yüksekliği daha küçüktür ve neredeyse göz ardı edilebilecek düzeyde " @@ -16457,8 +16622,8 @@ msgstr "" msgid "" "Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " -"height, and results in much more apparent layer lines and much lower printing " -"quality, but shorter printing time in some printing cases." +"height, and results in much more apparent layer lines and much lower " +"printing quality, but shorter printing time in some printing cases." msgstr "" "0,6 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, daha " "büyük bir katman yüksekliğine sahiptir ve çok daha belirgin katman çizgileri " @@ -16477,16 +16642,16 @@ msgstr "" msgid "" "Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and higher printing quality, " -"but longer printing time." +"height, and results in less apparent layer lines and higher printing " +"quality, but longer printing time." msgstr "" "0,6 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, daha " -"küçük bir katman yüksekliğine sahiptir ve daha az görünür katman çizgileri ve " -"daha yüksek baskı kalitesi sağlar, ancak daha uzun yazdırma süresi sağlar." +"küçük bir katman yüksekliğine sahiptir ve daha az görünür katman çizgileri " +"ve daha yüksek baskı kalitesi sağlar, ancak daha uzun yazdırma süresi sağlar." msgid "" -"It has a very big layer height, and results in very apparent layer lines, low " -"printing quality and general printing time." +"It has a very big layer height, and results in very apparent layer lines, " +"low printing quality and general printing time." msgstr "" "Çok büyük bir katman yüksekliğine sahiptir ve çok belirgin katman " "çizgilerine, düşük baskı kalitesine ve genel yazdırma süresine neden olur." @@ -16498,8 +16663,8 @@ msgid "" msgstr "" "0,8 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, daha " "büyük bir katman yüksekliğine sahiptir ve çok belirgin katman çizgileri ve " -"çok daha düşük baskı kalitesiyle sonuçlanır, ancak bazı yazdırma durumlarında " -"daha kısa yazdırma süresi sağlar." +"çok daha düşük baskı kalitesiyle sonuçlanır, ancak bazı yazdırma " +"durumlarında daha kısa yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.8 mm nozzle, it has a much bigger " @@ -16508,8 +16673,8 @@ msgid "" msgstr "" "0,8 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, çok " "daha büyük bir katman yüksekliğine sahiptir ve son derece belirgin katman " -"çizgileri ve çok daha düşük baskı kalitesiyle sonuçlanır, ancak bazı yazdırma " -"durumlarında çok daha kısa yazdırma süresi sağlar." +"çizgileri ve çok daha düşük baskı kalitesiyle sonuçlanır, ancak bazı " +"yazdırma durumlarında çok daha kısa yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.8 mm nozzle, it has a slightly " @@ -16517,10 +16682,10 @@ msgid "" "lines and slightly higher printing quality, but longer printing time in some " "printing cases." msgstr "" -"0,8 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, biraz " -"daha küçük bir katman yüksekliğine sahiptir ve biraz daha az ama yine de " -"görünür katman çizgileri ve biraz daha yüksek baskı kalitesi sağlar, ancak " -"bazı yazdırma durumlarında daha uzun yazdırma süresi sağlar." +"0,8 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, " +"biraz daha küçük bir katman yüksekliğine sahiptir ve biraz daha az ama yine " +"de görünür katman çizgileri ve biraz daha yüksek baskı kalitesi sağlar, " +"ancak bazı yazdırma durumlarında daha uzun yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.8 mm nozzle, it has a smaller layer " @@ -16592,7 +16757,8 @@ msgid "" msgstr "" "Sandviç modu\n" "Modelinizde çok dik çıkıntılar yoksa hassasiyeti ve katman tutarlılığını " -"artırmak için sandviç modunu (iç-dış-iç) kullanabileceğinizi biliyor muydunuz?" +"artırmak için sandviç modunu (iç-dış-iç) kullanabileceğinizi biliyor " +"muydunuz?" #: resources/data/hints.ini: [hint:Chamber temperature] msgid "" @@ -16654,14 +16820,14 @@ msgid "" "3D scene operations." msgstr "" "Klavye kısayolları nasıl kullanılır?\n" -"Orca Slicer'ın çok çeşitli klavye kısayolları ve 3B sahne işlemleri sunduğunu " -"biliyor muydunuz?" +"Orca Slicer'ın çok çeşitli klavye kısayolları ve 3B sahne işlemleri " +"sunduğunu biliyor muydunuz?" #: resources/data/hints.ini: [hint:Reverse on odd] msgid "" "Reverse on odd\n" -"Did you know that Reverse on odd feature can significantly improve the " -"surface quality of your overhangs?" +"Did you know that Reverse on odd feature can significantly improve " +"the surface quality of your overhangs?" msgstr "" "Tersine çevir\n" "Tersine çevir özelliğinin çıkıntılarınızın yüzey kalitesini önemli " @@ -16684,8 +16850,8 @@ msgid "" "problems on the Windows system?" msgstr "" "Modeli Düzelt\n" -"Windows sisteminde birçok dilimleme sorununu önlemek için bozuk bir 3D modeli " -"düzeltebileceğinizi biliyor muydunuz?" +"Windows sisteminde birçok dilimleme sorununu önlemek için bozuk bir 3D " +"modeli düzeltebileceğinizi biliyor muydunuz?" #: resources/data/hints.ini: [hint:Timelapse] msgid "" @@ -16818,9 +16984,9 @@ msgstr "" #: resources/data/hints.ini: [hint:Fine-tuning for flow rate] msgid "" "Fine-tuning for flow rate\n" -"Did you know that flow rate can be fine-tuned for even better-looking prints? " -"Depending on the material, you can improve the overall finish of the printed " -"model by doing some fine-tuning." +"Did you know that flow rate can be fine-tuned for even better-looking " +"prints? Depending on the material, you can improve the overall finish of the " +"printed model by doing some fine-tuning." msgstr "" "Akış hızı için ince ayar\n" "Baskıların daha da iyi görünmesi için akış hızına ince ayar yapılabileceğini " @@ -16854,8 +17020,8 @@ msgstr "" msgid "" "Support painting\n" "Did you know that you can paint the location of your supports? This feature " -"makes it easy to place the support material only on the sections of the model " -"that actually need it." +"makes it easy to place the support material only on the sections of the " +"model that actually need it." msgstr "" "Destek boyama\n" "Desteklerinizin yerini boyayabileceğinizi biliyor muydunuz? Bu özellik, " @@ -16960,57 +17126,146 @@ msgstr "" "sıcaklığının uygun şekilde arttırılmasının bükülme olasılığını " "azaltabileceğini biliyor muydunuz?" -#~ msgid "up to" -#~ msgstr "kadar" +#~ msgid "" +#~ "Your object appears to be too large. It will be scaled down to fit the " +#~ "heat bed automatically." +#~ msgstr "" +#~ "Nesneniz çok büyük görünüyor. Plakaya otomatik olarak uyacak şekilde " +#~ "küçültülecektir." -#~ msgid "above" -#~ msgstr "üstünde" +#~ msgid "Shift+G" +#~ msgstr "Shift+G" -#~ msgid "from" -#~ msgstr "itibaren" - -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "Bazı ön ayarlar değiştirilirken uygulama dilinin değiştirilmesi." - -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" - -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" - -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+Herhangi bir ok" - -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Sol fare düğmesi" - -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Sol fare düğmesi" - -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+Herhangi bir yön tuşu" - -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+Sol fare düğmesi" - -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+Sol fare düğmesi" - -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Fare tekerleği" - -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Fare tekerleği" - -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+Fare tekerleği" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+Fare tekerleği" +#~ msgid "Any arrow" +#~ msgstr "Herhangi bir ok" #~ msgid "" -#~ "Different nozzle diameters and different filament diameters is not allowed " -#~ "when prime tower is enabled." +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" +#~ msgstr "" +#~ "Seçilen yüzeyler için boşluk doldurmayı etkinleştirir. Doldurulacak " +#~ "minimum boşluk uzunluğu aşağıdaki küçük boşlukları filtrele seçeneğinden " +#~ "kontrol edilebilir.\n" +#~ "\n" +#~ "Seçenekler:\n" +#~ "1. Her Yerde: Üst, alt ve iç katı yüzeylere boşluk doldurma uygular\n" +#~ "2. Üst ve Alt yüzeyler: Boşluk doldurmayı yalnızca üst ve alt yüzeylere " +#~ "uygular\n" +#~ "3. Hiçbir Yerde: Boşluk doldurmayı devre dışı bırakır\n" + +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Köprü için malzeme miktarını azaltmak ve sarkmayı iyileştirmek için bu " +#~ "değeri biraz azaltın (örneğin 0,9)" + +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Bu değer iç köprü katmanının kalınlığını belirler. Bu, seyrek dolgunun " +#~ "üzerindeki ilk katmandır. Seyrek dolguya göre yüzey kalitesini " +#~ "iyileştirmek için bu değeri biraz azaltın (örneğin 0,9)." + +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Bu faktör üst katı dolgu için malzeme miktarını etkiler. Pürüzsüz bir " +#~ "yüzey elde etmek için biraz azaltabilirsiniz" + +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "Bu faktör alt katı dolgu için malzeme miktarını etkiler" + +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Potansiyel kıvrılmış çevrelerin bulunabileceği alanlarda yazdırmayı " +#~ "yavaşlatmak için bu seçeneği etkinleştirin" + +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Köprü hızı ve tamamen sarkan duvar" + +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Dahili köprünün hızı. Değer yüzde olarak ifade edilirse köprü_hızına göre " +#~ "hesaplanacaktır. Varsayılan değer %150'dir." + +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Filamenti değiştirdiğinizde yeni filament yükleme zamanı. Yalnızca " +#~ "istatistikler için" + +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Filamenti değiştirdiğinizde eski filamenti boşaltma zamanı. Yalnızca " +#~ "istatistikler için" + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Yazıcı donanım yazılımının (veya Çoklu Malzeme Ünitesi 2.0'ın) takım " +#~ "değişikliği sırasında (T kodu yürütülürken) yeni bir filament yükleme " +#~ "süresi. Bu süre, G kodu zaman tahmincisi tarafından toplam baskı süresine " +#~ "eklenir." + +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Yazıcı ürün yazılımının (veya Çoklu Malzeme Ünitesi 2.0'ın) takım " +#~ "değişimi sırasında (T kodu yürütülürken) filamenti boşaltma süresi. Bu " +#~ "süre, G kodu süre tahmincisi tarafından toplam baskı süresine eklenir." + +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "Belirtilen eşikten daha küçük boşlukları filtrele" + +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Hazne sıcaklığı kontrolü için bu seçeneği etkinleştirin. Önce bir M191 " +#~ "komutu eklenecek \"machine_start_gcode\"\n" +#~ "G-code komut: M141/M191 S(0-255)" + +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Daha yüksek hazne sıcaklığı, eğrilmeyi bastırmaya veya azaltmaya yardımcı " +#~ "olabilir ve ABS, ASA, PC, PA ve benzeri gibi yüksek sıcaklıktaki " +#~ "malzemeler için potansiyel olarak daha yüksek ara katman yapışmasına yol " +#~ "açabilir Aynı zamanda, ABS ve ASA'nın hava filtrasyonu daha da " +#~ "kötüleşecektir. PLA, PETG, TPU, PVA ve diğer düşük sıcaklıktaki " +#~ "malzemeler için, tıkanmaları önlemek için gerçek hazne sıcaklığı yüksek " +#~ "olmamalıdır, bu nedenle kapatma anlamına gelen 0 şiddetle tavsiye edilir" + +#~ msgid "" +#~ "Different nozzle diameters and different filament diameters is not " +#~ "allowed when prime tower is enabled." #~ msgstr "" #~ "Ana kule etkinleştirildiğinde farklı nozul çaplarına ve farklı filament " #~ "çaplarına izin verilmez." @@ -17023,10 +17278,11 @@ msgstr "" #~ "Height of initial layer. Making initial layer height to be thick slightly " #~ "can improve build plate adhension" #~ msgstr "" -#~ "İlk katmanın yüksekliği. İlk katman yüksekliğini biraz kalın yapmak, baskı " -#~ "plakasının yapışmasını iyileştirebilir" +#~ "İlk katmanın yüksekliği. İlk katman yüksekliğini biraz kalın yapmak, " +#~ "baskı plakasının yapışmasını iyileştirebilir" -#~ msgid "Interlocking depth of a segmented region. Zero disables this feature." +#~ msgid "" +#~ "Interlocking depth of a segmented region. Zero disables this feature." #~ msgstr "" #~ "Bölümlere ayrılmış bir bölgenin birbirine kenetlenen derinliği. 0 bu " #~ "özelliği devre dışı bırakır." @@ -17104,11 +17360,12 @@ msgstr "" #~ "the print start menu, the printer will follow the old way, calibrate the " #~ "filament before the print; When you start a multi color/material print, " #~ "the printer will use the default compensation parameter for the filament " -#~ "during every filament switch which will have a good result in most cases.\n" +#~ "during every filament switch which will have a good result in most " +#~ "cases.\n" #~ "\n" #~ "Please note there are a few cases that will make the calibration result " -#~ "not reliable: using a texture plate to do the calibration; the build plate " -#~ "does not have good adhesion (please wash the build plate or apply " +#~ "not reliable: using a texture plate to do the calibration; the build " +#~ "plate does not have good adhesion (please wash the build plate or apply " #~ "gluestick!) ...You can find more from our wiki.\n" #~ "\n" #~ "The calibration results have about 10 percent jitter in our test, which " @@ -17119,11 +17376,12 @@ msgstr "" #~ "bulabilirsiniz.\n" #~ "\n" #~ "Genellikle kalibrasyon gereksizdir. Yazdırma başlat menüsündeki \"akış " -#~ "dinamiği kalibrasyonu\" seçeneği işaretliyken tek renkli/malzeme baskısını " -#~ "başlattığınızda, yazıcı eski yöntemi izleyecek, yazdırmadan önce filamenti " -#~ "kalibre edecektir; Çok renkli/malzeme baskısını başlattığınızda, yazıcı " -#~ "her filament değişiminde filament için varsayılan dengeleme parametresini " -#~ "kullanacaktır ve bu çoğu durumda iyi bir sonuç verecektir.\n" +#~ "dinamiği kalibrasyonu\" seçeneği işaretliyken tek renkli/malzeme " +#~ "baskısını başlattığınızda, yazıcı eski yöntemi izleyecek, yazdırmadan " +#~ "önce filamenti kalibre edecektir; Çok renkli/malzeme baskısını " +#~ "başlattığınızda, yazıcı her filament değişiminde filament için varsayılan " +#~ "dengeleme parametresini kullanacaktır ve bu çoğu durumda iyi bir sonuç " +#~ "verecektir.\n" #~ "\n" #~ "Kalibrasyon sonucunun güvenilir olmamasına yol açacak birkaç durum " #~ "olduğunu lütfen unutmayın: kalibrasyonu yapmak için doku plakası " @@ -17131,14 +17389,14 @@ msgstr "" #~ "yıkayın veya yapıştırıcı uygulayın!) ...Daha fazlasını wiki'mizden " #~ "bulabilirsiniz.\n" #~ "\n" -#~ "Testimizde kalibrasyon sonuçlarında yaklaşık yüzde 10'luk bir titreşim var " -#~ "ve bu da sonucun her kalibrasyonda tam olarak aynı olmamasına neden " +#~ "Testimizde kalibrasyon sonuçlarında yaklaşık yüzde 10'luk bir titreşim " +#~ "var ve bu da sonucun her kalibrasyonda tam olarak aynı olmamasına neden " #~ "olabilir. Yeni güncellemelerle iyileştirmeler yapmak için hâlâ temel " #~ "nedeni araştırıyoruz." #~ msgid "" -#~ "Only one of the results with the same name will be saved. Are you sure you " -#~ "want to overrides the other results?" +#~ "Only one of the results with the same name will be saved. Are you sure " +#~ "you want to overrides the other results?" #~ msgstr "" #~ "Aynı ada sahip sonuçlardan yalnızca biri kaydedilecektir. Diğer sonuçları " #~ "geçersiz kılmak istediğinizden emin misiniz?" @@ -17146,11 +17404,11 @@ msgstr "" #, c-format, boost-format #~ msgid "" #~ "There is already a historical calibration result with the same name: %s. " -#~ "Only one of the results with the same name is saved. Are you sure you want " -#~ "to overrides the historical result?" +#~ "Only one of the results with the same name is saved. Are you sure you " +#~ "want to overrides the historical result?" #~ msgstr "" -#~ "Aynı ada sahip geçmiş bir kalibrasyon sonucu zaten var: %s. Aynı ada sahip " -#~ "sonuçlardan yalnızca biri kaydedilir. Geçmiş sonucu geçersiz kılmak " +#~ "Aynı ada sahip geçmiş bir kalibrasyon sonucu zaten var: %s. Aynı ada " +#~ "sahip sonuçlardan yalnızca biri kaydedilir. Geçmiş sonucu geçersiz kılmak " #~ "istediğinizden emin misiniz?" #~ msgid "Please find the cornor with perfect degree of extrusion" @@ -17173,11 +17431,11 @@ msgstr "" #~ "Order of wall/infill. When the tickbox is unchecked the walls are printed " #~ "first, which works best in most cases.\n" #~ "\n" -#~ "Printing walls first may help with extreme overhangs as the walls have the " -#~ "neighbouring infill to adhere to. However, the infill will slighly push " -#~ "out the printed walls where it is attached to them, resulting in a worse " -#~ "external surface finish. It can also cause the infill to shine through the " -#~ "external surfaces of the part." +#~ "Printing walls first may help with extreme overhangs as the walls have " +#~ "the neighbouring infill to adhere to. However, the infill will slighly " +#~ "push out the printed walls where it is attached to them, resulting in a " +#~ "worse external surface finish. It can also cause the infill to shine " +#~ "through the external surfaces of the part." #~ msgstr "" #~ "Duvar/dolgu sırası. Onay kutusunun işareti kaldırıldığında ilk olarak " #~ "duvarlar yazdırılır ve bu çoğu durumda en iyi sonucu verir.\n" @@ -17192,9 +17450,9 @@ msgstr "" #~ msgstr "V" #~ msgid "" -#~ "Orca Slicer is based on BambuStudio by Bambulab, which is from PrusaSlicer " -#~ "by Prusa Research. PrusaSlicer is from Slic3r by Alessandro Ranellucci " -#~ "and the RepRap community" +#~ "Orca Slicer is based on BambuStudio by Bambulab, which is from " +#~ "PrusaSlicer by Prusa Research. PrusaSlicer is from Slic3r by Alessandro " +#~ "Ranellucci and the RepRap community" #~ msgstr "" #~ "Orca Slicer, Prusa Research'ün PrusaSlicer'ından Bambulab'ın " #~ "BambuStudio'sunu temel alıyor. PrusaSlicer, Alessandro Ranellucci ve " @@ -17265,15 +17523,16 @@ msgstr "" #~ "değer) korumak ister misiniz?" #~ msgid "" -#~ "You have previously modified your settings and are about to overwrite them " -#~ "with new ones." +#~ "You have previously modified your settings and are about to overwrite " +#~ "them with new ones." #~ msgstr "" -#~ "Ayarlarınızı daha önce değiştirdiniz ve bunların üzerine yenilerini yazmak " -#~ "üzeresiniz." +#~ "Ayarlarınızı daha önce değiştirdiniz ve bunların üzerine yenilerini " +#~ "yazmak üzeresiniz." #~ msgid "" #~ "\n" -#~ "Do you want to keep your current modified settings, or use preset settings?" +#~ "Do you want to keep your current modified settings, or use preset " +#~ "settings?" #~ msgstr "" #~ "\n" #~ "Geçerli değiştirilen ayarlarınızı korumak mı yoksa önceden ayarlanmış " @@ -17293,8 +17552,8 @@ msgstr "" #~ "Choose an AMS slot then press \"Load\" or \"Unload\" button to " #~ "automatically load or unload filiament." #~ msgstr "" -#~ "Filamenti otomatik olarak yüklemek veya çıkarmak için bir AMS yuvası seçin " -#~ "ve ardından \"Yükle\" veya \"Boşalt\" düğmesine basın." +#~ "Filamenti otomatik olarak yüklemek veya çıkarmak için bir AMS yuvası " +#~ "seçin ve ardından \"Yükle\" veya \"Boşalt\" düğmesine basın." #~ msgid "MC" #~ msgstr "MC" @@ -17334,8 +17593,8 @@ msgstr "" #~ "The 3mf file version is in Beta and it is newer than the current Bambu " #~ "Studio version." #~ msgstr "" -#~ "3mf dosya sürümü Beta aşamasındadır ve mevcut Bambu Studio sürümünden daha " -#~ "yenidir." +#~ "3mf dosya sürümü Beta aşamasındadır ve mevcut Bambu Studio sürümünden " +#~ "daha yenidir." #~ msgid "If you would like to try Bambu Studio Beta, you may click to" #~ msgstr "Bambu Studio Beta’yı denemek isterseniz tıklayabilirsiniz." @@ -17362,9 +17621,9 @@ msgstr "" #~ "Green means that AMS humidity is normal, orange represent humidity is " #~ "high, red represent humidity is too high.(Hygrometer: lower the better.)" #~ msgstr "" -#~ "Yeşil, AMS neminin normal olduğunu, turuncu nemin yüksek olduğunu, kırmızı " -#~ "ise nemin çok yüksek olduğunu gösterir.(Higrometre: ne kadar düşükse o " -#~ "kadar iyidir.)" +#~ "Yeşil, AMS neminin normal olduğunu, turuncu nemin yüksek olduğunu, " +#~ "kırmızı ise nemin çok yüksek olduğunu gösterir.(Higrometre: ne kadar " +#~ "düşükse o kadar iyidir.)" #~ msgid "Desiccant status" #~ msgstr "Kurutucu durumu" @@ -17374,14 +17633,14 @@ msgstr "" #~ "inactive. Please change the desiccant.(The bars: higher the better.)" #~ msgstr "" #~ "İki çubuktan daha düşük bir kurutucu durumu, kurutucunun etkin olmadığını " -#~ "gösterir. Lütfen kurutucuyu değiştirin.(Çubuklar: ne kadar yüksek olursa o " -#~ "kadar iyidir.)" +#~ "gösterir. Lütfen kurutucuyu değiştirin.(Çubuklar: ne kadar yüksek olursa " +#~ "o kadar iyidir.)" #~ msgid "" #~ "Note: When the lid is open or the desiccant pack is changed, it can take " #~ "hours or a night to absorb the moisture. Low temperatures also slow down " -#~ "the process. During this time, the indicator may not represent the chamber " -#~ "accurately." +#~ "the process. During this time, the indicator may not represent the " +#~ "chamber accurately." #~ msgstr "" #~ "Not: Kapak açıkken veya kurutucu paketi değiştirildiğinde, nemin emilmesi " #~ "saatler veya bir gece sürebilir. Düşük sıcaklıklar da süreci yavaşlatır. " @@ -17479,14 +17738,14 @@ msgstr "" #~ msgid "" #~ "Please go to filament setting to edit your presets if you need.\n" #~ "Please note that nozzle temperature, hot bed temperature, and maximum " -#~ "volumetric speed have a significant impact on printing quality. Please set " -#~ "them carefully." +#~ "volumetric speed have a significant impact on printing quality. Please " +#~ "set them carefully." #~ msgstr "" -#~ "İhtiyacınız olursa ön ayarlarınızı düzenlemek için lütfen filament ayarına " -#~ "gidin.\n" +#~ "İhtiyacınız olursa ön ayarlarınızı düzenlemek için lütfen filament " +#~ "ayarına gidin.\n" #~ "Lütfen püskürtme ucu sıcaklığının, sıcak yatak sıcaklığının ve maksimum " -#~ "hacimsel hızın yazdırma kalitesi üzerinde önemli bir etkiye sahip olduğunu " -#~ "unutmayın. Lütfen bunları dikkatlice ayarlayın." +#~ "hacimsel hızın yazdırma kalitesi üzerinde önemli bir etkiye sahip " +#~ "olduğunu unutmayın. Lütfen bunları dikkatlice ayarlayın." #~ msgid "Studio Version:" #~ msgstr "Stüdyo Sürümü:" @@ -17531,8 +17790,8 @@ msgstr "" #~ msgstr "Depolama Yüklemesini Test Etme" #~ msgid "" -#~ "The speed setting exceeds the printer's maximum speed (machine_max_speed_x/" -#~ "machine_max_speed_y).\n" +#~ "The speed setting exceeds the printer's maximum speed " +#~ "(machine_max_speed_x/machine_max_speed_y).\n" #~ "Orca will automatically cap the print speed to ensure it doesn't surpass " #~ "the printer's capabilities.\n" #~ "You can adjust the maximum speed setting in your printer's configuration " @@ -17540,8 +17799,8 @@ msgstr "" #~ msgstr "" #~ "Hız ayarı yazıcının maksimum hızını aşıyor (machine_max_speed_x/" #~ "machine_max_speed_y).\n" -#~ "Orca, yazıcının yeteneklerini aşmadığından emin olmak için yazdırma hızını " -#~ "otomatik olarak sınırlayacaktır.\n" +#~ "Orca, yazıcının yeteneklerini aşmadığından emin olmak için yazdırma " +#~ "hızını otomatik olarak sınırlayacaktır.\n" #~ "Daha yüksek hızlar elde etmek için yazıcınızın yapılandırmasındaki " #~ "maksimum hız ayarını yapabilirsiniz." @@ -17567,8 +17826,8 @@ msgstr "" #~ "Add solid infill near sloping surfaces to guarantee the vertical shell " #~ "thickness (top+bottom solid layers)" #~ msgstr "" -#~ "Dikey kabuk kalınlığını garanti etmek için eğimli yüzeylerin yakınına katı " -#~ "dolgu ekleyin (üst + alt katı katmanlar)" +#~ "Dikey kabuk kalınlığını garanti etmek için eğimli yüzeylerin yakınına " +#~ "katı dolgu ekleyin (üst + alt katı katmanlar)" #~ msgid "Further reduce solid infill on walls (beta)" #~ msgstr "Duvarlardaki katı dolguyu daha da azaltın (deneysel)" @@ -17622,8 +17881,8 @@ msgstr "" #~ "are not specified explicitly." #~ msgstr "" #~ "Daha iyi katman soğutması için yavaşlama etkinleştirildiğinde, yazdırma " -#~ "çıkıntıları olduğunda ve özellik hızları açıkça belirtilmediğinde filament " -#~ "için minimum yazdırma hızı." +#~ "çıkıntıları olduğunda ve özellik hızları açıkça belirtilmediğinde " +#~ "filament için minimum yazdırma hızı." #~ msgid "No sparse layers (EXPERIMENTAL)" #~ msgstr "Seyrek katman yok (DENEYSEL)" @@ -17649,8 +17908,8 @@ msgstr "" #~ msgstr "wiki" #~ msgid "" -#~ "Relative extrusion is recommended when using \"label_objects\" option.Some " -#~ "extruders work better with this option unckecked (absolute extrusion " +#~ "Relative extrusion is recommended when using \"label_objects\" option." +#~ "Some extruders work better with this option unckecked (absolute extrusion " #~ "mode). Wipe tower is only compatible with relative mode. It is always " #~ "enabled on BambuLab printers. Default is checked" #~ msgstr "" @@ -17780,8 +18039,8 @@ msgstr "" #~ "Bir Parçayı Çıkar\n" #~ "Negatif parça değiştiriciyi kullanarak bir ağı diğerinden " #~ "çıkarabileceğinizi biliyor muydunuz? Bu şekilde örneğin doğrudan Orca " -#~ "Slicer'da kolayca yeniden boyutlandırılabilen delikler oluşturabilirsiniz. " -#~ "Daha fazlasını belgelerde okuyun." +#~ "Slicer'da kolayca yeniden boyutlandırılabilen delikler " +#~ "oluşturabilirsiniz. Daha fazlasını belgelerde okuyun." #~ msgid "Filling bed " #~ msgstr "Yatak doldurma " @@ -17797,7 +18056,8 @@ msgstr "" #~ msgstr "" #~ "Doğrusal desene geçilsin mi?\n" #~ "Evet - otomatik olarak doğrusal desene geçin\n" -#~ "Hayır - yoğunluğu otomatik olarak %100 olmayan varsayılan değere sıfırlayın" +#~ "Hayır - yoğunluğu otomatik olarak %100 olmayan varsayılan değere " +#~ "sıfırlayın" #~ msgid "Please heat the nozzle to above 170 degree before loading filament." #~ msgstr "" @@ -18038,8 +18298,8 @@ msgstr "" #~ "load uptodate process/machine settings from the specified file when using " #~ "uptodate" #~ msgstr "" -#~ "güncellemeyi kullanırken belirtilen dosyadan güncel işlem/yazıcıayarlarını " -#~ "yükle" +#~ "güncellemeyi kullanırken belirtilen dosyadan güncel işlem/" +#~ "yazıcıayarlarını yükle" #~ msgid "Output directory" #~ msgstr "Çıkış dizini" @@ -18086,8 +18346,8 @@ msgstr "" #~ "OrcaSlicer configuration file may be corrupted and is not abled to be " #~ "parsed.Please delete the file and try again." #~ msgstr "" -#~ "OrcaSlicer yapılandırma dosyası bozulmuş olabilir ve ayrıştırılması mümkün " -#~ "olmayabilir. Lütfen dosyayı silin ve tekrar deneyin." +#~ "OrcaSlicer yapılandırma dosyası bozulmuş olabilir ve ayrıştırılması " +#~ "mümkün olmayabilir. Lütfen dosyayı silin ve tekrar deneyin." #~ msgid "Online Models" #~ msgstr "Çevrimiçi Modeller" @@ -18101,8 +18361,8 @@ msgstr "" #~ msgid "" #~ "There are currently no identical spare consumables available, and " #~ "automatic replenishment is currently not possible. \n" -#~ "(Currently supporting automatic supply of consumables with the same brand, " -#~ "material type, and color)" +#~ "(Currently supporting automatic supply of consumables with the same " +#~ "brand, material type, and color)" #~ msgstr "" #~ "Şu anda aynı yedek sarf malzemesi mevcut değildir ve otomatik yenileme şu " #~ "anda mümkün değildir.\n" @@ -18134,7 +18394,8 @@ msgstr "" #~ "daha sıcak olamaz" #~ msgid "Enable this option if machine has auxiliary part cooling fan" -#~ msgstr "Makinede yardımcı parça soğutma fanı varsa bu seçeneği etkinleştirin" +#~ msgstr "" +#~ "Makinede yardımcı parça soğutma fanı varsa bu seçeneği etkinleştirin" #~ msgid "" #~ "This option is enabled if machine support controlling chamber temperature" @@ -18162,7 +18423,8 @@ msgstr "" #~ "katmanları etkilemez" #~ msgid "Empty layers around bottom are replaced by nearest normal layers." -#~ msgstr "Alt kısımdaki boş katmanların yerini en yakın normal katmanlar alır." +#~ msgstr "" +#~ "Alt kısımdaki boş katmanların yerini en yakın normal katmanlar alır." #~ msgid "The model has too many empty layers." #~ msgstr "Modelde çok fazla boş katman var." @@ -18180,8 +18442,9 @@ msgstr "" #~ "Bed temperature when high temperature plate is installed. Value 0 means " #~ "the filament does not support to print on the High Temp Plate" #~ msgstr "" -#~ "Yüksek sıcaklık plakası takıldığında yatak sıcaklığı. 0 değeri, filamentin " -#~ "Yüksek Sıcaklık Plakasına yazdırmayı desteklemediği anlamına gelir" +#~ "Yüksek sıcaklık plakası takıldığında yatak sıcaklığı. 0 değeri, " +#~ "filamentin Yüksek Sıcaklık Plakasına yazdırmayı desteklemediği anlamına " +#~ "gelir" #~ msgid "" #~ "Klipper's max_accel_to_decel will be adjusted to this % of acceleration" @@ -18201,7 +18464,8 @@ msgstr "" #~ msgstr "" #~ "Desteğin stili ve şekli. Normal destek için, desteklerin düzenli bir " #~ "ızgaraya yansıtılması daha sağlam destekler oluşturur (varsayılan), rahat " -#~ "destek kuleleri ise malzemeden tasarruf sağlar ve nesne izlerini azaltır.\n" +#~ "destek kuleleri ise malzemeden tasarruf sağlar ve nesne izlerini " +#~ "azaltır.\n" #~ "Ağaç desteği için, ince stil, dalları daha agresif bir şekilde " #~ "birleştirecek ve çok fazla malzeme tasarrufu sağlayacak (varsayılan), " #~ "hibrit stil ise büyük düz çıkıntılar altında normal desteğe benzer yapı " diff --git a/localization/i18n/uk/OrcaSlicer_uk.po b/localization/i18n/uk/OrcaSlicer_uk.po index 1c0db33441..68eed7af73 100644 --- a/localization/i18n/uk/OrcaSlicer_uk.po +++ b/localization/i18n/uk/OrcaSlicer_uk.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: 2024-06-30 23:05+0300\n" "Last-Translator: \n" "Language-Team: \n" @@ -16,8 +16,8 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" -"%10<=4 && (n%100<12 || n%100>14) ? 1 : 2);\n" +"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && " +"n%10<=4 && (n%100<12 || n%100>14) ? 1 : 2);\n" "X-Generator: Poedit 3.4.4\n" msgid "Supports Painting" @@ -80,6 +80,9 @@ msgstr "Розумний кут заповнення" msgid "On overhangs only" msgstr "Лише на звисах" +msgid "Auto support threshold angle: " +msgstr "Пороговий кут автоматичної підтримки: " + msgid "Circle" msgstr "Коло" @@ -99,9 +102,6 @@ msgstr "Малювання лише на вибраних гранях: \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Виділити межі з відповідним кутом виступу." -msgid "Auto support threshold angle: " -msgstr "Пороговий кут автоматичної підтримки: " - msgid "No auto support" msgstr "Немає автоматичної підтримки" @@ -1981,6 +1981,9 @@ msgstr "Спростити модель" msgid "Center" msgstr "Центр" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "Редагувати налаштування процесу друку" @@ -4151,6 +4154,15 @@ msgstr "Загальний час" msgid "Total cost" msgstr "Загальна вартість" +msgid "up to" +msgstr "аж до" + +msgid "above" +msgstr "вище" + +msgid "from" +msgstr "від" + msgid "Color Scheme" msgstr "Колірна схема" @@ -4214,12 +4226,12 @@ msgstr "Час зміни філаменту" msgid "Cost" msgstr "Витрата" -msgid "Print" -msgstr "Друк" - msgid "Color change" msgstr "Зміна кольору" +msgid "Print" +msgstr "Друк" + msgid "Printer" msgstr "Принтер" @@ -4403,7 +4415,7 @@ msgstr "Об'єм:" msgid "Size:" msgstr "Розмір:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4844,6 +4856,18 @@ msgstr "Прохід 2" msgid "Flow rate test - Pass 2" msgstr "Тест витрати - Пройдено 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "Швидкість потоку" @@ -6151,14 +6175,6 @@ msgstr "Виявлено об'єкт, що складається з кільк msgid "The file does not contain any geometry data." msgstr "Файл не містить геометричних даних." -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "Об'єкт занадто великий" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" @@ -6167,6 +6183,9 @@ msgstr "" "відповідав розміру?\n" "підігрів столу автоматично?" +msgid "Object too large" +msgstr "Об'єкт занадто великий" + msgid "Export STL file:" msgstr "Експорт файлу STL:" @@ -6543,6 +6562,9 @@ msgstr "Ви хочете продовжувати?" msgid "Language selection" msgstr "Вибір мови" +msgid "Switching application language while some presets are modified." +msgstr "Переключення мови програми при зміні деяких пресетів." + msgid "Changing application language" msgstr "Зміна мови програми" @@ -7669,8 +7691,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "При записі таймлапсу без інструментальної головки рекомендується додати " "“Timelapse Wipe Tower” \n" @@ -8554,8 +8576,11 @@ msgstr "Список об'єктів" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "Імпорт геометричних даних із файлів STL/STEP/3MF/OBJ/AMF" -msgid "Shift+G" -msgstr "" +msgid "⌘+Shift+G" +msgstr "⌘+Shift+G" + +msgid "Ctrl+Shift+G" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Вставити з буфера обміну" @@ -8605,18 +8630,33 @@ msgstr "Shift+Tab" msgid "Collapse/Expand the sidebar" msgstr "Згорнути/розгорнути бічну панель" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+будь-яка стрілка" msgid "Movement in camera space" msgstr "Рух у просторі камери" +msgid "⌥+Left mouse button" +msgstr "⌥+Ліва кнопка миші" + msgid "Select a part" msgstr "Виберіть частину" +msgid "⌘+Left mouse button" +msgstr "⌘+Ліва кнопка миші" + msgid "Select multiple objects" msgstr "Вибрати кілька об'єктів" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+будь-яка стрілка" + +msgid "Alt+Left mouse button" +msgstr "Alt+Ліва кнопка миші" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+Ліва кнопка миші" + msgid "Shift+Left mouse button" msgstr "Shift+Ліва кнопка миші" @@ -8719,12 +8759,24 @@ msgstr "Тарілка" msgid "Move: press to snap by 1mm" msgstr "Переміщення: натисніть для переміщення на 1 мм" +msgid "⌘+Mouse wheel" +msgstr "⌘+Колесо миші" + msgid "Support/Color Painting: adjust pen radius" msgstr "Підтримка/Колірне малювання: регулювання радіуса пера" +msgid "⌥+Mouse wheel" +msgstr "⌥+Колесо миші" + msgid "Support/Color Painting: adjust section position" msgstr "Підтримка/кольорове фарбування: регулювання положення секцій" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+Колесо миші" + +msgid "Alt+Mouse wheel" +msgstr "Alt+колесо миші" + msgid "Gizmo" msgstr "Gizmo" @@ -9780,25 +9832,32 @@ msgid "Apply gap fill" msgstr "Заповнення проміжків" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" -msgstr "" -"Вмикає заповнення проміжків для вибраних поверхонь. Мінімальну довжину " -"проміжку, який буде заповнено, можна контролювати за допомогою опції " -"\"Відфільтрувати крихітні проміжки\" нижче.\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"Параметри:\n" -"1. Скрізь: Застосовує заповнення проміжків до верхньої, нижньої та " -"внутрішніх суцільних поверхонь\n" -"2. Верхня та нижня поверхні: Застосовує заповнення лише до верхньої та " -"нижньої поверхонь\n" -"3. Ніде: Вимикає заповнення проміжків\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" +msgstr "" msgid "Everywhere" msgstr "Всюди" @@ -9873,10 +9932,11 @@ msgstr "Потік мосту" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Трохи зменшіть це значення (наприклад, 0.9), щоб зменшити кількість " -"матеріалу для мосту, щоб покращити провисання" msgid "Internal bridge flow ratio" msgstr "Коефіцієнт потоку для внутрішніх мостів" @@ -9884,30 +9944,33 @@ msgstr "Коефіцієнт потоку для внутрішніх мості msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" -"Це значення визначає товщину внутрішнього мостовидного шару. Це перший шар " -"над внутрішнім заповненням. Зменшіть це значення (наприклад, до 0,9), щоб " -"покращити якість поверхні над внутрішнім заповненням." msgid "Top surface flow ratio" msgstr "Коефіцієнт потоку верхньої поверхні" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Цей фактор впливає на кількість матеріалу для заповнення верхнього " -"твердоготіла. Можна трохи зменшити його, щоб отримати гладку " -"шорсткістьповерхні" msgid "Bottom surface flow ratio" msgstr "Коефіцієнт потоку нижньої поверхні" -msgid "This factor affects the amount of material for bottom solid infill" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" -"Цей фактор впливає на кількість матеріалу для заповнення нижнього " -"твердоготіла" msgid "Precise wall" msgstr "Точна стінка" @@ -10081,12 +10144,26 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "Уповільнення для нависаючих периметрів" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." msgstr "" -"Увімкніть цей параметр, щоб сповільнити друк у зонах, де можуть існувати " -"потенційно нависаючі периметри" msgid "mm/s or %" msgstr "мм/с або %" @@ -10094,8 +10171,14 @@ msgstr "мм/с або %" msgid "External" msgstr "Зовнішні" -msgid "Speed of bridge and completely overhang wall" -msgstr "Швидкість мосту і периметр, що повністю звисає" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "мм/с" @@ -10104,11 +10187,9 @@ msgid "Internal" msgstr "Внутрішні" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"Швидкість внутрішнього мосту. Якщо значення виражено у відсотках, воно буде " -"розраховано на основі bridge_speed. Значення за замовчуванням - 150%." msgid "Brim width" msgstr "Ширина кайми" @@ -10744,6 +10825,17 @@ msgstr "" "0,95 до 1,05. Можливо, ви можете налаштувати це значення, щоб отримати " "хорошу плоску поверхню, коли є невелике переповнення або недолив" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "Увімкнути випередження тиску PA" @@ -10923,18 +11015,29 @@ msgstr "мм³/с" msgid "Filament load time" msgstr "Час завантаження філаменту" -msgid "Time to load new filament when switch filament. For statistics only" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" msgstr "" -"Час завантаження нового філаменту при перемиканні філаменту. Тільки для " -"статистики" msgid "Filament unload time" msgstr "Час вивантаження філаменту" -msgid "Time to unload old filament when switch filament. For statistics only" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" msgstr "" -"Час вивантаження нового філаменту при перемиканні філаменту. Тільки для " -"статистики" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11073,15 +11176,6 @@ msgstr "Швидкість останнього охолоджуючого ру msgid "Cooling moves are gradually accelerating towards this speed." msgstr "Охолоджувальні рухи поступово прискорюються до цієї швидкості." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Час для прошивки принтера (або Multi Material Unit 2.0), щоб завести новий " -"філамент під час заміни інструменту (під час виконання коду Т). Цей час " -"додається до загального часу друку за допомогою оцінювача часу G-коду." - msgid "Ramming parameters" msgstr "Параметри раммінгу" @@ -11092,15 +11186,6 @@ msgstr "" "Цей рядок відредаговано у діалогу налаштувань раммінгу та містить певні " "параметри раммінгу." -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"Час для прошивки принтера (або Multi Material Unit 2.0), щоб вивести " -"філамент під час заміни інструменту (під час виконання коду Т). Цей час " -"додається до загального часу друку за допомогою оцінювача часу G-коду." - msgid "Enable ramming for multitool setups" msgstr "Увімкнути накат для багатоінструментальних установок" @@ -11463,10 +11548,10 @@ msgstr "Повна швидкість вентилятора на шарі" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "Швидкість вентилятора лінійно збільшується від нуля на " "рівні«close_fan_the_first_x_layers» до максимуму на рівні " @@ -11540,8 +11625,11 @@ msgstr "Відфільтрувати крихітні зазори" msgid "Layers and Perimeters" msgstr "Шари та периметри" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "Відфільтруйте прогалини, менші за вказаний поріг" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13671,33 +13759,40 @@ msgid "Activate temperature control" msgstr "Увімкнути контроль температури" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"Увімкніть цю опцію для керування температурою в камері. Перед " -"\"machine_start_gcode\" буде додано команду M191\n" -"Команди G-коду: M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "Температура в камері" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"Вища температура камери може допомогти стримувати або зменшувати деформацію " -"та, можливо, підвищити міцність зв’язку між шарами для матеріалів високої " -"температури, таких як ABS, ASA, PC, PA тощо. У той же час, повітряна " -"фільтрація для ABS та ASA може стати гіршею. Однак для PLA, PETG, TPU, PVA " -"та інших матеріалів низької температури фактична температура камери не " -"повинна бути високою, щоб уникнути засмічення, тому рекомендується вимкнути " -"температуру камери (0)" msgid "Nozzle temperature for layers after the initial one" msgstr "Температура сопла для шарів після початкового" @@ -13798,9 +13893,9 @@ msgstr "" "Залежно від тривалості операції витирання, швидкості та тривалості " "втягування екструдера/нитки, може знадобитися рух накату для нитки. \n" "\n" -"Якщо встановити значення у параметрі \"Кількість втягування перед витиранням" -"\" нижче, надлишкове втягування буде виконано перед витиранням, інакше воно " -"буде виконано після нього." +"Якщо встановити значення у параметрі \"Кількість втягування перед " +"витиранням\" нижче, надлишкове втягування буде виконано перед витиранням, " +"інакше воно буде виконано після нього." msgid "" "The wiping tower can be used to clean up the residue on the nozzle and " @@ -15649,8 +15744,8 @@ msgstr "" "Чи бажаєте ви їх перезаписати?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" "Ми б перейменували попередні налаштування на «Вибраний вами серійний " @@ -16979,53 +17074,132 @@ msgstr "" "ABS, відповідне підвищення температури гарячого ліжка може зменшити " "ймовірність деформації." -#~ msgid "up to" -#~ msgstr "аж до" +#~ msgid "" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that " +#~ "will be filled can be controlled from the filter out tiny gaps option " +#~ "below.\n" +#~ "\n" +#~ "Options:\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " +#~ "surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " +#~ "only\n" +#~ "3. Nowhere: Disables gap fill\n" +#~ msgstr "" +#~ "Вмикає заповнення проміжків для вибраних поверхонь. Мінімальну довжину " +#~ "проміжку, який буде заповнено, можна контролювати за допомогою опції " +#~ "\"Відфільтрувати крихітні проміжки\" нижче.\n" +#~ "\n" +#~ "Параметри:\n" +#~ "1. Скрізь: Застосовує заповнення проміжків до верхньої, нижньої та " +#~ "внутрішніх суцільних поверхонь\n" +#~ "2. Верхня та нижня поверхні: Застосовує заповнення лише до верхньої та " +#~ "нижньої поверхонь\n" +#~ "3. Ніде: Вимикає заповнення проміжків\n" -#~ msgid "above" -#~ msgstr "вище" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "" +#~ "Трохи зменшіть це значення (наприклад, 0.9), щоб зменшити кількість " +#~ "матеріалу для мосту, щоб покращити провисання" -#~ msgid "from" -#~ msgstr "від" +#~ msgid "" +#~ "This value governs the thickness of the internal bridge layer. This is " +#~ "the first layer over sparse infill. Decrease this value slightly (for " +#~ "example 0.9) to improve surface quality over sparse infill." +#~ msgstr "" +#~ "Це значення визначає товщину внутрішнього мостовидного шару. Це перший " +#~ "шар над внутрішнім заповненням. Зменшіть це значення (наприклад, до 0,9), " +#~ "щоб покращити якість поверхні над внутрішнім заповненням." -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "Переключення мови програми при зміні деяких пресетів." +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "" +#~ "Цей фактор впливає на кількість матеріалу для заповнення верхнього " +#~ "твердоготіла. Можна трохи зменшити його, щоб отримати гладку " +#~ "шорсткістьповерхні" -#~ msgid "⌘+Shift+G" -#~ msgstr "⌘+Shift+G" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "" +#~ "Цей фактор впливає на кількість матеріалу для заповнення нижнього " +#~ "твердоготіла" -#~ msgid "Ctrl+Shift+G" -#~ msgstr "Ctrl+Shift+G" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "" +#~ "Увімкніть цей параметр, щоб сповільнити друк у зонах, де можуть існувати " +#~ "потенційно нависаючі периметри" -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+будь-яка стрілка" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "Швидкість мосту і периметр, що повністю звисає" -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+Ліва кнопка миші" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "Швидкість внутрішнього мосту. Якщо значення виражено у відсотках, воно " +#~ "буде розраховано на основі bridge_speed. Значення за замовчуванням - 150%." -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+Ліва кнопка миші" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Час завантаження нового філаменту при перемиканні філаменту. Тільки для " +#~ "статистики" -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+будь-яка стрілка" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "" +#~ "Час вивантаження нового філаменту при перемиканні філаменту. Тільки для " +#~ "статистики" -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+Ліва кнопка миші" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Час для прошивки принтера (або Multi Material Unit 2.0), щоб завести " +#~ "новий філамент під час заміни інструменту (під час виконання коду Т). Цей " +#~ "час додається до загального часу друку за допомогою оцінювача часу G-коду." -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+Ліва кнопка миші" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "Час для прошивки принтера (або Multi Material Unit 2.0), щоб вивести " +#~ "філамент під час заміни інструменту (під час виконання коду Т). Цей час " +#~ "додається до загального часу друку за допомогою оцінювача часу G-коду." -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+Колесо миші" +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "Відфільтруйте прогалини, менші за вказаний поріг" -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+Колесо миші" +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "Увімкніть цю опцію для керування температурою в камері. Перед " +#~ "\"machine_start_gcode\" буде додано команду M191\n" +#~ "Команди G-коду: M141/M191 S(0-255)" -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+Колесо миші" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+колесо миші" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "Вища температура камери може допомогти стримувати або зменшувати " +#~ "деформацію та, можливо, підвищити міцність зв’язку між шарами для " +#~ "матеріалів високої температури, таких як ABS, ASA, PC, PA тощо. У той же " +#~ "час, повітряна фільтрація для ABS та ASA може стати гіршею. Однак для " +#~ "PLA, PETG, TPU, PVA та інших матеріалів низької температури фактична " +#~ "температура камери не повинна бути високою, щоб уникнути засмічення, тому " +#~ "рекомендується вимкнути температуру камери (0)" #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " diff --git a/localization/i18n/zh_CN/OrcaSlicer_zh_CN.po b/localization/i18n/zh_CN/OrcaSlicer_zh_CN.po index 604c6c6d7c..c8ac4dbc22 100644 --- a/localization/i18n/zh_CN/OrcaSlicer_zh_CN.po +++ b/localization/i18n/zh_CN/OrcaSlicer_zh_CN.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: Slic3rPE\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: 2024-07-28 07:12+0000\n" "Last-Translator: Handle \n" "Language-Team: \n" @@ -77,6 +77,9 @@ msgstr "智能填充角度" msgid "On overhangs only" msgstr "仅对悬空区生效" +msgid "Auto support threshold angle: " +msgstr "自动支撑角度阈值:" + msgid "Circle" msgstr "圆" @@ -96,9 +99,6 @@ msgstr "绘制仅对由%1%选中的面片生效" msgid "Highlight faces according to overhang angle." msgstr "根据当前设置的悬空角度来高亮片面。" -msgid "Auto support threshold angle: " -msgstr "自动支撑角度阈值:" - msgid "No auto support" msgstr "无自动支撑" @@ -1939,6 +1939,9 @@ msgstr "简化模型" msgid "Center" msgstr "居中" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "编辑工艺参数" @@ -3969,6 +3972,15 @@ msgstr "总时间" msgid "Total cost" msgstr "总成本" +msgid "up to" +msgstr "达到" + +msgid "above" +msgstr "高于" + +msgid "from" +msgstr "从" + msgid "Color Scheme" msgstr "颜色方案" @@ -4032,12 +4044,12 @@ msgstr "换料次数" msgid "Cost" msgstr "成本" -msgid "Print" -msgstr "打印" - msgid "Color change" msgstr "颜色更换" +msgid "Print" +msgstr "打印" + msgid "Printer" msgstr "打印机" @@ -4222,7 +4234,7 @@ msgstr "体积:" msgid "Size:" msgstr "尺寸:" -#, c-format, boost-format +#, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4661,6 +4673,18 @@ msgstr "细调" msgid "Flow rate test - Pass 2" msgstr "流量测试 - 通过 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "流量" @@ -5866,19 +5890,14 @@ msgstr "检测到多零件对象" msgid "The file does not contain any geometry data." msgstr "此文件不包含任何几何数据。" -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "对象太大" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" msgstr "对象看起来太大,希望将对象自动缩小以适应热床吗?" +msgid "Object too large" +msgstr "对象太大" + msgid "Export STL file:" msgstr "导出 STL 文件:" @@ -6234,6 +6253,9 @@ msgstr "是否继续?" msgid "Language selection" msgstr "语言选择" +msgid "Switching application language while some presets are modified." +msgstr "在切换应用语言之前发现某些参数预设有更改。" + msgid "Changing application language" msgstr "正在为应用程序切换语言" @@ -7278,8 +7300,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "在录制无工具头延时摄影视频时,建议添加“延时摄影擦料塔”\n" "右键单击打印板的空白位置,选择“添加标准模型”->“延时摄影擦料塔”。" @@ -8099,7 +8121,10 @@ msgstr "对象列表" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "从STL/STEP/3MF/OBJ/AMF文件中导入几何数据" -msgid "Shift+G" +msgid "⌘+Shift+G" +msgstr "" + +msgid "Ctrl+Shift+G" msgstr "" msgid "Paste from clipboard" @@ -8149,18 +8174,33 @@ msgstr "" msgid "Collapse/Expand the sidebar" msgstr "收起/展开 侧边栏" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+方向键" msgid "Movement in camera space" msgstr "沿相机视角移动对象" +msgid "⌥+Left mouse button" +msgstr "⌥+鼠标左键" + msgid "Select a part" msgstr "选择单个零件" +msgid "⌘+Left mouse button" +msgstr "⌘+鼠标左键" + msgid "Select multiple objects" msgstr "选择多个对象" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+方向键" + +msgid "Alt+Left mouse button" +msgstr "Alt+鼠标左键" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+鼠标左键" + msgid "Shift+Left mouse button" msgstr "Shift+鼠标左键" @@ -8263,12 +8303,24 @@ msgstr "准备" msgid "Move: press to snap by 1mm" msgstr "移动:以1mm为步进移动" +msgid "⌘+Mouse wheel" +msgstr "⌘+鼠标滚轮" + msgid "Support/Color Painting: adjust pen radius" msgstr "支撑/颜色绘制:调节画笔半径" +msgid "⌥+Mouse wheel" +msgstr "⌥+鼠标滚轮" + msgid "Support/Color Painting: adjust section position" msgstr "支撑/色彩绘制:调节剖面位置" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+鼠标滚轮" + +msgid "Alt+Mouse wheel" +msgstr "Alt+鼠标滚轮" + msgid "Gizmo" msgstr "" @@ -9220,14 +9272,31 @@ msgid "Apply gap fill" msgstr "启用间隙填充" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" msgid "Everywhere" @@ -9294,8 +9363,11 @@ msgstr "桥接流量" msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" -msgstr "稍微减小这个数值(比如0.9)可以减小桥接的材料量,来改善下垂。" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." +msgstr "" msgid "Internal bridge flow ratio" msgstr "内部搭桥流量比例" @@ -9303,7 +9375,11 @@ msgstr "内部搭桥流量比例" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" msgid "Top surface flow ratio" @@ -9311,14 +9387,21 @@ msgstr "顶部表面流量比例" msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" -msgstr "稍微减小这个数值(比如0.97)可以来改善顶面的光滑程度。" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." +msgstr "" msgid "Bottom surface flow ratio" msgstr "底部表面流量比例" -msgid "This factor affects the amount of material for bottom solid infill" -msgstr "首层流量调整系数,默认为1.0" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." +msgstr "" msgid "Precise wall" msgstr "精准外墙尺寸" @@ -9468,10 +9551,26 @@ msgstr "启用此选项将降低不同悬垂程度的走线的打印速度" msgid "Slow down for curled perimeters" msgstr "翘边降速" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" -msgstr "启用这个选项,降低可能存在卷曲部位的打印速度" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." +msgstr "" msgid "mm/s or %" msgstr "mm/s 或 %" @@ -9479,8 +9578,14 @@ msgstr "mm/s 或 %" msgid "External" msgstr "外部" -msgid "Speed of bridge and completely overhang wall" -msgstr "桥接和完全悬空的外墙的打印速度" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -9489,11 +9594,9 @@ msgid "Internal" msgstr "内部" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"内部桥接的速度。如果该值以百分比表示,则将根据桥接速度进行计算。默认值为" -"150%。" msgid "Brim width" msgstr "Brim宽度" @@ -10066,6 +10169,17 @@ msgstr "" "量。推荐的范围为0.95到1.05。发现大平层模型的顶面有轻微的缺料或多料时,或许可" "以尝试微调这个参数。" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "启用压力提前" @@ -10240,14 +10354,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "加载耗材丝的时间" -msgid "Time to load new filament when switch filament. For statistics only" -msgstr "切换耗材丝时,加载新耗材丝所需的时间。只用于统计信息。" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" msgid "Filament unload time" msgstr "卸载耗材丝的时间" -msgid "Time to unload old filament when switch filament. For statistics only" -msgstr "切换耗材丝时,卸载旧的耗材丝所需时间。只用于统计信息。" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" +msgstr "" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -10370,14 +10499,6 @@ msgstr "最后一次冷却移动的速度" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "冷却移动向这个速度逐渐加速。" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"在换色时(执行T代码,如T1,T2),打印机固件(或Multi Material Unit 2.0)加载" -"新耗材的所需时间。该时间将会被G-code时间评估功能加到总打印时间上去。" - msgid "Ramming parameters" msgstr "尖端成型参数" @@ -10386,14 +10507,6 @@ msgid "" "parameters." msgstr "此内容由尖端成型窗口编辑,包含尖端成型的特定参数。" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"换色期间(执行T代码时如T1,T2),打印机固件(或MMU2.0)卸载耗材所需时间。该时" -"间将会被G-code时间评估功能加到总打印时间上去。" - msgid "Enable ramming for multitool setups" msgstr "启用多色尖端成型设置" @@ -10718,10 +10831,10 @@ msgstr "满速风扇在" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "风扇速度将从“禁用第一层”的零线性上升到“全风扇速度层”的最大。如果低于“禁用风扇" "第一层”,则“全风扇速度第一层”将被忽略,在这种情况下,风扇将在“禁用风扇第一" @@ -10782,8 +10895,11 @@ msgstr "忽略微小间隙" msgid "Layers and Perimeters" msgstr "层和墙" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "忽略小于指定阈值的间隙" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -12677,30 +12793,40 @@ msgid "Activate temperature control" msgstr "激活温度控制" msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"启用该选项以控制打印仓温度,这将会在\"machine_start_gcode\"之前添加一个M191命" -"令。\n" -"G-code命令:M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "机箱温度" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" -"更高的腔温可以帮助抑制或减少翘曲,同时可能会提高高温材料(如ABS、ASA、PC、PA" -"等)的层间粘合强度。与此同时,ABS和ASA的空气过滤性能会变差。而对于PLA、PETG、" -"TPU、PVA等低温材料,为了避免堵塞,实际的腔温不应该过高,因此强烈建议使用0(表" -"示关闭)。" msgid "Nozzle temperature for layers after the initial one" msgstr "除首层外的其它层的喷嘴温度" @@ -14506,8 +14632,8 @@ msgstr "" "你想重写预设吗" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" "我们将会把预设重命名为“供应商类型名 @ 您选择的打印机”\n" @@ -15695,47 +15821,82 @@ msgstr "" "避免翘曲\n" "您知道吗?打印ABS这类易翘曲材料时,适当提高热床温度可以降低翘曲的概率。" -#~ msgid "up to" -#~ msgstr "达到" +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "稍微减小这个数值(比如0.9)可以减小桥接的材料量,来改善下垂。" -#~ msgid "above" -#~ msgstr "高于" +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "稍微减小这个数值(比如0.97)可以来改善顶面的光滑程度。" -#~ msgid "from" -#~ msgstr "从" +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "首层流量调整系数,默认为1.0" -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "在切换应用语言之前发现某些参数预设有更改。" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "启用这个选项,降低可能存在卷曲部位的打印速度" -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+方向键" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "桥接和完全悬空的外墙的打印速度" -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+鼠标左键" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "内部桥接的速度。如果该值以百分比表示,则将根据桥接速度进行计算。默认值为" +#~ "150%。" -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+鼠标左键" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "切换耗材丝时,加载新耗材丝所需的时间。只用于统计信息。" -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+方向键" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "切换耗材丝时,卸载旧的耗材丝所需时间。只用于统计信息。" -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+鼠标左键" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "在换色时(执行T代码,如T1,T2),打印机固件(或Multi Material Unit 2.0)加" +#~ "载新耗材的所需时间。该时间将会被G-code时间评估功能加到总打印时间上去。" -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+鼠标左键" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "换色期间(执行T代码时如T1,T2),打印机固件(或MMU2.0)卸载耗材所需时间。" +#~ "该时间将会被G-code时间评估功能加到总打印时间上去。" -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+鼠标滚轮" +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "忽略小于指定阈值的间隙" -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+鼠标滚轮" +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "启用该选项以控制打印仓温度,这将会在\"machine_start_gcode\"之前添加一个" +#~ "M191命令。\n" +#~ "G-code命令:M141/M191 S(0-255)" -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+鼠标滚轮" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+鼠标滚轮" +#~ msgid "" +#~ "Higher chamber temperature can help suppress or reduce warping and " +#~ "potentially lead to higher interlayer bonding strength for high " +#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " +#~ "TPU, PVA and other low temperature materials,the actual chamber " +#~ "temperature should not be high to avoid cloggings, so 0 which stands for " +#~ "turning off is highly recommended" +#~ msgstr "" +#~ "更高的腔温可以帮助抑制或减少翘曲,同时可能会提高高温材料(如ABS、ASA、PC、" +#~ "PA等)的层间粘合强度。与此同时,ABS和ASA的空气过滤性能会变差。而对于PLA、" +#~ "PETG、TPU、PVA等低温材料,为了避免堵塞,实际的腔温不应该过高,因此强烈建议" +#~ "使用0(表示关闭)。" #~ msgid "" #~ "Different nozzle diameters and different filament diameters is not " @@ -16001,8 +16162,8 @@ msgstr "" #~ msgstr "无稀疏层(实验)" #~ msgid "" -#~ "We would rename the presets as \"Vendor Type Serial @printer you selected" -#~ "\". \n" +#~ "We would rename the presets as \"Vendor Type Serial @printer you " +#~ "selected\". \n" #~ "To add preset for more prinetrs, Please go to printer selection" #~ msgstr "" #~ "我们会将预设重命名为“供应商 类型 系列 @您选择的打印机”。\n" diff --git a/localization/i18n/zh_TW/OrcaSlicer_zh_TW.po b/localization/i18n/zh_TW/OrcaSlicer_zh_TW.po index 4ff1c7b512..702424b747 100644 --- a/localization/i18n/zh_TW/OrcaSlicer_zh_TW.po +++ b/localization/i18n/zh_TW/OrcaSlicer_zh_TW.po @@ -6,7 +6,7 @@ msgid "" msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2024-08-03 18:54+0200\n" +"POT-Creation-Date: 2024-08-23 16:24+0200\n" "PO-Revision-Date: 2023-11-06 14:37+0800\n" "Last-Translator: ablegods \n" "Language-Team: \n" @@ -85,6 +85,9 @@ msgstr "智慧填充角度" msgid "On overhangs only" msgstr "僅對懸空區生效" +msgid "Auto support threshold angle: " +msgstr "自動支撐角度臨界值:" + #, fuzzy msgid "Circle" msgstr "圓形" @@ -107,9 +110,6 @@ msgstr "僅允許在由以下條件選擇的平面上進行繪製:%1%" msgid "Highlight faces according to overhang angle." msgstr "根據懸空角度突出顯示面。" -msgid "Auto support threshold angle: " -msgstr "自動支撐角度臨界值:" - msgid "No auto support" msgstr "無自動支撐" @@ -1979,6 +1979,9 @@ msgstr "簡化模型" msgid "Center" msgstr "居中" +msgid "Drop" +msgstr "" + msgid "Edit Process Settings" msgstr "編輯列印參數" @@ -4094,6 +4097,15 @@ msgstr "總時間" msgid "Total cost" msgstr "總成本" +msgid "up to" +msgstr "達到" + +msgid "above" +msgstr "高於" + +msgid "from" +msgstr "從" + msgid "Color Scheme" msgstr "顏色方案" @@ -4161,12 +4173,12 @@ msgstr "更換線材次數" msgid "Cost" msgstr "成本" -msgid "Print" -msgstr "列印" - msgid "Color change" msgstr "顏色更換" +msgid "Print" +msgstr "列印" + #, fuzzy msgid "Printer" msgstr "列印設備" @@ -4356,7 +4368,7 @@ msgstr "體積:" msgid "Size:" msgstr "尺寸:" -#, fuzzy, c-format, boost-format +#, fuzzy, boost-format msgid "" "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " "separate the conflicted objects farther (%s <-> %s)." @@ -4815,6 +4827,18 @@ msgstr "細調" msgid "Flow rate test - Pass 2" msgstr "流量測試 - 通過 2" +msgid "YOLO (Recommended)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.01 step" +msgstr "" + +msgid "YOLO (perfectionist version)" +msgstr "" + +msgid "Orca YOLO flowrate calibration, 0.005 step" +msgstr "" + msgid "Flow rate" msgstr "流量" @@ -6066,19 +6090,14 @@ msgstr "偵測到多零件物件" msgid "The file does not contain any geometry data." msgstr "此檔案不包含任何幾何數據。" -msgid "" -"Your object appears to be too large. It will be scaled down to fit the heat " -"bed automatically." -msgstr "" - -msgid "Object too large" -msgstr "物件太大" - msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" msgstr "物件看起來太大,希望將物件自動縮小以適應列印板嗎?" +msgid "Object too large" +msgstr "物件太大" + msgid "Export STL file:" msgstr "匯出 STL 檔案:" @@ -6443,6 +6462,9 @@ msgstr "是否繼續?" msgid "Language selection" msgstr "語言選擇" +msgid "Switching application language while some presets are modified." +msgstr "在切換應用語言之前發現某些參數預設有更改。" + msgid "Changing application language" msgstr "正在為應用程式切換語言" @@ -7538,8 +7560,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add Primitive" -"\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add " +"Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "在錄製無工具頭縮時錄影影片時,建議增加“縮時錄影擦拭塔”\n" "右鍵單擊列印板的空白位置,選擇“新增標準模型”->“縮時錄影擦拭塔”。" @@ -8399,7 +8421,10 @@ msgstr "物件清單" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" msgstr "從 STL/STEP/3MF/OBJ/AMF 檔案中匯入幾何數據" -msgid "Shift+G" +msgid "⌘+Shift+G" +msgstr "" + +msgid "Ctrl+Shift+G" msgstr "" msgid "Paste from clipboard" @@ -8453,20 +8478,35 @@ msgstr "" msgid "Collapse/Expand the sidebar" msgstr "摺疊/展開 側邊欄" -msgid "Any arrow" -msgstr "" +msgid "⌘+Any arrow" +msgstr "⌘+方向鍵" #, fuzzy msgid "Movement in camera space" msgstr "沿相機視角移動物件" +msgid "⌥+Left mouse button" +msgstr "⌥+滑鼠左鍵" + msgid "Select a part" msgstr "選擇單一零件" +msgid "⌘+Left mouse button" +msgstr "⌘+滑鼠左鍵" + #, fuzzy msgid "Select multiple objects" msgstr "選擇多個物件" +msgid "Ctrl+Any arrow" +msgstr "Ctrl+方向鍵" + +msgid "Alt+Left mouse button" +msgstr "Alt+滑鼠左鍵" + +msgid "Ctrl+Left mouse button" +msgstr "Ctrl+滑鼠左鍵" + msgid "Shift+Left mouse button" msgstr "Shift+滑鼠左鍵" @@ -8576,12 +8616,24 @@ msgstr "準備" msgid "Move: press to snap by 1mm" msgstr "移動:以 1mm 為單位步進移動" +msgid "⌘+Mouse wheel" +msgstr "⌘+滑鼠滾輪" + msgid "Support/Color Painting: adjust pen radius" msgstr "支撐/顏色繪製:調整筆刷半徑" +msgid "⌥+Mouse wheel" +msgstr "⌥+滑鼠滾輪" + msgid "Support/Color Painting: adjust section position" msgstr "支撐/色彩繪製:調整剖面位置" +msgid "Ctrl+Mouse wheel" +msgstr "Ctrl+滑鼠滾輪" + +msgid "Alt+Mouse wheel" +msgstr "Alt+滑鼠滾輪" + msgid "Gizmo" msgstr "" @@ -9568,14 +9620,31 @@ msgid "Apply gap fill" msgstr "" msgid "" -"Enables gap fill for the selected surfaces. The minimum gap length that will " -"be filled can be controlled from the filter out tiny gaps option below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length " +"that will be filled can be controlled from the filter out tiny gaps option " +"below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " +"for maximum strength\n" "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only\n" -"3. Nowhere: Disables gap fill\n" +"only, balancing print speed, reducing potential over extrusion in the solid " +"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"3. Nowhere: Disables gap fill for all solid infill areas. \n" +"\n" +"Note that if using the classic perimeter generator, gap fill may also be " +"generated between perimeters, if a full width line cannot fit between them. " +"That perimeter gap fill is not controlled by this setting. \n" +"\n" +"If you would like all gap fill, including the classic perimeter generated " +"one, removed, set the filter out tiny gaps value to a large number, like " +"999999. \n" +"\n" +"However this is not advised, as gap fill between perimeters is contributing " +"to the model's strength. For models where excessive gap fill is generated " +"between perimeters, a better option would be to switch to the arachne wall " +"generator and use this option to control whether the cosmetic top and bottom " +"surface gap fill is generated" msgstr "" msgid "Everywhere" @@ -9645,11 +9714,13 @@ msgstr "外部橋接的密度。 100% 意味著堅固的橋樑。 預設值為 1 msgid "Bridge flow ratio" msgstr "橋接流量" -#, fuzzy msgid "" "Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag" -msgstr "稍微減小這個數值(比如 0.9)可以減小橋接的線材量,來改善下垂。" +"material for bridge, to improve sag. \n" +"\n" +"The actual bridge flow used is calculated by multiplying this value with the " +"filament flow ratio, and if set, the object's flow ratio." +msgstr "" msgid "Internal bridge flow ratio" msgstr "" @@ -9657,24 +9728,33 @@ msgstr "" msgid "" "This value governs the thickness of the internal bridge layer. This is the " "first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill." +"0.9) to improve surface quality over sparse infill.\n" +"\n" +"The actual internal bridge flow used is calculated by multiplying this value " +"with the bridge flow ratio, the filament flow ratio, and if set, the " +"object's flow ratio." msgstr "" msgid "Top surface flow ratio" msgstr "頂部表面流量比例" -#, fuzzy msgid "" "This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish" -msgstr "稍微減小這個數值(比如 0.97)可以來改善頂面的光滑程度。" +"decrease it slightly to have smooth surface finish. \n" +"\n" +"The actual top surface flow used is calculated by multiplying this value " +"with the filament flow ratio, and if set, the object's flow ratio." +msgstr "" msgid "Bottom surface flow ratio" msgstr "底部表面流量比例" -#, fuzzy -msgid "This factor affects the amount of material for bottom solid infill" -msgstr "首層流量調整係數,預設為 1.0" +msgid "" +"This factor affects the amount of material for bottom solid infill. \n" +"\n" +"The actual bottom solid infill flow used is calculated by multiplying this " +"value with the filament flow ratio, and if set, the object's flow ratio." +msgstr "" #, fuzzy msgid "Precise wall" @@ -9815,10 +9895,26 @@ msgstr "打開這個選項將降低不同懸垂程度的走線的列印速度" msgid "Slow down for curled perimeters" msgstr "翹邊降速" +#, c-format, boost-format msgid "" -"Enable this option to slow printing down in areas where potential curled " -"perimeters may exist" -msgstr "啟用此選項降低可能存在潛在翹邊區域的列印速度" +"Enable this option to slow down printing in areas where perimeters may have " +"curled upwards.For example, additional slowdown will be applied when " +"printing overhangs on sharp corners like the front of the Benchy hull, " +"reducing curling which compounds over multiple layers.\n" +"\n" +" It is generally recommended to have this option switched on unless your " +"printer cooling is powerful enough or the print speed slow enough that " +"perimeter curling does not happen. If printing with a high external " +"perimeter speed, this parameter may introduce slight artifacts when slowing " +"down due to the large variance in print speeds. If you notice artifacts, " +"ensure your pressure advance is tuned correctly.\n" +"\n" +"Note: When this option is enabled, overhang perimeters are treated like " +"overhangs, meaning the overhang speed is applied even if the overhanging " +"perimeter is part of a bridge. For example, when the perimeters are " +"100% overhanging, with no wall supporting them from underneath, the " +"100% overhang speed will be applied." +msgstr "" msgid "mm/s or %" msgstr "mm/s 或 %" @@ -9827,8 +9923,14 @@ msgstr "mm/s 或 %" msgid "External" msgstr "外部" -msgid "Speed of bridge and completely overhang wall" -msgstr "橋接和完全懸空的外牆的列印速度" +msgid "" +"Speed of the externally visible bridge extrusions. \n" +"\n" +"In addition, if Slow down for curled perimeters is disabled or Classic " +"overhang mode is enabled, it will be the print speed of overhang walls that " +"are supported by less than 13%, whether they are part of a bridge or an " +"overhang." +msgstr "" msgid "mm/s" msgstr "mm/s" @@ -9838,11 +9940,9 @@ msgid "Internal" msgstr "內部" msgid "" -"Speed of internal bridge. If the value is expressed as a percentage, it will " -"be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it " +"will be calculated based on the bridge_speed. Default value is 150%." msgstr "" -"內部橋接速度。 如果該值以百分比表示,則會根據 橋接速度 進行計算。 預設值為 " -"150%" #, fuzzy msgid "Brim width" @@ -10382,6 +10482,17 @@ msgstr "" "量。推薦的範圍為 0.95 到 1.05。發現大平層模型的頂面有輕微的缺料或多料時,或許" "可以嘗試微調這個參數。" +msgid "" +"The material may have volumetric change after switching between molten state " +"and crystalline state. This setting changes all extrusion flow of this " +"filament in gcode proportionally. Recommended value range is between 0.95 " +"and 1.05. Maybe you can tune this value to get nice flat surface when there " +"has slight overflow or underflow. \n" +"\n" +"The final object flow ratio is this value multiplied by the filament flow " +"ratio." +msgstr "" + msgid "Enable pressure advance" msgstr "啟用壓力提前" @@ -10555,14 +10666,29 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "進料的時間" -msgid "Time to load new filament when switch filament. For statistics only" -msgstr "切換線材時,進料所需的時間。只用於統計資訊。" +msgid "" +"Time to load new filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" msgid "Filament unload time" msgstr "退料的時間" -msgid "Time to unload old filament when switch filament. For statistics only" -msgstr "切換線材時,退料所需時間。只用於統計資訊。" +msgid "" +"Time to unload old filament when switch filament. It's usually applicable " +"for single-extruder multi-material machines. For tool changers or multi-tool " +"machines, it's typically 0. For statistics only" +msgstr "" + +msgid "Tool change time" +msgstr "" + +msgid "" +"Time taken to switch tools. It's usually applicable for tool changers or " +"multi-tool machines. For single-extruder multi-material machines, it's " +"typically 0. For statistics only" +msgstr "" msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -10690,15 +10816,6 @@ msgstr "最後一次冷卻移動的速度" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "冷卻移動向這個速度逐漸加速。" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to load a new " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"在換色時(執行 T-code ,如 T1,T2),列印設備韌體(或 Multi Material Unit " -"2.0)載入新線材的所需時間。該時間將會被 G-code 時間評估功能加到總列印時間上" -"去。" - msgid "Ramming parameters" msgstr "尖端成型參數" @@ -10707,14 +10824,6 @@ msgid "" "parameters." msgstr "此內容由尖端成型欄位編輯,包含尖端成型的特定參數。" -msgid "" -"Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " -"filament during a tool change (when executing the T code). This time is " -"added to the total print time by the G-code time estimator." -msgstr "" -"換色期間(執行T-cide 時如 T1,T2),列印設備韌體(或 Multi Material Unit " -"2.0)退出線材所需時間。該時間將會被 G-code 時間評估功能加到總列印時間上去。" - msgid "Enable ramming for multitool setups" msgstr "使用多色尖端成形設定" @@ -11048,10 +11157,10 @@ msgstr "滿速風扇在" msgid "" "Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer" -"\". \"full_fan_speed_layer\" will be ignored if lower than " -"\"close_fan_the_first_x_layers\", in which case the fan will be running at " -"maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +"\"close_fan_the_first_x_layers\" to maximum at layer " +"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " +"than \"close_fan_the_first_x_layers\", in which case the fan will be running " +"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" "風扇速度將從“禁用第一層”的零線性上升到“全風扇速度層”的最大。如果低於“禁用風扇" "第一層”,則“全風扇速度第一層”將被忽略,在這種情況下,風扇將在“禁用風扇第一" @@ -11118,8 +11227,11 @@ msgstr "忽略微小間隙" msgid "Layers and Perimeters" msgstr "層和牆" -msgid "Filter out gaps smaller than the threshold specified" -msgstr "忽略小於指定數值的間隙" +msgid "" +"Don't print gap fill with a length is smaller than the threshold specified " +"(in mm). This setting applies to top, bottom and solid infill and, if using " +"the classic perimeter generator, to wall gap fill. " +msgstr "" msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -13000,27 +13112,40 @@ msgstr "此設定決定是否為樹狀支撐內部的空間產生填充。" msgid "Activate temperature control" msgstr "啟動溫度控制" -#, fuzzy msgid "" -"Enable this option for chamber temperature control. An M191 command will be " -"added before \"machine_start_gcode\"\n" -"G-code commands: M141/M191 S(0-255)" +"Enable this option for automated chamber temperature control. This option " +"activates the emitting of an M191 command before the " +"\"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In " +"addition, it emits an M141 command at the end of the print to turn off the " +"chamber heater, if present. \n" +"\n" +"This option relies on the firmware supporting the M191 and M141 commands " +"either via macros or natively and is usually used when an active chamber " +"heater is installed." msgstr "" -"啟用此選項以控製列印設備內部溫度。 在「machine_start_gcode」之前將會新增一個" -"M191指令\n" -"G碼指令:M141/M191 S(0-255)" msgid "Chamber temperature" msgstr "機箱溫度" msgid "" -"Higher chamber temperature can help suppress or reduce warping and " -"potentially lead to higher interlayer bonding strength for high temperature " -"materials like ABS, ASA, PC, PA and so on.At the same time, the air " -"filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and " -"other low temperature materials,the actual chamber temperature should not be " -"high to avoid cloggings, so 0 which stands for turning off is highly " -"recommended" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " +"temperature can help suppress or reduce warping and potentially lead to " +"higher interlayer bonding strength. However, at the same time, a higher " +"chamber temperature will reduce the efficiency of air filtration for ABS and " +"ASA. \n" +"\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " +"should be disabled (set to 0) as the chamber temperature should be low to " +"avoid extruder clogging caused by material softening at the heat break.\n" +"\n" +"If enabled, this parameter also sets a gcode variable named " +"chamber_temperature, which can be used to pass the desired chamber " +"temperature to your print start macro, or a heat soak macro like this: " +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " +"be useful if your printer does not support M141/M191 commands, or if you " +"desire to handle heat soaking in the print start macro if no active chamber " +"heater is installed." msgstr "" msgid "Nozzle temperature for layers after the initial one" @@ -14831,8 +14956,8 @@ msgid "" msgstr "" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you selected" -"\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you " +"selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" @@ -15927,47 +16052,74 @@ msgid "" "probability of warping." msgstr "" -#~ msgid "up to" -#~ msgstr "達到" +#, fuzzy +#~ msgid "" +#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " +#~ "material for bridge, to improve sag" +#~ msgstr "稍微減小這個數值(比如 0.9)可以減小橋接的線材量,來改善下垂。" -#~ msgid "above" -#~ msgstr "高於" +#, fuzzy +#~ msgid "" +#~ "This factor affects the amount of material for top solid infill. You can " +#~ "decrease it slightly to have smooth surface finish" +#~ msgstr "稍微減小這個數值(比如 0.97)可以來改善頂面的光滑程度。" -#~ msgid "from" -#~ msgstr "從" +#, fuzzy +#~ msgid "This factor affects the amount of material for bottom solid infill" +#~ msgstr "首層流量調整係數,預設為 1.0" -#~ msgid "Switching application language while some presets are modified." -#~ msgstr "在切換應用語言之前發現某些參數預設有更改。" +#~ msgid "" +#~ "Enable this option to slow printing down in areas where potential curled " +#~ "perimeters may exist" +#~ msgstr "啟用此選項降低可能存在潛在翹邊區域的列印速度" -#~ msgid "⌘+Any arrow" -#~ msgstr "⌘+方向鍵" +#~ msgid "Speed of bridge and completely overhang wall" +#~ msgstr "橋接和完全懸空的外牆的列印速度" -#~ msgid "⌥+Left mouse button" -#~ msgstr "⌥+滑鼠左鍵" +#~ msgid "" +#~ "Speed of internal bridge. If the value is expressed as a percentage, it " +#~ "will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "" +#~ "內部橋接速度。 如果該值以百分比表示,則會根據 橋接速度 進行計算。 預設值" +#~ "為 150%" -#~ msgid "⌘+Left mouse button" -#~ msgstr "⌘+滑鼠左鍵" +#~ msgid "Time to load new filament when switch filament. For statistics only" +#~ msgstr "切換線材時,進料所需的時間。只用於統計資訊。" -#~ msgid "Ctrl+Any arrow" -#~ msgstr "Ctrl+方向鍵" +#~ msgid "" +#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "切換線材時,退料所需時間。只用於統計資訊。" -#~ msgid "Alt+Left mouse button" -#~ msgstr "Alt+滑鼠左鍵" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " +#~ "new filament during a tool change (when executing the T code). This time " +#~ "is added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "在換色時(執行 T-code ,如 T1,T2),列印設備韌體(或 Multi Material Unit " +#~ "2.0)載入新線材的所需時間。該時間將會被 G-code 時間評估功能加到總列印時間" +#~ "上去。" -#~ msgid "Ctrl+Left mouse button" -#~ msgstr "Ctrl+滑鼠左鍵" +#~ msgid "" +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " +#~ "a filament during a tool change (when executing the T code). This time is " +#~ "added to the total print time by the G-code time estimator." +#~ msgstr "" +#~ "換色期間(執行T-cide 時如 T1,T2),列印設備韌體(或 Multi Material Unit " +#~ "2.0)退出線材所需時間。該時間將會被 G-code 時間評估功能加到總列印時間上" +#~ "去。" -#~ msgid "⌘+Mouse wheel" -#~ msgstr "⌘+滑鼠滾輪" +#~ msgid "Filter out gaps smaller than the threshold specified" +#~ msgstr "忽略小於指定數值的間隙" -#~ msgid "⌥+Mouse wheel" -#~ msgstr "⌥+滑鼠滾輪" - -#~ msgid "Ctrl+Mouse wheel" -#~ msgstr "Ctrl+滑鼠滾輪" - -#~ msgid "Alt+Mouse wheel" -#~ msgstr "Alt+滑鼠滾輪" +#, fuzzy +#~ msgid "" +#~ "Enable this option for chamber temperature control. An M191 command will " +#~ "be added before \"machine_start_gcode\"\n" +#~ "G-code commands: M141/M191 S(0-255)" +#~ msgstr "" +#~ "啟用此選項以控製列印設備內部溫度。 在「machine_start_gcode」之前將會新增一" +#~ "個M191指令\n" +#~ "G碼指令:M141/M191 S(0-255)" #~ msgid "Wipe tower extruder" #~ msgstr "擦拭塔擠出機" From 1ff54248191b96b1a179a3a9664936fe5ea9502b Mon Sep 17 00:00:00 2001 From: Ioannis Giannakas <59056762+igiannakas@users.noreply.github.com> Date: Tue, 27 Aug 2024 18:26:43 +0300 Subject: [PATCH 20/35] Bug fix: Avoid crossing walls feature removes some retraction wipes (#6518) * Bug fix: Avoid crossing walls feature removes some retraction wipes * Merge remote-tracking branch 'upstream/main' into Bug-Fix-Avoid-crossing-walls-removing-wipe-moves-when-retraction-was-happening * Merge branch 'main' into Bug-Fix-Avoid-crossing-walls-removing-wipe-moves-when-retraction-was-happening * Merge branch 'main' into Bug-Fix-Avoid-crossing-walls-removing-wipe-moves-when-retraction-was-happening --- src/libslic3r/GCode.cpp | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/src/libslic3r/GCode.cpp b/src/libslic3r/GCode.cpp index 1b6335e169..9ed689b5c5 100644 --- a/src/libslic3r/GCode.cpp +++ b/src/libslic3r/GCode.cpp @@ -5892,8 +5892,10 @@ std::string GCode::travel_to(const Point& point, ExtrusionRole role, std::string // generate G-code for the travel move if (needs_retraction) { - if (m_config.reduce_crossing_wall && could_be_wipe_disabled) - m_wipe.reset_path(); + // ORCA: Fix scenario where wipe is disabled when avoid crossing perimeters was enabled even though a retraction move was performed. + // This replicates the existing behaviour of always wiping when retracting + /*if (m_config.reduce_crossing_wall && could_be_wipe_disabled) + m_wipe.reset_path();*/ Point last_post_before_retract = this->last_pos(); gcode += this->retract(false, false, lift_type); From c30ffb189542152e47e3e2d2df1f5cf00b81bfff Mon Sep 17 00:00:00 2001 From: Kenneth Jiang Date: Tue, 27 Aug 2024 08:28:02 -0700 Subject: [PATCH 21/35] Profiles for Kingroon KLP1 and KP3S V1 (#6554) * Kingroon KLP1 profiles * Kingroon KP3S V1 profiles * Make cover png file size more reasonable * copy/paste error in the profile name * Merge branch 'main' into kingroon-klp1-profiles --- resources/profiles/Kingroon.json | 26 +++++- .../profiles/Kingroon/Kingroon KLP1_cover.png | Bin 0 -> 169796 bytes .../Kingroon/Kingroon KP3S V1_cover.png | Bin 0 -> 126962 bytes .../filament/Kingroon Generic ABS.json | 2 + .../filament/Kingroon Generic ASA.json | 2 + .../filament/Kingroon Generic PA-CF.json | 4 +- .../filament/Kingroon Generic PA.json | 4 +- .../filament/Kingroon Generic PC.json | 4 +- .../filament/Kingroon Generic PETG.json | 2 + .../filament/Kingroon Generic PLA-CF.json | 4 +- .../filament/Kingroon Generic PLA.json | 2 + .../filament/Kingroon Generic PVA.json | 2 + .../filament/Kingroon Generic TPU.json | 2 + .../machine/Kingroon KLP1 0.4 nozzle.json | 61 +++++++++++++ .../Kingroon/machine/Kingroon KLP1.json | 10 +++ .../machine/Kingroon KP3S V1 0.4 nozzle.json | 85 ++++++++++++++++++ .../Kingroon/machine/Kingroon KP3S V1.json | 10 +++ .../0.12mm Standard @Kingroon KLP1.json | 13 +++ .../0.20mm Standard @Kingroon KLP1.json | 13 +++ .../0.20mm Standard @Kingroon KP3S V1.json | 45 ++++++++++ 20 files changed, 286 insertions(+), 5 deletions(-) create mode 100644 resources/profiles/Kingroon/Kingroon KLP1_cover.png create mode 100644 resources/profiles/Kingroon/Kingroon KP3S V1_cover.png create mode 100644 resources/profiles/Kingroon/machine/Kingroon KLP1 0.4 nozzle.json create mode 100644 resources/profiles/Kingroon/machine/Kingroon KLP1.json create mode 100644 resources/profiles/Kingroon/machine/Kingroon KP3S V1 0.4 nozzle.json create mode 100644 resources/profiles/Kingroon/machine/Kingroon KP3S V1.json create mode 100644 resources/profiles/Kingroon/process/0.12mm Standard @Kingroon KLP1.json create mode 100644 resources/profiles/Kingroon/process/0.20mm Standard @Kingroon KLP1.json create mode 100644 resources/profiles/Kingroon/process/0.20mm Standard @Kingroon KP3S V1.json diff --git a/resources/profiles/Kingroon.json b/resources/profiles/Kingroon.json index 099668cd66..90896d3e62 100644 --- a/resources/profiles/Kingroon.json +++ b/resources/profiles/Kingroon.json @@ -13,9 +13,17 @@ "name": "Kingroon KP3S PRO V2", "sub_path": "machine/Kingroon KP3S PRO V2.json" }, - { + { "name": "Kingroon KP3S 3.0", "sub_path": "machine/Kingroon KP3S 3.0.json" + }, + { + "name": "Kingroon KP3S V1", + "sub_path": "machine/Kingroon KP3S V1.json" + }, + { + "name": "Kingroon KLP1", + "sub_path": "machine/Kingroon KLP1.json" } ], "process_list": [ @@ -42,6 +50,18 @@ { "name": "0.30mm Standard @Kingroon KP3S 3.0", "sub_path": "process/0.30mm Standard @Kingroon KP3S 3.0.json" + }, + { + "name": "0.20mm Standard @Kingroon KP3S V1", + "sub_path": "process/0.20mm Standard @Kingroon KP3S V1.json" + }, + { + "name": "0.12mm Standard @Kingroon KLP1", + "sub_path": "process/0.12mm Standard @Kingroon KLP1.json" + }, + { + "name": "0.20mm Standard @Kingroon KLP1", + "sub_path": "process/0.20mm Standard @Kingroon KLP1.json" } ], "filament_list": [ @@ -142,6 +162,10 @@ { "name": "Kingroon KP3S 0.4 nozzle", "sub_path": "machine/Kingroon KP3S 3.0 0.4 nozzle.json" + }, + { + "name": "Kingroon KLP1 0.4 nozzle", + "sub_path": "machine/Kingroon KLP1 0.4 nozzle.json" } ] } diff --git a/resources/profiles/Kingroon/Kingroon KLP1_cover.png b/resources/profiles/Kingroon/Kingroon KLP1_cover.png new file mode 100644 index 0000000000000000000000000000000000000000..5fb71eb9b977d25ce148f03d8b9b245083c39b4b GIT binary patch literal 169796 zcmeFY1yo$!wl0Wkkc0@qU4j%YMd9v20>Oh64n?4F4<6jzEw}`C0>Oh5+=6@I4o!YP z=l5dp<>6jEjM3mw;Ge)D{v>&L!NC*2A^$RlgHwYi z{9~*O&kBd|Fi-mMHil>WW&HGE>>pqThx8kL(!=M^KdFcJ1JbXb!bT7SFxhKU2oz#x z3b7$$V`XL`qf{%9f_5LjFl6}$pK{JfU{;b6MVRYZX=~(2M33V_wx-8mz07J2lqI{ zO!Y1Ft-Ku25Msrw|5Ht7Co7wuNN^x0;KR@g4Am!dva+}sX z0=3|$cq{*!OcY`ZCgWmeVP>Haz#tTfyipyCb>EBMVKe=E>V)!7CNPzKvU>}?If;tmh$Q~sUic2H&T zpT_-9Ks}KEEs)LcA^P`v{c-tUngeQP{4W&wdF5BOUxMRTpMi`FfyNM9D}AVdnU%f? z7+_;<0s{Ow`KNb558eUFLyXLfoyGK_V1b{3&cw>X#LlAnd&)4d@Bmp@K!AUu{3i@i zTd+P9Vyg;)SPJ})^YT}uztaC56!;(1VdYT$J@5Xi&MzRpQvMT${6iuc=|lDZ0p(vU z>aVo_h$Al#lrpn>SeNr(tovZ&Uvf|d{Qe(jf4^X9_De3==-b+Xe})=A#qY89NAmrV zTR(Yz30a^W#2D(RZwnSSd5Fh) zDBoaPI{{-`h!xo%iAM&7km=jlSehB?|6Ciu!P@AzBKSw%|Gv(@VEk9C_5aO?Gc?t= zHUS$60DfQF?-T#Lus<#MAA*$Y=RKQ)`}d6hpAFK7&@?h;H{@Uf8yXog@fvWjGa2xL z4Vc)txmXR2jluec#;m_<`F|%!?erb~KMB$Qo!#~~CH8;TZCq?D94u_CY)qV7U`{4B zUJf=UeGXoO2M6-9aTxM&^6K*#{Ga5u|7Dfs-xQOd_2!S_^Sgomiz~}-Yc&Gfn*IA6 z`LhE2MN7lq3ozL))%5>>HUIx4Em^?EtlaDmY01k8=3(OI;NW25G2mih;$-9CWjE$# z(`RQf{ypmcYpUt5ZNNWvW4|<+f7`wN?06q8DB7Btm|5#via`wRf9_v?Yif-C(@o94 zg!%IZ_nWA{i1>A*X9O{P5c9{~A85>F$YQ|FZp_4?&tlBP!^XkNWWd2{%*4%WY;4G8 zU|`6_`p`xFD)290|54Dd=_c{B{rK4#J*3mWX+R&^!-qW!5c2=j82=LHPaS{F@}JWF z5*5Gqk^k9R|4;0HhyGyP-yQn*);9Wi<6z}9Wa9c|uLI@)Gw~YnfSFi0jahh&IE*;h z4D^2n@K0HP0sB+dAFlY*+<)mne{;I@-!#krsm%G+&3|G4i{L*)Mp{(#wJpTh%n~f{ z^YDdCT3qxYNVvF|*q9%BnZKp`TO3h{CB*h&{|6Re|0~;{(|_Umxz+rcHxJqJOD8Mv zAn8BM{WJaBpIaYG`(L_xZnobT{yO>33>tsO@Yl)T7=F$AznowE;)7pjA5KREFdp3W z`$>xc##rlN862DtoV1v*suTQfvstl8uk(WA{%GywmVJY(e-01PpwthFv8U*)PsHi7 zsk{bo-e0umc)>|CBD3N0phS@=9MMy?(n%p*_&gKxekUarG4&CjwkE?%ilRNI1ecss zrV}ioow00STa%Wy)qLP_e3O>HU^jU0@HyX=%A3exqIn~w(6Q`XwfT*G%{|M>IREf} zzy8|-|80T)O)LO&-}cTuP-$$?m`9vPbX@jsZf?#E_qPB=o;QvAvA`)iRBhtUjIZ=|Ns>au#~HJitVqld{_b>F7jPl`o7 zl8aLIs{;UgBj?ZWkG{yt%JN-<-mgx2-qsEh3)&scEsI)gV3(ApE)Y9}Gw(5#1Uaai z8M;EQXTD#p%kuFN0^E+j_+j2(E?)8hWV#%B3xeQJkaxQGz4yH*(^0Ry?ymSu=6_rd zBR*=dYSXz|84^4_mc${ww2ThiYzYZ6Yv?;2Ks~l&q<#S#WXMgJ~(IfiBxqQ&YqB8f;foxJyg!U4LAvk&a8& zp30rK?F=Hi3wh3`R$9YuSK+bB2~6T0Jl53j?xyWFNU!E47j9sY5W(}&@7%42r@04i z*R!(frP}(tx(00mHcM@N+uPe2D>fIf$Yoe0WyfP;&MBM#Y+?dz640i%-UUC(U6Fd( z{zs3k&chDHVqzYcU~ieAo#187WVP!O>bD2k_riSH%>sh2NtVzZ-k2UlN-j99PH&{~ zAC-7smdr!kj|n^MhWKmUwnlSvLr;@sXZiR#&d$yswm(Ww$jGb|fyNx(@gF+s|}8F4x|aG{8T~ zS4br|A((|t8HT&!S*yoyI+iZhwdBa|_Xl8;XbK!J`E;xZ-gI?wJcU$SVjgw`1u0CDo^OB2KQ*0)8N3s1R1KeC(g4dpRclU?M z0ocVl8ho}eEu3_hV{XBtNY7)wHG0L{axnAb|rD723P=1CSJXmelhmKz$N2ci}jgE_f@r z&lg)%_#*mBr+U$kt2TTe&?F_O#P{{inb<|^*3RYXi=Sg(S+G^CUGcGNcY=yJph@NC zdgdzi0ut(|_z4nIrGGJ=-{bjlR?yYFu}1iaXCao~<{WxX;xy5|u`hnxrsA@shI{lX z6s5s)={ESN?ci?zK%meyvq{TsPn7g(cI1jm|jhLUsY8AB9Mr@?HZne(OE!@rSa8K4Qp5$?x3oX9X zZL-n79;t0Ivv)STD7U=RYpH#{P}~Lj+*&jUf<8Ma+Y=@nIHXQ?A|07;;?s8ov;`-5hq`hl;wGOZ)V|zF@u(xK2F)U4QdI zoy3;fNP8QQI#2A$k&{;!ok7jN)l_}GNeOX2&+G_Tpu6dk1vH;r#_Kj*{P0FBVgRi% z5?TQ--CV?Eo#d4+;DW;6nLs}vz!k36hlIsM=RbEo;04c)KbqC+*i1fAh=y94%Nc&l z(?qT{x)!^b$J0|8;hU14>bRcjkJSEwTwO!sQJTxjOmq?%m-|o&AuZ?p2X}{d8$-8f z9%JCW4T0-v+WP|^R2;^5T8VpfFH(rKxT)CVr{!U_HZO5Wk8fu84x3!gc0UhU--Wgw zE}y6JI3FohCpW9mDl(Z>3z!o**4V!cT3LCzaTzI;2=<(!u@&hMswhb8zC1P=0^MC03QC$p^fv0fVK%G83^gDOU;%V_B_pA0qzzR?u|A z{)eo<1!18~RWor15)&Qwr-g5CZ|4uB}r#jUt)$wt?+HOqzK>&Dnd^J30s`6ZY;c_rt!1e+r>Vj%p z=XAJM=5|;Bxa}S3kesxYF^I12zh~%YnDdy446#C=8J-MxGC1}Z(}^EoXl$H~7rQ=M z|Ngz7kI?mnx|##C%pgPh%_=Q-u}w|#SIrP%amDjZZ*$`F9tY2ev9_xETft1(Vwd=H zV$IBEE#Xxig7U?hhK8G-zP@c|`;T}owegBp4ILv-oaId=n>`E-MGZp)x(Y(e?1}ju z2Ef24#Qu0o!U5h=H`}-!)fSThC40p7G5VK1ksTfIBf{Z~&7~YoTk?V&j5`+Z6t>r( zPTh+H8d;n>c?a!jKjv&2l*1M?Kk6x~#D@^5@MW3nSkmi!a zoX_goX0(&Ji(|3n|7dhRUe5?!^4sfgdQ#J!Bb74@mrlB}GalAt_2ip2cMW2<vZtBhQw3-R{Vp5xRZkJIrJ$VCDI-^u$2iaxYHx?rG`IF;uVFi2S*_JHX z4lxzPtq10nQeU1?+0;~AKF9Z=+wRA9(*I-!FaN~00wB4KPIb8~w z5Uj1x3;SgPu$f4K&?)E%?>4EstT|~>$LGb%L7UsI(B**B8qsCzPsQ*~I0vKxZcdlw z7tMj??}f5)QpY3hGGVlYLF{9fUp;j5we=Pw_><+BQF~kRcpQ{)zyb_}>5)tg2=ynl zs5qq_cjq1l=Upa1#z2g7s3M7!MLliYwa-O=*Tj|YOna;*~sk%FJ{ntptw{o2Td9~XSJce@9d-9uZo+H^1EE0xGb;< zBYJYwuh<59`;j2|W7jFJRcvg*m6k*={7?pVvvbae_Fm`hS0Gy*TDe0i8V59LXm)Jd zFzb7%>%Pb_HhGQ+6|T&9TlttJS`BXHoHmzOz??P>6s)x-sWa7u8|)p~OBGYcu^sTj z1?2+bwnEqu%Mc$xdVhG%)51~DHli+%E1az|7NlUw(CE#ou_Q)r@g^GEfYQnv9SzZa zv-VW&>w4vnA4lI#lN-L+iy~gz?@+3Za#dZ_XQGeXH#Rn34F{V3%jsGmmX%x0pL21mb*FX})h{Xc$N^ z%Yg~?zZ-mqHQ-Fp%7x;fvzkRa1gwz2v?n(J>}h;aHywdh{4n|IC+9R?G++M-fh#B5 z9|vDpm?aDJ)JNA&nN}8N80$xLj(@0@x}-0frcd-$o|Z;j?Zj&9V~2Nj^{62TbcA@v z(rVA4aedrV$^72@%D^LL?}A$-iuOSPZEY4kSr{Bv_F2(3pB>39y4L!M`XG~YV` zRCC!!4HNrqD)F$Vr&&Wqo+6SnV;1nMOpvbroCsAYvr~$!XJ9MLX-0Lcn6kx?!5ulj zboG$>d5o?pva$@{tLEXTjki@*@!-XaASUWYCn{gNmXK0Sd5C#+h~kLogq07hhl=#_ zVxH$mvSEsq0WFU@A@5>wlih-2K*>B)_X}jHhC?CJ)mKEecsttE4Gqk<><4qRD-8ZW zHV`ExPl&#vQr#eW?m%u)N$)}zFHSwbjnAAuw1-kvb*@*}exn}FCnMeWeX|Q^HP3X+ zTMHyg1SyOs=(V!wv;$62`EQ=bd*4kB>5|4-!yV+CKcTO^p{4|3I z00cm+_U(X$8_{(~h$zm{xVO1IxfX?Ksxa&LWw%i2rCA-(1(43Szkp1O*B|vTg4|;IC5&R-SH0Pl=t$l@ zq2@`8aGxn!gR2>+{2XQ{aH7tS8Rll>ced+?LyQ+ zcWdUCBHv zYXCJfsE8wtX@L({6e=#XBfm8Y6N~uiODbkszJyN}&#-J($s8q5>0Q0p&4m1qqx9^> zXrPuo`jpR@oM~`DfIw}vy1u^Wz0p{H0VE(vqu9ANYCIb1*{9D2weq)(>gbh8L9Z(# zv^H#X)jQizTXwA}+@^4nXT@8fwkK=O)j`I_9n0Z~i^dLW?y?dS#Hp*`L@PRwUnOy) z#S|wx9$RFk{Mjst;_O@kxe~Q*fXEfGP-J)I3mj;crQ>@PQC8YaI|@AF`vRC zY`>Ko)ob79jRe87WYws;T$GsZ)RRNXXo|cny$L(dh;*p*9t$NOCI*H%a5VH}Fv$t9 zeRdeW+SY0WzNn9~x~G6_zbKHLjsY%ZA6X2RXt>J;@}{}JBK{ie`7&eU)UQ=};w7Jf zEK4VHT;Eim#0P-8bu6l2falqe0KeN-uqWHiz>olI(}DYe-EJX|AN@iXG~EsJ@mN!`#8R0$g9g&>x88<0#jSf*_cBR7^jG`V{J7x@OsDP=wap~~ zTod&Zu<<%HkeM4aYWpozs1J&Cbc_<*h=1}n6;JhKslm*w2imErRNm*Et~c}$EXN&< zi?^lAuuLD1p57vzW#SmBaQLz(h_vXbzS*PSBH^dvFObq_F`7?>XuyldWuSTe5lt9^15w+@MQI#iW)C9*Xp!$(j~N zp~sCIR~jtEjO_H`bCsloyEqf+cV5k4!rM1&*LAA2+a%%h?;UNXDm`Kg2@D15xR9&O zo6K_1KVf2h28M?r3Fu+u;Z=u)YDz^6y=%!8z8~+6?#PC?L+eiZ7&?aT22lMSoAx9F zEL=1b69K6NsRFO`e0W9Xf}kllVkhNU1whsO3WF_FU6!))@x-oo!#7b3h%bp`1so!p zk|H0i;<~LjMJB@`q?BBUyqF(O)MJwZt6aV?Ws$Imzf%5C6E&jxhzNy3m7` zbR#vkQ@R+xo1~74%2$N@G8(B2Vnn#6p{FeEvG1gQpa2yUmFGD{@-JqPdjp!idZI&W z_k+TuCx`?Ozph6rzO?CCC`0v(_^4h#qBlNrWTkb25F9dv3|RXSu166K%*IPR<`{id z7px>;(Gr{9-mc=4R5lnm4@|P!i(yKMj=~WnMAwpn*_L7`)LWwHd3Z0x+a!k+V!CmX z`-Zo?W?MS7B2qPf*a&Q6Sytvc4NH^M^X8?1d`wUnH(})Hb2lG-y!~YbJ>xhhrrjlM zW(=*K7;qWs(}FBleFD>-+J0Yxt!kb6;%GclgS~m>6sxgku;Y>L6Tsyns$&aNcgjND z8jkvy=Y}~K-S!e2Xi52uAH1MXd)9Qj2RWzkZEu1K2Q%J$qY8D?kzZO~1T70pG_DSY zpWOCX+&b@fB~!*Y zb>}5qVmrv2RP*HZ3+8D;tDYzcpL#U6Z^gw$QiMLFtuU?XqcD-X^xQZ%+TD)OD288-3`YayOVziO**Q$& zdNBZx=VGqFcn<%7GjrnI4zh5&ExW=_EyF2cipy0DnDS{ zqg^t=+OnA}Fh)3NmJ$vxKu+5N_N=^@K_g{Drl-&&n6%4Y6IfH2E`V+L{;S}*4@YgoS6bY#(>R>ndkvj-%6KDwqon2- z*_w89Qqa!v-TD1EjP#!Nehao5?a9%!(R@JcaZP%gy}Vl=(9{-Knj)wOGF2ay)Pb3u zj*a$?To|jwCT>2nn!qD`RZ^^N5!y(0>%>ixp!s9|^`Z#}#z!rv7O>XEhfl2DD;5_k zinhmHH7&roko?%?WoSB^^XS7#V7Ke?BUsOAUf1A9h&Y(Eue`e--U@90VPm_ z@UrKDS??ya4OL_)71(;CVXQZnn*bM@=~s1+be!z(Vz@(xu2&nUo|2AZG#j<^egB+V zwlsRsBdRi+11Uz%7~#@ZKHWfTosIi}>D)ZQesk)%Bid1RquvVKWJ+Hy$ZrKTsUx~J z4+gq_@9jjLzv_QRu+1x9T#nkBGsyPNL3e~3;@VRY+Ved)Y-2FBzcJeXZ2qARKWvs! z6`Nr#5&Q&tJh&p!k=Krn&Xaa#Q^Nsx7#^bM9p3GTAqr$| zQ@t9Af@f2P{@wv<2Tlp!&vR6bIpIi2ZM-D-1WRNbGmh&FWwKD&FRF!A@K9S1=8ckS zmJ43|sLNv6em)4a)JMPvZ}&^UWk*Malc2Q=m6*7>9XAnG2Tez&^1K#J%55(M zbsgJuw}I#iO>IY_XiNpg15fqM$pvtUXgr3nm;M z`z!(9ra%$7XShw#T66jhN&U0o&hN@@hSOF;qBO}=;`A}{d7tI6op+^ezF`zQ9qLg} zN`e)`lCW)pfgKPYJap<=GKw&&)nS1MEWnI+#-Y@`qIcC-iposCa7uVku~2cY?aLeN*GbXDP4h$e8x*EK>KXq>doLp zcCUI{rm)25s;pZZ6_gpVBJUYa)2gB3&8)8z43KCqmgXC};d8X9$0`yaXj)_$V-c&n zF$kQ!{L1_UYI$Lt_QPii-Kuw~DYN#8LEAGAZM3SZ_|O{3&K{Z6jh0ttyqam6fzHY9 zEt;Khj6AF&b1ljuI-==8U2C%OH@M8TM8nho{GqlXvO(JL%Ot{YvA{{*D&vuSox*X; zuR{;}MI{{1V)Xh^ETY@C`lcZOLexjyTeAQLq@5l0m&2#vfqbQrF&&qTvf+azI%GHZ z*Al7o>?V&3%|`Hxl*Z_$H)C?lKP~k(>SHQwc!hOl=n_9A0HS*jAc9xCNp*%JH+`Wv z#+^;aw?Ed3I-V?sez(+A{E_?|bR}05mIYY6*pYj5f?73FA)ayl&cb8LFZR6-eH-@E zDeDnxo@!gd0Vh-kA~@;*pbG8mtNB%A5_i$Gr|DC`4R8I88j`x@*-6+ksgWx(a}y$7 zrKK%&Dqfz>8D~E$R8Kr`LcZ1NF%q4#K^P$ zVXU||U&dQZe>Yp{o(x~C?`3Q*mafs5;C7xQNrcQ^FL*^uuNvi%_bJEGw3qPI7S=>r zp972{Dit=#Mp`yljMOL&>n8* zcS@Xj=nctb-70VEEKm9{+-f>IuCj9~ytv4jI+QzO!~a&pURZAe?2)s0bZHSq>*X3{ z=(@*otm?LMll9q18Svz&2a)!DZr0XC|Aim-&V}&8Df}(A$+>qlZQ7i+-aR#^s0!=m zIGHSBj?Wv^++A-e@=PE*RwxxShSM7#T0C$0Z~o4Ca^mJEq@E`+2l0#&}faNzOE%LEw#u86*{hTHN&6QT_A_HNo^;wg~6%F;ysD@;IH21U$zup9=Lu3ZR{x~NZlq;_#9@d~cE~QAp3)w7%#466uL~?fZPy(`| zQY6jI2z5j)BXDkzs;S25lIXQ~O(Ytu4ug>0xvy=ra@!j+4f5LDY_MU56;ZFw86n`# z!mW@hQbaOb)2-l;B4@itpzZdQ1w936X1X^X& z1k=q@A?c{?WL>1zf|YoY8jKv|S#6Ms@8tnl4N2p#-+ld7f^ZA_I8nB(P0F96$P&Dt zu}T^d0=`OhnvR>0P*14SkKBECOjgQsB6`I(8?0Wst!-It$3*@XgSa8K4?yG{%@gLs zcK2PxyFCGzhc%v~(U2SPR+5lvS+o!KSth(yN4;Q5Yr?9pguCT15|HqAb#Dsi;gKVO zjKy~8{IK)~8{aD926f39=8}&s7qa?f3rEeNZ%Sp6+f=Y-r~#*dWbqj{*7ZQRrblj9 z4wk@5l&?x8Y!kfb*i<5GsGjSH4Nq$XK=`yJYA#CfijiO$o;nrIF(qdf8vI_EgGr8B*3zd_8^5?Bfl`i@ZLfKo7TR zXaOC1-vdXg$ub%}{%?6eBji#S<(YQoALJ6<8}*4VG~t%;tI|MjR1h z6gBwO7O3}zZFVbdc55Y_5b?Qn-llRM3-89e#Q=LOY*q03bE|zinD>Ma^$`VbvsQ8m zx%VWm^&D(Yn9ycZ&%)-9#af|^rX2OJa5Xo(xJm`ud5>0QY@C+BEVR?zJd)_Gn>TtM z-FzND#QR8ZHzm&n&MLwq_qLcp4-Y)>@knE_-6{FxelD~~YCvIizJ1 z_RAMV%%)`fblqqdwc$18A?8cA9{U0@2|=fXF=Dwclaiyj?f%;HrWO1C1V@k$<$Njq1#fbXicZ1uN_@6I0ku^~iQTBbd2YgLX4D1V#%qU8g zu`Jar(cmMWX#;giyh5KGQ1G`8iD={4lz!OFR4A6Bc+s+%9Ttl!R{jVBR70M9vV?;J zh<1*nn+YTYqgx8#+&qnu!Rd^~UTRn57)fQ@aPkkRy)@6lA-P2F3DtEQPY#G;Ll4R5 z4Xc!f-NchUJLGoo??zio_I)+D8O zb^Nd%c4R(kX~O=uC~3XA=Iy=%f`OZCC$1e0Bm$Uvrsa{;>;~obh1d>k?L}ZctI{$O;=gLLr0w zY&=y`ODhO;esi3(1i?BOzFvP+DMzu5;Z5ruC5xbjXE#g7bBjUJ;uWMlQ*STJRe`~$ zQQU@_I+VQWrT&pr8S?HdS-Z0S(v38^Px{pM%s%Lt&Z16uvElAUqkL9dPg~X79c}qsa_+OPNC(;t=eHcd~11clDaj z0|bK6-WYL``Hd>q>8`_LPiBfpU8<)M_^ICoiCF3u=W| zT)B}Wo53`lF$C$Aes(ZO7}vmAY`B+A*E=gBAWI3`oT)?4M4z>UNu!)rLa*`W62&y> zUL2~`0$NzF5PV`uo9_{r&h!#R2HVHUlvC8f`UFeeU96^v*yS6TwDMyd4bBW%=LSer z|H%egsoZw#F#zF1kzIert9doz+o>R=(uIW4jkhO6u?TM@zE<`i8^(SviyZQ5;v?dB zQH>VSp;iuguNsjmMWJhhWGwh8M!T55SRAFS)7om2D|K~~CUq-F&qOf=7MoM)SEGqe zN=Z0BCF1Pi8-^@55>kt7>1YE>(yJ<^w2vg(7W%<84_f$&)7fqqO`f;g*m&56PjldZ zahE+JryZ*R>v>O9u7%i5`{)bFC$k4*+2v$bUfNdJa5yoCM@C3@oOxlA-e)lp!8wu{ zp($?ogiL&`q`}>3Sp3!uv)ae|xK)L6g*E+NMIF8dx=KRWjrA?$vM&YjeoJcOhqP;f zTADz#2cGNG9wGeaJZGv1;A9q~xG#7_&ZR6*t@@(FDlCDf9RYn`)&dch!P)l`E>34w z!y)DPTmZm2E$9xln*aqZWM!9BC85Fq4$QxBsBsME^N@j5CWcGb*IM=m=oY#5Gam>+u&5L#D z+!m)|J8OQFecI!ow=EgCEjAx$!g;|i-1hv#EKhmS)R@Jw5b5y27l^q7#Xm|FdL9#Q1wK5$$-011Ol~VexcNob9=h<11}OKIQTO<4`mBaP)xh^tjes61@D#Ia*~2DK5oo4AUBCRd7#jMN?Aot;M4 zpYGE8s;A*BF9yvqZxb@>S-aluaI(Avc4q+`Gy)FE=TiaUP+m zSG}((GG;`Q`$`P@@U;AC%-qXS&7@Km zRJ|FC@?dREjp%N8dzkHnq-VRn5PR0hYi6L&03w##@px636H40Vr!xZ#_Gf~)cS&IR zCAXu;^JG&=19{(DSQMjIPz54mr9neEaxIuDTNETjZ_|YN@ty~ZOIDJ=e3@P{~ zxGK%(;<-0oFm}~^ywZ^y48YzFGoZO) ztIv+J?VMc5I1AGG4Aw<%BJpGOH-prd+RBRMAFXL9r|}c&PX;aC7D#UUmKMHnhst1F zj4HmX&k0w;^(`z#%FA&s$CX2nQR~%+(HI`Dmbo^w=YftHE=F@Wyh6W@{3LN@@6S%^kj$Jt2XPdatLx zp}R7+^(CCwJuxG7 z7s-t4k~bg*VfUuVy^6qn7E?3`Cl{J=oEdR<{A7G zQH%znIu0AWQ4Rdk{B<`6?a6)^Medf5i@7Yx73GAj70bRM2AAAd_g;8!WJR)iv3&{) zRltgnkP_W!$5!iW5)sX&u2;esVth&h{-(IHamRHYVQ$-I@y2pMcY2eQIk@+VPRpOU z#KLdzdj0w4=Sky^(dJhYPNX0QOP*5i^z;6T#}+(l`T7~Ppx#ws!a9-s-2}zj5AI*+ z;d)-Qydu+6t;BdStb4L5>klO~w6vrTq{a7RESyr|N}i>27~}duSh|bW)N6SvAu%$G z;gr;>Em0~is$TSFJIbZ4=mXfd{C#`0WrtFo`|DR4Fz)yIp_?>|Z&$1o9pca{c)lUF z%h|vCj`@^Gq&JVqj~>CSXUnwVX;EpWhyo9tR$llh%a`O9|0-)dQGwV`o^O#1*@Ej5 zH-muMOSa5elP7zXcO04Y+NClHDk0HUJ%P;0PsyX-s2RxNApyXH*G+n2{-}=qveP+Z zgZ6!4GsD=*8&h7E7hn2UJKp;V56B=xoUiB*dCRhE=;kxN_N zuk8&aqMoXK>wBl^%a%-QY%;I7&YThR|fc80-)q>xd(9YRG+Rn_F z)HMFwIM-*44SIE84xMQ^N!81``O6vZZ1Ij}Mt3zXTi*cM&z9aXCMY}o2T+RDEh#v$ z7Yq*Xde(KDoH^MYG9vjCy#ZJoCnvAceW~%MGK{0aA?5Ca_F8@Ch{JG??pcb9stX?bJHuoP-8!~8{II}vlJ%v;a}|L$+%uO!QF44bMb3j zGZ&V7-PD7Cz<1;=isznie)X$@K=!s=M?wT%U}Cj*U{r=hWkDur9VDsA0S(4lfnC> z#vGJ+*wULIEXD_*ZY5Q#By{K+c4PI4Ahu#kE}{G=;~-;4NINU5T_X04J^FDryx2zz z=B!O|g*B^h10)EoAJR2Ca7v;tWeqwqrwDB}FtW6=b{2A6 zRIM+4VjTIHml{z(ZM`!|7SKx7GS_e{8Lo=8Tf-@jgFDCXYD0xSGVbFLGmQzsY~1c`TtR^(XHcN(q{J@7mpg+Oy{hp zN+L(;%-V>iFJzJlYt+8$x^ol7&pL-%s_1!TT?@&Y^!5QC>UIZ`e#+CpuxW^Udx-FC ze6xKHWiQKg0$EQdTq1sRp2n%Oz0GQ9Edo-v0<>YQP)_IK-Pe;<7jtcn6T5T!X(eG5 z4cZ`0IRrS-n$UNoLfMF|iXXv9*mj$TgE5TOuYfOzgWIxJOqm`Y3v^yKs}$v!nWRgy z+#U1>NW-3EIrl%D!t+teT?X5Z`zAG!eOSIL+tuAe*Yb=Y-KG5sq)N^v%Dvg|iASXZl%q_n>h z*H8~W$Q6YUhpmUT&gOH&TL%=b9NO5>SE2Tn9IqxdYOOKDns&tll15RRkIwA9)Rfph z1h?u)vImelw{5n%S%qJ(YkxCb!%FdhEXPSbpV!T9#7PG^kEZ)H+g?`wz!dzH<>co^ zT;HU~o~4%UTCV71B&y}Zr5Xz}lXvRD3&^15MWJ6Om^rQa%h5W3rNNBn@gkW`C$}Dh3YGRq^=rti?6(AgQsK^33 zngmxKg@VdNh|`;i3W5>DBoa^d5qkiilSXA4Ub}8bt-Pt{3jz9u)rj*sRV)Vz>^Mo_ zbYEl=Oao-8Y0u(3fb^%pEOo;ylifETx+Sh!R93_X_eRlT>3hn=taa1MvN9^xzTN%M z0CDj>_r_#1R2h+`yf0u(jQqTfB{VKEEf62fh&z^)cNlIEV}@w;-X^4l$mEq0M_!v< zDFz82naI9Wk{cywRirOMsSG&*xw5i1K6y=ljxQ8i-Y%LLtI{qf-%GZcQkEq{Z%38i zj4h6sEZY_`*a?12nsT@)*=^ZTy0i|B+>QHS$suCY&a0f$?1Es$PQjfLn?D%3fVQN; ztC?5PhPz1iG^JBkO=||?M)Gbc(?<{_^~ud~N(2B&;Vd!0q2(%5SCgFJ;X|8$b} zop;!9qq33|N~H>Rd!zkn?q%E0IC0Lly>5m-&^}s!obI%l0@A?&C^n@H^PjprAq{P7 zCQm2Z4CC4)uQ%K`7YXn6xq2&u0=nsG;C#$NP!+};*8B|f%i>e}J`ZR%7(ZiD@upM|Ub*rp002M$Nkl{v zBJt!zeUpiPEd~&x8Z@T#TRy#d>eNa9%;}XYS3H@IkK-eB`E%3NHdRiPD6eBh769Zt zAY+p@&I6a^9iLoj&V9c0#y~8BaS;G**@-vYE|4rZEA*;|icZ8Vw&0;@wAK@vzP~pQ z^a1@&{$h4Xt8NV&QW|9q?38ODrHwLJS0e_;pzTZN>YS{?8T`GqSt&g^m*s1PP#q|j z*!*!B0uUWa8?$b|_o=))0W)T1*y#!5)dJh#C?Uf=;~s`%dh(r#g?~{Ey=|k*y8|n5 zU>o&0s+GE7RD#O0mmQU->`vJ_<{S<#W!Xk9Bc!3gORvpql$8%(XskA>aZ^iCm|#_~ z9HVW5Ez*>LIu?(P7CEyER7T7~Vl_~~n{CdHP@|?@=_uzk*-eJ+Dw1MSd2Bb}tRFtB zG}Tm}1{`e+P4M7amBNLv1vym*4{Wwc3@uS350D12(`M%bx1^Na76|NhKGJ?oF1o6D zIGRj!KtG*KAYz&6aD|a;l(A4$;vCm!Q^VP;GQ*TKF6h=E-kxl?M0aXIePj^Nc_rq>b|yoKJvBJP$G{GYb;&-i zGR`0Btvq%k8~wzY)Dt^OCu(MXGp6tE#RGjnzk|2*6PRwM=?J+`RD+&j8c=C~+@t2B z4QZ@-(i3=oRZ5Ll1HA`+bqof5w(*M*;y%tkL- z@})J6+Zx#GemYfx-cQEP>UZ?WG0El!6{h!I>ymoir=u7TX?P$P)Xkw{GOR25PBTT3^KHdwD!AVvwkCW|}}%F>zo7|`gz*1%7mq@(|<9GLBD#_hv| z2Qm`8*yJsFgEi32eU=7O_C%R-111+0V@`%g=y&S|5)gwp@JWqQV27&zmlzJqXtzZt?0kwpcJ? zPR>2uOMUD_?kdfLX=Bg#BbnYJ;wF`$HZiA>K9PSP+0)~RO#6IpkRwF zR%S&_PXu6iWC>?`bu>iAp~Wnt3`91V_)seHsWUAma$FPWF>FgYr8x6SX7(5UMFAbQZSL>|i)!3Km^pdIOFWH%? zx+4H-9gD%d8vn5~r-w`b@>|1|r~h8Mx^+6Z|w8dhBGO@7igtkFa*-=;O z20j#2HgY6=CZ{A>55&#Z_;9iv6p8l5zhyLLSnQ#u!-ORWoZ%5%`N)xcgcU8K8GJYb zwSOWFdZ>fpU{|)|;i8|xK{uSC&TH2SKA#lKho!Vn^sp&Sq_I_He2i_C zY`4k9Klj7P3?+==FunB!jKJ_A7NYb&(_2qGhzKWOHlhwH=Rdv`QFJspFpc&i3u0|j zQ2wq-qTyrxgjF8fu!#YX&3#`m%dr#&#BDzW$Fnh)FJIE9m~Z-4TzKI|r}nyfr^sNv zUKCJwDhgV%&~NqRTS5l0YrbMOi~+p)u5erx%tO1mKaMOG0RB2A@vUvZs9Y8%x#x}y z!^PuvA?BJ4lr8;u?;gmM>E8M74-SphG`0kymRA>`&(YC6J4;`BsIJ5De{M-NGu%_2jmY;ntPsHneRexPd zG^`Ss_wJyRPATbS6E!ACTI@&)yUwh+gT|y*%{isb2E2VP1}Hv5_khd1y#SRi<)Kw-F!O4_Yf#gMpuvi6W-GMe8@XoVeQWa;BB~;RXI`*Ikg?mS zYItRh2Vx5nFRi?U!NaC9G-?+1gKaGO&|2({RjS9H~mn89UvFE*r* zzRLvx>(oH3)j?tebb&@Odx%In5);brH5ePG9kNMzxQ*L_EF$to4_ES-oF|r`E)#++ zy>>^RWl=*MB3}tzwK~TJUxgqOmy4`FK!y*XbxyKOe5XUd*{qZIl33A@m3%!8Ni{b4?SQSI+1lim)I{|cxhPG4>dgW zWA7X`zy8hP$iUF9tif+ zHKtn+;|en8(7YDOZVro{+Xxsz^A+w0e3i_kA%uj~O49&a5FPEO$rfT<+39>^ueK8` zKzPD8_l@xpLY5|`)aZO@0vjy4vT_?iuuw25J2uMUZPXB%WnMPW^ck$mwguH9n%4)O zYLC{Y-2xtFU=T`U$qWQ&2=b~{LY(E9K3He*b6T=RjxVE3?63f4vh zGc<_~vEY3*Q01(Ug>3b#NdkNf^gLK+-O^M3kDSz_WSUy~SP)b!kqFmgtgrOu;W*iW zZrc-0Aq@6-k)TMf6u13b`;oo!}MT|%d)GGpg+vH#nD^Q*&Eb%3Kk{;py9JI@YBCG+x` zGrBjPSuvfID_qMf(x6p63B7byj@5}{KXsZWC1o2c<%EYlzX}5nADx*}3jq!y%JUD1 zB{g%ak(N82N;dD@d7Q0$f3YEkvAw!kHVOXaya`3l4u1VAXIrlM=+pi!>eW ze@j}(BQsC5!^egaw(xMQ_C)){XJ8l3quI2xjlpXv=+!E1VKm(aSz%M9ypXO-q{@Q8 zI8Z%{7N7OGHaTZ?4op#W#e~raB_Yn25S)!Xfqiuhbj1oA86M)qSv}FtAo_|Pf^!An zQJtXhfZy6q*tmiyS!~D@&QF|^hd@wlAeVT+Gc&Y{_G}L{`sX$vFg8-<`63+ya@Cnd zM6MRlzC(viEHGG10OX1${JXonmY2)!b=wcwo{(5iU!miVdrf^ne-)2a&|q*S(eP=A z9BJs}YqjpiU!7dXYQ*5V0outtd>rw*6&UL&rx0e-uTp~ zhi~eEwFlqw=3$$6(O-FGcn3IjE+!wkJMUqOi)UYc@YL}63l|4Y@{T)En|bR}8F2-B z=&`wUU6T#8&O0t8{cY%X+=Zc|vT5Ho^0O4A04;D!ugTlKDDfTF1?^Tv$oQGE;A5HU zV@s2TUHY#8;$noyDUH+WcW&eaOgz_uanU!54`1(Vd3LBaL(6I<+)~B8Y83CnIBQ>p| z4&3BIxj@%o=21SKw8;~TgSZ*Qo9Hm>z$J4uwM6SU;S3y$33$f0`Yq5lSnQy_0W{ST zMF2q<<|I%VC$g+OTi6eYXj#n&sWNpLf=ul?-PKQ+|QTf^@I|mFZQ$D2v{M z8j#@Ac4CSlkOZarVm~WX0ZWyn%+sFVf~hMmrArhxFqFuP>25{QEPF~1@qsTs`XRV0 zmwgM3*H!oQo98Gl8}SW;=b5u-hvSM32d`Wmwuv92Vhyi%VTJLT03gFPhfVR7kYh+CSA<1$TK8LlHXD zj^HUEPqIQclAxu@1~%E)WD$(Zlop8PIf16YP`X1H$;QIhQf!k?uu(9Vor3^ffw=?? z0PxNO4L;p$I5Z_ruDbaas&IOxoPECWI8 z+e#*+(Fcq9+F`15xard+$Cskv14NqTOI|}*e)4eFxo(^~Oj1xFe8er3ufv3GiBsq# z9+W)fGr1xWo9O@EP^3gWBKdhD+anWNoXX-LaT2;J=Zzp-8C{8$vaiJ<I3?nJeCJLM~Z5A9^7bjYQXg?YlW-J=is1YprqkeCj~}>W$-4^S)e7cXQLB% zMNUJv8bP7a;QjV3by{_xH6{uIJ+FuC)|o_zc3HFE73C8#hJjB)ayk8!eopb!Iekq^ zU#v??up`g?a;m~}01WuIOW5pA>5hhlw@Xu?q87K3&iUxDq`>^9fb!_sznMy8foDQO z-nm6K!>3(znpSiPwq*}c@G7eUK4+j@nK_Mt5DQoG8hxNMUf2n*93vxj zp-!z{W8K3Hd_h|kbd0^Bi@4~Aq$V)A5&<#L>0CGUVP?-jYE95Vo+FaTm#z%Bg)`P% z?0_2M9fre8eMbzUolH^%9Y=Md)tMKBt?4a!rl$_!E*WFlc2*tZ3)idp-0V$8$qp}) zN@u7>zuAV8r9n=APOe+a>m)7u2)MSYJNDY!*mY%-2u&_`I%B0ISn)oRj;zuk1S}Q^=wrgiw?jld~NN3 z23gS~izGhuAj40otFc?2%G-h;7RlSsKQz4Q@|9s#_q31k?z`YzZhuivzu(Zn{ip`* z<9hm)+4Uj8)^^v2ZO!Trsk5Vp@4loIXROQ`##m*g-`eIK@)Q2B#+0ZXIF+rft z6)qs5UVfORb!q~m%#vKBq)r^OMKV&zm0wknpamnrKk?4!8ZuI{hmLcQlzi#G^^$rB zN4;i3P6^;RFE@<9kyScF6K}vlIrT;)_9z@SIOS>+*q8jA9v&y*Du6-<4U)(%+8pxi zLl;W+N@jphWg`N|UTlqjl84*LmyS(b0392)T~@}XvLl$BNAf&iX`Bk~Gfj^l>HyZH zP6r@mSJkv(rO(w@5t|oNE1Mnt89<7j_U-e53^9^-8%K!LxrVK6PI9RicE=vzrPuT- zrQS`J{VK^)03EpKk4DRFK8r&7cw~DKs(v*3O8g`y)J&|IWMlJ={CWB$1N7c->C&Yp zUsvmN-#PUuU9v#()^zocPeBu-e6>&geOWQ)rGrO?>l*M+tltBY$TrlfsJEN zuiXQ;Uy{9cc|Ta3n%L$t^>japS2a8^s`a@6yD@7(Q$wU9dH_}&^-#hQofiGM)K5Ube${?FpGPz~5D>}+4GvMz zO_XzZ(OSbO%Nb0t&gdl|P2~(~Hd8hMug-582ZGQr_z@F;&r^!X477a6k!?y%?*wRe z1Yo%(x&?cRB{x)6`^bv#!Zg`MdztDS|A&62THraXohuVedHZ0_g!iQmo8S+5*`!hf z8Lm1|jQycW-pu=GO&I}3Q!d_yGaRY$Cc%VT?^+9w|_8&)WJ-v1h^cDJD_^t+NW}(Z=d8mU1N#mp8v#NDcCvoF! z4U;?#cwGZ7dB%f$pd}B&A%h0(pG=j2YRdHy2Rcu600u551IsuZl=FYAd(u_!S(kpMCd0`N{*6p6q+1Jd__PVKJ?THOHw!Id>f#or1LLGln{J6 zy(d4>%4L!ppF4mQKqmNO7>;Hbq%^}dfDXYma}BQ7ea1>a124(s35YX*{evClQ*cu) zT^McqemrCHIsnIC#(( zZw=fGUd&Scp_bW%0GZXvdAN;kLE~n2i&7qfNGr!j9qKn zdUfsF-yUvg(s5HAcxnCSa9D^_Cr;{uWc|n|Ds?L+=iZ zr}i^hAxNxC*0>@F;le(b|K^}{>_DbqM%fq)R>Bu&^bY+4#~&z+;a~|Xb1AN*u@f9W z^Ru)UUwTRYstJm?^v{$2zPchF-%pf3Np*XJz!EJ6i#FOE+?r<2f$4C5{-YeY=rcgK zyoE!i;MOKXO{5i65Q{c!VViVP3_bA0WYcAXZ7DV#6Nq&jc_S}!jmqV}LDzUWDU!*$K$-wB6)S!I(T+ej6m45$H98aTXUR*njaW6fpbz znomsnFZodzxrnn&>^2RwDp)>w2%wE`$_JpU4Yyj3eiF)wIwKSl>ReiEz>U5QR)QHP zh3Ke6-^K>o2o#Y8Hblm&M7%hnS5vQDznXzsHZw?KL?rJ8)PzwJFcnExXrioQ}yHs zo+I(WgS+Gq7aao?4q2sB4_L7uT;V+#;g)3kE(Yh0`fyL3X9JK|ud@M{g)^_I*wbBm zpbzMGa+Mk;jWNM{x?H4|?Z#aVmdj!^cn`pmM{BIc4-NcmteAO^l)M|fj?nQrSdMHZ zlSu;|gM01B<`Vse@W1fI|8Lm1xuN^@tZLDNKK)V9#P|{Zu84@w@Fj|Lk~%~8gY{m zxRIfl`He}#Wc(zD^GG6C7CDm%T!j`UGrZE|QX}B}C#7AG=iJ(+nUA3}tbCy|koNC( zMBa8ak*Vt_t@%zQik%+w2<~MloXVGYcEdgH`hfl_4okyN zXQ$CugASV-rWz-mi6b~JFO4w4Y1Hu5rE73o>b0xFF~D2CgaI!;c=!keAA@m6q=N}Y zPd};|`tFY2WtU7R5txSkm>-6dx_9=%x1SxJ`O4R<=ZI$Q7hZhHwqU1!ok^FxlCUCD zSamvwJ%aKv2nH=?((c?XcsE8L3=(k$1|4U})?a6k(gbKpAIW&x9ex3717c68!fq>@ zz>p-MtoqVj=xd*W)ExHfH@z`QCyFl&JFrr8~+JuRsx8W-AhP~mzCF@M=n1BmcT|~!ioFpAJ z;FTWBaQ$-i$dzpYUCuQNvdH>*5w%UO>S&mdwGBVYZYsiMQ5Ic>?(=nUWmOwIigpwg zyU|rP*ExfO2}i5|-xAym~+nHd;P|Z;p(-kZf_TK>#bJNi4ho@I{Bc1b$;uI z6)|$)ajf$FaLFgW2yQ>R60$`g%4{o|6)?Hrd{g#7zM9MCzCCCf#Y3)2ir>!;Nf&z1 z=U6EmvC&s01)CCH=});&{-{vru4(zRV zWEiqS5@D@u(G5|&O%k(!83%2HGWFNqS0EbRepJ55DLX&Ii`Tk{=j4!OKvei#G;$-1 z+fO@ZD0X0oOMN2(8}U!*4Re;2q)N)W7-Hp%PDjBePX*qZiA_dVYz-B>Ig`+`iC?+{ zZ%2y>z4x{YIS|9aKo5qMu{eE&r^!;im^_lWd~F5>&*tM+g_$rQsS&h1=u1r6)90eG zo0x^K7=&xmmx+A_;u`$X#RI(1GO-}}*&b!FEO9X_e+F#^Z#MX=UvX9QpkS1JesnCH z1@_%Nd7uyIcW{@+;PfTYR3oD?l010RVOj#tY_wM5fN8u8;{GJ!jhn-|K9zV_D`#YJ zS(^^w#w}i7x}_s1Pv>%?p{qPX?x09VkYYV zjP54B1`)~$tHN2H0al5eVz5-RE7wQ}eoofa{ApbLi(=YT>2_oA=`v*w|jinGZ%~{7s(kc$%QOA?-&lMzE?oF$TCMtvZk8YZ)K8R_3rva0wCgc57Kn{)B+>!4 zEoZUB_=QW(asw=}Dd)gkwjCWcX#=3m|1eaU8UVB=#hIo9YQ+mA8xsYlwcGHCZEbRd zp~z~S!QWge(>~a^uU!K$e8d!FC-!BLP#?i!U?;h4iN^er%k8ej%*aFzGQn3Yt%rbt zfp6AZUfOB_p2o=04Ob1l24_6NY`GdN4W9eYJkiOj96knQ zj^1e4+USU5S$QtY7mX(g>VpK=JbdErn#M0!Y)hwBmuej^Gh}3-4>(V^W7|_-`XW7V zICbi@Cm`^v7b!(9xhY>bKm-D4rp;kMMTv8rrG|ec_Q|+>%bl+j;l#@d(fs0#4cgldY-OuP0d}ensIuLDqYR$iJk83cHvzg#Jy8l? zyb~Q{fky}VY$Gx4u!#~TV$Bwy`I@c_#=uF)p>3c7SYp5^AAF-3IZAif*_$_>V{j{3 z$fj+SPfJ1z(-hG?OY~jh0XCo&bik{ zTLK0y&)4v*PX=ZLA)0n#TNDe4Wkru|o&Ydm)IahfpSYEU2T!)gL~K-QhZOq$UOdnT z^jGl~4XrwBp1{n?+l^NMpz*=Giq%xFVTrvOjl=T5oDO3U@VDu8O;v|~B| zd5$hizP~D`0t0_8alt@>qEhndEYQ{fM-AvmyLzAX71^uVxH{EmKlfP&d+a5lEvh-r z^U-3MRt|{{HgTjkKQ^nA`+gX9Sw@p%+56=d&dNtwf(9@iTM;Fdkga^|EV-pKwm~Yg zDY?)9CJmpc@(;ckbgU~TO_OOX)0!hTK8Z{wHcp=Ogpz%{Um3S1V&DXaNC_Cw9LWP4 zxxq+7(-E`?rT`6yHpVR!=IS~f3@9u!q0G&;J9aX$yOou`}{U~K?wNK08HZ51vc$I6#P`5+E3s<6~8 z`DUBQ@jFELFxbg%{IZxR*9HdOmTsXf1T+)fL?&%6RG$-#M3)V4Gia|J)GM2c5gU3{ zl|F8`j4is@9qQpbzMG@|CVIrJ?CaV{`kbL!`6OXh}6Fa;%0-0Q7@w zqUByT@J(JrQ{qQhSUGWD3b<$3qOXL`lIgs3Bdg#UY$(y&IPOot=sdBzIx0c9I_rks zjpyfBOV4e^jAADp$U<%snb?3&s7riPR)N=M`j$6i<yBf`GsQEJ1)J z+M*;|0!cs$$tw2Mu=>v5@B7xb&%W=ydR33f$h`Z#d(Pgg`PSO|tlgaEo=Z-jWuqX_ z_&;BWfq_PNmF*smxoZ2gKgSaa$2yaHWNFV1yzrW?0K!i^s58vOXoYii0 zC8rL<8993ooD90s>sb$zJ1>SHn6)tvOk}uZ-#||XVB*hUWO)RgGAJY;zB_rjbQFDf zTAlB1quVEwN95Msjvhhj+g&*N9=^W&{)oOidyFchfef9Pe}Af%GFT$7ZE{dTrF@WY0tx)WS4Yvsd>VNBs*S zfRy(Hefc5A;#bc4=Q`-4_ujmA)jzT$xxDNn=n;e#A&)If*KwBk(KZFCz zo{kUE0W0+(hc`J2@ZuZl1une(@;tPBt~D#>F6kq*z~!O1TN;Vss)3CdLCru&z%IIikV{_Bcq-Iy zI-0;lo(|kj!FSL-kc!$>Z*h>de45GC1%9LBqyz#z-E!SF{eeYkVI^iC3ed(EBi5 zFl{Yvi08OdZ{`>|wq!HMOWU!3@7(h7q>ly51R`5xw=#S?z(y0k3dQsI0yisJDx~!OB z5hemWXpBqCzH^L6K`>o;KY=c6-=Gm*#x2oBv&~WHG4NQYer}u7KJ@#(w}Ka8_2pX` z?=l7o%;Q6G7$*)NV=tcVE4=!8*?*K4xJ>A`w31>}gHt-IgI9S5%LZg8_Lg~|s6k3c z@OLydA;0-%76E)k!}_x6K1D~7936_+xsv>3vIjy2oms`ULzzz}ODD~68Z2vT6JJ2L z1t67zo&32xG$e~vnd*#NmVnoC_QB;0@C|+6ny^&Gclg%+Ow;oq~QE``XX%ks^#gr?HHgf1^;yqem&w-gw>H!qT zY~gS;%o@N{8Y#(P4-Is*>BMPFi24`bA{Itc$+F2(=z_zSdeNj;ukT=Wo{-DoZyNOv`H%4)NEX8WlX~Z$uFT0mq;^Hndlc=dU7IdXzP(0`_SXn zV4|j&B^^AMOvCrAMGl!T*w&7Cw7(mib~@_XV~I_?0cDT?!01q+i(^&r%!KVW^2SsKwE4^ZrP&^xMdU6x$uG9OsFw{7OGAxhHQ4qoRn}ik%<`l_SB04+~zh- zPCV#u@VJfm&_n!oM6S|xd_#`$5joy@!PUt=_-kEZWwAjW4u7x_e=aYUnL~1?-DN`m zkml;cWdxefm=%1)UstIFaNd1RK=YD?Tm~a}N&6*vB9%aQ&<`J69;$=x%ko+jkUE*O z2x#ClEHU{fZJhwZ)+^6B>L43$l+Siyvqh87=(wX*S+)&SJoe==VDQ@L*Zi`HH8Bj9 zjTPR7^Nm^B2vHhqI6C}T{y?hDqiuaj*^mZV;2o5sa_Aj?+l0_bv-R#~S@bgb9`aW8 z=4c=8O@HiTdMlq^&5OL7(RC;;w^2Bb)yeTb^9!Z%B{ri=9y)DB^X83i%0w8TqSFzq`V4ee53QspQtxUgI{9qwi$uerr$>RFp_@jeDoTc=F!Q(rkCx14sF z%EtK7HV9fH2h{oMr7j~;P$OrvV=h_SM;Mg&c(k$T`8Ut}2u)d@jGY6!7}=+C!q$Ie zQ(t0R9XNFv;6Q;17rDr4r^G__nE0S%0?rsPlAww~d$HF>|3*`cfk`PT`&dGyW&DgC z#-YB&jjt%i5BNbquJvYYyzkyQ!NI2RIH6&DBOwRPKMo}y?wzp=8$I!9yEDdFe))QN zu}oV0ZrjU*ep`F#ntRTM6Re%w2||LBl_vQ-T}trsU{NM*=uGN<;Efe8mzUm&9zv{u z^Q61(lc@u6AP8vgnbUX3^YMF|g+;<1c>2F3rJJ`4M;3)rZc;7p0JceNE%75K@8Ta^ z{v}6!o_p?dr^g=EkHN6A7j4`&1{UHAZ3$?GFEece{Of+0HJj+~elUooT+H}}!Y&tp z+8?-cAI-FvW>Z}L8*18O17RT%dufmOpZv>u4d<(`zINC^6hQ4k3XFm4&iQ_`1ET|< zh4y9==J{({@j?O`*mVR_2W*0;PpAf5P-cna1?$*KOW%m^bj>SBG$zpsE`b`)w?{g?E7JGYGK)hI$}m~9z@z;8r!7^4SOrZcInZJPvUHl z%cm>0qc1LWDN>`xW>5

    QGi)!wW{axP7k{$v@R1IhWfVK86=IHu~b8f$T8=C!}d} zF?L^EI}78lChhlgi>zasFO%aN|JqaLI5JVU%swA(AL>ba;b1dynz5?43w>rTjGT-_ z4=n11JosKn*r)n_w8JI$(Ocj$q2Jb4Ia#&@!OMiorvX@10+ajW@8}0oxuHJVi)2^$>8y|!n8d$#EFP)F&Or^#Wx%FLhVog^iNNJ_=o?- zmm?XhMlJSKAQrsv8P4*jelCTn%7I{?JUGf6Vp#1Nj%UYxWI}gc{nUJpoR5>*q*t-h zYOP8AuhDRqNqdCM!C&U&qRbjVH;d2F&wjh2`CHC&u1CiWff5Tf0;xH_O4V3 z`u(yJftdl3K+a_+dPD~KIb(MhN!|k*!A-|uuxHYc9|X5M6+y2u9}mjNl6b1v!HzWC zbb{=s4CWabI;rw4hnj78OK)dwc{*Ega6=`3Ca-~s!IX~aiOMb`Q)dpHS6+U_x;)fo zc@Ht?ezk_nd|X^r#x{clf3!V6@WR3hOv)ZS&LQJFmBer99jV}mM2U%8=sGFZhGlG*nCexX_>V~+@w$YZWWbU`KAz4Z#Uvx&Rt?1H z1z2$1F2?BtQTkyn)x$Bny}RF+K^3cRs~M0zs0*J5u%J^1Jmeqy0~?wMX+wN8$5q7+ zx1JKm>JJR=x^m@a7v6iC@crI#J?;F6+7+9wqwoEa1CNxpbr$0khZTz{z@pBt>1qh| zXQ7O-wzu_1)xV#9xH@%891XN;5_J6Mns^GZFzVxb+lTo_P8P7{7Bj- z_tVfb8OKV;H;(=Nn#8~U^*=fN(ZBiH=?6b}{`3$3;s1Dg=GkZMFZJLR*1Qv=XYEFi zd+>OP7OoNtVEI_Q|A4<@#{vdAV_m<-3m-jd(J|!mF83UhyKXNN`YkQyp=MU;?RW&< zI^$7bLht3Hb_fF29a7i~z71;h=vTbIoI%JR@e}YFTzNW_PEU_O*MqfWv${X6T^)Ol7lQnJ=yRWcF2_Oyx9<&#ZFlN+CL;{m;V1ghpdb8zA2VW-$?@lF znZCblJQ2CAF>SAs(|H}B#uAvX>)j8}fA_mS4m?2m>@&}vo__jiF925s36LO(qA^LPH6)BpOv z{LiOved}ANfAl~7qtkEyxBs2nmzd!zi{McY#wku}Vv7@+jEP|R`5^g#4fuS}UBetv}SegEF0d#PiS7>GE#VImHoOnJhTd?4`&CyI0ZR+K2d&9@%_R=%C79C2wW(EnZ?2 zN_VL&1GRfCqVL}w7Re2-gU>nBCEDhP`rY!Eb!q;|C!f;l{yybj(XXxP?R8vvSh^Wt zGi;^f2kz#9_ci^}6qET=`e|6&o;G{_g%|8nJxAYotsJ&gVg711H3*I4@YjF+*B-oB zATU_5XyB}bV;*O_4|)bE@<0;^b|)K35lrX~!%RzWzw?&r|4Ogqe08y7bZ?gdqDb zJpa6X;kl59^fkvH{_sb7&fwMgic@v4K)!gpMUGeGu*0R`mtT6>w|gGaPlobN0{YsI ze)J>rc1`D}0<90U-6|&OV{hvB4)BdL=zBQ}Rjj_C<3BECpBYpLX?x?(CKQnMnH|T1 zUqZWA@3-gpJp5ql&sg9EPXX+ZYU#bub(}~?)5DMj>f-v$;*6rDm=K$&P~@S2;fENP zZpNvMTk3;K#QTdcy>$BQXFhrQAO68VIQ{c~{=cceK5_cT|KuN^zV@|$>#Hw`ZLYk` zB0>AS_W)aJ-8xT6?TN4Ssl;Oz4cPGuXNXO;uaoprUp&2}pQQyZ6Z$Q!rXO#(CzpT} zxa}qiOa{eX8cOggU=^5rlIV~}ATy|uSltuIF4L)$ymHl^pnl z%>BN4UR*cE__Uxc6l1VBz8z%#^iTin^pYkGCOBTN*{?C;*ipAQ=Ck)%_;v8Y|J@FG zes+?9oDY{C!R1GD$nzB+_+0AEWy$Pw*_=sQaiBON*06DICuiCCk32kH_(7~f>q3LN zIXbn}*=6HB`Ku|Nqg3mt;J&))r0;G7tL?hVn@t^xcEf&n zS7qqzPQb|6$3OmYo&CIZdQxZ8U;N@1)pqZmo@9`~2BITgo!EBioQJ54(e_X1?7{7- z0rJ0Q->}1H#Xu6Wc5-{Ot%a9go@{wwTOk zvfb?8J714t!X@#I4N~jN6{RL>B@>g#^fOH?3ie1WCct1oe?qrdSfo7nIlc|?n6FYj z_W0wmq52qnzH0K=|Y2`vdOm<=7FVK}CA8Jq8Gb6h{EOYKZ(EVlUd zMe4BF_FZa+tti2SR4ZsANVpsv!L5k2LzXmYn8MHj$a2a!W1V40E z{`c#SYzX%~8+ua6jpc+}X0F_kPqM6LxR-?)g(nS3qd;GD}7j)13 z$GSg>BTVp5YLL&s5dEN&M>CV8F%Bpf!_C6#3t#yB>AT;3-fhT3ai7u|1??HXfQcu; zrY;MDgSmMbI=bB3MeB_>-t+|j=}&#iXPeY7lezGv%NZzmv<*Ba)A#P}0KFT+4}B!( z9*yy$002M$NklCsVkv0=rqmtwn;1ClV+qaz1Y+-}gMuN8;eGg9>{BtHPD$*JyiGG}o`n||`yXMC*r^+Aj= zS+aQY^C1Fs?X2vaO{_2#i98l_G_`;CeNX70*0JJjntC%CaVF^n2s%8fCR=Vpmy02w z?SV}j(*{3zy8JVr`HU{z|Ij$}PkePuA+t4jkJlmQ0|`y#&Y} z8lTWwOG8~YcW8mjg#KZTm43212Vc3OL$arX-=l|{7?c=55G5c9W)Eh{_q(_Zv<`Af zF{yLumam?m%R?l*p@}oWJf(f_>HFXR{^>PcMt)RhGQR(5{0Vs3iCgZfQ)-?H*%LBO zG9$mViBdZ9V!BsXQu`fe=OI$u0zr#BXErQSdS*=LyeU1Sf$`~2JZ&|%lLyebhlWDc z#xw)52OzV;r0fA&H1dx;{K)ASzw{*^4=I(WH`P6|g(q#KhYV#2#GeEtg_cv>eP zTh-Abh9Y?x#j7B2AH!7r67NTUhH2n*o{ss9r--4iBB$tT}0Le+m9*al&yPa@V z2{Xtf62Mf^@}YahLtSRk#Z&$E0h0cx7k~4w9gCe~@-?9Fd>jS-CH1L)@=t%q7@T-? z46`+CD{)Ev-FwcTyMT^e#x@do)P+wLOc^Jx;vq+pOEktM{R}N|nb1F^(cHc0H2M%` z43z0;>1=d#4^|3BpPgwiAuy4L&UenQ1~+_oOg`lK#zAm z7+$Tzv+{x2L4`eudixA_?3NF&GUQi^T8g_5HL=w(SP_jH+YxM~7Vs`t;>eFIrNqE^ zCOYMO;AO(3Y7e~mfFEvTBIp64u0XMH;}^0hP;N5z6u2Z#3p9?1H!jcm$j<@S6g{z?}@%bb9VMF2MDuQU(G)EGMP$n~efN#sLORh2yr})OD)Bfi5s;jZ6B6SN03snaH zSM*{XU&)X!Oxl>?Oq4#7=RxXa^vA8`ixrHyypjk`?`hR$*+-s?bH$vmH0l`OD<2kKv;%pMgNhR-b6sSX9ISBW zPwc+^wysXjf&hJNkyvZQFf9SF-HTPw>RyOG? zdi07@9o#vLMQ5-?AIjU5+JV!^q6R?d>w|!AJVog3zl= z94pSM+4ITRHhh&=9i+nokE@XQ=I@;gImenh6X&!q`CJ_Wix1-%i9In@`)je#`kXGW zesx3LadVl_Z)vbh%LHb6nJ3k?Qa%*Tmkg_Eg1VPGIjaVPJ#o5%R>6GV)^X@W48TkR zkI$2&oYinP&LvApN+w^W3*o2>a_Es#Kk}(( z@QyrmhJt~#4l=X{QVa+K6)Y7jJ8e}SihI638SvVsXC!4D)WmCN zltNx5?Gm5i@%1Ru@>$q9hS`rrL!ki=`{XA}&WU<(1tw?uSx5#q_`95O1wtK3@gM(; z>?&p^8F%D04A3qGpM&-jiKBo`i zZ+!RB7ab2s(~d5J4XxS+j@1YXV z(71QX**JMV@Co|2^j&Et?FKDpG43e3SopN>P{v%ZK7@)feJV5P5Yraa4dy<;PTPoz_)TY6X3;KEUDbqmH7%dwfMuuh zuIcbmYnxt$2#?E<9Mf5N?Lw=~g5h?@oUr{>ImN?Fx3&?!M?U+`6(4BC4e^x0dvnZz zLAeuhjYAWTc9yoy9FNw8Jy(W$rY93e67JFkhsIPoV)PKT&%=+?_-yGMz7)`=5#rCr zHX*FYV-3IAIK{T@EG!uC`Gh}4U5@YKnFV;-c_bra?JO`2E2U*o^-~=Px2Aa>XXTs&a={xVh$w16t44)UEB=EgPcAg-o zlM>*Zg;PYHj^bpPbb8y8MXzv~wb-n?-Su1wakRy?%qmVs_Cya}ZNthy6rnl^z&_)IOC|WbE-MrU8j^O0 zOh_h9Tb5!`8f6;B+N+T`Ub<4lHPRar6C;D>{SRESx8Oj++NT{N`%RhLyn^ zt9&weYF2aOHFh}m8RFBXxEH(t^_VTUGqV{IJ=bZo3B%6>a3EG<$tjL>JyCG*wgc!G zjf+z^3e+UAxhh;d>e{^bD$Rstx+{UU$aZ{uSxTdC9z^(-o;`|CQp30^!qDJ=z?QVP zmxYD~FB0TNZuaWf5LB9l6LfvRwfhvXpkv=-V0i-)JMfX8%vfTP{+<9r=a_?M$0Z#L zi0*zFNE@#Hr5Pn>Sfn^|I`bX{eBr~D7*gtvKk*~uNc>BTp(x($;PdT(jzOHzkY9S@ z=j>c#n0UIeZa#Hr%(~Xtb4S0Nq5DAGadVl_Z)q?E|LEl-~THL`v z$F!(QO!Z;$Gdcs{9g_UVkN9AlBg;C)m5@*-QHf6du)ma%mu&o8fKd&2WH}b(5HTjD z=&^+n3RLA*LB3f>`l8vKXW7wRc+m@=Jju0;(&SwQbT<54u0TFl6UZ5sjFS6yjfWIJ zMv8|XnGp8z$H$pE>%*8uY>|26Jvv=Qeys0-ONI{crhbfpNQU;d z&hEJ{&T7@2LUbp|G8psJ>7KAhr(_k&Ln!eBJJ^@5m_{Hwy|;Vg4E&CHWX-;epHpe-X<0jiO_fX_A0pdgxCX<|?Gte-ZyV8SJcOmKGqPP&qWtMv&zVx7NYFv(L7WGc7(xtyW*klcBHnb1F^$>;{| z@CrPFku&Zl2c_s8NGbC{o_!vMOAtfzchU)NaMTfewlA=DYd`g=!s?S_h)JHH=iXI2 zCLQ0Y$|^|2%3)naiTL@pAW#F;PBlZ^^6k1;JJMk*gH60lzH*zRC4IoYJ}mY}R~?mU z2)E=yQReW|10IcN>~jOy?;wLf&?*bY4ar!8Q(TL(2+L(mFgfmg4*UbFwC+&{k@$jU zPekBh$z1+cK_fOY@Ojs~?{7K~R9i0qXK^5(kX*Md1n%!Ck9k}s)i!zB0UdClyIL3< zU1TVhAu*>wu^rHmwT-{4NM=OX8Ecqn^$Hx9f#nDuS=v#iNiiH1=?b8ZBOO26(!iQ!!3ox??N))vNedjscKiSDT^?NZLmT| zGHSw~zk`NMCi}*$acKt@0TguNV0je|TlJm#3c&`HQR;CfM#0S3MhvTFoP>C?&+%}q zNoU#CIQ4*D!sBO)gq(Jm*S-pX*W5NS2EykSR2B^K&M~I?`gYaj483i2m;GfzzooV2 zPPPLLF#?du)f2Y{SSPhboJ-%?>1j7fjbIib zR+vo@wpc}6AmBt#1pKBV8!0n7tg(n50#&p;btVEhizEf3xUs|WNE{$xG%=z_Svu2h zMsP7`ksZugBp|b=BmSVa70HiH`w2!cv&-ae+Q5Tjzeg;`DZZzwoOpnntAHKLj$?k* z(O8lL13AVzzDo{1{3t`}DLrD_B;o4OaN@n6Td#kFRQYlBWYG=(*3%1W%$9G`-8ED#=SZ zfvsMmdHxubHIVWIJRQbzRh&H?qgRZ{!&%OvaY0LkIGtw_9Q+Y)aSqqn%hoU`(a0{O|0fAX7r@5$p{al4;m@B&iN!U zeM3jlK7hf57|ZP7(^T=nKFLXBz$Vddwqu$}P+_n|FtS!20y}K#&$l+*z!ivI@vT2t zmJptb@>g;YKv@$nOh{(fHzYU{b{j^~qyY&%Lf($1eS?s;Cr2C2f(fUTyq!&|KzpMj zBLDWq0wW9zey80H!UmdEkVPqz$EbLbXm0~$YsvKo+i&CfuA1bY0{*0n#kqStiL)k9f_`sE&jlE zY4)bCyjhloev{lWKm;{17G0adRid4^K4j32&oc@vUF%eFQOUH92Q#_&85?Tz@jI#v z&2uoe~~*dtq|h1tp^-aH~En=C9as#Hdv$*M&5BD8poNlSYKgrSstpKD3qfDIo412g9*hNDv8nm}k zA(f%U?W1+dh%LC)jNW0{prd2I?3<(_xNO7%Hm7YY0yVO>E#0Y_5wV%NBBPI-*ES!^ zM!&kFR0-==f7BNb+3?6I`FLQXb)%)yTIlk@vi)_AQqsYnHoQR|0OVL$$iygu(RN2k zWM*wA?eWFJ&<;9cM_IUvCv-h_3?351K__+MlEs|IDf4n1kjs@J#y?Ef4tSYfz~S~I zCqCe?=p@m8(9RO-zPE9C%KfZeK4PIW!$%bV`4Uq=>ULW@Sq4Xflt9b`K0Ja{AA+^7 zJ0#CNa^!fz6TMF8U~;L7hvJ}9?&tooSG(}RB0=MOo6z{>CK6@%9bD4sxv#HF`us=; z1SM~k2O}x@uuCs*M7AB5)98rUIWQzJz9U*6HZ^Cl?O|@<$E8hP3{ExlZ)^$J-!q_6 zkcH85gm(OmawfOmGX?}J));|KqJ1+wO}N^(b*tUhIprLOLKUJWIC4%b(8|QnX|usYM^!ESyu&Om4XO^!%TP2 z)q(L+lb$gp&szwoUytRwa$p}ZPX-@!y!bI475mG1O!hjJ5T89Pwia1qNRLC0Pur5K zKKnStRU&Bc`L#91v&zbe-2ptE7GL4)DK-uY1|(y#U6z69{nMj*jpM{BZ;qRkIK=$B)N0g3Tes| zilM!;U>ARcEtb~g7+*~`V`B%;H0x=z=@18PH^&QX1F}sFxi}jpZQDGcS6$kI3qdl- z5=+Dix}168n!h?EIy~D&c5L9!9_u|j-aa(m5yXgvHs>r9dGisI43gQo?C--5-@b|o+c5_0lu#nnOF4H3jqpc=k`4J7 zM9nhR7t3-?*s&ydFhWmm{G51Sd?_MY|G0O|OQ(2Uu#b?2!=-qH8nxv=PS`y(YJB3$s6`r7mGn$6XlPBAAA~ocRz>ob51~bC$$ecJ6=Y zb`J>WHjZ+S9Wl!|+ZTr9Sf-+FSL{_jwH0s=IzDMqiEnoBXq~va`Chd-_EPfq&ZR~R z@*jU)!hI#l20X=~opFdyKNa4?AN6+~0WY*T2J~mn%&9XIJjyxi2Y*^Z^-5JZ7azOg zx(yT$nCszjVR(!QV8?!L-+9ba43Nn8szAmS;w-yt}Mq2d0w)_0@m@UF^#Y6 zR)#UidFnZK+#p9MHvh8u=q+%W&~Irg1)0Xcbb^RwB}*U@uyk-PC2_Xg%SXt;Lyt@D z9=WO?n35t50Mtr&hHf;Ki; z1*cQ1n?uwm9X>J{5sH`n%lh@KLoYPr+jjg~mlV%b!#g9%@lFB@Y3gD>M)VlrEO8(p%;@^7Y3)+?KZB7-e9jythvW z%h;P^Rxs@se;vof6S2whhEJXM2P*gaAGn!exPQ(MZsh)bCZMa0mNvu}we!&=ZXJ#| z$B}a`|AzY3X0+cf4=YD%DkSCsm$SB>jgN#BDuX1}HVlK$u{H-DNpjXh9;2ax6ohOo z3SUJp)J&+oaAOl0a1hi-cES;oC-~BsWsm>R9P`>IUGAYzL)>Y1nb2=*E(IkW zf<)jk0C%7z010HyuHg~1&^QaSmI9YVnJ3*V-+gtF@g;Xn=$uh`g*?H{YF6FA9hHab z=yvEg9l282<8L}hsnMZhN8{+!$W^NQ5`t4|o_a2CsQ77nSiG9f_0PF!)A)JL$rXa@ zXy;OUNwV7+GId?`gH_S3qFc7yEBmFDG27gOMlq!;brkTD8YkH8_S#+#Km4E;f^Yd* zh)4CKJm~S#p;un{sbh@zupKG0SR}^w*fVoB$YyXCirRud+TlKZxaW#4aZwCnHF@^@ zc6#owGlBa|UKsquYi3Yw+f)Frmn%^sv3w% zdz*!V65IjMgvz-%a@S?4y~Y3?8+iP@sYW9ozhy%(%MJUOR;-2CLEIfn7Z1F(Xk(jRZdh^TXET5IEI$5_dSrj3EDUY-;Hf_IN zmwV`KySwZ!6Z$Q!r6A<|!;>;W*GU@{f{#HI8Ur7lfR(mC>Ll(D$S|R6)y>5JpkBK0 zy58xYdqz2XN1tGC=X6jjoVjNOkHMNtTV71au2N`bXDL3ssb5=_}65cXz#R0gQ%1VEWkEps_6oBT}_c80yqDWvGK`j*US8e zu7q8k=`DuvjN`V5PsoU`f^wk)Ih`b$LL5g{-x+s2gV{!O12Xb$Sb&wd>KEKxO{t&k z<4f(UO{6nw%UAniTjfOF6K+f_JG46|7{nsJJ6@)a80)x3Y+(u62bjpcfE1+;f!I8C z=9uV@z5WjtbjitYQ7>ocJ`i`@Tqg9}8Z2X~0}rtVefJ$CeW^*`r{!J9OU}WX07c$U z9y{<8&~y^7hBcthFaTrO@Q<}j(<(8q}Siz3QmqkCvxc5>_IzgY8=Fg z_=k>@iuOx9i%TT&1{bEO#wT|3v~m`f_usEJkltZCvN54NegdJ4vYSK5#V$GI&*}`( z3P^>|9`{MeS^#{P;XxyX7#Zl6kP`pMG+xPyg8!(+X=PLzC{J?8m};r;O_{UNk)@(Q z7%hM*%vq=z)4oD*0#|a#2SR7NllLAhaLkMkzO=1l1KqSSdt^|$_D@t6p{_~bbe z=@~q-(T{oZ`d1z9_w7o?p5jYl(&Y@jEpeCqWkSELwV0skpzehUY66vjWg;XX30e|) z2kK1PTx#!k&zY22&3Z*U@^ntlw(nC1<{=Yw-{U14bZkDtqGiWN`d+BKH?c%&>jX(3RE`xu|_&~?JD>!3*q=M|$QF00~` z^Hayzw!*NcUTz2^Q}6u<8o<(#ZTo~Con=UJM{HnRK6++z&VEK8pUu_=9dNoQe{))H zN_M=l;Ft&~1_nFzpq$pS7g5wCtqE`@+8%Adz#^@d7%YE15}wMlvz#SIhk7g?SNAB* zJZlkcI9AZPl+D76McLC&f5QF!6@BA`TQ-Ruq#A#i3Q%b|3BWlpy_K|<33KbIg4fqaEk3asnCt=R~JMddj^w;*1Dt3?f3)#zIQxECb;kB=nBo{Y7da~-zt{eZ=>pa_nG`p%@k%yR zSL)sTA)K~2)KWh851MPf9kiu4G+VRU_+=g1X>@JkDsKIWZ-~U#QMQg+LC1xAzez_N z1Y4N-N82K;uP6HTbo_7;(ZrWYbeAu_*sW(OuH%4B@hc)V_Z98){c{N5dgH8mr}mUX zGmq15%HRu|5_#luv>;>>72{C#*}U}p4<72Y9g`RBqn&VAK+|VEu|gCCHjrh!c|>oP zd`(|vd+f2tPk-|_{&U~r`})`aw{VnyM|A%Z zo3I7s?+qibuAUB$3=bSfH3L^DbN#J0{!ZCH)x@`sEPR)-0*=jOV_z)*^8-_{ zYMXuY#$J`>j4%$-Oe|oX=n4wRvm~lZ&u!1k|({PC*B{_C3y7E z2fKSNVUcHX!2S5jcmPnxv#fd!WuAt{2Wa=+8*B!nOy=%h=C^Mk>;CMs5j@EXoU`#v z#+)e#M?&eWEGod)UNkPP?Gq$SY#T{3lg$9JCc5&ox3D&NcWmHMw`20PVPtMd)IA#Z zz!Ds!`f^?6+_vS?JcsB27GvKxe+bugY>LY9Ff#=Q473o%Ik#_7cpLeujkM(^Q2eW; zvAly_6Ty@K6GMk2a_4TGmkw?b#Xl2C*(8IJi%2peRu#gYKQCCkZQ$eUc#1xgY?RsO z*su19$eDhi6OTC-L0In!kPgSj6EB*sK#}Q>TO2lyZIF0B>Zlf#a(uD_%C`=&2xesB zFX9KM3uAbGd6fD+{g1QVzBG!qNMcXCarHns(P0HYd)LV_Io6hEviIUXIDVi`ezHi% zcjJrI_`nw97Kw3)379=8V}!HuLk1sw;6dx6LrZX_0jyq`^*oOlm6z1`cii{$?`v)65Q#S?DdZyADG0XA9t}4 zx$6oG)nFMygN-eQv((Qo4UsUIHz$rxG|ayuXYRC3F|xlRIN-rbpq0j>jPolh-ew}ado_yk*fRLHhW2o<>$ryL<4D?1=^e4|8MsXUJN*qYM`RR!qv z1KyF``dEmJa>nqn%2lI#@5$tVEgYK@;e}c3*p`%h!5s^ajt#6@3uH~W#q`lzm^I>h z&WT>~X_EzYSTV_GuhcaC z&ckn{^1!pN_@w_gHD++4f`w9e5oA_b&j_uugD}M8?LhEsZ9*qebeSKQD zXqW-mz-2(X2?d(lKofQb=NY1>VT3Sh*x3;{4oBI8jzpI{ysAnO|Mt{k{oZ-jlRh%O zkEr~3Ww8!$i7y7ge1!}P%Ow@?rLrh4ALMxC(mu$fE>J^b51PNBF*pZ4GSvas=(g2* zfk%YVs!0}d7MYe(|B9dlr#eI5cf+pU;m2awX6hqFj7=fl2)j-i7wYwtw!)uaxE{nv z@wym5M12bzmZ>?(Z?C> z{*5;@8LIzsY|*7J6DM!KuipvK#EQ1Z3z_aXWkqc?^~%qTSNPYlW8ATramACmZMdv4 ztPjv(kK2KKz1GhVu~-;cc*u7Q!+ys^+R1d$c&4azLmoNT`h2Bte=eJk)&iFa{lnUc zeo3d19Kpy6)=!-h{YnHcS$Lj|)fvfKR(l7tR;K*o+MD`%Qh5UPYL``TgB?5%uv$k1 zH#S%d-~%gMIs=#Dlft)uWck!zI~Bi?mAZN4o6w^^fBt8GWvXQIxDr zP*1>OTD!>@bQ~D{Q7~t1?1@j#0^DLV;qNW^Hr^K0vZD_sAauXc!huJB%c| zcyT3X9}l5r`*3*kU3H+XuOxJ;2fum5nrD9;OX%hemU`dn`3eeQl3O&AQ)y=;Y!KcZo_Sm?1Dhj*knhFy{e z5oNJ=q{={&^$2+sv-#VW#M5zs<4zxRi{|b<7=4 ziK)^!!%92WKsDLxgYR1%>vMghOrC)g``x3$V$FlAWI{)pHXCg3qd!>$hTx2gc4Elb za6JW4AK2$OfGcS#?JSlU{3)QP?I>N{&n!E#+Kmpm95}GR0b8GyLUqyDHWGEqFG1O^ zUfUpjuwtO&Bzu2CXvsV{hehQq6TK9mEuy@|rtBD(v)}i8|J-NRAW+(UQ6+;MZm5x675f5PGoHmc}A zRL~K49S8|P4^ZMa;3@aT3j{bp+Z8h_QC87!zm>0=^~}3CzJKNpmC2m$NWz}K_Mv@O z(G&IJI{Ifz$)kYv&NoHdse0R!9@2Y3t9@4eUPa43E~pyaBu}xb<70}8I^3g7TNtN$ zmDpX8_!-<)*~6+iH{xBTzxP>b`t`=XjVL#|%nTPAY7>1wWT$Kt90yuhV51W^d+00z`&Bh?yoeB; z$((op$6neY@_D8R`-B=NC0wG%Hkgcu`xuKH7`?1d`I7F|0+&nfx3rh#6{MTd2wQ?2ak z#B}z2j$O`FJc5kEzDu3(@l&7r z1ScJYPgkA3j3gaTlA6pNu!Dt+<%L7OI@lnl>8!|GhqChEaj9N~^e}{#j>#pRKe$;{ zBf8@t4~@>rYWo*|@t00t{pzoue)(5^<@A_dR>K1>AOHBrZ7aHw*Vg`884Q4Ci!<1~ zmP7+%iCqyu!&(-)!u-HuESr5*Ppq~VeA=+-pijG+heTzvKjfC?U}hlO<=s9N)4pvW zNlNB0VCQP?K`Re|^Jc3rR*k*{j+UJqwE095dT5m4HBQZ!qYRo1>YSaY4qJUBf23f! ztZeI4{D{_1Y)Vp#goA$gVI6xva?VG$xZPtkQ(MyE{k7BbY&ufF;%dDZS#PgdXh2dB-j(2%lOFaTyfwH zyU(bI+`rTPd zMC)2YR9I}6mdeRTGi^cp1uuFi+DF+=e)Bly46~kyUlznvUrZxbmm+qQWQ3-$OZY^; z)jsyA^~v|cd4k=svelgz=jAx$J~YRUNzxOh#scIib6Gvdl{zsoOA-5afb3-K5v>63 zoK3&4w_fT=dEy6K;#jZ8A6uTN#bY7|+9xe4bEOA4E~B$&Y$G}LnAC~M@w51hX~_12 ze7`D3{*vzA0+$K>L)vU#F|Gknf!V;$M9Wj>3UYNE2RdC;G6X7}fJ^AUtgeou7reUD z68N2@;j3?0x4|xDU)J~FJRN~9_QfxLNiUUo+4thK5m1` z;*EA{KS)z2+U~9ionz8GuQOOXC1y6tmOTV_;uUY)h=-3zQZj|Y)MM9*f5c>9=pa4)%! z(gK$W{gzf@zMB5Aq%tVxtxg0d!Q0Nn14smKgP9Kcre2o{4cUBWGrurIIg@|88ke$S z4Lo$w^CePsc)xK@Ixp$F;=KN~gN3!Gb^bFSyLB zUsL1ZipRq)?VxmU-eTp6T#EQvKi1g**c!3H1qIKpr&43bQX-jJ)^(*1rSv!;*uh~} zqCG2vfAubPs4tL}--Fn@C_oN(Jk70bN zztQ%z39i~AQz$mb;{rLD!C?#SNLzhJtW8B6+b=6cBYq2!OmUQrEoA5iOy`^tCq-<0 zqdy>R7skgW$1^J$3$*y=d*lew-{@m}>QBV)@%tb+mRYDnO}(&3zrzo0EWX}XuM*=; zyvU-b)j-fH!hBz6%=x)pNsa)v$Z|;?{gksWCVP$nd(QBY!FTq6`{Ca)gn#&M9UbfU zbyXlV)oDBSm#?kSV0TZK3H_Ef)10c5PT~%$$R^MUJOYw{h0Z6EbN^g2@CoFH^ibUE zdQl6LD`(_fb|+C@L9fox4rHb_)pw^5-rMs-20!}Y5B(K0E@_?X-~*kT%Uvuol#^b3 zgMQtHh>&#&UlTc}ZFxoE zT*xJ`0Xm9(JnnXgM?wIZEd?)LvKk$dFG6@NIxPk-*USU`~7}e+2EjHD!M49a0Tn`uxv$hByg*#vYCn zV-e$3j#+r{q4VLp=(tUuy^p&vst+FS`trN*jO{Tr_vFnVJLGd>bNSjDZE@E`bX?L0 zw1D3Hny#W?BS<~DN|uRvPkW#Jb!6r9DF(dwyUUHj*)FEso2?UOu+1CnLuqU+f`>Gf4u6jP5(?iU+5jAiv)BDM zdnB3%b@Z|mBLl-;_xc>^3U&`x{AYjUq4Ql@4N4@=a*|VisNSV+j_yll_Pc1*@=-`GQ-+^-0Ks1{IcjKPtEd)=fhgii$6}K{*v;c%ESqT@0D+L zcU-KBv>lizV764pfObQm0IeK8S_iYAUi6E6$ zTbE1jX}Ol&v@Vxz`y?Eq`ou*9Uqplh+}1V!w{3=p2j3AAiipLWmI> z?;^(~&JXS?=p0(D^Fa~tV3x-4oB_3Mw2YFGI4Vo+D$_EfZ=vF&1M;3yI;V*b;Y?S) ziI#{rbAcdc(S-~@DfE_xHgd)C{!m#q!k3OFHS+l!ZFCj2Wye9|!!1AHV%JLIOS z2wJ1-{AVKO${jpX_Ol>h zj2vv}#rIe$9roavXZ@#)aoOCh1wMF`x*N`a;?e|KE-CdX%mytLCm1RBY#bULfgneo zd*`f3S*?4bZs5*+Ca?)+e!A4(RVTRBNsuM*N#JvT>Z@P<%Fxt_(w7%MKBY4W?s^&( zc$vu0AkO6RsR>;CqvJ06!rug|;5`BnI+xf>19GFYXJ9JqdhjUg<1-vtT8_bMT26)_ zJEmyAi+90Pt$qK-8*lm5o3HB|10)}3lmY6;95%6cwK}+HSC`zDakaeJh{*;GUO&)7 zjl^)oK0}ay@v~CdGg0mJhDtfK1L2@u(YHu2cAUnY_g1c6+ZoH}sb%{#+~Oc<|F3A3 z#)Dh*4Ia+yt*H95d?>~+@-SL_z;@+L*$d?P*WO;2*Zrnz8~~854wtrlz~`WwZxPcM zuGMtOT8ezox2SQ|7oifJZ_r5rjJr-;SUzFzrg)5ruIm5rC|L-kuxrhECZP=i0 zS7~rJh`Z7(OrH#e-xVo=O*nJeop&vJCCef}lQsJ87~@ zSO4n&IX&^j6E){OKJ|eb+oA)i07*naRHZY~QPNrI)$TUhNJM$2_2CVo zI~-JzTX!DPNynozhaRBajUdI^70fF(mOr)W{pRNmdzJ^+H3(J3rG;Z>X)BAjN+Y+6 zr~UGbLk1(^s;zil;J1G3w@yz#{c*pk?~nfYYp0*;A;-rad;IjnAO6V4ssm(AgT>%U zN?TG}Se{HfAmLxe0oIBsu;>XN_b1bgpi4-BKBF}J{Bm)qjlVTAYD(6mD%>y zB@fLBL$d~9QmS? z8&B|qN4=D_9c;n7q@S$?E))8Pv>TJIJHP~Zf<3Fx20fEFPlqyz(gEBN2w=T&jh@lV z>Hcme9W2pnS>AC>PhgeG!zI|Fb2E^olcxjM&Ch-AbNW@ZmnD~lfPGsw=PJUxZ(5v5 z-nP=y3gLa}49`vVyIW(w&gsS+%hk7Z zU73A(6w~Qll>pPUW8;dNi^HtUO(OU>b!5;Xr9Csq@!soapM6FX`qMrh9D5cwk3IIN zz8Ua6Jqs~Eacj+EP@>53<3}|-A&m`-oo!m@v==Ozi<6Zn9=PZ9q<}Z=q3v27_OvZL zj+>JTAUB55=R^Hj{PL|4&R)Ud_&ln1=WCNsKJlc_1fO~KSudL3eDf_W05qY~|8xeM z`r*XkXKiB_D#=^n(`)f0dS=;$Na&HjkM383zb+(seHh(?Y2;5dGHV4 z-+K8iFXZ{!DenzHsF%X6Ls@cy1XUzHMv5JmYF}r-@3SgUSq`{vh@vtHIw`l6(#FKN zC+yk7Z+qg4zg6JN>KT6++dQrb3OU9zaKZ4Hs6Cj}mGKN2c#Mr)xn%6D{n#P?@$2$X z9BqHsbeYg^X)!LEA3>G@f0Y%K4?K|XUlPy+>)X0K%RAQ_v<=jBzH}^BvnL)3CBhxt zSV_5qf6wd*d_tRkhz%~ubC$x{GG8BKk6k*@TW`I#dBgGW4eDy4412S(C|*O8fd_O=IKwIUe!d#nJndF1VL^R{x$FYd1+@^(rgC3v{U)` zbDkj3VresPugQd)uhwOt<0<{0{NzOsJm#(et1s)&B|%LtKvO4<1p}*(Aqp!^y|n0I zF~B0N1E{@H1r8mK5s@K|FQXpu#kUaezyF@oWBRauVt~`{^qt<+{+)L|_zdR2jzg~c z)IXl7Ae(I+ODz(DI}iVglSv}w5U<+;NWQAh_vm-f7k@B1i=tO`T=I<$e$5LwZe!8@yxV~Z#eSi97F8-kv;Ex(=wnZcv@HuWj_I3x-4ifG z+)k)ZS;SQ*>5%8xrCl*qny_s)W%}?Vk3MP}KYitu$obaQEcnNjR3bQ@

    LK%&C5k zkt?-}8mHYHCn`jqJ!MVG=urdQzBqi$dzVsdEi~+*f7xLDT zJZ-;^DIAx3^hv)b7INa_6B_raU}MWCKeFRvN?VRyCjZMBIxY0GrOSkVTf5D8OrSF{ zwnNiNn-6uvJ z=sN3u+-D1zJh^^HzwLs!2C0a*%=ohjK-l{*^x+VNeqc) zTVpbVcFTTVU}4pX0~1Q>T3Y-G>hP$XQ+X8Z4Lc=!KxT3#x@?;CiP`f++nC!5RQV7y z>|im;ELbuyDI1bw; z7?Ow^;Kfe}$;LSSoIYCixdAFOdRQAF`&5Ntv!lk|Pu(e53>frPo}+m9FdVao8_4)S z@RCo?3kl^JkDB1EanFl{v_G~iCsnRq;WvxAj*Bb`aD*!^jAO{dgU$&FV_f1nmavg@ zc_^-Jf0zAbLcguGe1bVauEA>$>NS{6$0AVsLWq7vjbPQkJF_n#D$sq2T|@`2_TaSh zdIC^D!^0MIJ_J5z?Qg#M#_4mPd(NHXsi!`E`jub()zgoE{NvMizWwdfXFl`Uv&q_+ zbbYVP$BrhZAOGmbS$X4F)6{_?)C>$|W)I%tj?keN0t=NN{rD&LITQa?w2V3)ziu*O zQ_)%2S0T>bIxkt4HrvS1l+I|T(7w5cNu|~5kyCrENqFHTlQtNvD}WsToCGZ;AH#r( zwzv0cVYFz~ani!Hf6mM)a@<)K+@r-JUqSY9Wk7AcEEJm^kRx+o;wt9Z!((#cKBlZp zoEbzLJVBUpG()MvdGV^D1&Ijt-g+Hp6u1e#PRzY$B@sYEgJMWE}Qe7MKh^OPH;}MA5DlS4D$Mf=aImxj=i?~u`Sm)acW3|solMTdRb%NYd&svoR-l*7YiK!$%!h<(qVG`phWvH z$iDT~n~u*phl)YI3mhB449Yr0&e*_$UvXdxy5cJtW#YNzbyTRU#YEZa z4ao?@ix4p$OqN=+QUWqI#PWnIMcXtdF`j$qqT>e!f!Tbrs7b`yl$4nxC4z|H!W=zg zxoj{irOoZR<(yl9;}tj{njSnTUHBc7u=`R@BD+upc*KMVhee)oixH zinHSGa>_FfWdaWlZ0gH`Jbj);U;6%Wi?1MQbB{an0h|Xl_K~1*D}!Hd1dosX9v(g; z!-ui4$z#@P$5Jo*kJE-$_Jz6MhQRtbL3&|n?e+9_i@&>*^C zNyH+DJyLnvPqu!>Z-}&uaD+uOm2STUR-YD{Wl&RQ{NiVt!RbBk-d5uz!Z^Za3}P%I zVWau%Qzync?%jh2ov#<7pAT0Zt?u#7XYMK@xBJK~ucXT*_i2bb?Jg7gEzQN7;)p>4 zZlA zWO|v&M$Ddd;9s<}t)4YDlG_U}^q;n?B(^p|d%BfX$D^dY%1zDV?~#Xl_z#bP>H)nw zyE2v#o%Zb{7azdZXH59&gY6$S(Y=~>TzE*w1No+@!sW5w#Q0S4|?bfnhBvabm=7d<+5CMC-?zH zzYp4RPtywoI-EZ6(CcELIJPNe1{D$=;dPyXH_>sPeCmnQ7r*qy)7QTC$G%_w_y7C9 zFT7kntK8ZH6R1VHF=LrSFs(wlEpupvQaar@U0Ky~qJHVfXeSQ?K6G7c%|6oAc8LvN z=jp8t_Ri}}fCUjR}c~R;l|biCz}jE<*N+iKEsnhl@>}c~Q^trAOk>Fk5n0{5vbd)5moTGF}~6p<(0P zTj<+mZHs|*NS*oXf_Sr!M;$812kR>D`b1*Kvx%`#?xOW9)aLP?%>Ica$F+Xt7(=&` z_kC`lJdIAnA1uY|!4nNU{*=veP+sFzCvwIu3Y0^$GvhUs>k)> zlP~|;m$e{x*DvTmAHTGjnjE#lr_^d#?2rq?M9s0ruf)bGY3l*z-FBav~H4h{T_-2&h#$sSLAC2u>2 z58+G9jWC{qt>c+Ch6hd)ew<%cgkuqHifr7Tox#7Mk$YdYyzZAJeATgPy}&MhX-jr8 zrPChqDbBk!prz4c+A^L$NXTN-iIU?E{yV zb9AI59x`ZOJEk_6%HlsM^}$3ZT`}@+p4(dfxBhWJBL2Y{#iAEiw&o|#dnS(Uj#(Wu zpt;=?-yMf&Up|zX$oUHGBM(24lM|eGHses$CV=<%o;b<>>a!G!< zC5Ki0bNk35P(PQ+$+(6_>;lCa%bdNCI)qGEJfP;bvHih!d`JYBY2>k|jAWO`6qROD z5*^XKepcP%!>Vxx+{z}uoE&;4<=ChnlG*GpPhv=-@xeM0HEsbE<9^l#B`W6KLRd6I z!LvKzk96?t^brGHJft1)nMr;8@WLg%mkF9N3ZIx{Ij)qslIZbF3kc4h_Y)apctH$T z6a5A_vLg^CXzV;wy9wktliFPGfiR6o<^GNFG+vo#QjQi6@-PN)E7 zPcSwh;Srd090C<-Wau1B{;Xu7->=^or<3$D)qM(n2EqTx-n;#3mu2T&ySlo%x;wVp zr#3bYr#Olo63ZMMMNUk}4Y!F9K@msNkDQ`F^)A2i`((w3iA;xj>M+hw2dm}J&dpj&>M z0|>pgH}%a=+qR5Lwu2|0uraK%<5mZt3{>KXbYwu-sXj?q|EO25`)(1~6Xp-F@hTr> zqYb9xN9pD$8GQ1dZQ5Umv}?tEiIihb94i1i`h5AFuA@W zz-QWG$1+&A=t#EZ^1{BuBcOdAifj0P#y?DC@w0vvQ7pJvek}tM}YH81aDn zSDuDs2RRNFzNlAX^1_)P_<q|m_7He?8f=1i)W8jJ1@d zG?R9s9USwpO(D%${y>T?N=kM!{+@O&GLalbDg$cel6{D{Ey^kx1DyA@*tX+;sIyHE zInlx5VU%=w&fxJt0|5GT_VYnGZ24iXvkfzu@M9Guj=DQ=A|`7#$Yv-m?t1CuX}1n8 zbg%0*9etCQl7g+gM6e?wKz+-6A$fb>I4T5s(Ii` zrg9OF4zJ)v2fxl#*-hX4ew}B_qaXj>mmNWDi5!;c#l$~8ku`!12a}>bHEmk4$~KiCj(+`a98TS|o&9x-eT##ZZCO?x zgfP@DT&@ZW4{LWcb5v=?U{73V%V4n|(2_b#gKay9L2-&6zspmOnw2z00S?&eU(|^^ z`0YnF)D600+a%QyCsiI1%6#Puo{s&M5?^xDIB=+~L5RMEQIHwUC&Jkjle4K0ikq)= ziHbh+7pcDZwx21%gU*LJ4Ou>%P;hyjTLqk{lUq)D%x6tJ({i5m<3i@Q9w@{{&h+c6a_P-d)HUN#*r&JNMQp^VBHZ`EXVHv;nl7$Su?jiu#nt- zSzv9#4o+m!CIqPG>{oaKdTO!WxZ{g6^lD;bGv4t&)Yz zSx|3$I$!;S#ELu`|KgD3(QoqEr*ODW{GkT42e&Q{ z_rW_B^WUK#Xn9LN8|n8$3!f)N@vA--%OibNQeeWkTuPHIhPDU$k`;|vLJ3(C_W8k# zci#Cew;x-UK@QuN8YP$ahFEw>yhK`_wx zcjNz-i==T!#@{H&m0XdpEklk)*ezRrN``;gU!?KdjTvHX9=j8`<#S?Xg4KG--a=qx z#Xq})S=r>}QMCb$GBII3VVv>P%DmAJIuDqAGzZK0(|trc?4LKZJ}DFj`$;hi4zzffuG1k|zn5GLUIQ6MnYNLU<;4__3xb`T4@jgQud(e(vBixvb7? zMEh%}qKW!q4j-TSB-WKZ;||UBXp5QxA39Ge?^ol;pM!a&CgeB5%sXG`bgjljxJQQ5B5xZ{^Al zrn2lC=-Jn(_~$n#LL1xOp;5%4 z+YvneWjxOdj&zXES#R4M52)=}jaSJ4@~27Eq^LFYky<{+dGtG@9@&g{`!i@NlXC!x<@aZS|5m-odRH%h+euNZ;rO#6z; z-wEOj(R6%ud-XOtX*<6=>2z`~8PU1vk(7~fr*EzWj72QJ%BIUw`q2q+k>ipui3i$P zIJ4;LsCVvzXYq@D+xD2w7j`v`={2(R&4T8@wJ0;iQM?XKqYyK zP`i?tJTi!fkVy&Ki0gxBG?B=}YMyJ*l0Y;PzW5Wm_mAr9p_`F6aLe{;RaU{es(C-) zhj6q<7N3G?a?)o{_B5U>q2+vh4}B3`#qUIhYIwmld%1eGyeH5|E!9z~-^iVs!dE+L z&wZu<7Go26e26y{ASae*9g+yk#KBzpWr_!F0FupQjwP$IK|Z-jHh1_W;>Hkt>hu-b zQyyw=!`NGO<7E?BtQZ6Z7mHaP)9u3cAHmaBWW5az{E<2B*e5K?*6aEnDsw}8=U^Ir zZ)`G~$eI&DOvgt3rRopcCUEqTOn9oQkXmd6pE3+_tnQ8LonKgF`E>rlLSwyRAm5m; zkm;iA+Y<5to1Pw2ZUNqn%4*4{LU3Huv8{PefjAdtcC>iI<-O72gx0 z$3g}Ho!g7GIyLvYDDx`Oo;7!{0?on$9Zm9H9%u3Pku68AGXQu{s{_GrJ=3Lju)*NB z(0MX@r5TT_uEH902hlW->n9XUXCRVXS( znccPtDWOqvYGDHhPJIjV=Iu6IIXf;V9UH~!B7Wru*%s|kCq7zOACTE)+U!Ovzha#= zL}Gi3i(+&2wfV-5H&UE}vM~jr32pGM(Wb7VpL76Zq$&?B>B? zi}jJci3L3O60Y3%lsLYaHUPK2MLvkiD(k9k`PHs5}Ik@KmG{2j|GQ}L91`t+!wU9lDKjw%#&srdF9q2ryM+)XZ zi5& zHgK8en9nG$_G(vnjCCK{tNZ3vB5+^OKQ3C+xz34|4(LT%dC$hVPo7Sm#lAA=@uWEe zna;`z4~$*|JN?%BzNe{_V?{Y1`vpFmq3Q+(2FjB?%O8c(D*q2QAWeMq;+k z*zCG%sRDYm6CX@kd3JJrOFk0LXhX3fQ0J?yEMQ*LH4iWsI2C;4Y-IG42`m4xPgx9q zXgNaq4>OQafT-kysogIv8qTQXAg_xodHTrp0pR!N#06Dku!jwXtu17vU%=j+5%5rdvG5Eo z;dziXe_El`O!dnpPaLD3GV`&V46Ry~{}}HjzN3LIliKJS^NJT6kx3gYG$1q4S%qa# zXBh{2J!+nZ2{CrqEVFqV+WMK}sQ8U#SWI$Lk{_4-v6>QrtDd|VJU@Tnd%5X@y5qAj zjSSA%SpCjDWQZ1`T!Wh)6QOq;khhsBS5IbCWdD;^yrCFq+9$U4l{0}urGz|kmIc6x z{UR>)Vvwh5;~B8&%y4YzjZF`wAEEHwab2r}({dc=(*0 zhgZL>pQ`=pSH8M@WuBlhY5xe)IF!hphE93F^47fZZDf#gze!=J=s<^vmBb;)qIsbQ zM|9-IX4^o#@v(L0uT#eUOObbM!0U5D=y7$CWLv^zKI;cMU$uSXjhvysFCO0YAPs#! z-~HWsAmE-}IRf_u{h5$)A&Sn`j+{=MBUEU7+R-!F=OGe0FNw*sKN!OI#~GBIjnnzT zg%8I2-(pZ)FP6}o84yecwy#Rh0TS7#+V(zS&REcN?&W&#{{sb4Qkq0dxRnbebQngUWuYZ=8cE6XAngnhwzX7N^Wh+s(Iguz&d#BVf+#NTG9Syd9)!9cW3tH0@ z55qDRxGdi}%(QtR4*Tf9L$7n>H{bteJXTXYmyL7iGSA?4`@`FBzugAM<@@%fB5+^O zp9z!iq0`Hh+A+!LbaYY=LU+X6Kk8T0xZKqH-N^HFI+x_>zv!{xL+b&8-+QbDov*4v z^THuLzb#H!yu%!2E^)n7lI;03adp6cUxSJxWEQdvo{k&5que}N-~6V2`cPz^cIUDg zIlKN1AyaGS>|^$JliadJU+xfn-eWI;!pTKSV&R!w}G==p@)~gIdWv^SdR+6 zq>ktLemCsIpZ3CMp|hyf!viC24UAi5dDTfKjHybxAtw*4`VrY}YvT`8+!hw#J=mxE zk-nDNmkqI~y{oT;x`{QFovd0?V$zy&H;)b0vBsD*(L$k#qH)^SKPFA3sCK;apVZX3|`^t(ixz~;j?x{cMWIp?Sa`8#u z{oUU^rPS}+my5vO(=R9g9VbO+%S4d}TUb=-u>L-!JG_R?3_N#YEt+)t>M*=J2nb#u z6lq@Fbn<;E9v#l);q%9RC=MVzFHBcw2$LT7d?@8w#2ef+-pXT-s{?+)4YsB&r!2~} zhXV`zqMaSgL4WMQ>6BC#Zscbh#*L>>`3)^L>fZ%txSmSw|B0c+Wog$>97=@1+xz%B z9HLj9Ya1p^7dMt~YFFG~&z-4Qp?X`=3fNWS>2_D?l%0iI=9V8eeaalZ08topN`RKu`*H^Q(WNqBw3kVhyeq+APjRi%{7{ma1KojnK0{ZENg; zADf9${KhT(0;STBHZ647gmz%5XuXpL3KPe1o>7 za3$Et&$nn+@3O5~%(0FSIso5oK9N+$Nj}ERe3g6L=*1uSzItVu#?LC&=j)?xi{x0` z!Sp=B+^EHyE0b90oMV*k%q@&hYlT^A2jeKLe=TGoVmk8jt_~4@~HYxH9GJF8Xzy8J$)W6)jNtI_F2ySx(8>1>&|G-#yC(Vi? z2+x-bm%FP_xJ!Q8%`|mkAC=(rY{ZOl#7z+U*3!ln$F61n&^|dS2qxL4mYSEI92=+f zl{+$Iz&fo$2`gv+pQ&}XfAPi-)i3RkA|j?K4^ko*4Ja_e!Om_GjiCRBofBDArVm(e z3!}POE}u;BV`KY=#!mJV>+}ge`dj<2P+<=r(HuOFn(0QY{DMcZ9zfgzUAUI5gNIxs zyNzGBHgwo7Qrl-P&bhGKm6{PFiHPtdmK^!?8pp`=V7V?$&l`H-47qi}#?A3_2*!=C zZeNVpHdgpxn7+i~Ob#Y& zL5_qSJW1PJl)hvL*!|V7iovU=`-1*V%yK7u1n6Y?wDZwf86#X~FO9)KhwgyzK#&lZ znm7WcBeUpx(N@`KxgObEe##r7knsV57H;sUGdO&3pn<_JsQvxF|M&ePFnN#i8xP!@ z!tQOVUkqzfnh-hU^MO8-wuQPWUUTS?wNEn{cn(`46#B8aH}!)--4u^9p_sl|64{lM zB6pAtbK(_u=c6e@4GomG8#&77G*~?LYg2t+F*L(SE+M)x4@HR>r^X9-lgEb}qN~_Q zst>I<-x5%!b~-QG(!~$E2MyoitEc=!$NnH%{>igp>8&=QP5*3k;#qa6QBHmA9e5O% ztjp0qw@YSxiltx~UkAC)Hz{>(PupAp%b(fe4c`kfKGv54#Zsi<4S(3huC&0hIC5FA zsGF*T4vJG7T52fdfMV)VFpdSa!PcdptlK4KUT~KceNHy`_#|NFs{DWyi+L7u7W~YQxzvtq=eM>6JY-1BC)9~Jf3bD{9=e0`iktg_ z{!GBq-6GJVTqb=wTsmRy6(Qk8m`QyAWi!`?Hb*ZL zKn9)IHaWPe?$S~XZMjwnVwG~-PTZokgbm+j5vz;4*o#xnTi%w-uN?vr?o+Z%CQE>l zs{U?m)DPZ(1j?~J;|sa_)#dSV#4lO**{#SvTWlLp!!FL$zRGfvwlE!nkutJLZD;LN zH%$`GKyAMCj5z=*!;2VN(Hw5-V%}22zfx<%c*4YZ{X@Q1tUG?i!4oItsB;@A2fUFR zguylrxC^V4BR3CB+PP(mU!T#~{squH2^K&3$*bR!BVZecj9nQFvpa9(K*?-u`=9_1 z3=nSuW2bFf8=ElBFm0N#X48cOW%Tx3)j7+3NS%o}1iO2G>8yJ$<%bs=+=`>l$qH7y z=y$RAi4T5ZCr`Um_Q{I!p2g#i`vQLA>^*&=2;3L+j|*GJCGo+}z{w@6ewSUWmAEYb zTY5$7yITDH;K^_@P}(4fEjK@DQR*Twwb9w~9)w{A&MY~DqNSA^q(bB9K*Xn!9Gyy< zY8uPc4D>k&fY;cxOy1;)uaz^G-E9+84phb&%k4Uo*^Y1gCeD{wUv#&jZ6h>nTyf#9MZG06+y!Z>Rm`E&}1p@d;mZ2{2A|7lP!2mNhY#_KXFy)1`)R*m{r2g0n zhaP7_uAe&PdMn5u;~?$d2zfm!iy$~;+ARO4KH~N%LPJTm>>qNLRUL1`rySpbC?C6g zim~aY+MR)Q=E&0|>nXQCgKJvKIz>R}NErj6Awz#EP6UG$f4D_t>T0iQDu=6m?5Z}x z@Ik8(nS)4ei|4e1?tUQz(}m?ZOD8CKu84A;(kfy|lj;abbYPck>%J z{JW=59)bIU{*tldei93*JFgxha|cw1Km4wL>YsS{(m(jpq2r=9 znGjk_4sA+P^uRP}<5%XAtDU#9w!pyNu=cll_{o%m9%4tCdb`$ZwEpU`hu@$dVJ^~n? z(gd}>)K6TmS4&tbJ1!~jD+IH^BNJ#E(bDAMfU#uEQT-r<58+l{Bnd*T9~X(Kgol1W zsq=P4A{9HKvq&Hldn%H~5oE1@|LTnItOGXpS&r< zK6q}!_};jc?|4{t0(5H)to}(UuqK*nk5oP9mBdb#w2wK#unh^;0(|7*!(*=EZ2N-` z-uJ@nlMu;Z3t2w!gOh^*%3yFZ1P*x(*pB%3r`)}FUU_q0(4PsJAK6gnBGJ*>G25Bb z8TV6~bl#plQ>NqcG(4S`vU%#j;GoOLPs;lF7@ul#`FGg3`V&8BzjdbCxY7<{&RGX- zBo!N82#r&*+N8DudSh^wN4>06r+u`c({OM%`UtYmF2r1>b^Ezjyd6D!9#^avnJY%I zlOGT!#GD)^#;Z-$Ih?U#8kV#CmfKkR8}_R^_DtP0*p7n)D~rFz92>~=Ayb4Px9ul< z;<@p#Qq1y7plutY<)G<&64jM@Ihxj=Jfw|_KhxIK;UEnT`&pS2c913IU}P$$WCOPf zk#8LvD+wsLBVV;RIbxAF%ko)x!C|iQ+{0X^hvi84j#tn##ztTCK10N7tnmlizQw4k zgne>8i+7$mVk~VNIYS5EV@x@J^s)O>?nM68(|tkzn3ypRGNDuIljR-??%Z_FF5+}{ zIz2Q#Xwa!yWa;>QcYDveeFUrtxC5mFi4M*p&gi({#RdDph6&|8{dyA#+gt(ofgkvO ze}4H_e)-`Se&PRq_?e&i8Q1&0c(+D4$OA|2LdFpk;GRs#;v4NDCuIOu+=%97k$(zn z^rSx!RW{ml_8-e1s#A1(K)ML4t+ew-Ce`qW1~P}3VxP9s%Ct1TQ$~Ir$!zG|Cfi3I zX5wa;7=2i!%NBn*eWq&K~8f;~y+%tB&oL?=1-G#sQL)*S^$(clJ$8F=fJPuJleFCep!2Ez zjXm;hn&`yW$Ro$|I<$q`dgML$r(Gn^XA_^m?>UQiT68g|%v{KO0qn1I!Qw0)AKX6W zB*#ud^%GjW_sF7pPoE$Hxykzp6u)CsX3#Py+u7-abYd1=Iy;Llv@UeyBrnR!d5KIr zFx?e-5#0H8{;dgtA9v9^kpuhZd%yP!`d##Qb9QtJ2`w%%@u75K zralIP7e4Js+tNn23oHP@ICO3hFI8-wA=+h6X=7vX#<#W$Ap1Os(DO8J_SJi$c=#;w{QYSSIjTN+N z!Mj*=1^et5Bvr1nQ0tFHMpM~i8z!Ov(>c;fil}JQ?2RcV_>6nrH{lmgjXmhG5zpBt zXWIPIu|_|@4lyfTMK9#aIL8+G;4EGaNH{y6xoM0s?=apyUx`N9bJ{e9`GyC5d8(b4 zWAWW{KQ}Zw@Hvq{zxV0!{lq)3U^cE}{+@k;2;3L+=Yqyb@;RwUww;lV&0yr-HyyFB zbEVUBrrd$Ugu`2ykne)eeezt&-IuZ6*BjY#B%hbh;8r_-ZBlP)`OVM1DSO|rEIxes z%U^l;lNfv~P3J3MM8#mS1ha^?=s}WFIFc+_a-UI0_5LwfManvsz)ebJ9C)1^2LMJ1p$j z%tCf>ZR4z`j8dsVcdQ|u0i4Lj?JhpmLzaCc`oyIBlqe+)52pvqJ9W5eV{p;k`iQGO zauj^4N(E$CkS?+o-~Pd~$-@tklH`iLqra)G(3h;rCfBkmc(L|{1g*Pp7i2*PkA4;Z zc}C$QeV?2;8 z&R_(upIfBV&n>d1s$TWLV`H)2Y-+yjl1=jMnYl!;xfR;m(H zx9ybiYc~Z0Ap}cT5sX>?kj=gw?HW)X8Ps>6GFHTLGB3p;BtB<*BQyKJiyz9wOaBT0 zEi2B{5@Rpo|&CiL?^H0*AEeTG!8!R5g3BaLsq)zPQX9XHYH8*?0U5s4EN7I6*$dJ@BXF1q8;{0TIGZh0sg@wu`rXf8JdbmP5fL^hwWHc9v$RY1p)$=r;R%)E?O9xRvd?r zsHIZ9#EqC6^6(L>?RW6x!`Q+iRZ?tFT7)T19TqsF+x=9x4QrWfkPBw?k@ML*C_aeD z7)08b5?e7oO$P4K7Cieu{<>UeCWpp6mPIzV5CLio$ocTF8*)7vL8fz9UO>|}(S zP^!y>h}@*9AfNVR!tCYt+Kbplu?RA2!@)i9A`spZR-y9auvtjeJ_OtK=CoH!%#k_XX>c=_0OOU?pA`ALb#P?xqD{<4WeA1K2Y{+iq8kxyH; za{a$Gx#*{|)oP2FjD;KJ>LPxtUia~8!N9UYd;G4W5#^2E#+m4e2 zk#%_~rXGHDvagV}vh(-_ZTB6d+ZWvn)DKf1XY5!o`KlT7Aae^}9n8at8B2N3d!94O z?Y{9q`aIjw#5`Af(9W3Ne?GNQdbRw1hW>H!QYWP2b^x$g(+OE*zx{eH9dY&y-*n0L zd+F5a@Z4wbnK+%;XWbqQ88Fbebj2k&&Zfa*A^4fFIL(+m8%fq=ItF zZ_O|VMSbIz`Vgx_v)Nqp|b|wf4)V&2eyvm)n*hkb?n(`)TzlwQC9HODd z+|A^-q;3oK>NW=p+DQ*>`G`|C7W&x^thgP80jY5iWKqqgUIL2GB;?Lm5C|_8Fp42s zeS`;j>DUlfNm1B-7a*6VEmHicEF9I*vu*QcGqjBvxh*1%@ekUP!;bGU#P=;Px+)x2 zo_gWixf>tU24AY5F}DKiC|C`wAnG#nM;d>U@zn`rF*0fS_NYE~CEth*q$I09kr_Pi z4|w`d84sGaZ&2X#A$5_)FUqCkZ{#c{-h2(0s#M?5?ZP}Qzc0tro^$Rrrf@vh$sT;> zLK1Tz>GZ{f`{tD*a9_|rCR}v7COTW|l)Jb?qfY7|po8+^UN{|@g_JsSU99sYGWh6o zzezIsV}yWB$M?f?qNBq@C;k;94JPhaefc+j!-JFqfVbXyD-WHB!U0552P*kI51@iu zw3>zARGL$q`m`xnY`08G3&flyS29Aewpb~Mp_oL>LO1-gI#P!(w;Hgrn^;V;kN8>2 zQx1OjU-wn(+Zq~mK1K8nitVHiAUpC1C}y?+4RU$bHUZ)#rQeh^SW9o~oc$}(*@v{- zZAZsW<_t(D(hZ2)j4ytYS>&`ic`X++AcH-AC$3jXYV18O2|Hn4f@?pN3}J90cy1Ff zDBT|?_l0HJdF&AHi=)2v;>7abJEycL&_lNE(2OVg3F&4K<0C~ceYm3yb{D=wlt?L7 zAZkD8@9ddI5UYOFerz_bV_O*UOLa)orW}_9zrNbsI1$W-&5GGqpz(j4r6XH;=AhP@ zzfuO2eVyBl)VSQvyvJ3=*FNOrMT>MC4VFwYm*G7a91L_Wqz)GN&982;3L+ zXX3`Oqn~0wWazkj=vm4MPvq*Ibz0qeCP-So3!Ly>jqhAd%;Ht*$hYz zOtCFth{$3CNN{(1M-FXtEE6o_%Lew(WL>7KVt3j~H5j~F{v!YYKmbWZ zK~!E`^q3NSkb+iT^4)%LlE%AMpU$P;hsfLyPzt09V=2y=@u;mYl)akUdNm-$z+VN~ zL+X$81NTMeTg2v;KL`Dwxo@>^k4XA#Y;Rv;0}tTw%Ol}+ms}On1;e!W`fhKOuQ=B<-NgY{yi4Jg$ z0rM3nAg^ojW*$NYUXUawTIWShLi(Ux^~vG$jUY(_9ewFBHt!F`IV7*VIS(#hS^2lS zf-eHOqb5x4gtVIu%mU3*(3I(z?fB41Jp9&<%mPoHcbnobRm9DUBVeJ~)o(pkJY z0C?jwJWLnc9-xv($A9BTePH~G<&B4Snn6sFHsQxk z9i*XEC;m&y6PnT7ChN^4cg5L=kNq6%Q$($@FUu7Q@ujheue3v!6t}cB3h$zZ>kvBp6F5 z)hD(W37O0-5loB2zvI@n4yu)|G&r$+r8kt(jEp6G7Kze)R*}6^43+5Tk3mE);?AMD z4-C&pj%&v))9CT(~P|VQlHf}o4`3l5_jx(k5`eHBrY`?kUoHTE{cuc#UBx?+1%K! z2x}|Vq~q0?ajZeAZs`YQh)SX@()i0SD8EE~SF3|D$e87)R%)s!%u7~AFeD$qQ&qr^%zx{)vx=9@t z8Ah z#o^U&w<*Ybi||EZvz{u|7QWH0)i#=9tn`cBvR%63W%0v*K#FU;M=B8d35xrQX#6>? zHuNB?a{J8Eaj^JaDCphAvc}P%(wB|evLFZEcs2GZjjm}bFMXF$s_a>;eZqi_!7V_s z^&IF7PYl}_Jj$s@e%AvAMzK={$He5uk(RIQC0?9pumJCQDT{pDboQlS9}mWjf9Uf7 zFbR48TA^~V=_}CC#YW2YGk$yDNcVop-64GC&HWzwGa=)El+Ndltj@>)W3g>#q};?k zCl+kvd!)-H_Rk0ed6gb?#XRqH=d!vwHn=B72ML%yC>U_tSDAsyrT5HZ833Y+1J($W znG|~Y9sH4UV-AH3vG~bww;vb zWyfwgBZ)_hn~+T(QXBPWyThly?R1t!HN?i*a`E;sF)Z{?dDW@T{;7PPwb-`OAAlIz z2)2!FOY2JxYa?5$&e@nAYGu%)xv3`(SlxVTlcb8aA~ytLNRhsQ4!(-u%49F_`_inO z;!8LB-UiT6Scv5*$qww$vL8p>5N5%(vuyP76Z7aOQPp3rdcY^ewwbDZggi8};nC_m zX->>NZ+$8YtyQ(b2R~#h!#!Ccj?8JyQ7dO|(4PsII+#Z_9gab;CIrTU(yF`0<@P+u?k9@X>D%!c2)qCTI-T7e zTMILEXzs|$Nzh2puxqMx8DJV39zclNr*JJF8pRA0E0{CRhBbO-TsARZ-Lx$>E@HSb z?RH7!E8hY`y481ksz6Lh=pQbcc5EE_OM97usv<@IUje8k9+ddx%qn(>;&z&SWIsi! zYa(QAl3c7+e)1(K=zvmiTOyyTw=%!`3Hta$I?JJ4x5x=iVo${p+2X=C>iCuRM8CS@ z`PGDK*$r7h;@g%iZwDs6#Efie(Q=u^OXlJQ`mz1Umb$H&->@9Z%Su$cTq z2g~gZfGxm-3n}{%Df|izJ{5aYy)+8J-DLa<<0vpkaYYjZ%tuvwjJ+wQ*GSQN-2Eo@!?h;c~2rJ)2{OUguYZ* zqnSW!G~UmN}A^K6UiTtHZ%Y_E=)?D~Yv!QlybeL4ABhR4dKp~(WV3Mhgi=Oz%uSrg} zDBGzzF@qPUIv$cUc|4WE4MzBxl&XEws=tx8mGYEl3?BrFk0oh$ksO!hv81o&pTI%@ zZMA=L3yogzwp#7rN94CAQfc#+FDs7%sAOa?eHH2 zw-wy(vm(W<@~JJqT|jQjCO%UazYnes{K$rXku`AGZ5s>ZBN>aNz3{?EndE3)ba2r! z&GFTKBY*lqy|M@H5+7Prmfc{Br-Pv26*E{i6(`I`vUc&KUvmYA81rGSB4-lYGfN@^?m+r_@X) z9TMiqrzWs3PbCinze!BW6d738bX$kJY3K<$x{EB@DsQw!vM-|7+2&jHT3U)CpJl3Y zx-nf!;JIBAR{7*74$+~l#N88=$~nV9KKjlN-x8l?Wfg*dI+k){8^Hr;X+BlhIMLsF zlpO1uAXLu&x*fqike)J>c1k{aR}r^K2EhQIdOWE=JMOWMWMu|xJ8%$AJ-~wx#^b&h z9zy1OpAOW4h+XfSC-~j}%ADpyfV^E6S z_`f+zL8LBtmUfKl>&lG-dgFj>^lbC+DS^VSMA*MBNLqR4v2(t0-;k_-d_@oBGG6$2 zZe#wE9vFPr96i70b!6}Y%nx{NwPkYV?r-h9p?mG%&PfXx^##3qdi4n07xZUhrXMTt zm9j1XJp!eJ`s*3fse$MKP@nX~$5+kNJ>8iZH9oVK9Jwb(jS>b0ou9<-rjrDdF%&CXMB-*8E zsMTw}$N@u*xF*?I$MdR04IVo4sfs9$V*(*=_|EMUrO-M#f|k_yP&)vJ8(W+1SS}yn zZr)N^h0UW>AEH%WT8^9HM>+keKu4R6BiU&yT1{uk%`W36x12V`z>~&*V{HD7x~u88 z2S1t4I0IpgzfF)#i}*4iBkQ%ftZCtmNwAXO@Ao8`SM3VizeS(9>1|ceO1lB zwTw(?OBOxrk`HroWGy!^(P_ZK8`j{aO~pZe(9I8CHIgG6t89s9Fev$w`B0gwy1Zk>k~{?d<2nO7Ng_aIo$#87m8X>}LRC zb0>|Y8B7$ANa{qG0lY*cQGY9mUKX$n?gLOF8*$6;k~J-|Eo|==Q?b2?09#ic#Or*&0E@$}?EI^r3ba9fW4LMgfKI3J=i z+jTAtaz_CFo*1qZLkmhA->)fcF>SRYQnurEZjIGuk%$2**pJ4<I*T)Yq%IkYv59>BgrD;5K`Q4$%w%%iP~s> zC~?{TO1{<*UA9#wW{nY&Ew5%7ZMUub?t@M!$z$uZXn(C9jE##YJIM{(F1`Z`QR&ex z6m3|JWo3{X4YZ6`Ib=w+j~)D^9-H+#`^2;g7u5<7iP^dDBG_0ISAtI4haGGCceAG| z53l}1JN=`FE<1MFoAEFR*sIN_Vt0$5_5|m&=NO3$M#_olSb6Nd?B2@7{;3!3+DY5u z5rEZ)(lUFhK3H-V<094bEniOdOB}6KY-pw$eCq5M=~!g;(THz4^HcobEW7)lIkr1L zVLiU&QacBh$aSB<_pd~9P^|fj#MAD4ZI@e(!54-Wd&U{bcH|TDB6hs!3-DXIq@VP? zli#yfiNO6S_m7E|&!A^u(=mN-+@pe{%8U{^DT{CiAdp^^>D-d#jQqWK-%~Hnpk`Pi z3s%m=L#I=N1s#3L=KwngUfiAmP6bzd)4DWUVQy1mkd19d;SBCDR|P@wMo(mEn8c*} zT%s*w=sB?`c+$h2m@&q!rJM~dfhRBoF-n#KZ0ZZkwAPa2vnQoGAP~gT7R=OU4(JjK zbOMiT5_pj*g}i)Q0~@@hvnBBXo0Z@8k9J89y8&P_-TG(AbnQPLG^Ss*jpXO#j86Jh z9E$CXhVi~NiGNgUpOOP)pNCLrj?=lI{)w2fzMN+WRi(zY)8!fLSa zk#c<9a?x$wd$QvQV5d_r_8N=&)H>pM4nsO^u!@cswxOk>oEVTY&f9kUBsMFa5^^0k zlqjRSzhwYsS{D|&Ce0=`r4nRh5pa?$PoGa)neW6_n#C6#(ax`9BFkKa4D%EU)cXT1 z@OdTncm$Z{vMkh%ljk`Wd(Cn5O?05~X3eCxCckH|5`p^}`ZLj@YtaGQ+1nXgM>QRB zAK{*hF#P_|0IzMOv+_A7TfbdN1B$bJeqD`34sPGuZkjrM4jL>nn+!cFyL7E|a7H0* z*|NJ-zK1j8Uj*8_#(e~i?bfy22wr1zh(B43q1a)9dP*pE5_@}f5kh4>=r^2OubIe5 zr*EOmR{XOKvDKKuyht18O6nwdm7_f?N-DU0S4Hucgp_ZXb#Db`_r+RDo0ycN>t7I4 zIqiX#m__cuSN|fJYx3p+Rg>{AcvhHA`KhA2^*3#VC&MIujOi;APi(h1$i>G9?lvA# zHR}}HI^YGXZIA5}^Tvgs*}uw07oCj-Z9Vxt#v=#7Zl5tiVyo2gCp`bxm)%ywv2mx} zbhNiGuI>0p9;AHG-98`*2Ob;aQ(WcUr&yGIMN)CAoPWAmCobk`!OcRRtBd?73yU#7 z%F;!dGiMLv(mY2Rx#PtmRd%jEYXX-Ux z*52EMPDkx;Qgc6wBi_=A!96Ha>KU{g!TOikUj5T+tMEReMB9UOeD9mse|qTyx7}bed^?}L|l;E7Byw8U&U4}?RkWS z5uZ^l!C*z)<;I}#he$bo6MraCFkNM6H}0V|vdCZ4!fvxhxp+%={DK~x(+Z2$##L=s zrUd_Xf1EL)t>^w&Z5z7>RHDq_WSTCFJHlq=o-4-mRZJ{+jCaX>2 zJ7%d{7I{~JC4iLLl57i*@>1Gp<1gXLb1pPMtLrq z$Ai#s_cyZ90Tr1+H_pZ?ud)@pwhnpDiqmJ9XGqLzIeExI)Uq+kt-q(YV6s?euF3UE_m_xQCSEQB_JOx_Ryr~rvK^F8 z>NI1_<60XJy}3M(EC&F{rku{62|pcOBIbcrxlhd?u$<^jD47D0Iuq8O=A2R=TgHc( zirkJDC}54$365CdziH#f)A}q|6C1~bTH4)s2c_G9-M&ntF^p7XpcyQi0l=woNF`+W zSt!FQv21j)xhM ztxVg2Y!kf7n|k3*Oqck!xAmcg&OG)Z55%dCN^kpBmb|t(2w-0FRYmDRM?YWdP2Eql zOULaWK8tzhv)GOO;-0qd(N;?jyZnKU05`3jX{Q%E42e|IJYR3YbezXbIr}4C8`=!b> zF&JCNZC%wARy9$$v|;lw5F3fsZC`}x|E2GdEC*^c{)fHF*3o7jTnoZDkIB(TD>|nv z)SWgTnVnplP3^|FE50?V>Ri1^I|H45Gl!V3`|7K0S;TYcJ!6ddD0(~X*cs`_iggf!DGC<{Wed6+|#Q@;J%?|Grd6a#|$>3oe1d0%GN0P;dV1IwLSWhQ_w;^=k&P`*tT zAL1%AU{~c<;wT#kNDkSH zyvfnO$V(1vCacDB+mE}Y-{QrW!>6NY-o@WK94)rS9s8x)Z+JRvti2tDOvGKZtRvWu z?68c3wS0)Z(}mh_e%b{?_1e42wFX`=cV6C^F9%NIrTnCw+0!TQ>QimU*VHtw+`w(~ zkdn=*tsq2>D%j!Dr?=L{(c8-C-I84w9_aBucA&SO+>+i{!g!&@#jRIK^x)-#pV?2Q zPt1_5Ov;gQ`H;76yoBWxe0)cz)LaGRSs%I<55Hx8!w!Z60ynvU=U;!cp+Aqv+{h+ ztPiYZ!DuI?_j2i}2LR~PvAMU-heT(8Uq7wNlkglVlUVe@##|pV$&oSl)GeY7zEB~L zUn)$wLbp7z7r?1w#V0m5GKIa7%pwUf0yZ(S6S5l(+=zhrDq_i$Q7GS3y8+jG;))fR zS~ib3uV#)G3@|-OY2ta>uVZ1gPXj*aEZDVQOYTIn=OYz)y^)-3q zjBQu1IMEBOcDEmiS=t!tjW%BTk4}|2N@v*m%ZbV82$;FYe33jiy`NXOau&{I_S}Ql zn9`L@pO{E4zMZd-&C9jGhUYm{&kZpjnl?JLgLMBMdgAb^+xvq4OvHHRJRLI~o=)A) z%|gyY9&|_+UoY-+_Kr>$b#z$N+tD!xKLd!f#k>v{KD6q#&Ji;*y!eDCMSCL?j`4eI$jbDct#q6W#;A(fb zrAK9(pg-}6Jb8+nR?6(eEvV9{h30Jyz&yE)NkrkWm(INr4vf<$l@BZSPs$5=WD!aK zi!NAgSMn=eT${5W2DL^o%o)5Xn_C+;w(S**w%A)8#M;3_o;l^cci-_s3=f~!Pxe{h z^)ZWYE}?f`g2%~5e;&H?*#{r8*ym)0+lS19oUD*2bK4Rd>D#g8xl*)ZSopsAL=m_z z=+A_WZpm45I^Py#Q717V=!B%^bbijd`y_i`u)xCKj*KjW)<>o@h`>aKfkI9qM~1{A zVjF92+7pjdq-QD1X0rr`W`ToG@hMtG01a-iOMglaTTC1H`8ZyuX3AIJs^f{Ir#_FB zYT*&bdbWH zHNmUw*r2)+dLoPi$S+?^W&_)trImshlQ<}ej0pAzUa;c>f<&F$7&&96jt=t;G2Cy1 z%Wq4dQ9ffNw;J`^=XxJI@}9fooSz%={Kr?-GJoaeF}mOGXOW0S_ERxCpSDhZPoFFT z_XYi#xV_<@Po0j;5$=)l+vlP6wXPiuEaD8r4|V3w*UkDiBwhhaXZAv_fz!+JoZXW= z2t5FKz$B9bvc_X!59#n?4`RWBFuV-jlk$YJ*jsMv4#czBBS$Q4v~eMAc?tx9`Wb%P zO>AE5C!E7y6{+oX)|d!mqj}_znaR$4)g5n9Wjl+xMO=^Wjjv-czHZcblS$I;8~c?o z3LD!~VZq{4{0(L%Yt&oU;i6$KZCU!T()Mhlhc4mF1fB^r@l*S&QU#-Ta}v*T`Bkn1 zm1(_v(TC;TO1s6vuicKcn|frT>oUa!S)H`tV7Pq|+gNQi5F}#Rytb2%gUe2lgN6Od zm$P!(Gr+~C!KW|S?Dy6EB^Tq_lcj6Cu@7FcR6?}$m5rXY$lRL5k`GjVxu9BO6WJ;)=R(U_=U}ddtnE! zTSPl?x4gycWhk}IRJ~$oCHPm_@CQjYu!o%{V~BdODgMH}v>RPC>jAq*y2tvp4OB73yE};DtZfH30z7+!ByD6RJ(Zx6KH` zv#ra``|w`0y;?`A$QUHGPI-En@DpR$HG0b3?wiy>NOEJmUtE{d>?6{--`lpta`={d zdQ%Kb9&vH(q>^2={j9v7LX^^K6SCC@%qpv}c`)!DcaWLF(&eg@_r(z}NXRQCbg9L5 z1c3;M@JO+By^yE|`I z`B~J{x#4$$L8f)?H@%|=-WVwSd>}jqOYcMFvR00SJy>4PJ$fIp$}ff<1A+R&_o05A zW+1LXzuK|=U8E^Qwi@M9$I|m@O&S;RH9JL_(b{wrAzjoeGjz-|-5E`SZEMBsog5&3 z&!w3%mk82C7v$gz$^S-Na$=fq!kF-W+!80t81}`o!NRre_YJA_%dJFzKWo_%(iu7o}{GDSygT8<#?~j#A5~ z574r&5Bqlftk-a8F*_)>Sy!NqUYr@lENaBU>2zRJR-YM-2CDsR>56al!GCSp0Xuep za9bs4_%RFJJzqKr*`S(l)Cnp3OtQ!s%!+`T5AQZ5hER9k!L=kD!8abf<=LFfG3fMD ze?2$NNe8-~pAI=3vWyQT;|Oyc`b*ai61mKQw34fw%#D2O2Oml3Jkb>M?wgN~zx^812k4K15j(@Z4i)fm15cZ&WC_y(tq4KpatcJHHT;E zQFNSY$8MZXpl6~az>K$|4yciCc%dO;skIrpve7od@PajRZ7KJQlaTP$joLNAZ86I1 zxP%_mq~+#BH`G`i6Cx!>xf~A9(Xwd!;cC16+4G*~F3nLq46H+dwSW8iYUae(by7m= z*Kwiw>|Ar%gYGPX&Ag_G(YbByCYXOzjdkC=d;}8xmzV#JlKki+y`OC+#&-5}&^)xp zk!?FagPx;Ojyg%y^B(tf;5EUjw{p+j2Lu{S(8~jhGJ}sY1A)%Z2YCizQU`kK$nR9% zF$YzU3kT_BaJJ}BXzMMFRSe;W^q_T z!RXqG~m#LinsD5IUE=3P$BA&rm6mYh{kRk9vHq2AT z0pJsLSjm z<}%NB;&&fk+9~DsR4d#!uM~m%g8p2%_}*GOzVZ*Xz|#3xSjoHCo*k1iJaUdwIrIMJ ze9xTwMs#L6w-CJeQ|D7X+~HC@7%9hQ7k3jgN>$9Hmu)y7zdfa6L&iQ<4S(#@sct_` z0z+}v6#}K_v4cBO61DX5r&z=@E+#IevwK(wq_s&acJM}P{9qCb1z!2V9LZ%HPpV&D z^0w)!zkn-r$?c;li6hc6h*rN#s>QZz z(_f*aW~|Ujt)^)=elCI`)3*9+e#3yQQhBb-#%)}LrGWIJQb3mvNNp?SjoDZshelHM znwQ=@bZUo^%EhH8UQ>ACZ#ne+H^v{^yOBMev<=xAQyV*$!S#Rn^%k;OVDGs2WjzXx z7g?P&pu84c)wmy?IV&eIoLJc3Il15&A5Kt+v%iuCUwWL}^v7G^asQl8uQ-C4`{+o= zAN%FK7MdCN%_~LVzMwxBEagw9oh-T_1C;@m0Yayy!$TwI!I3xh zTj)NE7bXLT*Cpm`J#{8N=s6?bXZz6T=Cv8m(($uxLo#3)m`-j$dE}=wOno~0o??&6 zBYUCWf-{}W1a3L7qi|Z?5Mi>d3#PPk__W>X{4z&gdBspZ;{d zx@MZr*va`YLm}TfHu|<@^0&=@W`Fw z3*(f_V7Fr;uPOF)aESw!$v-80zBK?XZK3Vm4~fG9N@3zP(x%z02uwhfL9cGh+ambB zy>|nAtp-2)7|!Y>w03-mMkKG=yM{l-YAM|9(TP)N^0ono+YZZuDZcyRm|C(^KeJ+n zR)3qHl1F*56|W)J25YI+$%WTXFAPv5g?T-G^6@RnG4=59>%{8rV^ip@{ zCN7V=JT@FZ&s+Qu%kWfhe<3c&obyuWI({YCB9eJ-$@q*-NTZ49(Q4A_@l8RMd zE7e#bW!l6pTGH2l?FV0^*_YNakprv!Ohk0qZu_M@q7)SAWgDq7szLpv7cqHsuQY1A z-IXhi>2V9VO^RWfmS-`TBv&es1ls;13`^`|3u*#TUgX*&E2ZKVx~L8LC5HHH;>C>j zkDY0siI0%LBc**QcWYbam1yT8A3x9W0p9fbo5sh^AS%jQ{3V9zGifAFP*nA?MgpH81rvBW*O+(XMDBFFVSNEk0Mw=^DuQ z7NXe3txx3iALb)+>MYpg=f@{4d{s?!4iY}2vv1^?-$);RBhLc)nIqMGuibX@Tj|K* zhfiFV!&bd-UNHjq1^t$p_6(bDd$L4*}6;)T}*d)VBm9f+QdMhvvxuL>}Nlh zPA@t~wVrGR!PD1tcE5S9PbCis7+j{u4{*@IE>F)hKr=tQcoZP>Vy>99!2-`pVaaJv z#!R?UeWY89f70ltAWI4`vxBq94igczU-=9p`Gyg;TaiQ`0OF-mlV;ERPNaut%+@P^sjMpqiLO5 zt)Fd+>-eBTY1{7jfiefmmT@++FwlzzSWRFhevx@hFNJ($l<^`d#{CC6v;D2Nf9v6$ zciz>0$`!oNe)i3W&wlRn{-s5H$!|SKiG`THr5qpJzYXsSF5V>UEvxo_`zm_aqtgoe zaoQw2qD-9+b6U$Nb^d`yTi}!MieZp?#Odxii|*6v>5O#tyqv*DnnYrKGP3h_FKv*uC zv^2Q48g3u{*az1vl6|1!6KePtJTa%QxIVI=u%GawzHGY)<--u6w62Wd2ZSdQ^c@b_ zN6zx;L$2EW00f6V6|jy&o`bOB*eKl*AN#Mr{+gbj`P{?*`>VhD@OS?1|MT#V|6~8; z!%zJ)KlSj%FaA&#cs(ThwXc2s;qU$WuRr|iul`*vd>=jh$Upicdf1G`pUd2UJEG2s z5%uvJtp1=+8tdkA`HR&|%x@SfqQID75hCsC*a@ zJ#s~l&dr%SN8KzGZ@&3iTSb>o&)|`zlcP(S%U4WxC%-fU%!F~<1jajhAD@t7Aia#N z$7u%O0hQ<2|VW;GvcfVwxls{sVB@Rf6A0@*Vb6ur)T7B(r z;LbQSa^5FxjBTc!E=mE|_|SNmV=P+0T=4nNe_m(e?>zjCzwwtJ{?xzuZ$JE}|I(j- z_|f0_JAKs+X};#g+`#R)x8HvI;Y(lo2M@pWOTYB+SAOm|B2tT7QXIy z{Hwp&?`dH6IU{gx&1oVy&+f4|VM_n7^HAddiRGu?<$vPOSP^Dma`N#l z%~@PZe^Y1USCQ!;5!%tWzO0es`%mo zjcK3F)Ccm6fvhJTx+njno#hwFoOIdE>}9)SY6LQPsiZX6=a77nxx+-;eUNU7C*ZIa zt_sA^S>)<3@w1rul;kHdrV;vo&TgAL)|5TrL(t7T`^wg#WDkaPmP4|S_#_`2#Sy;f zw0&+H6`dg&T178Js=ANNSzIyF*7)u=;le*mvYjk&#sfUkM zQW_V*3=X9vhl*C)$k5~g+80a-oH$6vWURzLQvv~a(7QxSb{&Nps_`(++e&k1f zzC91iss6qW zVz`p>(Sg;rA%Fk*RHE?e>3Cx1)s=tSYiJ>MUvIBI8tkJ^)!PZ_z%A#9G-ux2L+TM| zj$CuO3E2)F@_d5l!6fYPZN!Vc2PG4@6S=&b!5G?9EHZK?Rj9g1XW}Ej=&t&ZR~8KW zeWS5NT-bPSlN?Nbl{#x+Hg>x~_4$yzkYoo_d`wqi_}IHmOh}soD>+O+X0f3- zd9taQ6}c%!Rw%Y9ypdndEV;!H7XF=0~H!~gg{{m&2o>_7L>`aXxWs-_H&aL$v`Ka~}ROmvIJfEE+s+^7Xb8 zrwe~$f&F`W^$6S-^ygwW*WAyJ$I&zox9pD3z1S?~bV@$$lwQo$nbmXGWhiLK`^eS< zB@cw;AYkhj!|pLqBx@Pp^zBq2XcaT4+K>+H zzhe|=q!OXjb2fGLKzr6vYS{ebJO0XkY)AL11rPf6!?i`rK5NX#@zdL?kdMO`AL|H! zN^O5?vmHByDle*6DmFKyYZ7+@tLEH3ii|9m+5gI4`O6P~`rrHaAO75*`;RnkKhnMP zzvE|VI#<{)X_C7vvnjKvYmUZU(w{(FA>;m`kt|3VAo2m0;tZ(64FOy-Q-`{vA; zua!X~b$>f1sc1AGK+anWFTV4 zxR%+^5J4k-YF-)Z%6;>RBXD2Pp9`HH;Oy{TomPXhFJPcU>)(lvO-JrRPdP`mANg__ zLdf@iIOPnK{P+q-tmu&3$!B0f>tHZ;9g3tEWlyRHJuV%Dk#%-%W-y(kl&4WQjJB2G z>9(8yST=)nP4z2=8?HLrM_(bPS|eL{O0p_`CxEi?gVg+DO!Cn2WbsF_b$F7pS^s1t zc#sZyYdg09)hANhc4giA9WFTfEI11I`&@d=EjF&xF1LC1t?Pw5RNZcx3T-~VE*k`f(yYV@BlsCQp zB)3i4fYbg=D^#vddHBpi_VYjgS0DbwzxpR1{_LOq4#c_`{l=FxFXZl~WyhZ5 zHI871)OIuOKcjEAaR2>>fA~ip{^S4TKYRFFf9wD7{1S}##}$EI72v=jJ_VFm<8x?~ zsiuxZ%5!5}^bdK)2O*^%7-Sw}UfM60VP0dghS!JRkZ1hx4FzzUXb&Ieu40x~8aQM2 z;$P+N`O8P(zMwx7tMv{ebx=BEKd5vt(sk*;bV}ZSMCU~gS{HfVq}0w#Cx*@wqQzry zu+V3K<#H7-rGbwuIk-OJ)qtsOMuF|0Z4mQ1y-~YTws^5_WnL_w!8-CDxG$0=F0o{t zJ;o1z4x)rX^1{9ybjj^4*bUEBbSEgcV$eHDRW)s(R{QL?nZ%Sgg5_4v^6+0^D{{2r z71ARk==bv?oX0ls$$l;0uE3DnE>Im4!)Sx3KDVeu4qE%AB}`Ch*%ALJ8%On6&vxVD z!T5<2PT>xOaqUib9du>&0SU`b=?+R)UuY^d2bcGU^e$QsAUY8SYt=9Fo( z81KCETPFOOKl2|vd_xbqef2lLI+x1#*{ubp!Hpxdvuqh{-qhvyujx|#@A|PHd-x0g z`G58B*Z=xo6Yb6Tu>432A;$mYw|>U=C|OPd?2pP}KhN!CamEMa_#?2rKhB#jk!8-} z!vfE1UTG4~48@1M{@pKd6MmfalWq-d z;%hlZzc~nqe_P@x*%U}U02tc>?PPM|YtJq3Y#*pPV%ShSX_@q@8@X_e4FK^mP~+=z zAZ1)uU5G`$yJH3K*=vpqM z#_`g(MzuV|A@QL-LErcs5CYGqIu|_jY`;DvH*Nf)92pz24XmA4BNksGO^oYb{Kdbm zOXUCM!w>x659*2aFL?}i!P;RMCx=i!iv#(j@%7lRf9-1zKl`))!owf=BY*Va?XSOW zzFW_J9lxW0_)dJzwv2(uTibkWH5#2`XfJZ+`Kl!CFF;}lkB{fOdA5h~+j))$1F3gz z^ON#|K!;R(*9Xgt`{olz;J%9avg*1?$$e7V7!xX0hbQ;wraR0U5Ryzypx87jm_CO-Ts*Pv`|%Nn?zWj z8+=1}vt7x4isoo-m`9~i-ocQGtN$Ar^Sy73diaky0JT@#jA)AG#Ead(w8~62fC9)?eiDBjs^gcbh&^r$jhHGS&EBC@nMBx6lwP%AgZ-!GZ zqodMk8CX37Uma9@pGC8H3$GpClfmfHsd>Rn7kn^COuBr)??8hNHVJuf;G=UhZq2Lg zQ$wMXgTXGFAdMMuUTzqnwRJ9lk1DsmVuH3@eLAI7wi^iU@`^JS5U&hX#9W7w6j~?X zQa6+D*rJn#y%+|`B}45Gj35J+_v3;&>1%G`v=O_zT}#k~+E}2=%lHM}#>|5b#nL{|-)_||EgQ@EMNvWHVQkme zh-IIgl9Y>@8121v>ZX0-2{>NGZ}g$my=eah@zECZh8;iD5t(1!d+*(c->a{*{lNGCpsyJA#KHR+1ujoi#i00o z#;onAfz&<6C8dg^waGnt5A-Mpqa)Zg8+2)H9-WyXL&~7Z zWcD%xC^8JlTDeYyLEYQ<-FgNqR!>{kay%QF2ldHkKj1dBO;5>;MJHaD6kwD5`cTJI z2TB6ukCc6^@-)i+s(gdweF3rUvGUp}sXf0voVf^Msl4q+MQYD&TcZ1*#s1sd#Jw>f zPg_7rYoMhR^kQ4$VBCh$dX7)x7VKak8`WvUWE-Pxi@a@3(P$HQlO%e$ArcE>cFp#+ z65WT&jj{Wk{oM`-XLwZ|``zb>f0^K6vwk0tqEZC=L?X7?I>LBq4zi zM**Y=8~g&6Z{@@Vv8i*dI`m&_y^YbwTx)-O@8dVl8hfuf#^}BE*83Q9T;`nX@^M9r zoI7oD>%zZr$nzc0OduwNKa5grxNcsorVlIe==e4(GLq$G#q`%2;u5-BG*Tz)bS&Sn zWDyJEnkOzTP7Qvshtfouyb0mKd`G@Lv3_mMEN>G1TGlez3%=1|r5_il3j4w((y3+v z+U@tksPk4NX?N_L$4~O94RdsrZ*l=M-pq}@Sq05qU{9epIQ zLQr*rrW)R2MGR7^L$`4fS2gPb@11|^V?S}zxlm_-f0YzA$Cr7DlzzYm7o%F__Gb>u6pz}s>wE}~-dqN=4(&v&P2EtD{8$7l>T-qVRRVUTt~|*gB$&&?c8GF@yeJ!?VkeCc)Kp+Z?l&0 zY5ITqkNi{ho%eUkUw`$iAntcFs9Z(IZF}_x?QJK-{mwg|lTwe+>oY^Nhno`Grt@3i zkNZ35JSCugtaYTE=Q-xxGuFY+2Y{2P>t|()ok#Q3;mcQngL~wkt_L0)`ZN9Z9iM!M z#yx{pSEw}r8SK1}F%UKIHOc%Q5IT|ua(z<$?fQf&kEK5U`OgcRUycLAq~PlwBpiji z=W%oI_pGwOG1D?>WV{YNOYbVt-74B*F;patJF&Y~rBzvlw!dX#1E;UjCi4$>@&+f1 zD+^8hpBUBTuDDvYy+vY$m*?1{^UEl#hGhxysTkYDA;b=$Ev*J?**YIq(9(|IF*=Uz zt6^s*Y7X~t-k3^1Lg20{$^DgDfrUH(6LfBC z%*7V&^^z4{9_e*^V6P0XYx!Bg>xX3+l00g!iNILxg~K1Ls=qGOkJ=fS02r_&eQL9E z9>w!LbgpbQh)V{C26#=D59@Ik3qU3a_Pm%7mibfi>*9e4QBY8oTXWhwGZu0KPy$znW?jr0L%)hB|$A&r@` ztK$!?`^Nf|{l{`*bIoUb(Gg>{wlYPFo7GWZtgufmR*R$K2*b(~7=nQr#Ra_<5;XnLOKKbsdM+wi&*i6 zZnsapq4h~OIJHi(?xFYFiROWeCzkwvJ72ry?%N-n!`>G>Y7<|F>sZLklN<0Vonz$V zcQNhlz2 zM^6%!qo(3Xzpd#%$!8}>G7sRn&?5Jf5c)caJ6`oYcNF0fty(z(ZHv+cCP{~bEj)`O z4wO62Lo|(7M+N7FRD9_v-9@7hW|n++s6H%2+P9i{1e_?`zJ-Cg+pz83Px4sB^xDEf zB?1s`yJLpTakxLM-yPSThW$!~0aj`HPZ`y1GkU|3)jq_=F(7aM72|HNTce}Y!O#*c z>d5o@N{dgmeTe++`d}D|Uv{It%wsvCKT9r_F07497CwZB8s$|d*d4IA|MFk?D^GvB zzPk47^`W@${oZ=dzTU%DsAcQEhNS-2c)=H3OOAt1p+?UQ3u_na3|K-%PM!2|{TWy5 zEYDiVQ$}uB__&AN5>T`kK8ker#m)r2EOm^JsEiq6m0Gq#jn+X z!C(A6VS0(E$%oUh3fPrdp85qYp_djUQyTP{n~(Mxi!HLNpIvw99)^Wxr#E`hL<0MD zLO&PV6)RRcs(9i<)s9*|`rHXCflF?W&x1ZVrOquT6D;_(5WAP*?)UPFQs;MahmYLl z@>DT(SPA-wFMqu%JjULhgLtJ|R=EoCiGBQ#>l`%D?Y*3peq@h5F-9AX#T&);s!%n~ z6LeX}&T%Zqmp(!c;UbmqWmD>$n~iBMK#Ad`ko>d@VEd7I`OVPC9R8*Ho920M_=>j8 zGshWP!@@!TvG#meo9AEs@Bix4|N6iDZ9VnFuYU41_#P{YtBlj{$`kAg!R#4RX#+4q zVI9hem>V!$d^MMNNYa%BcjByDZ`PeTcljTD_<^2K!mo?wK2O;DPf5E?BI(%B-RTBF z9*39rz+*#ywvYCQTeRTRVAJEMve6)|0Z*>UQiGK;lcI)i<<{kqJXgQj^gRiAZ^~D! zaB7ejh7DVH`JQX$R@wZ7>j7_oHo&6|nGWdZML z%fam<&&0SH(<eqDJ?&(AADihk7w!$Dx(@L(!(dXd@!K=nwL@im>fF}Uux;rhh`X9d< zbA_e9WJ-Ru-Q+5{Z>zZCYCxZia4)kiEFZ;xJ#T^_Z_*o%jvtPhp09(YF>Vk(;l1^3 zJ-EzkeEiJc_@CwoR(ANZZWLov-Z zyS(F4U9o%2pb4Iwe`y$Pz=yxq$-3mHk^HC?*wpDe)%p3?<|A(1fin*3#rowB3BRrH z%Ok^{jo%jr_4%RtBUhApdPxG~oF09oPul~J4gDoOr}@NKs{zMA;}fOV!OfNG{t%Ks z5c1)N{tb3?dGyZa&ZNmEpUJfbd|eDA?M;7Arp$NSW%4tLVs)JgQ6NtltjpN(QX4(J zL-b6(d9)xriwrh-z_U)j65rf}jJxu?j_tOmM1Mp=TX5WEY)m`|T63Bz;~2 zT$L;9_|OmmlG4eEilhJWYniQ6CXd4QW}f=Uw=5QxjGBs#C+i~ZlqeSEQ+(KLBk@xTYegF8=U-%1u?&%kP;s4Svx$$dh&+={$ zh4V%^L@Q3>WzBi3K4kkp{ttgm5Y`vut0{_YpZoAIGlVOF+dcZDY}mlHkyjhpg!#R8 zHe`<@W3i)eN#;65o0syvd0(~19K+*y z_P}F9Kl|gXakpLLi?5V1%-Cf4&L@M@fA<%-2XF4cncRBpR9N9OQT%)C`VofO;JG^0 z1n7ZmUOw?|8*Sz_IT-wKcrw)Fs=IdvzBZ_g`>OBBKs=Yl3z5>4Qw~8EX;_g(ZmW5; zp12BC2iGU!EGMqyJGOj!`RdCHQdsWt&t?=*Em7EmivT;}JN~cvZU^A*TiPW)>S1xN zHltilEnhgfMR_qiX}Y#!w4mC4*qKA)M1aldezE;(gMuz#!)PmriG?OChL0H3h*<}H zCy9VQDs0)TwimQT%ZR&n$Dg2XTZMcejwD^RK_4QPBym(+6)J0@IQulozC#xLad@pBcx>n|=`Igy zU-^GjA4{GvE&>@M~`jeBKu)=M(Pw-eyfm?$nu>4Df8sTFGkgA_vc% zJN&vhC>)cDt6TI*_|te_gPtY3XM;c~I|siPwHUE^6i*+>YnsWr*}HsZ!Ke?)D1C9F z?$_i?s`#Oz03=PjlshoV*P#@8uRYCMif+fK)36;IizesK0G-e3FZ9UhJE{5*yZz%M zn;3|A5<}Z$kuwp>0JiNe-P4Ka()Hln4)`5^a62bXx5cuu&;se0kRjQ4$IY72GB}SL~X*HHZI+-~Yo;|HYsEGf#i>Z~lxPk$WTD5zKaWcy4<+ zi*Cxf%V+Iill{;B^q+eA{_p>RS|9d$(5=xJNI5xeREQlXa-9nfoDs6}%Vz6!%bT#z zXKf7ts>$BqsqT$E+~`=Z5_{e&r;d(wG4WFuWz9$Wix+=Y(w~C&8mq5l?rtXJM|zDO zcx>p;byn@E8n}$YN=!@co=I%VOak;I1~nTmgSWIA%-qH2ucm=xA~Mjql8qf7E|IL{ zB(wQx0A;2m9AF%a=3pa@HV*5V!W0?&d#0>X`!y;y$zw}?+TTM=v@FD3c9p9rqm$>r zsV~Ev2s=j?ksQqh@KD&-5sWttL~>DZ`cw7lU-hkOn+J76%5BRpA%sJw9AdD};?i^> zZ6i+^Rr7E6jkh3UCAeiNf7BYMws>K5Y>XLGsowFe_F%bUHmeYa;pp`Ra=RB&&nc(Xt4uS9V-<$ZWGLN^RZ*-HmEapDJ|G zqi~r%$?L<~pxBUp&+qw%p8kzL`L8|w{LlX%`kUsU)d$2}FE+N+6-&wNv2x1&(neX> zFMQ{BKK7p`$Fn-5XLo4zJY%j}85~ z?y9|eP8&A!TxBuFo-6`Z)1)_*gg`;_1+0)vZ%Cc6UGx zkMWhrF;4B~cPV{M?o>8a_IcPMwY4CLxiux&eIReEzU2!$3UQa5uGsB7XxoMP9OvNf zux*<*#1Zu&lQZf*C!o}R3KOTgbrf|`K%dAywiSb@9Sg@Df6JC@`@}E*c`X$VZc>99 zjDH@5f9Xr#_4M0+`|o)A6My1gdHUaf?q}CUJ#p#xDLO{#Q^vPms1qOS0qX#dr2p%m z`pKt%@8A7*o__2P{-OG#FYnj7!`fkNIC%e?wI%irHSr~I>LbxU9+UUlLu2usCx*z= zSHwo*>ubn(5gThDIK7bbulgZ&Z0Jc~@>wH%=}$v<%++kgPW&(F^w2%>J3a8&(C>80 z64h8_fH7!E3`hp3uQL7j&NTo_mplVF^<2>+uPG>74gT8HNx?Az7|Tqi{0NP3b=91d zi3CnlwGK?6nmr9EjwT4OY>l)5(QN@aFxta%gw^Tp!nPWeM|c>&21c^ z&jKL65MAL_rw?~RQ2g;LnadI(ZF?`8NazsB{%0fZ*pk+gqnPL5B(Cj&50E*%IUuW>mmf|nXd0xDCxC)tU_a3A7B{D;d}L$ z*1r1HzyImW-}U9EfB9ef<4=G2Fa3A*e)Id<*m;6S-#_=_j+f2+@BW>?^Yowm$N$mO zzx{9hn@>OXV}I!BoB!`O``qJn$K!LEyM6~kyLs(oeB|!u>YrL)a$}J); zOFD>I!2rtyWMk$^n8ZNlDwR(~fBW0Maz(~_QrLjweROQ+MFC5}emq|Tysmz0I&>tq z?aF#gA3nGe4;a^j_9Ej2Y)*0WoApLQ8w%AdoY5 zn_QjG`Yay~R%NvTZv`h5`edeEXJgBTxX&qA`gA5$C(Y7ZsOkc386Ix?qeSYcv?s)z z>)Uu|9Q2{BV&hodrr3vfSXLikfi?fsC7WUa(Y+|y-dgN0T>$z0bm@P$(Xlux%xr9( z;|ng@c}^&!j~%7cKOBC$L7oIIZxzerk(~_P8Pg|cDWqw__G!G_632p8MLv{?9$P*z z_N6a<`RRv#==VMS$$$M{efse~{x3fL(LegnJ^jw#^}CB=BnJAFGBNX(03T)pi!JYo^WOg_y-w;vpp@h}7hE)OK|q~# z(sB9%JKqXgF+K{f+yjpd{kg8vldT%1l^A$)5Nizt?)SyfYtbn#bd)s#iVq*Wz>p-@`r(*7Ia3y-4ovKsQU^!5H?;{Fno~TvV;_X; zOhlp9L4^Ww=S#U3i^9ZnHX=PnST>tee8^=GuISG^uqnk1TNW2y_+OmVO2~P19Igvh za&HKH?-og66hGxk=vCMYsj3Q809U6?#P zKY#jTf9#)s`u#urBTqkA?}hWHP+2ed4mWq-U;p~A)=#6_o2cjk0a;z@+`5&i3Kaaidfw?l*au*1f9>{wg4gXU{%+>N^pr74Uy={~36 z(6KIYQ^Mbo^_42kf#A8)-$bpCI5DDkg%Z*VDl@SQalc? z)dPxI5R!uA>7qc`v{4&GH$_yljE~|Lw0OnlmY;}P`Em9RON~*|rYR|)W^vUCeWv|M` zt@zc3J23-q9r1S4w!MEq@0&)n;jJV@K&vI z7V(WG?j4`)8*B^CUi+)~;5fYtb$c)`q05(IL}sM@w{93`%ra>q_kXTi&3jo$SHg?gMtu}0ZPAK1R_eH|w(}h5B!9jfFZiibk z{XWXC)&q|X{U!b6!L}C&1|)+un{WmwkB=CP=rZW@br9x)@mmtzm^cyLVG7HU7hV(aSv;ipU?Hhg zZBf9gAV?~V-uS;!1mOGyYWirUUK~!*ZogVwO3n?KxuIrZflE=Vb7j%=l1^7DXCbm; z#B%hFd8T#|l{d6I7Gm3vkI_gwjk~ON5@$DM^coW__jsPBQnLk`lWaltO~1)+!fh)>c};b`5d#Y#o$hRZkjLzWwvYK z5WNqgtHT}DiVKGN&s%Y%uha(qz2EnJvSEI+sc`}S1N8@2Xg{CN`KaDs{-EA-cgh^^ zIV7PRyN@mxkfS?0EbNTORG}^qHTt@8&PClpe{1||V%9e7h>d#IH)POa%M(gf3xocR zcZ}7i=CP>@1#WD35+QuaNa2%zcuKCaw2#B5>4C?F{#>td!^~i>R|Z<{qN(#@5Hc~5 zQzr2!ilh&m)F9`5DXzAeR{Yu%lYwsibGjl&MrvK47Ovx3 zm#X+n zC$ut`gO#FqSSKyJ#$$wzsBGQ^3w+l;a0j^gup89#ETZsv#&C~^8KcJsS{`+>Xw$3} z42DZ*xzG4^Ik1P_B``6WZSvb>a4cN;?eUwq(nr|uHrP+FF;A?oVT*V{f zg`GZFQh9tL%Ys$I{x}t-s^kfEC{zh{>m$KLn^)nOdY*n8XRf^vZ0;=1=vAT*OhvhEDS8g-v?naD~|2Wau^!-vY(F z!8%7(UhpX|EOuAhRS&jf7SuA0jWSQW@R|kK<;GE|v?yI2#}(L;?fzM!XA3#c*vacb ziNvD}l5ovF;oEnfd=oq97XkBfVEjki8gP%c9jvkvjXeo(} z25t>v@?aSB)YTd8YQ95cWL4oU}`l%xckyamnCal@Q$Iuul&g z;J9|3lKC=$Q$I0Pqt6cC%~hEgN`DjCMR3OC#g0C7ViVVLue==MROgL6sCITgmN3Ct zz7O}R)M5E+FidMBiWeJm{?<9f?qUn2f!A*Iv^6pD-;s9TTVsx5>GMH7Wq%dO{kHve(8^|?QXchN$J20>+h&?7mJ&z? z(NI=7@#%u2)YNC(A&)$DA};w-=SuWAyk-wPHuTr+upamx z)Y+K#)hz=ugC1%IDHBEmyeBYs;@ET5OJV|{_e5fW@dA%+u8`rB9*)dcSy$zY{I*zj?JS;KNDT zFU3U>N$2Rq+px(Mxngbu{Sm3YDM9b^P@8Ub9%~VaHH!5|n{HtuPyN06;2vdcd6LN( z=5J3Bvi=4IUscoBS7CEI!iOFFo{#7&l@G;QR*&@Qdf>64Kih9Luxqd~6#Yv`9)KBy zx+<+f$WN&?gK`XT5|aWwlLtRMp5iAGk>SS) z-c0n$*Z4I+-W6;b4opL|hn>-6n*Kv>njGq@jyQ`9|D|@n!wN zw1c;a>KnVxSpqEzc#!j&T*w16EnsLJZ*)g&0@zOWOX*l4SU$Sh=I%IzM-lvs`o_dU zUIUpXBCo}E#jy*H#D1<6+yBOIk3%+zXIT*D48ro!AJ9+@XL3l*Mm`4^b-PQS^McgL zcw2zH7rX7i<09v^2|5ddP-dATNrqq)O<;kJb)btgu1-Hy3rGc3PKeq`tos5FfX+?2 zNfzBNhqX}dN-SvbNU0&ds2XL2ec^x46W$Z&Lv6H+a{7_=DQi^nybqr~V9nwa@5Cca zapY@o1d?wZ5QNvVJ^#8h9pB4;oT1zC$gVx`*wC*%a;fW4Yz<7km(Epa4NUHob>|GW z>c|+(Z@%G2?f&Ga|9Tn&n*omvi7Vre>#w%yJLZ~KW#5}QxcTS`Tm1@MUnOTEiAaY` z-AKAV#4IHh9>;!BzO%p_3(z0{-gtOu=a;|yU3$Ntc6&0DUu|SK4q7%u6`P^l5#0$b zIJbZWC~21>Nlt7e5GhO0b+l(36(9ZIZBiM7H0x+zgaBrO177?lwvpd4V^IZfKNCPX zuj#{O+lAXQw`XGaLhX2pPwktSPg%Z(de9IZsp3!nDYL72rcVpUx> z5H^Xj9Z1^G#WQ%)beBG}%;TtG!WupJTDnjJQWMpXR>6+yb-4i`HNo*Tafe96CC}lSM@V^Hh!&5 z#m9PuYi#m(9V~U$QgV_n9QNHmcl0`c>Y`V>B@xl%aP+`qLqEFXQmGqs20SkYVg~Ws z@4T&n+|zU2nKK0$;Cv8-KdQpUu1&e@`4uJ-3l}qmMN8GauLnI`c7YJ#AdG4tsN8k+?U9 zH{WgF{*)ON9enw8zsm5nlD@{z@^mwfnzwECx!7{3kgE?xY)<6%RI!%czAR1KR*s2m zy#{bc?0#Te#isJA#FwRQWL4{80M;+Cv+O!YQEHrq$rloPzQm3j7UMtB8pWD~j&+IL zZx33>#?6a6a5ils;uRm959)b(={2zK=DCRLbAY{k&$o>T;E`Ud2Ob;xbKO;AS_892 zW;R&eO_z|tM`H1L=k0e^9T_V0==eS+0vP@prLYIwQx&$E=X~xy$0AX@Yv9w z?XO&=X7GFPvN4l1XnR0&*Ums>&?0A$^P&#^!}ywLF%n8=xc81=j_Zm|-8@WKrCKd_TadU- z(cklGJ1+|Af^d~$g(47#_S5kz*4AC)O#knG#k(W8jl<`6@>N5O7nqK4mGiE2oG;7d zt8n@nTj`Nzv7-;vH_(VPG)){?@nhqq8BF`D5^Y-krICk*Gy&%TvuD%G5m)nl4u>rb zssE0*EY|s_YzFr~mBeL*`=CK+cQe(Vqe_3!pAy#Lc$>t&4tqpJ-JYt}X}Md4rMTML zdg3@Q;lzw!hQ5nAKjhiKb|196woHr~7iG^m*LhbvtB$M=dTrA#;jo=9iR+59>@o*X zQ%WrgBG3V&G*^YQWZ8p(_w-;8Gyo=0UCN`!NyIQ4{;5X07 zzW}q)kma}iO~@?cUMBmXg>PfDM6IgAwMEN@11lGng*zJwLccXY-jMQ1+nfl1cKYr% z^5p0`Qk7z6>s~bB6B#kL@3nc%NN^RuGS~<33MKlEtJ^FVaaxWc=aPhltw6P~HEtIb zFOo(~OotS=vfDmXU59{TpLzh-I$nbXW8O&ClNZb)Y^wA>Kx>0WqXK=I*o+`fxnK@Ok!VEhRwUx3k7()#kQqHAoEyQP=1ealAMSOLxKw@jA z8Faj_b``|^gMS{I`#0Fxlr3k>cvIKN5}Uk!G^?=d2_z)N&m;IZ ztLz`h@;ZhMzTnl3!CU@RJ$z~jrhp#lQ}w{(4*j`q^9{2GATS0ZpJY#2gR(Ye1|x$v zn=*QI{C@FA+>zHEI=1@P6Nbq|S{tHju6wfiPF@qOhq%5Pa*TE=wFod1ihrjA)Yixf zBUl|K1X;ze#Z>yu99r z=v!a4O^vcsgvlp6XK~aaSTML-=b#3X4Z?jK-#DW^>US#L264z9;zce*;@xdddu$Ik zFX`)`_s(H~Mjc_!-H+HUWk3ik&7Mmf$np}X4-*Tc{{@k_RUc3`#N8hr8w#flbPl(ysF;90XvJkZ&zCmyV%dX#{{Bf1Z(8Mo}OGQ zO#j>GDI|Mbpkv+QTQ>Al+RTUAaz2trM?EjrH~w@qdGxy3snF!Du;}EYK1-xOcSvTE7#vHc&=&pn){F)J@DAjkM6iu>W;fa^ZUJ&8Nhi|^j3fPjk{|7N>Z;n z3{(a*gPXz2z{bWuCIhcI!ULWwT)260HB642Ai!l>I?7SYBwC2*JUj4ztPI3BMO78D zWVYPOX0Xe3v@})dOc2Sv+zW-EWw3uWE!e?X?v0BsxubK}-#sqPu2?pWO$| znT`h9*5}rDk5Q+O-64t7TE`Hi>D6}bYxYozhxW z1hBI9k+hB#H=RYBv1Q{=`?W@@le|8-zw~HI_K(Bs^}u68f3Cl3QzbFTG62alFf-^G z>n;;=pI%GQhbS)rK(S=;uJk))UA6;Lz1`UDak{JI@r91&5KM^Tf?k zK}{M8or>NusUAGC0Sb8JZpRQjQ_MnubNn652s*u?M-E^BO;nX7LKe9fJ+Q)~DV1LE z3Fd`_>PpL97G`X+fa1nB3$_gH*UO^9v1Wy1KE<s1E;?%*W6hT=eeTncJu-e!bkqfJ+RNhE1P_VfZP=`0DBO6;xMUdgFfDO z^7}v;)C^wqY|t9;WglH88Iy$po`KCp0WbXVqAXpVA#8jhP_cN#R}924UKA@X|D#Nj z&?YWMRJwDa3T<+k>i{l(wse=+AV9>y*0^-~AwHn$2br|pFc;S{TLsa{zDo!Hu#ZJ@ zd~piz#|WyC&7p;*(0U9w+O_*;Z;Hz{&h%I5T+veqie(tvp;b(#ifP4F6Y z3|I!UH{iM=t-2N-uMjHd4m*nn)J!g}R7v_lnc^~!@BW!M*Fl|uttGD~A{b2qF||%;;uBqB4F`G7FX+e>uFc2MeR0o+LFK>r%!#D%-NddDz*@xc>wYoR zyf0wC5tpF;i=%kl^6p>p;?eFM!b#v-%ZO?9Tmo)gI$dnYnoa5|%T~%h#GY!(^a*`C za8fyHq&W|ieU1WlZdv$1oymG+h41#PbJ@_zv2>#6VD8-<`?cvP7tHiS7Jl*)yPdbO zVz>ORzG>r?VdwP)vh0LjXQ%@#y_YVdxIBRQ%&UV-4N%J_oY7aa<<^D`hvE^!f z)huKHGH^+hHE65MphV6>!6(^Cl(_@X*V`nl!{@}F%mQRkx2Nwo2G2FSR z0KXQ0M~22wZG6|+fX)`>uHtH}Esmo!hk3Av@UTgR#bU>`rT7jDajvoo*pQmP`eY^^ zyYt{}GFWdGFU*!;O8Y>IMRxAbi6elE8+D%|Gpz}86e&Cr%sfJJV{W+B;%!fCMmu+h zgvUx_svT*FL2?{hRXD7M7r2536#bS!BBz&2YqRD;?>aMm`e^m^d!ll(Mjk}jk-l7fUv_M=B9Jl_KhJO*5ThnR8( zb;=p=3~YZAy?#*gBV0`~2JB8)qZ=ubcHonbdQ9Dvx*16K6q zDLt8YH1VPSu7Fv4_#`^(7aOtGol^R)yFc*O)ahSrNZIHqTldM+2YqwH`{~@J^Y#^u zr*E+1rF9gWzL}9;Jp|JueVQJ4Z0IlPH8yf4FprA(zzAgxu=Uu2@U>A>tgHf)RXR~M?9Z_+>xF5rakt2bwo>DC(H&jM;BY@Qe{>z=(MHJ@ z;01-WDd+1ZAlW&bU6o=&~8gOrX%&|xe!W`TZO1=rhx9`+hlUTcwgJpb9 zpKSQq?4_@Re#(_IQk2}>u+DK#Sj)IrKn?~u+|lKSX>Q_$_>o?#2Ob;xGu_2I-^@V` z#>(>{HU{#W8knBg+;!(J9Xh56gOmaK?z``5@FMpFd0X;K7~~`dIjavC7_enAqOQfh z>bejRyG-hk6~dD!Qb$0|lT|1eZIZGKj!IjUto+4ZuxAcH7mJ)Fu5GkqsD+{arA|BV zr!2_UpExfr+m1~F#w!=~#8UZCo38}b$=TeqscznBAL$?|Zu6MKeHI)t%I4S$Vq`lU zIClHYkFD&l{Zqm%$`c;@-y9tSO)fgg6-&!2CiiaY9lv62|D`ft)v@hN6~!A{=ew=c zXN)J#v7~QI4So7&qH|snhuT6Qs{_iQX_08v(7&t!-p!!I!-2;ye{iR*T z0P|pH;AtS%=8J?Y%v^1vqs(9juR&TeHhTv7d+)usKJiJN*9ZM`u-Nd@drT!)xoo*p z2bTd)nG1!zNbE^C7wAmL0xAi$=E+`6tz8PyuG*OVP4j#Peym12vNjVR?ACB(Th|1x zw%$vk>GM1MHE*j4NMy+ijy`-nQ^+r1>yEoJp{VWuylO#jPBjvq#BHOz#a_#dLTXS~oBVOynQ>Y?HY>DH3j+5O+ zjlWeLeDXCI3gdGG7~I58#$mIHVC}>)PWxH5fiNYOzvPQ+7x?};Yfk#gYYbh%THzOK z4>uv2uVo4+YZ`XQ$<5(EjmlTy_~lIclc$SWC+B(wo;8phzJfl|Z?Oj+8~RH+kR?Em z@)(%hMOWgd4mCj8*lVJ21l?jkLYyXY(k2UD|11;$FM-7SxOa^+&)UPiFdnQ8u zI+6l84tq8b(=}Pvi^$Tig5gy?a3#$WNa@ANhAgNXwM*D(Q5o9BMMxdGvuW3g1>Ob4 zsSAk4$4vRO^M+vm_LXuLCstYZhv4b&PBej(;uiUgewXRH%|8vB`%og=wn3i~ zFe5I3MqMYs_1m~Q)>2msWtrT*!bAJBnfimg+LY@~dybE+Yx-XKVtmrm$85^r^{SY; zJ7*0eaTlIn$_x+jvfh!%xgZGMnh*2kXm~aP1OEUJ+`!|hINv}>OSQ|&eqYbT~!>xmv)ZG7iP%>ZgKllEG1GOCx&fF8{C%2z}&-GUoATN zN9ZvIX#2S>PQLKkqp;xXZA7hKRn83rI(>c!eXUKhC_m&`&v@*P9gp2v7vHY$uk&P5 zeP4EbADy-k9xphwP7r4+C6-zVsQqJYpwd$3?=-!zEwLf=ZO(bfSPfuNL3QWYPywReAGV z4A315NfuTST)>xVKXP}p7hP2?XEA`w#}@@c`;RmOUQKSsK$GKXl@AtG#NEx&IqFV{ z3(lQV+ixmS(QVb02o|VSs3&E=5 zq+a}|t+FUKJ5eoVk7qE2Qf!sSAa=Is8rcPaNVXIzwK_gf#`SJLpuDPdp;SD>ZgYXH zv9|ni9&u`ca7%~0Qt9ch?ISi;OMmW?t=L4<|7?$em*Csl+2(MJ)TitKJ61LBsC9f4GIr}1@&UHs+(LT z^+Qp)U2IZGFS3|=(8FRmFR{v-W0eZNEyDGD?(@@_>7ztve^tH7$^4hbsxX{y-%A)` z8Dqc3#)x#HtsjmygG)sMKCw7}$ZgOul-$3PXrHmPc%L~nzbYTJn6w2zfV<9+AUZm&9N(d zX?KB}5EcNKu%Z30l4R3&>9IfK+s?&U>I{6YLiwa9 zkEir&NhQ~$s`r=B=R$x^Qm&ty_*({lx|BcW8{CjYVgE%Mxu6 z(cPciA=*}xd&XF!QqQfBA6iu^=!> zI!2%8Vl2Rp*^%bhp{D9wgu7p+GWg~5Xq%Dv^2IRqfow|Ja-Vg2P=OGJf@w)jGmaec_6XY#6NwQek4cE`jjU?$oPahHz}0$nIe&jST{C2a%ba* zKc94`4p-h|XHCoc8Q%)#arjg{aDUE!Dyskg8P)jq0Iq?WJ7%sx^Vo>N>C~I8CP>L@ zfPcrEmQ_)M8XQ-y*zjT!@FNT4yco>f(ZBt6J<`{QNbFOSq4A2LrZSwxRxf6dDt$yw zDjBLvvRRf#l-qtm3nX0I+t<>z&8!P80VXn2KOnlpKO%+uoWux3wNS!XbR5+R*>ACA zZI6_GU4)b>uKHhcpQGg)SUDc12u5r>E-9`D*_SZ6Yys^}keUHkFUXN?x%&nAOu@Jf zTcf3YSF1$3G^QqRViOH*-Tt;QvH+2$Y^;tkiwaZ)ob$9X046wPc%60(X;Z~rD)V`6 zalUpcKdM-`LeNPqZ%becqls-QC_CQCo3f$78|yLC{VLbUkHC)VMI&mrqwH>!5mcVy z>i5Kv=ytxKTeM0?bCKd)0c@)F%-PN(aXbzJ4!7TL87WkNdL`oP#lU8YYxPlkkT#IfR{YqPl{zA@v&vH@ zPZ@3SH!~BTk=OS$P7OjrcoiErWx#C+iOz zGS0AL^X2@ocIoT8y1O?cI&OHl8)x%pUG(|$Bl>(r4tp*Z_)BcQ>#rE$tS6Z6pU1Ye zPTy-59zFL89hL#ifaQIox9UCc3`zzzX-(7~?3y4qb zd1ZoWLX^EXe+K=Yj-JreTQ=u$N%7^EDt8W>%SsbOs=O=1?H!(rXsk4}=S4{xJ<4XW zy9RGN+n28N*#Oesy&VM$EIe7nxBsQ-ex7m3&$4Yz-}12}##X*n*%D;bFy9ngzhyg? z)rJk5;S3(cyL|_UN;_Wt)REE;=?nTz%X-nAr(?!5nYSEXYI=1+F5|lWVeJ^KFy02+ zXIbvfz@(D-b#}Wi!f(Bsn6d&{70mImF(cakD_+H1kR5~Iqux$M)8*A-V;xU1ADGhF zb;-NXcB^W09d#}WhHm30ATfq(=#CGC^U&e~LGpu-u zxW^H11(J;2kIlv0jn-dRD;s~U*S4&ix}hoH`fF^(!|!siv6Jwd7|J#$Lb}J{)qCKv zp}(ZBcs$EM)757W?hHNvr$AW0@;sKJ{BdpGT+QYa@ntAm?76FFQ`QIEm;s&mo_e?u zW#i_%oLnuV<4TtVPX@i#(c&qIWjzH{2P_}Mk?c{-bbsEIo0a$lti$ipTnjO(9Jf8e zSG-qv*9DWqGuFVZy6Wu9F1F5b%Xyh+VFPPSha~F6#d#yq&nj;^C{~){rYqf!!+Pr5 zUyQfk=s>%?b)e(LvG4Yv;yi%qRCVH&y>#o$7a%;CjdE`cWG#+Ue16xiU!}w9B=z>9>Zou0k`#z zQvzTmB3ySfg4iYp>CKmRSLtqCX2#dF!}glu0}I&5rj41F)vDTasv0}8_2csNpZcUg zM5$EV`Gh-n-Za$x<~0$FHtWh+3t7Kd>)5RMff-(~@mn1^m)LV-0&f!Y&#B@$+7rYh zf0Z6cFTM))Gl%iDBlE?Bo58A0x$6wjY`_d=z5lI2$^`EBo_eF;Yi!(g!<5Ha;;Y9@ zlQRQb7Xa%~n5Ut9)%#T|LDuswGA)*O!A9Sd#>x4jvfbo%Ig<1TKeMY8g?#$yOFB7z(&yfo*syFQUkjvY zRvfzk_Hcryet~iv9Zl7H(MC1x%IET18hkq*0bTD{(1BfEi+qJ?_)Cw=wpnPhIXYf( zcGRVyw0&%A9F0g+0~fp*%D#=eYj+)jk>Z2);T2D@5v%~_97Y{MY^R1uuF=XKQW0-9 z%dy5{+M(Gvm1XX8>4;7*!0DHJ(c-}=yy2cc8zI&1;bU6SVE(I5RM0sB&HBZrtEA9G zq^4<|>bDu`gPa>ZiZ27!EcJiQA@0C4F7-51@0t5f92_$F@AWWT$@TdbNAWm*iXM1u z=r8NEo_AUh`zkW;Eg@r&GEcPG_6k9nfuGGeIgj1>@rDd+Tt~-dPtwFF9&_W|pDqO# ztbjT&DR*s^mh4xqU?X;jdS11R-Ivsa8TQEgw3&TCYP+e=whNs#5T;pPJHR(SSawe(Q!asoPtqq z55(>9<2IzvEOT$c%QNWc+H_>_hCBI|xKv!F64!Aw&9;KdH8P*AxUw9M*#$ml&Fo<9 z%c9Lu<}DJT;^_}NqA||}WMmx^2{FJjnf9jY2uoXP^{wppAy%v3)o-!dI7(no%~_KV znS@o9%YoQPV2pG3ZZ7v_+E=ix!f+?aeIB!RdE@r`*tAKn+N9k+ZxwuRojO=^VZ|~3Jy8vCU^ZM5Ep?V2m8X9cl3|a3wq$Op}(MGmbeC-25SkJER0(c zgD(RRdFtd0Rz3;O#-I1XxdZf|&te1D{w{kS(_>F!^Y*9W{oVF#==$-8p3LP{*!u@` zFPhC*Jg2+QxTP=ltGC37Yup;7|F%6PI2@yG+=nN|HKT6hOf+X`;{?p7zN7`DZgAVf!=SPtQ(;yCfEaUrc`G$q~< zZ~cX$`;S%-J98j6D&*>~mPZdJZ$YAG^H#g7OwP>;AAIBKBJ1D20jZ$sKabyoXI+%O zY~`yt6yRu)( zk$S?aJP&C1=A?GfhoN6kc#N~|3OM6{CkXcyM8@L7FV$CJJhKc^qLlA z#k3{qSNij44V_T}`iEk0Dz8p!9`(I3?)z&5U5B!;F_%C1S6tSEwoluokCIy|YZs3r z@)zk2pehTg<}zYPNUNlZ5xKT~u6<{GB6{gT=UA@r)6t}Z+Isdy2ygmK=fKg!nK<={ z^;+9l!y>cK!qlhPS;Hb%lWQ|aufMdWHPCM-%BGxWgJ*3cVNYTmnxEoqL5$cfu9Z5-IWw!ss5a%4_9o$(ks`Rvn#1VgZ~1xqa8(bNBo zGx;T>)H&tJYp$(Sy}-sd2S%OjbK{Rv2bTC`(g4rFu-x(z_%)WGliPRBNu)DZ%hl|C z4yWGbdpg?dP-pZhC%@&|5`U_kHH>w~{qMhN?zOM@OHPWO^N?~rNQaD<{^DA3X??5U z@>ZhXduN?|Lto*IpUE3pt*WmQIHr$u>4C?Fe(8{-T91aZh>&N%<#D+;UcYC~k1Txd zbDz^d2g_GH7~HXe7delkm^`^-&y_EC=kV&Hpss$gL&ro2M(@L~Wf8uPmO{!YsP3sg z+q7U3qQAui&td_de5aFP%Xf*`Ws?A@oFpT7+Z`@!ya}sx6&b%{L9dz=gRP4GhNR<)z}E<3O@9k$)XGpDb)bu@WdFRi(E0PI>goZ=N7ue82b&l52fYpI66tY&d#;`HjA2opbUXd)6b?D%Py5hhRRcn-|tS5_YV2$@wZS ze!#Qg;|nh8XL@`O{p^odujNd=y2WP<$)Mw31~mhc!N{V3F5f+8VCIe-3_AUoOg)Cm z_sNlQw>~EiyyC1}K8lw|@?bL&W|#B5b#x?6b4_53kXXK_?k=IdP0^E!;D9V`74X?^ z3$rxB(-$)tt0hX}#5*yw{6@XW=xwc;MSmeJgLuW(C-|GY`y&9 zx55g(7x`t5SyiYXj;o5N;o=0y06hhedBvsyB{xUuD<1VBP&uOjF4)RbY`LJoTe0gB zZf;jwxZqXT7LL{D*DFy7Cv$<%{OqsK>Tgk0J!=yeM4Wco1fF%xZFZdv899&U->j#I zZ`YdV{`Fgu{32X7f9&85H!Z<73A=qc7U?5@)gE|k=r8FheX6_$a;{3VQ1}y_*>v{@ z54?yy-tOawdSL!)3yHLQUkgd@(4Vn^`{~ zd(Q32S5b;I?m=4My^=(-g&nr1OtOFFSt|4f(6(HEZ61&V=kR9watC1 zMG0LuNaq4{wKeAjoqcr&+=-{R1{|r|u^IJ!mmG$p$yE}IcPHE4D!LUTrxIFnoMadyR| zzH^Q1i;H+L5Gz!l6N269qXNJTfK}HXqj?GayBlJ9%-`z$f?1kK%3CfGWusF&0Qw%a(Z)NnI+EO})s;h<22anD*0$dA8fo z=6$?f7_k>QA;{#O4+3az0>K7s;~g9dQtVw5wtHrtN6`rF4O!=hwp0*$$((u>@Kk*}9?p;S7ooJUm1vS0Y#4>x^pxD8ga`F?gnd9GiYM}Ap zL_T?@97O6yr;fC{E{dC6=l@2Ep!&X_2=YNT)+jxJthJ0XvTWR}S;*jGt$Xji_f{Py zbZq22kp#org?v|?UyY+5(SadRXYF%xn@?G*9@%U4!2a#M*E0Kzfa}q^r<)fb?$#M} zOadN5c_Q(soeAa1#^y{pb*@qw{O`W|uJZTae_s;@nXZm24}Qw*$Nij(1N6wj@7x$o z31U!uD^sik(e*4Ej@f$3ky~;cOO=Ifqwd>iL8lLjPgw0lvAWt^Vvsu6BZ60`(C?h1 z4V~qj6STR(Z9o1mCIp=A1uaj(YqY%&)#iJ_ZXcs;Pboet#1|?3L2{f`kf3cvT8Gnd_mj-**MKU^K#I^<1_eCnbNtk+ zzt_dXRz}P`PrEEj;bA|MNJ`X=IF(&9Msuemi7|aaoPN?|_8oV~;)8muD<+AjE_lJz zp5TY(i1fBSLBi{#nN-!?AJLro{YYNmp~P>zQE%b(8ujg7U-X;p)d6|hsBh*}o%M&5 z7{2g@FKkS8B))xdV9a+Ex1VJC!hl|5Zn2(`^SL87c*<$1E(lgl?jDEN=z-f?&DSvg zOh9|2G4NRIz2Ng65TAhek1O~+b#Df|zm!cu1H3TUa&?=ZMMR%T5iA!Alrw3x2=wNH z91dQxV}53icG+2`#XK`t*|iQ9YvfIaXr^UCVO1{WZNS8ZNo`o%uAlZ*tNu|^){C|! zizRwb`{^GxZ0xPb_I?+wF>j;yl1jFhHVcK3fVs%|ohyG;w)e%kl&+EgXMe(O~# zxjBIfd!-75&lKfm2fV(S({aPk>!bR4*m>h)zou}Qd!)4Vk-cIMJT~-~ zbyN?+3}zM^JudGFG6!ZBBCr{x{9zRyL4o6HmB&y?!SG>{{K}GWy2~$A`O1e?umP`y zlXA^Zl{Hs0VKY%#NK)uCzf5gcbt4MjxL?} zEa%E`rFp)68e4UVoUiaoh&T6{a|4Slel}PXVEyVA(EkI|j%?rOA0&KE_NllCN4868 zh=Nj6H$xFf3|?)qUiKGr0PzQO$2WkbpeD(&Hky1RX)hd!zHCbAx>3;yA(0K-Mr|_{ zQS&CS?VSis-lcGKF@Yv8_ z(oG(u-k?+VdrUn5YgRCDnH0#$sWSoABP%9GZR#1c+{J4W^?O%*#SNW*>a}piLDHgB zIXrnE3z^1#Se1qJQ3V0v?G(IqD8l;y^jy+}FU&=R=fH*kqlKzzmoGpQHKD#^EG0;@z+wyi={ zVx^db$e}dEKvgk-^lMccO56K#Ky4GQghC5kdO)Itk%E}TKuP-MYm-8a3kQVFL9zZ< zvdrh%eClT@jcCf1+1E0y!mw*rONzY%Nv@Db+>Rn=0e^$5a6osvwjP*iMvN-%I(oIU zV^|GH!LHl|@{AzDfSg-;U#BiCyHlIm8FL4Hl0RGH;^@Tyc_}@8#Ck z`~uYhd&x2*nH(DIMp(?KAAw0VX2QD2-7=T9%`OGACD27G>N=o35vffi6F2qbVYt>K zue@ybqR{fDk5#%Ok!jNbDqLbo-Fa-_*1wJoxi_u&g~*A%*DHcctL@NH!Q-!M0fy24 zTq}wEETUb&E)5&}7PSI^iX8HyNV&!iY>R)lgV?1Pz~jqc!Rvs2C*xgTE~^?CGGXAW z*FL}DX@5}2Cxz&iK$7%FxHrx|%w!)M6S~$0)b899y&1?g68r|37`(|PhK8<4sqchs z?6!23iX`m2H2S)O2Q%Ba?3diuTW*W#TTvXH0Xn#CIc@Ii@7dIPQ|pp8^*YgdYmYUn z);?r;qR2TX1afqGAH3Enzm@3U&+vxt@1^6PxWVTJhDfs}CTeZ^^yO+_Ia%eP9{H>G zz+*#yuBU3CXP~jkY9Xuf#vsg9B{DW@Jt`lM)1hS}$DSWoV1Z#GgeO?*gf z9_UOaUFl|lVPbmGqI7R=mq{lfRCZ}8#&WeWv4ZrFZnJ`*iFTHmz@@oNP&1vl?dMXO zw)iYFFAdYXe6`0c=2i$AYHoaNHFvTWlX zYs#?(W?c|!ZXw{yOVv6!?Y7WPr;H!xia_JXKd957@3;}hH1ll#ZB z&gijuq*v>K$A(ibzfy-ipPor5xvL z8Lz^M5j#nPUy%ESa;QRP<|!tPTI{X+pd_U+6Kcqlv)fqoHeBL+{p(FH!#Z( zul{LDLph#C;obT+xMZ9e``sMrOQ1;Q^X_IHMBxf(9%QeY%3>Nh*fRD--M&~MhFV|x zjvN~{;kicn!@pjS{HVR}&}-8ct^(A>KpFEhu(Zj)wUG}Hm$zEOxLL{FK8<31%#D$L z*rv}npOUXWp3%Q*qaV2Hfyaja+%VvVnX#qe#XzeGrVX3T+#78+;%vNp2o3|rBmyGE#wzy)b6RYQ=Bk(ac$xln+O@1o6hCY2@QS+pc-DY&qSnG4p z6gw;BZU;!?pu$HeZE)5?a@t!;2x+%tEk1Fg-@Kb~mmIOsg?04FCn~btTw~9=WsVWw zNyQ{GGdfmZ>=?2AS{J)BmvuqS(z>e08aclGQVq!lsstJm`X#!CR2Hi(X<3ME-D=xg zl?#|eW5|m=Y)#Hte6sc3rk34P75FN?)>kJ%Oxx?_o;c&(em$2q&x>%|VnwlyR$TUX zwhUQr95l~*b4Q*F!ki;ytaohe+|cMQyE zFxSP?0~>3S2R$+p6Hiyk6^1`R$7WP-1@Ny{^}Vp8mq{Olm;#qCm|H+3%(yFOboX-N zHTl^-x8sbhpw&KW+}$UmC%R>B=hp9Y;y$uZch_Q6;99Io6zS%`=RN7%?1IMMPAh8S zZwm6W&ETgMb->7`JoVdHuKneB!5Pa%rfQ1AvB;(lJC@?F|7TloeHG~igJdU0QvC1e zT_Orf`1WffHiJuvPc?Vih!ttKO>MHxIwEU*Wb#+u-QH`v=##p*Rye1wy@WI1taqny7# z!CJ!|cWyk;<;7YDDfK$|{q%Oi-8P>yS{DOt$M?&*7!XHo`1Fr23>+zSd_K}|tp^@G z_+0<_Eo~w6o?MkOsL8p))SxbTHrvb@3xA^K7JFadsh|#BvGxV$_8Q|ph z-hC++tgZLjkIXhQ-WxdZX>0))Fo*3(-P zIpP4QSS}nQxXQ}?fi2F_4uVs4bSz_KLyE8JQKKu1rre7#(c&I;NujNj+_jex+#=L>lfGb>)5va0^#k(-Bo~{Uwf|H=bF5`oSw2|#)ZV*wol)Pm|wrc zUIto&Du!&rv{~y)txbOP{^TEqsk*WLr8qoe!`c@Qxd6aV)~3CtalZV52fNz*Kl#6R zV;-f~=z+(E{?g8>VaWup7Xwd&u4iNhxphx^Pl?In$?Qi_`8mbdai^~LrE1_Z(2;Av zR~(eNk`-S++RtFu2TY3loAq;xAJm6TzVZKjJVgJC~5Tncjf$VTZO`eObswf5x!Hw`3z?&eH}o z?G~uS1;YTfHhmoMi~Zf#n6r5cqUNa@U)aSK8LuHDCaGJd7=w3I9#fXVznc*sj8S}h z3lP2p3)g*awst=|Y$>L{Da3a<;D20BwaR;&(})nxHjdx6-YBzOdNIeG5Rtl-7U<4; zOBAuT+6}TyK`}?gq<)~}bQ|z8mvwNJw_-#wl*Dfz-OJk#{T?^Tm*w_`D1D*Ml>bwY zT>KDT&)W^>)wb$~%^8f_wW1drYXxf%aed61)MbAVx4)fJI@TTimPW5z`patd7uo2O ztZ)7n5O?Bi&b|n6GwP{iy;X>x_`)By`tCX)QpvFWZr2{i*X)7EPrp9bVfDy8lg|^` z?>8aKrs)sCQ}$->FZzr)u-?N?k`sPtC}dRDp=XqwukH2fBo-jQs$}~ZXq@d%Sci0 zB=G@UI(#MJ=LkEB%F~BK)Wzn#Pru-?Cr@(8N0zCr+3oPAfM#oLzvHI9+Y$MF{95cA zW;>sIVsK*NM@B8OR?SQtbyyGzENb)@N-JiYWiFMmq4Q}VI?h3KwnvJIh+}X!x6fF` zzw^@7V_@;Ltyv>OUy}As_;m?PG)Fu^L*bYy?ReLDfM+@Dg8GE=Qn*;vZejWI6Dn9& zD!s=~J^fO-vh7?jGjdEU%UW2Cu2NZR^g1s-(S!4rW3d(1ePfO#p9Nxr;zcQ8z5o>F z^vR+rg>@Pw>N7UjZ0h8kKlKe|&S$-NYQmbvqjYWFrQ@mP+x%i?uW$IEte=jp^4o9u zymJG?H-2~=kDi;3Px$0}Vl|j+z?1YCi?6X2PFJKgOf?~7=TEPL=LHWh>3h04fEw9#m8-}7eaHT#FMa9h z^Pm5`ejA?OhtG#kvam1{!lg%FG@xa{NRR^)+%p_hOP8SPU5+YtokxtDc6HI523izL zbT5|aby`iV%OH(*$>qdi+q1U$w(XXkv8O-I_Snwt>nm2AGrn5` zw-I5Jo7Mg^zJ;lR&qMT6Lm7Er2)^(W@C7M9Cxh+OrWJ!~knZH}+Vv{2PLSvyUV6W~ z`kH?9#ju|qvX1GIc;hp!xM^{p^LB~XGoA{<^{sl$&L5uAMqYNp;iJzb_1v+`U#)X} zHWbt2@OnM)xI=%ozdX=0Etm@##7sH{;5%=<(*r+W-{`AUEh>BV_{tU=Hg*O!kGSj{ zPG0cwN}UPu?T=ljOk(hB;8z`)=dQ~FluIVqH^2E!<=^u?-=oPBdtn;57ppCGTjx@d zHYA_eDieE)c035ofsPVwatyRJ`dGTYnW#H$yGU4g=6P_$TRTf>$7J3<%`;<*ZKAd> z94dAUl&DiET-|l}jub3`8PQtdc6$qh6=p!Cki@pjC^`hzM>VR5RthKMEB^4|uMi>Y zYxfe`uVXL)J{%YM_DJoTTC2=<pNoO62T<&nnd5S$&!16cVEoSo?p}8KNwy-f#e+dGY^F9-)ZM2MCU^1 zp>9;_*W~y+7V!bjHygnEkvpx(d3$*W%?3QmqX!-v`sj=o6&bL)qO5UBV&E~~7?=!F z>KTmOndieFkz?xx_5Wk<-Fhv{()6qqkr@%0S($a{sxCKfM62zVEE^gbA=|IR*cY)?^En#+;Dc{m z{^Q^K4=>Mj2LJc}{(q~VIefl;v)F!HgXvdk)c0v%5n+p;@pYEiR6RK}{2K#!P1agI zA_FJ!TjUDglgD;EqP>nmogR71m0T>)BAgtk#Z-m z=nxz1Nmvs(G?(iGRg%EQ-16L_)pQ~4ka140>XPwR+O zL9`Y0kjp^|x!j(}V$R6|a}RA{UgBFizMmf9%z*-6T==6)>C9n$@Rxh!#E6`6!`V8W zwsB*BQ|1!;7hilfv5JeG2jSDS+e2{^^f%1ru>B3S{*;N+!RhRblXiAGAPYD3F2Kle z*_;oFv+{J{W08LQ?I-?P2Xru+qYIY)O{dN$_n(djPxjDzaH60D&gWXpzx}OmUViWQ z{-eu}e*B}$Z~fM9UH;3z^Izyb`;V573>N*P;cYhzwwI=uxMFMKVel!vOc$T{5IEX4 z;?cQd?he6n4u}!7k%(hNeYIO;tM2-7xH17cwoz@P;v4(I*dpgF_tE8#{^$q#Ho49_?7Iuw44Xh&tP22qE!}7Jlt~ zFx{qQElA6D3p+mz06D_m8fcu}=sp{59WeR3X?g!oefKM*EF2X_FEWX5j0LS%v-nCC z-|XO^m3FaD_)YGg{N!h@gXORAO&h>F+r`(!bTxC@2_C$)p8!+Z+f$iv&P>|chd~eQ zC3z}jpPfjjN+W9G?!b~tJI?zEW)22w|GYPr@)W>8o<4)`na9ZaFo*SoCMQKd-MRcuDb$N=VLNt= zc6dBN|D9j^&gJJn|Ailt`-lJVzrTF%*MI%;+rRx=ei#m!W3bSwqJwx~8DAS@$Nj05 zLoWG)xijo1w(vRWuzH`JlX5krA_ylk7X{ZCG{;2D)D|jH9Cc&dwOelUJomu<0Q(0& z_*Xg@`p+-_?(hEYEaO|&g0iB_Z z_8UGKB2ZKoL1hFNzZD2A3roe-Zj~zzDi8eC4t0c)CmChx#Nc;+=g(h0c>lf2Pe1&V z%U}Def93Lyo+0^HKlqpa%I3fKm;dtRZ~yK8%nK0v4v^!053U9@En7B1#9-_;8ui!w z@dt;x9|r7TZ;eWLf_ZK&eiW?j-jUAbL-tHhtvJ-K%iXt;+*}KREp17JL#w;W-S@>~ zZsWmS`{Df%JIr4l9~|6rK+D&0d5(v86dz->W)Rjj6WG0^GE?YMMy#%Kp0PjPxt7m+gu5}lMqog6to^d=qh($bN0 z29JLAklE{W{3cxL#KReU{do55>E*{i{?HTJ@BGg1Tz>O6fAjMDzyJHD`F__NI26Yt zhc=uDtFq=KxqnWsYvA5tM65B9!02s@gC~rTX$V=+Uq$vV`b zLo6>jvb#LisT0#5{Hq^bzW@F2dl3ib{cn8Z@{RZ2y*z!Q$xaj1)2C1TaN@3S3$-s3 z=3%3O-d(6KcIE6h5W$5RA1O6D@cid9p74RTgcnK<7(+pyPxqC{W>!FX8h(Tr)v|3# z)hnIigl>Q+!Kf}eEgNT5)JN-++OEI0&HD=bD}C*QsVBM*`;{)!e)l`y_I`Nr{FmAn zPjuk=-3xC|^sN!u<8L#1RbHTX3(J93NH`_QPx~J2JXG7g+)Qj!Sm`L6zQHb$hYG8| zUke3@s{yf4yZCr5o4TV?o^ltDjjtH;ARu!Li*XliFSdeU&LdIh>#@!?KXH)j#aevJ z3UiG|`R^BSnHOJ)1O1SB?TNshNn!98ErkmS6^amowdu95RC!>JQ$cGM} z4opWs-oef#cI5o)MfzHXCsB3c9@#Q$p+`rC7mRfBc5dh`GY}ad)I;mU=h0}-8Gv7Z znL*7#z|VjF(dD21lYe&k!$16A{o;o|_=ErX@?CwUjlqPL2mPqa)K$7ez-8;5IMPQK ztbVl$KVu<0fKNKtH36I_K;(;Xb}JJ>Y3L0$KG?hAslMAh@D*>+wE)6T^Rq>B$+=PS zYb%;wU{vIuY!9mQUWGZ^(|C+tq&4bhd=jm<(qvi&wF1LJ1So3M}F;@_mA1(ut?)qW9t(M;i!j8 zD)Us)IKzHR`{DCBTSvBY8ZWovqyic~`c0We(B|tGhJenv`TRv*tVOw(-$#I!Jo@(S zi|7u=n{I9k`U4T0^JR5uCe>pBrUO$awS%&#atR7Dmzn&v4Ruz3=TdTX+%5oI5@Zk^ z^<1uEuynA(!v+g>77#FUmX1G7_G7B(bLRMqk3PP9rOWON(BJrt-&l5xcc>bI31FI1 z$a60F-5#}09?=^>FD%5P20E!z&jMIo+IYr{$$c)m>z6cYswVIRtYI{E_=gC1<$KXF ztya+6?&At$>8tGcy9dA!`l$Sj!9Yxjor5#l3K|KklvBTMQzRM_ zWD_r>t7$5n?VD={&GZ^mZp}8@TKlGY^qAOqSRUQPbVs>cPTy$k5^EvbTx~`xu0c!e z>T0Eq{S+DZ<+(}-zWXu2n(sX42?rfs9^)hyxB2+RH5PI91WwUV**#hkpL>yK#2 zAlm~0eDXeIKcWvI-8eRG+c%29Z9#uUxYWnoi4k*WBd619vFwp36DIX`NOCSIX3*(U zyE-su&zz|<0O0#9UUe|4t8TA}UJC}fIyQ1m%k~Vkz1}xEF||Q|@IYUS)wv*;_FyYmVwnZls{H-SMj3R#;RUaI_s=s7E=nZi}JoFFF1tN9Ua4 zd%QtX2S-!!Wo8Q-6=P-Y8e7~H;rFS|ky^_WHdQnA>g&iGu9zb1qHPR|?tQoBx6rAz* zVLZQPQN8~gy1xtG$pbtOp>T<~H0P2*ZjBZuk5!3iw+#HF-MbJI)RMCA9i(7WUKWn6^8AL+q3k{69C3*)*SoZ&SwIVK&kfCPPy z4>H~Fqwvzqa&XU(dv)o?&H4bj<@7^pmZ1P%*(x5X%!86r6z)|yiJm1Ix1S4caUo5}m4P!_aksldHcln5Qytq%G0PGT7 zg+U~Pw$B$Qg;5=gr=Z@475l3{E|DoT!!3;1`O7T~otz9hHiJBwEB0dyp4%I#`W#`lC+*QZGINj3Fg6Dd(ffIu zlWvFVCfy5hFHyL=k9Q3IYZ8QQpK60V^;5n}sq8|(uP-lVrDgpzo|v6RaJg)r zVs1J0IUnX9KkzG=jE($^GxX0sw6-wFM#^RKZP?rbx_nDjEClv&K-C-VRg4utE{{TAGg>Z1igslH(sN)U5E zM8$GTFY&`>^;Uq4c6Wo^>0!1J31qB6+CpUP`nMwnOI|MFEOfjl;EOMC_5eo&`7iYF z;}_yrWm-KLsu_;Bi)268rrp`Ul;P24)Hp@4h&GjNJvs6|XA&FSr1*MYyNc7i@Z1;u zQvS0rs!O^(w5f3*PpbD*{S~v~#>X?}VGD5Vre&pvLX`BU08szzb1n(bJ|ahTr6V#S zO??)&$euN-O0%c?4ykg*q|Xtr$l0Gev8ql{qZ^&Af0wPi=pm(z-DjKF6osGvds%mh zub|jC8?{YWqB8l9yQy<`(xH=gq4lJt z@e#S)Q-{W-a%3nY&v!F{Gl9L(g7V38-WVs=GC&&;m5nhI->trFq7V^n zS35@p_2~;$a@`g7-29EqE=#CvbLZI^tnnGX%AczpTGJ(O^2E7i1XK2Q)NR=cJ614k z7h$pLQ?O}o+H9;-IkM3Sci-B|rV6fh!{zylFLfDM4`8Vc&p+cUg}OW}dPG?WK#7m( zj~j>$gtyzezg)Sqe(MYzG7;;;xV;&y!9Ek^X`MM{m3$`7TPUk`PC%Sx?FWZNx z)7PACD|+JahTEaXCN1X1}PPTVKI%hj0IiK|oV+{uL7!=SoAb7JVKxm6^;4B}xkBVEBK*37hh_N_J$1woJsd;LM^9eh=U4j`Ht6g1+hv>_;Nle5hyB3oM)UdT zlh1viwLilU4~Qe5t7OtW^or3CC-Rmd?B&FqM!UUr60yB(HS`jnV4QKMc}U8_*@lVR zX31J?)kb2|ZP9(LawTGCXk;QgQ(OF}dQKv8i;ww>Ify>^1()Jght_Xa(3jBnWqOt2 zk+8PE?24z{*{6Po1D3F-Pv_5`te_{dld{|Q&=ZO`-rg4USA?t`u-`ZCq~-^wW)RaU z`J_|l=#$>bQ=lZ%Ri~q~sC%G@UTltfEkA>%FEA;;80qjcC>c)b`N+I9-OEEh7_f_W z!Z49dKRfr@UIu6->W?R85vfx?+d8aPZdtnW+0|>4;LhYwyEb53czxhINQaP0on+5a zhekX(zP85XqsdJRJNtzkpW4pk(m4QP&5noYZZdo_$7I^n_^dcMR*9KutL;pn(sn&W zaBapGp`G^y{jPqh7pgpGv}yxsTypu&CL&kl;O~)h+bpHHo}}H<;oP-Uzmf}a6KR{k z!&dh-YX%Dm2U*+_N&6&(!lv)aRxjR_(0D6B{hxgw)>Rgqc*WLc>-b^BTI{<#RQfXH z(6il~y|Q_?`ZByjGAHUjX)}9F zm*D+1Htjp%@xmEs@JQsG(f7Q#SPAwLvDgAN?2I{wjN`bq-x zkQ$=0-Oh^_&;6vk_p{C-y^oZ0hWG_5ixT@Nso3KuZiwNSC_Zw+Vp*7|rA@HhKFbW! zluL?EJa^g1(w9J}v4ec;K|1iVkLY*$s10rBj$NI#AEzmUQuf+sOKx#0Szn3K(e9Jj z=BV4@#@1lofZ$R!gX$+w2lq35J(m*}=ElaNIXaX*j%0vPf}vQv%vn@!>46B` z9*TP)IO=FxC+2&SBS*)i1Ezy!LTN`P@AoRxX){oG=;SM1E`-m*z+y)yM`r16iv+aF z);)K8`O>cbstKTacXP%{#tRsfUWv5{ykvf|8GKH=!Hg1Q?Ke)X6OwUNrZcSc(y%<1F0u!C9p9yyj zM_`E|iyV$^4Pto$a+Jl7(}qjYtcaX-(OR)mW1qbJ`116vuP*=h|M9>1Wgc%|UR*x^ z>`T21okLdkkh7NJ%L#3E*)KA z0l92fZsj&8lS@&YXe^Pd0*H-&tXv70FBHM>AR7<6(QlZeIJ4%BZ#gL$vr_+3zjWt0 zZtJTo>da~A;t^M}-qFD$S16e)pXp(_=bt^#l}QB#pF02fyhsN9c6<&9 zkOz+h4=nhZCFZi$(2?nVC?=8n2PjharwkZ)S7QbLXo%_Y)ei>mVjOMLTWPN%0^y8mh-g`%H0GvzmwXp1)FtM-& zTdA0Gc-ORz-6A3rE0ZvQqc2J3%!WAf^`kFe{POa{AAIaS_w31|%cpwq?;G#(0~tAR zVE@z`d+g1%0f@&{iTGYEWbNp+(z!n3yH*4aO8t-TdZXCKKe;^9qVY^Wj`Qh9Ke~MW z$>s9FdrvRF{P__&LU4@0I=}3gL)BGy{|~*_qE}156QY3 z7_pH{TCu~zl37HmE_0R-jmg<>a8fxk4>aHot0Q@4D8}ttP~bt&&`!zK2R2Lyk_X56 z75=7~GqCuaHl|%zV*;ivZl4x&URH4|==Dkl>eS)tSP(%6_4Z-2xfc^FBEaPE|;f|bY9CPUw&y#zqp3%*E+*xF+ci9EP_c)Ncc2HDJY3y zqcB`}ISp|)x^jrBEY+h07CInPwH8Hue_L*id-t8E$`jr52Bd%W5wV103Zb#mf$l%ie$Ury0!t&&q!}0YaJ#hNf z=UGTqrU5KC?q>i|249=l>UI$h>#&p}(ee-*kyc>`e#P)DEqI^lpdR~UIv{Hs=iAu`Z-`6ro5X2+VJ>q@)NOX?HU2Ie~D33jL6n?#qcVy(GBDemC9g8o1a$g)- z7G~6$hxqWTYn-4k$7SA|#eU{Fo*VLFF2nd&d}uic=oz{|Nd)eeex(T97W7wyje$wZ zf{;#5CuBfEW76Sk8qoaG1$AP&Bc0U?yJQ#;?Y!u)xIKE5H_d^K1s3cKawZ~mdM;Nn zkl>5J**=5i!w-La`B-m>`%Gt8{IU^?AqNNb&kC>Hq)pk%_L8?J!diqBrhcCdd_~^( zFsZ0D)vr9UX?aa#NYXCkJ*3>;S?^rctc!l(n}a zu(q;cBf*eK*ICT*0d&s9--4lpztH_FQo4lA19CnHkl!kbA6F^FhXGGZmQ{FhZrV8f zLnkF<94|R(N#NGi$jTVZo7EP?^r4RL#HSBvQKmU8kiLvB-;aGqi?u(bjQ%;bEy#mS z{h*~RZFml|4J<#P-OUEy)bv|UyOkcwEwC9fFd#i5chazxW&>xD<6^{-_2Tn%~lS@h* znbN6AbW}zSGMs6C{vxk%rL&V53|Y{@Vxh|f1dmB4om=@#OwenWBj}(0?5CF>{P7Pi zoauk-Ti?2T^wCdc=gH+e-}%nm*S{LE0NhFE8H7O{t!$6_C^7+VGe`X?EaNX{;N%(P z)VT~torQ0^nOrsJX)kAAJ(J`zU)o%gSs*07`2jA1{W;KSfP~V98UbUqXJavGEm;+* zWwB<#&Idj0;690UiUl0GN4hc3#EnbCHb``k22nK#$SAi>$SZ|mk!dXU5)*h5M1FWy zvwj%h(Pxriuz*+~F%$)?F6xCt-gL$M!W|;1cyTw{EG7sUJ9sWT{-6*E_On$HoB}}6 zGD)_V&B9nX@^|z{nC2pmkCa&;AP{?!_lbtnR3TWl`>*>8xHuUOML9&oMR#lWU~WARX9Qpz+lU zwsIul^I@XtLV+HOB)H6LenYVM$e`ngqo}CH8i-r#phUDGIR`wFl0y_@lTvIwTImy^ zu?20HvsuyIZza%MHOL^(SrsXDE%x?5w4liXf=JhS)f~CfjpSyHZRAyVL)fpeb462=clh`4g!nzwv8>@CjvZv-Cq5gh`j0cwxGWvVszMT7`P+4v(m{m2ztqg ziBsL$oxcyj?VXlIm9thla62)byI8n^OpjVw2ua9vkdWt6R|Z6}nA9Z{d2N6C)1O{` z?bp6@`K2z+KY#v0XYb!$7#7+$jPtE7bEo#2rHTDmkS>>Ryr(Cp(grjM~2Ozy4$3#q<@uR6_H&GR2(p+JkypIMnbdUjt zeNzs(bxNAL<{l?67%pjw#AkiD&rHhx%woY>#{$zcTi(se`?G5k2QWb$S(hCIN`n#D zIo~z;RE`dG+L>+J2Gn>ZPTITLHMWVt`T#?Mray;7D;tX&ZT7prs~n)h=Pb{+!0=fg_A97;zo+fdv%{9+L>?Ychc2>AK5>qCt%9PC!4&$^3d!CbM z1^ZGw_62g#Nz|FEzWn0(c3m1WrcTG^{t=1G?!BMRS3ssKyW?_6ib2D@Zx}3k zS>!WOa$o?z9UDAs^Vw-4z;c3~%VDV_iw}S8ul|+GpZjyaefj>M`Tpe}{iA<;`Fnrw zA6$O@*S}}G8CH1Kfu`aC$+#P^W?~K>d$jd?!us&T4=+FZ(T^|R``&l0!{s%O)Zf#S z$e-(}*q{IW=RVk>-LX|87@#aqbOyj#Irlv~c{fMK8WFWh5%7#KcoL(c1TVKQsLkTD zD?lbeTWt)2u|%(J@=X4G=UfMBns~A=n9vIfT?b*h<$^vs#IDeoBG%SRg{|u=$OA=I zRP<-sw0_Ih^#;jUSuvoxu;gLOQ?Ojih{{*ZnU)Jrh{7-o1j-_KJ{PddqmP{yy?9#5 z8@CP9M9Cl(tb35hQOAa=(nu@EriJ30d8udLr0jk#>|DY<>>c}vMN$X7LM*loX`?+k zMSLbda&|SUR65>hPZ$|7Pq(F zdZLHQbQb&3M_y3T)qi4c-wd&BrUzn|edHW=d|iTZc2&puqux>)YF{9EQI_wVfjcJR zA9iA|i*ni+L%a!-tA)&Ad>D%?^q=t%uyXISu?3wEw+%_meI)GlbNh7`hvbbnnJ?a0 z?N5nNuprxSZHXuweK5o-DE%(f>T z>LldQZQVp|kn2%3yyu@jzx>%h`x}=(|L6bQ&3Eswp+r|$tsfA_Xi8LNpAXqud4KbM=yEHCTLR~yNg94@Pj}53#_`_`gzTW5u_QXf7{fMhtTuDp4+JJTJ?5O1@$3ElhkT^z} z9X*RbSYv*nLxaiOGf6TCia9P}-SQm=+~azpOWi-#lkk7@KmD7RKlp=xcKLUH z_jfPf`|fvriTtGJsbDBHvW`RA%lITxMHsXnef06=H-GatFMs22{3n<9-hIzkC4TtB zKe_z#fBwJ7pYKiEXv+arNVj_yb6;-MgqO)Pb~~1xj}p@sVEi=^C#sGa021-!HX@xU z4iA6`bH!L1DT5Qq!0G@<1Yo^ja8Fj1Vj4#B(EOyY^z%U6j)8yiF%!AO<=22w zaVlc-`>5ez&u7K1s-~RQ)kYdI(NM!^n?KTPJQ!n(E`DNVC}9b0E`=)!ql+DL*u(mZ z4qg_AGKo6AfR-}SO~gQDkrp+=8v)q?QO2Uhr~PLxw^*Mu^^4EcbLNgF3nxD^v-YuR zK-wv4`W%V2$9P(XUT&8hGJ7f7G(e^N?`+%kVy!ui02og;*ykL)Q}-G6D05%EI6cWg zt`ETS(iu)_nD@AP$XuC|j(CD>PiD|(UL!HDI0pDA`?q`Or``10mD_^;K&Uuq%~5$e zI->62o-NY}`>+ii*`0MdF^d%)+MQH-&z`;Gm&;^;ayD|le^fc>wNo1PW3kG>@W5uA zGN3gnQ0LO!AL|MD@9O?J_q4yM``dr_@BZD(hq|Z!op0+tIyX!iji4EZjX+Kb9_=k} zCWB3ewlP647`ZfuZ9et)jEH~mV)LsnKi7cg0XSWD(?m^tdsd~Q>o$d15f&CqaA3l7 zJMeQHGc6Ta3KxBmq?Sb8ocbDhs1Cd3>u>yGVy+)v+%YdXx$a3D{GcR!S>(Zeg%q>*|4hwr0<$JNV691Q40=5yU* z9o9GA+!pi)Lgo_~I@s2cxyR&%G5y#bydAWIfR2ew7Xa$V#KW*=BH|K!o@!4$Pq|Y@ zz7siR1{K&8`FO-d(6T0ojt&PE|HJS9!U>r7K7dLj0#uoVDt;_5z=DG~og`DQ2K zvmIG%+m5I@TpEed9lh{_ZKTnK?kg>WQR^%kj=RvjkVw!ANe|TQUZg!4i|_VIK9=JK z__E;mxNWMNkG-(OGnnNdae(1{PsK@g(6eI7kg*PJ3ty-PR?!D%qYDT9@l&OR3AWoh z_}y>FkQ!e}xgK9q_Q8;;-5A8!m50Lu-T2@z+Qe-jm5HyvwgnyRAmGJaWyaMb^&L}{ z(QjDT1CqW5xBJeL<2>cY)VP=y5p~+`qzXQm2EqFwa#TmkrNAP2q=h2{#!T$Zfy{JE zpQ&H=MLqh72<2MYvEz|iNFxq|S0#IXVykkhUn$5(PD<$iyy`Wr&%&MlAVk@7yU6v& zJYz`JDSK`i8TJn!&c69DH*%1G0%z`)*GT}WddOjej~D$19k%Li^O6YM7W9_{W+yX9 z^3$kVD%AP-UQ7orosvY}2T42-M5FWauvos%#yHHvj=U!~FR~1c3=$t5Yk;+*BOloe zAaFg@Ltc2sl8?wUfEXYwvYfg9ncw)n2WtHV&;A)Z6GuGAHlrVUc#%(a_lKu)fBfSQ zbyeVF4OsnFxSo2)ZsZ4d{3rWLm+JU>8fW)R!oBk0GjxgDx^lO0Tv2n?2E~ek{*Oe3 z_Bt~Uk!V9a(y84;j%Y9x3{mwFSY>Ta8{@MA@(--Uyx1^_iQox)t~^v16C>)9_1r2^ zF*S*~y=yq~q#a`jyNXHJH-20W%?m}q-JAi0(#zErtRd)P(seCwRkfFuF%H|~b=en3 z)y@$!6dUW3>$5@MZO10lHU`Vv6AqVp9UCDIH!&X!u7oijN%VUi7n=`-{o$9n2!pHdf#nz>r+=N-Bu|$C$4&~N3kPrjCGG^<&Gor#9MVP zr+=Y)|6hHnd*V6^=ggeB?uBT~liXtT0ob_28Tu0)`124PxW1~X&PQzeLr3WsM4omj z-A>UHhd12b7W4-KHp^4GnEDx=mJf-%3mgx4a1V(^vhK?`oHo32m9T3-}NPbp5jM_m+JIB9EcE zmS)DRn2B8Cu1CYvPKaOYK{-8JqkHQ7&iiWn0Atorv+t-}%S0eC#cEs~`{IB(rhci< zC-$v_gMpQ?(GikKFZh~xAbWhVQN@`FjL$X5V%yuH4XTbtxJU2F!jnS2uEG<$*!bXs z4;+V|>&`b`*FtOn;A81XhC_n6$7}%KxIVY}6icYYkgox8XITniu$68C~ zuoypJFeNk3&;}N2U;PlS?Ti0dZSdt>VR1I-vqbDtmORDyuL|wMPuTifXG`o>*!XNN z)kwOoO=EEI5eybQkV$fLVfemn6~RN!SS{m)bi_!hbdbi9cpy_d!b^ORQ8FVk2vV}0 z;TdHxietUmEFS^ae-3C}uw97WZ*n#UXk#v{S#5|+lf=0yAL2vqeovS=XN4a^yVCMoqZJ+<-}69Tz1X#9`Dy@e1pMB zNnbSMujcA2tR#R)uJG>rSMI_ zek8bM4Ml=`N|j=!{rv+zt1pXtedz7PDAduMacoUiWS6YZwGZZjT1!(NPt62E6Y zw@b8(xJHI@+P9Rv0&N)ZS@Dc!h_M&F;I*ur){YS+M7o&@@@fj>)1rJhUJ$3oY_om%D z6}QGB=Geyr0|1cvK(hjIiJ<5LVr7CN0b;=!8vVdZ@L^bna%734FTENV8{put5eA=w zrz|SCL5hx+9E+!Y=;4Q5RqWkIko7*aXI_NZ2mFT*U>Zi-SE6nDxZjZLkG8s<${i+&Ne<@UA!IWE;*D z-7=ZM9#6TuZ_K#GckqZc54e%MKb3Pb0i8Mzy3w#_V9X-Ty!H0m{Emf|7Uo9D`4ath zbukC`$JcO)H;LFdg7lT!8M{y@Z@aB4Y;LOUL$EM_?}^}tnc3 zWm2bY(gAye#AR1ET1~G!jkjK!n06-iOX^g>20k#Kk^&JUHH8d#o?NEI^(_`gSC#5O zryVRJ*44&1NI;lGscnYL?j?cK7&M2@n$(4u9Km&E0|6A3IN0D4Cc3<=#|If=!loT0 z$6h&8G=7?A)_@?Ch`7`?TT&uOu~C#~y(6E0qBgvB`Njvoc6t8EN9wEbn}PKB?Pr(IKGk=_wc@_}jc>}2Pu+bQ7TXLS)sXlVs=r?&e)n_m8TXdjQ z%7%i`C^!W@cJU$n$n28z2k(D_p(-w8+CIQVLsyJ!lVE0Co0Z>~D#1mhju zX5)+;8zj$ZlbawqbJg40Z=BWl%pRI=%_+Z=C6!;qhA>6wrs=0?FkYBV4`kLcaV@8$}il4`it?idX+sxIF$)_Pek+kZO})dnN7B zhkApX^ziS|BV>7wW%jt_Vk!}Zx)$uXX3uFCDP!d*dwefCy7CvjNiOaL;qMq0lhAmx zYZW5-5xzqPy}>5$K^JA8Ea*yF;?F)*Jk(I1TnGUf=Ce<9d+i(Vzwf&Bw7+>s4n1_B zDR2u%j^eD_aGcQO;Gpe7hr`iZ`qd(EThJeh+bqWEmvn4;WIDHgE8QKFj_vQ9doXIi zF)Ee#p0&lL!cpv}pML6xNc@H*>8e}1en#KzD0IsZa zP;5XJ>HzP3#QVe$nM)2H!oh~-h1{3iHNWY~4m1v$dbNjf4c24m(#(9P=V7>4&SgQ- zq49tm0?cDPC&YoA7k0ZC2Z^{Z*K2NMPJE%Oc(j*!?Pyn;bi0L4;NCpl7W7xe%pE$H zjOej+JUXvCxyp1*E>G#kxd#WA(%>;5=)ByYBJtEYU+rS>qT}8#Ip^-^S`alb{2-m^ zV7#TDVe~+h7=s~4z8M@09+!rPjU=eiUld`T2ehnaOjqQ=d=M>To7i?ir16zAcR9Ei z!1Kcme3&3;&q^xNo>!$vSol??p1etgSH~hiF3grJ6oImfg0o|MPE7&;vjxt`?jxGEOm^ArFhl7Qxg)Kr7 zKXWIN2h5ZjTVjfS_S05IF3RS2&j3%mio0+m?kj&k{n_QiAO9#ab4eVHxd?H9g6~v+ zr+U>XYG=6T@h4moW6}@e@|=%I%s(u|BLcd2pi06KCG0FKM{2GHhq$-R+yv;4N8zh=Dl%ZGGE9#B*7cZc^6lc+O8@1om# z-(AQ$c;Iuk%}DJc%K-2JfG`+pxooE)p#L1{s`G20txH~#DJ}{gp0i+5cHIMfm?|F= zC$Q8>*}CYBhuxx{xy2aUFeQ$!+#@3vd?5EjTl1U9V{d%K6f$=bd|V)nz`b&jc#SRE z0c^a|!l>@$*8sa;#13wDNTr=)*H%`DbQ7Yix4SE}dG&!Hx`#TLp|2C!De`X@|GR#v)@P@)5Sn z(I{CUSB>j@v&*sI_NpS9oxga9xAPfS8-2-LxfgReK;5?`baKN9ju(H;YwSPla1hVs zcYMgzyXf3mK`x<%!@rLG@sY4g~lf z2-B(Qz|cr^e1439hvU+*bMyo-UK z0GB;Hsw$Q&iTGBm=0m3inT#}G#pA=^6AAfxLnZB=nC+*<7u})54>w|5Q#g9#h zrLWpOg{9+GNFa!wbS&PbB$F=mrfN{%%jGxUd3(A1SLT?kqVlbHia~IO+YWI8hd1dO zq;wF`CDm@rC0Ms{7}?@kaVe-UeABD5gdQl|0enDqXYG0|Pwto?n{ktU32(ei(e?W_ zLCIL#`PT~#JTF+X#~)YVc!uB{&?C&}7@?iOcNaG27Yco)4+)PUWJz`W*kRic6o2B* z3Bo4d`6T{FrZkJ8IY2(Mma@;v=UImR44pD_m&dsrwtN?C;Xr53<3YE#-pyG$Hkhw$ z89VxL(&8uTXHMi`9~yIo4+w^iU$--KBKYR%wxHh|v)>!)amgveH=VbOG-vIUc_@bt z%iv*f(;@j(E(;!mJTGr}qF)&E;yj}n*<6P2pwdyZJeZ+s92^1<8%$Q^VV7hI;|7kD zS+H}46WQX?j>t!bD)v`Wd8@fhy|m_)ZyO)!3%0!4wFyiHIbX3WekK>}Rf?EU$-#gs z@q1ZQUH)N%w5d(yM6t}iF;^QfNYp9Xz6+(2FT#||+v(8$e@<=0?gkBNBX|01mS5IF z=zF@)bmE2-TvE}LzXYJzi(0gnMI_R|P@S|fd2(^Fs2A}zf``COVg*uWq$ezP&LKs|iRBYgP-pf_X*tT6+U?I1C*~4J%A0FOHZxVsq zg8o3X)Yp7Ds>6WJMyE{&%+H~s&e1EKpQVt2%de`D(^=7BFfa)EYioMK#26lVq9f~$ z42F#P$d-aq%JG9cRoF0V`1MU>{*%OWxw-X*C5{Iw@^N~UA`~t*iZ(~tu!od96;D+1 zzXvUC2cQgQAI(#7x;9w)!?`hQd_<|r>}scHgB5{a&Cc${89%mwPpf0xRv=Iy*~eB? zUv8X)hG7LZN=q68kWUZ?WUsVL- zV_k{+wtoDH@{xGfD17%>Iaptu%kP<`c9oQKlz-4~rPq$YZ9#uUsQe&@Ix3x#1&S`q z;zJT3(;D;YSF^L_h{)VIa7Tt;w) zPPPWMXDD?s2WvQ@kpiUw&-b6kCUkR0raBfjRw#>(!YMI<9E02}^yYIVDr5LhD&loL z+`gB&ny`-8iWRYAd(i2Fop__Gt=Tk!f|46F<*8c6%=6}OOQoqCnw728 zA#-iRbt1GWZ^Z&_`Ct}$I8@JiwJECpE$$do4(%l07=W{t4UgdNpk+iFqbD4Daj!Sx z*b77EtEVmk-ok1`Fts&{@m4GHzC{qHO((M(oX4rq_cr+ncFkeTO^4`l7zw>6HaNy> zpP2)DX`VCkbd}hL&c{EksuLpjGdbilf6+w9D4m{; z+xL`1=g4*MnDoUC4sz~`eXgh5d4S}Z9yH1BnZ9iuN0+pB^r+6*vK_=If|t&L_CUNc7>OwwSja(OW^aJb8KpRvZPNw;fI(_}ROdmZbiK`Xi`Q+B zcD9w-X)4>q)>o-V^e9;cqt~f^iH?qY*Jj7X7)TqgFs>2TxUikEFP+E znaIi~#N5{#kJ`2VfE2Y=sGY6 zh>ib4r4h17@WEHG>F&b>r=$>hQWAt>U7?^Jpc0sU3Uz5q3XTpLOI4YjFn zXj62yHReuB5HQ#Vvx*xYLL1H!X<--L%FEtHv&wb-4$dyHmp8$Zn@?OK5zCEPBegdn zi{rWRph?Fi`MUE0B}x}aSu+$QEFw^yVhCx-_jr4tV{oje4aTHcsx7Imd`R&p;@O5F z7o6_!M-Tor@0vzict)QyXBJc5>W7jK#)WQgR0ooM&AZu2zBI487k(|sT!rMp;LcrE zkRFS;zY3>0z_zrQ^9>)qA@uzDr+&~F8B*pi;wWp6jyH6gdE2~p1a1rZJ)!!&p{c{F ze=$AKwfQuq3dIN2dGtG(Fi#oCW-uj$*kN&QqXX;0&e7K{}~xaA?uZ+#eQaD$KS_~^_o{D z+QE<3Jk@JCIUxD;m!HUYwZ|*^fob8jX?!=nv!8iB(u2NV}5l{cWJhThpS9 zg6PB;cG8NHXz``I#-WnU%cnk&X0=RCs$A&Q?jlyk3f@HSsHYUnLpn&6mFEX*RHNax ziWeWQQK?7n$RlHXv6}CTpCyit8ij4^?l!P>%T+PFpOM8U5&dq1alWz})OZI61m#m) zXR8R0t;wJy6<3B%JkhdJP;%OJCd`v5I_%6)0xo z9R~%Sv-n0(_a&y8+rZ%}(C2z{B=Z?IcrOQX=s72rl-;4)np^%R5x6br4@9e9!0=br zrsH|hIeJhyT&D@^)4N#$iVK`46P82+mWI~&Xx`N2k_Jw&UFAM-D zO(ea~xkt$7um(1@XwnZ%5piLuu+8_UU1A?3+ljUNKCWi#J}5M5#cVnGnP(|%s(t)q zt&;@7CLZc?w%7JwYcB;CqK|)-r#}`mg=32hpSH&iw<=o)60R z*1?3IH)S3V5u@MRhs9?uZJ9Rk15Tu)jjrA{ZxDgog8o3TG%;(vQ-_xfIUf>dn>;v@ z`V0v5LXK)Vnzf7u4>E77&abTT{c}1mA38jsoV_wpfBhD^A_$+w0H$9yp+$pEPs&$5 z@Ihh_>`SKy2t#sSKk@yTd?Lh_i8DZv9L(eB;1IPm2QM6*ACmuVj{iW86Kk)HKM11rw@!_kZQVG0`=RSDU znUE*faWHLR4@5q7!@3PGUVL%+wQoJSeDK~=Um?Q(FXZRvpQ}&m^M!u2M8{py*4dT( zsMSFjUyd4mleQ99AJkalWYxkP%s!Q`!~smVVmq2SJRYtb0~2hwR%Bww0V2Ao&6{`LfCm(iu;Gaah8t8L9c$W^l%zatBXkQV-Dj(Joq@+ zqd*+q*5z{Ufy+s=7(d9d?|4xR$(Q7Hb>6w;=m#Dn8k5+f52MrZ;eCy*X=>?X_LjXt z1a1rZ1HsZntG=a)MIUl^G<8s4j#BSqkrUbUEYz9Y8657g$~gn)-Nx@cd&iR&7z|hs z7V(XV5AL;x=v;xOWpDb~&!hu_*Gp4}C~6P6Mz@-V12ADi-N_c)z?o z*BI?{I*yA(A1l7>Yx+4K67w5;pLk6Dsrn3Z^z$z4mQzHaL$i)z?Xe>L)D3AG{hHL) z!S|Jdh}^bs7=hb@{$RlJE_FIxhX!X2bXqPcKY5oUdoDleUXp&(m@@&6_L(Hs0GOUi zMrY-N91|F4-R;on=t${v^g^pu1w@c<*g$i{HvH$&CgeFHw2g+WmRhz|z~d}D=!nxkFmKc+~~-CZ`3ZwyXNa+oA2{&ljQJ4EoUB#x{| zj~Lgtvp5KQs*Nk;5xbT~vzCfN_^?I1-ABYgZ{Hu3i946jN$vyEX&rvY0$6;ogAV(Y zoU1P+>>w|Z$Tg1QVYmC&04Utj8%N-_pg$Bc_2JdYDyL4!10Y;d^qIP3=%6GPX`j7G zCIciLpT&?5o!JQtCMzWm0M!>yT^kyc0y5B5boue493^9LOd4Z=KnvZ>L*ghQIkk~t zvI^x&N>%LI6|D;IfAfROM<4xSX!sc4uRZYs1r(!N8?qpq0MY4OEA{pA;En8k6*-Q7 z7>|Er?Ig=S0z>(iVpu1W(I8I-hz_Q7*7@_F@f%P9G5!)f0hOhvclDI#<8m?yVQe(s$8? z$ES9g~P>h28w#d+%9}39$Q_9m)RA z2fZ|c{R<|4b806R9)^xQCjGI@QU$~*mNQv%S)X0PqzZ1V9CF@`L-hV2UI7@itE>Q$ z;flMzg&+lx%i1;Ema$D6bA@M@n3hYKHo5(E;6A`n-Enc3Ish(ng+=|GHj{eA#aA6n z=_dSmKwNWMf_>DOk9X?~y_(LwFNy($@&is=X*P&jH9Gfdnjd+OH`Nm#tQ>YIZK9ij zDT+IxSa~>Gzc1nedk3``ZKkjIh?qW^1-FYl3ompMCna2gbeZ{1JT9v@@%#|a2O-bN z4KLDSUM#+^1jxT0B%p_E4^sEOaQnTrM)l3|+k*a3ymWfi0oTq(M~B*h$9>hebpMr( zO-JRv9g8`aMt#Qag(w}ouYL_i&rUjsgUHZfVI*e}@nBNUqG9slO<^Pt z-W};GJ3mH$$lB&V6Nk#5>0l&w@xbsqI3W=~3%lEQK%RvMm(^)aEJZRfl~q_pC_paG z6jpuXF$qOFK3Qv&clpqHYL|y}!tq2qLMMB|%$Zsy&n~HZGoyA)j648jKMWMfw7LB! zPXYUYO_DV3WOKlcs}1&ZYd~@;#~zB|k<(v%8%XWpssf!Td+b1NpSHYKN8;sYHUL!u zH>INtjmxYr)DPLuK7c@YONmLn(m}1ByRhuw9-@)K*Ph`~MwY~uay?%}oKkzdz_&Sd z)I!;y2kuuIg91|A)MBtD+x=E?+Z85fm$7W2BLEh}qZrDbOCM+)>v!}K4d1HLJGq!9 z;+7M>T43rB?~hsJ@8539jv63H?v{6%pkN#Cu;*{!Xc6X?BL34SSiq^n_n0E4nwu!| zA$DD`DKm!rCwZQ^L5BU%eanNN%ps*Qr-9e|@AjDab$2_i-nOq9f!l)qia^l;eP*Ce z%AY47l{CuKjhB`iO|E<~SE(3>?7I`L@e*c5}p z1H*#`(%k_HDb#~^lN_BK@;C;dY*fc>C&In7eMJUj@FYAZx zvfn8^IyT1;}Z+{Q=Rp3V6pf$PEM>WpMx~c7&{)}-bn)SzT!%ou-oq0iF`#2lq^ zedvNrPP|COmHog;3;TL4(!Si2-M|&f+#1OV4Mx1^%O==9kQQd`5JMk8Xx!Y=uNHyZ zg8quQso$xa(ZSNmID76OlFKzqeE(^K~^;Q_iH##FPQV(Jv2W z@qnDl>fF$CiIK(N=TDBEyAP&W1Vm{v z`y($!$u=^UV51~TR8qCiSF~_Wm_sst_JJr@&IWd3P=(1kLm=kFmN>?V?nGo(!Qk4n6;1Bn5sj9N6y(HXVrcIhwAsGp6wL(KAD|{ z{8K%|=c_$+#75&-ikx}TeiD=;)whF^5{oYrx!;Jm<5p0?t*^u+IO<6hR6DFpNf?Zw zcl5KHj4S+gk^(Bk6P$eic{}4bUPLW8MH><(_TJIr&!V1#?(U%xwC{Pw1sge-E=Y1r z)ZdJiwnq&78>T&#aL1Lk>t6xJNs|p+0c=DlEk5eY3yGE&+SL~If%BXJd*Zelu&K1~ zI<|^8S5ipKUC_Fi_W?pP*-x{WW5WlQVlXE7uz2%McfKu9Ib`Tx99V;kofn!9?IZpP zr#5XvZGd)5zj_323;F}G>r{sb_|gGmvj#+#Kaq4Jn>XMTE|xUnLjFU zFW@0RV!X@0sq;^p1>H2s8jVfitE7AN*!n<+=4zaO?58&`N z!ltP1*aB(;Dx^HtjvUs&TFR67yi4JlX8~_!@xzY+Ty668`mGV;gP)Zk1~#@^6rj)A zvR@Ay_mtY6QTJ^RhaiN7O2N&KSMIlFj+dKzu`-&XuZ5d3jYF2Ca*G7a8eR3_4}|jy zineKqb>IF+nS@e7Ovt8KmQZEt#@$kObU6S3KmbWZK~#8~#!-~dIp7It&1IU~SlBam z6B7=$;L~R2D-OUoz@vW9xixsa1{OMF5czyvQdrtY(0yytm-TZAAAcQBt`^;X5dGLk zZ&11|=&uM?I#@1;yHhe@=$|tbUrv%f9h7><4inzx>%7$D@uM8U=Ivq{YwE}uBq}qQ z(AQr(GabGB<}BvuF)yK`e}Al8qtlL5*=9lwxkAlH*dF6S2p^dM-jqitLW`%qXX|GTF7j{?yV5Gn}UVADLwtu z)HLugzun2$wPH7Vl!|2I9LBYyiAy z2Uc1FOH4Z7hMT^4(5$X1+Vw|Eo(@WK7Ho1i5n47q-`E6rv6nH=yuddcP{`P}9W2?5XWnA|A+dXTJ_x^=doaO*j4TJVKFN?gv@diOj0Z;j!WnC` zuOds%ycr*%=d7Mvkns4lkEETD<}s$aZyhQS$FG3`Ql%Tf_JJ zQ=}_deN(leO~KH%Hq(^w5Iog`cjyH9z>_?ch#h6@h<5rQ1`XknC!=0DRqsi12&bHq zkGd#FX#|{wTAiJ9rnPp+Qz~`Wo3dGK`njT)Kl?j!_0ddu%w(6zn>;DBGw#7V=%vwe zboe`H_sNA8m*bY?mw#hkC?}Ybw_Lr~HMT8p?3WfX)x_8^%;Y=ojsv^iSTyNG2N`dM zNOo1+#OuZ>x9+BQVp2(`omi*GF?R5svs4znh|!O?4>4ueclV$2+!p%agZHg_Y_dn! z*aTu>QjR222QV}XhUu-GlQ3uFB%Y7(tv%7WT+X92+$Z+~z2f_1MHtLY*yEmf9{z-v zlaW67hAdYzE4#-RT@DU<0Ab&K6$UT9zMY^GhF>Aw&d^^oXz9GUXU>^23#-SBat6ui zWislJ$a5)+4&8@{Y)Ye>`@1|4$E0N$$#SF%l<(y+0|3hipzJJH0NnA#wCyDn@oud! z8_PvFcr6=L8|s+b=~ud02xQYThv3pFU3on-L`BzG1%zqa*tpIdw`nu7hHyL*2gjt~ zVX9U`*Jyiv^mo#!{4##%i*8*VvUR;!-oh##ONxOZH@;4TY%kYLp7nrIjpvK7eZR&D3qRMNjK+q|A}1AN)|6qfUCJJFN#n$~++q?`vq>6PM0$mY$>V+@k_M=GR9?Xav^(7l( zcf~r|175i*2VS&QxYi60fL&xkh-e;65lg>9vF;W7rJ_LE>R^L4@FyRjN08DT)2OVp zS5$V@!5@IR4YA}^I8-Q&w+GRpSJhqpR4&3HuhOct5o5!Q+B-Ct_$owiRhN&V6ms+8 zkfT&v2y|&IZTQ5;m*O{&P5ML~@MKdNf%I`I!dGRD-i2`&M z`*Vo?`Mjn1-F6{ib&e8>jZ9d;B@GXC%2poIljnw}12>Yqq z^lvws#m%pkq;pRv^b^~&9l(H={vj8n3^r-L3U@J;5~Tx^z39D?I(*R4q zOvQjz*!;MoGyofp`_itu@j$v0_r+g@!{Cta=u~32Gc?9B-(vAN#vbL_NB3AL(voNK zBc1daBk2I*Jc!~c!vI&CeVj2T?e*i*yB2x$WX}uyj7{!?zo#eLnZq)V<-y-B^n7hm zqH7!@13r8{Ec9(xc^UKf9HCzMeXHIdf!jUw`{Qy@)dBrS&s3sA()l>!W(cji9u#TW zf*P)1$HD~8s+HySuF0RBM%a3ej&^-Q- zNG(Q=`XO)QVr2S8!v3^ix3n4eKuZ!qMf}NwGqnRZSg|oO$cZzdG{oZD$3q7uygO;d zNF2)k+*gLS)5rOxgRb~&hL!SOhp)8rkIL|nAA!kh!k5U)GtMSwp|h$dGek}w`qAb? z%gP60nYZHNBX9*}AK2VYSs3n-zi#hI6=O*?+xlze`wmw5G>z}Pmw?6k%LVI`+lE-( zB_FlQECRMht}$_4G?Qn4jtJ7POw0@HB;HLy;>`71-}=@Z)MGi$j7ujxbm3lq-gH#QdqS$k!h);?mxP|TpBGtzneRH!;5iB3uf zC2xnVoCl41G9BCW4|v(LK0jG6N(B4`2DxA$D~!o{jL%KaJQ% zpv|xupHHP=%6;Qxc0vw$lFFmzY&MuX68=Jv4zsVAiw$sjhk`^hA*u0}cRrGvn0+!t ziBmEDi81z(b1Vjzy5t(a_=t>4a~m2TQzv(K@?o<-5>XlKWJQU@ z(p7aYkJRyA?oqCJn;!efjxMb{S^?v#jvR4^^#P1%Fxen%w{B%SwG0#ndWd z{Z_ad=zHBJ%otP$u3rNc@zYTfq{!g|$+^mTSq}>>{2V}7KpPg`J`cn%vBAfGK0dkW z+@?8@+X_4|{Dm;vM&`toMCZwRc$}fvX)x)tUgWoFW$E1tuN8sYg8opL)al&0-Pt(1 zethB8Fubh70|2@bGQEVvWhe#-XWtynvhc%a_|Sn__3%5isOhaY%tk&VE@ zGCXoBcNt55f5gqB89ygaXg_sIv;WsJ>%iuDFm2D&fPZnecU#uF6%;e`K_gH&0{D}ifH zqt$##7$;KMV%usJxu>nWE!yJ6%w9|QWMV2CM%u!-QahzfVjgMP`l2NU^28zoz>#VN zP`oGcbF}q8XV!YwN46;U1cl4-q;+O3Kaj}+oQ0T6?0lt-t95<=j@)kx%$wqJ01zB} z&lSp?$aMY#Q;fQEkGD6{LlL+w=nqAQcO)p$1sN>v+?vGmwB|9u=$P>6uwK}8Pu(3> z9h#0xC-s6vCl;3Pw@Y3^kyGA*(x+kR*GZX-z%$JqK0alOAfI55k~0sTg%dHs%!Cx3 z%A4K_SZB7Cu&^c(Q5+ZinzAYK&vdZtv$&>3%I4YFhG-*${WL9;b5PJxTKbet$!6#~ zY2$81#n1*0b=uNNHtxg$?>A|-o#ipZw$xDB}aSA2JpID|+*@FU9RHfNPpIDXD93+uyZ%K&@D7YkX)DqtjsPEw&^aia%g}WJk@`74H;#vP_J0?1$EgP` z1wMrDEgfQqVXioOUXzCB95lDSj~(08eAIozoK*j~h3K<+u0CpUfBN{DXcy7WF1%cD&MW`I|@JwxGWvW^`IUoH=vJosT=JQRDIenL$t;u%+BWG_yT$ zg9sHpZ(SyahbELUlBMuBZ=H+>0583bJ7|4Wh**2KRmz@ zs%3TL?9MIS9=(FYfdPZjXX+fmve?g2b~<>DhCTGv+cB2`fpUj4NDK~baBp(gVJJbm zF9qQ|Vl2BUY{l3p8iQ1z;m>x2@iX>^fZPL19}e=saLhkRMWauY_PZOWlowXnRN> zr3n2$?7dm6X4!S$ckX;|jonqW~m#ercbfPnyc zOY)E?52F0wJO}~uk|!fTf;g6J29hkA8XZxTHJc#W9GYa4Jx?{yb*t{2-|xTn{=V;4 z6|1ZJQM~)!?>p!0y{5g++H39UoKMD_NiqjuC+JljC?Icy*=n(uJ z962EB9SRlIUuYA8J6~^E13LlzE>zZB?x;Z-v<<%IYm7EVjon|(>hCk|#@oweQw`CE z;X0HJo8|}|2O~MR(Eyic)XAs@!L|9|^ff0gfD=*z`4_0J#rHI6bQ0*ETNpaRak*t< zJT4^NGA8rKINR|%Z0PuPQ|fr}Dcjh3L9PWY1%~s9EUuu?oOKlxo>B-IlKE;xJlrmm zyaJo}_7rByn7VqN;*y}(t-yfseoMuB)Yw%SSK@|u<%|GECn*KU`&-DNMS0b)m0MVZ zI?#whW0^yPZdnGFMzoMCzw-e&WJO9|VUI4!E?F#Y{5x((3B|$_D!BbJWg*h&Z$ldK zE|Sgub5E7Ks#~P$s>@PjCz&)TDpU8SC@Qlhwj1l2)NW{Iz9{e6#Sji-z=m-10gB!3 zdQq74i*Z%Q*`Aq7o_3lFDgiA%S=+vlvtw<`zv-gvvg&wK(VJd&JH8oEeK{a8Fvmx6 zZD4g$!|NV!`!soc9%a(g&l!{#{8?M@`yQbFD%rYbkB|c$cyt-Wk*C*vq^|~g`OPx! zT;H7rb^`jH^fY?1L_@2op>E8Mx-~!zUL%a*(_^(!x^`}|XR5*b7>B9Dd7j<34cBXc zLnE#XB57DO{*3l08>Va!<&NYVMtn7Y2tv^hEiWvqi(9@ce_T2`EApvpZ&-C~^i)D< zOVT=ahc%*L!7b@ltV!vblLe^5b!z=sEK3G?W*{pUPR5}i8GLQ0GRC5$5mf3C?S@fk z4Z1sU>4%*8-V1q{s@{=zYr(M{}<$Jr-9eh;W zP9`~St7I=1fK>Q=dqQ6DQo&vup)3%lpv@Vl+vSZ*iy+t51Nak?G0u5!Pt z@|6*6kR(O29!=89xQp-d4R--J0x2$|%bQLz_#m&p7)#&ey1KqD{)@otvHQM$-yG4K zr!Vwqz!%q%w?W#x9;|);#`;t}@uMFT$9jk};@{*_T|4RRX<#Ryzlq*7-aPvaT&7ut zC(j`5Gntkb3{z2#+%40|n{Q*qXlHno!(SxoMxQ{>h&urx4ZEh`E!UQN&sF@!PNv|O z_ki>$jn2s%XLrmI*ytqi&6$WGjy_L$yO$}+xg@XWR&fBg@sY4F!WJPfDh0PtLOO61 z-7MYYb#v*H6q=qocH;+?tpwh2egL`L9{R?z^fNJ1pJa?`8y%>clvk}vB~|&9TSxU3 zE~U7FX>NHWO-=$BF7?&)iQMDj24e;WQGv^I@+XKDl;4%vi+avvd6o5&CSD1U?~-3i zK=PjeF;+C+pj}An)&=8<-v0`#S3>-XEiH z%W@(b6~6~-eVQMAY2QIF&7SJMb@^|VwZrWk@2r8HfPM%4WPpy1#n|HJ>XDK3D%1I>-2fSjHjD4bZPlqx{lU!>Gf38RXUy`JW*uMwsiBg zg~=1Ct!G8J)_$DwPvUx#XVpNC;t8QM6qt*K8@!ekGB@Q@6M8764{1kV)J?F^icE!+ zGKh?12wdYye$7yTOMbAyjgxR>7ZR193whbGVzgkYPLgQj`gBK@JVp@WS%>hCo@)JX zvbvUanCiHd>^Cc~D8Qt>^;;{>wJn0nW%7&-+ z%Zs}CB1pEAtPXgmF@k9Tjh0tIf^=|`(K)q??|T4ao1y?zL zM4gR+M)kZ2#JX2ofQI0cHGsc16^(S6Zo==l+Of&!(GAA78wVlra}%TO&ZFO}E|+k& zFY)@OIQ8H`G@ZqafUqD$bpjew)JIx6G5 zE0w&^=qO(GGV-L%7!evhO-j&^n$AS)bsS3}%=oHPsl0v_#DWX?MzN>jht4ci-kw+fwenM((xk&)2%;}`N-MfctSFQ{zH*O5~9=vb3bpG71v}ez7V|h6` zUtHP+{k36<-=Dq&EotsQa3H&Q=jRuOv!_m?hkFv>t%sj;r%w;+!oYt6Io$_w;mnyq zov3p=1GDJw>>F7>hc#)w*EFBLp+oaCH~lG}jiMN#QiT&2JUxNNg12XR88qAS?;6vXXW z9hF>K5Z}OrZSmd?Tvv+KHx2fHn6@%%3)``7PwA%IiOZaByRMp4Rxjws30@QY$ED-5 zG2~?4L?Hsw7oCg&c-y=Nt3g|=9+WytE`=C0i8w)t2}uGRM)*7aQM^C$|G)G zBtx6D&E+nUH}Y|u_jk0L*UuBYp(WjPoYO(}Iro}!_eN`twsn)Z;*@M%<`nIGy$ucQ z1oSsiTABmK8KWz&6O1y}GD=5=1|E&lRBP?#)d=GctO6tp?c$MI68p%r?S8rS&uBE=!3txwBx(L*x91gsoXUAZk zADwVSZJHW5C*O{OaIV!|MRwEjmCHCAx?9xm;@LBGJaamotz886)8}8wOvDB9)H&$G zYtKJNz1@Y2^Wg9Dh4Ts0-nSWK2LxGfq?4c{yFo|B4%s;Zc$|<^@=3rG?B^Gk$aXdX z-6C7N^$j8-aSkU4OFOB|W8!Z0f_^N>1~$f{xcT4_nLzqQLEt%Wmz~(eaZJ&=PbPH} z8odI^n2;H&f|#lEwJQtwrb&}o~u4aY0Oym5< zA#J4lAM?igAK$-G-UNE`kX2isLw^QXa*6zYPuS1oS&8ZM8jnUSE&ehk%y~^!DOfcu8$cL>XG#+V zsh00-VF872FDDDx9H}}bY~%AIKO0q_vKP^OVU?}gIb$a3FiT($SsN|nZSdIy=v4}O zJ?veNe|$#A8-_0feMeQq$$i?w_x6 zRbQJr2&VR(J=nc(e~z0tl{N85n_Et~BL_4<$i~Ig8+?PkzmgLkh~%za>#5G1%~0>& zi&kODk+|oM)`4@zLH$)~&eoc@`ygyTO(2yNsU0F$LGm5&T^br;5w7F zi`g=Rwaa2jn$epQB_In5=B)a*4jjQz4-sC5&~`S!ywp*=O?2L;goOduzZ&%;KeGuv zpqFfF0#Z~c0bKq@^kj#CrF_gNJ$gPWHV^n*1CfMWfzPp^>(u=3mwH)I@=hy}Ja3{N z0@8DIWWC%BHOj2B_Fed1poXeOEAhh4kU9+K96h@QaD;Iafr-1D7mOxunL&c90La;_2VSv8tnB-*{9V z$|uHd0z_dkSCpOfHZ`yl(C?(U=Gz2`lgC)Q1J|(q)FW;5I@?;2uo|)-8;b^OkjMx) zQ%d$yTf=EhEDcGc#-ekOpXancNK~V?A-BTbEc+3Nz@@VBEZ#d=NQuso^qxF)Qf4x0=o?s~e4LcPGwCBO*STcJw zkQj&^DSPe+dyG>KE!?b2WUS7RxP3I?wD+oO=wez|3r!J9uGFDT=X>QyKl()WsFg1} zG^x)zNaU}rF#Qi9N9_iCHv;ziZ)c~^euRxE0?Uv?^bx{jML!BsQso|qWa1`QZo4eZ zDrzMiq9`;y7kH{SiEp+++q`^pl5>rTl#a(pt}ao{(rDwUAM)OsdR|G9Z?ZZmf0#pC zmwr9|1O(+`343e0eQv=OFY9q@8WXj&Agj*8M(^e#nDrS4&oQko^X(-oxc+VDZ1lM5 zgfNpTDtZK5PG+&uEWtF{<*!a`ZwJ%^W7`o;hXGxhx>87j> zH`O+QIl|q3feud9~}gSCWtzd3gAT(;8y0;K7SG? zuM%Z8CeqlCcvcOqe3JF9wKDT>Ugs)k@;mKdS8x=bA$M|$uQ>%vW~EfN@?7IiohVVl z=mgyuRwsA58~KiF&TW505m%^T75h3+{Z@C`sbQsb!J*ejE!#(JbWVb z+<@l>yQ>`CKtF?o&a7Z+>2ZAKT~ZsSsAg1V z-Gfx+qxuEXuL)}XTnzpY$lzw``#b82jGVwV!5khOqvhlmlw3WldU57|%Pbk4Z9)IJ z*cx{2e|(r*x;J#>r>;!mkLpy!lAp}Zq;h%%#OgWiSiGFo@-O$ElFV`eYde*P_kDf6 zEtxdh9oD*7hnq=v5mrv1gJPmQ}u;Hr%v$5($leB z#{t{P(D5vD9w&q@mZ;0#y?fY9hd%ezV{2s>%)~H~w?ieJZ9ybVZo2_W%^lGI5HYF3va zg$+hJ`T&D@_dkU_{vPoHwxOlaS*Ns<&M3LcR-IYp>H)hz`gD0~SLsxHZ|h!{9XNQX zY5CY$t83)1>1U%1{G7}sR1>v7)B+1+ShC!pU!OD&$Kca1Gp z003U2^kZ`L+Mn|_$NU6Dr;gbOXXA64*q~tGuEtn~Exv)N)AA^vMjBHmdCi|ad};Wo zm~Utbp8yw3V1);H|2>Y5DhXnv@t6k5X0KvUH05tWf}6WjJD$0br#U9B(;=D2Z=j*q z8*3ls$}qtyG^!(G*%I<6pij{00eLcCc{)vXY_MXnE-bsgdU-M{aWGjc(aVe$@e2%$CoUReXSGNr6Go0VZ`u=V<0c|n+;;7yGT-psqis zIT_6~MGgQw=HsEx!=aUXUX-L}N-0OA2S(0<7Vj!HI5;tL>?n^JQYiz+xeLp~m8(1v zkl!#cP)t&u;4sP_!&q7xHv&gU7Lim&o%KiH z0Ly(Dv9(_OCG{IuSEFz1eCe|GP<(|?$AMn&^o);kY8Mj>8>aWG?yqu=%ayq_DIofa z#D&z)`@NlJQD3o?VI-$#P2|Q3`tksZf)kHC(zD}lByYa^UoKfiMD_dV}EF9Q{U$q}$6qx7~oA9~z;cesF}NG#i{WmB|rF=<5h^ zV#$kBl(tkM)@gDrEl1hHnLK!15^)W#nf-?`I-HIrjUAkxr{j{gQYG-iKY0?yVaPu^ zGk2>t<0xbD8z0M4D|w2BL#jGB%YZ1<+4cL}28GS_*vVBVrS>9ZlmtEZC{*2*3+EUo zh{Y%_e;F-PAA_-V)edSyBmnKY?lty9N6i_G)DPNzuq~dERI?*k0!eK?ASt?Z5Y)VHe9qmoHz=h}nCgJZWDLI(YB^{p5w= z3W42`vV6oVsFEeNOZ(_aIBm|O1B~7Q@Qs+#(l)hGN8px~om)HWYuiX`46k0V-rlQB z*!_Xu`Fd*_*a_%&&=-LxR%ipLM&wx;r3S6B`q3ygL>-8YOQTKeY_Q40!3twp96QGZ zPeCOplZ1W{A(5C9$-or<0ILb5x(<4#!(%XbM)i!#? zN>apdExhU>bjJA9oEHwojX z8*p7$@RE#g8Osi9tX7M)+>=-@r^Sea8Of}y&L5@(Y8?j+A+Edv34|g~mH-GqUS~=; z&Yj-0jYVGkC%`s%&-E<^gZ>hk0Li?SiDRD5(qL2Tr6pbky8x7+b|Ml0$%FT-@-|*u zuH_kI)6wWoRDBtepl6+Q=0iyRF+-`^QB4s4Mb`;&VW4O0L&;O_=O5aPr~Zj zErqA|u@`aXwG#B?ebl|>4mSG1v0g1@rol_f?IhG`4<6`@B4N^@qTCLIx{1T&G#wVM znT=MU(8(+Yf{1N*p&VredUK13WY9NgahA~bOI!7|l*VORPv3c?EY)3(a~0w;I?9=y%Z6rAt@tvseR+k<(D(;4#A9sBGjE=DHhZ z%4}2`IHR|jje3mDKsYyFzf6Qj3SQyZAgfv1po(8P{J2^hGx@^q*|Rq^l}9-91dQ^zS41&p5Mac!Yc#0AIc|3i^aQ~LPM0Z!to`J8<9LG$wT_e8v53?M!3RfIk_~ z2Ju?QB^{qeryxTry2!mi&zY5gPM%&+uks32FbI^6H1m=j=)`GTmJX9M1J;Sz1&O0u zAG5Oqu#Y_!*RNe0(V{e|Sw;!bGdYT0i8KDKLlUy|{L)2~8~!k)m?5 zbiF}AdDkq;a+>A-caaB+kC-MHDIMH??DM(2VoW# zW`;exnHq<`f0-e$ZkPQ>()vkdA zHywC`DsA>Uk9+Rp701%*HaWV-kWD+~sE^UU4d&Xq0~wF{xF$h5`{F9cB#rLpGVlS| zPOTs5=@XNbOZsc;d;a7vKd;&}NDCvt|{9m-Qf~lkdBpbyTCoX^ptX4N}VvZg5Jzkl=ec-;xU%fD3(`L$L+k zx{DWlbrb@X527Qk!02HErqih4+GUU@%yZ~YAkGV7z5piYlxD9&3*M2PbAwb3YN-Q` zGJ!)p=#>MqUgZpZWY8KWXd`bNPvj=wb!T~b-5gh7aagH8Osqepp(m~qLz2|^63D9> zi6)_M-G#M7AotjcwCEfJRRVS@V5VHT1!hUs)TZCn6_U^ysAqw-J>PngSrzDI$FMR% zL)+}XXDy}7iZp#(XJmfp=&`&HUq{|M0TY$UX*vN>fWnNViAePo=||VOAN`8@7$|oW zFcVEtIem?-cuemOc+UD8Fwr}tJa6h}q&$4s;#!BlXMk9?U z^4x!57diC?wOQ=R`|eD@gAeRgRl`{};f({QJXNr5bdx~NYlN?@4A+)dhXwfEchAyr z;W8T_3E0|7)wb0c9O*1AFnzs$k(q84iT&&)1X9g`vN zo~q6x8y7>E@008tlrI24P-TmOP+yL*LGlzhaE+W({jQt4p1sUH_6Zm7;S}|-L#GYS zp)dVawIexIdnvnykG71hg=f3}!ke@Z>-tY!U!#ZH_%lHjdk_L7-$4{S4Z+1q%8?{p0+)sS$EcvhOB?K$P1q;a%H zW=9;#`2e+TbWIz_!KtMy{G{H5aw;rU(NA41(V4YGoXc)Yve5}MEqilLf>o0xV zpVO-0X`ohJ$PBFKHd_BosgnV`Ir)^OzA1!WgDYSw5OUT!$?|~kWd%nGdC*PPrLC{d zXU?`C5egew)Lo>bE(X6)g^Wi>ITDXP;jCN^j*vnlt5qg>R9GO90bXzFf9 z&Xf*|yxXS~3@`pi^%9WsR8Ly4sE&~^e2}$9=a5%kb(Y|+qr_=~+eh#6=`v+G1YKkl z=RK3KusBWERIl^GAnotK!TX0-uf8x$5&UzH!c~1l%zRnLT(@H``0Dv7E0ih{`Obz~A7RJrU8ax_^BHr38Sye%XB#RTH32CMMI&@ zi%j5q>`8hIB=+{}o#WkWU?-s8Mpw@~^Nco(fzCgV(SMB7v>Hu&TQ5~(r&06uY7I|kTtCZc@T|u|bhsT)2VL+OatjVNHb()%hdakOYlMk#TnlSM=%e7Q#g?d9 zCkG|*3(f)LgIu>$|;|OIqHqn;L`~( zh$A1ZwnmjW2}jM=r}$cr&PXPnTW1_C>u?bwx`4DaL`vsIx!_1%a2&VJ$QKmo%d-l+Edwk=SN7im1T@Ry>DHj8X~zhQ`Svza}IZD+xfsehBXSEd6>n9)>~(- z+o*a|CaEFo?fbHSmpC0(_&p2xw`XL>{A>GAWsh33xVsx#q0T4 z<|myJU^gif)}X$81KGrvO<=60^)6Z+uOuT=Wsq)wXX@Mga=};X$&qT33QLUsVjt;c zhx){u4=qpU*D3^9ToQ7I8~Lkr0#2Xj>3|Wr{cK2}_l8yMSwFF|tmx$jX(I{`mFh*>Cc%!|z{ODbHW?gV$+ z9Qnd%D}9~YU_6=`giohiwlxmS(i6{er_%GJ0n&RNSnHA6R2}SW2%jvDv^0eB@rK%|&_Vg@ zNvskMi%do8A`Q&G@q7`WU93-%o#5)!En8WJC9YXWU}R1Y9Xd`N?wy+&cJbkV*v(5q z7I1P4oG((pMb<3sC$zMX= zMZ}-yd;yqU5Zq1h*+roC$@2x^7AWU+9Kl&=^p=oiH?T{5gqxEeN9l<(51e(~4c$F~ zqyF+kM)Si@84PqBE3i{nXt+-Rl;}}iPNTc7Q}6aXye;=_oF1)<@-9Hz>uhR6Cri|4 z#sKFX;6BX)uP)6~7I~>t^QMu14!!wN_S73W2o2PKJ@sE8NX)k%yqLv7D~A&k1{GgB z>V4K0v<)3FWWzg7lXD&OrHkj2ckuqh=_F>>C6EA^z@1FWesfNhx7@&Uo=YS!kRbyi zMJ{#QlV|gr*wNN(K8sUx!xCCp^g~{qd#v(#9t#zA#+RydpP1v$XNswOKhym~@bG+w z4QtbUwtNhb>2#M;W>EUV68c+0cZ+pg+U?Kq)@K*T`BrB6Jg{?qW_T)qpEcfv&F-G& zCwMWkeREs4e0EV5IE-NzpZu^9kFKGFUhRov>B4rOww#i#ACI@5tG=}Lksi4p$rQS9 zY8I*9-sY&;)JNahu!b$v)OPus9(cVsv3=xGS`MMDy>%yl#^{GEL<5zy=SE}dc z#ZG!t4YWw~rf@%?05pQK@U$~cUL(vp6o#yG^g8bs2TljNLeJmcu%B|O_H12KBIsi0 zDf0yU^1V()%@EA54?pze`_d!6_W(P7q4(7{OC)JE# z9LpJy4Cn?6{MGP)!G_Mlb!c70Ij&#b7#<~Z&QLx@6uh#*?|W`ZovJ`-rI1>>0Ro|6@ z3qAR}Z>I=QR~%ZSXYZZv&VYSC0^i4dFeGOzjvUbmEkMoPI%m)lJmp6xZ zQ;%inya4l60?vj?Avx8nT{>E?DQ;PnZl&ytYMctaNKij`-=X2u8?V8=*;bJVo$(i$ z=0m@Vg*HtBi!V%NYvZvH>Svy12^!RCc57}pvUX3A47fH@HqB+uJx(U19xhE^8P42G zd*c@b6PPC13oNgR6pHZMVA_7~<{QJk_g%#%yo(cXo;JC2+Uo#}dfqy@I2^=Axn&O4 zBjq-H`Gs892}k63feyZw2t*q(>DTt=xn0rC;P z+E;x8!oByUQ|>zVk+f{2q;qavGUJDBW&lEGr|1+}xyWmh_BDd};Y0Ti$BrEv4j(== zeExTTk8*4u+Ih{dsNm@Hw6`R#BXOhUjAA;K$f*skvOLl2q#Wr~*hy=t%f#%?trhP; zJI6a}U?-s8Nj-X7l8sPzrX$fHHMc&h?xv^V_C}#$W}^s&Ix*6 zduK95_P_&2hf9|(4?q3k4-a4a@>gk;2;m&CDT}E#WIxJNod%1Nha3=06+jq zL_t&!ANd#~BA7k%H*3SWi!;NIe;k?_ZYmUQo}lXp^5t)>5C7`3>%)oT!|!pL0sqAxuMN+9X=C{0KUf$JKa5@l>FwTo0NgCczxm?EaQgMF;p0Eg zFFx&!QVLFW0plj1mCIYh=YC^#*n1!HeqxTd=n)*B-yHtm&ut9X7JR)cGQV>ee)ebW zcn!mMpV=Dz*WX?n77h?rktNgc+($*I5xPNXYB<5v!ax2mX86fgIsvCQhyUaMTpJ!g zIyHRqQwzfaQv!1=TmI=EtqyDKTszCx#M z|IBdJjb$1nc(GT`voTE7V0VtNrm!K`($AefIUGLnz~CtT%&FIz9(DesJN05;GPH9Q zkW|(yn_H4Fez-xlg{4JC*>ob;n6A#|HVW6L)`yoDsPLPlA`h{~NPC~VK<rYp>8Tt0hX1XD6{+3VDhw&BVb6~8vdy5&rL`9Dtj2HGS>KgXkM&gy#$ zCzIgu57=f?R*KCtO~R**hkh~fy7KBimA?sA^lh+py4`#S7Jb0c@eHu~AAMEi22NO0 z(ZX-wZ!TZHI-Gd$_;CFAvEk{bpB`R%`K9b=*M8DD#BM!z&Ae#4?8j^nZ8`LiQ#ez{ z@o2Kst{>I*^EliD?4&F^FP4eA-tyN@Kz|dJX|PEgJhzcJBKKUQ>^;yl2t5Q1#4@Mc zO&V}FW_P^Xe)4YR7`%f$!PBj zpI;rm`|8&4;U}kugYP8j?`A}FmX}UY{&T;?#5+fW>SKGShj%}{IeeF)`y!*_cfF6X z(}RR2My4C|SAO#67lxTbIt%3Jfm+7}?g;|dgP&U)o_PQ4u=s9daS*49s@%&j}y}9Aohncn%pAm7KFNZjyHVJp%K1QlPF+1%3A?Se{TEdv5PntcyIXrg% z^zhVwPS8I@eZf6`&-C!#uWt-reia>E-(qHj0Q(TaFp7Vbddn`)=ff24P0zgUl6(gC z!xo*Lr+#{7*!vh4us-*~=J3$s%<##7NB}!Zg^=Z&bV|PPrRm`(eq?$$K%i!-WVn20 zeK>oPnT^A4%woobx)R@p_dGT|ocLh~(b<@fURot!zJ*M#M;{_M9OJ(KNB_<2aO5dq z)d9NM|79QBqf>>Xb~u2}j(10ECY`Ky8oR*eJomTWud&-EzH;?}{Y#7({drBM`PoJO+DSqyOA^!Rp#>|r-rMRdOV3#_ z+K-u}qAvg?${3!OHOa_#!Xx<{TO4VKMI%~4WgSJjP=X}5wqaxn#bP!F)Q)dS#oLZj z+8}DKb}69J`)y!!@uyNrF=j7bjnF9soqT<^Az>6>Q90)_&IOJ+I{5;0iPl@n+y$Hl45|!I)LOHtHstIz z5i?-QZ7f(x`Bn~q+$}Ptf>RUd)aV{)bFx8o9shOe&OQeZn~Hbncu6s zr*OpJ^YFH04jFRVkpGqT08MRsiMRxiX|1JBko+J=&pXsG_iu17%E?L!AiaQ=R{sO!ny)i!57ixbs!Kb6&{h8MXDpa}7ep0CERvsvV+mg>gHUYQ!hLJRJ5PWx9 zqS7TQd?l%Jbt-&O)xqi(&hwk{FB?TrWUU>Oza3 ztKDz!cdd)bm4mTGX`sfvHb{B?mq7`YRp0)DoO6=O`+Dv78IX%#!$f_{*wQzTPo@#{{=yo)|A8U4KQIrAgZ<6B(e~Ig(`A)KE;QQ0qV|p6! zgANC6NK2F%QlL2Lu`t5ZWxKHyunHJBKXqAL{lbqNatdg^L z3=lqn9B9#QWiHoAMepxCwfMRq8+U1DUAgg%G&AY`M;z!w+d4)2oV>zN_p~m*ns&&l z<@4lEk9#6Ka@Ym26!nesJ)Q^LBVz-y0+|05lPg;|+}RkZ(@G|yquM!EwEgV&Lw-S} zrx+TxpW`8`m|yQ(+d#h_C-O@+M;D1`E$$xI?e~W|oA1}2 z`TeOADLc{~r*{^qNzyKw)HH*yzDlVt6%AYqn3@kxZb1!`7?@}P-kn32$43y&w&>v9 zlFYZ!zcnl5aTC<>l5ez2g`0`S=5D$>+=1sRh&+!v-6`z`lPWyC-KMdqd`=}0xGuuH z!Hf1?-^C~qU*~o|8HOCFXy_tkLxUL`H zpS=vke4pms_CnWK2&pphdxC?&5=cz{J!f|0w!1xU2-alLrMTJ2>iEX2ffd);z){*Y@BPp zPn#osr4IY$v`VCD@Ig=AFICCAjHq0kuq&2}Ha59iDOcJy~E_ySIEG-fdDT;Ou92J|^ zx$e#V)Dv&Vnd$htFTHxQ+e`IRu4f89wSyQgV6k_-&02d>gzV7NWoFT@s0=HtJI@ks0O_)-|3`b-leJ5u*{M&RN5`2 zgRSUF9Fc#5u#)NMU`c-ieVIK!# z%2%cw-D35+2b#>st_YoU+m>+C5MP{BHoc#tu;f&SH}U56RI;*iM|&I)9enx>Ad5EB zZUDvhp5Qk;rj^Z4u;=-oarY~YbYWkpBKPU)0$@XD{l*}V<=RZVv=~u^uY}va%tqZG zQy*)JN9{WV+- z8YI#XI4c=T5HQN49&Ra+v%WK+1%i=MBy5w}AhdV7^(2&BhYh2sZ!pAg;+sb6qFCE7 zW*EB&AjbwmL7LJfHtI5H(uGKmGC4g=0A9?k(Ha7cbcmb0X9Vv?>Z^;bzzcUJe?zcu z1{CUEXV(d0JbW?~nk?W_B$?jqM-C2F=KwP+7q@O-MPB}{!tUjvh&WT>?z9Dm(0BO> zfL~g7X)7;itpMbrS|Uo{L|&tzyZSax>Si*>9G{UzqxHN~Nb<$r2}`&}lZ3nvg671E zuNb7#udsKsg)bSPJ?w`;#dO*!9?7`txr6Fuur%mFCLQI(V z+&}N8y$^Hnu4}M!717tBUFc8nmk;hOWNB_}_Lw-`7_dszO!V{w60?=X%P*Hh0O;nv z57uf_Ih7lFaNGD}vUz;EOipnCVumUsv>^Bz8{vj9JKa@!g?j{=@835P;}pnu{+O4` zZ}5X^N>9Syrbnn8Tef24F}h~<^G*)e85!BYIZx2Y*5U1%`EKLz1hzzNCGzZj^gVZp zGUPfV78{3C{&lNidz4kR`CrdR#h~y&YJO|3G^wPAh?!>{iMU)9R)Ln|Pp#PiqB-d% zk#TstDM|)AVQ#8myqttFS|1DR=k0~|4*KuGr-_O{-K4&6&AR>YTl7E$n*;O5+d)2dyp>l` zpKUeB2LH}<`H+|eH_}bC(voM^nA|DhY!P%vt!j@cBMPgMij`w`{^+r_?+>t1{pIn; z-|^$DoeSR_+PJY%Cn2xayDSzh7}0$^D5IGIUuJ1(xkukkO&~&5bYkuTIQItfsaQem zy4CdN+mSkC1#u}XHxp%SL+7vHtYCP?h`DY%+b`>euehxKpoZM%%CY$*w>f=_ypDc- zxEJccH>dS4>;% zZoj<<&SRbkCBl2m+irxXfubnYXGe-8xlda|;Gxiy-HBAK@W-5gi2(#1eQhu@vi@0| zD`R4wNfIIKC}wLFIIc9*W8~sj{m0E=uV$skxf3kuCMgyVrtPi%WdBgOu1M@b%*-1- z6S2|b*CEyiyywgv9L8wg1pGA!nm(%UKCkQ*ITh;>wAjI4lNV^zOg`nIY znTB-WZm=yt<6L5;5RqRpl;82?(da6V3<+KQk3@Ui`lIpRwaWvlDLc$D%vqi+np^BwvV&*I4}}XmP=cy%_T;`L>RJK3%;e3^j&| z%E0T&6I@I8%F~vzciG&gs zwpDkCeq$nw@5)9xoLQ<=msJCmdrzVqBN8kGPUCH-P9Zx*E<;hKzIV=o9}1Srx(~*$ zvu}<_OFujxIf%vK5+Ajpyk(}N75ZJYEP{BX%RZXlY+^1@oI55(4V|fCQ-0keiaCc1 zLBjGSNP9=b$4K!FgOcwP1$?@l1-c=rd6l&$?M1Y(spSoB?S=Eq?3!fGFLw7ohKfEn z`ckCZIejB{>rrvBox!gA?ud$jfsyAPN*TYXPpdnPkxZ`ht3uliRvPV1Po|) zrZ&fa2f*2|YWu~!C5Um|MauhwDHp{ams$E#{d|o*fYW$!>B!$Ci1JK3^!Mb7!e7~; zkRTr+JXDHJf&;#l5w|}wSC<8e^|A{BPXaAdvhxhO`>n7|#eUt`NEb{4&txYv9PCb< z_4VC*IS>^jw@AZtk_U149KCjwO61kDpL(k0S2sEm0oWKRr-U!xym zZ!Hn9GXxxX3DrMaw0rG(+T_}lTO<^QEFqPD%4xcaCQ);nMmscKdFw|O0<#M>M4C`U1@$O zI3Uf4)G9+G-JJ6e@M*e6{>ZH|2dKK4vBBS9J$)H9l}$6vBgS>l*VjhW#9xW%d;dWW z^h~M%cLX~%l7ZG?OsP{vbE9{pFi;@YQa$S#d{s(c9-DO^5o*kpz`9>dFDrYfPJFi& z%AoW!ak<`)eJd4tTyX_15!i*h`=FQr! z21|JdPCI|q5_>-9p+|oZ_s%@&q|Zy89deK?(QcTc7CxPH>f)L;_!nKc<|PP+=uLG< zMq)islxXR~L}V6yvhGe!Zy_{SbWR$0+&=x03?3{}`Pm-)d(kdv64B-W0HZ?~Yi7_(w$hdeHYoyfBYd7U;Nxp}W zx#0KEefR7nKyjj4EYk+wc&MGma%WD!9x!~}MsfilQaw`5zUOF8r+4UlQ@HCSSCm}T z*RkEiF|SCm)vX4YTddYgm_7|=oqe)C{H_XOzr|mA{S`lb4+pRZGgflo*`%&$QVFK* z`5y`)DVh-*JS-i72Zoc^y>P`ocK4A!HJmdzG=14VXAPtRB@T4NP7!gy`|nX?^_cI# zUWjt_sSG^h50Q#riB8B%`;B8KF%4ffqj&TDM|dT?gO!3Bj<1Mb7_##Vh)deE+h0&P z+;_k7bC1}E@4>p)i2d&T5pT1V3)EBy9fDO~Nh$I@0Rndk?gvsQ4#}>M_9BS+tT=Fy zSt$0w8Ya?RBUyk#l>Bh19sy(}qr)1McIeav25|ZfvvIQ*NlmSON~!r*`v%tttrXu8 zhJiJW`<3uQ*aum=nxnze)eb`9%nmb$glpA-ZiV?b`M!Gy`uK zi`>lFP%h0)L6n{~*C#;ArUiYaA<$gP+jIA^DhKeke7RZ6w>#Rt5N`9haI$f?l`Yx1OwNu-Wr+Hz9=?PxMREL{})t2cd_liv*-*| z9zJdq!CGQ+%~mHd`Dk5A+S0pVk{;bdd5i)!Jw_p2if>UCG`&s3K>UQcX6A5kuUf{9 zebycl*Z4`f>ad;6`PyPy#Q7kYd=DJaYX5`SUv^jNBqt zq;Ma$a;q_Md;_ePm(a)NZQwGoR7@I4oK}9Z!A_an!nmJfYx@uRe-JTH+kS3qy;HhCd%%B4zrPc8r^Psk0eaf~q}tj68_4 zqmeXSoRiDIAQ742KymK~-plY_^s)<<<5bNYCEB9>K~5F>7}V z-xG`|YSCCG`LnG1P)N0(4G=}GmzN@AmSunV$VN~b# z0X0t|dU|+6-ca-J)<$hp=4@-Xr{ABF_opSQmP9LocZzLOeI~dwKG7?!zzsyxnrFDE zE+&wCs@oHJmub2TVUEXL`(8;G^a2!;s!mx)1;&~qsgzCaKA^3y_qrU$@=R|;nqIz& zFqUr>kuXwF**gqcHk{UfSmAgwufguVQRsSbJ>$-WDLS}yZRsI;q-Wne^VD`V4y~)Z z`tZdC%^}}NuVBqiIxLocKIMsVGTDO;6@9F^5cVNdLUuR(tO(g@9dLb{Qx+^xwfA#io1g?eOLf&*2bxed1uNW62hrKhlp zVX<9_4+g)opB_*e2%^rj*Ze6(#32A{ST~fTl>_Nfa7oy{W5f>;pgP?VW^f_{i&%Sl zr{|o-EsW6}rH6XU{i~$^t>JcF3XGyQs|S4(4Nq% zfrbBz!;B}TZo9|T9(apkTg>O8!mx~DY9+Oes6;VVb{?fAvXgmxk2XZ>of}i>zGhFqzLaoe z3EkC9hfz#}KjS{m5_@xO8q{<<9T29~`h7o9T9*~h7~lvG$ltel z8zX)=8Ol@f*(2~w?|<~DdF+1h_Y*k-!zS&=C_b-J`$%s(dv8~#t`SB78}z2H(~V)4 zRJ45Gbv z<;_{K#YrBR-;%v+QVJW_9+U*!InrZ1SsCwS`voOb=c9l=z5lXb3dIU%$@w_=$Nn%E zPlxuw$|M>$1&z;ytHspkzd*d*a@~UWt`gT=LKE3RIrMy&U6)6cY2xa`)Yj&qP%0w9 zbklz#DyTzTTYDmv-#82@|K{+`j#C!*DFH{)@+J3T-K)M>6PWKGXH_*N0d(@S9?#g_ z{ihxIJ)9Z$NnL-Ke~_5EZgHVX?Vqfx3}maF5<%R+{1lS@5v)w+NwR8a%<#ku(6u?D zJevIj3hS1h29jpeA2}VfYKBid9HefQcEATuUUx)NuI_roj|Px2uJdkU+2U-jppV$O z8Q}pax}v5&4v}m&d*ffQo{~9Y@Z3MF z8yr3K8p~)035Ky{Q7V7dJ+@c6C(aRj`X$5%^QfkESl+w4+#HTiWvLt3x#{3&8?7|O zI7e~z&9}aM39-M6UQ(cH^IoC- zd26}9bT{}(7j>dqNtO+1M~loS*wxZ(hb={K8jGpy4?FOJyZ#JF+q5e8{~Mu|s_A^O z%BsMEIKLik56sx2rK8XM0hbLKMz5VE4Eh`dEde~e60SE^SASVA(jUwfZG>%;wv7Eo~xX`_QR?26#Ebnt91<)o$LbTKk~LiItDv zObIya+1*l{sF>nX-~ufRzvL=qTtWr>FE_x^HU1*BOo%?qzUP4YNXx$l`D!JB)?fP& zGECwiZ6#JzTMhF0b7N-)31XfXo-g?)zJ!y)#Avxq#Aa-D9tD?KE9E!CiWZAQF~O$b2$5Lz9H_=lj1O~j4hgpjL+6nNYom#oKL9J@{>YM z#~9gTH5SPKH4$d}N1b6BQzlKY@0E@4;e_? zN;ZUdw6yS$x4q7QyPxL$`N#oIzbWqng;lI-gkmbLux+Q>^&&uwBL0MC!Gwia4AnR+ zCA0z*VV>$y8@63^zpU>MJlR;Q+Jn9oFy+>w_$Q+s*A$Tyj$gs4Y-I5fv!F4#B7SUt z7*s+>i~5%QarwYq0PckKctR?yxn7EwJUZ&9!Gij5lB!q>q z?U{nR0oNP-QV>p7U-*mPdSd+`{*?a6hQD?I!2}9As4y+tfX=m!j75(6Zx`Z+XXVX) z-9JhCddKo&T0UiD73TERQzl(~FX^VX< zua0}~HXGe!!NAlf_n~dJnbX9{_Gk0mao1sZjP3YC0=+4&O!k4G_Y_uIA9QE_j0P() z&@>^(p1UDin`oQ{!$D-kjpXbypY0ScyH_1ceq5X{ow=qv?rWPJG3z_Xn-OkZ71eM( zmAFChyP(+EK#^X&Z3hWJ%AU|W3HdgS-$cFgIpeB%KoBad6f&ZRgY@Wa^XuR;Usd-Od< z`si)xPr~eN{BYvBwKMTo#*B)Yg3y;eLf+n6HDJ9#~~NlETeL(v^0g4OLf)-ASC1Ilmri_3Sd1#o zrlAvEm{96TyE6lEnRulohCjlsXCwX1g16-y39B%~p_sou*>rV5v@Yv^Ou_MCm?3un z3KMIFZ69&u&+UapU$z(>FA3}0l)Ky<)W>{Bd@F)n49H?^#7(6qQr9%Z<>720k-L~- z*_7(Qswk_k8|5;q$+m{X7yQtmK=`%WUj{w_ZK$)(Gy7W1j0L&>Tra}Bz5xx$gyhz8 zTqYLiF>4{5DxG9JzD1k}A=TrObIppKUR5e`sLBsL8Ous#M{{P`EDs$5Q9mpAES$Qz+?A=jHK)b3^b zmlT_~+Zq!Z`L~ENh=u2l+cev(qB|z?vB(*l4LV~(4WH%g$Ye`FmrWqCj1`p;`qLaaJbs?39MJ`KaUiVUP zxlGK{fTad|qcF?BoRLoT5@cmyMg&t6T;4UTJ1F{ZLyU)G<;S;}BFs!g-D+#wfXA4~G__vCoMQNTL_YfV;=M7#vXXzp*vzeJOk6s!5L<>)mkzNiYmN|wprj29Kf82}r zA5$lQ)T3k@FLGy7-hVOTSu6VFF(2y=F-I|zE7Stp zbkv?UZ$Ur3QmlYW?!e#&P6cibxi@Nn^+`*{%(CKP{H#deCs%}7Y9QGH4aOn5GTPyB zO>75Y;iY7SwF|QDL0vWdxGkbDX>*Y5Y7h_Gb(bdx7s9_pBjoi`Ej9Y}Fsh%8iGEY2 zL1xp=^aVG_$er+dzrl5yT;E5|YraQ|_up zl}=YEtUyjKLs1@P-RgsHqMK7-jA#W4VT%2?-;O)v47(-tvGI1{VB%IWn4iJ_ew=`# zKO~MJ1VIFv@tblU-vvh1|Cxu$&0lYo#Up47o!I`@2rl6m)z_S!5@tSkxo_clBOCm$ z?ng0qeXm7)-@x%`4UNx}P+kztY|M(P==pJ~bSYBtqpS-V}>TuQg z1hpnzRV7aBoz)hOoqM81-RG% zw}uy})=r`vZd9ccxsoUw53TGC++llXrOsP!=vDHjcYUAG5-(<#X@Hc7Niko7Qw;!^ zdfx1n9ekekgVxqnorj{1Rethe#Un$mK!>~kh11{P9@4}~=V;qtwPJQ*wvd&5B7g5G zGCnnXLbCJ+?OcR2>WcFhnXMWxzU*4t7oyXuO46*N!OmeXl0Wgm4}y z+_@jr0U&vapR^^Oa|fmKsWBucg3Zo4#GaERzh$jZ#Vgba-t~p!4@YUV&gILiFvQ@F z{p=h#i(!AyWvDYYHmn*g)_zi&5#-b|XL--#9Rhs!J%5{=W-t(Uc($w!-$E*q1+i34 zG;rTS`JP6SJQrRCVTK9TD~Thr6BghUUs5@n?ei4;0BJZLZlAh30hS(ixq^ ziPlHz3%C!xBU0`_Q$*k=)5NuEfO0yZ-tIuM`|_gjso~QeQKI+Jc`F$#`s&1z z5;T=KaAa(!t}ej(gs7ZP(uw_}UpY3ZAZ)8-0**=$kD}M4e)p!Q=5s1-Gpe4ltX`!k zqpmREdtmu0V3i5Act;2E3wvgbi!J8~B(@kpRyDIwrfDy#-ZB@T=%E&%{APDLgkfd% za`@-y3R^`%K8%Ffp=W;D1{~L+)+jkkH5<&|ZlH+~eDSY(e zNXw`4#4I#m&ZSD%<(TT^2Uxm}g8xcGetyI`8ybm;txpjz(&Da<6ux1GgO~7KTM*_k z&F~J?Tk7+IqXfhx2zAcfvbZjNM&;uAjw)4ns^M`yj_PXPQSEIa(lX{hm0$>d&iQRW zN4Vio6h#ls>vUUJZ94iUX=v-w$)-&L!Bmz{Q%3d#92`e+1#74jS+9k?A*&0&zq$ml zjr+nI>g;41ET6*Xq8`f7kQ4`LeZh31eMP2ROSF1HT?b5*Xs<-Fic zJ2`qK#8UCMGN~Nw0BpkxMxD)h3XSQcn+QdhM20HpO9Pq&MFyQOxrsRR4rW`~wrJ`S zx5`n*6uLAkyAQ$s5C(tz$fxY>mr46qFpfW5roL}NSW7CsNHpGKZ&%~k&tM`J@X};D zR?f*MJH^?qlZxvzO1_LnXk*pW11Y`r&M;Uzj1{r@Y7O`4CM*$)owR#slk9tAy#T&v zO2LjM{f?)8OLW*j2oun#b!xGIs>^9X!eLf~tYmS#`rIj?dVPo_0#PYo-ytM9hHGf{ z+xN0#Z_0;2%i0AdiHHIoAp=MVt>MGhW${v3CHh#CG#~@##fCT=d2%(EMVeN9qY>#U z2FF_*$d1uPN+o@c;_WhhhOd})D(uNAI>=#6k|yv=P$|a+Rg-wB>fr|k#<&=|DuY?u zdB>CD3#H&BxRP7jFK*4X*W}J%fnGQ3R<@FIM&^&V5FX(Sv9A@MMf6DXf-3M+36EKw14=e}b?2O|QUR&YM@EiD8gT>-6CT z2A_x;S03~;kux9fl3~b9kTOTjl*y>2_El((%kI1oDpyhtH*areQiq&UD@*Hr83M+Vm1acCd8t5nm_r1bxE?VTUiN?}5YXr}wty zSbjE~_R$5*-0B^S))_IwJk;~4HF~hQ!^82{MSsYsis)VXw2xT^kux!-Z zOYJR2p}6Pr-dRL6%ufc)Q@}I8nxD-cM%`>c`sCT6Qz6rk#fqoCIZ9Hj80x9A-CYM4 zdVnuKM{CTQ_qeag@nnjh^uPEJj@`+LIyi)7i$tYO2kgak>`LIv`%b4H`5#GSK9TRc zblTk%87F9VjmV~_E8*m13<)STjZq#(=Hk8gfI#&iTZph9pdt3dzT=i5PNiJDV(@~T zCK_qaEt4*yx61p%16A6%Hvc4@l7*6~d6IxP@{TzZJi5Gl-Y4;Z57dVe*q3E8+}Xvk z8(aQD5)i2^gJFSJm*Ri%bsc}lsZb*%8-u2dI4?+75@gpPjHIVCINEF~|G>rA6e>dJ zu>3irUkZc8$DSOz@-oPOPvzEKcnllZH!vU+SC$NR8EWCCcRit6O6$v0*QX=D_e;*i z`PR%%aeP6sOp7T_iL(VBOU+`U#V?O-JOTAY^Fj+#@^Y3c2M0Mi%&#-N;;G7QFUjLZ zDZV_>CCjvrQq$TB;nIM$8P~XXrC*3BOH!0hACJ7G!olC0MB7l<>OIL(E!CHE^0rS9jgZ!q*x4u{bxDdq5~+ye0P%C_#GShv|VM z;fojEf=Zk7SJk_#)Oe}I)d0XF22djFJkxhW^2si6=v(;-w%DJ=5ZZG$nai$?UO+MH zhp5m0>hOLZdm}lJW(ok(!NmoNl7qwexB2LPPwmm#4@l&)?P!@ExFGsi@Ex%_dgY5@#kqt+f@eO~L8u#942_~3JTkw<4o&Eb#qks1_^X?r6!V4ggt6v&$8ZwpA z7nXZJhr$_@B!Iw|6JK_!>lBy!ja0V2Qg_i+N+D~Z@dSzSABi9%?yynSk6pGJO7_Cu z&gI0u1(t3E(zIFaD>N$0pDM^AUFJ!FY+3#ndJ#*_Cn{g9bnkuP$}yANx)Y4^XyEus zLh+kU1aP0*=JRUDiY(~_K0u{wDQI-}Gb>RteYi=f&dhit^pNtSAb;llC;<7Z?~oJi z6h6*5B)-SfZ4J+KFin_C`h$mb887u~eeRCtYiIGVRk;(2j-+5RtC@P=3N6#|=bTzv zAs07#Mf3@`1=%vxthvCvm9x6bPL*#eIg1vK*dEetO{Su}#=!OMLVIdMJv~{6l&3qrXK6U7z3|^YA>3N124>E_4z)6;plD_GX z6V~g%*^WoS)y={?X!q~ewva4y{w02uD+{1C>tJ`EL3rvNXbn2X@e1L{Ei|CRb)wl{ zFc*7VJyG$0m|ql9zt47ACS@FNvj$TsibtQn+Jo%A>@)5Q#DLCq8| zE<#&N(TR}83HkvhB=oAM@w%z}f=(&yfs2fTceT^|tAp?)pQuh};K6A&gK>~K$ij4f z(OZ$Mm_6Tkf)_S0GLP3+Nd@F;X z@W!!_C&c7(BE4bX{c`iM-f!nLq>XsHsfvS(M<5T)ymxKci1)W_;Wx%p?aNf!4`r;0 z&2#m1@2hX~b34CUJ=)V*L`sP;ldKnzK0ZEfzG{qhPw^Tq8hv~>jbCEzRR}z{5p@#D zU2d?l`U4AHTet6m4&Cp^iV14eq*~W`P0S}AK}izqz%@lOViWCjO;d&qYalU9CX%wV zz$3S;#jx7q3#f&bJAma}PfOiM5q3E9p6I)8?zJqowjaon;H5rs!^{*j@8s_EPxx>F0GrmAukL zdG~E+5J?ft4EuH^@h2(&xQty~v3RfJKRPdvHCdUv`WJ!y&c&iy*0U#t-h@ncVS|&q%SZx-<&W|7h%3q2aiy&hS#ap8lwT` z(=m*)A2Sp~F6^8VJTZ%mLYAxKxGU)#>T3TmHk^8zGW zi6o34l6f6@7kp#%;IB>%qw+i$0ac+kMnrR2*}uL#PrA%4=^j;?^6`{M5G%eW_i!D& zGJor{eD|ZF1Y%@=wdu~_F6>}o;&oTOZm(|Jnxbspk>5+fY`K2VBvH{EF)}#ULH3E3 z%H)`r*R~ba3~4g7+N~OMleg|{Et$8%_6&>r<{u!xrDg&0@|A4eyGuvCaD1>T%%1M- zSL@SU;PazFX4*a96)@MF35&nGJerr_)8FxT$z*4k{CBHAOutOdxd{$F{(OK8d)+<| z@QFvbg4M&i;!YjuycIC@NKIbHGNhae4#ZjLa#N81Ge=y#kTcGli&Hql0(04 zq8Iw*U#%pwi22{o)X}P}%O;mESlpw%I@mr!n#K`qp{?vxw%5oYzo*2+#Lr*5Hu$%F z@4yp{={PRdL(jLt99D4`8nJdHs?MnyZ5zbQORGwg$I(@bp8CR?VU^_DAiUGPxb{o4 zWl-gC9ab7xi|($a=2OJP!f{d5?z0us;a zJ+>m*5An%Vvioy^Mrul3th@Ugm2TmR$5X>^ZQy`8oXyWAqP)Fd`%)$rb4u_`fPTT- z-ApKt|7x1TJeLLRH!+VQiqfEWtvR{Auh-LJo>P3-T-RXYi^uD(afDY!KUbJXCf_}^ zx;yWlLaLvSqSj6fiyg)HtJ`W5;m@UKJ2_CyMr?XMZ4Rw7JnKfQF?) zhz;2pQ{~x@i2djet9>m^;+DTXU0NKOH3hSSHQ3|=;M9u>XxsgfDmOnSJ{Qf!B)P9u;AYh9U{#4poJ>a&Nm=+8|^S;zftMXiA}BLvldQhup=BC z;)$G;ga%u(yjJ93Yc7x7L#R%p+tEs0zxs#2ui7bqmZ}TJb5|CGpE(XJKWjls?|u}E z^6{DR*YPXV5^)$PR>W>xT5xqKOl!6%HJ(Z=&NZ`)7(fjc8TYn6XznhiEM$2uVx+{WkW|&u0)}G#k zWS%VGez~!;^pc;i!CJ?i9)UyuSGQ>xzwYAHbh|>APTfoDyS&iJpxyMh$|Y&HCAG|-%8eXU;k#oBk(gBrB}QRS4nv% zwpV&JfQdiMwtHr2`g6L8!v$8OGgiw43)o-zT`XR`7u`KjBVB4Vt_0)#*p$e#CXo*} zt}6`|k6T^4+bK)!FpzPju(FhN&00QqId9KpB(Z7hyfyE7sTuqOkT_{ZHa~A1t^O91f4E?SufR^Ez!issNBY0x j|L)-b&pWs`M1DcBTk;NtK literal 0 HcmV?d00001 diff --git a/resources/profiles/Kingroon/Kingroon KP3S V1_cover.png b/resources/profiles/Kingroon/Kingroon KP3S V1_cover.png new file mode 100644 index 0000000000000000000000000000000000000000..d6a50e207b9abcd034bee7234af3a4b19b096126 GIT binary patch literal 126962 zcmdqJgL_@w);=7yvE69LNnF62h7#V4RC1~tjtsHb+Xsqms|Ec6Z^#~c->)V;yIG9>n0Y2*0)w6bV z;3gvaXz0JkKmBwtHTqvmR`&l63phZ!k6-8*XzA(xTQ~4gu8+GMvUaA1z?MJi=V9Rb zTk`+8_isB~bRUiXpU(U<(!Y0sL*;?tqWkZ(@xWkfZ9;;8@PUX6@hiH3o_Iq0;3_rT zRTeg-9xg7B#CvLsgF!&W2w{BU*AP?uuHjqEb%}}GR1C3jj|Q5GQ4{et&pa*n0dvQCXICmMX4zkOiHpAnvTR+IqjDu6;Y_JlV3JMFn9U0Ycmj zMGyA>=abD0QBG#P^8o7rRJ$O=k7}(-40QBT_q!9lyhwls0cMJKqzE(!W<(x!%W6an3rNJ2;u@*va~E%YSyDwmF9@mH!AtCHYFFT&1{BrHLag zwk-&3N(W*l3Ix?{iEs}_1PnBI%=w7OX{Eks10!aR@KU?WXw=Ih4A3+LdE*%6{UZNY|2H^mH|Bb>GOn6ew|OEd>xT+r8u`pFmgob zTkf=Y-zR9lU(1v_Lf~jOhQRXOIOGRx?j~lzsC*@+*MMT%aqTbWZDT|^(L{v_ z%){`79oMs$#*z~h`h~1#Rayh-&u_}H;3#dj7ABC^_*-vgW4J;FLfSx@@jx&WbY%bj zIdJe8nZe|d5fPnf9BQN`WTRv8t;L+c!v=9+js;(Vph_Ebp%*Gb3nFDo^t_ID@l2y^ zR{L?}=;Y|=G?=d}5U@`1pxjFq%8rI09+)o19-&WUr0EQuEZH=Ez))(7%0DY&Pe-ZcRFk^@(;tIb>6ovCQvam5I7p*v+W3$eH_iN1{z9x)Zt))DLH^YZ8$B;q1 z?Ur(xmSy)df>HAO)L)N`jQk0JCSCBg<^_x7fMaw*e&pDx6euT~A+5}SJH(F`HEE@N zdh*L_X%U~Bn+qw+7ZrANY$&O$M30P&%&V(I?IZYnX+CtGl*Zn^QCL*freR0j(bR-_ zB}Iuy=6=LwQj$HeMLw3sdVcHaeuqm$gXe2jqPB+hS7Tto#QB+L+Y^*MSgW0(*(W9+!RJX>m54={zh-e}P26<${82L`i9rj;Yz|$6`fha;=F^ zlEy){v$p0tS*%m9Z)orhu-Exfd}wY!Q+#PRl2{@&+mJFhZ@S{q+HU0t@G*qAZ2>gr*C8?>~cWoi?qbfSUYvb#)axb@m_zi1Ev=P{*+f zTUk{x*L2-2nakTRuxQ4$Fcrx>GBPsiR#g+%Cd=zkQfOR19rFz3A3=)AR0Kx<1uYk6 zDEizk&X?vJ=s><8behj|hkkW9mO_m;v4c}ZraX^Y)U5)0c3)77?HOw%nc8;L!|k6Z zLqaSc1A^TE0|IO#7RDO;cH!DlIK7VBt71>v)32tYS>Y!z$T6 z!A$&8EWgx@BvmYPuZe(LO24NjrLqJ@BS z76RSe>n4c$++nHKI4}@8Hf(D7?h9@^>)Ng<^uR_qbIu#0od|*0+6bN9{zspPlUx*+ z$3x`?AVtmIFSo-+Z?9b$yYFlc89_WZ3Cr!XM<7X;ND>G?l+%_;sn{qFLn_TkM0(*%IohyK;}0 zk@YEqPe{db=j)pW20k+wjwre`1mhNSG9pk|MHjQqX1}ub`BeMuyJst5+=2f)I#jR< z_5x@X49*HDvAmb77s;*JM8E73 zlC$dBup=PCXAcaT<})&5W*V?`XIWvPu}`Q~2xIVl8xwVQtOo+i(Fxo5IUQx~s47?i z+M6B(P(uL?P(OpR)VNfah5&p*rau%F4}y@rc)@yhh?mk0%(l#lwg5#{4f==N)11EtQ+CMKe0 zi={KkU|^ZZawpsZybEQ5(1WVFkUjc7=!Q=MNk>2yI)Zvfh)?Heu2e-x*b+Q-PapA! zbeYYQSWIdP=2l`*o=TR)ZYP)dsd?kVD8ANFa!7Q0|IQm5JPWwy7omUJep^M1Lkf!+ z6@?IekCcA1gWP8WH>egR3Kemer1t(x@iAsVAXbQ^7{w8X*nk!#$r_s9aI~nW2yd8X zfwLpeLQdUYIldK_b;(eJK#*h1URfsnX+I(l_t4IjmX1J_T>3*Z$s|>eZcW5;D-y`f zSiUzz-2quz9;#0lM1bHX8Y?`ZD#6A8J7iyXPpyhrnI2=lJE4s$@T(*Ziy9YRDo#wM=}BhL}AP0gRJ4f4Rw2)CZdT6v_S*P~66q{8@2+iy17*9vKjwuOEDg zZDhemh<1?T&M&dP2x=M}qw#CJQgMx4e4-nbpdm;#iO7_?`5{fRu(T8F83tAJikSiT zL9oE3?FZ_8G1hksRw5|2F=;aA=Re}L^@eILfw&7p_Nz0ku?S$~r%RUc-0YL=U)Yh| z-feknW>;_HxlIqsGz=r>Jk<18iQH1d5l+Wpz>hO7v;Gd;0WiheK#n(~N=8f{0fm&B zUXXjwR9cbwL(^V=_3GCzftK&E$PL0H_1|HWgc8?IFj8k(h@9A!;19*!(^|=jt5pvZ zlJf@S=2|F@atalOcVxI|rOz6*qC6^c5x0SOtp_1O1=RBV+u`hjd-&ItECZ`gA-T&5 zHS_#^{r#kNVc4oS%hu zV+50)vv<^45)1=n{lFUa&ipyH#x#P z-`L~dq;|4iYWA|#P3IjcL;7Mnr62Xfh9)QL^jp-GY2Y>I@drWPZsi5FhduBI0}wwZ z{Psha+@w^uh5!I@RPCf7EAzn_kSP5$CLok56v@O&X2&I2nl2;6E~mL_fDDC;^~wX(Gfz{5g?FzXt`1(1|bS|T~O8$5WD_<;k^6~ z&9tS;eyxh%D?}>8l?@HQ84vTB_$FND2WICj04{?-h%prcs#fGi?Ex}B-wcK6nks#G zyol$+1>rRKEL$wQu>Y)MGKpqdt%zi{Oa?u_f!;Jmp0-+IBnP-+lt617eb~8{&*fE( z{@@6unWLj4k>4>pdrN_*B$GQ1hSy??eeuh8_OuC+D3=|C!7ooCF9^-@B06(~-CAe) zXR+BUtZ-KW=j=(${-_z42P+nSP|L zi=&c5ax5_mMdvfv&zyyBsPiu=lCiR48r@T~{{Wg8RAy#oLQ22o7|iD_Y>!NfLo3Fp zDMyb~hjxEcvuI1~()~lj{y-Z3OJC6-v1E(OG=i+m$0?@c@Z>0yevpM`jonF0N9wJ2zUsX^ z*wyIuKkwADF)q$x@qFGYWtVps1w(BWO6dAffXolXLDfv+K7ktQW(3$DMv8oMVEcv5 zASk1nPOnQOwI4V&U*4Z97%W7IyZrKIVaieb`_Isv3<>_PrNgA+_OGLc1`j(~^^UD; zD=Pp5C0wC2^$gcNY%B%3q`?{$v=uyI)wyuGmR{C}3~0|k-q0F^#Pm-<79sGQeA(&L z=lmHVSkhM}R9wI^TUb#c#h^a`H@&t-7KLAlVrgSV#Sg(=y+Ew!QXW6p%5o8j$52b- z^J}n?*jh;m9jZfhER$0?s#LO=ErvBReRPFFP|+&3RS9f+J$apnZyUqp77 zX3|9%LRZUq>{g*zCec8~aF}r7XUBTzy=lA~J4}3#wE}1A@#3RmUa$6tAuj`@tl3c7 zQG6$eAR?B zqN1URU%O<+n_#St$6XRDa@@gHuuRw^;nY7kUZ{44VgKYZ`IqZQKDZt`f!ZVhImX~H zWhGQPRE0*8bGk{oeQ4L@SS&#u&B%o@JAN^9uZr~>vjpPZmF;dGn${_^aAZMjFOKO$ zeXPZkwdK_qkMqnnX5dB_BP7Kdklp#dAa5v3f9WxtCid|u8;Y^A{Y45!R>xVx`sy5I z`K|F`5e7jJw(9#vYR&e5o|{@JiEG%g)wm?NUy+A{>^I-p+&b}=OVoXkM>!^0_3-T; z$dB3Q`I!A+8cBR;2&pfEkkXtIb(IwHEtza9L{5*Z-ZGffMv$QSY?aPo_SmiH`nwY> zZG68p7k|a-A$K^2${%J3&D7}IHC0`){_B4N1&6!2b`Dvfo3Z5{wQ?4Y-3cLxbe0po zV$j~_fHe7@e26G1xwSp6dmcepUEVO(h5Z=74*!Ufx@HP@{!jP;{KNVMNfeF(fXz@w zLE+4q#aFVNS!R-(9?VIlTA(&rG-{em)nuv`A#&jlEt7x~C`z63b*J{hY@s}S#1yc6 z6+i4231-##5Mmu^bwQ@BGzPKXdk6e|_|`PB)sA*td!!5wnqhT@1H!oXKG3ht7Z<`G zkq>BK)0Dokff@8rDvfrFxZyr{d#B`1dWJKZ@!!}p$H|ThV28}RekeL~Op zC*gLsMmrsa0elgneWx>n$b8ue&ug&jklKjMW0y>!?TZgCtQI zTYq+BhORyWCx^no)$Mqwz0noni>z)mnx(R3pZUpL=GQRdm@K)#u#n+(KMX;=nE9|E zf+OnC#lsM!p{9n5!s9%9_uI5_*OVSd_w@7)H6h$p z5>IU$7#~lG;&%}WTaHame-?8W9o!ihc#;+Ug&YPKt|3p-tU)-h`~rmvn~G>kd;eB6 zFo5XjR8JQ+@KdIoQZf7*5AM&w8KB4gLjVYX0&v)yL>dhN2K|LYWhp}F*ViNomWi$d z@O{s>*=(=OG>7-s$v1=3CG9SFcz3cnOS?S(fvRr%@i{V?jGJGX&TmH^#fKj;C0S;c z-@H;q9x=?H0*hUD$%Zu8Z|7!tuPd!r9lA2_lM)Hu`?fthxRU|orbp1!6Ee04S^ohm zvilp|(Kt~M&@J^+Np)>GwWIpxk_X%LG45n7H`4(n<&Lg})6r(w5jH#I$C+PLK|@1h zXxrqnPtYvS=GxC`h@7Wc?p|FYN)31gN87k#Qn`kKX}gn)mhmk{`{+Ef1Ml5c)~P#{ zPqB#{AY4JTz8fE`Dn= z%tB^my2|!rSj`F|e>DN~I6t_Cm{Mp;lNpK@a;7FfijUf?ewM|;NJd6R3_pd)M0I7n zAj&RcaEkQ%KLjHTIP8yKD^uYhrl*D)ay=00y5ddYHWJcQWSS=?m;%`{x3kMVcBAl=y$iMr`jxe8t&{~I7?HDd_#>A28WHcBm3w0cVHt|MiNu9 zU)CzelQuF)&G!q^slxVl8kjDl{-V$vaku_K>0kmW5Xs8EX3kIfdEMbj2s(pJsYnZJ z*);Yq59G+uRxKHMaI#)9|I8 z|0F^puD&&R>$9li@3Qan3sqgDR^Vueje_$p`bla{UyUkBZh2uOTLqzv95XPzTZ!UC zNpbCeMFzc%`cGv(AC#zB9224$a8;C^X(vTaH_Ds0 zUSHCQ8hqgFkGJK3B3Y^8!oa61&B%}#4Yx{;1>fjzPlMR@Um)tV_CR#@E!-(zY}4C1GQ z2C#h)#S06Gz{^fa{3jkH#{L22!3m$Dpuk3x)qgJuo!0x-8^j#tth;Imk_XBB;k)r? zw*FZsd=Qr#t2%;fAtEZou2B=FUe+pngsVaZs>5RdWRiM9`UBzQ#xxarVtP0zolkb+ z(^tzJe#y%^#mq5uVrh&w=@X#=kJm=yYkGTkp0VN&abtWESBRxGq$M3 z88OxPPsQx&kGsZ1{}Mz2k}p49HQI=g98emF`Cu3iw-GW?Q4xg?#NtPb*&j^A7-z{Ln#U4GiuVD4&viXu-Xoi3;DFyo#Ii@`&;*XO{3pn+inq#vAyB z;E%`{FgE?O4-F_PwON=|AS;BmDi8vd`skmIWy>ODfwchviST0;A>xHIk)YsG8b4>c zLD4xY)D>02Thy2#Z0=fd7&(x$PCx5ZuG13<-G-*_P`bBp#$0?j@iU=72Z3YSaFN*8 z2k!MNC1%6uD^fre`r%wG&0WUIMrEsOLPV6`qdsM@ z+Z$Yl1euy&wW5XT*Z$^=lSOlB#se;$O)bzW@v7xnlylQoDV@`rTG{+zGBmTwg^d(Z z-djCRr2crCAp}V`0VW@1@0yXdtK!C68t*_O;A<#W(orWvAH>_&%!R)3PiO}1!^9Dw zSDhOo&Vl)YBYS5KZqNC}t=)ISWRy~-Z2Hn*3`>?sTQa8Lnk|tt_0XEUlt@~T+Ie^n zdRQ#fRtFoB>0i4NXt5GEQ@cGN=U|=M;kQ=W#`og{okIjQETJjo`J?8lA|9d@_YG@f zG?seCND&G^V>r)+;})z8>J1>d1{2^^#R6wr#tLY2$e!(U9-Yag4OX@_iYKIaUbr2k ziRWrlhD%R61oWCPa~xQM!Im$k{>&#f7Y&RLQJZCyu86lX{-vbOvy_k!T?Gsse?-j6 zkg;yABpg3cMz{ZNrLfOBGi6|WU?elx%#MtRQyZbd6+RF@4ozh+cIpuhIc*ynb{ivl zVpnW?vJ#ApYn=IyxJZT?;ua}su}OLKKf+(YL{S#LhU(D}VGNfg{AtdGrIY=ZLHV&- z+&m542Gv&-sk6~ac?yE?dn5~f9jmy*p~TX(q`);ny*NkQ?S567Q-h-#*`l!;(mM z_x@$3@DFA(>#t)L(fNZM<7-y8J{d;jpUxZq)! zmg=JR2!_9hd>-)+`Bv!z8H|7Xg#hunqkTpWdei^{n0bpFXp2`ei)p;(jJ~dr&_57l zh8a8EiPUcRyj(d;2)oGcn3*J7hydZK8p0~8H)^J zXonVl1tV9@?H0+`(8LyFxE0*-MCDgKOWSx{ob5?W%Z@qQ((hw8`NN-8vkxuOyNZ9T zAj}WG#kGG3lf#F?$~dUri2(pC4&hRyw*ve4?E@`kdZn{$w*!duYus#faR4S=L8psG z`K%ZcL~t2DrD{hqL-oF{o|cIZ`&0))J{pK>M+}Cc#33LUlKu)Abv-u-JW2^Yx!Tgn zqlBhZ-#KHM-w5U2q${+~hxptg3dHo1Tu<~1Yibz81s5EZxrld@$k}}SvJ$Gb843Q$ zrf~puS0R{Gk^>p38;fI_Jk~TLz!bRw)P7p2_h&6hW9pDIA5SYBkJFI$UXfqI)Y6dz zky$d86#t>Y__udr%uL2y$&H7P$m2{HuzPBohMU0DY7%b)l+q82>&o4XETPUK@h==D z?1Zf7J#Ghg>wRvNzMYCO%!cu)hF%{1dJ?9lT;W_cEgC<*xf&&RBRE(sbP%?HWdGAY zfsg({k%fP8g)l*9skI?zYG7_5M{Wg$$K#T$FlSkpWnlk zWXO#naTqc3tndTexL~J7e*|xUlmhu-;`1dMMv;I)@7boSZ5{@FCXJ;VXrqLPxFuM~ zK=9!}d-UrUk84<5LC`z5BTZikJRtnlR6AlV$rbl-KIR*J{~`O|ARdI{znQ3Bhyh~Q zf>vdJ#f`;7Y0eIft`6%i?u3Tx1L^VHn)}8)`1~1l8rsIuk#ra?aD~Kvs6F)4V+wGx zfHLs`FbImOdtyWz0S<`nhEgh`DC9_N z_+>Ez)&Z9(fsq&n;U)KJdljV>;~>mM{;XP}9;RDchS_N%_{UAj;c zCIk?d#ay90-tTV_{}tMq|HkSfx`A0o(($jfEDSePYJ@F{rKP3fL`rH$3C%y=k}Vsy zyAW%Z(j3y9B}UaseDaz#I%LWckl@@bQ?KUUel@pu)Jy7p{bxhN|FRvX5IL^oSJbLK z(w`u*QYcJH6zRKCMi-bOP^Y48FK z{tOEsre<5nIwY(|(>j>ryMZb7?o@qaWd#aYQDA6dAr0=BOfU+&v_kMhx)_#VQ{nfY zSel3=!%~bb%P55-_`9a&C>kG$Cf|CZZW&wCz~n$gUa+9u*et$=o!GT+I)==6RQZI9 z@(rgVD34zN?>&}{9V;{w$;sl!h@a#4bDupr1FRrSU*@1j1?W}CivR9siBW?Ha&awe z1WOu#f`bGzU#Lp_jTOX=PGiKLhYX3Di-~9gfy_ZVt;{Ps>vFFn5IpSho!mF#mcN58 zcNriAKmrhV(o8H(r=BLT=6v!P`HN>}KwD3iCX3oK0QtLyidcV>(qkB5CtcECi^tE)?tB8hwt!-pe7=FoJ!;#lI{-I=Nux4D7_&RGF8&_!Yf9n};4 z45}2E+*Xms_NPesPiJ|#dz{yCsAQ&^gQaVWU=My+0V?h(wH5hhE~wEg?XWW3){Dz7^E0!lq)K2$ARf2x3s)rUi3JQh|rOYcZXAakBfJT@%Q*^@n=Xft{cwf26GFiIKuha}-RL zADrqfDGnqk(14%?T!>iJ6IpOND{tOVzNY`h}Rj9V#Zs>e@B$ zE}~(ySG?<1g_=s_Yx{2wbI~W(6i!M4&8GGh%hUEQ2<96bJ-oX}vQZKR(63*JvNJQC z|LGglUvFU8kRhU5j8MmXR!2*`)6P^8!dE;BO%%4Yd(Uc?DNRCD(SV|uEh6{cxW1q0 znJ*p~zI9rmlv(34(MZA(=t^GrH*fTRtxD6rj#ro(W*`3o78=(uRr&+pEz5B_=b<#T zyIiR=JGe|ncI?A%gbE9g<_9v3E(>8yK=r;M-_rlDzE9VeBvvX!LaOa6C z?(9fP7Y<{Xc4IUeWmQL)30Ih_u61S`mehw|2fpwfz0LVNi94jdovXI;el$T?hcHG2 ztc~G=I{yZSfXV8A0z=&Za8_Y6oDykBFrKi7xQyg_Qz=`VKUZFK&aHZ=oGNY`SWnZw zpD0;t-+|%Tx!mU6By|JG9t=$DNjC`DEQLU=q@ChQ`}?z*TD(1qOD#qq!)o_AZeDdPGDDD;VPH5q~CS zH*K!4S|>4MU|JH=__6_w0ZipGB)$*v@upuhbV=MN_MMZ(V7>JuOHrhvB&jPZv^vxX zD?3|U5oQ)RccdZ<0}V~q*DnHGZ$s^(9l3nQ48IZCiSIdx3^M+H%6l=1j?dfTBfX;g z`Zdl{rOqgFmW&+nBTl*j0gT4ILU_`zR5*wDNO$TG>xmrmM&(aa#435@msmANAj&n6 z$l>~W>H8N~4hz^y41m5V@JomHDH!5=lt$&_8RnM{iOudEJQYc&GoQdAl~gE0QN3|# z+BY7V%{Cd1+PhkEkEb@RJ&i`7k4~g2{*aF|4-j;nHlcXw;jm;-66!l?OI#WJ~%NF z5Ek-rM5v4Nr%@6pj?9l)S@?`hqVW#Kd3S`&dcxCiuKmbR;tp7FYBWuTUkeMl6(NTv z&|+_vY0!yAu94J%q-6^;H#25JKv+7asKS8pzqR&T{xzF zxpU@G@R1SrQg%+>&mawNi2LPHbJ?IAP;^WLqe{X$noUaEtP|++)}Jh7snjsFYW3x7 z%#M4HD^*{*br(&e^(q--9pf(E?af`7d3B50$#R==``ZA{uk1`3zK6Vq2I-e0<#!xY zv$Es1mn&Ijug&m<`8MvXFB;3aFoxp<0~X9Ut#G~Ahnc^cAG9>7XZ{d@Ub7yq{)-G`-R_v;w7I@fC>x;tOm**>*m zBc5G;44XKjoPOBekR*j!K8+~}^0*&iTOz4wVweRpVWt*EhtPpwB-aPvh+G@Lcy30u zc{XfYdLI)g$yr5*hli)R@SFZLIxe%HbH2awUb%8#pLLw4hZE)6_@3E4mSp1LW$N|# zJ?ahI9O|v=M~A{mqkgX@44D?}p`)_uXC{HpGkWX!T_Bs%vp-@oL21`#})iY8qfi zzVh>sYN3K*p+aML&sD&mRYWHM34jW)j_7vB2Q>+Yff{H($P0)0^5sjFxv8a+1})}; zc%<+zT^1xbsij88V}Iaws*tJiBy_a*nGlgApNISn0g3_v-@`P&{xP+Nqj+^KSHs@5 zkr9OLaP60wm%XHc^^G)4*cxPaU#@W#Z9vXv|DNGCr&Eud%1WB2qw?n$8cRs8wA5Hz z8D(eZx%0^%kzzuome#CIR?AxW2dCW5dl83B6WsS1C#-j8j)rDtW81eP*VlFolQN;M znpG*}Sj=^Uku2d?*9m?vU~?pWndoZ9MpKXW}JTjQtCM;huHD=L;08XBsx(aDbAKOd?vbU#>H zcTyVBXkg*7n#xyzoMJN-QP0mW=>@?FmYP}&ogAK|fP@cVKi{1{|CyPUeV;Mrya{OXtmLc|0HKet)`L{OEz5LzQMlt2gyc$z&`z_tgsO^AiT7zvp#iiLa>< zw1{(n4|%jp_5yirZEY6F^yk*LHd-bkU0F8V&}lX<(-my&)L+S);l4vk)pYqpv&qv_ zI8f9A?GF*HPoM4gZcImNcSrlO@x3*6a_r_{*BnLl)5?;Jjj1~4zwMT+S9hlYrapsi zVTvv-^($p+=5a6yaz)*6709`vOMzz}!hR);h+fB!GLW9UX%TCya%k)OYI5a@eBFH> zr5Hg+ps?4k$RP&{|Lz|nw}!d+xO~(*OO_CQj{=g2AN_zUbxNAKI^Oim^%(x@1z$k- ztHpIoo|wpvk*U8Z4n^+d7N&ZVd?mzu8En>bFNHy_vP9*kz9|*BA1ffK(_k3o@`h_H0k)~@2GDucf%r_={pATD#4#zBn_JCm>j?PDsUQtHz83g~q3@jfD^_!6%|(gr3H37~{r@C#Qu@_7pO+ zu)x|;Tx>2wf-=t{R6aaDt}qyhLvCk(J$ypL!P$lu;Vn9;)mm@!yym%`etfJ6cs4N= zuPN(RgqLMuz)bvXUmFN(WH(oS`{`*8sI()sWnT)bTE9AJD<#sK9Vh0CmJ2x=Coiro z=I%VzI`KFbFxI^eAv;6i+n6~=Ki+H#nq6M)J{KpT8CrQ9OERkyl)wDpAHSLs~vM?)ON6D*DxGOVL}rXKW;pPp1?v zAu-mZ?af`}!Zi)dyVrGe(3Dpd8Lj=X)#q_Ms!-LousEaE2JX5w)ABa-)HgIFWuMYL z*fO$weR}>AEA!R|^pXFYVnQSaL&(*3+3a_Pk8}jw{1_*6VAMo)jeq1e`c)x?t&TzbuLJR?u*NygYykw{@pXH>;Y+0p{JVs!b<4XLEgopM52zGyw1 zcT&=>Q+aGB-)2RN{pwGUlA&mauCz_NQX>)#M(Z9hR%!$@^sD@)T&Jd{vhBeH86L}F zl*!Go*Sw}C(VpgZc})d<8P&!y6*gm#w>A z=fQ>cQr?PmgK#;%yZ=Gsjqt|Q_=<3Yn_prDms`+*LP1|kr(L~ED*G8CFLSMPq z>1Uh$(&Oj^GA-OD0lQ-E-VS;Q_M>aw?M3d%mlNa3tku9MQBf-`uVnY4V%Y85O6$&s zLe{RICGPVX3QMo->{z&%xng|>%dMW-a*7&cdu3Tr>|2|(4UKmQrh8-F=KiF2(n{)bR#1rdo(Z^=@Y2fSF&e|F(H~7x z@pKnu?meAxZ{?)5Fe&M}P+xzm#^kko6!mI1xZJ|r?L}%fWSiUU?Xv>^#VG>#Z#Z25 z5Cck+vFEp}VbxUn4yVSE0^xr|9||ex38KVt^rBphFB@{U3jX&@ioVroF%F3=he~W%ycfPB=&dPQk`BlAsJF4zH z^$N(tW4>#!5!?Al1IP#Ry{FSEp{ODd(}O`xsnGD$Xum&YU5%$}bN_Tc=c!)UCp{yh zVqvxpEGpS5_UV1~n7vB{1} zrZGes6DSLMy<845WqEBTLZd%B(OooaN~)==VKz22W&3r?Ppomb^<#EDe6kA*=f2nw ztT9y}D{ouooRfU@+Lnr_IZtQlW$A2IiMd|O;&zYl^8*7$JH^XO%~4RvWS)BBqpLbn zzc`GuEHs~WK3lOL`%Jig1Z16qK~SICdZQ(?0Z?oKZ_n%RUMo1(792mF*YVl%6qwn3 zOHBxoT%qiH?S;i{Lv31C^RA$9M+TzM5qWN$V=0OBmR?lze&+Bw_y>@6D|ld!9mwXa zV3@3{0{2LYb%dQYRQ=F!8ZIP)f%oVQr}L@jwsD&c2#xZCq46F`D9y{Q;ZHl$Wn|qO zORe1_A^^rK^~mJG)lc;j}5*`rl6nMh+7qzt5d zn^Lz<4OU;y)AaSR5|RP}NbP<^-9-CURQ9_;dS&VREW!ZNA6pcl!wbjfBYg%AvN?PI z4J>H$TTcTS*DP{rCF1s85d{qmI%y%+eNa&p`;p$Ld3pirik%eA^UVli7#{p>-qbF} zg&(FI(tSLAi!sYLm76N7yzz z!Qo_v{b|}G8=swpL9eIGbLQ;}xu+?IZb@2I*S#C;I=V;^Vyewkp2C)*ug1U2qG7$Q zoC@-`V#+}$e9qYI`)={0YaizNp9VU4>g<-C^ta9F#-VKfw5(^-8nX`h2B2BLX|M>gbg+n^ELZwmTol~fQs~{2*bwcjHb2p>d2JhR zj*bNFMIu!U`Md7t!A;nv1V{d?NSoS_65YPOi6!%j;q{xtvcZ_;y_yWufNv*)?f7NcyX5d8pTZjFUx7d z_2_x~YZo2c?VJL!)Y17R0W_<(5c1D89^xg4stjb8eW-4O3e;&G0y4_#&ZnoQ9B$)| ztE=+8%&t~J=ud7!(hB(@_20s?{X;sWrGf8gHkg!HBjH_`t*`thJ@XxGCD^;Y*S6_Y zsW&0SU4=uocNdm1Wv{oCb|6}F<0*=JeDx9v9gXQb3kt;#&xCGTrV-DA(h}{)Mo(*b znObp*;dsE!{v*zR0G=IpS}0>6GvQW%YvTRTtI7GT<8sNEw*4Yc0l4Gn%EZyK)!Ju@1%*PIcjysOIS&thm+K_0#|xdb8D^VX2-HKb=%pKb-M)YLW~sAt*_%HJ5a}8 z>>(Zy_p|l;*k$-2epG4XpDxz@2z+FfAX^uYFVb4Ygn4gmE59D$<+@8yU09|`qEjo_ z>6xYhlYR;0e(s|-3BksiT?3PDgWldi`$V>$A8MB}fozXg9^LRu3g7qc)Hh!_>4FgA zEABB#XdB-K+E?`OGBG;WFZoS802?Cfp)l{0)bpt+{gn4gS{0j-Miz5?FNdwZ(67R> zoS>T?3(~dcqa=($#%*^4IMu%ixSHST%6V-2muYBd_5pXE_**NY*Y0Zf(P5sW3QWV}LZ}GxBCvTJ_6hoo z9ZwD94p$Nx*BSg+LIcRruLuhz-(wiM(PkX&^{drP%6*DIP1syIW|3rIa; zq}qIcW*6Ie&tdU?sGsfIrBV*f%L9}9!Nb3UmIy<@HRs^Sj%tH4?9=3D<+VbFedA$_{e5)%DZ1IyT-?KrRM+1ya=b!yI9wcc)c zt<6QWL;E^p7>n6tWuJ)8MnNWAzD5+PI*jh zsAg1XZ@tX+rh$wz?rPjn##yk~vkHOhaHq*E8;!F>zsRCz;x*Y5A)+z5v_oXF-&ZYHpE z2;g|uq0Kam{vbW9o_p=L0^f2gOu9>MFz3De{qEd*O4m`JTmK}MsA6}gI)Et4``gjv z+3AvqsHGHYcnP}B&C43#_7k8D&8)9!!&c|2!x1g8NGz-xJbyYGfXz*Zxx^NdUX%_$ zH*k3NmMU{iy^ytDAqPu&mv_T-m^iwJ&K59M6M>hQy=mzP&dd~+x>L^j{Etf z4%XZGp5PnUo%n?dtCr`k5}x^dn5*XMNI6}nMZMwk?W?=<8@{1T4U4D1B0pDUljs}P zK>!8LH;bIaEg1>#;Cis3U!rKfpw;=vmaxhbP<_aN$_ySc`n$7AN|on@XRr790cir) zm(an!o7B2q!+znaRXn^A3AUQ?(kf){Yz~&@mdfAgW$b225j69|bCyuai!;;kX6RUS zboH5kLb@--ZS-&oddR6%jb%va=oT709>co4&+M~b zq3pgxa`2p%cl8~x+x_YwI@0Jlp5$q=yxIxf-r&UYyezz3x_a8sh{wD$NFP24y#-Nl_;CKW$8nScN}g_ zi^EA1|lr|&Mfn}28}-LEWy z#Wkxs_iT8^6{^`3b+xW~B+)8zwOA~dZn8DqPk(m>@uev-9$}K$ioH&Hzg=fQ;=9-^ zCzvYSaEwXbpDb0@Po|Scovag-n_I|9N)FC@UmTSet$6jqGk-qs4)49OL`P3N=XCj* z$A)|6d00D2YhKTpR8d-tXqS{B0I_3E6?mnBMto6)WK+)&Q+SWr)%<#oqvd+55dHdU zy>-0){Et$x6x5u`fGum#9($Tvy#Zd)wIhRd%KV&)!vDZ)+7dS{`L57P|`= zI<2*Mv|DHyP11hPm89)tvONIE?U-`)$?(aiO;-Hw={rb$aZp1&R;`&>NE<9SP(tic*Nl#%9#KEw4H zcPGbDvW#W(QD%ElWUjl+`~d(#Igc_(j`BX0;tWCdLUBb>G#G6gsaH2Ri8>2nW{r{)AlHeU3J&(V_x?1I9TqN$Pf0^Fz3x4qD&puEnelEd z0(W|&fEgOPJ*X-DXc5o(Dk9&xXdr`pp0_=abc(0VBQloVrL(nP-SXzHxM*e$nwhXL z3Wn{g2u#0ZnF*<`bwzfkv6wTvmFDT}aIUMrmae~@RYmeXFUpd;FnPvaCuJ9k=Ke75 z>3i#fdbuJcCVKL~x82KAxDhtaD&I|%dOU7tnoNIs;mv9_ygi!yl>7L2@)@fjRzavq zDB5vOAKUs=svvRj9a(e3zh7}j$<(Q7mSXj31K?#*7%N4YG($POHd|9vBDDk2hqP>_ ze$2fcLHb_3HI=L5#ox(eIATx-IsFVnmQ>#2+VcO=bPeorwoy80V>^v)r;XXhwr$&P zY}k(BmJ01i&&2%P3{Fah4Bc^|09Fz`i-YdYL^d3bu zqvzUUZDP{;_2-N$9F_A1MD7XP?Rb6V)}vYLgih2C_8J;^-Q;_t}bI~mBFXGpKs|VidUmfM)*a(iw8YCsT~4* z_3+toAo;hjSqt8eiprV_M=$T5{Fue}HmB%lm>I7he_z-yHz^+ft(kcaO47nG@RfVh z%Hglou2Xjfgq@sTqE$24ux8b+){-Qv)X|F)+rV5;P}7H=QNK{(d65e%P zRd2ugJ#Bq?07}xtGBXU<5D{Ook?_&j>S7-A^*N8=o5kwu5g6Edq_g?2vc7z-`=CvE z>o5ON$%i6wogPhPhL48ZW+P79Pm?gB0J*=&!O6}99Yr6hCl5HboD;PrqOt5rY_wCP zsO?HeohwKfQ)BjC&fEVnnGxOC!hEa!k?oAudH$QItD~)LXp({2K3h-GkP&!-hA1Or zDI0=4Ko8b3n{pfZs?fh6YfX!Xh? zuuLPD8M$$E)=v!`4Km8&B+cqd#@>u+HzA`AXvs&Z&CPaQGr_(Pi_1OsLX{(yS~1Mr z1=*{zt4+%^7x!I~@!g$93~6IYl9PHGuCuO_l5ie1t^?E70;d0b^Tp!&JO^89i;}tg z25EN%{!Q_7vas^;J=<-?{qk(kA9Af+`?f~ zSrQ0pxW?9<0VFjqzto6o@2#pnPjuL(_UGBh{?h|hKJv#U7|0nSG~!Mj)p>_f|W1W2`5Dp z+=-LpV7#!IW#H|4tAFzog_HxeZj!$N+rdetZEYGy#rqhx(_Yukyq^i(`kcyPB0j^> zbfrK?5TkpA`z?#;)~lp%bM}c5;!pqT35OZ)^>L5)%M#+59-p=bO-;um{M>{NqZ)s| zziod30VecgAWR1-8!G~6^Vl419cvKycyEx?ak&}74z;f4h2RRu;KrbKsLrO=wr#|F zmY@%}!gA2c63W*HQE7~)wW94cN>x9^Hr%+slTW8)D}!gthYC`b1o{{4CZ0&~SL*k! z%FC-$gP56x$bZsddXdb9EJKmUC@{{sLQiK=E~We1Q|9;W)0bda2RCVpNOqzrHja8Z zF{kR3WO0uFsnd{X;PK(WGbh703!XNeuAWw^b>7alI$UXjzrWORYZJWziTm>b_$3A}#$>0CsK4oIHLKjc&> zbWxCYDRgG-=(!m_+w1XrHF6lD5}dnO)BgGNRYb{*HiVCOg>j1}2r_CpkpOaVcMW5~N5YbBe7mYj) zMC@@LET`-)vEi%O*I_8@Jj*XqXKtik65GQH6$n-ExxYZiHg!eJrvNEe(ed*nw}dP{ z9l>LN($PMj+^=Dn%6+>ad>Nf6OzdRkANJCd6H`CWSYikQ*&v7OY0!378wA`%au_I+ zRgsThq~}?N;`=cN3lxG4(aMBdj+h90F1(XbISo+keJ81;16xU`upwZLZL37@n@e-u zZ}C7rNfAeEM)^!0o~4pu(Yd*88cLk}lSb*^TYmaI>#OTNcLF)S@934PGzzSB8-(Xy zSj-WyiM;97`&E&9fAGR{!O@Cez=CAEox|=ar*+$v^+h-wjsdJFg z!fsilVH3c;oYP#ROxer-iGtk{3VphQ1$}`#=&``AHSx?z;Gxx~$1$Mip)ga;kE5e? z^gXs=dXb4sv78!ar`_+1AJx)^8AAm?A;J97 z?tO+{Hy(+!|9C}U==xZss^rWyKgd$Vq$cHLDj{O<*|cbTF8+<*Shs~6q5iLs-hsAQ zbGQ&TsHPCa&gn;YCdv=rYDM|zf5C(61R78)41}4Onpg&0Hj|Dwg4{dK`WaHO5m*qx@Q3wqeGAp`ZTEXYfe*LA;_pGc=A~^6WnVs3SHAZ&l zs!JLMEFE`3Gw^Y0ZgmCJiBeXJTjv=?7FU2pI|4Ss2q))AoBD5}Qxb=D*hs;>jng0- za*p$^P_XpzIm`V|Xrj)~^3ohlpZjZ)LJ)ue1WO0}o{h0N+7K>Di2SyyDIag{86>s|cS3*};9$0COzjX)xKW@kUr&O>=P8%cAYiV5}{G zL6h+WthNOXixX={H$m>t?HgT?Nkh*}LLwZ8&49OjyZ~&*zaJ)HXfP~@FI+J$sx&It zV|xhtw(L$^i;<5h;sM#CprS(a{_#-)k)X%qEMM~l%BOH&qQ^xw28v_=b|BjSuKCBM zXIpn74mjMgWXWyla#h>jO^?9i#BqyVY_fD_#m`?qX=E4}NP8NjCa4 z{I>U$KCd%*9uw~HCdw#2X#oTh^VQRI!F8_7l;; zWn1A*{JZ|G?yufAB!}o|#De^0NllO1xXIb*W+kDMMR@7*rw<3ZgUF~}7L;AxLl*yk z2W}x?7IYZX5BZ^l>Fy)dUw0!nN~K{|+b#Xp+npkOo7Av>` zvA)kyxd7cQLE}%^teu!ON$S<2{KRIFA5XngB-aOY5!wvVw}~&w@Pof(KbSs^BPp+}Xf zFl?o0{ayai(P9c$_}h2ku{+v6eSkTF$7xw#n7)`Q82W{j=d605f5H&5?|q`4^+x+o zr@r^Lm48oi1d8L>cIaauU>gSs)IUNY4;2)lt207Uvm8!l^KV){_F`JrGcvmpkEg>c zmX_8NE_g)r|9Lw-7Kn)EbuBH;ZmK?f!t;C6j&@QU8Y6Z7%opa8{gxw(4{)Q?(QQuH z2k61QNZ_GzbyX1vj~Lt@WlgAck{JtP8B$oQo`xJmdZz^S=J3%`6l7q*&(1fuuT=kW zNnOK$r}-YBJ9Ow8-UW>;VFjHt0j==tgd^2c)!eLFD&pL!%k+2VKBD>2R@!3%tC%9# z-ufK#V6ye8*MOyYmdZ56Ir34QkpFuDh(5iK`&C$`2}QEZT> z`2X%8v2xzdUS+Q(_KS|44}h7jC$PBRBT|;7;^}IIsG=N|lu1nb>@*CESf^@!#}^ zU=Qu&^3c{dFdy?SGBE0tWOh%Ic9johD$KQy;R`rauv&SxncG^&R;lM#Us~ldpK&~~ z`bszVPtP z&P_6cq!u9|RtfKLj{!BHir()V0ZCzVxkT>TmQ4j0mt;%DYX&j_tH8&{m5!E%hw}T) z7hwdWwsS?>Nn`Pk;WYy!=xKLB44e`ygTMxOGgv#INkLbsh;g}%;cJvh!R!`Yh3@;` zG_6mMy6YpUV2dDw=@I3@@t^%LKf_J03>zTNV5AiW_Tt4p89h4!YZhen3__A_rD&ht zPxsXI+C)>pCViPPogbaw`Dc&iIl5mxpNFt>7C`3|UB-IGXg(-p3S`R!Ir3Oed$ zU}J`-{5+1c^*%<}zMg|}5(&zqM7LyAR0;rf5;!bmDcQhzxCp99rBr&ptL=_2H$Cpj z^YF0#`RG{y$UIj%wT8@_f^EGg_Gv$Q8(&~yrC`1~IMU`3oRC!x67BIwk)>KpV=sZ@ zBHbj0Ae9&hyIsFvKl0}qp4hsvLw`csVPl2yb%C33Wi5_VNux0JywmO~7jk%Ca97`& zN5kB^Ms}n050JtjOv&1l9eE9^FxKBXi4e2FADp35j&dxnFf`kE>Ci_#i|C!X&f%V6 zz_n_-m6P_Im4yW%)V)omCKr1H|U zo&#!j&;QDg88OXT`7+%1ByJ$|%LtTAJ*TL3JMR^9+Hbc7HYrL=gxKVwIo|5>Q+~YG zF>MUeN#N)`+p#cFsN*q=78nizVji*n-M#*y#wlQNNau)eO>A`O;4~pCPV-0h2uWj|!eYwWX+a z>plg}kLv%z%MBIPy07tk>zp=zvDgWBKkun^Gvs`2AV)9A`sDIk%oo+7B9UF^+Cu$B zoh*se7wL6%@8=j=*VN+OA0M&8K}Y%Y=J0AKI>x;#zW=YG`9{gD{|KuRM<3q4d%&~v ztjTMgC4vnugnlHLrEF}9tO`FgoW2K&ib+*YB>wxlT#$RWA?Ov~T5Q}Wl~T&Ep69pi z{)|LQPJCIudWw|E{1w6E0~8nppu9f3o&m6rv)%ad0T3TWvLYAUP>Jn7ZEPCFA{zY2 zR?{)ckJGa8-eX`sPgVfk-1W9wdePlrhOcLgbAh2{c}keWSW8 zx8=HV(X-L{auIG~G~VAN7SpOX%vm}*jBMlw&jGCb8`)1l|Io&3*WD}%_jw{ zuysmfL=E{3;SJG8lo_Y?9H8VT!+D9F^+ZG5@8`sZ2;4SFx<4QAzJpTz`jGwTv2yBr zkzlP-9gGo*XtNg5=nUhKI}^0mBz#5xM9b8eKLR#S`-6|&b9|3*vkl7!R-_Ybu=lV) z(@fOb^G-%VOO490{$sYr1=x3aYZ`XB4kdB2#kW;ZUasKUDl8Nf`_rd@2Ok4(S%5Ny zQHQbOjh~qNFTtK&EH61Ln|A?xN~#Xe`(D zlwqaqw&UY=@XzH;wc5x1!tA#GL$sD-H)I8n2D5%|9ue>&cInU{xArt2IinMf-Qh2x zlA#g`iwnmsj9_awJ=!dC`T_h{$tGK0a4!80FN@l;=@G&Nao@Y}VtcvMYIO%HHI*`sW;2g$L*X~Mv;&)~oF zez_m5#S(GKE8KQv_Wavwag%eEMJmZjPNC-O(zxcd6JBiA&Bw10Y;0A^FYgc$^6jQ( z6f$4Ev_)y9H4j%wmBOyBwkbfdO2^j6?`nQ6JGneXF&ZEL^IInP9K%@u#CSZYuAsbI z5#zvpFfGBF#cY^!ZW}@mIqjT{tzmLHM)o@aR3W#f_f@0D6aKF$IqDT%uL_X%s`y5B z4`igm%vcJb+GuwVJ0(KyU^JerP2dCg z^a0QX#)hGP1EEE#{ASC}?Ja$*+5PjD(nzk$lwF%*|8Tg&@ME=EIyyS;*teRH zkJW59n)k`XV(>qW-Q$#;*~i4KO)xe# zjj*QAm7GYQ*S>3i<&NVXo)Vf5vqo@W?~Nb?y9T|lp5S^hn?dS({U>S0JVt`xwc0R^_i@_1~QCu z=2#|C8jOz3y`u-CPRsrFj%>XQPa!03(x`Z-lYl37-Oc%+%T7SK^n7dEM_RRW)~ZXi zVvCu_lTChHM{lY^>sN0dRn6<38kSqjvW34hrYZ95rr^|t>x79Uo6tHsm5d_FHs&El zL?Iw#fP@Q6ws!t64QonAmp8*vMfiAOazd{KC4>u1m@p7`ZiF^4Sk+kvpI18?39LfN zVz>xy+DY@QlxJvxu53&3ZS@k(A z;K}UfS{q-7>*Zv`_YK`l9=8-pqy1i(yRj;>-`}J;6R>%DlMlAg-PS-Iy>7=^ss(Xq2oC9-Yv?<3@B; zRO9nY+TSn~=~rN5dcU7$addV)aLH zF7awm3?mYUp4JKLBnLL~pB=o@!(wBKaZ+DVz6`h@sF(*w61%-pz{DB&MW@^)26a4TXX%>$Pb!NZ0pDUnz8~?u}yCxj;x)*_$ z5LbqZtubA5L&mI+y=$jUE6tImIi8Bn&dyC^ zp#MA;a@|)Je7k|E3iY3@mX8M)TTCA{i_TAskXaZGlO{mS#&9Wb+xOoC8yqc)kvVc8 zq`j3Fi@X)FsNr4;ilwJJYi!rVK@nrc!QFfqkALfz$M^B)z++PL zCzFg-otDk6o#?I(XDdyy#EU{!+J+jf^1mF-&Rp_fAEHIj?l8DMca0t`R9 zpaRX}>U=RGLh|cs#;^N{#y`K5rRq#zCV`56x-mE znjV8~>%X%-P|JzeT~Nfho%KEu3KkEk5+j_I@GiuP^Hb+FXe4;{zKxMU55+>%O~RX} z7Z0lnm-iVBr6V>awQuc3H@+wG%6JX6ul=j4l^6~?6IHX&0P3TOn$4JNGrr9zf4Ga=z!#vNH+e3!&VQ^}qdD6)A7;1=uSW{1K`GVw-oaysmxIXLkaTZOAjU)zqkL zQg@z*IeNau+~)jp(=}e|gFB>i|2M7EN&U-q5@%)gR-ziDX*A-Hf13rz`G=iHd3NQ; zqEtygPaxg3jOjSP4r6y_=X0i&=H(mc{;;Gbh~+CmtDK?xnotBJH%QD5401Y_U(VhH zJDx9FH9}N;{?LlQ74M+DO)*;QjmJ@PWaAE5TU%q5M@ZkYP!GIajg{Q{L+L6>WyZN4 z=3IS?Vr=9d_Kyu3oou08%RqlEop zXOECjqV#imI0d+@mOP^Rf-4qrcCPNn&T>a2+I@ZJ5%YsU4Gf5F(l{XI`u0Pw(_5Pn z={54P6pcvyk!UJkFFzj=ufMOh^lgqUe&L0@Em5=vZZa%xVSaQ&2gz!cT64XLl3?={ zB|kPr#pM?bG~p#iLMrLNTq}o$D25RK8& zPm4%Eb1}qWm+}44xEIun-tx>R5TqXg799=>^}@#n|27-9QpY(gr%yQ*79>1;_LbXp z2UgoyHt)KH#J0d!PIWw+=#T3-jYLdM+}8`Grh_?z`L6T8A(pVa*S^b?SDzOK2SJ(; zL?KOlJlTto=!CR|-tN_Y^|5nY4Y1uIgzDSE%sf(^`4B$jewgw&%c|ghc)wGTBIk;( zxm<2O4}h+CTEEH@vwPbos!<$_=qawyff7LLWHp1&XuTYBGTY4*%;=hi#<$mRy`P_$ zJVEBVpRF|>Q-nlGS05)AxZRo?%UoEF12giy$uW&`i~5vxf5LBTqo`}IoZ9bIGd|U3fPuBO-d$6uE;Is_i=y9Rh>n{K#?0AiIfUImlebDw8 z&xxH5Uy;*N{za@`=Z8E)5Kmi)*HiNnotlb@dGT$IqME9W?PPQX5s_;;>rlnxf-H}X znf+4=$M0nxA6JVy{kTDM#rvDz5KjGR6Fz(4BLhR&Ut-VykeT3OdEf0%c6xG!LPtde zSDYkMFEva>{0wo}ol9Bdh{D0~{Kt4jIZ0Re*+0*MzN?w%gXv9``>>)d`4au3aZP&7XEl7HzOH!_-o zeIB|T%QKHgY@cfiwZq+FplVr$~FBAZPNoQK#uTdq#F zP)7hmob>0cn5A)=NSUgi+a{Li9^TkOSX94P@_W_5Zl_jN^f>K{1jg;*MqbCZ^4tFm zD)-FD*IP@bnZ>1%PnqR00yrmdQvkI~qc0kaZweAmN1`XL+N?d6a5WM6n|-YfPU1+G z20~(K&+D#qj};GF3`w%moMSwJIleq!Ax<}qO)F$3A^!;e#`kiV>wqN?No$u#bqV~K z?H&7@-nYeMTx&!L&Gnf(Ys<}aTr3G+2 zaRV*RKyxZ;Qy?1oM87({ z-UC%Y`JYo~%*ko0u2NaPR9qVMAwYChh;AHqjaGeM&c{`^xBHshkNZ;oyzeEkk!Zz4 zJI@83h*%V~#~iYYKMn2k5HD|Y^J;L02anz1KAW#1$22s z3{fDs6=d@(hD5e^^wfB2w=r>Va|`Xm#g7gBhaaW$}8QC^z8$ej%|CCW2Sq zKJzq|Nf$gb0*|YKxoh2B-w8W?F4kR^ynx^6({HT3B*b*Yi(f0HzCL!a%lcIe_Xxlq zrr1fr+j=+Ao|;y+f7!oeymVk`u0s{wdss|wXs+L~wrP+}orW^D9gHZMxL6ZMr7_5A zjy8WhZd|4Dcs%j>>Is-G+WFol@?iUX-chjw^t$o`RL(L28TLHJevfy%L(@wVyzHx< za;~;>%O0N^citb+*9*zzLMyp}7bK15-qx?-vmW`8#z*4LmKN^|g}6 zh$RKpkh54JJneekH8q=|Wq^O0+9{sJ1q9s=W=SLyk@1!ro*8Q7Q{gt*L)vKvAZsti z1B0WNr`+Q(-%womOpVAmN4Re98T3)@BPTx|R~)Kp3Qt9FDxNT)zs9viaA$Xfc5XJB z%1s3QIvzLm>b4DA_YB%D+Miwoa=%vmhD{&qP3UOx$YC+t-I(Y#+RH3Q;|yNr_J`lK zS_P)FzbNKkVgx_aXR=&IOG2Xc+JPl{1awC`*de*(6l{J?m>Zkoj@-}ROOOBzAfI?b z&E;0dift&q=hr*F6$HaqLZ9Kxjc<2tKq3Fo{OP&3 zJypZJl94**fq20+%kg+VJ*4ZY)9>3vS8oimR6WNCWZtV3?k5dg%4}u4sz;#Am&MmX zEiXcn3*f-EZ3jNR+)eYeobH3NIdLQwcGM{o8zFqtVP~|$GiFK_lZ#GRS6z;ZYo$UY z(0bl_F6YOr&idbW{4CSBAE=3*fUS#hmXwb~M2JWhE{$|YsfO`7p9aHG4biJ-TFrdV z{Yo>utd`HSzf-E!<5zmc(Sf)_`2;f%n^D$K+Scur3x!mDr(BKn;#cCc-b7^+bW3;L zQYL{FzSXL2klpxB6Z|f>hhkZTnp-i-u>z(hG^qlCKi!g#&7O)A6iC`|sFwR&Xfu7I zgJ|@4e*Ray@{VIWB`%2#Q!BSG;IvSBwWZD!g@S$rX* zkMt6{IJSJ0$*go9RKK<;Ozq=Q(JS>%L5h+#L~7x$sBk+-mk^rD9M-#T2k0 zB>Sz2xH*{PG`)Aa(`aE(%#ssxI3AQmfHJ8ubbVZ8g`%`PEGoUNtcFY_-1vUV=pVnk zx?{NW=$R3a?S7BL_qm_T@AkFklnHTp-1Z`R<8qPUuk%%wM*2EuS=PzBMaujg3g?Jp zyHo49KkWBozU8X3nJQ-yEb8GCl^+-8#%u{T@Rw>CSs&z49CHU7u`pX;CZAW#(&^7% zOFzKZZj#6eGkyyjHZ!F)cpRH3LWTj0wzi+vm|zF zE|ze_z$Be?2oX4#$rs9X-?xn&*{Z4n)geU4(|)o_)#fd)MPUl)7uK`pa%yTkrpCvJ3fX3PR9wSJq5ehn+U z%C!ue5}N`Jj|Z>-n$574J|--Pt651sn^uBRO-W0O#6p_NPF3y1xT@B%crwCr7Odg& zWK>$9vtb0oma+!S9}E@+78NKb=2t>}le0us|3y!Iw;%0Y=7Du9+nx@mwE{?OrDuf^ z|EWH4vMc**iqENl$-i6VBF7iXy|^wz*8q>hrV$Y=oq%zkc`mDQn#z~g`-khC0ED|@ zgVRW{9f>M6q}_`s^Rd&u(_*NU_twWnvdU$N&dYoo4NA}Tw9bg*#kMBgbEbN$`}2!SV3XA`PC21E@1tV99v0Mc=ns0@qfofV!aidp08N{m6Oso}P|2>}33oYHj3=Q=i_j*Z1z= z5ABe~bg|>-4~{GEng)nS-1?CBjyHQeuV-~(vRt>#@OzN7NfyOesb-ITEPABCKlTdI zdvp)g!TC041IG9Pu5o`!L_Eec&pHn;ct|i|-CQZ#ipKnP!R1DUg$i`Da`gz%d)}j&w5ZYRr~&z5V3`^lF;dvAD{6=Y9JT`9WIjG}Z96E$Z?}bve~w~T z5Ba?B=W-ity*BNrw>$s)S5}*BmkEXz#ug?P@&lEL#Vv#2#ig^~6mcEbh>`U%iXY0c zR|szNC|L~!)C*?wK?75mV1SgxO&k5*M2!G&5KgqWcOTpl$O=vnSC-% z01T(N6Ww@n)gYzO5NNu|Y!?8Iz}wI1G2&gY&T&Mb)JiSjYA(paTmos)s4CZu3zIDR z$o6xyZ>(@Jw!NGb_kCuS#Bs$hdDq&E+juINob&xet9Cwb!fSa1N_~$8L4fJ6GN+$} zORT_7Xb-B%p8Vd4nV_oXmGWp=?znT?;LPnEpOly`lAG~T{1v?vfGHp0WVZO6`~OD| z0|5W@F#@Eidq3$L2n~KMDTx@X&s!oc(r)u^d)7J3I`i{-2waq$=QTGQ$>K_Q8Kd&s z9Ss?l=@BDMEGp!>r3Icsrs#m^z0|-y%bbNB?QePw1}sy9E`@_Bw@oPx-@yDQU?2=f z4V#(u@XM#3*@g)zsz#&0p^tM8_rJAYM+iJ&{IRiDhAyXAvC@h3r_Cm4FGn`%Z{_=wYaIj zlqV|YA)I748f~9in!vC1i(u<@+HLg)>@Ne9_k z2)M*zTa2#e$H|vwxqMv}`34Kg!t1jwa$A$}iIg!l<-mtR>tg$wX0xl(;pj@DrE0CI zHk=C7(55VczF(%_14R%gn2vP&XN5Gf0>M6UOqb6NJpZC5!hXF^?2VCq3`y@TjlJXi z=3A+7o9qVR!}rQ5Yz$L*-o zVZ$mT!%@k2ve3*$c)jthpYLfCZ@ajVw@!S-kWM=zRHaGpte)OH zQD$E_l!-szAGIF2D7Ko$thvw~~`muxeC~_kPm~udI*c zQ;yV76sKSvb_}?K&Jxp}P&L}YIP1!yJh+E&vI>0M%P&B%& zHHJXS`Zp#;7s8r@?=LD<+HHzx*Il{G1~_5^zkUi3=1)(m(_ZtMDJ#R z9@OizZDlZEDcLtB22VW777(K~#ac+|e&w2gq=^%PQEXdkl|=sSh8ux?=X3)Y`zx;T z3#ri8rrPEaEljzRpZ$hlpWOwOYFdPmzMJ9{>538q`(x8>jiAZHNvZ)_ z=N>*!w{XBQZt<8YjR-`|7dV}-ywSfUXVC5uSZpSAG}8O?oVs-f5^i|~G0b-}f640B zgb8c6ju$en;m}tG^0|--zSv`pD!XQ9{&&f5e%z%j$~JF&5YX#&TUr*Ar>-9zEdy$F zGdHv2Og9fk)F<* z?vI=$F~A8Z0jCLmj=uCBa-ZE)tE3YA&H!M|evfb~C><*^$1|~boOvX>Cly}R1uNWT2Ecd;) z{`d?^uIISG0U>Atd`h{TJrQ@O<8Dj5Z(wd5xNRf?(_(<+py?zy_@kK;hKhnkNR5GK|bI6jk|@L$D}wr-bIB`uw>IWM-okS;a=jQ0y#+4KVp>y35S_eyfg zaONwW$7ybS!bS5-7qUeYs@c6Eklt+22dcnqlYUobiH}5Qy|Sp8^az!FS!l?W23#(; z(mf>RJ2Z+zn3_)T$D?MXr^N9Vy@QdMz(x@dPmjB4mvDbs*3$!CNhkZ1V&=H-34(_- zGAfBhA5?^1@6T*AyjJV6e%?T_<0-8jwMN^eM?qv~W78H|wkEBNyNyqcoiH!!;V5WI zLC*kl@TQJz;k=Bu^qAn7*(i+m{ouguNiRI-_@YDkfBP-UuHR+34iD^m!J&gL6bE`h zKfu4>V?7u^=X*raU9s*Wr{Ulzv&Z%oN~3m157u`_|EM&zLtv?&B|tS@qU&%7n=U7wW-6yr zwW-N=UH+%Jb76*~3_?5w6z2_)&92p!W{M>@4nsFOYBTTFQjo$mkzPYesGS-7 zGsVkhFiNW+MkzXMoebEY0Mn{rHR=cJn8(2}#{WaVraICn#U=R>E<|?_opn|&PTnVs zBccB}lr$8Ygw6nkq=ZlxQp@J8yi{i-Ot?Vw%D`n(7qds^}RO; z@L-*UtPQ>Lx$?5H{IZgCx0%jf3Ee_NPzTxX6Cf{J_hYo&wp>!hh395{=o5q)%2a9Z zNNIk1y~eqli#0wLxO2k8Z_0OZSX;tSW!e8#tNB{ldQ!g~8TLx<2R5n_)J=Hv)P#2b z({Wp)=;U^*S-K_@i$>Zit}u%WEmv2aU=!ShQO!C#reaJO|EM1FJS%J6GjGBvewPOg zheAOO;VWZ;TU9l&Q$0UOH65oZU(MDguYsds?}>IqOs~jv7j)tWV5w7?mDl#~t`gbo zcDBs~WnP%Kk{o)hhDD1?X0s_R$>O!DHmM`J_*wl~YuNpj0xpFZ>0}Y^t`-cx=a!Ma z+*XEhs#iAbh*zvJxRRMzr#dn?$7smlA_nF~2#mq7_y}@aKL!t4{^rU}veomTT&i>EC!cS_zC{_T~^XU}xRibc^l=HYa3P{J4l9=0r=Obq{ z5`(y5yl-BObOt`jRb@7jQY}01>C#Ptyk7rVM2NsxX6LEOifn8)xSk3yfpeDpkLi$I zW3baHX2-U`>M(s7hm03*wpq(aO>T)WE#Ks@UX|za?H`;4$Za85-h0wDg(3qc1zwEv z{XH=xEFVq}4Qh%C9QKDp!6BiChr@&*2El67Xd_i_@fChKzQowU`W3$8rTb{t1}Qfg z4msxfi)M4(dCukqB$PSJHv8vr+y9}OLH$EIIubExg&NuLqcL>IGdzIp_-aq)>W5%-`_4!=3DTU-wT~yN1?Cv z2Vk1_j?E1=t#d;#kZSS-g0wuyFvl)5H2n1K?W#xMym`ZRTNjFW0nG>MGLby~x7kxS zVIFbsBp4#IEZzFtAbmy;^LfV=zwUFhI_(n(@52dmlZ3~Fm{Y_>U>u1dKrf$2W>Lg@OLllGTWTQyz~#Fm#ZjT5;%x|7}rv#k_cq9 zX;3X9)0oj|VVq1%YKX*HW$d`roa<2A+DnxCOkLyH@&1rKo{^~P>f@?5w8djQbHsVa z;c>O*yssUYl2-%h9(u?&!yyu|Do3?z=ywWBYbnOh_q%WCh#fZJb{e9FwsL}Hv?(i> zRH_1y@Rk9{GBP-bu!Ou|*COGO%H?2N@$H79#T0j)WV<7O4g#fmcT+h!<>l!^ZnY_2 z&g6(m$B!yJ#V;y_#4^p3^*UT_kOSVJkGr{#13@_`_kSB^_@7=ud*f9q(Q|LO6SX8T zn97dsXJ>%j%Q|Syf4kp5tE`+k1%N9o!<3<@thKMrQCuc2a-1TaOt*~AhV?C`Olctu zitkmbR^PrnmfIOJ0{keDv1A<$w`&asI&Ex5<47b?W;6k3T4pk+5Bc<$z4f94b`Tn7811;TFhGc$TR_frG@RfUu98QAjePTEE39Jrl~r& zKAull{#ZGmgH$n=io8cN20bFBePF=AORewnp3BX|5)*vIrnXq4zs3=$Y9uFdn_k-= z&a831g@og&9+V5q40^s>oB+*e1Q|%8_gJf?ECXXNV3=8D!h7AOqeBZ)Nqj0pHx9~9cOvvD! zzh@%*ZsGZKd6>AOjv>}!J?FMiVCTEhOj-F(BVggI_|ge^&i$gI~?qsN|EC}{5S?^bXhL)J;_d7b%Xdn`QkOdeNLBghLNdJ0S{SfkC?+^7&F0uI}ugTCo zaP8&;g&v;ERzB~4k$MOn=BSvO-xeQL(dpVLoSR^=@4|m>TJTBz_|t{dfKKC>@pwTw_4}#wWciofcBKm5ud26oT(kFyYr2}}wGm~32wDrl$&v=$hw3!- zL@K#;oXVPq$X6`VDK@ZDzk6sK#0*=*q!RQkAmqh9M_xDvS{rsAC8|_W}6n&7@X?Sgid5yVR{4`krd=b>AE_4oIJYRiWxku7zFkS+F z2Y?>F8cSQOb@^EB_IXpS*68B?Y7&Wb^h^4q*yL<+m^Wu6{1p&LSa`pZE?~C+v^<{9 ztv4hX}8T&QsQ0bD>^PLk6YyQfdhH+vK(aztUMzHAHFP?EyW)sLT5LBPNYBTnlE^OEj0X@;3XgO!%zm$N z2!$N~52$4Mj|~XtIR@x7HIjNP)}mekwN|LAbXsa`)B>(YmzV#h1geZap1sC*L}iNb z*>>K9D25EXDY;+4UcKq=AIa>*%Umpfb>3qC14aDVUKS92QqyZTu9p0YUj+Y?R@jHR zTyy*!`FU|Q_SN+C2U^f>zDVNV4&&>S{qiwCQMcQ)M~>JPg^HzL`F8vyxTES~!{2Sz z>K7;Dc^ab2RdBK7w{CPfn7gAHWRSkA;)$)N>bH3(sg_GJrWTb!6ZgaUiLxB_>|Dz| z!(R{SP%yYWLG(tbMbt4A3)Ez$1kxV}f>My-Sx^`%S}nG)Qdo@dv>uW?XlfWKShHg} zB4pDYfO%mlWd21cKdQL!a?FL<1M$4{5^`2z6`b9iM(#l|$CRUf{}@qvSd7bE z6>pNNRk`ul2YA;C2p!snVT2-lc)z`QF_Bc(m5_)6y_bBD@s=6uF5OK9drssHc|K3?QATZ|bbf8WQ?`^$I(P1#)3qAD3 zy2ufSJ8xCz#`6hCK{KYixj zlp@-9%KxvbW{!Dt^%eFAS~XC_&Z^Yg!`ADaMF7Q4(5pg38NgZeOY0MeLl}1q@<1Qn z{ih_BoOd90dL>6(dXI1EJ^IoY_wQic3rMcpxVE0T>)_H)2r^etbG89 z8Jbkuk=+$q`=ct>9`(ZF#fx(+SQ@TX!~!7AaW@K>z3nY%TUL=oqsNR5ix({nhaGm9 zfUGu5pFYiDha7TSPq8Rx0v2VUp&# z2Mp*hOJ5s2cMj8q83PWr0`|m^Ee&VD0iQNg&jOK*S+Io_u}d$#EPVg_=ZBdyXNCh0 zJkZw0VEh0}1cDtTbTfS}xCrVA1MrEM5a;llo0y@%gK2i~$MWZ4sY!uOH90NSQBUPw%{`~oSHE+)!kt^i&IaRhS zUOH#wfPVcvn9;(=B8kBF)JXs;&tR#Y?kti-qGvh+Ix)aWw98_d#&7hTAf0#&SQ#`@ z5PiT;+cPcwr@>^(l)(ex%(?Ro@onjQ=#&z=>Y0-v9}o2OeH6~tqQpd(^8KAhfij@K z^ZMK^P7C7hxZ}Q&l0HW^OG-JbadU35>|?JRIxH-mJ2yz|ewxTrr%pxX>vZW-T~XbH z6t(wWd*y!no8N@>>o$b(6DEYGpMEObe%q~K!i0%70&>9x7uXsXE8J(#o*fR@fB*3P z3oZ;V&w45R=tuuyM*h>E{XE=u+il^dn{Lu+XQRTAM;_@t%;%kVUU>Jh$A+K&^k24;2>{8E zp@YNzs?Qg`@I}wN>j+r`X{F);AX_(Y5^Dzo;#_V5f|x;~M3x_~1|`8k1{jo&G>-8c zBvJ+u>(_5EpidC3&`tmtfIch!*^b8!fi-K_3*6g0g|I;FtE#Lu!xpoSg{7ijdrz=f z8nQD#!i)X_<L^Oy;@TTXAd1V{8R>7 ztWVgeDUBzee8O|p^o#pQbalye4SnGj=^`4_SAZ!Xj)Qij!$d33^hr!YqF8+=kC`}4 zhf569Ku_x-TAMw8&cM_8D>*Cg+3(KalXV~T1&)5krFZIOYZJhMXD2=|90z0T#F za|rNdr!iy|Fst28ga522-=n?-7OBckP7XDa2ODXyH#OQYi0Y+3n^QTkt5Ki~=v}Qx z-(-6xPo8X!c;DT3ObXqqs`_{D(bheet9(|VbML+XRWWkVurP4&;1|hmXA9!QNYG)L zN$XdA3pcF&xKcBc|}E42zdY1QkM2?heZn)SQ=+R90LoO zGmFret7mcmsW>NloiKhDne~zyzlRoA!K`UG*2Lz|n;$N_{POV6ANyzLd-c`7(z)%U z!tSyGPM$-&ZyttU8S47>kv2l<#q_Oyk6Ak}b7nw5^e|C%M|(kgnJ)*(0P__(agOPP z`uee+zc=s+#HnKh{UBpJMP=B-VY)2H7>-TD7Yai~{ZEOATR zoAoP6V*C6Z-qTA|2K;%Az@?Y|^z+~N<~RRM>k)cPpMGavz`I@bRP}Od4=K z+V{;sMW^p+j$D-&ZYmi3*4-3~ty0qfU;1d9))cTnl8C6rp%rn^(J{MiC}z&ytkjX=IrY8L)SjV~vDT?&)|{dGyx zwF54{{BpCs*$Wm8-G86m!{U`I3s-7&_^AGMg&e5vh_~y65{WE8T-$>f$B&-AXKfplvybj&?;0Hfo>FoB~Zx_hF*C2n)G4D1& zz^thobwQ#6JW-XpW_kzcF%QaKb>dMkKmrvkhHyC0<6GbQmdl(wZ*JIg&%HFDxlgO< zmwQhAiYu-R%eAteebB7D_HKMCt^zw!1W#NRAa)DzmoCB@JGS1yy;9o&-*?hUvLRk$ zpr<}a>pi6se)idCy|&<_6OJXb3f3G%c|`wchV1n?3YAyo(M>YE`nIt@Kt*;Uuxh%1$7sAPtk0Sm|^ppPYtDoVT0P z`n`PRHP`&=qt8G89McB{4PrEeDpb&JKycl3sZ}B|!tg7${<~oTYRUkS;bircbrTFFos#vdDw)jU5n4`ft`^xVTjiBSkt8 zk2G1jVx8orcI21}Ip&yS4!Yo?3pTD>x2~70BD7X?ugq7904*fjA*=NRZ+9`T)L z&NLF0byb;)*~F`!YxV3$`xgpL*}YI`t*%yBzR<0$yYJn*_wc<|XBpzpPwmfXVQ8bK ziU$4im%sYvAO7&i59vg@K^r%02n~&!3-3Pmy)SFv`jgvlz4>Q=d0ARlC%%JR8PMNB zoxQWB9)wDZ0eL1=bI!TviWYlYif0vfY)CM0y=&^xnqs&-+;a2p!r)|Po-*Sq(?oGhm0diJZWsHv=}sH~~1=uy$VLNuz# zbz^b8dS3J0(&hTjb9MGCS`)1Nq~EB{ZR*jZ_Meb=rO9BKIOo0VmfB9WH08j`eGRfa zPEc^VQ)50HK%FQ29i}%x7rJ0gkbxI{-mhPOua{r|SfhatgSJ#2ITT&Vm&&(6*$k9e zY{(QqUkxtUNq~k1tqB7ur1xT8u1_&H{8_ml)^Aw%u9?$kjM3n=MvDd*9OZOIut!Jn zOCnA7ABBNdC8ruN4)O;|YxU!ulodJl;M-+4_hKS|0#v3+BMetFNX|$qubF|$?YG=| z`$+A8*i9Ob8rG-?+za}DThM>n3bkdj4xstzA%`9Dk&)x;KYZgg*DNlBdL;Eb;aUdt zcS0}kq>WO`nUyrRG*1#I4_g}>H33}}Hm=(MN}S?zuNS^w7gnyAKVIJ@%MS!Wut* zyysjw*yRT4d`~&~r0|D7{6Q-5nt(m-3og7+$7UX=I6i7yEV8`{;0Y>m7%)HJLsE^U z^8IzxCT3#Us>Z@S1|9$h4Dr9zjWym54x}r zh>;=Zla))Y?UYvkJQ$$t2H8encL9R|=HjUbbwf&r-h2nCUu^)$nW!RUqHOeCR4!Y( z@~7vYch2wk-g|1@ww`_3W!+(RJ^u`-Ys1G31618>;ul zFn-A3+@`j+T#bIKHn-&lX?@;i85Qc^qeo7Iirf}GGw{{7mfNy!i~PFfx^>Iv^4+R) zRjrj3wY8NMx8Ht8%Y_%7S3i69tlMQ+sb>B9jV(2`J*s6KDc8M6cSc3HwpJ~`(C@JM zvtD`r)W84x{r-6U_48P~SXRHAK3)3aFSbj!u-v%UP(Tb#{4!TqvZPRR*=66HBO@;( zFTDMZ{D_w3ioUrD?FuVY4I4h{g8S~d^IJQP?h|A9#3w%ep1E^p-?go2Tbm?~O2F{` z`)7u$uKI-+!=XC=>}Nk4o_XdO1KWQ4?dN^o>(;F|*aO_0RlRh{lJM}u4~K!;Lw?lM zsg{_QOWlpV?Z+Q~JUsZ|Lz3E$3(rWxUbb|p7;!#Kn?7C4eSjHuY8*@%;6km+JauH$ zl@f>eMF}5cHUJA?Az>3y$?hj?ih7G!r#4k;|Zh#aKlUQTAJ<86b{Gs^`smuCazg44Zi9Z3TZ3 z7*TDv*C-Z^2i0&@eNT09#T-a_#c&)~Ijc7wO72U0ow5v_J;@_jBc*QFTCtVOS1|r_ znXz6%6oDme1CV=Y%i+HJ9pIe<^i5g_m}N(4F3@#~)p8L1#2N%_x^w0^m141Ci=^u1 z%a@6UjUIGio)~GH_^Ck=teZW}Lcg(w0t<2U31R$b2mPc$i|-VT(#eh2vj-vSQwEN^ zOqz%~yLG$t>FL`ksjAbVD4_~Taiw^sD)mbJq%!yilqK}8-^Z_M zVOrt-$RoE66&D)9Vx_Yh8gr}a`i37@@o>7c!EK|*>kj)e0b0TJ;z0|V?{cH0OFl|^2ugU_uv13 zROO?>2P8?~a?35@)t}FnWw;|lOI!Q;qzF29+;Qh!iG5QF;oLG>do z(|>u^oQlU9WCf^3a=0AfFhheAIt>cG{Fnmd^E3NUE!Vo4Irq?+6BR4CFLw zK-*VsW`}`5y}Q`Yu z3*oT7hRU54%Rm0{{|le^#K$eIpLpVl+TQlGKn<|kT z05fNWINO&DY?=jt$tA}#%x>`DAyTPED{)Bc`%5+d{`Y?%$oP%waj(J$XAD>sj-1z7 zM9H0%(|E#Vy@O(l#!q@v__hY9;GfCs#Z92v9jMTQ;00%?-ER#jB_p7M8o zR7+sO00QRDvriqXkO3Z*sdT`PBI!ys6%QXA_2V(s$DYLi9op&Kv*TQK z)i1(_KJ+2)Ie*W4-|IPa=0z!tEpH1JEU=`@ydsO}P=mwAF1ze?WIhK0y3OfaS2mln4AJ6eU119t5 z$c_P7rz0}yGRZmeVC4s>>6g+Q-m*ae3&3#1b$yg&mW^o9N*b1@TTwtXsa~m|?~3Oz zzY{0@q=tyksupRevPwwLs$Vg#Bx>1Q=iQqcvT{&ESQSx>r={$+dH@re>UG_)^w)6k35 znEr@#Nq2=qLw>|d>A1(Zsh?s#$zPFUxb7-QBrp~1=WAS)n{qPYZ!$~Kf z8jg_t1{PJK)nG8Bm_8_}t!?{Zr+wrj6O<2zXVQNHy_Q{9qd-|g?`l2zCfYM~YBUsc z%KMJryLk&sB9zO7a57=l5W>pt0T4WU{*5NL_^ir!$_tl! zXjTsxG&H0hV#HpFNHOFiOKQvynol|nB1 zV_;I^G*oc}e>3uT{ncK`Pk=QwSzoyRSsVw)D2k;BS)9_l{fiM(d(%CZ6=@M8`5RCj zOY>t&i0_?)iLm8B{GmgK=y`w#yc*QV6r>k2<|-S2*PIPSRj*qrN>DU-wQyB}h!aGZixKek>{|L#_!GhdD*g&G>b*1p?t$t6Dy zKl|BF!`^%EV}M4=Mx75M#w_dm-gi=1v0{ZKEf_b9n14vdI#b+CU!2!c+vATt8g9Mi z4^p)c^~!RXAKRT^zA$MRJ1#P81S%M2yMy6JzpSNr5J%~GMCvPjCM8UjAO5bN-;+Oc z!(K>gK7{>?giHdh`w>|4EwO-*xoE-|AX!4!oj&hbC#gN_`;;Heqa2q_ z{j&iERmD*@^n;pc1t{AK&hU^+>lXZ)<&*NGpUEcmQyhH6@<^Nfi4*C7Z(LC5wkv=& z8ZM6j-t~tTC(%w19y~q&!gG?+M})oh+*1oj7i%Hu12V6CxamaxIDHo$S)p-b4NKW| zO$w9&y=(UC8@0+HEjS#>Hm_xy8*^*Kz=!qhRhT?wiWp<sA4p!R*8a zIhm~068PPB->Zd6%fi!7Jsm#wv5(5S+ZVL`Yk`MOektjDk`2AE+TBtVQWifk zKo~JU7#2ofhHBdvl9`SXwXqr)(V>SP629}@bHX799~c+KWgH78h-#MkRDLj9j&D8a z;6px-F$~>8r~Y9KSPMfT{ItPPE=+Ok!tbph#5d9xaw=@X99&CBE}Z6aKm zwM)T}3N5xsLm5=llC%2F=4(o*Kw8?$9Tj^w#X(AER{}}nU8;E13&5j)0q^d$lI&F% zYd(~gcBO@ksa^86L*GC>vzP1^1M%&TI$x@KjL~3WF7>PX)ZbK`+vht-{qJue3uE5i zeXhKUcgmx``Qh*P_zgyXd5T7O+hy@OJj;)^wCVrf?AfoV&+_4mU;4k{&O85PI}Uo! zsY-G?ZZmZ*}etZkjPfwqbFu_>X?{BQ1XWL^xN*Q%*VM6syTuwO&7NoVK+6XZW?Yv#peb z4U;83OpiRWY-AB^jV#mM7>+vnC<8O~m^0^98>LyRRmKlL{D|zw@8JQ2>zESi1xcK3 zMomp?#ROR_)DYf%%&|5>3mCxU4ZLb=Wcm?kqhDmm?H~*zjedZ;2LUitJ(Ca8uNk)d z;yX+}0eF1IALbpIe+mQ0`Lz!oc;Q`F-6Qy!xu>?#W2RB^&?~gZ;jd@jeCJs|OMn1# z=5OFerR=!OL&xn~NW1B0Kg~O9U%CAl7y*`mBrDaCco}eQmfrwraw}UN4~2!RLr$yQ zDTw;>Kzr$5b~`j})h+?rl&Q067t(VA)>y#^X4J9Re&xmBgdFXsXBWb|{+J5~)MJ~q ze_P>zJ_%wy9MMTk3-W@xNn2V>a zymKcG-&3g{&-~(d!1uuS!99Kx{vLQ%VJQx+AUxGM*5$SDv?qnpw=4u?mj;G(X5K%u zpmhbzd*!7xjw|}I zCx4UF+q-nH4P&H&h8A{;0|B{lfrhL+#}7KBUQ+2<^b}tp4lU%MC2b=O^^e}!03eIw ze25;i@s0jTXSvb76t#2^LH?9YSq6UIOXFr?#KSpEchB`JZ1JMS{-zj2Af?kj1G+Rw zNa+A612}-4Fuo_Ap$}jl!{cC%X_53T#&3)F4B+|J6b{W~uh0IT4iQbrM^!O>$fNZ8 z^LGf{)FxK&kFBrQ0QxE)TtqW;SX}#J26>cS*Q7uh(7R^8zHY119`qAVcu)5;&iGij zzI}RyGZ!ofV^MK$-I}Y=%H;0V-K}!p*_O352Pa8H>*B;&Gsc?kNGKSJx%uXseResE zbe?TeFL)5sP0sXyF)OZ8Xjw9Y6}CJPhq$Vh|8e1+l)mU5fe6Xfi~X`Y`KVy!N&85~ z^aO(nRQyq*C0~hPS)MUJ{1`msWsW_UPs~44p?md%%BOfa231iSjO@Vuq4Ej^4RX{T z=;*lQr?{1QBu+`0YMZL$aM}^mxg}QFlQ(8tNvrJa46>Z}m=_sGrkP zzwC#0oidslW)c>0e+%ge5dQlJdzU9@9guUTmi`h^#sH>|mNbB(Nb6^3hz z%^*pYi^O#bQmbl#+)~mf@ZMQo6&0DiP6NUPMD^MmQIFs@os&9l!w_>L5>EWAqbt5= z)e(bBARrFs1l;U0=4Wqty!hhtR#5`}`|h`YH1W#7fp~6S#xQwP9`Q$J>AmzG%VJFd zE3%Q)&{|X()MN3^H`OJ1DK9rcD-sOq@y(^`y-W| z+6joI9SiQWShYAPP=@^BNC$ACeKGLq*%G}2W4(CS=ZBx;Mmo4W)!lx&Gsq}D zLl+lE9?_py;uPs1|JQq_-Pm1Vs)8+-`~cPzUpZyZ)RbrHts+yNUf~Y`^ivp)|09n) z@^ILqH3^&;xZnNO%o~{qdGp9*nj-r^0z5KuPp<5kvd)Xph-f;kB;AgW+lA=nCRqTC1&8sCmuAf} zkn5;P8;{{Y6b@{`(9Cas^J}XF@4x?k9hTAHgEly+4JOMxt_ru9NwQ*7-PRI%l*HkYdZ1QslvO(VV*2!H?kgWz zn#C1d#KM&+**QyHxC64}p${jE9sL|8e*m=|#7LvIXK8%bGtS@&UG(QtTu6-1qw}Cd z{$-$=(jaLQ$21j)yFO%!XL5Qb@0dZ1n?TU%vpyj@v7%%wDVcX&qDCRB8=f6pdqL!B z)w=p=?%Y?yU0Rg3cI`S%3vKm4jJl=R@t)pNhV7ZBCuqq3r-cjVc{}KF8XU97{<-Jk zK|`(}$+HA09bVR|Fi@gYnW5GHbO5_%W!;MZ$j%eLmB-FtM?S=(E~YB8Jo z%8G*QrwiA+Z5(sp?wd$=_Ur6HC#(iQx4mkM5pXB-lg*nOb)NVX+i^!S*;jMu*kgb2 zp$Ef}M;sCA>+8dpzW7CLQ`=XP@rz;n_;KDVOrETahAE~)G#+^10jt0n5MZnZCiUr0 zpC118U;i~6uDp;gBePcGj6a&Wt38RiM<}9d@riPhg9&37e4^C+{j_(NCOq`u1J(#| zB3sNfrp=m{ib+{y?~z$k7xKhP8k&lG@4ZL!|A%`oe!f?f_?@80d7UE5TAn-d_^cGX zv1?AAx7~J&7YJhNGw$Wis+q-2SsRR07ya`u26rp~6R0eJTfAt#wFuA?$qq+5N*(#8 zyzTGm>Y_feb2$Q7zsHz>BU1s?g|^WHX^uR-$HbHu2LPp|FsPy){Gb$r8ow*C0W$Nq zG^%m|`l7!IrM&d+a$>cLMR;I9Kq`YYdZupn)&PP=`&-KVVn}wykN7yEDm@Dc8#M50 zY*?p$*V+xGN3+6oj^n1SaWPd)=mN&RO=tFx6x2ygB_czH-`?L1Lq8yU< zv(G&jCQY0uX=bfJwZ9KnIr-#M1cvw8>?>M?i3;cVQ&huu-g%b>3H#~vtZ2s_rtN>; zJg3^gLFLSt{p2^tDZXY8%*T%yG14pXv1+zzx6{LSb)L;yf4 zEcuSml)`U*d##MC^we4EvVezL7l1PJRy7$1r8=t#S+!$s6aqQ3pBK`JL33cuZ?C=1 zgC0(D!<=cv6C!3Vt6(WGb;w)M2*VG+WpDRsfA^2_%ln8|78W`@1DBMoODM^kM_Qvy z93{3(zNs(;K|}J2_c-70Q~+h>66m5{cDZDyVAEE2OUQVUweoT~_**p{!&6)>2~624 zK>r|)(xo)Xk9X#nNypYk9D{;(T?6lNfMC#9JM3t*Txz08l=<-taN~BHJS9w+I7#2u z2p>*^79+Ne5>f(JvE+@Es#&ZuFA9tQm)N~=>#euS2E&Qc{HzU!A9h%Ag@5TcsHB;5 zFmG%eqP}|X3QABa~?W? z0Z;n{Q&#AX#0XAQ*ScDf zm6?HO)r8T-72#P}7LPbEO&ma@g@3lLwM};A0n8C2N2#o6?>jQsC}GAlq|KPF=w&9Y za^ju$_{@3TtbpE60}t*<>{}#VD}qXeP3y5JsrgMF{L3mvIO^r}r*y2?2Xyz8@em|4 z^4zfA=bSp*STE`pf6BtSISljXS;{{P=!HTLxN(t{uvfXC z%&gvh_ub*AKmDmB{S`8FFT)i^9pw{Voqbj4n68(=H}ZC(4fL4eq2pVTCY;(p83JZW1dmn8=uAYm2QiGf;-v- z&vyd^itjYK(-EnrRNEcHT~sY#V^#kEJ-?fAS7>^o$v@QZXe zQ}$_58r$R01kpDxQ;p&eknXF~{rdOoZ-8Yj12)K^4MvF2*7!6umFtC&$}=v|Ln#pJ zuWgrFNLl5DXOtZsbXES!2cHHF9N7-ZVluwB*oO=vT0PhTENzU&g9eV6-yE$CIU0~`m3c* z>pJUGaoNOC+u5^?mI1KE4mkrnv@`kq7E8`7)gyWjZ--hhxx?4PdErs<)rfX6XNn)c*Z6 zSQ;(u*s4`4+LkO|UY5`yVi$L1K=0xmyp!e$7YY^M``$TYVT|J5Sd#Kws+o6di&wZ$ zo%;GlWyn)AkFaL2#>^QWo)@EMZW60;NC-&dfXedaD?CR&di3aU`|WpVLEPS!-aq`| z5BpfuPn~|cr1l4_cE9!3+jKuU9DMM>I+^VcUZBPnE#`Uw9RL@1&pmf*z%V@2kE=I> zua^38t)#qVI=lsK01h?vPcHj$7&Cform{vt6DJgt_RUYcBlSfUujjhqmUgr%J!f9{ z5YErY)$Y%e!!j>3TEzoE93NuI3HnVqhZo~23Sn7sN%h*Hc$J3)N4dp3^_;5V&TxWu zzZ4itRsqD%%H-y>G)I4ysuk!M+*4d9AWsf+$%R)1Zi5Tm!_W#10%e%UnJ5nJAr6jb zq~a}`H$^|aakyXtn8Cxqfdd8V!}YB!H_&tZE#pPjHVhgh?TP+ShohPBu8BcI zG(E7);6HBsBxymmxEcU5*6hZQpCBoJkTgGwrJmjt_R)64ZCe_`wmh1RDy#QtDFYxJ zlC@r4KevJBtW6A*mM&i8?+i&hHG>CtSMeU3$Cd9ak|NTBGDsI)@gb(~;N2dUyj>O7 zg}Hc*8H(RiBt4nnPf9dF*wAN($)0=eU1(_Bl#}JSeBZVKv7sr`^1Vw^pbY3;vRilF zC^0JW)Lh~D=bx_;B=l@;&4;yOkkzt*4p^>QwK|L)J9_=HC3AP4K?mR3yd;f0K!~K( z)U-AH;0HhOscOuX&zyO`)R&DuFyc>l-YLobJcH1qk3Oaaa=YsAmg6|(E&S^0Uj-!Y z0}j~VpuIqSC}bDj&w9($~f%iML>e@S{jAl!7*A1vX2<};u1`RN$288?2s znJ1u4`&XqAzi@DnJss*ky@&n=T^EPPh2PRRP(w29K%fiL~-^S)_~o z09E~x<)P;+8@!XVmkMQ2funwLfT|Z}G?WQ6VnBQCZ-1@T@G~`FUd`^2{9bzvD+4-2 z>*B5q=v};nOPiOh#6A7=?A}s&_Sq)D>$`qqZtSSxp+V~F$X+Vel&0D7xqX$aSGc!g zI`)}oo|c){>%Bz{DeAJzFW1WT@s@&6hazb+m$}O>yU14is&K9LW@Ey2(c;CnD);aI z{_kF#cKhwOiy;+sV$@Qr3Rxs|+G(eSbIv(e(pJB4^B?~xbCy?X&-6^6F17m}drR_P zuft##i@61>_#33EWwF<+7oQK`)*&v39(q{VODDHo{G%UQ1)rF-C2}Q7D%R3=n#qeh z!r-9^DpAt$Y6)H-_3(4fWRRbO7iP3zR@smXc0Imo5IHvMdSgc!oPVpQ; zb#PHck455>f+Aq>8ncUaR5=kWVtx)QCTVY*y>v-*A&mzGSza!ZNLgE}ly5Id=+-in zKm_ra5}-0|8XW3?pK!^Ke-duG@p?~-By~TPrmQ$y1E7+m!csJ00|x@?!=!16k~;gi zu_`!NVBc3-n$e?23e*=H{QJquVQp;>sg|K}tPFrQU_d{8X8_s2(5I)u)dvhN(cbt- zSCyaoqf{e9KbF$L{Yu0112{QM$kQvXG~QI6`ty|Ntta`Jt~5xlG%WLI_s{4`8e*pM zQw}K~Xrw@w=QxUs8%vAeD7)$C(MvS z9<6xor4_w3jansr)`;QZ5dr(iv12P%NWz)7NIFototb?t&AL~w9NX4j_`yc-PG%d=x#4Cos@|CYh4Y*N@gf?mm*Fa10_h|(?pnlllhgl`h0;l)C z|NU0I_mVXB@~oFVZ%ZCX>)-p{cU}CKzx)-=mF5FytfL7y;lvZdm%i}%u*Y8e*f0$$ zX_zCR&ipF}Rlwv?{}!2L#`_XeN4iN2(SRm~=rFV8sEUs7iU;#n`gTTJ@{$pVILuK4 zTAKGQXoY*;i{eN`beM2ST))|miUD@9oLEW(imWOmcFJNFN|NfH(x$vi?~(D7zpLOo zbcyYWK+;~1EK)2gwlyoTO82#rZnw8q=C;ZFU5%m=4Z1N%0{GTw(Du3i^UqhCL#;qV#14ZYLk3Iz4yZ5l`UlkSv=P<&cxhvn%Kup%_|vCGE7&Wl z!izdS6mz}ZHMm66G)RMjN41{gu}2>Xb+s}cv~sC-Up(gi!01mZ&o$5b13E++$(Od` zPs{kHL1y#z?GoZOSH+Zv9Px3q-P#Ag>5};qN?56L3Wdj%F(ma%sb4XTJY($mP2k_I z%1^Nl_-YdB+4eKg<)MBWHAV8Gl**rck^23v)P9Gx{pOYWZPD%=*9<(K?PC3 zxwXu{tFLJ{-wFMK1dTd9O4Hp#<9619ZTA*8?C>MWL(d&)R|Ik8;cp_6E~BSjwyxH8 zg~re(wR@zzvX!GH?W@h&+vPC&D9b0i;q7ke@a`P(kG}M3sl&T8elbsZy1yMxjI8{W zUgfuLZw_sPM~Ba!a6+`1+%c=tV#?25fC6Pe?*g6pmp0+L-``R=^~9q*NBOAs+a5V~ zj3?K(ZQa`1)Y6>^%|C0$UBTurci;7=FCBmUNo`tD{N;1cJE!f4Bi>bs$Oo!nt3LM4-o+N5=TCX*%GYyxp9*wZ(X%w#VZo-Vs;8ZU7e9ID}z_% z)sc_uHF}_JP4Q!-ST5cGY}O1a9P=SMPOl8Vi0zzWcJ}bV#*tE3d)i|BEWGqqO&Qyp z@^!;T_v}4j(5?-u7OP>EDkc`hk*OLus&BW2VUo0Kr5T|Q6WCG_OwJ-H57FFsZ!Mf; zn_#3HC3C*{c7GS7BR>|xwQ2hugF$K1HAmbcReR4+qj$EMsRC}3uJo3QpdVQ9hRt{R zI+%ro%AaR$@=tY+&m_*k+>fy?*7%6b)iwQQ6}r{7C~l7N*PC&FHkz`JC3MWG=;w#n zni!MT#c7QgC%%_{gISUoPghm7t+HENpNh)r>Gq7D%Ac)P7O#AJn^GWt6>rnZm#h7k zQQ+*e&#uz1^#?!r;Ym7a?AAGR=Co;!yYiT0-d)gwv)qFZJ>1x@ZurDoZ@q4n7@~RC zpDBTFhhP5q6Hod zD_BrTCsnTg@2FhBx)z!9f|Bmb0l3}~zF)=jiM_UUhZ^K1Kch}#8TM2pHx zK6B=6SG@4-@%<#a>pT`62p0jdQHO~1mgIfletU*hYc|OG-Y73{WGh;+KSTrQkIKCR zD3OQyF`*stQIQju{^6M)4!?9~QCsRicP{;u`l#eN^UNXxJC&O2`VdTmY5UuZi}rS^QcvOiqRwo-Xi>7JANv;YVrouf)+k1uy` z6;d(XrDCmYnZf z3*`ye`j2PAv-TOZl{sNB`?#AMwO`d#AQ^(kU_N}nrerNa_(!TS1FxDc#mGQA|Qi=Aypt?ux zCne`ELqeDJF9|-$ut@|w7$(ftOx0m3D|-jHked9y&A#fT4WXMIpQ=0D$p3dR8Zc1*tQ34sbhtmLTTg9EfG77#$0Y zxs&zV_cwX60ldfNEo&H9K|RrayJ(Ct^Hza+tH8KbyBb>ADhNg5+;!Y75K~0j@l62i ziAu3AB!P=Mq@&*mH*K?L-u*4PWW~)W3_;z`q*Yv(L;Z>!r)+t4M0bzAm)PI2Tmquw zo$?vr>0ap3qrcSx(r^)hh;O$a^)9IY{|`{ls? z1MgvLoA!o_H?}j(4w>xuqG-fL`eLyZ%p0an{s1;iI7w#-%+sAX>8A%jlh!V~I~>of zI=th|)H6?exgHL3`6Qrh$0u!8Pww_3OVyhooPnyiA=%z3C`NdjUT?hdM)&zmx7_q6 z*%QA-5_LCGrCJIajT5Dd(MU`d(yEp%Usff5tqezv&EmDFCYN7(mne)se;P&VwD$*n z?-+ClbWVR+KadV-Jbhao`cQFkNn7LREM0q_XMLx@ln3!hO8?Q{8lV(3Ajtszd&OEh zUing{KqsO=yDqa6RjOQ-zYYav%$VVfH*Rd`zg22$x!j{-xpi9YzEx^+$s*~LH8|m$ zVqB6~V00DNU3c9}Q>PyDfabQ3SSyM8siz*j{rlg);2!NQ{{UNNQP7S(BFvJ}2k zmj%P50cqyck<_i8R{|I@{@hC?au~4HuDZkY(=%m6K*$;d0B8vp;g;ZNrv8za9j(@* zZ}y7*5u7t=UUef5F5cpmI=f!-HLNQdi{WC-E_bC}g&8yMJN3QqJLUb`Tbf77wn1y5 zt&r>1qg%z3Pd&Hot6%%(E=L}I*q5hGyRV>cK&IbW{3dBz2~B@JGu~+*0*Rg(weV}F zCA71o%tLgFm%foiYX?X~F{lgaNpI(Vh*G}6o&L%CkSL^g9$9qK@Xg3mc{zu?)_BAx z{L8LPflf++GN52WurXU=E1mIskd5VlVnDox|bM#O04?znVq+-OQT^YN5l)I(v4Qo(&30 zmj)nYLEKdDtO%-XXGt;*3Y=X8ash`+kFmPcm6p@C!d`&_9j@f`qybsaNqa+l_oeQ9EBF(i z=agRpb26v@D2`%q@$2w|Jxlvp&-wMOn=GL_a`{rGKqsX@8PGdv$NV*`b>P6+*gv9Lu=B%wcC72=IlXVFb3N?G&Cgy@Qn&S$0gH> za60dTz1~MOmyxdF^c1*foH!3`gn_@-KD}3PG^`}#lm^SU%R@M3NLl6l(~|n*M5daH zf*e4_>V*XeW_{m%uS<kUx&`f>8>--~=s z^*6;*klRb*QGy0!%Rb0^DIsrz4E8JV7QPp{+95td*_`Bzwd5UY4g;hG+|llJH8o&` zV9-NAW6_wS*@w1IWJ}?z1l@xL8Xfwn1Kb|Z;TiXUFxO_Jd4`ye|8W}^w4|KFCjHZ; zTEe#As_B&`LjdO0>s~>JU2IAAXx%R<$eZu1x+d8Ej<(!IFOhOPexV+u=Dn^Ed@^`s zW+XSCR|XHOwW)5jpb09Bl(fG6c;$n{>+|5;q0pW2>F=1Ag@V5nK(&SkB&B+W{eY7t zd9b2=A;Ey8p6fQxyYhQP3ixtXCx1gCT&uE0ImL+(I3L{VOh;=GV?Qi9BD0!j>d!6Z zxJg!BoV^7gn!K?cD;@E-qe^5=PkuwyqivTR#=JV8J%=F<4S28?!DiOX6x@iS6)FOWO)h_V~7+%sRSk1^DzOLBXO>&2UnDFi*xOwj z&jV3xElf#|xY64SaOsTJb9FdZi&#@ft}&y;$;G<#J{w@_0*kU%?L|#t`P{5d#4t*s zNcEh{n&n1<-23y)fn4r7Lw?6FT2`zf2{2}r6-KIio2>N{H@s&n?c%7z#59+h0B#r) zs+%T(Qs)OsuX5UDc&=3MRFq?kwn;(Q3O(AN#mUR?R_#NZ^Oz3DFJF52F5kKtLd;+} zmVyu!Ypm}|SFA01$!50XV=Qtpm`iKH`(zAV$Nq!T+4QvSc8Ic^_ptNtcBE(*qWR$= zV(?JxZI#u6p$p_5p41EEu{>Y(2=USh1Vaab*rs*NXR9pU8Su(4Jh?@KQ)MhWD=7rG zXcP0#TT7DpKlUQO zz2wk$m9vWCxd85VyjA;P9^JUD;xq#=AslMHl>tDOuKsGhi;-1S8)lc(y8~|)1P1mpKk*w&jGtj-C_}Pl+#-sox+Q z<@e{i!nH6F>6}ci8ziRSQwdE-8Cv3%M>Qc$LKr45KB7HovH6}`Rqt&J`V1I(*_AlN zJBbU0G(|H3XcYwqcD=O4B8*2Slpv3fq_zJ$&1+QGSoj&|c0?#RdIjdxkl7(qSDKzM zJI}b}dlZjxm&nfyB^YSc?Z6^&EocnM zu#UIgR!Dxe$}3yam_%&KSjhq>hc3kLyJ+9{P?{#{YvzaB$SA3q>I;+%ajXf|>{JQale~tp4gSGnRQu<>x!e4>5#+kj zPrP1>Hvu5ClZUhSVWqEt`~?w`w=lh{7`!a0Jzedw9P$wn{XSKAge7oa9GA~ibaU&{-crxVao(=Y8aQ!HaTTgZ}^tG>cW3U9j4_%Ysyaz?6b|4x9{X)N4t zOR^vhLlupEeb8ZDxr(WBQAK)F2OD;Z_}qPi?Q;BTQ*hW0$Yn$eUb{GO;#9(gtcQZ} zS2XN(<Z7t?@0Me2ufwJdF~Tu(!_)itx$UhEoRav6647&h99v#avmlc@1du5a$EvzUmUL&!@1Zh>k?V0Y=K^*s z>;IsYg;V3&e)-lT!$jkM(@Rw!>rex)x7`pcOUET0?3_CA6n#IKARVS1@f|$5aqJw2MXNr$|)w9ZFe*+9_u2n;VrHmrFCVk ztEY_;>Yu(!j3zV?WUk#Ea}5=se)u{Pg2Y}*l&t}EOaV!I;o9DTx?0G z4D6S!JZbuhczlO2#OxB-4ho;x_83*KTmQ0EO}>*Q7aDZT$Ut-#Ctq7MK$@^nOvBt2 zjp9W@RebI}jtQ388U@Skqy4ex z4B(u5ZNi?gcDAP|AI`IeQvft&6a%OruZl3QcrqxT!(#f zqGc{&+t8ZRT28mL{BLOuRG-s&{CfFVCQ-(Ulue+k0fH((U?O@Lss#tYBoEmM#*`6bu7Sqj5W)qV|_0?v3MB7!TtGXoWu--e% z(7Inp$i?F;9A=dsI3Bw6$d0&no+)^`pRs~(&YuY-#*o<6xnWu0DBg?*@<%+bO`@~6w7pO$w7Th zbV$G|w+KLx(x$&M>a+)&2397I*=D21qZEN*oVZ|8XSM@5>o7aXvm>zfxU z3>_9|eX$qGuuR{5SwfN%Mo}tczf!{D`Zd0?)Ndr*-&2{T`q0Dx2i-kRrX9SSTDbB%oTuzvkvrz$|1-;Z}lnQyYQa)gxcQ6syGKDI(bdNI5f|YlU1#0k)yJDVGgt`j&#cR z20Ggz*?iJ`HaS^ZCURgvW`-?{Q{+I7u!2X+jyxE+JtXe%d2|(cLM}Kf5Gtf&cyUk} z29L*^8!Kk`y0(;%tiQha>CMlrdMr=)d5?5gG$?^KY82FF3csRXU0uQJi@$`sLJ|nb zeH4A0yebtLBL2C4PP-0zZeN}KY_sbG34hv!9uZYRa7n*3l8Zb8 zv17ff=0ZNK_wg(z#36G`@At)b_DPh5{#dkwN8ZT`0H7z!R>%2C+ z3}iE>JLWg*1}dUA461L3rPQNmWx*F&8`TA|6~=W$>Qn8nwbVPQ!}C8I%VMI7sUtA!`$Kb@APP=wkr=Hcw- zRXnDx5!{dTU<3P21>ae%?;>C~$}Ig<5%t(^-F8c>$pmCDWy6nq8TRkfxpVN>T7zca zx%0a>%CUyN8x%t2?Iv;fUeUDm2SDaEy0o%7r<=coZE`4af}1_S*YmoDFlx79N#Uh; zqG8I0Q^s;FxxI}xeD&!Gm=%2<+C!_R%J~fKG;xp&6?C)9yG-4)@M-}7v5KhzQteZ#w6nZM=;2Kn?grn-%kO?Lq=W9pEIY!2Q;gDvLYRtXUcm>2 z`R}Lipm_Nh*T5bB`Wn&qd@`gnrCr_pW(CL7EUdTSqUH|)+ie>)A<8Lg2rOyl;}spb zA+%+CL|(++V+4WqORga=RTk>qWGKDQ56MU4Wfu0DWh@YE+ZmNx_fNUjqmyYkQr`=c zAaCTxw)-p2-LhlmPdL@xq=y1P_z@D2ANhlB!Sg%e9QIvC&V1|8PyBaGy}+5N#Ysjc73Jpopa zH&6UBcJGn{uIaCCQ$|?U@*(%DE#nvK^3|!e?*#Gj2-wR;adNjJ6!y(KlyQ467&7}DU!93j!b4h;dAqD(`@$rzB)<2HiXoUtoB~?gM-}sYv+T@ z#QefKyUoZZ5{mrv?&24!n;M;Q#u4))a#@)*pS`X~g|RZx*2}{saK+u^W}xI$l}NS& z;c(9J2T?@SbUW%+x?8`7A#*n52!uCJ{i~1*&9)WNe00ZA$Lf2_Pg{Li{0ykEWa{;iYxCt_Pzei4VgBbSY=fikq$)jl;EYt38gMu8YgbsPL&Q=q*J zvrHsf^Pz%T9eDzYXq5A;k-ZH(%1#iWvCp$b-I2;NP}@0C_Ehj_SHWoQ$liCzD;?>; zf=fTBlTQr#)cM?hR~DcaSI{ITZ{q7?@RG!Yv$TIPg7*+@_b7$#^&=u@?rF4NW;sbu zzd*cOfIv=iLH<1uh)C0zHR6B%0k@?a5QJ=m?B9qma1Kfu;6>`v?|%p zQfkH>FBQuyP5UvPRU1d6@M8b%J1P#`BS~maOr3^%^NuDg?3V5YbZVXDfL}V( z;4YWgL~iA159cw@#JO15YF|KmPd$b~ZY;@)zar}IR5?F#SWt(*wnle~r*#Mq6eNF& z6*m#0>|98YtE7f6DGi77IZs;eZ@$#STHm2p-?!J_^WRAP=_!sM7z~xte;N%=NfB$R zqH6Y@vtpFn^Z)z~8+=OpiQZGdV-{IH`Vx32Cf-FX@16FhMVFY9!{Cq5~H zFAx=ubl}NhHx*&?ob3A>9||>r*y~(njd*QSKMTjOG=8g`xE$qHCEn`Rf)eK||D9vn z$Waf)!14IubRoV%^KmakW6MWb$eO5L9{^prZO*X@3+3dZc>~v?9UT@CCP<77iW@SJ zRAd0rj~fZ~=VzwtdAhY0tgThgw|=jU$IJEVWTBbYBh{atO*>d0N4F#IQuPG4EYt53 z<~ocYNB&+p{uRj&O&tU{=1}6wJuCa^-7e=$Unp!$q(%_?|MG|lpPO@G93-sR=_LUE zMvruI-bDd;SF>q<4P_VcZfZ~K#SA^SP6sAc9kK&aV?D^q7$pd*DBM5A2;S*VY_kXt z{EZR01dzWvF9_d2wmmG@@xYE^#Uxsf({RKHpUTSJI1ZxkIgknA(O~Z-JFz@psz~E$ zgW|S1Ek_ke1iT4><~&1zIO|#FbB<>e;G~lum!?N1lAKR%tlrR<4OqUUxrA;vY9-3e z>u6agD_*}WbU9*RC^=%vd_~S%#Ueu1b`;kaXyF_R=}9&R06s0wrpfVT{wyh8RO055 zyHJ4};<8D^E#%BrVL%|LXOHq0f_5}9S>jRA@FKo5WeT_qnzf=B_(FA?XG1oHBqTiZ zi~Yw&=%cgDNd38yk&{P7u(GCTzN7rEYH;XvMHeW{Wq*<~ads7^XZ>#!Xo|uFiw(Jz z3-&w4bAI*5L~V#cV}LAMyG_=%pw1dH8MGwb*fZKN=jyh%jwd4zd^1iw%04Ap}sr(i09YVz!0KAu-Tu#cSXn z|EreVpb=cwQ`tZb!cuq06>yZW^;|}sfT#PK4p=uPyPIj8{P3r8K#GGLg(%`=n&uih zmzFBrbkheFUC$-^P`ws){i^`-K7@0bY;m&hCf(yjD!-QQYZ}_ZH$e3tZ;`a6(JHTI zg}@`SMSV}t_2(|dy;f2;Q3t#2*kuk?tLxYVTl(03D~pRg3k8ee+2V`zQy*h|RslJ+ zGj!$mY17x}yekxQbKKU&6>EnS9t8d?uNND}JF%H}+WZ!C3`1h^9e@QE(DAf_#rO)y zY0Od-PCq!FXtob;pv_KqvtL@+;%+6V_b2pi26$7LAPbWh0lPW;u5!ugi=j$&nXH+7 zrh!ZzJ;XIOt|vFw-SSVxQgn-FiDbxlTL0)+bRW*gScRw^y6ANjM7{}A7Uw#l_Ch+2 zYet$nevuc|C}g@H7KdX+x(Il8YF}STb0V|Mz(#U*q^W4OKMS9FOxVc|(CfbH-;Wl) z_{iIMY=S})6~`0s$A1N`>TaxE-EFG@X@ACk`Wj>2iaE{25E#6AB7f|4dlHYRC^z|= z1wWixN3l@;LZ8Pz9%CSvyVI8XNy5B+nuDySCV9qIf4o zlp7R!fJwKaE8o!|18b+jnXm2B1kj}z&rr?rP>nV4atLViIZA$0O89aXCldbCSJ6#< z8$aKX@E?v?<|0G}-A^iI#!pXR4xfHBbX-Xe zpt#rhkl$n8(*;3C6m;?GaPa&3l0ccLkL59N0ThY7l#ac5xu1j&>73G13M~KoJtkO# zbg&_lmtm04^u$J6&hK?rQxl9{_In~VRy@Gz2h$f9otYa{*T>16H1lhR6Ax514nr}o z9#2z92s=YAd%1bnOK8$t68iwsBq4v!C->D_;gl}%eHdOO>)90G~uKSGUnl}sVE<9nKTAH|oai0U|G!9G~j zP&T{PWR|L_rxks;e>~5(pIZ+tL}0g^mer152wzP~Qk>dQA|COV>_o<|)LX6P`xfi| zorkS3Kao8Wxho3De>#GgdrlzX7Qpe37x8D1yD@Q8AT3MKM z+3NcimoU`|q>yZvN86md8ge2Fk9@XUi5WG9U_^25m|>MBhU?pt7e2Fm0RNe2{iUnb z6Hb;`!mim<^9)66zZe&afwhDQi<$dA;`1qa}LAZFwB&}uq1c$$jTLC+03s*WK z1-K{dpvSzyIu>>>ZP`5oHw<<|yVv`Z8uKCSv8OIfUlmB(Eg1;9*U5ajp?qAeF%79g zVa5rFbn-1FtCW$e!hv*F6z~=VB8cE4hJ9v*{ycH@syDj1xEiRa88R~h>+TYGNTWlm zFa!FGCaO_2K!QQ=yT0fLo)Hz<4gzJSS0FP3?n1OTw9v`+MocEb zkbdoRY)>vZ009yw!sxKW=>jG*PmeBbL&01&OI-XPq)kuK4V~5y2nPEtGvcYynRAQp zD?!Y0lce$u)O~=z zlsFaR(P*Vzc=e}l0AdrJ4_$(>I74XaOqG0el0u`kyu^Ih)byR{4RQbKVF?lc%urWVU@tq`1&xNXQRS7$A_WwLyzQ z1XTNTY}Y(t@5EZsJ#rFIA})0ElAAq$yw;Y|CD@tJE6TOW73Io-5F{-@{wI>3=PewP z2js4Q=`jwacQnV!QW>sa_Wkmrml3Ry@w?BPG%QasIJ7P&M}mKP8ukEtZAMHMS!3%c zqCT>89jy_iw&sM7nPTSR!oYp3hmx0nOCu163C|}lwY%M3^^5P>PlxfYhJmS z$?R^(lHE=RSm~*&$F@S7zG*S&gszBW6j?j5J7zYdfC?)~B-5^pV$m4++sneg{^FtC zpj!p3S-1bs15{D5wbRs?{`x*jQ1CML;ivig^gMHQdSi5wLX9}>A1c^Q)bVs)0wh*5 z@dAQ5ZD#E=AX4NzSlyByxn@w1nm%t`r~7zo=VDG!x<~A4$g8 zJQ!RdGuUgY<6h?DwX!UQ+XD01f`y}v|9fu#7g&+w(QDMg&Y+WVDN%BT1x|MVLc|St zXOHK&f3Kp~SlQVnSogwDnAmc2#tveiH_7koH~joaj!lc;cx8)~9<*}MlP>MJb}tdd zom<-WxC$LW|J~%e(J8Lkxb8eNrZR!Fo1kwuMVBlOVmER2-&hfrmAI9kRe;+?3aUO2 z03$zVe64?ThK$g3F@_Z(+Cp3&iZ~Jp6DslW zaSxyD8PXd*${pt|a;8(Po0T-OuIh~3@KX~+uiXQ2ZTzMl6_gAI%HoaYsA=|ZZ>5d|ABJ9Vu$Y|w&_}L2ZjbpMh3`yu$A8!;<~g}3(>g=IK;xfs-IjtgZ$k3A(0kK3MKZrR zUi1V)3>PXp^l!Jrn$`|JE{LP%fLFKDeQt?&Fms#4?4*J!QsMpw91M^nY6VuD^p`16N@YBe2C;oi^^o7a}*@um7Z}2Txz`dQ%yF*!mgAWgKs7h%o zb91z9tA;fwqxd}n&hjZ%vN<^4Ct}Ej?y}O}U3=lbj1&jToSivddkxAX#*Mpdfs}js z_dKwnK8%3iiwTL_nZNgSsb4e*03OT`_R^3Djm}~+Xi~vv)xYR^73RDUjRF6=F+wf)2-TIUZhmVN^-zYY$&5aHi|LPy2-7TGPE6RI zLS(U9Ti=rZSo{>>ZQw0mSr+sfm=kd3{sU))8J`9kRRp&@zF&Smih!))OxfYwSicTXMsg!l^kN?GNZ)o97ICCFpuo$PvJXjcy z9L`X#Q!|ft@jjpkqjQY0Y;BHM5BJcO$la7>QOQKaXD{y$EYHXJwQY%N>ywBZ zUpNkA_urZhn>sZGf4n)g0M*dWCbepyfU``NIE@nxvGpw#VN>D&8BiTq@^o$%|VJNCKjX=>~pdU>bT*)gDQT z;eRhViuWxwL|=+#=1Uq2F|FIR>BFwq8;wpZR8x5ti1ZqOta3PR!Rw}eRY;v+MYSS9 zvf@l11G2^oa;@dfWJer+a1@1U`J%XflFB2@2(7iZlo_?@xt^}U4RELjYe6o-6EaDQ zk{8haeCr+V3BvJZL^iO<>>aS@VszSWo0vE}TPg++7(d>@Mmi=|V*G)PzS$CbCSBMPXmua9Ju2;E7`ra6(@ z@Sdg7$pCa0awLGZpZ_kj!c15drWcINeec{H5BuHFaJ*v?HA*nTyn7`!%(r=`Ff8hnu(hkVyB80z``9iR(Q^tC@nPmFj^_ktf$$NygT{Dg*lT66cZ?`XnzqqvTLR zHpj^xpBNFzB9ZGWbT0veSwGQ)3>y*fNP^h#Xg2uWH`h0QLWmM- zGs>Mn=W4cjhV0&tzXYD)zvv61E6h@aD12z`a|}z7PmE$P`-RY~_}5N}u{7PnCc`Wx z8q#A^POgWf3A(MV)Tek<(&Q)9$#;qzY=C;!8r@8FAOuO^Q-YvwR6< zQ-;Ol=ElGcs!NLc8S!D~qC`wCA?}KZE$CPfxA!nOC<9}{6!b9`OcU}rIrQ4=nNYh8t@af zJ-GqQ1*5 zUg3sbZvsn%WNN;zxEEYI&`5$gG791z(MtyZ!4h#%LB|-uMl2(D!}x)=FSqz{G&z*Iug3D!=%BMk zq(bJj^WoXI-jEdX6xb$~DIP;6{~l<0>ZQkLYTg<>`3Ua#F@Odr`Q zy^W#*t#0;->m+qne`#u{Jlrk_Rsgo`ooK)G!c?Feqrz@YeVlf!Th|+r21ROBZ)xj4 zO43DG;dsG>pLj=4?6QbllG@*~|K7;i=(h;lLss}`XOQ=%4h|xM2kI9$8fv0#pB)yI za+|sU`*}K=pwdm^hcfJD^-8*W_0{pK$MtpENa2^HGJ#!O53t~Rv66>-JF)q=kkTU4 z2l~*ORn9b#0S}H=Iq1hj4dxY@Fy8Bhoh+KDYDbQr z5Z&|sAgM~lV0{1wl&!B$(c=#mqVzi;L?d$@Cu39;)JU2>az%MlWJEa?#fFEo9YFHf zzwWCf3Z7t^V5DO|s6rRKqB(ySe9THXt5A2cL_s9A-n{h8V4o6PPT6Vf zc>ep=g(laN4ObO|dHBpw-hyD|VwX-xvZK<1Z}z`*Ld*z@jp4SnQ^4t$CxaW7>K6`r z^yUieV!@!+J`H}iY!ctmMTwvXE46UY?bRg&b8qP z`DbRPg?{}Mg}-0EH}XFgj1hLg7Zu$Gub^r>?A_n3B)uiQJbbm=PlWxp!MFlpOd;@L z(FXJFHqd2Zx``{o+44CQjQw9RLxO%mL4}PDCq@dM>qJD`-w+MKl&|#Jf(DgG1BOna zZCN)C+x>;RfXv4On^b2=Dc@{Jxq+DGMM4xALDf8kO{}f3a^(H zHmh#5NHE6ac zxI@RS>&zp`E!b9or|{v0l2l=dBDvJ3LzB8FC>E|nSCKoW@) zoZ)5X*N6l;H&uDJqXMjz_YZ;(-Ff7^Br4g$Mf{16mVFCn_Fu;C{T7al2Z0VC3UX;w z)j|$Z6%c_~;PLS>tOs4K#V+mp7RVa>$6! zlcnnNpRTDu!dny}&kF%Sn_Z;~i$6U>7&DLSw<7$ft(P0ZtccW2>xcZO;l3Lltk7Pq zi?SfNQ1KyV`!uu&M3*s=H&QAWCxFsEduma3rbIi^fBgcXh9ddkyy-dv$P!SWskvqXU!5-u}#gcv^Zl12uJ#7s?!51Vj5Y zgqw`c(&?0G(W@#LL&6Q*dB7EdXotr6ct7E1WY@Zh zm@Md4vG%Y6m^hfP{#lq}sCgJQ!B0Vml87T2zW@bKN{*cW1ufqXY*0uOe)>CpZ58KQ zIYouqO=9afaM%a7?4KM@e2_OiH0-Af zJVvg{++G=el@9gZ!dd0HmP8e#>kBk4d(*IGm4@4z$wvmeE>62{l;(j`Mx|0U5; zCVgni*jlmNK4WPO*ZTuOn?0XSwtzL!AVjTVlW%u^zCCj}1a8`Zu zNO+1h+zYU;SN7*<&HkOG*pASa_9v6F6=Czy`M1pRjh(*?J^3Bi>UyHLn^<#kL8Vu3 zHWnwKdOj~_$$8L;s(cbLmc-sxn%5*NFaGmN0Rz%VokR`1m1306+w>@!Jso%o%q3Wu z2Hd5oWAcHUe0NuPYw3#<<50p3^xd_?teqUkk0~>Vc?r!t3hlzS(*jh+G%@bz2#S zm}{%3p$%8(VXjRQGB{uCqzqSM1}p?+=*YU{{IAZ4rTS4?vuw_=L_ ztf}JNV7JfLZsK#;j+WU2wr2$LExg~5f9=c`l@aZE9IN4$TKzADyoY`XPv3J=(Dcv- z#Ye>rc|&^*1``r(mzJ)O^m~6FNi&?_?BRyK zVM7QG+!qDN*yrp=v3ARBWNtIR{wWwq*C^lx2V#UyiT zmT7YuyR@M|TJ1czWMwn!JMPWl9QP24E~^!8VZ!0NF8u}`6^;|MCu9vcOhHKKV_#Cn zXOm+hQVO)4PqB=};0&i5`i-M{#eVo7{6u7ceyBkZ+QCP}KRQqg$PXX=9q{gpYR_b0 zjFy&-$ycGZ{IQ5GQ6kxj1#fj=E$l2?LZ=i}UgcEjKime7EwHyVFhL@)u&+vDc}M^P z!G*G2@%Oa(YJ$`_k=H8E$1|6&%8bY#>dlAL(zQ=n2|oTl$l6*>z2f5dz7cKzgMaTI z^y8sMzzem=P~xc%ERj1BHA8vRLpj4JRw0G8C}pgc|31{9R21+IhB)uuECE5a-v=|R z8*HctUpR{PKFZ_r_eYy0Pgc`9Zv~0q(1|`A%l-3h8aRO*Cd4Y~ea?IyEu2f5r1T}W zzVz2?hprS9jjy?weu076aD~u8{+vyTzUzpdj7029d*g^hNZ+c&7zcy+`*J{)4@iVJ zwPLF+IbTfxN~JwIO2j&vs#9#X56<+yTkn$*HN83F8(=B8MiQ@SuFPUK2X7$pbHJuu zp0a1Te+D4lr0=9Kq`^SQ!G@*Dd~s2g%ID;Dhn~odp69e&1{-_(gJKI5{CKD zJ;YdO6@zW03+(PH?|qmAkN8p00NrnwP6TfySaiXMOp76htHEq*dqVX4 z7x%1UQq+##v8-u8de@VuKy1R=nh{Z-NAOyu6j=s7>8qOT{=PtLZrWKBsmxUu#t#ko zTYs;&!cTXGTDx2f5XjEN*KADjleR*Z=6a zw=25*dxjjZT=R{o9^V^3y2^AGFW`{0H}5I_YoQ?DB{7;zSr1GH({E{J`KvzKzI?Y8 z(?`~pQKxSuP8w{|IOQwMKgfS0#7Ler!yP$89UKgaPnDTT5LRK0?Xv6G;Psv&7h3CK zNvZStqh7;L5Y1-Uz)bMjld5?I-KwAp|Lo1PON-^$o5ey+Mi3V6q2H8s370Ph89vJ> zGO&mxM5DdAMJ6RyuBC{L3Rz?et9jQ3oMunY)Fc{_w2w!TQL>~L797}TvtU%dwk2Kj z+@s1%>l_Cdg?XP?u3EFl1#gyZA6W7X7VY>7P3x&kwaTXtl>-W!NCjQrD6!p*uAqy5 zW|75lMrvx%|E|xGK7vN;VvX4P=Y#zk)`NqPih2n2w9aavSLUbd-oGQY8@<*p!U!i< zTi+lJsVvC@;6C8eo$p^?#7qOJlWNn$tYey6y4r?85tXk7KD8! zX~4oH6`4!lvAvc}ET_-r#AwYeN)h&I7|jqywRYKx$CuVl<+aZkP2t9QIV~Knvzo~R zfj;cKwo2~P*v4)8q**(4q%&}S+BI9H+C!@< zmSfbRlb}<@ zCEY}q*GQcC4E&-PFQ|EZi50v{ynYuFmylq+uMwhbD|wbeXTl{*FM=$3>*M2NjhooH z^wI*+D+KGX6|y7&t#*OUwZ7EZjAH-6>GAlw86fjhHKXD+bs$`rE`aUtUw5r?3w<1AfK~ zMhsA-v60{Ilj^%z=nz4}dknuA5PeZydzf#$0q2-<2#8J3RWo{*yg%VnghCEZ$7=IS!w<*Hw(k??x>}aF{U+)dW;Z7_J zEd2GjH`i2{VhUeHJ>BrS9bQwUUAf!L%~cAHUuacW ziE15I{$r99#TVL3gPsuE=v%eI6w$d3H_`vF6}3y(`VWc)Z(04VjF$yv#Cp-MOhfkN z#zHep+L7`0F9urUDW<0(U5S19wo#MOmIhd!0;DwSH<#9sS~&^*uAQRMbf&ddPdB$l zqg)hU$O@==g0*5MQf#IR`p5vyySTq_{G{% ztYgH|5g4ZjU+?*qL~AulR*uc~2w`#~qN z2~m=VI05{G=7}bBp|Qu1-Gb;;XPqhJQS!9l=cA8df*@vNL!3~h>3{X?FpLw81o3-k zGpii!ax_1L>31ioTkZX;mksNJ=BY~($)r5OPT!X)gLwAcfAxMShWCHN@csfZQh}0L z{0%<|U1^()O0mBf{w}gnHOkWZC^G$BTWirv;8srG=4ca-F>z>*S>K#WVy5DwOTcyrKso1yS-p zezlK*@|?03Qt^|Sf`+@({=n9+F3+kZ?+%foB7!T}l33pejfpn~jI(o~#oeB)si^65 zQh=YU0(DU}UPE8LHro>l)W-=|Sx!hN^O))3BorUCI#hPTlELUD&73xV0)#u`%J3Hs z^t%a=Ztd?`Jc>!&s!;~kI@qPbk6rK2Iu*f3nvJL5UOA6k9dMeWi;6Gg0nU0_cWg6Yu_Me=4Tvyv$Jc z_p@VY(56w$hujEm7iW2LrpA`$W(t>(*gvoxLs$( zzI_%`Ieiz|n1=M>1gr^%ht~JQ+UqW4dBM9RQ1~M^Q zv8_e~N*v7s?L2-+%$9Vs=grqJ>qD5O36^A&{mOcdL>7$|ChgFL-P({NPevU zd39~FVj1E5a$9wihIq+wr*}n3=%#Qvz2_Ih9AW5A&T;@)QNgmb6qY#CuPZ}K%R0Y$ z7BxUNaO|W!ZgRjG1)d@DfPVZ4S97a`VIV}wjEFdOCy4xs0Ny&e6h?plBMaga3up(s zxKvP~e9iB+rG;(dBOwxF0n=X5&SHQaa`V%=HCEk%4kY?Kn5Z%2BUXZ?@53F&tPo?lWsjUp`kAVU(pNq{F1 z`DK8LR7EdzsTqb3bStXbue)<($$?^|HYK%!J}<$o0k5NRT?*>@=t)w;7TzBl36cIU zTh-?1Iz;h;QyfFkkUaQ*fcTu%_#?uX*z+)DPw}1bt@mNy3|-ho+WWtkR@N))yX?km z-}sz|8(U+BcF&|#8+jox)llo$pRlsVCd>!P?+FJ9Bea4vj><7JT& zyx+0VX})1)jb7j%+qDIzq$9cjohP9S)dsr%JeM!s3I5JAInPY~2wZFV`% z#s_XNE#mHZYB$sk!`_jd5!6 za3gy}z-5o_=>F70xF7xTYXK`emhvvB z*rnl^0zv#sA^ZI7n&MG|c5ZWHnVQ+Gr3)oi*_vCf&%0sAOb(}hxaT+$|4Wusnn~B; z6hn;L^Oo2oX_UpbiS=6fDYw^AAa1hj5^TtSl5g6yK#Mn$KzOY)PelO+KhL+b>;8Wf zj{mt)9*ePThR1q)NYh>A;Gf+$C~<*zF{vDB*ne2FT3!a!A!6vc%!-G05vnmp+dV=Rz<^yB!;OVyH4 zC7R^bOz_lq1KezEXyp?3zq1k0yXEO?k6*9E0MvY{|1zSUJwfeupj(;=jE1Lf*6cX$ zOy@wo=XsGT)w!)VS@g468X$MPIZ15GQcKael`vg={g`K`N@cQyB)dtsbkh1VV`YC6 zOcm;k1`Cy?6GG?K_-^D>$1P5eWc{}vgbu0>HH)EWHRCO@+a zvR9l%t3>;$Y3FbA)tEC*IYMR0l_ku(bd%_hdZcOkGaXU6mJcdDKj$O}6CS4dByxS8HDBk`x=Ddha=rKG zgdXi#mDOJ7j5PY>~PcXmRb#x0!bv2A1udNs+U6WpLKsIUOnm(s7nNft6 zt7(;I)Bzs%=t~)w^9@MCu1_ym;}*5af`zPtLM`vtKO-Q{wf(bo^IloA!@0cXS821S zs%lF1-7tr=f?X{RV&Je&A!jUZ85|a`;cd|;EycOq{~9Gc#DQP>ToC^4A+L+!xTY3k z@A7Co|BBBwMa2>W`W$eP?XiFJpTV)ChB^{BS)QmwjS>Z!KqEMXayji79g2db_GA4y z9es;_fFm^&Q)cWR)e*|rl@E6_;VMd1ij z;F@`P?D*$th9}PKT1{zNJvSo`XciYM@Pa8$1^Ve!UfASQqUlEgs$3!qnMUMTMv<|A zo2gNRNrQbwrC$&16+iN)N28*&esQS4CM5{ed$BD`9@q;H?%&G*h6{Xd5*kGq*IdlT z4V@S1;S5r8VVz^~OCL3JHl+@|X83VWAny@=Z4EFMXpdOBTWqHs8! zwuh(t{P%aE@Zaeht&T*8mQ;K^uVb29e4ZLw#!bCdj=@~nOdjECyGzW{Y6hyH_C)JE zl`)+92x%3&tki0PrU+Ty0uj&hdHGMAv)kA9o5kKWXX-C;Lg5Rd-)4w>rS92A{S5+| zb^1cz5V^&y)5X@<$en46!URyDDQrv^GdXK9S)M=Ob7jhkpWbyTeceVO;Kx4ijmy zV$o8Cv`-(OR0Jai$sFCm=Du9@$C|lsF*=CwXRI1MK1a9eg}EP)#%q7gTC;tg*Ki!J zfT_<}n@%^M_g8k`X&)0%-(p{TgkM72K%;wnWTa!tqSUVO87pre)7c`V1hnlvR(7!M z|LS&}1i*JIKtM@2!rl3L-R(}h6yZ-xrP00<1E7NOCBNhI$o49dIFqYqctLt+M4saQN8y64IeKlRh|o5xDl> z!Nmv+__u3xz}0oGcD>qN*$QgB4Pw*=UL;y0FcGgQ$nShJ4hjbgo4o$@ktTsSoy#I2 zJz$`RmDob41OMiv5~r`8V^C5BvHCr7i5rERSe?dj4F0t=z9oY?)43PcLTz ze3{MRbvrRBbkQs$^buV|c~V1iJ6w2fwQH~E%LHHvgWlN3)s1^;jmXKmH>7z%61Lbv zSK9j{Cr9|KPWK69;$LFtK6yuvMXhNN@{E#;>xiYl(@4G~j_Yx-_+z z@(7a+g*0cit{Sva`+yYs6D>|aAO8VL94?W8?RQ34LtF}>#<&1}**gtwwJL2Yz0Y&? zJ@--x)0y1j6PApos&cQwH|OuC+Hdt-;N?QI!Mq?;EXAJ=A_STj4jo^3<+qA^DK~hi zqjs>b3M&Uk+W)2Z4gR~d00~4-*nujWz=?`pF2`RYLA-GuJDiI*WJJ$kP>7Yf9tXoQ z)^!joCG|l28cTJ49+h%sL!bd10x#pSn!!{n545kxK0X1CKHa z=t@(o+vvEme8SE5t;B3nsqxzV(fN6ESGA5j-;>Ie+kJzHeMFXG zz!M5usQ)7+N)j2UlHPz0?@&?0&Wr?O5hdqjIG1?TNgd`DmW>aAm9) zMQEe&45j>pv#}ZHV#3jc`Y5oU<|f?jE7%)&M@p{sxw^P-rN{#x<0x;+0l1PnkxTD( zhFMM3Co2@ze?AC&H*Wg8cyeZxCn^xR%cz@iXdiJyy1}4zpQ`*U?Q5D3{7AnEa;8i>kRI}U&JJHX_r_27g?yvedwY$2} zmLQEdM5<-OY-h>z#x411wiD(em1zSWRPJBD5{Do)>^;`0N~;p>ybo|2tk)c0f!ic< zVA)ma$J_X7fAdh4nUV)oAglC`c2daR})CLxd&`?s-+wO5~ z8krDHDdh5wWwKeNI`j1uw{(BSDgu4%&b$(aSjr6W5=Zhdx35P!yhkAYaRNsfUi3s>?n7W8T zX@65U0@M>3I25k=C&u`uw`Qu1%)1L#LLXKwf>?ZAyy@Z1&PuB4{}b@)@3M6rfCgz< zXdKkS9*44(YWnyzq)=Nih>*aiBPBsAdJY@=)-{z5kb*(ds1H?*ARV+AEiWVveSEJD z$CvA#WReY(unE1?tj&4x1@e(6EBOVIf;!%(#ht^f6+MO2>auV=T>qqG4!Ym?%| z9GBE=&vgrp)@d=wX(e{f)3I{RDD20O5u={lUIq&E6jAa};nX2A=L%s1V-EV#AVOdF zmW1w8eyS>+$WQrf+df!u-c)_!+~yf-TH3lK&{B>BY&(Uho|@KDue3*kw&sqGKQznR z`>kM_f6L67FG1Yx^1!3)8GPXaKhd+np(d=Fwb3aH?x_-^_Z<#0iS#NS!i)Zt)pkO@ z$o1Xvt4!pHqFi4&j~hnK(QgJLJ!4;nJ=t$yiuoRk^=ND-;M=<@2Hz_#C-|%)b@@shRv=q{n^FIQES%pI=E1@--i3q0z7=0GQ zy7eavm2wa~^$cEl591opyC_0_;L8db#%!V6&*Qo$&iKnYHQd6-=Ag}`<|wHI5%G_r ziRBP4&agjlJKYYOpZI2vpyZ|`&8DiL-@br^;>sI zg}T&(eJMq^Q-iuvY~p*{{kpjt2Bb=}Tf>+0X!LYF9`!Y|QN=SCbi>{+T?Y8q zhAW=Bz}tq&uTnoB3!<#ffqM!Al(=GNU+D8xLb{=3325uQ(?Ne)@cj%BRNDooK7F!r zv2N=)@PF6C_rL<+7m|#vvN?tnh%=U??n@}*{L+4drX@;uJKB@}x*+{Y*e+%$WO4C8uOe=1x)(mqhyr67yqql*Dl$w!v$ z*zP~EMCZLtu{Hzg$b8QS6wsb10&lyG3#XW!$3yF+ijXUi+9QNF$bJ!xmoqJ1b2IRl zKLYI)vJ>kdvLN6)>`B%aN%%tv1-~P?koz3i@hMmh2fF*Dn+ngPgHco{lm1+RMRO0B zBTW}3pdu%Sbd(psq^cF1J9>A_h4J4(keFM+ZlGhZ>-&Qt1@P+$3R_zZYraN+B}ef? z2o9cd?Nfpj*s=$z}Zaa+Yo2Vocpk6BWVVJF2xhi5|4}iX6Z^F?`L@?AvA;( z3uIJ?;n>47q`k%d6GzJuPH0^RT@#FkB?=Pf4EiEA$MDD%y%QY5?R{!j7VgT_MmOhg zmRCQM=d-jNb@TOw6Yl|6GVlElV4S3@0Ii5=G0!Qiztc2eyEC;J%ZS2uqGt02@DslPI3bPLZt-U3dty>W`p$!h7l?d$Qjcpm95Tn~m3 zKi>!7-VVlo8?{K|2zC1Yrg2!+h zXU3cI`wI(bGHz}yW}cpJ^Z!7Mlj`X=^9Fsqv;Xb-)<(11nzY|;)VkF1FK0!+nB&uO z&#lB9l%*y#Gi^en|5TU_^?{gv`9s@8JoQXAhtb3l@?65QP9K~#6b}~l>`mNNvtplf z)BxXtUxK4W-pZRNgg+*#!X$Zs_des)$uYOGcPP{z?h^I@{Sw7rJby_T3U4kjAxXke zzvl~U!eq?1krpo2oQ=L7B?*CLfe!jNe1Y9vT*aDMUJvV8aASfUg+qUkdqLAX9Q!@M zb#*Y%g+u{kfQ*>G7iaC4o%qDAlZXm`6GQn^gWn*Qru`%{G91iHgO0`G4Id4`01{}; zLu>Dw{UrY$hw$W@o-NaSolk(hsj%E!zvxA*)xU!d`+0+Cb6L+WAaUrE&40JA=-_>` z?V~9WT>F=X=IS#f1Qa{Us_h>v)oq8*RrAU@U>6uoZxu$fI=vo&MhtjbC5s;wRGOrZ zFlQM2nNWYEU9x>)*kgnZH;)71EXnvU-rNT@g!>2_taFSQLhcOK#_3lc#}YX z2o&$l`o50QwN@}~lHFptJxqPmA#HlKdjA_xAMf;dKrTjn5rK$&X^@sCuxj+K?zQQY zkvg65I;MH{)oUY z%Y##4pXL{dvZM;9 zL1~hrE!wM~5SA|1oME5#cqjV8RzxQXVlj{Y(6`KpYht_yvNQce9)(_UK=5ePK!uUg zdhZ9O4Sf;SyrYN^o$1~Tu$P-?cIP`0_RsDM+;h2Dpl<-PkUzGkiU5TN0} z@D|5kzcqMaNt?H=<=WMj1fO&7PO7T=zGa2xDnno|X~ z-))!+qIPMO`Lv&D2;se|I~lq+KnVK)ie|$r`~e;{C%zx^7Qy5Cm~p_r93k{0_Voh= z_pAUfhn}(%jWcpYCE@2(t7%o+{c$n^)z&)+;|9=NjOH zc;FT({+&wkM0b#TBUzSx7YH{H*;=jFsRYQLMktF{4w5t>8nxT&a}h7qbX`7O4=`xe zdn3~KO)yP&B80D=izP-1FWC4oCvC+}8Dr_OMD=>WOmD|67rj(C2JcE>7MnnVYj95S z-saQFcUb4Aja^Xvu5k`w=@SpM*aWG#L0KgUidpvHE**~UkD~{id;IsCXth&GMM4Dw z{t8batbas2#=qgt)y$9sg|Jk|I3X_%5VwzgMhQ{EgVP1VD)LIpTc%3Ne}-~nzZf&U zj62Ea=I1sRyg{7(BwQTtCCVz|#%g5!fbvLKsTRZv@QlnpU|pPRgS;2?U5v28GUs&J zhuyFdA%jO1_H9b|++75_kkI6>N_HjyVGI~wmAV9rn^SLvPn~GF?@S%*ZacRXIL>d+ zGx_bGMo$9&!-}x8n{xY9of{;D`yE7EgCMV2;BXLopR0CxH-GwtrrlbfOL>49(&ecfFu(Kjj zD#NgZ62O3!3mB78s+W&tPd1lQ{33#ccK0<#LdB2JtPNuH(9!!xnZe*4?#g)*&rY-N zl1ovaxGJTAjPS%8@i)(%%U%$lAGt6Uq#s&zyorGDT-}jeDj=P!Y_~p;Y%~FQ4z#`fCLC&;6 z1trsrax81aRfTxw8x#DG#tw*QL<&{+-T>h*FlT7%X7QBiGDWP5~oBDXQG~XO2H2SR{8`N3*=9Mt&zh z{oV@Npu4NJaiNBDu~*~I{OlrS$lk6B=FcgC)ZPB~`CsiKkB++Cc$>Fmkx06Om+n~W z(7yJN%X3ZMp$MQbc!&6*1{hGB+DyHJFiP8mLcS$ie_zU4+a|v6VE;>is3Z4bqAe17 zqs0v|D$8#y%H%qUB8@Y?+4OM33aYW3jM+EAFR9QP^9L6hOAXbOMz$`e`J6wET4A}P zPr>*kG9tr5g^R#{ijS5Q%?(yC)c24sk^V^Dm%1zq6P5fal+mfVA=m&$d=EZ`l~E@% zmU9%?X^%89QKk|rgfg1RlO#eCzA3WmNVL8Yv#XDM^|gE zL$CljA^Sv24I6>QRbv;SBX|Xiq%B&+%62Ft}h1r;2P+4?5@)F$@G4C|DIB8Vl1g#`0##J zKAK){^F}B!)&ifv&-}0{cZ|1#fFJ7}A~VO5geUA=+oDrlaaTzm7R38dR2q)`M=V8C zE{x+E9{!@#3_szJCaXHHydRXt6Awyerdmzo!Ab4Vl5_~k-j7if%1y~-R)*5cruvek zKZlsY?2&qOK!C_D*~__yjB-OE73hqwWZD&LB%C8m)L!`r%S-|Dli|YHLnXqA@Zp*> zE+7aIoTvaprS7k^IS>JrYEelkt*@HEjX&)LF=_C|JyHa9CH3t*CPLu}jsd}7oNYPl z1qfL1<3DGBBS>Y=^KPUHVPn%G9k5ljtx+uZUC7ev6=I)vB`4wIarN#BM!Y;C87c}$ z3;l{6tPVm>)j4>1XY3AdN;roGDZ!DC@7a;%!-z0ab zz>emxQ-mMC==J>^HA4r?y%c$i<)L>`0a!Ol9pC`<=!45UPf;>QP6$;;-k_&CGm_I$ zS>%Pn_m{mc$P`OPKNNlV zTzsZ+#hv0}7aX?xF!-6wsw%bhQGN~O|i4&r8~pAk9T2Td0q6leQ)q07t*L;9U@ zt&XS%OvJz6mAN7Nb(+mEaiGlstr`KISf0p}+aw)Z0qRDo^PC_$+Tjo+(^jTH z_8XaXd=Dx3SD{=drrt-rC4nWies5`!bfW3JS3rgJFfc{;ud*rcy&{ z6f>7UQNsNivRzBUlLO;kQ=UfK4Aj-K;~jhiCL0oWyurI7yB}s%77l{E1#%-T6e?vN zwd?bQ=5i=AmssEzXUmTdIYGHNuX&Z7MjUv=M?5m;&zxI4LK&fwGRmK08cuv0N{!7B zAsLUJK#KA0pV#=Cc>C*dma^Q`l+Q28Rj8Ax6bUQKBHonYbM*>?>cH68pzZl)U!zu$ z7`d?Vi3!TN-x%S9N~K~?OxuY=d<+DxuaaA2`4eoomiz7U#q+BNFe6+aW zN6Szn{O+#=GQw_~_5J1@Eyzj&MU2d?B9STwN|q2*b=A}b0s1O26T=CY|Kf}T{657^ z-S4Tz5?56qHe#%@7fSZ9phaLnD)f-^6MGVgB1xnicK3ZoVXfiFl%$VH;Ur7AOQ&6y zDU~DOukz=zNi?5#G163sBd8lGmr0qW--%QY)fDGJ^=>D>&*37Nrx_e}lDb$*mJ^%G|r4P8bpju3w^k^(pC$Ah! z1!cSV53=uJpFP4fgJ7BOLLTlrgS-jB7YrHjkvb9-3bmyjI3jX$PKi`QhYKVjK0XgO z82Ifc3ha0>9=bPj_7q*j$r%L5ULr4kNgX2Sy&27Ww@{_TQtc|d5 zhX2wrG&F0xGm}_6U+G-GybIj0;9!gRga2_jk-X`gaZLT@nt90G@#Fa(sDD!Am&%gt z{6!xit|SI0=#Sw~?hbVd)9>F%ROM{B0pjW}Rl|=od(5+Z@(iU9fhIZ2Ep>e+@V_5C$d=$XGjUeP_c9W1Ri^Z=1a>HW&QT1DmWZQCKE}Bf z&#o%DH0GxcM-bppY-M+wes`Bh=!?ru*Pc<_xvjS2Ijh%bdno;7+>^Gv#!8iet%|YP zZnsm|V!AG5GFkfo&gooT@>Jqt<)E0Re)!I_3K|+3wW>+^=ciisnMtjv>CO>6y!nQ~ zq;#kS(y4&$Q#ef8Xd)(=H2Nvq_M=qm&kmQhYQ4V@UjLSYw@3pqr-NfR0qoC%cxfYO90UGU(%3m$%9XV zZu83llONncAsk+kR#FHIfMUpu)v3ZF9*E%0Jx+cuXi$4*)E3Q3^E^yEoy1h@;TCma zK3i%3K8{{=C4L)K#fUIiJi&VFBJNX~kW`6?RdVEhQAOtSCt{7^UrP5#;$Z$usoE&B zMJP%^0d>(vLio>N%GWG4eRzxSSVWiM%6V6u1m;M>bVzh+7(Rb;-CebvurqDaS9~G( z`W{P+`Z!c>fMgdTV8xfNZG1O9kN{d*-pT!d#sRAFumX^_YVfZ1=Y%siWeciAP@>0kD#_GnY^awg5~?Z z1J`zx+U?1@(n(E?H%m8)gc0tvcBoYAWH<@|!M%fpiW!AVh^X=ONOvG~yQ#?v#40Jd z%?)|Fnc_J1^?`wNtS`cpbhhB2s~Lhq!4yq0y{l`au^peT(sW+2UP6x4fh2$-CvGfD zfPj%vdfjcOi|-w13P{=lCi7MC`AIxS_5ACr3(@mDE557d-X!hKFTbT6ryd(}_^eee z9VC_coI}TqW(duCKilwVxxD72R(NDk*wybv_7|!(CwCXp03gp2rGN7e9KI5uGT1rq zc$haMN~{_9!<<+I!y?1IcMV8;)+hBZI`8!6@-etaoGT!;la>MQx`5X0Q|>#6*?CA3 z5&ojvI)_TCJ+9kdON21h;Rm~oFmnD+%65!C&k>v4)lB~qM$9fG7@ii@&lG03bKMGk z)RX!+Q6t%Ne_Xxey5e0*Oc#mf?eiU?^m-4b&l!dQ)$;C}0=w{0)cKi0JzR;KJ^|9?-s=I0|vu1_ur0myNb2ZLB($8DHP-!Si-N{4d{y$ zd9@zr#w;UvBG%N(0ImeX{Tk(3V{04& zg7KQJXD!2e!pZBdo9@e4p6hU!#h)S~QXx5uIg?>eo*ymFl8M=efV{jB9cEIr5jW5` z*YQjo+}~+9Six%>lincOvV-ISq`XrQZZoQX;ks)WP9l@KbXRLE5XW@>{zd)mj|UFv z4?+Yea)Fu!BFyivgFe$e>$AN{0e$Z7Ou0ss+05wnB2NJk=Fu zs*`N&luR)Ormb>d#-o)sv-yZc-ghAh_R$StbZcWC&dYN!f_7b zb9Vdrxmqp^ub)<^t_9MkiZe-}znHWjd)|09y)FpT9qc z^hD9y%yNCH|9;$07`TYt9-zwAJ~Dg1<`%CAY5jk3#b@hteIQ zvfW^x%Q*9OG^QGNB{dh01@)JomDZBl2S-l%Gj={-t=I_4jX{7uC_w#MZZB5BCu4Q>Dk2fM(w)R%L)~g{K2pIRNtlBD-um0KWvNQK%4U~+;m$B zt_ut?qt7a%MQN8Bbo^=Ge#pX2#(o~Xy2oVoaYFm@N8PWM4@%niXq!b|+R;imZDPIH z6N%!)2{|8v+-|bQr(>j6lnd=<1d|VUKv=&kaNWR6wwRGUm-j8f#4;3xCd+*q&mTE=Qrua|;UHub>L)M$R8;6Av!ADQ3Rxiw z8XM+3ij$mciF+*D$djv`LkVBmXIpRm_W28;wYac**WGPxp|0NIH`H+Xi#&Gx)Vw-a z2P+;?FwYdt&2$p-9ZENMLhH$>RNjPc^=tjab@%pKR7*#rmZhZP?N0U|cNe0M78H1; zI4kCVr0sL5-`m>dahC1)_Q&zXt-e4ao!)dyE~8Kd*BJ+4iLQ7Uf|OyuEaS9Zz`$5~ z9GWX2Ur>1aEND=djHzV-s#5W^-jG7)A035pGKs%*nMTg(0bvr0pqWYFZ)6Z+aXFb+ zB^s%7(%EQ#SbSm=xIh34cKNcWDhHev=wBz^xy7H6I6mMX1F`tM`69aa=1BIKW$~;_ z=w+#xoAaIyX^tR|eTRbF0MuTrU8;j#p5adbnLj6>8c|;eiux^nFkw=41vbcSp3?ydz^vEQ?Wmk;BqgEXcE~;5vViTZF5L z>BmT`kLzX9IDz=kk$I=GMMfrhh>9KN8QLh;#@Vcz8`tjZY$fcM# zf3;I0J0HxFIl~)t0Cb?yoxC=yC(Vvw9=v=!ytu~K;=X2~&@uVpB8UF=4?^>$T>*vf zJU*;xx^`Q%5CHIlD6877Msdv~J(5YVTci*d>h@u()|r40)`e}Tb@2(wBj0xjQY_?) zRmCpUd(*B(y%XFtH2G>B| zjO(2S&7gaDS-xh$4BPxP?b<&6V2kD;-$KtllQj_w`sSV9GA<8K!D`>Zz1W8I9wQa) zO%}`S0~VIP+SZFkF{7at!Viz&0dd?nUh z4ChmQZfAKpQ@0C-66{Wsg|c;jU`gO?^|$)-ZV-}5>8$*!Q2i3ABF}foIA81x_$|P( z#%tn$wEp)njCMq%;MKx{ga8g3$5R(Avx_`4v9brgU;+Rn5MTrn8=;%8dJZZia*p_e z#^dK)uI08p^?|TIBOsZ<0JRDfdXlioT!6i#-O{#L$7Us-WOi0Q#%C@i9T!BdFTdXA z7a$9uM}X@ey9ZuIECyF3IpnV@*+={-3?^u_qbf!bp`r+)p~FG1F|WN^4d$J+rFX&# zLX8EA1(M`Xt-)O*Rb6G2`$&Ga(oy}w8kB@L395eu_Xy>$R6F04U#_zai@Sj#&IQsf zo9!AjXg&@wP|j(}BK5|bprpWpG6HB&Jhk{J?Aq)Yr2tOqKV-#)&+y+;R*Q9pNqckd z{_MA{2@nJ0r3kt$Zy;`EHe^MZ;D&+94 zZLX_mSPs3)o6e1DenDN9b?ikO{9b4sL3q@oYDlFs_`4eC_kp%1hN*`)Z4Y!xX>yLn zubz01Jx6mvyv=ZYQDGF;$KWzJ`9$Y z7Iu)iy*o*hJG1CS=U~gmk>_)_Qgd|h=R>x%f?u*T7t-HOQsL5FtW5AeWpVKv&+{~0HaL)7 zOWLAZevB9!ICH|x%eVuRJbVV#dC7HzYU^F$Yeth%Qo*?1>=j}bqHw4n5Ek@f7&+u7 z3It1VJmF%ui&lKFYmHpxSOh%qn8m&HA)rvfPgrbUxULy@u%`h*BI2Xl__-+PSSO?8 zPDT252sn!`b^Dpk$b>cqV8z+-_Z7oGa?vr zLJ5w~YOLc#(qD;-hf0Qr`=MFnBM`(=X|)1VYeC)}m{O~cOn^8*Hh|BHXYi0|adTZO z{d+#Dxg9+7HP7#9sN(r}Zf}n5IM38=CMqvx=gAHCE`3eT9`Q#h3xjg)`NQ2^1T>Km z@3Sh6y6K9ZA0JQUrZ%t4zo7cdDr%=}+1CUWG&IMBZ zd3Zhlm4eoKZN-4xUO8oPXRV#%0?MfIA&Edp1FPrNBT1%7YgDMAVa~OY*x2-G!+$vR zjxY73!bMC!L$G#>sMcZ=`7=o+&i_G|G+oDt7)7!V&dKoxNhe-|J8nt49I6O~5E5by zsN7S$lY}ZurW_zAd?{16FRWs}D$8>OIX^_p9|)E80Y*W3|1Q<%!AA52HS4nDewT}Z zBQp1L4NM--hWyO#{`|yCT z*l<#gz4`TJZH#jnXX#n&p5&ucX&^LVE+5Z+HhLCqG}3!A16IB$om3ZB8MpcL`+Jj{ z;PbI6`I@scb-rr-sQHog!e^}bYHZA*zq7#A+JdTT?Ok|zP_#9w*gQs7_UNAUe0!n1 zw3Om_G|uOeq>HfgPDFy@?R^7^zN1WS7J^4E2wW>;)xKkJ&8r9<-hSC-el5JhMfIGn zifW~=cJg&~6-#D5bk!OH2I1BfZV{Npb+u;qxol_hU*oOomdgqVJ(qQOaT!yFy#mDz z7wdE$XhME2`5tB3IEKm&8r0YQhF#BlXAl(9Bo!-WWt)A<_4bZqgPZ+s3{6KyK7^ra zXFzqi9EClZ8VJ20w_syUsst!aA7ItiY=^kbDQ!w679bFn^ud*9=il8<#}_(1q<5tGtMg;a^; zCnK~12LY=J?& zTnAgf$4|#v0wWmqe-^&d^@pL9Mmxq%4~&>As6xq$hlLk)Q39x+D_AYKWLB=$Y8A7N z*9LODe*50H%zWO3*u9PnbXLMk@EPmi#H{tOxPzO5_&^GD_C!1yI$iW~3LGvgmDgeH zdS=4x4e@z3OjW9JdysI8jsKdkJH8WsHS>EW#IH(;yzqj8vV!~jw|!lBQR6aj$+2wH ziOr|$L-Ps3NJ#~@`>N%y`tu9ncNnm3(94Q2_X~)XYtP}&!M|843A-82v~}3xmH)pi0D#Ikb88gZ6YsCB#UYhxD`P;LgoL79XX#~CmP8t>jAOULW`i9GUd+%r)lR;U z0N}NN3T*$yrr>qWj7jZqJAY(W9QvsJM~1uRS8k|sk8!f1Ul>BxUA=CfHcW<)DeF|! z^H4XB`1*ta9<}PQKoClS-4B0$LbJTu849T`0PTcW1!Dv=BQxokih+W+RHSwAqUa8* z1L-YC+-^hOD7i`HQ1~52Ww*mUtj%QQ5egyAm&aPRv%M^t}|rL3M4igEp*#ZKPRuWdTf2z zd%I6Tw?90b1{Qp*osD()E>tq!UN!HEjS=(JZ`uxG{bo13%#pT72}!88wNgXYkUB!j zg`j?R$DpnZIr8_EZj4_^$}W4uAyX0WIil)M1^d2ve%2JCV3xw#2ShzZ8yy@#U_pad zekjKrlqBvaxT^aT01QhY1ybyv*r6sfRx|nvprqzZtXkx{K<$&u3E^OkV=vlO2rV@x zpb6^f$^#U@2^Lptl1%#*P@9gD_lpBY6uhLwa{TE}ds7L|PwPAi+48GSQeiA|F9I77 zodS!ey~1}@)bn()pyI%wK}1H#PNQ8x+)pR__{1UPGKC>ft)d>9p!M*Oya&gO2NYxzWW_*zAI9Q?NBDful<7cK zQ8RO0qJjJAKlbA!JvJdZIWKgR;Ip8ZC`Ji98i`r1#=6Gy#=_bpwb((;NKYq+>199S zVZxtJ!zRPXL0|$T^0R#&c$#s4FGJeg(`9Pu6LCr)>@W)Fm#rW6_Ozd&_3(bX7|482 zo1`FfXPNFoFZwyK#NTTs_FOvLes_7gw76caTMtG4$gsNBgE_Uh$81w@`z5G!tQ)(R68Hoc$zq=(ztQ%A^GT&T?7UNg0Nh*ij=tXrlfYLId_tYFsv{YYDDf+E3cd zB13g@8<07-n7*3vn54rd<(a$DkdL0!WyT1@4Cm>30+1g1CBG|$+Cgk+A!1+9RhGqD zKu&=K@jBBL->s~OkswN>1i^p|Mdz=>c|aw{Y>P0}W<8oe>Q0HhVfGDI$IRkF6j|)4 zopz1RHPvwiHqS8co(wg*;J)~7N_blNnT-cj#Ab%7n#8uD-O-GKU4`iaIj9W$(6$(f zQ1(++*1KV1XAhqn$u}^Hg4zr8D)x=O9YHTtZpo1dA&cHrYMmER1PC!N;_LnCcSNY; zW-RhRQ*-ZR@!-hL>V{avV}F~=j@o2Ipsm5J9u*$h$ddtcYO`< zSuMHtGbh#t&BzGCdhZ&&??>S!cZ=(Ec0aUCB{X;A zX+c=-@(=C{u8GtdzPHmtCMv$Kf68fcvhvgTSXjNz{A-hkI6g)hx+Uj6cwV(yP;My? z8!(Je_U|UJby8ugv}y4aVX^Zq zy_CJ2uji5_EXi5k(S`%AV?R*wp6{U7LH$GdG#LwI4e2Q<*aFPG9k$-kRtwb-1*M!x zdtFw+x$&CgQ6acCo>$xM&p7F18fySPz4Wnb$ztWInc!b-PzyvL1vRCtm}ix_cNB>g zIZV=Xt3?pF%)8jShp#Sg8BHjEP?Q>ScgiLU)%nM;4jv~}PT+E5GZ4-Cz=L(Pb^ycR zW{rx~BOTUQgzK<%C0mAIF2ijWKjRVC(MDg(hM+qP7cvG}S7+iI_9o_;*~8KuV3D4F z^*)ncm7bV_UG3i`RtW7%_Qv``>R1X{7PKhH z=LGV5cyB)n^lth7x#tM3o5U*E56rm7AI)I7df-pjh=dB`VI0i-s1MM48>jGdS-Y_H zc23-Rpv7PmX5kwm-xR_!dG8 z+03{bR`XhR1kvDc&c8|{qoLQou4eDE9Dcw%R>kjDUDlJ^J(0>$?^A274oG+AksqKo z5)u;IJUv$Y6^|{#US7YS5789*^P5a=fJ-iyb2!E4zqPd-39!;%+1@?ssH14`YMO{C#mE)9*^bQ05S5Y1e$wgm0prDs z@yYFkF<|`ir|oW?f>c}wj0HDmaN#_mC_K{#8O^q}bZ@HxL_`913 zlJWN!iSR6*WfiZGVbR+kbUX-ykk7HAFZN$1(6)SDL9gEQK699h%J>+1fZ}9VXLD;|_|UJ>z`tC&^s9E^%pU?5 zX4A|XfmyC>W<9U(o7$cpW;qg(;Z8KcwGXiny_@A&Yv*+`aW%50dc3XNKNd^ZdU`(U zyprX%_a#eK?H?H(9d4{vi-YH%S8H9n*4ymqg5%ie&?ZmLmZfWTFejYlf0uz;;mb#QZXc3=4J1q-re%a><=K>#1=gw$x4(Kb*hF7&?2Mqy+ z0vXb&XmNe!R!g(tp%Dk#>+B{T-~&3d4OZ~KYH2-;){8e6-g z?O3}_ol3pZA+V-pc9u<&ugklBkRMP+PWFIl;%Ju>~^+D)eAnsK>Sfpao~fAa-H;LH0Py)!ge`udL)yGq%_|^1K|@-v9phKqsXQsKzaVO^Bm?dQp z^5p&eEWtVhIqklTh3b02%!xRH{S*O`irb(9v`o-?pyvP?;DCe*MNHU!GslOgHF*Fh z?b8COpcuP$QC^k2JD~|G0hr{YLO_{dflBg%E0Ubjwltjna1`ofz6EjeDuEgTRt6x^ z0B~Si563wGMu2RD$xx!U&SV3pe}G<$Aq;`-CE!bvH;n}Fxcti$PFrdO{Lp^hCxKS= zd3c;Nh60}qN&p*7hfJ9PcY;w<#ST3Y@Pps_9L9r0C&CTWpHxoIG7Fk%?i+{H^v28W2_yeU>xZqk9bPDpT@vAE`_4&_94uA z1a+7fUkRo06c~ng0p-1Pcq7%r@-@r@c1U}@5f6ibP}{=z2=>9)FfM+}q!>6VnAvdj zb9@P>)P%2LTldu2RU)+36&-U_7{QhZdHqFoxm<9A1`ry7_ zvUk4p($P796Ps(+FsNspfYtcKB%a?TY|2UHKE19S+*#iBtWIMFMrq>vvNv2+eCOML z%E|Atdj2F%PA~lTc#LYj=w>ShigAhA(9mFZ@W6ox9#di>#7U0$^&{DYlNl0C+Z@+Y zE4e!fCm42(dV5EE_Q3u3XZPH5Pi)>|mvXR<;{a-`w)HYoT@C=5o|AG+uLl!CLpBVXcrI*MuLG=f^`g(<{5`@jH7PXZ3pWm4US)3+rdSO2+rwxFdOvOR35`- zZoLAi2~Z9dH;3VrMqg#3976$Ehqv(bH!l)11aN@%!unln4nt%9U4-L>wDYB4<_gLvaIl?jGy|OUs-W2^pIWkav_NZ|mmGD-4Z}WJ804%m3*={iTrX(~R}~Qu3q8hejc0 zUcl-QfIPrNW~wzX(aMmx?%aLNo12TUt_mE;6>0j>z(`Rzy5_=Q_9jA(J6``qX1 z@!p}^e3UUI@K5=vX&;fP#~-$#Tsl&+F1K=i0%Yss&_$GQN>snSGhC z1zpN{3;=Lcr$f9*0b#ta9ai84a+n9fz#Z2F=fr3rMZ#Fb@-1!Hf|l4N?E*f46&eTV37Rz#@K3vS^i3c}`k(3} zWwen8Ga&=Q$7EYptbc&&a|q*_&kN;-s&!uJ#yQ3f-=F47Q7=qgawFxk0 zJP*gjkIzv$!vW4Q6|iBf$wVKULlSpP1lk0^Mw4s73@{Hy0k3q|os*saBsr zBSnGeXT-Kwlr67_{OJheBCuY zS^1`$W~KBP=o$ED7SLzlL;FEUUbwLPgv+g(nwzzmVM8OFBp}yG2v|Tb0DXFWxu-ia z)3e&+hEJX>&fC3FadD> zZJ(JprxMw}BjwD2`4XUyXLHaRgxXzTq0InvB7xanzU(VGfh9*bw+B_C6TD+D^19?L zFr|ETRWIcOFadQM<5=lgdpd1kD-Tt6IE*QkB>k#)p~%P>UzDo0X&!qK}Q;7 zG6aRDw#C#5NU*)A(z7({G^g}wUJ8arfYF2uHztAUP$C6@90R3z!7V)X2o=lNx)Vrwhbe*$r$8}gn3kJ%TUQY z*k3*Qqa69|ixJ~w4AWS6Zsa|gC7)g0$qgDb&)81^I58-KKOpZpb%$oamruL>jP;?4A_aN@*?$==?+ z0&CI3xeXe#XPZ0gjoBk13BX=dr5x zJfG*L{QQh>uB#a^rAa&o^EA}1LC>XYC+z~N=LiF;bQ(aGLY|fy(|+9vIFMce7(s&r z+SRt~`e>Z!_y~+4)zU<$ZvhppK!!x)27&Cy; zdf`9<;EdgF6Xo$!0p`{hj&_u{oWQEBJ)SquSe3VZi1+{it~Pol>LAm)p+TY>aCnOl z$^f=r=h7^2=S+*B4zYDwppOcaz;%36qV{!?SyEfzD=Q7rMI~*TurJjz%oWT=(;PQU z=3S+bbeeq6J@OUvzVD@s2$FvT8v<5Zo2qZW`?J6FrW*oXK~YW&(|(sLz3H`d#-Te_%U~3%K<$h8kP3+^f-%Vzx~@E zIo#LVciW8H?{xcx({Fny`y6zZyp*Rl2IW}2ND#YlhA&} z6<20&f5$trVFGC^Tegf{<{AUgjoYr;U2s<=u4+90sH#7K1Ks|8`=cAXckhXFPqee= z`TnMF>os+B%w^I{5|qR`zc#}wIGJk46+BgU3kuv#K&AZ~080`Y1q9##S_(3Is}fgr zZUi<}(wvY5>5TF@_zC);OHB0E<#lcH(H=}hNb=Sx$STXHZ7?;_$2^?!Ldyk2^oh3uz(LeFgY$V0X52m zXFc^QP3Pcgo_x2lG&YW`zy>G+_TfcN+eu9wFh(1g8I=6P9<3Gw$s4)@2UvE36(o>*&IVbS-W{WV@)aaRF%8! zPqH7oj&1_J%z%Kbq^(9EjZa!yDTq5xCZ9#*A)gF~_1iDs5gp$GykRD^o2Mm%NannQ z_5~#a`P2;5#|#FA6(Th@@g<_>GEz0%gv{`}U>o3q}dN2;wX zU7J6DVPW^nhXBXH^UaHNJjDpq%l=run3VExukE8FqgS|lnm7_bMVB-+tXjP)Tf25` z_VUZSV@-Mh50m0_sa#1V|0vBYUc4kbu>U~z*MI%hZ0pvo*%!X>h3uslUviy(^iR)t z83tp*`|&(|PG9r78h}eKxisR%EAgkc^y2R{(T9cv_Oi1kR)yQn>0=MKVBH zyRVN(KuSy5T&C2?BuNjyw;>Kp>ALUC}^POJ9>} zJ{TJq2A7~IDJy-)@;<0Z;0Rc1mIxKMKxuzqSoHKqjctFd%MRN{8GE|#jb+rdcu%kl zhKD*;``gA8Bjec7hos?9)$V=0+wrx~gb_8T&466f@4ZP@Y1l?QBfez-xWGFm1EODq zjD^Fi2?7R@{^!qk0x$VS9AgD+H3F*Y1$wp?;Mlh@f+jVL@oF>|##cu2@a%KX9UsQa`{~v>wMnAIb>dMYz~KEo z@A;RXj$PM!dU~AtA{{@zt$tj1#1N@U!40fo-EzrAgpaFpcLsUVymlWW+E08 zUH=_mz+@{u+H#{gC1XJ@fJ1eyp*~U7>!7BzNiHQ?lR&5%TL4h{kHkc7-YPq}g*3;# zn9%tS$2RH@u%oOh{(K#}U>Big1Nb!+=%fclN_j8dL>bEvSD)Pu?49Z|jQn9@(n#V&W$6~S3ht@}Lv z2?S8mH|^UpC4#0Bx(WfFYg%cdZy6_v|-C{mSj0aUSO#00f zt3w~Ps=Kr8{+?#j3>tx1K%YSm>jx#(HRYCB(7j;KWtUx+l~10mHZwW2%xNu*k5AOb zC&pV(96K0l_dK}F^fo%$+Mf~JhS)7^kT~e8SQ>WxL|^Urv11EP4IetkytMK6_734E z5Odhb$k4SBB&Nvzq=KX${>iimi1`vT!QB3+l2=`s1NihlJ9!#aPDeH+d;xiQ$O#mw z8i03#&OfKi(V#i%_dHfQ*9I>m5TGD~fmFs`F+_+H1Pq#jQxqh}8t7Q6g#@lDoXOlz z)B~8hw9Sb=fq+0sJ^`E=STIZ~ZjR|I8KJ{tRj~>1!&VKDN2phTscG(V@&N#-GM_EOpJn3YdG%Jw;gTn zSQ<15b-_eHfAm{*zRZLOM%@CMlC=y_05AFD*}woeq}tqrKAwZx4DHy-Ay3slS_cEc zptXplXjPa9KzL%9RRZ?WF_Wng?0F}Y%tO<`dlnsshF}6znG5<{ZEPigqcq8r``qi# zQ*U+E@H)BKmSe4kp}B1?Wl~@nij&`uObm8?xBOKb;QsE81LNzy>CqOQV{ZqpI-b0j z%`K&|iE6pEIC|MFANxOkrl%*X&PwTy=*&rfZDJo*;2i8Kj?P-J)uc`Lq z+$}>1o>Ez|WJxwMIK0t3Na2y!<89lv1!qq9nH`+gM%i+)Rw_iJy_A)1!YMPvscnl`fh-Sg{=_Z54BnLO7BBXWIHaSHv}VqxGtSqzY<~qQ2=W)7bsyC4ec6U__RBG3;@>iTX0G$XF*lz z*yU5nCXYmqR4(Y*zTV{0#?2_>-saV+3;{GM*#ktuUo{9CV;r;wBSk;WM8%F-sJr=|7(B{*;=6*H zow}u~QMwtgMRySZdz9^m~*j0NvWjGmc&K5QwB z1|YRtv4fbDhCgCm2AesZ*(&e!bji9m{9~*h2W%4$rm;Z4b zLt~Lob?@HeOUK5>FV@KoKu-2^CMm)5<(FU1ZomEZ?AzadI7m|B&Qt84!ACGx zayLqxAIFQ?4jVa}YoIc99@Z{yzK{}=MI$Ce=f;?)`6E!6%p)V=4tFW+EOjusPU3~! z!W#5qQP%}P0tr1Fz4Vmk&LNErhEk>AN*AOHwCuGC=g3ecb$9)J@t>~AmtF3(cpM#>IQ=6aX|09n1; zD-&$oQn&pJNII~YLQM}SH#93rOApmErr{t)8!{y^JhTZhlt2>3AxtSdXh01tals%k z&Y%+i0Xzz+9#`!ic5vDV2E>jyKG15JkVMI!BvR^9ItJWi7J^>-B{LC{J$38k*4R2X z)eF-RQZ0|qcIY@#_Hn*Z&BJVIGNF>F%kl!bb*AlD>tjn_rQg295;hqC`e`tkN#nF@ zA7@a4Idi~#ad?k>miAFwc)XKp8YUT=3MzFNGVc|9KX}F^p0~w(j(+=|yFrchrswX8 z0i6dEgQuy?WpItgWWW!m;QQb^Oq(^vU2pet*wgh(V0@dJOCyuTa#OXi<<{T%hrb|| zNa;ST*)#)2K-PLTy~amicyMf|6K`u*SD|ayuB@Fk*?&z0xVd~>Z_g2t9^a@ zt^h{cuv3-++=j3dGWn|VCSHB^S2uq#8%5$-zI=Ijvnyo>AX7MO;!JEYQ39T7F$7@2 zKIU2{NhWFQQt}tf{RrB&lcyZS^K-wggD|vFx98?jI&WwyWPL|ZW^L#9XCo&H+2ASL zQ$0(t5GL)$Ig5~#PEigCOwhp&?0jEn)Hy0i(gmd7g3f7`qfE*Ir(l+Bu1cG+r??bD zqZ@b#z)E?Noa(J*UEQ=bcL84e+O(mKNnNSWhp7awq_3K~fPJ@uT2@c`VulnyXGxec zlmcaXl|&0JXeeRv$0NTyU?9vHqX3;XFnkGy~8OA8p6jgGY`f05up2 zEtbc6V@xLc_mU+^$f1Jf0aeR`0BT3__=mm%+yg109T!7i4GagSOGGJ2RvLi^w|kon>}jXBSQauaOy zg7!Te(i&k3CfFDS#Wv+}NV9)b<;F9P$0TDeI5)PkjV)%3C2O&(4-rG*z;K4Hg!+7T zY8{f=y~4YZv;&MA;}jujk-%ehK%7%xgg)|2%rQRfE_`Y`&`wEveSB*$d6`l_&&r-U zMr>1)ZFqfa_Tr1hw{q!Eva9(!n`Xoa%mVt1cuYSWk=wRys|wVI5BKgKJAWc;DHcle z;nok~t-a^=I}4XCU7X$@caw4OSW#wRxMvz+v{AzC-xlto#2z&mFW>=WbPKF`4ePt=&_f$ zN4Z!!r&P^E8P_SJq^?8UVKD68oeSB6_KED-Z|%%Fy4|@9dn^;J_s7e$tI8Tcl?H=) zm7&`SJ%AAaR_!VgG6{l+;Dw)bfOgQw?O;BTW<%QMJbbgT-&aPf*=5@rv-OuO&MNzg zS=W+{Y^w`^05;Vc0PobUBn!Y5N^`T8E`X?UZ#I1VRMycs z+Qe9w5h2NxxOA)tv!M@wng=DQ%;A z(*@%Z%jTffCmnskXF%p6Jmh^=J^@T1I_U|R4UM&I-X?&(GMJ4Yekq&ViDO?jpFIRz z1CB}^JAPH$JJNVoYG>ucNH%t|kKbf(HnN~Ad-?g}*^c|z5C+io^@`^VgGBE1o`qJ1 z_g-&xuF`dGB#AyPX)EFfg8u?E%Cy=~zkSy#ygRTj4bMV&9ymAIMr=^YxZd0 zao*G~;~lq+yW9E9rn7wnW&!Z$(aN?li=vFz#g8&Ox6kHnH*y%7!Ll2Dwh0_kGx7!S=Fh~dxEP+DWy7-6r_6J ziPemjQT3_Evr>9f`-Ry+TQNI{f7+N4yqHX*E@`r=sV9+F%y+$+yfw2piKpf%U#B`R z>y_yh*{75%%l_g~w!;19c-GZ6l5K2zAiHeK;%w8#?riZnYqIeXn2!olb~E1CfZ5nk zE!%gbKv15htiAbQwthuZwqX8xoGUxQ2-WqB4SoQP4IQ!lsJpV&^w|i)P$L&$xX=JJ zs1}C?O$(Tr0h09E1XV;TYiuJz-q1dngf{9U6mK@3wYH$H9y`W2pnmMJtaIUc0r=ws z2eY>J1=-lC<5_D1D*hHsN@!#z+1?fQEF0+qK$mRJCI^oorSgm`1KAuM6wxTK&@3yA zpX3}#o%Y;geZk7}vdN)?S#9J1s~R*#$e^$i0m)eiZ)_nBgU`A;lGN-?a|x?@JdSmW z@cC-;DAJD_8WC1?^S%_bqkAW^J^MzoqX#FmmCKv672VK*32S0RXEery=ia%Pt!dGk zz3|Mj?7>UA8&Xa&*RDDcyRUAXS6qaa`ukEETEsg&*pDU89z{evxT0X zUq1CSKl8qq-?Z(T1y4NwM74F{qEg4a&H{Gl+Qj%o_rV=I*O2cCJ=R$Y7LxkSH{Ik6 z1+cGuGAo=s*1d4yqC+pgT%A8OTzu-~mkT>~JeQq&-g(zhPC)1D$C{kqYTLJe>sJUS zvu~ezG0A z^1z8~&r<+o2SCGEHqmc)`C1A{SI0`(f#)W&U6rS3hkAATLc(hZDH8dPF;?vxW&-*? ziQPCk0^%>AdK`eXoX%<5*0oV%h+wQxMUUT#_Fxxb%vLgPfN;y=Y~pMG9dE|fS+N4s zR>JH6XomOpSReHuNj4Lrck*P`3=@HeHX079ob1gS+Rw?xhdv2&uz)69!lum|Tezl) zrf$^jM^Kx0BuN`BLIa>&#vjZ!i_oNfIaUd9T!wiIAA-t66}qaS1zHU2D^=bYq~RtQxMeNa!%tMR7Y<_nXxNDc2I-s_?CZ{l$ymD~du&HB z`})phSGO@`Q$I7EamAB7D~FUX=b%1SUp<2i zpMECY-Sf*AY~9fC^8OcoY)tx@J(xZFVMkyV(0|yGn<3?p&`W&E3l}YZ9I5+KRP2bi zSvJ3`i=D^Hm5m!WHXJ(K`+BZR+^Z3=oqMb5f!Dhky9FMX1&P%P_%Y zyrzU(MFJL3{0QoTq~NRFT+e=YT62EOCG7xqq$s869ORuaBheF8*VAW1?EP1bq)G7nRgo^ixUJ=L4! z?DUZYjQ|vuw@=oqUqF(E^OAuL(X|r!I-5&b$D)qx$aq`!|Nbd)|63LS(0W8OpBGS@ zD@psIog%x9MUO)Bf%ZeX>0uhHM2b#nAV;056k*Vo!+X7$;+q!=Ffq_7I7WT^Ej64= z{hP^`m>Ukb_O>vU*q=}d*Yg*O;rc;$!(HH0~ z6gB|hs+?2%<_S8;?=yfj@>y=BZ{AK0@a0Nv`?Aiix4pQ0S#2rO{H`2OfeKdP~^ylmP0D_UDxO8W)}%S@?gE>UMQ z89PxqS%&vD)09%Tn^(A}dug0GH2^?hN=w$9G?i!*PtVWd zUvsjgQVB3r-&?=H5|cjV6HPK4*eIdp!3Q4-P+zd1o4YBhoy(Lo8>nUIC!V~0u$~Ax zDh)wOVhC(8paeR+Z2QB6vR%J!U3TF`7sa0MZc5VzBg1pdjvPG_j7?6b)tU0%1wb)2 zke)e>kJCA6cB!BDOlmP4%jgpo$*!o5&d&u_Yb-QylX11JysT9e6rYh^O>u5^l3?Yy zj1MEt19sLIEt1J&?Y`EnDJ9yXjQ6cAHFEkSZ_fr~)Y6W7I_VjCtrFYl4i6zEQ{Q5i zZTf!LeqNE~rOg(q#3}NeHYV%qh-E zoh*QD4$i8@%}!}PX);fMUJ=y&I`}<%_AvQBNnCr>(y=D~bYJs6OZzL29Z%Qs&zsj3jDSF%FZoMMO&VW& z7h?%PMjbIesn5}O2iphrisU8pdrwoyD9lJdz7WI|h@7c!NyB2KK1~>*)ezMA=NRNE zju?wPS=J=IU0w6Dd1#~5QaJWUjvmb(e(1rt|F*Zk19JyklhVE=dEu^!t_c z`%E1h_Zcws@MDiYn!Wz@uSbGkl=b!XX1jL1ls*6a^AWU2t%WJo;$Wxb82Roy1_qI$ zKZVT~Y#sXT-~P=%%JY1$?|=92rtW^1CpdL~_TVfUfzxlmSwz$st!{{_cBftA>V%W70Zt$;Fp%`ob4JySL}Nc&xwYr+?J8_7_Om@9f8Uj`|eC$ge6Mh2cP>lnys^y*h^6w5ZYbz$q2A<$pUNgL_XI>T1RXE}?)iSv#TUm`u@9jM zXoYErA3ANuzjPvx5a(wOu#YcI3-&D^6Pc9!a|VE0rym)lkkFHs!gH_tHpF+domVXt z+@gN}$V|KX_lIeK!65 zjKHjf{`WKPKekr=LDoUKcVKYnnG=1-uR5@7S@reZ-K94zURZea@X_*OM292C4_yvX zd$+&BV}0AUZ4F#2x6Nt)UvpZUw>*YZ-HKH!OUt^tipP&1EAM=9=ZdzD&UaAui{vet z_ea&aoZ0yN=Wp7C?0dl}*3y$WJUuTtF{a5e0k-Pzq;^-eniLT6O+Eq0yh@xgk#cOx z!628;r-MbxFBqeG=SJA>qkUAo)RTV#;G$kt%FyTk$Pf6^Ou^+!&=Zm%6L$Kxz68`K zPnzrVyy*%|ZjhN68U9R^#^WCGSh4Op5pGmY#KI)4K<95*Nk>-n| zNaccDJZJJ;aKRR92%n3i$BxE#{v4#u=Vadn(o|;+4LSjVnj4nA`MS5>X$!I_J$Jrco7u@Bh@NdwNDN zk2T@^%F=`Hp7^bO_nWhK&e{=}1@yD_(fr*JmV@-ek34qY=JPgQ)xK~6;kAcL%a^an z?z-#Vn3S4YT7QZb|B}3CG@Ps52S&%f($&`dA1du_rP`y9Wh)jh&c42DS796}p!e93 ze?g%yQg+&udPX&WCnu=eWB%-z*ZLDIK`J1HMV9ljUeSu01$;O@o zN}4beK;#4l=rTDvfyXRc?@?}hrvV#Dphi1DGQe)>#26&W9uI9)?|EK<$?~Fu_1Z2F zo_<>xE8W^=s$1x=5B~RfdZH5YMY5r2EdgAd*$7FHw{#BJGCr27 z-}Y$QF{iIM&zlG$xU1Tb?Bc0T*zbft1^G9ilK$QQ~;MksH&^eD- z=_JS82!m0-7pB#nGZbDn*>ik00LF>yt9Zlb?_6RLZK0mY?|Ow^OXHHBYZIoQNNE_; z@hkp14(WCR{Lqk4PLoF-hS)srEO_MTv8=E6*i;RdU4BLO{`dV%_PW=-E<5kM^H8}r z%G6bMzW8G4g%@6UXz7wgzkkSDQAQUV|er3+S)Ghx*Dc<)D23z4zVzGw*rl zuObB&`;Y(^q1HwADPDWc)p~%xb;r{sT#_Hvh#B*c_0*TK6~6kVzx?*k{oFr(V)cRr z7Y*-tuF|}9Yw3cyb4xD{4_A&JJ$&_bZ+Z81cii@sJGRv&ddvQ(5@h$8uWj z{HvtAY+i5V%JVv2{F|QgTj5$h?N*HS^o$%&zb0)laP>U-dEUO`m6)T{rez)1)VvK* zA|8p~r$1iwc?4Z?kQy*=qV)_Sr;`x%%WToEC3S|2%zou`<=?5+Gy3FSH~jM$HE_xl+NVGd{!ub-~&Ab zyequn6oELHWYKZcDzl$};*_0Fhytz00qS~51F!;Zg;1a|9i#HJpdd^}tBC7PvPmVM zmYjJpm;ka{&N@{gtKt}dDxM;^(} z*>Dc=_UB~#_wC32JtuqM{`<0TeB-w4_3W5;Df_Fl{-4QwP1ZHP8|i%!`_y-5YuBy~ z2fEyEKwGqa1gfgl0GL!)3lh>LO~GKu;MlkLY*TuQM8M%{VA}jsXad6+u`?3dc{QL5kzMOsKEB`awbnf{w?@g%u zo2>uB3pRZ8-S7RWzx@4=ee4C7rslCHrq?rjJTpgN7SLzrbNfN5jy2`{a0id|_T9U6 z^Lg(bV=2z~fddU|aUA>HS8l1bPn5F@E}rvqRD3J>rluMjLX{qfuwvPU&p-9_{XH$! z%DmzJ{@P$m3#)5OrMJKBrzXcICVp@0rB@B#{OEoEeKR(?9e;z3?g#AvGzs06pZv-5 zFGgxvfh6jz7e?KD(oGY8BHd$`ErtCYsiuOuJx#o@HH6(1OwAej>R=z>UcV-NY1vo; zW+zwGu&y1CSlBqm=}_l{t%IDldO^c;C+c7%sMnL2sJW8^iPD~p%P0t{((keB3hdHm9UrD?B5mF_hwfn*6k$$Ns!pqDoTyiTdL#T}(ssihFq-(lV7itXH3! zNhgk{+6H&8(|cdZH7#dL<7@exE*T^>I0hHe?yT+F=N;p0TYU0y&&ydhJ~nUc_S|#NW$Zu*^Y@KOkKLpMBva;u%d+AGCH=qCB^=nsW z3!Z)^>$v8ctn=2d6aMS4w%PZ5=tIA}{8OL$-GeyA#BS_N2G;-pKmbWZK~!e-rfSc$B443+6BWZy*2ofBn|K`8WS! zC*_;?d{4)lAEX;dC^7AIb#=a32PZpESV$?)}dP2$y^{-GL6V_dX6KtxCBT~ za$~)R)LOR#I|1h&?b;}HG}2q#3AGuU^x%M7fmTBee&R%5EGOH){{Ry$F~Pa6t$X7+ z8)IiT)!{m@8CA`;a$pdwoyQG)<5D6!A^<3z=U^jE9fSluGrvK@n*ws)1;mc7x6s3nR!8);8#nzUe7x zj_jX#1a_Gi&wXEf4-X$coIUl_Q|u&2WSUo`4I4H@UgHoPKYkQOU>Wr^^Lv;q^!A-- z=;~~%E?(GqO;g)}ODOu_D>ZVjsBZRj293ZhpwFO(^|v8)dtJ)@*7k3F?dqSn;$(ZN z)OF{?WbF;z-Gw)vv%YZ4&YhF3{io*K_rSOQ0quO^t6%-963Em{vwizEj<;vyqqW~D zb~b!yZby5^sj>0e`WIg+3|z3euwvDk@_pOyYFe^%={H_{@x@K&oO8~&-n8t=UIy5w z>iJ>&07DW}Cf?g`Qq9lWWd!OJEW|oH=XL;Ci$YzgXY-OJgz!Yg?8KfXO(jxQv63Qy z@KwhoK}!jC_wGF`5$g>#_u92W1Cd%HJY+Xlwm}{%B zWgf*z>9NNj3x}l(0po5=5>DVT5i@bSH@oLbmrl%j9xH_pVl!8mJ8|+vtV5qm@Sdg1 zmI3VSv<3ZwjX_0B(y6*tiCufCbqG*0F@pR)7z`cdzMo_~fuIH2jR5Idj@VRc+s7()_f-(Ac))ZCy`1@kBfW>Ai?RJRKc`rRACA zFNNb8Ez^DkEP__Sd3=1VFf>{n*}wPdpUkpPr&#A!@~Wxnej+7Y$-7gbT7|!8-gD2b z$KUmy_x@%_XXkHMD<>wA(3|%5_6a}@S6p!=yKs)J{?eDe@+V*X;#Yp}eeZksBdE$V z?Q{TpfwiqMOEOVAlm9@8I-(5Ty>r}n#pFcmL_DA1AxhvnlMM{AOBcXkWHdq0HR(#~ zew2cp(4DNqQ@c(@0;Xc*QHm0@4kH;0INC55FIpUHe^=ssL_Uxh z9|hSfuY5x=37!i^Pd@nsHq}L_T!*0HI1I+Js9Om?GrKX!>+FVRY^}~z;*;s z$3h?xU<9)61q(xJU9@N+3-|1|c`6J+~JDdJD z83BQnAFd+86+Jy4d4LJ9de6Q07q7eS&Dq`C@6MJiT{1~flE&@#JpA!pJD>Wu)2VT0VZZCmCiPcR&3oafi6yY%4?e|Y@XTfhEI)>U7FL|I{iE;$M78SbPQ zAi+eeEjkBrgS9x3na}G+Vq*^EBdDLYqvt_6(hnka)A}su`d-!Jy)Z5v1c_0VtJGsO zx5I~zWDAj$gJB>qL3grs>(+%zRHr4?+pZV4eo?|nTuEJNItM9L{MILU-u{iR^Bk5% zgtmDsud@ERolN!sj+41IQ-SN)u_H+63u97$>7`xKcLB;IlVe-Um#<(_?}*4^dc&)_ zjlee4qhr-3?DYbGwAerUHGqj>F4_*Y1Trj2jqXymbO{n244({d?z$aZkD{w5vY70@*)JnVz z!;}N`;Gh9_l3XHyS>7^&nx6kY1Hq6WZ9#96ya|&F2tJNB#k6YG>P$6t4&HH*KS6m& z<}xN!no^l(g{#7xPd@zM-5=&2V#Uhpx9+*G*vI6ta`D2fbJ4=` z;J{FcU7HH))~!F#J%8bUSh9Rk`-K-=aOYK5U3CB;2+81w8TMOl`Pxed4;@;MR9i)o zEdb|07{Bh^`9k)mpZVkLyz?&z^|aR^IcY zBr8}5(0+SOFcx$LG{ID0jqB8(t8oQ)!G8r(`b8IB7}qT?3=H6rzXJ8DC|B1AvynK)feys$d1*XP$lvI!6ID)&3m;h63^;Gz5a(OE0|?{W2c8QPzxxr~O{( z{*iA#9Cl%zON2c&OsHB0f!9cBYA|fiz%^RobK10EN&6>5@T0Sxw41LfXerM2?+DNwWU>dll`N89)ozUi9f6m;~pW%ro z9uG!AM&M#1>&cA71A`XFBTx3*a{=C4sI=L7xbWN)k3D#Pp66A*11N90>88>j{J|e@ znY(cD=+0-J_|$=Yd$w(j_oJBYKX4#G9&Jtqm3c{KMU9Jey1Kz7h?uXk%P+q?G&WB@ z^)%0|m9g&%&CxF20iUDV6GPfAUAlxVa5vT-dE`+@t`d{ITzL1p-&Mi>UeZ+biQoO* z3_$1kPyYFz{n=-JE}sith4$G?Gjs%I0eyx(xF446ZBqa}_bng)_(#4@Z0Pbg?!Kqt zr5<1PU6qN_Ih)RZ_Th)_b17Q(${)U}ccg>KtF~Q#WAEVupStLxt>qP~ zR+S#P_rAh;&+p8(V`J{_>S9BPLS=MptoV=r(a#lKj>Uvn0|1V;w{`4$;l&qsuUNLE zx^(IC0i2RXk)TG$CMNoE@+n`qWlO`n?(RuurCI|sHIx6?|GMStN%D{%ZE& z5C0OAbtNW7`zna!`5z^Kj`nkb@a^w-XV}*}kY0PSpKsl|B_vumSwX_Wfo%)mGZeA6 zmG+#3N099OfhpCh7MBL2d>MIdIpZxzoaj4|J@xd{p^8^RCX{WqfB(MhnP;Ak30?Do z$49oqf?WhS;H6r!7!*10kG9} z7}!PsgdF&#Q83j}O@?9LzL%#Ybr~F`Z2K?s;wk_c2{kMx`ys6Ye0+P2=Vc%E?Aa6a z*p5t|Kq)x;vD3SGck~c9T}m((84a}tniNu=xE14;j%>s7)!N8dxv+G_`ipM+>%V;R zmA{WXFW;(VrZ|J^uYcP`FTS+%FPAM_vIKGm_a8V!q~JpL@X(;Id3pW%^))2;5;PTe zLp#r;!aG|#|NQfdIA|7Eu2@lJT-lVhh`s#Y*m!4dXGekYDKaiqG%H2kiNY;kyEO&_ zDZKidzwy!H(PPK@Z~MlbU&AM(8CCn94I3``PoMtuZ@&gDCIzWD3d`YLaJ+fO;a7CTkx_4XE)%Jdk@C*xUm)OB(-PF+OK=FfZ0)*r+3mO8mJKjLD}4$$0)P_qgAY6q5}VSo zllQSB2SXB6E$O6NDwIMpRh2pi5D=8KsUE@mS70&7hCn9ZRM}bX`RAU?`T zA31yoXSV+A5RP#AAOs)*STYhyL!bZr=c6s#GcG&&(O?z?7p3U!cWn=;)5*CX+rJ<} z@DICz{kl6;#B0~B51>_x5OLnIo$4o`M!|trO|5jSs@wBkK;9&1E71yqwy$@aJnJ#f6N+jlF^uWjBj)HIO;y8Th@t%)E8$i9;=Pco0`KPHA!soYSi zG!C5XyPo?`@|!vXxbrf6`+F(y`zh#Tdi(8PdxG;#8_(IYsIR#^^w!PiHx5>-Ezdpn zdMO4GqOP3l}V$`^=6VBdx9N|K#C^?*FoM?byLiO5eQQLx$rA_hqr*Y&v^KAncfD zFL|?+{U}BN)o2litlCpgJ^3`7HrzO8Zb#t{{_JzvxvzhHVGU~A-s8tgEccmw<5gE& zx^Ba!CC@*%tVlBJnq-k$VZ&`8IOFO@L!Pbk%AGrU)>swlz3*|+NCO2GgLCIxB z{Y=htkRZpNd@}2t-(A{x@x`@uD_7RmtXWg-Xm791@0wSwH8)q=TU(Sasz`%XVw6`m zpMPF;lG&;}F;QjxY!#-Ux_tT4DjSYev8xt!9#aByi_sDjy&zd3h}ZaJEt_B>90!D5 z_SHWygbh-FIGK%(PcrE>V;jbsd13_c*_mxR@4~FwyfT|VugJ2X3iV)Hp5Kl-d`&i4 zW%*hW3Ak$!YUS>1WW12IbuP%pCX3`*oShnWvleXMV?*Js?5oqTssx45m7wn}QkO=j=j$x|EWuT;64S?euj)7=D1T@V6s&-`- z{FqM!v@Mwv>olKCS03C)$yfmLx_Jav%Spd9%go3ySVrJCZ_++=W_wZltD2Xwu$=3$ zQ-2bmCt#;Nz%WVAzMe@!*FQjQgng2+ptz49@+rj&-p7cpXOi)B<-jysdC==U>!r#_ z(i(|v_Sj{#;qamTpOZ$C4Zmvgx5F|s!QH{C?b`MH@L^V!z!;A|^Vnm>v2Tf&GWSRwy>y15oee z+2iL@Xkkotv&+)Ye&NqQ|0_TJo_Bw;qkYLAGH##0>88K<$b%2w|HKDB_(8R5g>Bom zm7rHzzbn13+KJhVGhzh(|Mt!UFs|ZS|FbLEvMkGzdj-oKjJv_uV89R{m`;L$&|)3| z5=a3O0;GTmB#-1JFOL?$c?m5E1W4$ZjtjT|25jSkd+(N9B-^s2-T(JHb7!>@od+`T zzhm#-d#9Y4Id?VRoHJ+6M8D22MO))Weuf;-AGRI3a>7a9yfLp);>z5{jdw3vxTx`{ zQOB56GjHxZovS^d>VN-oSEH{Vb@bmJc;N5nP(1^~xN+lxp&Y*-2C153jyq-a8?V3q z*Mj1v&AxHmaY#Q^QfueTT)sTnx3tU+mo)TJ*AmxG##XEk@+p-xU7$6?!l6Tj-ku}_ z{$|BhuU_R^4; zJ`y6J(ym=gmy&ne4O^<*l*zBSjp?p#NlhEqUQRcXsVY}ov(~jt%HS%Y6WexdcGKT@ zSLM`28_;X74DhB&DBt4Nty$s@k`;Pe0Um1R6HYk6wyt&U+RfD5xMkf->*c7!u`vL^ zcwQm3IFd9L`men<-Bj&;`}T8_Cr>iq0)UZ50dT;Q{$Rw0_JTMhS%3C+hjV+rC z9RRY%G$7PL9stt-Rdgu}n0D&i$=q2``%(p8oUO;8<9;dvSsq?>g8*0MPuS4NO{i_wePh#~#y!rO4Wsy+#gSsGFl^ zshi(WzkdB~0t41rzm>fekRGp2aa$_;H_dGYCGN_)>&9bdnK z9H{f-`U>_h?$QTyfOl^r{DB7!pLxnDC-$E<{k1CXrEc`~uOIDJ2`p#5J<}~%xw@)F zv!;zSxW0DUX{Vle=9ycC1Preb zrwPHZgAdl3&_iXNyEX$JOP4Hh9c{mPu4~$?1;eg^2IH*%tk$ron3vfZ*?&ubwy^d=3@N!PNVg=-}+@6&XtOIIv#6Q?e6Et|77$_DWaCk&XBZmd&$e z_=KYqK$W#}02)cyuScWm_FK^aY+L)6q>fiKK%BmM3D^WdYc~}m(X#YFThMM`Yk=g9 zbP8z0bBz0-fmOUWl#??PErS5IsJ;P7P@f4!uim|F`2tt90JO(9>!N*m2S36#{lb`N z0Qx-8KKe#|INM>8!NiEk8Iv~XkcTUM#ufq3X8=5TDATiNPwg8Y~|XiUdx*Xfr%x)MridFf7CO0D=AJ7?{CV0)HH|g?b3QKfATR z8dqIeRg+s()aHyy6UP5DOpq<(C;u|ZnPSqOrP)Tt{hT>-5(0ZF4}WJ4`xQ-=(~|nh zLdc{=2CJD#h5kMh`dBx7*7*CY&Vg9v{#Ad&AJRVt095F!SLZ#|u3g^w`|i`b>GEaE zYL>0vkQ}T5yq!Ft?bL|7ZF5;w*_P71UwGl=3(h#}>@9D+HvM%CC=47q8ZdHnU(JB_ z&_n;&wtoHU$4@%x)CU(VTC#h_o3lDsRBSJnH;&|+d5x1j`}R%j+_)jJV&&@e_N`k| zOIEK<%~-H7)wWyL)Z+E)QnOxvGo`^bHD~3j)Y3I;QUy}OFDu(pGvoEw(#MQCHVOD3 z)dEJSl5xm_(U$yhx<*=OWxx%fz|RlIz}NliMq` z!1c*r?fNuX<+`}pu6=Tm_Ue_pRcp!wl)Fr7-BpS8HDKT+Hk_IO^4rQbxpdVo*GrN! z>8!z`&VJ>U$#&vZUrCdwps_I5AT40pZ6MiBlMsNF_IB#n$t{xP3;19V_PQ+8WvFPt zEF&p11Y^q>R^>>XfK~S%Jq_%-cI|33IU==0_xONEDz?4xs+09t^3yJW5ea<30xdQ4 z?qxvy(n~M7gLEc16D5`hm|T>Ulo;PoKV#^}WCY2-Teq$T`j0*;-{3kVhPKR~KhGu{ ztgEv|&qwEMYmfInvSVl`|KV-5F5k+e=%&(w&~K!7mJ8qss(a|n)xs_Yg#as`Qqeyf+~mmQ_e%&K;VG#EtrDbDHOZQEV#k`*%OBMwj#*R&OriHlg371(@b{>{ zC;LRpThIiUlZt0MWDWTg7d}*DGmfwvMg##m{x1Ih|AhlFp#T5!rr)QZ3;@jd*RGvY zws7t4scl;{8PmIGkL25n7S{~kv?uYkiS5)ng!JP(4 z>4{yVoJNh3g(AGJvMO0v(j{3eOWnmw7bhFbnzxzOCs&r0CY$!?k!+dYBxk7x%h9Ku zW&Tu}GLl>5 z+O#TiZ@f8MQho=4UZIBRCa$VR4o(_tOPAJ_yLRbpATn&|K)JOocE!>tlqhbWUftz} zG*1%LTL$1boH4Kw2m**qHrR)c0FpaiD6QE~H8lc4ou-U3@aDW%I06QdDfC(cv_S&P$W<46o5>OK>1nwP7GRN?( zTet46P~Zihps`wQ!@}L{9z+A4A(0C>Y`YpX08a9;HO?I9X!1dS@HU4^8v`?)yKRPb zGSD)0HW~)@wPTou2ROhPZ36eaAG8pFCS_Yl!@;^fVBJa|oT_vdPk7(&%z4M+>ARma zbudH1P0|o>L?~+aR;^lFpRfa{5YO0yPQ4gHu3F^}xdDiSw9TIbZJ>U33=o*O&=-@+ zH9;eAAIce!E5F4kUhPR}9lgabesMhk5z z`kuVNF<}r`r48JW+TX%xkljSRqTEc_Ey$7Nzo~BW;LE8$!*b+6$ZF#HdVO! zE9SbUO`5x@GZ#w&Y~-33G;y1@Rk;5+;{?BMDSCK$^<;s;NIa3En4hTXQutHmain)i> z)=d>RRc&CRgc_TP2S5l21K!ld8usGFi*0hjx;1Tj>ZvEqaSmX}-se`@qQ<&6bpe5> zv@t{@oh^6Wx^=T%2dsDRRy&1;qE~DnZTTsu4*~lERPRhE09oopb&kydO9Hf?NevSg zw%L*2o~c(f4Ds~apba*eQQt8RRFv_745_4_=+IbxCroNs0^$Ag4w=YMo_*@RRb=Eh z7wtpWeFW?%JW{FZ>b;*BKVg40;nk0`9!@{w5Od)3;y?`OpBHDpM0B%2{fV61#Mir* zR6Jc%T%4OMFW)`>>8BeH8Z^*U##=X+CYP>VlN@=(*J_ZCBzYbt?_Y;ao-lFgb=O^g zZ@+$n9{$ERj(=zT_*=YhR?mYx20Go=+;YngiC+12)=+6zR8p$@jb@L8M~<2~TW*1OSB;3^-AqHDj=@ zprBBByegPJvL22~9Itb>HZJHfgErL#ebnBl>j7ixN5XHWI-m<^S8Dqk>*EA~AE_B| zL-J?Mo8<#0DQu%-%^T?-FgGoPRNk!PQ!jhZnN-j>^03y9Thai~w3YhlE4BdIB5hZ; zuc2jO+Zvh(fSPu5WfuTObNIyvU~#}hpnbH7c5sT?KKtw|zOdfy0UG{Uz3|OSXgx^z z@dEe88?W200-oV1zZcJA9hRdyvGS)bv;o*A@cXGr$;+KVI@CNxCJ9DekF-Y<3mp(t zo!nMddWQ#pxc~ZYsOXfY%t5?@9l1i%= z&7GG_b?K5kOQ6zPD%Ta-=e=20+UqxNs$u=HNB8bI?8|Pd0aohgw>x&~{MfdN?T`QN z*T0^xfpbT_E(7klBS(%*mXwqLf@$r2PHUfT7>6wmX@Bh4vAO!}8aM8L@6y((F&Z$d zrB=^nKwl|!a69=OPd3uN?tHoYlw`%;UBCq?tGsDnw>!6`ROmW|O(4Z*m!z&88qiw` z%QkGObXyfyke6^9Byca$09~oGv)VLDx-B}xO&IOclG=+`FLuTMywRmvc5+n$69NEU zxwG7@S+&R{aSq17!`Iio_BGqbE!VWdjD)#sMb(Zg&(`t+27vPcIB=3;AR?dxC_88^ zea@VBOfqIG8DPic088vOl9(4svPP0dWsavbJccb?xX`?_AmlU#|xZIfJ~#I?Q8;kRMklFIDat+6Q9US96-q0HhayP7*LkU3m}Yy zOPx$?=nwG(18GfU*eZvA{r2)WhsFVL$3Fmj@o6(#p?364!N1nO+zL;Zg9 z%{QCP0DK3~k2vB8oeAH^`wkE|8<<oeb)HdINzf{-b`#vEv14#X0A z12g=KTwRdVC%y34>1sy)v8tUyw)exu0w~Kd;W4)Zku)s2WrqBD0S<#@4WT)>K|Y6(-|_5n$oF5$2a=) z={;}o;K6IegWZvO{{7g&pvVU!AS`$_U?zs43f3Shg@E_*jpPcDG-~XnF4W;jxVv}B z(Mpayk+mG*c4!}Yl~kqWHIjZA_%(p9(*0g760S>i!fn&|T$rD5+jj`eb)RUGa2s>A zuf1`?wbJh1%>wkM#jm@nwX0oKQD;}wtf>GM-WylJYMg4Apd7pk$l~ub2pM3JS zyFdEqJ&QE~%|3QGt7Lo|bKvvmK<%&p^RFwe;Y-4Sks0@}a)~)~#OUg(oi{hlYt(*& z2IRi&+gHt7v?RBAs}_l#QtP(wBp0R{$T_u3C%d?Ca1jP+JI+)D}3W3%x0cS5;I|txS(U!G0-+a^DhyoI5FOZr60VW?v*Ruui z?FIBms@j%hS`E~|fP@Em-K(DfGh4{UkAK>L8XBb2MX<17bY#gEhu5JQKF0eP6j0Fq27kkoC`p|+t7ppWDMh=~W> z&-m7vZjvnY7cE+7hH>v#d_~hdQ5aauA`tzKn-Ey`){XyyW;1V z1D`hs?C1S?R}$0zQgQ&*IG<`s>rG#u@$4_lx0YVor(d5YSP(BWI?pPCu{y*Au_$ShRU~l%Ak7L3+#!v9I#@v2NW>U+Dq%TY?%U_%{{9C z1+Yd{4Nw7&UYhh0B2qH|71ZCX9ouPe>L_3VV6&D^px>kcdOpS?4TJzgf^Dl4-~?>} zba@w?az+5Ghzm!@)~b>LCTTkK4<1WuUQM7%~pusj7p=}<<;W>@7 zZ;J}=QM3f;mAUC;-lH>TOg%*f*g51kvPW%-FEIxiiUYCAy`eb$<*SF$EHzTn`nYjp zSqH!R_|fOyI_Iq!KNhr%k#yFgN`RB2{o~JFZfh;H3XO0d@`Nu#0 z;m$hiY|(Gw-g@&bslYedhcmfd=6~_V2nuDvT@nQgVRb36nqe z+T#ATXvSN!$LLUz^Q$U%_FKMei96}^(_LCenm+#c<0)AdCz3kav}2pri3=o|y{f&+ zyY(p+;NZ~1UU(j>h^fFb2*8VPpLz(EqGk~shy1Aj-Y z+X6V88;zP9Ff5fPIsB!wuFU%KT1j*qOUl3uK;oYsXDusqs0yHrDi}jDr24((c*RSe z-n}eRAKTK%r=y%i>)N)+!6zhG@D;r2 zgfDlE^GK@z;;fmoY)ciYXaJiJ{iUDqhi8C@K2s-G`psH&=mQ|ii>Z*+dC#6bte=## zQ13508^Sy;1=u6E;7N~c-Fo-k1=fcC{rj7NA7IBs3GD(F@_;xz<%7x{0H$s1Ye)SL zFPT^Xjz}>=T{HtY(BYU}j-jO@-ba|!ke58zD!ik~8v*A)9JrHB+h~%= z#KRu=$}qWR+xCi_;+AcXo%quD@sY>2SW1UqacEEuWPXtiT5DX{my-iB_;Gxsh7TP$ z{HPNTUbSM`X{}o{J5I-9c7NuX@ftXryL-Q+jt1wpQU%+7VM$<#+3&cv`}B6(1QrESp%)7{QPCQ}Nh%{W*T9TK z1=z6G+@hr%lE{z?Kn!b~48{h8st1s?QCwwFxw7sHsBF|A4uAkiZ3L7^d&J|G76}tj zlltFnlm&aM)~yU^(Fy?O023-~CK2=GF%6fkIFmX0sH2RIO#(DwDAzi+9l|1DLk$fY z1nJvOQHv%jv;ok>s-5-)wRn*AP~!t=tgj=nvTbm^4A_{Mzz6!sajjUi^UMc;Mw0Kw15rYu$2oKEYPGy%!+F!ibd(dNt04j1OTTF8BJ%8%x zQ_U^_z7Xg`HUJaHGyQ)4`R6rJdDpj*{O|x&r<5-6g7$`ES>ZF26&eLktZ@*GZhX6q z46jqX%Be1|*dafJjc=Lp+TXR6U`%MPffmtygOs(S@g+Vn$_6wWW%!L;w*+N~|RV z@TgG%3f72`e2D|_f@B*e0c`&QtSwET0dOD{;%zNhS_4vi$hS#`R2)SL9oE(X8NitB zXstAPU>`PvI_G+0?T!%`pkr&-;)NNGF>z2^*%k$A0Cv7!W0$p+_VHm4Hx}fqnFGuK zAle1)txwioZN1Yo=YzwCwr$%>l2y9|J_G|i0eCi0dEoXy7y!}dH53z^*^|C#lLt5Y z721i`qqMA4lZH*!M%JzYYC(tqRs@&wP$`8 z{65~)x%N!ln0$rc@tkP@T(CXmMn9xm`=Co|bR{1#Hfhw=Xy~ftlGNtS8o6Vmy z`_26{L132Q3F{^fF$Wro1O9Kip=yik`O0x1QZMp5sw0t{d+sHz)~s3HZ|&+;LvtD> z4ydf!-K(r@TS;|IRr90<=uPs2e!}R{t`dhW&pj`|ZYedp_J^01rbprm1y zM-pfP>8e}TuI8s4Z~%A#O4POhK>$W1TO?ctc?{yXVuS^dlgHwD7MOeQV<;N{FoA~3 zF;O634Q)WFUU_3KF9iZ9NX`K$G}1?sCWAi5g?h;ti4V!x=R+E1boYO1Oc<=a(WC^) z&_2>G&?W!KH&|W^&j&w_)O~6vfL!7~u zzGx>Qq+w)8Ie1}4bM#TtKIzt9(WWeu73%RIO&etZr}ooi+UwQp05V2(eodQt=!Xw# zkuvjvHUS>_bmg)C>=C10@05p$0o(D&4i!py;HB?SAb3YM_?$=GPd|*lGBELh7J&bL zWtjkZdQc}Qzy6uAqm|_VnQF7@U%GUKHM~cUUc34ZIk4xy|Ng(L#*U4*uX(=3-wnxu z%ul}|D~;>=N^&3(xxVB#1p;~$%o>3MUcPO6&+1*fdTlM;(!Eh(lg<^} zx3?5vwcA})t)spw8|BJf>ptDPxmE&st*xh}(o8JS+U~r0b7g?l$(5AsZEAKbtTnc3 ztYuL4KV<`}=-z`F1HJ}j25-w8H7NY@Gvl?V;K3?HdXTUw0PfEeXC;H4`;YqFQKo0 z@Ri9H1TEDXSxdv(pfvK)MF83eLe0wfyjC~qP!Vklo*7X;RE|2M59i!-Ivz_NE94fq zWpSa_+k2!7n>9KM>HE938m& z?!W(kIeL}Pl=_VL-uJF*v1-%m;+^GNi?^38{x!pg4a-5w z!my12nl*DQyKN}e0L@?>Kq3sxL29Hf(n4U|_IVlX8Om+Uwz#ZpCLspNHqfNLPyjll z2T3x!e(w2Lnu?fYOaTl23ds0;)bHExiAULV0g%ixTa_B9sGrcHzXbbM+0YiQ03LKR zflSs(V*G=zk7wGcSjtHP_s$MuRi-NvgwG$QJmLTDh#pelqrB?C~ zLNm$3gH3>FlS$)Q<&@WoM6@iQ@>2|r3vV&>L${XM-oHxO1d6(%Jhjp{*`hv)j_Idte0vVCweUZ!FW5PbTcw?}Be{+qvT)4XkO5%-FMzLD-Td zOWeEj-!-7X5;~xR2MoYSAwmoT3Z4x)7`3_e;25sam~Ckc@C@jbCq1A9bUZ+iq%>$M z7$E40yaoWe`gLq0XZfr>mf0$=ElV4zBh;xo=+up|NGgSbrH3|>&)TSKh_n7ibd3&e z6-`P9x}k5LB862t$`|qiZZ_eFXnT^LZ;G-$+A@GB`!?66kxmHosW*fW7y6^Zwfs<~ zOdBbX)%I|2`RimNo2ZIT(0o7ysv(|F z_#zzI@xJ5?H0m{s!u84p(8$n;z$WT~X9aOqXLOA+N96odD8N(peUumQ^E4DeK?3;* z;n{9I)!HOIhjc}TK4-u$B4F`R6+S8yvM2v#M17_(86nEo$kpFjTo&Iml|93+Yr73N_0qIkU=S z3aG3G`%Il7J|gYGD+04HkQ*6&MId2q&TfOocntZ%5&+U1po8%pMq{)agFP(WvE0Yt zk96Cwud*1KAsJ#kM?UIFsBYRxemcvRH`0Rx6$3TV4UDjZUSw!yWkf5eqv@7!FPYU8 ziJ75&xQh*2?dtNxP9?GS5l`R3nz_~INf|vaxhlfi>K(&i#g90vD7tRm>CBK$eZtZ| z!+Ya`k@0s~bbYMK^A4hSWVaBFf@LQ%l(Pz>Ntxm)YyBdFj^Pa<#M^UJ)?YG&j3i}Q z{z%EFoigHGsyaUc^w6k4G`_|hXaEkxfZhO1j;r|89MJLT8blfRr2@8lkph71KS^N# z*FD26!*cD=9Nm);#fLnZ7-(Bb@(RfLXLXWLH#dX>ZA+o<2qZi`UrTl=XklIb_N;eY zs@k6_+o#Wd<~(J^%2jTi4t@z?$dLWb&FR`Gu6y?$u8mZ>+q5+f=PLLZXOB3*4vkjz}W_vmT+_tA22oahIIrUlLAE4`;pG}w2(P!3t% zFSL+9_^$E_NITwm{e$UoDjI&{aSJ(5)tya&AA>SJSb zAqy94-)Z!UEH3lqv-nJk%={KI8GM|*U*+Z9Q6&71cz2n1ZDmOH@6<@^-PHoVWvKmv zp33{z?|(B|f=E@DX{$vXVh-#f4#a@IhZrAM`@tL-IdY_%z#4lht+UY-?2ExONX`~f zmjL5%i1wqbPYpbDWfW#swTk4v)xVqbCX=mp6N^M~&E9-_0 z8}5Go^PjsZQ>L0Hw+4`zH4MOw!~e0@x}HIZ@cYw`AZ*YwAkB!%E>3$33W_R zrcIq@r^}h6Ax%Dvmw_G+;T=b}2I9v1kfaQjNAE=p2!IVQEa;m3?u|)NlD)8qmeEjN zE3b5lOQ}%%9Ho(+V0B4G*V*+kpnI0Y-+O=qF`(}OrpHx&JPt?;>NhiIvU^akI|xUK z(ZFg?VU*<|J6?|r%yqu87+3y~EnNKo9dZUTK!LyabfR=U)UjfRh!7-5(YQ|i&2N5V z9_9dEjyk>UvdiSB{`w5C{^1Y*ZIl7-efQnh)aPe>>stcyU$~$AT%vN$$u`0D>C?vn)_@Qn`hY}^IveLIL-rry#*7)`ZoKiv$oY-1 zM|tQAc?pzj{fpMNZ~ISwy3L%zc-sYdZ&@s_j>mPUo_eb4zgQ=qjmm(z&*OoV{!f`Q z#T|U`!S1!!UYBG(#L6Cc;4pXYx#ze;4?Wa055M}=Bs&Kl?{nYy#y5>t;D3hU);N99 zhUg_(bJSi7cF`C8QG)S688iK=&6ME{#Qd9&ItDFYIE$vgQpsfF z*yU?2%i_BR=72`CIK&+IVsbz~PE)zFO^6V{0tjLtt%YIVejC%t6h5JlFX%I6-z$cJ z-?Hh8Vcm*ajDO~q9F|ruK6k z?U?~qPni-7!h{f!{ro;duZ_(BmoH@lwgCopP}UNBY8{}+E)!K}25Y(>I&^46&AHV& z%l%&uKWuB^MBZ`79q#hWFL#ad@(pZpc}ke2^SLkm;U%`#j`}@-)**6vN?>ieTi0%O zk4x3Xix+FM@Q$rNb4Uya$Dl%|jchMt9UDyn{?%vb+;dd_xN#*NV>+Z|{H{~>$tRw4 zLk16#RQ;M9`|Of?+ij|cNkYOvo(aK%g$r#9A$hR)hL#z-iTfN-gPT>{!rp)X{qCA; zuCaFVMSW~Py!^6DZ4z_XVTak00co@351*hcp3in;QPH!%C)&RT|4!_UNAJb%N!R;; zjQ=rs;I+7Hnm&go8kMJjy?rBX6nuL0O&UK1PuSNJwZE`st4d9 z)b4ZFbD(95^}anu$dB+=ji;f4%5E0vy6vq~

    ;oiaMQ>#7G0|zW2TFNyk9rx5}3Q04*O$L_t(AY0@P3wXc269syGNPADlUF*Q4TpD~yt;2QU+qmFb39W)%j z;_h#M|C^37T^gy&Sxfhaw@jNh-PYneb?Rhm@gt-u2%(~a6LOvH@u!W@%hM@xufF<< zX%0xc_S$RRl~-PA0Q|ZP;lBCJZ@3{thL{x2I{JP0-Agv9(cgA``}Q?01D5=pUPeG_ zH`TQIa^#V|Z~gl9vot0ZuTFVYJkE6-T4T&Me*5_3YW5Rod521hoVWgymHPlP0~VRO_0KUY%5@Wc(0wpkX)=1A4>o zIj-eXa3GPR1FSSq`av`MTAvt0tUxa-+Q%q@8!n=g$)SuMlPLjRKYm*t4e$)ke$bB! zGw72kJ4AWXN;4{YCI{un%Bg2-*RFG?obnBwE#ApW0_dF7M&Q)3bI#E^vLw{arQX83 zN6(&?hLrr=^Dnp`{*Z&aoSmqK(Oi%2-R=3f|{R|A5$aE5JLcu`Usv9>y#rr~;u5K% zq89Z_)}S}B2(eTN|23s;H z*ccnoJQHJMvGQ321uVi-Rhekr*T<7dDaw;g*Oyd0?c#xSt`_Af@y*`s<;$14!wx$% zqh80Tt!2wr@~Z1UpugK!TkWvOC(sYhdS_BVpnX%PPH_tsEq23)56h^~X~UpFgDelAf6Fbm z*yMx=w%=WK)m0fg0{TEeoe#f_r+N-oORV=5_@0Rdp!MJ0m%ZDpcc(M}*iY2536m#7 z;XU=ylKStTYC_0Pqw1C|w`Wlcx#DZgfrjBgETK0HpW|9S1qU>6N>~okG6Wc~{h-W1 z%YTkdZCb!Fn@;P)yX?fYW`)g6a@s8iCLE8-ndUfV0mv%KD{O!+kOYbp2^~?i^4a$m zp)ViDQ|%}o;uyI@S#o5DW~!4A4A;1S?6JoTNQ-ssDw5rC#~thb>%V^ImMmW6uD<#z zn*@-LHEs;Ykhlqe-OqpiGi?vM#MJ1lLGvN7CXdwLLg&g8-V|^Xuq;O{9@O|Vr3OFp z$RjO{x&c`0e-@fe&{n~jGiTWu=ww{Ea;3ZT&O59O+u=f;sQCL!RUR}1FTVJa<*D3R zVQ0wm0I%is&mDjK@s`G#{$Kv`7x#^Ce$yr@sNPZ62S9x5Ex(_hiBPa3Fz$OM8;x3C zhe+N;Z6Mu0f6zPi`D^L;_X`F8c58nJ*@P*D@gTo1w$^2SgIT{#`YW|hs(t(R*-ff# zTznUEpaD1#19}56Ij-W1f zj`rxIkJ>ZNZwPB7#j}2ny#Qg+qJ?&S`l+Yg(MKI+lNI{GqyXMrCL=ilR_(FOvzc%3hyw;t6``a6}C;MTOT2TdGaKU%nt+(Cg_UXNkEV#G1-~av(Qa``#?!M<9 z*FoS1V1~(pr~DawtC4KGV!gR-BuTR+i}1h$|1^g(#l^*DRX$pdTLAQK-MU&j`_$Qj z)-zg9=lSn{yWcf0Y9Y{k%m6(A2?cQ6a)}(a5a81R2OMA@i-^A10tdKrmOSB|ciyqB zZ!f&?d-De+58#?qryCQL-Vh?I|i_{kYzDinwUcJ2f9*_^ld*lfc_X0`r!QhQ} z`b4-!{qe$&!$zH;W7XSs`INe*bEg2rn5 z@WYRAr=ND3t=C${2KZwCIbrhTNe*ckDV4xBw2S2&hBa-%ym|B8k&={y@f_;*O`FyW zG>>#Q-+YrfWI@O%stlh2OV^<(dTR0^yzkg&pr2= zqncLoIER}1rkifocD9|CR-YD;(3?1MqO<~YGwSwG2kF#BIoo@#_wY-BAA#o=UU=3*d6G5?{J>sabe$ z*s#$g;G>T|+Gs6Xw$y;@(n~KhLo1G1MH)Q&>~mb#t|hkrdi?lj%-VZzNuGxuJly2~ zcq+{w0oQ7M<-X5fL`YYbObFSs%ad3qUi49019~%Fo9;HQU1Olvu2W|>M3OK7h*8@L zsl$6oLIwGR~6X2CnNTtQ)x4ldcHLs+Was8dc=nWgTYf86he?9o%F8cFgP^_RTerA_jyTG-lcs`l zt7XwXYlbEp$De34GGFQ>XP>jz{E@rwbdB?yxkJ8woa-dRJ|y_O)B#l4$)Kl&k zzx<`kmyug(X_)%4A*8kH@crV#R-Y+gYJ^Mc7 z6&tO8)#BGvPd;T%cUnlhf>C4FZrxlvZ5`B>zm#kbk~3$|n>&B*%>AIAg<&u<2H90OA8%pq4FP;WlsDU=jPu8B4BI^EuVK-P@8f8#eTIu6>@W)Suk?UBa&H zLr?ZryqEr*>lQU@Np$V%T*o4roD1+8`!#I01_Ltf?cPV_w(G!`)ognU<)dPmizI&? zw&LEcwIgt?`$<2q3{9kGr%gVKlA>0e|yj3$*+yi67+@I@gYsdCYEDev{pVz1r(cEOcgT?BsNk#Bt(c>RW@{R#@l08q z-71E+7v}wz=$V-Vx)!c=@p{I66bshn_c0HqLF-YDTukzU34V`;GNJ$R89@bGuL1_#>cv<_qVjik#~)Wec6_A!@_pJ686PG; z(QoL&2hzd7ON88Jv49xBe{&!dNSLhc=YEIoX0Q}9fXWyHJ5sVataKBncIcBvTCMmp`$(W;Bwbp@R{hvZx zH~>{hl9aI8dn7D&B_5suczU+Cu+kPW=t%c1nL+D)+qTxU+ju+ef?<02z50Y9Wd4(S zE0q~}yaq(isZ30b6kb6jvq<6grRkuv`9F)^knND{V_<$_O?ujS_dLs*D8b*IgSO_M zy)DkU9#2IjArsjQYq?ZT#=P(9YqeXoinTyb#VVAnh+Pf9@6z)u^uJU`OhMIm#FSI2)yZ|$ z?l~MfxzckuV_*TR=9G$jxtE*5Ub^L#@u{11l+w{&x8x`=&Zwc(BIX^&?IxROP9i3Q zW&ei>Pv#q)4-?HSV2SOX8xJ}1mh+;eVV9~943w?N)S|7|FcsK$*y-4nPR*m{#?+?>_u++3Dtqi87gUQMZ3}uY!|B@)cK!)8ak)hy6&M$*fSEm;085^|kjs^@pM~ z18c^(6lPuK`sL)>2G!k?H7mv~QzQf6)r2e$~7+j0-mc@YO(Ua?i5T z$-RVWu)hp<@M650dZ;mTTYwpqh~k}#Ck$%BIU=P}8JXLvk&rP>;pVN>OXV#8?rS#n zB?oL}Ks=$!)8%8ypy^q=D_4ugS$2kG_|NnvaF&x+hl9&pqtdwDY=w;TaTciBTLIdf zsi@5f2Z=gCs)WfAPeD9c*MW_49c>(RO6~CWF&8R;;Y$l$OLYvB4XDVBZq2@ZQR!q_ zmKw=!{x=6aUOxd_Uh<%soL5L_wm#T5L{FW#U`pXbm~W(m_dW&v?0d~ZlY#-%Mu`Kz z7K+iqXg_x0ty9bU+{A^laK{x@TEbOh4PLJ2(i~|az_-=PV}zz&%%yf!`NL!s8R0-74?R`UTo8HufJ2gFYD~b~e6|pP~ds=ds1PAUaJ# zpoXfWD<-yJ{lMnV=u`1UyzjhIZ~dVf`WXGpoyeJaU{c7%bQE)~ zt8o>WTbk0T_wifHM&~~$uJTNwbQ$Iy*N>;aH3h0pAG~#)am!QN*(9{qmYUv%W<`F) zn0;_*wJ-d1h|&(dJPYL7IuiSffSK}V4&xZl)d10e8_&|L{ zc4fVqpQThp;ww%)Fo0g%_OMpIEk~W}s<1ae2tcV}7pZwBPjeJ#Y`%M@%#txdxu$ z`8>_wD0eX0rt0;Ty}pGyhT!aGYoz}Fv`DFtKZyh-};?J!vb4x*@Q$q&4|Ig(8 z+0*8Sj#7=d#C2|=Gx?CvW0;J4Le83YDmU&qHb?Xhu2ZCn7mz*bpIs_K}PKwqN(2X!|#q=!ph; zNAsgKD`XFzS$U#%@nbIeM>yZapjttD?Ed>a4P~jX$WBGB-7jrAwN>ZHK7YjyOnscZ zyxkr$3}wUp6h>Hxp_i-sE&hjL5^2&F0Q>R@>4_NQ47!T$1?lD7lb2Kg@CSP4SDwL8 zBDWlm#sc-F^VcPIPYP>EkqGB1nXVPFYD+A>(|!Byays?DFnJQfYgpsTZwCkmEyj~A z)v?V5X&jFbsc&Hxt||@6b5AcD2PZU#kZ~zKJ!Ak4q13b~x;J{|oIMK9UE5AY+`q=K zur~)I98?!9%HuR8n!dx_H5EG67EeFX)MLA^Cr;5?}#3*fwoL%Tc3GiIX}sBPHD zK)A0jtTTL!!Dtfen5s>G^r>WDRu{$lC8?K#y~%o=CG(o2ZCLs~io%EZmK-<)0=6^V z@9K#?EMF;a-*{F3yWG(Edk5SSIbP_#Pa5}=ol258lHCkH!UJAyW#{SK>6Ro5F7%)k z5u`xqU5ysbapYr=dE1Lz=0os`lWUpD2QO^hy!Y2Go%ozpj}`}yM~lOnAH%{KzC>a3 z2(3YL)T=P)YE}3*o)>TEXm`iL*qFnn_1guq+HaETxGrMZBweqKYQfxa6+Hw4)Fv~F z4MC#%nWfK{^7U}BgX27YF~yftUzIo`ppi1qpfMmsdPX4in{^YmAdCD;Z4jH;WYXL( z5gsdm8J~LwiD?g^S?HLZS{)Kh1o*>X#u{q*4T^gsnDGtH|URVGjqOMDe zQ$OHWqt;V?<-PbV08GMkg2Zm5DmjL%lxRC9Dc1n|DjM8*i%467x;;UdiWKL&(kx+)Z`Q7fB}+ex}f>_L}8hH8F^_I#T9UA&L zpE!{O?@@R$zf^Ha6LpLU&k*q*9EJX(OcM>*=ZPFccgBZj-4ga!4)DNLUc|pMfgIA! zQ4qnDvk8hFAa|7l(4knJ$!LgU^jt9(ACr3=Q>wrye?S)x*&ohp>Fi1N&pKf;1-*!{68QeP;c(R9+VG5Tb7lmaO?G{z}WW`~Ldi zPsJ@db14$k*5y3M4Qjney+LcHt`!}I#)#K(H*qgJpm&oBB%Wd`mu3f6?jYKsCmZAp zsWTn^Ux?2o3}2q#jT2{F^&N#C#Sk&Mk#}jy)T(ubp3`^I1;}}$%GX7FzLI^Ge*C{L zXbv{wW#h45drgP_d=mXFCoj>55`#IituTU-5XV;sAK7*tnDDB`MONbYB;Js}D`P2T zycs`!JcE7W^Aoma&Ag0>7LH<&A%8kxB0JI0F7NBn8{%mla-P`mNTeRiBg_Eun_NCEfD0BQZ`ozcry)c)L3&$s4Hv|egL zYvmoJb{CL46DH+1po6r1_AZ zZmXQs@YBow4MiGO)ph7;I#Zren9M^;6Y<3gu)wUtFD~$W(c!SE-Pj7HcgI!nZ5{0< ze(N$hS){N`BnDemZwGi&ZBaES4d?%e=)!&k!AZoP;or^yHiT;oO4X&_-tv$WOG`qMp{}q8oiK1{T7;N4INg$?ZGDT!A%kG2VMWs z7jmMo%wKiu+T#%0t|W6aT%=xr_}VVCNcR{m-A@Xv%pqO>E#u2dETOpF4mp;Cx^9pX zeILUrnjKA`LU*gOsgAi+bFPJz(EWc{asso{!!sJyu$rZBbj21}Nx4+*PWlz?fp!C3 z9&7Sqp1n`Z3WipbJtF1@jvz#UL@DWR0~}Y$&ys3rq~K9NyWQUjswpbmK)UsAf39Rp>fbp zd!uyptw9er@ClfA`Gv&JH^eKJyyMd`J>7?T1j%O%v(|B`2PtH#0*P<>e~AJ=EHsun z@yzV-hG+ws82(B6TeLv}yP$Kb2|KadImGXc&bIiciYLq9D~F8!`@CXq>ukU=4fTVP zXvf=Gy|9p&XYxM|cX}c<+fPRg>(2jcK5OaqwVEsL#z7zvZ{ z^6l)&G%<6Br1_0Anpn7Ou?CgcX#qbw5@*R$J@9>M<<6hshig;1Z@HAXjK!B%9Vz%* zeF<$)-!I24Bt|?PILuKu9IPI9jxlB=vroGRDJE}07-d(d$hjdTs`y@}H?=Q>9#H=N(A z9vy29^(&}ebUj$#VC@ruUZYo~rsg{?mVr#zy9xZ)V3(sgrK(Oe(QlE2%F4_z^FObyMB7zzbOp4Nbjmbv$hp z=+Bwa6BT&m@06N*58~4Fkgz69eQtC8=7VrdIF8w}_b_gsn=sPluibFcI?E{;AvaWc z4Ue-L#Y6T`EI%aD5QvSXhooe6Mcw zVkxhB8yC}nzUY%;%=#$$fz6#ANR^%z#XGGB<@rO4X3-9xJ@U{0U2l%mJ2C|(nek{G z@qFa!0%nu9*j&A?Yk4L$pKYSQLx25LphJ$^xxSYK74)}RsYVpp^P%sPO^>P1;yJ-T zQ{yFTxJ}o=k6(@1Rpx$H29%vO@^uM9x@ZT)8#z{AIA0AqR3&RM_Yyt-;HbHFninR7 z-Lv0d^uB%V2D#oZXtPb07_4v9VCmL8IMfURx30fL+oEq$+{Uu_?3ZPNF5i}a8Fq}U zWoUY1^HW5tTW}yhfy9Ju^L_*dEQ?&LKXibomV;9AcSEVr7yO_H8)@PiCC6m~|iXiI>}9IBE#X zb>_?r;RUE4wXz;jHREO2db_OyO_cPjgOSM>1_}s}`rt6?J=Q2+?s6~qPiyi1 zF5L}{9FXl+7DqV5w4Yq2CRr~p?8Qu=nb46;yJ_Q?grb7>;!G2P&tj~~^q+7%+&izz z>HPnyUQC1r9Gr2ZF7gABg5>CFwJ*u-Kg{spxI8IfzS;?^3L~;yr@)^2uyU>7*>`y8 zgKTMV>+l*u*4?RJ)DpX8G(7jH{>Zf)QS`;x&h;DgnOU2II0gLh`J>wBaLKrEEhx_H zk=oy9O(3%v=44C}MdOtDqQnbVEkgwR$+_n9)3?7qzmlWVj#9Pz{^^B)odR>R!Tvh` zCjOqug66WWIWxulRNWgVmb7_5$9LtYobS=lNB3@C6^V)~?obogebM`Dos3p_h*nKR z($r^&xTU0b_E)*-c^lm}9f`}F-eO*p2GbnB%-~36QW5*&U4=stuzzWBuifb2{i55l zI!tIn=B2|cmydC>zwb`U^DIKrgTxFdvaMVsib@hUUpe-PC)WW7OeN9vDpt;Ef^xZ$ zC~DdFMn^MNfy;#3oEP<>cV|c=XeS|@HOB?F4#JErVXjxr3n>Bon5|nMLEoiJU30D*G;-lUgU!2nzI$kw4e%xt3 z)eYyAjmBgiH8DALh=!^l-}u&;rWAowrQghukUZHux$wo1Ohv1@1DVeWx&~9(*>Iq5 zZs=i`fQ?y@Pw19`qe4k=TGUkHq^cv)y;UC-*oIP(;#!U>pF zzJFMPL%k7odW3I_X{KItPO}Pz8x6agBv~4a>lNH}B8dx(3?K>Hb9hg4qF zdqvl)N(tp$0W-`Kr66-3CVpiG+9{&(80Xn%^9Nekg`(amm`s=`84T?(9e}&*@dZct z*lx0))Q$OBp_*B+NHwSPM{5-W*pAR>xp?X+^RIUQ%>CbU?$csD6+`H2nfBY`5`y^H z1_7FGcr7_qj|DzRBDYGqLtq8}PEYw$n*rKe{3NQpbq7q?T*Z2Pj(=UTf`)%!ir28< z00wt4q5$qsF3JBYvbL=owse)me)9MiDb-W@FFiNmn^PLi}hHeWN# z(>eJrEsR=D@oMe+ z-_^R|Yd-UGBP^+8Li%Pl8kgbqEiyiyVQ2J}i=wuhwy~P6mbW+E)-JE8n(Zhx5iGIc zr)XV*L5WP(5idsL3km1XL!R(UuVL5!aGp%8Go=9GVF;Kg6~{7 za~X8LRgl>zfT1pxeKy7S9`1E<XjW(LFO6@8;?agN_i zmXijZn1;*-68ki&N2TSsRC1WBt*%6%4IpumDL;Yr!n^CZmfZ=J_63$ZQtKL=6wOw$ zpp2}W^tLk|eWw5V8o?3`*E_;;FBH`N8Y2X zwMu{ay}Jg-UDN!-@9+S6)kH>V$>(f<=@3c4r=hKX)PS^|22phAHDzga_2F!4(;28O z?i&FS_@>?jvi}Tg+Zpr#s#lfAlT&v&^mgyIz$oBH@GVKgpkQ!bQpVE28~0 z^lf$%?Bibg@JTAa_=?f3@|+OOz# zb}Gbb&HmjWmRfwr|BNKTrq?F5>-ApM_!r7qabKIyqUONWrpkfI&p>YG?l0>up#SWr%D?*+CWNE(fPoMO0 zkYvFd&-DcTz%!c6g|>g=0W2F8POj$VFC>_2F8a}Fs@2LVUEduMF-j_9s@m!~w4j6S zW?T`yrylj1sycdZbM>;) zwKod?2lSTWm}mTY;E^s_bpXj*b{p4vDz03I(yko(ZoaDj4*!ZRh-*XKPai8m>dm|@ h_y5U@o`+2A2NJiy(%?!C)dvjpqo$;-2$r{w_&;3j3jqKC literal 0 HcmV?d00001 diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic ABS.json b/resources/profiles/Kingroon/filament/Kingroon Generic ABS.json index 5e11d9665f..73911af68b 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic ABS.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic ABS.json @@ -13,6 +13,8 @@ "12" ], "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic ASA.json b/resources/profiles/Kingroon/filament/Kingroon Generic ASA.json index 2231d6a9f3..b06c5b8ee6 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic ASA.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic ASA.json @@ -13,6 +13,8 @@ "12" ], "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic PA-CF.json b/resources/profiles/Kingroon/filament/Kingroon Generic PA-CF.json index eac58e6a01..8eef1a8c69 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic PA-CF.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic PA-CF.json @@ -19,8 +19,10 @@ "8" ], "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" ] -} \ No newline at end of file +} diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic PA.json b/resources/profiles/Kingroon/filament/Kingroon Generic PA.json index 00e4ee4680..07d73558d3 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic PA.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic PA.json @@ -16,8 +16,10 @@ "12" ], "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" ] -} \ No newline at end of file +} diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic PC.json b/resources/profiles/Kingroon/filament/Kingroon Generic PC.json index 14378164dc..f40641125f 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic PC.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic PC.json @@ -13,8 +13,10 @@ "0.94" ], "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" ] -} \ No newline at end of file +} diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic PETG.json b/resources/profiles/Kingroon/filament/Kingroon Generic PETG.json index d63d8fac21..281aae4af3 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic PETG.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic PETG.json @@ -43,6 +43,8 @@ "; filament start gcode\n" ], "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic PLA-CF.json b/resources/profiles/Kingroon/filament/Kingroon Generic PLA-CF.json index d96b58a6c8..43b20cd38e 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic PLA-CF.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic PLA-CF.json @@ -19,8 +19,10 @@ "7" ], "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" ] -} \ No newline at end of file +} diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic PLA.json b/resources/profiles/Kingroon/filament/Kingroon Generic PLA.json index e4b457bce7..df234d7e05 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic PLA.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic PLA.json @@ -7,6 +7,8 @@ "instantiation": "true", "inherits": "fdm_filament_pla", "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic PVA.json b/resources/profiles/Kingroon/filament/Kingroon Generic PVA.json index 63e253dcf9..1cb99ecb5d 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic PVA.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic PVA.json @@ -19,6 +19,8 @@ "10" ], "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" diff --git a/resources/profiles/Kingroon/filament/Kingroon Generic TPU.json b/resources/profiles/Kingroon/filament/Kingroon Generic TPU.json index 8c07c5871f..7908828470 100644 --- a/resources/profiles/Kingroon/filament/Kingroon Generic TPU.json +++ b/resources/profiles/Kingroon/filament/Kingroon Generic TPU.json @@ -10,6 +10,8 @@ "3.2" ], "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle", + "Kingroon KP3S V1 0.4 nozzle", "Kingroon KP3S PRO S1 0.4 nozzle", "Kingroon KP3S PRO V2 0.4 nozzle", "Kingroon KP3S 3.0 0.4 nozzle" diff --git a/resources/profiles/Kingroon/machine/Kingroon KLP1 0.4 nozzle.json b/resources/profiles/Kingroon/machine/Kingroon KLP1 0.4 nozzle.json new file mode 100644 index 0000000000..84d12a50c1 --- /dev/null +++ b/resources/profiles/Kingroon/machine/Kingroon KLP1 0.4 nozzle.json @@ -0,0 +1,61 @@ +{ + "type": "machine", + "setting_id": "GM003", + "name": "Kingroon KLP1 0.4 nozzle", + "from": "system", + "instantiation": "true", + "inherits": "fdm_klipper_common", + "printer_model": "Kingroon KLP1", + "default_filament_profile": "Kingroon Generic PLA", + "default_print_profile": "0.20mm Standard @Kingroon KLP1", + + "thumbnails": [ "100x100" ], + "change_filament_gcode": "", + "deretraction_speed": [ "90" ], + "enable_filament_ramming": "1", + "extra_loading_move": "-2", + "extruder_clearance_height_to_rod": "36", + "extruder_clearance_radius": "65", + "high_current_on_filament_swap": "0", + "machine_unload_filament_time": "0", + "min_layer_height": "0.08", + "parking_pos_retraction": "92", + "purge_in_prime_tower": "1", + "retract_lift_above": [ "0" ], + "retract_lift_below": [ "0" ], + "retract_lift_enforce": ["All Surfaces"], + "bed_exclude_area": ["0x0"], + "extruder_colour": ["#FCE94F"], + "layer_change_gcode": ";AFTER_LAYER_CHANGE\n;[layer_z]", + "before_layer_change_gcode": ";BEFORE_LAYER_CHANGE\n;[layer_z]\nG92 E0\n", + "machine_end_gcode": "G91; relative positioning\n G1 Z1.0 F3000 ; move z up little to prevent scratching of print\n G90; absolute positioning\n G1 X0 Y200 F1000 ; prepare for part removal\n M104 S0; turn off extruder\n M140 S0 ; turn off bed\n G1 X0 Y200 F1000 ; prepare for part removal\n M84 ; disable motors\n M106 S0 ; turn off fan", + "machine_max_acceleration_e": ["5000", "5000"], + "machine_max_acceleration_extruding": ["5000", "20000"], + "machine_max_acceleration_retracting": ["5000", "5000"], + "machine_max_acceleration_travel": ["9000", "9000"], + "machine_max_acceleration_x": ["10000", "20000"], + "machine_max_acceleration_y": ["10000", "20000"], + "machine_max_acceleration_z": ["500", "200"], + "machine_max_jerk_e": ["2.5", "2.5"], + "machine_max_jerk_x": ["20", "9"], + "machine_max_jerk_y": ["20", "9"], + "machine_max_jerk_z": ["0.2", "0.4"], + "machine_max_speed_e": ["100", "25"], + "machine_max_speed_z": ["50", "12"], + "machine_pause_gcode": "PAUSE", + "machine_start_gcode": "M190 S[bed_temperature_initial_layer_single]\nM109 S[nozzle_temperature_initial_layer]\nG28 ; h1ome all axes\n M117 ;Purge extruder\n G92 E0 ; reset extruder\n G1 Z1.0 F3000 ; move z up little to prevent scratching of surface\n G1 X2 Y20 Z0.3 F5000.0 ; move to start-line position\n G1 X2 Y175.0 Z0.3 F1500.0 E15 ; draw 1st line\n G1 X2 Y175.0 Z0.4 F5000.0 ; move to side a little\n G1 X2 Y20 Z0.4 F1500.0 E30 ; draw 2nd line\n G92 E0 ; reset extruder\n G1 Z1.0 F3000 ; move z up little to prevent scratching of surface", + "max_layer_height": ["0.32"], + "retraction_length": ["1"], + "retraction_speed": ["90"], + "use_firmware_retraction": "0", + "wipe": ["1"], + "z_hop": ["0"], + "printable_area": [ + "0x0", + "230x0", + "230x230", + "0x230" +], +"printable_height": "210", +"nozzle_diameter": ["0.4"] +} diff --git a/resources/profiles/Kingroon/machine/Kingroon KLP1.json b/resources/profiles/Kingroon/machine/Kingroon KLP1.json new file mode 100644 index 0000000000..2e0964289d --- /dev/null +++ b/resources/profiles/Kingroon/machine/Kingroon KLP1.json @@ -0,0 +1,10 @@ +{ + "type": "machine_model", + "name": "Kingroon KLP1", + "model_id": "Kingroon KLP1", + "nozzle_diameter": "0.4", + "machine_tech": "FFF", + "family": "Kingroon", + "hotend_model": "", + "default_materials": "Kingroon Generic ABS;Kingroon Generic PLA;Kingroon Generic PLA-CF;Kingroon Generic PETG;Kingroon Generic TPU;Kingroon Generic ASA;Kingroon Generic PC;Kingroon Generic PVA;Kingroon Generic PA;Kingroon Generic PA-CF" +} diff --git a/resources/profiles/Kingroon/machine/Kingroon KP3S V1 0.4 nozzle.json b/resources/profiles/Kingroon/machine/Kingroon KP3S V1 0.4 nozzle.json new file mode 100644 index 0000000000..e836c3e08e --- /dev/null +++ b/resources/profiles/Kingroon/machine/Kingroon KP3S V1 0.4 nozzle.json @@ -0,0 +1,85 @@ +{ + "type": "machine", + "setting_id": "GM003", + "name": "Kingroon KP3S V1 0.4 nozzle", + "from": "system", + "instantiation": "true", + "inherits": "fdm_klipper_common", + "printer_model": "Kingroon KP3S V1", + "default_filament_profile": "Kingroon Generic PLA", + "default_print_profile": "0.20mm Standard @Kingroon KP3S V1", + + "thumbnails": [ "100x100" ], + "change_filament_gcode": "", + "best_object_pos": "0.5,0.5", + "change_extrusion_role_gcode": "", + "cooling_tube_length": "0", + "cooling_tube_retraction": "0", + "deretraction_speed": [ "30" ], + "disable_m73": "0", + "emit_machine_limits_to_gcode": "1", + "enable_filament_ramming": "0", + "head_wrap_detect_zone": [], + "enable_long_retraction_when_cut": "0", + "long_retractions_when_cut": [ + "0" + ], + "retract_before_wipe": [ "0%" ], + "retraction_distances_when_cut": [ + "18" + ], + "extra_loading_move": "0", + "extruder_clearance_height_to_rod": "36", + "extruder_clearance_radius": "65", + "high_current_on_filament_swap": "0", + "machine_unload_filament_time": "0", + "min_layer_height": "0.08", + "parking_pos_retraction": "0", + "preferred_orientation": "0", + "printing_by_object_gcode": "", + "purge_in_prime_tower": "0", + "retract_lift_above": [ "0" ], + "retract_lift_below": [ "0" ], + "retract_lift_enforce": ["All Surfaces"], + "bed_exclude_area": ["0x0"], + "extruder_colour": ["#FCE94F"], + "layer_change_gcode": ";AFTER_LAYER_CHANGE\n;[layer_z]", + "before_layer_change_gcode": ";BEFORE_LAYER_CHANGE\n;[layer_z]\nG92 E0\n", + "machine_end_gcode": "G91; relative positioning\n G1 Z1.0 F3000 ; move z up little to prevent scratching of print\n G90; absolute positioning\n G1 X0 Y180 F1000 ; prepare for part removal\n M104 S0; turn off extruder\n M140 S0 ; turn off bed\n G1 X0 Y180 F1000 ; prepare for part removal\n M84 ; disable motors\n M106 S0 ; turn off fan", + "machine_max_acceleration_e": ["5000", "5000"], + "machine_max_acceleration_extruding": ["10000", "20000"], + "machine_max_acceleration_retracting": ["5000", "5000"], + "machine_max_acceleration_travel": ["20000", "20000"], + "machine_max_acceleration_x": ["10000", "20000"], + "machine_max_acceleration_y": ["10000", "20000"], + "machine_max_acceleration_z": ["500", "200"], + "machine_max_jerk_e": ["2.5", "2.5"], + "machine_max_jerk_x": ["9", "9"], + "machine_max_jerk_y": ["9", "9"], + "machine_max_jerk_z": ["0.2", "0.4"], + "machine_max_speed_e": ["100", "25"], + "machine_max_speed_z": ["12", "12"], + "machine_pause_gcode": "PAUSE", + "machine_start_gcode": "M104 S{first_layer_temperature[0]} ; set final nozzle temp\nM190 S[bed_temperature_initial_layer_single]\nM109 S[nozzle_temperature_initial_layer]\nM83\nG28 ; h1ome all axes\nG1 Z0.2 ; lift nozzle a bit \nG92 E0 \nG1 Y-3 F2400 \nG1 X50 F2400 ; zero the extruded length \nG1 X115 E40 F500 ; Extrude 25mm of filament in a 5cm line. \nG92 E0 ; zero the extruded length again \nG1 E-0.2 F3000 ; Retract a little \nG1 X180 F4000 ; Quickly wipe away from the filament line\nM117", + "manual_filament_change": "0", + "nozzle_height": "4", + "nozzle_type": "brass", + "max_layer_height": ["0.32"], + "retraction_length": ["0.8"], + "retraction_speed": ["30"], + "support_air_filtration": "1", + "support_chamber_temp_control": "1", + "support_multi_bed_types": "0", + "use_firmware_retraction": "0", + "wipe": ["1"], + "z_hop": ["0"], + "z_offset": "0", + "printable_area": [ + "0x0", + "180x0", + "180x180", + "0x180" +], +"printable_height": "180", +"nozzle_diameter": ["0.4"] +} diff --git a/resources/profiles/Kingroon/machine/Kingroon KP3S V1.json b/resources/profiles/Kingroon/machine/Kingroon KP3S V1.json new file mode 100644 index 0000000000..9b92571019 --- /dev/null +++ b/resources/profiles/Kingroon/machine/Kingroon KP3S V1.json @@ -0,0 +1,10 @@ +{ + "type": "machine_model", + "name": "Kingroon KP3S V1", + "model_id": "Kingroon KP3S V1", + "nozzle_diameter": "0.4", + "machine_tech": "FFF", + "family": "Kingroon", + "hotend_model": "", + "default_materials": "Kingroon Generic ABS;Kingroon Generic PLA;Kingroon Generic PLA-CF;Kingroon Generic PETG;Kingroon Generic TPU;Kingroon Generic ASA;Kingroon Generic PC;Kingroon Generic PVA;Kingroon Generic PA;Kingroon Generic PA-CF" +} diff --git a/resources/profiles/Kingroon/process/0.12mm Standard @Kingroon KLP1.json b/resources/profiles/Kingroon/process/0.12mm Standard @Kingroon KLP1.json new file mode 100644 index 0000000000..cbbabc2017 --- /dev/null +++ b/resources/profiles/Kingroon/process/0.12mm Standard @Kingroon KLP1.json @@ -0,0 +1,13 @@ +{ + "type": "process", + "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle" + ], + "compatible_printers_condition": "", + "inherits": "fdm_process_common", + "name": "0.12mm Standard @Kingroon KLP1", + "initial_layer_print_height": "0.2", + "layer_height": "0.12", + "line_width": "0.4", + "instantiation": "true" +} diff --git a/resources/profiles/Kingroon/process/0.20mm Standard @Kingroon KLP1.json b/resources/profiles/Kingroon/process/0.20mm Standard @Kingroon KLP1.json new file mode 100644 index 0000000000..02e8d9219d --- /dev/null +++ b/resources/profiles/Kingroon/process/0.20mm Standard @Kingroon KLP1.json @@ -0,0 +1,13 @@ +{ + "type": "process", + "compatible_printers": [ + "Kingroon KLP1 0.4 nozzle" + ], + "compatible_printers_condition": "", + "inherits": "fdm_process_common", + "name": "0.20mm Standard @Kingroon KLP1", + "initial_layer_print_height": "0.2", + "layer_height": "0.2", + "line_width": "0.42", + "instantiation": "true" +} diff --git a/resources/profiles/Kingroon/process/0.20mm Standard @Kingroon KP3S V1.json b/resources/profiles/Kingroon/process/0.20mm Standard @Kingroon KP3S V1.json new file mode 100644 index 0000000000..fde94f4741 --- /dev/null +++ b/resources/profiles/Kingroon/process/0.20mm Standard @Kingroon KP3S V1.json @@ -0,0 +1,45 @@ +{ + "type": "process", + "compatible_printers": [ + "Kingroon KP3S V1 0.4 nozzle" + ], + "inherits": "fdm_process_common", + "name": "0.20mm Standard @Kingroon KP3S V1", + "instantiation": "true", + "bottom_shell_layers": "2", + "bridge_speed": "30", + "brim_type": "no_brim", + "default_acceleration": "10000", + "detect_thin_wall": "1", + "elefant_foot_compensation": "0.15", + "gap_infill_speed": "60", + "infill_wall_overlap": "8%", + "initial_layer_print_height": "0.25", + "initial_layer_travel_speed": "200", + "internal_solid_infill_acceleration": "6000", + "internal_solid_infill_speed": "160", + "is_custom_defined": "0", + "outer_wall_acceleration": "4000", + "overhang_2_4_speed": "30", + "overhang_reverse": "1", + "overhang_reverse_internal_only": "1", + "overhang_reverse_threshold": "0%", + "overhang_speed_classic": "1", + "seam_gap": "0.1", + "seam_position": "back", + "slow_down_layers": "2", + "slowdown_for_curled_perimeters": "1", + "sparse_infill_acceleration": "6000", + "sparse_infill_pattern": "grid", + "sparse_infill_speed": "300", + "support_type": "normal(manual)", + "thick_bridges": "1", + "top_surface_acceleration": "5000", + "top_surface_speed": "180", + "travel_acceleration": "10000", + "version": "1.6.0.0", + "wall_generator": "classic", + "wall_loops": "2", + "wall_transition_angle": "25", + "xy_hole_compensation": "0.1" +} From 751d51637b7176039dbcb7a0cf0034c50ba05918 Mon Sep 17 00:00:00 2001 From: Aleksey Bogomolov Date: Tue, 27 Aug 2024 18:30:58 +0300 Subject: [PATCH 22/35] UseElegoo Neptune 4 retraction from Np4 Pro profile (#6565) * Use Elegoo Neptune 4 retraction from Np4 Pro profile --- .../Elegoo/machine/Elegoo Neptune 4 (0.2 nozzle).json | 5 ++++- .../Elegoo/machine/Elegoo Neptune 4 (0.4 nozzle).json | 5 ++++- .../Elegoo/machine/Elegoo Neptune 4 (0.6 nozzle).json | 5 ++++- .../Elegoo/machine/Elegoo Neptune 4 (0.8 nozzle).json | 7 +++++-- 4 files changed, 17 insertions(+), 5 deletions(-) diff --git a/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.2 nozzle).json b/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.2 nozzle).json index a89e82d021..978b436ae9 100644 --- a/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.2 nozzle).json +++ b/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.2 nozzle).json @@ -36,7 +36,10 @@ "85%" ], "retraction_length": [ - "5" + "0.8" + ], + "retraction_speed": [ + "60" ], "retract_length_toolchange": [ "2" diff --git a/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.4 nozzle).json b/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.4 nozzle).json index 2717448e77..f7af80c318 100644 --- a/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.4 nozzle).json +++ b/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.4 nozzle).json @@ -36,7 +36,10 @@ "85%" ], "retraction_length": [ - "5" + "0.8" + ], + "retraction_speed": [ + "60" ], "retract_length_toolchange": [ "2" diff --git a/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.6 nozzle).json b/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.6 nozzle).json index 693ff8d370..1e1c35823a 100644 --- a/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.6 nozzle).json +++ b/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.6 nozzle).json @@ -36,7 +36,10 @@ "85%" ], "retraction_length": [ - "5" + "2.5" + ], + "retraction_speed": [ + "60" ], "retract_length_toolchange": [ "2" diff --git a/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.8 nozzle).json b/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.8 nozzle).json index ab3fbb9b4a..34d51ddb6f 100644 --- a/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.8 nozzle).json +++ b/resources/profiles/Elegoo/machine/Elegoo Neptune 4 (0.8 nozzle).json @@ -36,8 +36,11 @@ "85%" ], "retraction_length": [ - "5" - ], + "0.8" + ], + "retraction_speed": [ + "60" + ], "retract_length_toolchange": [ "2" ], From d1e7bb27623cf3b3a67b3355881a4a1d060dc8ef Mon Sep 17 00:00:00 2001 From: Thomas Date: Tue, 27 Aug 2024 17:32:52 +0200 Subject: [PATCH 23/35] Translated new strings in French (#6578) * Translated new strings * Fixes * c-boost fix --- localization/i18n/fr/OrcaSlicer_fr.po | 8143 ++++++------------------- 1 file changed, 1951 insertions(+), 6192 deletions(-) diff --git a/localization/i18n/fr/OrcaSlicer_fr.po b/localization/i18n/fr/OrcaSlicer_fr.po index adcd0f2f69..9471cfde7f 100644 --- a/localization/i18n/fr/OrcaSlicer_fr.po +++ b/localization/i18n/fr/OrcaSlicer_fr.po @@ -94,8 +94,7 @@ msgstr "Remplissage des espaces" #, boost-format msgid "Allows painting only on facets selected by: \"%1%\"" -msgstr "" -"Permet de peindre uniquement sur les facettes sélectionnées par : \"%1%\"" +msgstr "Permet de peindre uniquement sur les facettes sélectionnées par : \"%1%\"" msgid "Highlight faces according to overhang angle." msgstr "Mettre en surbrillance les faces en fonction de l'angle de surplomb." @@ -113,13 +112,8 @@ msgid "Lay on face" msgstr "Poser sur une face" #, boost-format -msgid "" -"Filament count exceeds the maximum number that painting tool supports. only " -"the first %1% filaments will be available in painting tool." -msgstr "" -"Le nombre de filaments dépasse le nombre maximum pris en charge par l'outil " -"de peinture. seuls les %1% premiers filaments seront disponibles dans " -"l'outil de peinture." +msgid "Filament count exceeds the maximum number that painting tool supports. only the first %1% filaments will be available in painting tool." +msgstr "Le nombre de filaments dépasse le nombre maximum pris en charge par l'outil de peinture. seuls les %1% premiers filaments seront disponibles dans l'outil de peinture." msgid "Color Painting" msgstr "Mettre en couleur" @@ -531,9 +525,7 @@ msgid "Cut by Plane" msgstr "Coupe par plan" msgid "non-manifold edges be caused by cut tool, do you want to fix it now?" -msgstr "" -"les bords non pliables sont dus à l’outil de coupe, voulez-vous les corriger " -"maintenant ?" +msgstr "les bords non pliables sont dus à l’outil de coupe, voulez-vous les corriger maintenant ?" msgid "Repairing model object" msgstr "Réparer l'objet modèle" @@ -554,12 +546,8 @@ msgid "Decimate ratio" msgstr "Rapport de décimation" #, boost-format -msgid "" -"Processing model '%1%' with more than 1M triangles could be slow. It is " -"highly recommended to simplify the model." -msgstr "" -"Le traitement du modèle '%1%' avec plus de 1 million de triangles peut être " -"lent. Il est fortement recommandé de simplifier le modèle." +msgid "Processing model '%1%' with more than 1M triangles could be slow. It is highly recommended to simplify the model." +msgstr "Le traitement du modèle '%1%' avec plus de 1 million de triangles peut être lent. Il est fortement recommandé de simplifier le modèle." msgid "Simplify model" msgstr "Simplifier le modèle" @@ -568,9 +556,7 @@ msgid "Simplify" msgstr "Simplifier" msgid "Simplification is currently only allowed when a single part is selected" -msgstr "" -"La simplification n'est actuellement autorisée que lorsqu'une seule pièce " -"est sélectionnée" +msgstr "La simplification n'est actuellement autorisée que lorsqu'une seule pièce est sélectionnée" msgid "Error" msgstr "Erreur" @@ -727,20 +713,14 @@ msgstr "Police de caractères par défaut" msgid "Advanced" msgstr "Avancé" -msgid "" -"The text cannot be written using the selected font. Please try choosing a " -"different font." -msgstr "" -"Le texte ne peut pas être écrit avec la police sélectionnée. Veuillez " -"essayer de choisir une autre police." +msgid "The text cannot be written using the selected font. Please try choosing a different font." +msgstr "Le texte ne peut pas être écrit avec la police sélectionnée. Veuillez essayer de choisir une autre police." msgid "Embossed text cannot contain only white spaces." msgstr "Le texte en relief ne peut pas contenir uniquement des espaces blancs." msgid "Text contains character glyph (represented by '?') unknown by font." -msgstr "" -"Le texte contient un caractère glyphe (représenté par ‘?’) inconnu de la " -"police." +msgstr "Le texte contient un caractère glyphe (représenté par ‘?’) inconnu de la police." msgid "Text input doesn't show font skew." msgstr "La saisie de texte n’affiche pas l’inclinaison de la police." @@ -755,9 +735,7 @@ msgid "Too tall, diminished font height inside text input." msgstr "Hauteur de police trop élevée, diminuée dans la saisie de texte." msgid "Too small, enlarged font height inside text input." -msgstr "" -"La hauteur de la police est trop petite et trop grande dans la saisie de " -"texte." +msgstr "La hauteur de la police est trop petite et trop grande dans la saisie de texte." msgid "Text doesn't show current horizontal alignment." msgstr "Le texte n’affiche pas l’alignement horizontal actuel." @@ -779,8 +757,7 @@ msgid "Click to change text into object part." msgstr "Cliquez pour transformer le texte en partie d’objet." msgid "You can't change a type of the last solid part of the object." -msgstr "" -"Vous ne pouvez pas modifier le type de la dernière partie pleine de l’objet." +msgstr "Vous ne pouvez pas modifier le type de la dernière partie pleine de l’objet." msgctxt "EmbossOperation" msgid "Cut" @@ -881,8 +858,7 @@ msgid "" "\n" "Would you like to continue anyway?" msgstr "" -"La modification du style en \"%1%\" annulera la modification du style " -"actuel.\n" +"La modification du style en \"%1%\" annulera la modification du style actuel.\n" "\n" "Voulez-vous continuer quand même ?" @@ -891,8 +867,7 @@ msgstr "Style non valide." #, boost-format msgid "Style \"%1%\" can't be used and will be removed from a list." -msgstr "" -"Le style \"%1%\" ne peut pas être utilisé et sera supprimé de la liste." +msgstr "Le style \"%1%\" ne peut pas être utilisé et sera supprimé de la liste." msgid "Unset italic" msgstr "Enlever l’italique" @@ -916,8 +891,7 @@ msgid "" "Advanced options cannot be changed for the selected font.\n" "Select another font." msgstr "" -"Les options avancées ne peuvent pas être modifiées pour la police " -"sélectionnée.\n" +"Les options avancées ne peuvent pas être modifiées pour la police sélectionnée.\n" "Sélectionnez une autre police." msgid "Revert using of model surface." @@ -1000,14 +974,10 @@ msgid "Rotate text Clock-wise." msgstr "Rotation du texte dans le sens des aiguilles d’une montre." msgid "Unlock the text's rotation when moving text along the object's surface." -msgstr "" -"Déverrouille la rotation du texte lorsqu’il est déplacé le long de la " -"surface de l’objet." +msgstr "Déverrouille la rotation du texte lorsqu’il est déplacé le long de la surface de l’objet." msgid "Lock the text's rotation when moving text along the object's surface." -msgstr "" -"Verrouille la rotation du texte lorsqu’il est déplacé le long de la surface " -"de l’objet." +msgstr "Verrouille la rotation du texte lorsqu’il est déplacé le long de la surface de l’objet." msgid "Select from True Type Collection." msgstr "Sélectionner dans la collection True Type." @@ -1019,13 +989,8 @@ msgid "Orient the text towards the camera." msgstr "Orienter le texte vers la caméra." #, boost-format -msgid "" -"Can't load exactly same font(\"%1%\"). Application selected a similar " -"one(\"%2%\"). You have to specify font for enable edit text." -msgstr "" -"Impossible de charger exactement la même police (« %1% »). L’application a " -"sélectionné une police similaire (« %2% »). Vous devez spécifier la police " -"pour permettre l’édition du texte." +msgid "Can't load exactly same font(\"%1%\"). Application selected a similar one(\"%2%\"). You have to specify font for enable edit text." +msgstr "Impossible de charger exactement la même police (« %1% »). L’application a sélectionné une police similaire (« %2% »). Vous devez spécifier la police pour permettre l’édition du texte." msgid "No symbol" msgstr "Pas de symbole" @@ -1138,16 +1103,10 @@ msgid "Undefined stroke type" msgstr "Type de trait non défini" msgid "Path can't be healed from selfintersection and multiple points." -msgstr "" -"Le chemin ne peut pas être consolidé à partir d’une auto-intersection et de " -"points multiples." +msgstr "Le chemin ne peut pas être consolidé à partir d’une auto-intersection et de points multiples." -msgid "" -"Final shape constains selfintersection or multiple points with same " -"coordinate." -msgstr "" -"La forme finale contient une auto-intersection ou plusieurs points ayant les " -"mêmes coordonnées." +msgid "Final shape constains selfintersection or multiple points with same coordinate." +msgstr "La forme finale contient une auto-intersection ou plusieurs points ayant les mêmes coordonnées." #, boost-format msgid "Shape is marked as invisible (%1%)." @@ -1156,19 +1115,15 @@ msgstr "La forme est marquée comme invisible (%1%)." #. TRN: The first placeholder is shape identifier, the second one is text describing the problem. #, boost-format msgid "Fill of shape (%1%) contains unsupported: %2%." -msgstr "" -"Le remplissage de la forme (%1%) contient un élément non pris en charge : " -"%2%." +msgstr "Le remplissage de la forme (%1%) contient un élément non pris en charge : %2%." #, boost-format msgid "Stroke of shape (%1%) is too thin (minimal width is %2% mm)." -msgstr "" -"Le trait de la forme (%1%) est trop fin (la largeur minimale est de %2% mm)." +msgstr "Le trait de la forme (%1%) est trop fin (la largeur minimale est de %2% mm)." #, boost-format msgid "Stroke of shape (%1%) contains unsupported: %2%." -msgstr "" -"Le trait de la forme (%1%) contient un élément non pris en charge : %2%." +msgstr "Le trait de la forme (%1%) contient un élément non pris en charge : %2%." msgid "Face the camera" msgstr "Faire face à la caméra" @@ -1223,8 +1178,7 @@ msgstr "Taille dans le sens de l’embossage." #. TRN: The placeholder contains a number. #, boost-format msgid "Scale also changes amount of curve samples (%1%)" -msgstr "" -"L’échelle modifie également la quantité d’échantillons de la courbe (%1%)." +msgstr "L’échelle modifie également la quantité d’échantillons de la courbe (%1%)." msgid "Width of SVG." msgstr "Largeur du SVG." @@ -1248,9 +1202,7 @@ msgid "Reset rotation" msgstr "Réinitialiser la rotation" msgid "Lock/unlock rotation angle when dragging above the surface." -msgstr "" -"Verrouillage/déverrouillage de l’angle de rotation lorsque l’on tire au-" -"dessus de la surface." +msgstr "Verrouillage/déverrouillage de l’angle de rotation lorsque l’on tire au-dessus de la surface." msgid "Mirror vertically" msgstr "Symétrie verticale" @@ -1275,9 +1227,7 @@ msgstr "Le fichier n’existe pas (%1%)." #, boost-format msgid "Filename has to end with \".svg\" but you selected %1%" -msgstr "" -"Le nom de fichier doit se terminer par \".svg\" mais vous avez sélectionné " -"%1%." +msgstr "Le nom de fichier doit se terminer par \".svg\" mais vous avez sélectionné %1%." #, boost-format msgid "Nano SVG parser can't load from file (%1%)." @@ -1383,9 +1333,7 @@ msgid "%1% was replaced with %2%" msgstr "%1% a été remplacé par %2%" msgid "The configuration may be generated by a newer version of OrcaSlicer." -msgstr "" -"La configuration peut être générée par une version plus récente de Orca " -"Slicer." +msgstr "La configuration peut être générée par une version plus récente de Orca Slicer." msgid "Some values have been replaced. Please check them:" msgstr "Certaines valeurs ont été remplacées. Veuillez les vérifier :" @@ -1400,34 +1348,20 @@ msgid "Machine" msgstr "Machine" msgid "Configuration package was loaded, but some values were not recognized." -msgstr "" -"Le package de configuration a été chargé, mais certaines valeurs n'ont pas " -"été reconnues." +msgstr "Le package de configuration a été chargé, mais certaines valeurs n'ont pas été reconnues." #, boost-format -msgid "" -"Configuration file \"%1%\" was loaded, but some values were not recognized." -msgstr "" -"Le fichier de configuration \"%1%\" a été chargé, mais certaines valeurs " -"n'ont pas été reconnues." +msgid "Configuration file \"%1%\" was loaded, but some values were not recognized." +msgstr "Le fichier de configuration \"%1%\" a été chargé, mais certaines valeurs n'ont pas été reconnues." -msgid "" -"OrcaSlicer will terminate because of running out of memory.It may be a bug. " -"It will be appreciated if you report the issue to our team." -msgstr "" -"Orca Slicer va s'arrêter à cause d'un manque de mémoire. Il peut s'agir d'un " -"bogue. Il sera apprécié de signaler le problème à notre équipe." +msgid "OrcaSlicer will terminate because of running out of memory.It may be a bug. It will be appreciated if you report the issue to our team." +msgstr "Orca Slicer va s'arrêter à cause d'un manque de mémoire. Il peut s'agir d'un bogue. Il sera apprécié de signaler le problème à notre équipe." msgid "Fatal error" msgstr "Erreur fatale" -msgid "" -"OrcaSlicer will terminate because of a localization error. It will be " -"appreciated if you report the specific scenario this issue happened." -msgstr "" -"Orca Slicer va s'arrêter à cause d'une erreur de localisation. Il sera " -"apprécié si vous signalez le scénario spécifique dans lequel ce problème " -"s'est produit." +msgid "OrcaSlicer will terminate because of a localization error. It will be appreciated if you report the specific scenario this issue happened." +msgstr "Orca Slicer va s'arrêter à cause d'une erreur de localisation. Il sera apprécié si vous signalez le scénario spécifique dans lequel ce problème s'est produit." msgid "Critical error" msgstr "Erreur critique" @@ -1453,12 +1387,10 @@ msgid "Connect %s failed! [SN:%s, code=%s]" msgstr "La connexion à %s a échoué ! [SN : %s, code = %s]" msgid "" -"Orca Slicer requires the Microsoft WebView2 Runtime to operate certain " -"features.\n" +"Orca Slicer requires the Microsoft WebView2 Runtime to operate certain features.\n" "Click Yes to install it now." msgstr "" -"Orca Slicer nécessite Microsoft WebView2 Runtime pour utiliser certaines " -"fonctions.\n" +"Orca Slicer nécessite Microsoft WebView2 Runtime pour utiliser certaines fonctions.\n" "Cliquez sur Oui pour l'installer maintenant." msgid "WebView2 Runtime" @@ -1480,9 +1412,7 @@ msgstr "Chargement de la configuration" #, c-format, boost-format msgid "Click to download new version in default browser: %s" -msgstr "" -"Cliquez pour télécharger la nouvelle version dans le navigateur par défaut : " -"%s" +msgstr "Cliquez pour télécharger la nouvelle version dans le navigateur par défaut : %s" msgid "The Orca Slicer needs an upgrade" msgstr "Orca Slicer a besoin d’être mis à jour" @@ -1496,14 +1426,11 @@ msgstr "Info" msgid "" "The OrcaSlicer configuration file may be corrupted and cannot be parsed.\n" "OrcaSlicer has attempted to recreate the configuration file.\n" -"Please note, application settings will be lost, but printer profiles will " -"not be affected." +"Please note, application settings will be lost, but printer profiles will not be affected." msgstr "" -"Le fichier de configuration d'OrcaSlicer peut être corrompu et ne peut pas " -"être analysé.\n" +"Le fichier de configuration d'OrcaSlicer peut être corrompu et ne peut pas être analysé.\n" "OrcaSlicer a tenté de recréer le fichier de configuration.\n" -"Veuillez noter que les paramètres de l'application seront perdus, mais que " -"les profils d'imprimante ne seront pas affectés." +"Veuillez noter que les paramètres de l'application seront perdus, mais que les profils d'imprimante ne seront pas affectés." msgid "Rebuild" msgstr "Reconstruire" @@ -1518,8 +1445,7 @@ msgid "Choose one file (3mf):" msgstr "Choisissez un fichier (3mf):" msgid "Choose one or more files (3mf/step/stl/svg/obj/amf/usd*/abc/ply):" -msgstr "" -"Choisissez un ou plusieurs fichiers (3mf/step/stl/svg/obj/amf/usd*/abc/ply) :" +msgstr "Choisissez un ou plusieurs fichiers (3mf/step/stl/svg/obj/amf/usd*/abc/ply) :" msgid "Choose one or more files (3mf/step/stl/svg/obj/amf):" msgstr "Choisissez un ou plusieurs fichiers (3mf/step/stl/svg/obj/amf) :" @@ -1533,40 +1459,27 @@ msgstr "Choisissez un fichier (gcode/3mf):" msgid "Some presets are modified." msgstr "Certains préréglages sont modifiés." -msgid "" -"You can keep the modifield presets to the new project, discard or save " -"changes as new presets." -msgstr "" -"Vous pouvez conserver les préréglages modifiés dans le nouveau projet, " -"annuler ou enregistrer les modifications en tant que nouveaux préréglages." +msgid "You can keep the modifield presets to the new project, discard or save changes as new presets." +msgstr "Vous pouvez conserver les préréglages modifiés dans le nouveau projet, annuler ou enregistrer les modifications en tant que nouveaux préréglages." msgid "User logged out" msgstr "Utilisateur déconnecté" msgid "new or open project file is not allowed during the slicing process!" -msgstr "" -"l’ouverture ou la création d'un fichier de projet n'est pas autorisée " -"pendant le processus de découpe !" +msgstr "l’ouverture ou la création d'un fichier de projet n'est pas autorisée pendant le processus de découpe !" msgid "Open Project" msgstr "Ouvrir un projet" -msgid "" -"The version of Orca Slicer is too low and needs to be updated to the latest " -"version before it can be used normally" -msgstr "" -"La version de OrcaSlicer est trop ancienne et doit être mise à jour vers la " -"dernière version afin qu’il puisse être utilisé normalement" +msgid "The version of Orca Slicer is too low and needs to be updated to the latest version before it can be used normally" +msgstr "La version de OrcaSlicer est trop ancienne et doit être mise à jour vers la dernière version afin qu’il puisse être utilisé normalement" msgid "Privacy Policy Update" msgstr "Mise à jour de la politique de confidentialité" -msgid "" -"The number of user presets cached in the cloud has exceeded the upper limit, " -"newly created user presets can only be used locally." +msgid "The number of user presets cached in the cloud has exceeded the upper limit, newly created user presets can only be used locally." msgstr "" -"Le nombre de préréglages utilisateur mis en cache dans le nuage a dépassé la " -"limite supérieure. Les préréglages utilisateur \n" +"Le nombre de préréglages utilisateur mis en cache dans le nuage a dépassé la limite supérieure. Les préréglages utilisateur \n" "nouvellement créés ne peuvent être utilisés que localement." msgid "Sync user presets" @@ -1599,13 +1512,8 @@ msgstr "Téléversements en cours" msgid "Select a G-code file:" msgstr "Sélectionnez un fichier G-code :" -msgid "" -"Could not start URL download. Destination folder is not set. Please choose " -"destination folder in Configuration Wizard." -msgstr "" -"Impossible de lancer le téléchargement de l’URL. Le dossier de destination " -"n’est pas défini. Veuillez choisir le dossier de destination dans " -"l’assistant de configuration." +msgid "Could not start URL download. Destination folder is not set. Please choose destination folder in Configuration Wizard." +msgstr "Impossible de lancer le téléchargement de l’URL. Le dossier de destination n’est pas défini. Veuillez choisir le dossier de destination dans l’assistant de configuration." msgid "Import File" msgstr "Importer un Fichier" @@ -1765,16 +1673,11 @@ msgid "Orca String Hell" msgstr "Orca String Hell" msgid "" -"This model features text embossment on the top surface. For optimal results, " -"it is advisable to set the 'One Wall Threshold(min_width_top_surface)' to 0 " -"for the 'Only One Wall on Top Surfaces' to work best.\n" +"This model features text embossment on the top surface. For optimal results, it is advisable to set the 'One Wall Threshold(min_width_top_surface)' to 0 for the 'Only One Wall on Top Surfaces' to work best.\n" "Yes - Change these settings automatically\n" "No - Do not change these settings for me" msgstr "" -"Ce modèle présente un texte en relief sur la surface supérieure. Pour " -"obtenir des résultats optimaux, il est conseillé de régler le \"Seuil une " -"paroi(min_width_top_surface)\" sur 0 pour que l'option \"Une seule paroi sur " -"les surfaces supérieures\" fonctionne au mieux.\n" +"Ce modèle présente un texte en relief sur la surface supérieure. Pour obtenir des résultats optimaux, il est conseillé de régler le \"Seuil une paroi(min_width_top_surface)\" sur 0 pour que l'option \"Une seule paroi sur les surfaces supérieures\" fonctionne au mieux.\n" "Oui - Modifier ces paramètres automatiquement\n" "Non - Ne pas modifier ces paramètres pour moi" @@ -1800,8 +1703,7 @@ msgid "Fill bed with copies" msgstr "Remplir le plateau de copies" msgid "Fill the remaining area of bed with copies of the selected object" -msgstr "" -"Remplissez la zone restante du plateau avec des copies de l'objet sélectionné" +msgstr "Remplissez la zone restante du plateau avec des copies de l'objet sélectionné" msgid "Printable" msgstr "Imprimable" @@ -1889,8 +1791,7 @@ msgid "Mesh boolean" msgstr "Opérations booléennes" msgid "Mesh boolean operations including union and subtraction" -msgstr "" -"Opérations booléennes de maillage, incluant la fusion et la soustraction" +msgstr "Opérations booléennes de maillage, incluant la fusion et la soustraction" msgid "Along X axis" msgstr "Le long de l'axe X" @@ -1962,8 +1863,7 @@ msgid "Auto orientation" msgstr "Orientation automatique" msgid "Auto orient the object to improve print quality." -msgstr "" -"Orientez automatiquement l'objet pour améliorer la qualité d'impression." +msgstr "Orientez automatiquement l'objet pour améliorer la qualité d'impression." msgid "Select All" msgstr "Tout sélectionner" @@ -2011,7 +1911,7 @@ msgid "Center" msgstr "Centrer" msgid "Drop" -msgstr "" +msgstr "Déposer" msgid "Edit Process Settings" msgstr "Modifier les paramètres du traitement" @@ -2065,17 +1965,13 @@ msgid "Right click the icon to fix model object" msgstr "Cliquez avec le bouton droit sur l'icône pour fixer l'objet modèle" msgid "Right button click the icon to drop the object settings" -msgstr "" -"Cliquez avec le bouton droit sur l'icône pour supprimer les paramètres de " -"l'objet" +msgstr "Cliquez avec le bouton droit sur l'icône pour supprimer les paramètres de l'objet" msgid "Click the icon to reset all settings of the object" msgstr "Cliquez sur l'icône pour réinitialiser tous les paramètres de l'objet" msgid "Right button click the icon to drop the object printable property" -msgstr "" -"Cliquez avec le bouton droit sur l'icône pour déposer la propriété " -"imprimable de l'objet" +msgstr "Cliquez avec le bouton droit sur l'icône pour déposer la propriété imprimable de l'objet" msgid "Click the icon to toggle printable property of the object" msgstr "Cliquez sur l'icône pour basculer la propriété imprimable de l'objet" @@ -2105,16 +2001,10 @@ msgid "Add Modifier" msgstr "Ajouter un modificateur" msgid "Switch to per-object setting mode to edit modifier settings." -msgstr "" -"Basculez vers le mode de réglage par objet pour modifier les paramètres du " -"modificateur." +msgstr "Basculez vers le mode de réglage par objet pour modifier les paramètres du modificateur." -msgid "" -"Switch to per-object setting mode to edit process settings of selected " -"objects." -msgstr "" -"Passez en mode de réglage \"par objet\" pour modifier les paramètres de " -"traitement des objets sélectionnés." +msgid "Switch to per-object setting mode to edit process settings of selected objects." +msgstr "Passez en mode de réglage \"par objet\" pour modifier les paramètres de traitement des objets sélectionnés." msgid "Delete connector from object which is a part of cut" msgstr "Supprimer le connecteur de l'objet qui fait partie de la découpe" @@ -2125,25 +2015,19 @@ msgstr "Supprimer la partie pleine de l'objet qui est une partie découpée" msgid "Delete negative volume from object which is a part of cut" msgstr "Supprimer le volume négatif de l'objet qui fait partie de la découpe" -msgid "" -"To save cut correspondence you can delete all connectors from all related " -"objects." -msgstr "" -"Pour enregistrer la correspondance coupée, vous pouvez supprimer tous les " -"connecteurs de tous les objets associés." +msgid "To save cut correspondence you can delete all connectors from all related objects." +msgstr "Pour enregistrer la correspondance coupée, vous pouvez supprimer tous les connecteurs de tous les objets associés." msgid "" "This action will break a cut correspondence.\n" "After that model consistency can't be guaranteed .\n" "\n" -"To manipulate with solid parts or negative volumes you have to invalidate " -"cut infornation first." +"To manipulate with solid parts or negative volumes you have to invalidate cut infornation first." msgstr "" "Cette action rompra une correspondance coupée.\n" "Après cela, la cohérence du modèle ne peut être garantie.\n" "\n" -"Pour manipuler des pièces pleines ou des volumes négatifs, vous devez " -"d'abord invalider les informations de coupe." +"Pour manipuler des pièces pleines ou des volumes négatifs, vous devez d'abord invalider les informations de coupe." msgid "Delete all connectors" msgstr "Supprimer tous les connecteurs" @@ -2152,8 +2036,7 @@ msgid "Deleting the last solid part is not allowed." msgstr "La suppression de la dernière partie pleine n'est pas autorisée." msgid "The target object contains only one part and can not be splited." -msgstr "" -"L'objet cible ne contient qu'une seule partie et ne peut pas être divisé." +msgstr "L'objet cible ne contient qu'une seule partie et ne peut pas être divisé." msgid "Assembly" msgstr "Assemblé" @@ -2194,22 +2077,14 @@ msgstr "Couche" msgid "Selection conflicts" msgstr "Conflits de sélection" -msgid "" -"If first selected item is an object, the second one should also be object." -msgstr "" -"Si le premier élément sélectionné est un objet, le second doit également " -"être un objet." +msgid "If first selected item is an object, the second one should also be object." +msgstr "Si le premier élément sélectionné est un objet, le second doit également être un objet." -msgid "" -"If first selected item is a part, the second one should be part in the same " -"object." -msgstr "" -"Si le premier élément sélectionné est une partie, le second doit faire " -"partie du même objet." +msgid "If first selected item is a part, the second one should be part in the same object." +msgstr "Si le premier élément sélectionné est une partie, le second doit faire partie du même objet." msgid "The type of the last solid object part is not to be changed." -msgstr "" -"Le type de la dernière partie pleine de l'objet ne doit pas être modifié." +msgstr "Le type de la dernière partie pleine de l'objet ne doit pas être modifié." msgid "Negative Part" msgstr "Partie négative" @@ -2264,9 +2139,7 @@ msgid "Invalid numeric." msgstr "Chiffre non valide." msgid "one cell can only be copied to one or multiple cells in the same column" -msgstr "" -"une cellule ne peut être copiée que dans une ou plusieurs cellules de la " -"même colonne" +msgstr "une cellule ne peut être copiée que dans une ou plusieurs cellules de la même colonne" msgid "multiple cells copy is not supported" msgstr "la copie de plusieurs cellules n'est pas prise en charge" @@ -2479,9 +2352,7 @@ msgid "Calibrating AMS..." msgstr "Étalonnage de l'AMS…" msgid "A problem occurred during calibration. Click to view the solution." -msgstr "" -"Un problème est survenu lors de la calibration. Cliquez pour voir la " -"solution." +msgstr "Un problème est survenu lors de la calibration. Cliquez pour voir la solution." msgid "Calibrate again" msgstr "Etalonner de nouveau" @@ -2519,12 +2390,8 @@ msgstr "Vérification de la position du filament" msgid "Grab new filament" msgstr "Saisir un nouveau filament" -msgid "" -"Choose an AMS slot then press \"Load\" or \"Unload\" button to automatically " -"load or unload filaments." -msgstr "" -"Choisissez un emplacement AMS puis appuyez sur le bouton «  Charger «  ou «  " -"Décharger «  pour charger ou décharger automatiquement les filaments." +msgid "Choose an AMS slot then press \"Load\" or \"Unload\" button to automatically load or unload filaments." +msgstr "Choisissez un emplacement AMS puis appuyez sur le bouton «  Charger «  ou «  Décharger «  pour charger ou décharger automatiquement les filaments." msgid "Edit" msgstr "Éditer" @@ -2555,29 +2422,21 @@ msgstr "Agencement" msgid "Arranging canceled." msgstr "Agencement annulé." -msgid "" -"Arranging is done but there are unpacked items. Reduce spacing and try again." -msgstr "" -"L'arrangement est fait mais il y a des articles non emballés. Réduisez " -"l'espacement et réessayez." +msgid "Arranging is done but there are unpacked items. Reduce spacing and try again." +msgstr "L'arrangement est fait mais il y a des articles non emballés. Réduisez l'espacement et réessayez." msgid "Arranging done." msgstr "Agencement terminé." -msgid "" -"Arrange failed. Found some exceptions when processing object geometries." -msgstr "" -"Échec de l'arrangement. Trouvé quelques exceptions lors du traitement des " -"géométries d'objets." +msgid "Arrange failed. Found some exceptions when processing object geometries." +msgstr "Échec de l'arrangement. Trouvé quelques exceptions lors du traitement des géométries d'objets." #, c-format, boost-format msgid "" -"Arrangement ignored the following objects which can't fit into a single " -"bed:\n" +"Arrangement ignored the following objects which can't fit into a single bed:\n" "%s" msgstr "" -"L'agencement a ignoré les objets suivants qui ne peuvent pas tenir dans un " -"seul plateau :\n" +"L'agencement a ignoré les objets suivants qui ne peuvent pas tenir dans un seul plateau :\n" "%s" msgid "" @@ -2590,9 +2449,7 @@ msgstr "" msgid "" "This plate is locked,\n" "We can not do auto-orient on this plate." -msgstr "" -"Cette plaque est verrouillée, on ne peut pas faire d'auto-orientation sur " -"cette plaque." +msgstr "Cette plaque est verrouillée, on ne peut pas faire d'auto-orientation sur cette plaque." msgid "Orienting..." msgstr "Orienter…" @@ -2631,16 +2488,13 @@ msgid "Please check the printer network connection." msgstr "Vérifiez la connexion réseau de l'imprimante." msgid "Abnormal print file data. Please slice again." -msgstr "" -"Données de fichier d'impression anormales, veuillez redécouvre le fichier." +msgstr "Données de fichier d'impression anormales, veuillez redécouvre le fichier." msgid "Task canceled." msgstr "Tâche annulée." msgid "Upload task timed out. Please check the network status and try again." -msgstr "" -"Le délai de téléversement de la tâche a expiré. Vérifiez l'état du réseau et " -"réessayez." +msgstr "Le délai de téléversement de la tâche a expiré. Vérifiez l'état du réseau et réessayez." msgid "Cloud service connection failed. Please try again." msgstr "La connexion au service cloud a échoué. Veuillez réessayer." @@ -2648,12 +2502,8 @@ msgstr "La connexion au service cloud a échoué. Veuillez réessayer." msgid "Print file not found. please slice again." msgstr "Fichier d'impression introuvable, veuillez le redécouvre." -msgid "" -"The print file exceeds the maximum allowable size (1GB). Please simplify the " -"model and slice again." -msgstr "" -"Le fichier d'impression dépasse la taille maximale autorisée (1 Go). " -"Veuillez simplifier le modèle puis le redécouvre." +msgid "The print file exceeds the maximum allowable size (1GB). Please simplify the model and slice again." +msgstr "Le fichier d'impression dépasse la taille maximale autorisée (1 Go). Veuillez simplifier le modèle puis le redécouvre." msgid "Failed to send the print job. Please try again." msgstr "L'envoi de la tâche d'impression a échoué. Veuillez réessayer." @@ -2661,30 +2511,17 @@ msgstr "L'envoi de la tâche d'impression a échoué. Veuillez réessayer." msgid "Failed to upload file to ftp. Please try again." msgstr "Échec du téléversement du fichier vers le ftp. Veuillez réessayer." -msgid "" -"Check the current status of the bambu server by clicking on the link above." -msgstr "" -"Vérifiez l'état actuel du serveur Bambu Lab en cliquant sur le lien ci-" -"dessus." +msgid "Check the current status of the bambu server by clicking on the link above." +msgstr "Vérifiez l'état actuel du serveur Bambu Lab en cliquant sur le lien ci-dessus." -msgid "" -"The size of the print file is too large. Please adjust the file size and try " -"again." -msgstr "" -"La taille du fichier d'impression est trop importante. Ajustez la taille du " -"fichier et réessayez." +msgid "The size of the print file is too large. Please adjust the file size and try again." +msgstr "La taille du fichier d'impression est trop importante. Ajustez la taille du fichier et réessayez." msgid "Print file not found, Please slice it again and send it for printing." -msgstr "" -"Fichier d'impression introuvable, redécoupez-le et renvoyez-le pour " -"impression." +msgstr "Fichier d'impression introuvable, redécoupez-le et renvoyez-le pour impression." -msgid "" -"Failed to upload print file to FTP. Please check the network status and try " -"again." -msgstr "" -"Impossible de charger le fichier d'impression via FTP. Vérifiez l'état du " -"réseau et réessayez." +msgid "Failed to upload print file to FTP. Please check the network status and try again." +msgstr "Impossible de charger le fichier d'impression via FTP. Vérifiez l'état du réseau et réessayez." msgid "Sending print job over LAN" msgstr "Envoi de la tâche d'impression sur le réseau local" @@ -2706,8 +2543,7 @@ msgstr "Envoi de la configuration d'impression" #, c-format, boost-format msgid "Successfully sent. Will automatically jump to the device page in %ss" -msgstr "" -"Envoyé avec succès. Basculement automatique vers la page Appareil dans %ss" +msgstr "Envoyé avec succès. Basculement automatique vers la page Appareil dans %ss" #, c-format, boost-format msgid "Successfully sent. Will automatically jump to the next page in %ss" @@ -2732,12 +2568,8 @@ msgstr "Une carte SD doit être insérée avant l'envoi à l'imprimante." msgid "Importing SLA archive" msgstr "Importation d'une archive SLA" -msgid "" -"The SLA archive doesn't contain any presets. Please activate some SLA " -"printer preset first before importing that SLA archive." -msgstr "" -"L'archive SLA ne contient aucun préréglage. Veuillez d'abord activer " -"certains préréglages d'imprimante SLA avant d'importer cette archive SLA." +msgid "The SLA archive doesn't contain any presets. Please activate some SLA printer preset first before importing that SLA archive." +msgstr "L'archive SLA ne contient aucun préréglage. Veuillez d'abord activer certains préréglages d'imprimante SLA avant d'importer cette archive SLA." msgid "Importing canceled." msgstr "Importation annulée." @@ -2745,17 +2577,11 @@ msgstr "Importation annulée." msgid "Importing done." msgstr "Importation terminée." -msgid "" -"The imported SLA archive did not contain any presets. The current SLA " -"presets were used as fallback." -msgstr "" -"L'archive SLA importée ne contenait aucun préréglage. Les préréglages SLA " -"actuels ont été utilisés comme solution de secours." +msgid "The imported SLA archive did not contain any presets. The current SLA presets were used as fallback." +msgstr "L'archive SLA importée ne contenait aucun préréglage. Les préréglages SLA actuels ont été utilisés comme solution de secours." msgid "You cannot load SLA project with a multi-part object on the bed" -msgstr "" -"Vous ne pouvez pas charger un projet SLA avec un objet en plusieurs parties " -"sur le plateau" +msgstr "Vous ne pouvez pas charger un projet SLA avec un objet en plusieurs parties sur le plateau" msgid "Please check your object list before preset changing." msgstr "Vérifiez votre liste d'objets avant de modifier le préréglage." @@ -2802,12 +2628,8 @@ msgstr "Orca Slicer est basé sur PrusaSlicer et BambuStudio" msgid "Libraries" msgstr "Bibliothèques" -msgid "" -"This software uses open source components whose copyright and other " -"proprietary rights belong to their respective owners" -msgstr "" -"Ce logiciel utilise des composants open source dont les droits d'auteur et " -"autres droits de propriété appartiennent à leurs propriétaires respectifs" +msgid "This software uses open source components whose copyright and other proprietary rights belong to their respective owners" +msgstr "Ce logiciel utilise des composants open source dont les droits d'auteur et autres droits de propriété appartiennent à leurs propriétaires respectifs" #, c-format, boost-format msgid "About %s" @@ -2825,12 +2647,8 @@ msgstr "Bambu Studio est basé sur PrusaSlicer de PrusaResearch." msgid "PrusaSlicer is originally based on Slic3r by Alessandro Ranellucci." msgstr "PrusaSlicer est initialement basé sur Slic3r d'Alessandro Ranellucci." -msgid "" -"Slic3r was created by Alessandro Ranellucci with the help of many other " -"contributors." -msgstr "" -"Slic3r a été créé par Alessandro Ranellucci avec l'aide de nombreux autres " -"contributeurs." +msgid "Slic3r was created by Alessandro Ranellucci with the help of many other contributors." +msgstr "Slic3r a été créé par Alessandro Ranellucci avec l'aide de nombreux autres contributeurs." msgid "Version" msgstr "Version" @@ -2866,9 +2684,7 @@ msgid "SN" msgstr "Numéro de série" msgid "Setting AMS slot information while printing is not supported" -msgstr "" -"La définition des informations relatives aux emplacements AMS pendant " -"l'impression n'est pas prise en charge" +msgstr "La définition des informations relatives aux emplacements AMS pendant l'impression n'est pas prise en charge" msgid "Factors of Flow Dynamics Calibration" msgstr "Facteurs de calibration dynamique du débit" @@ -2883,9 +2699,7 @@ msgid "Factor N" msgstr "Facteur N" msgid "Setting Virtual slot information while printing is not supported" -msgstr "" -"Le réglage des informations relatives à l'emplacement virtuel pendant " -"l'impression n'est pas pris en charge" +msgstr "Le réglage des informations relatives à l'emplacement virtuel pendant l'impression n'est pas pris en charge" msgid "Are you sure you want to clear the filament information?" msgstr "Êtes-vous sûr de vouloir effacer les informations du filament ?" @@ -2899,8 +2713,7 @@ msgstr "Veuillez saisir une valeur valide (K entre %.1f~%.1f)" #, c-format, boost-format msgid "Please input a valid value (K in %.1f~%.1f, N in %.1f~%.1f)" -msgstr "" -"Veuillez saisir une valeur valide (K entre %.1f~%.1f, N entre %.1f~%.1f)" +msgstr "Veuillez saisir une valeur valide (K entre %.1f~%.1f, N entre %.1f~%.1f)" msgid "Other Color" msgstr "Autre couleur" @@ -2911,15 +2724,8 @@ msgstr "Couleur perso" msgid "Dynamic flow calibration" msgstr "Calibrage dynamique du débit" -msgid "" -"The nozzle temp and max volumetric speed will affect the calibration " -"results. Please fill in the same values as the actual printing. They can be " -"auto-filled by selecting a filament preset." -msgstr "" -"La température de la buse et la vitesse volumétrique maximale affecteront " -"les résultats de la calibration. Veuillez saisir les mêmes valeurs que lors " -"de l'impression réelle. Ils peuvent être remplis automatiquement en " -"sélectionnant un préréglage de filament." +msgid "The nozzle temp and max volumetric speed will affect the calibration results. Please fill in the same values as the actual printing. They can be auto-filled by selecting a filament preset." +msgstr "La température de la buse et la vitesse volumétrique maximale affecteront les résultats de la calibration. Veuillez saisir les mêmes valeurs que lors de l'impression réelle. Ils peuvent être remplis automatiquement en sélectionnant un préréglage de filament." msgid "Nozzle Diameter" msgstr "Diamètre de la Buse" @@ -2951,14 +2757,8 @@ msgstr "Démarrer" msgid "Next" msgstr "Suivant" -msgid "" -"Calibration completed. Please find the most uniform extrusion line on your " -"hot bed like the picture below, and fill the value on its left side into the " -"factor K input box." -msgstr "" -"Calibrage terminé. Veuillez trouver la ligne d'extrusion la plus uniforme " -"sur votre plateau comme dans l'image ci-dessous, et entrez la valeur sur son " -"côté gauche dans le champ de saisie du facteur K." +msgid "Calibration completed. Please find the most uniform extrusion line on your hot bed like the picture below, and fill the value on its left side into the factor K input box." +msgstr "Calibrage terminé. Veuillez trouver la ligne d'extrusion la plus uniforme sur votre plateau comme dans l'image ci-dessous, et entrez la valeur sur son côté gauche dans le champ de saisie du facteur K." msgid "Save" msgstr "Enregistrer" @@ -2989,11 +2789,8 @@ msgstr "Étape" msgid "AMS Slots" msgstr "Emplacements AMS" -msgid "" -"Note: Only the AMS slots loaded with the same material type can be selected." -msgstr "" -"Remarque : seuls les emplacements AMS chargés avec le même type de matériau " -"peuvent être sélectionnés." +msgid "Note: Only the AMS slots loaded with the same material type can be selected." +msgstr "Remarque : seuls les emplacements AMS chargés avec le même type de matériau peuvent être sélectionnés." msgid "Enable AMS" msgstr "Activer l'AMS" @@ -3010,23 +2807,11 @@ msgstr "Impression avec du filament de la bobine externe" msgid "Current Cabin humidity" msgstr "Humidité dans le caisson" -msgid "" -"Please change the desiccant when it is too wet. The indicator may not " -"represent accurately in following cases : when the lid is open or the " -"desiccant pack is changed. it take hours to absorb the moisture, low " -"temperatures also slow down the process." -msgstr "" -"Veuillez changer le déshydratant lorsqu’il est trop humide. L’indicateur " -"peut ne pas s’afficher correctement dans les cas suivants : lorsque le " -"couvercle est ouvert ou que le sachet de déshydratant est changé. Il faut " -"des heures pour absorber l’humidité, les basses températures ralentissent " -"également le processus." +msgid "Please change the desiccant when it is too wet. The indicator may not represent accurately in following cases : when the lid is open or the desiccant pack is changed. it take hours to absorb the moisture, low temperatures also slow down the process." +msgstr "Veuillez changer le déshydratant lorsqu’il est trop humide. L’indicateur peut ne pas s’afficher correctement dans les cas suivants : lorsque le couvercle est ouvert ou que le sachet de déshydratant est changé. Il faut des heures pour absorber l’humidité, les basses températures ralentissent également le processus." -msgid "" -"Config which AMS slot should be used for a filament used in the print job" -msgstr "" -"Configurez l'emplacement AMS qui doit être utilisé pour un filament utilisé " -"dans la tâche d'impression" +msgid "Config which AMS slot should be used for a filament used in the print job" +msgstr "Configurez l'emplacement AMS qui doit être utilisé pour un filament utilisé dans la tâche d'impression" msgid "Filament used in this print job" msgstr "Filament utilisé dans ce travail d'impression" @@ -3049,9 +2834,7 @@ msgstr "Imprimer avec du filament de l'AMS" msgid "Print with filaments mounted on the back of the chassis" msgstr "Impression avec du filament de la bobine externe" -msgid "" -"When the current material run out, the printer will continue to print in the " -"following order." +msgid "When the current material run out, the printer will continue to print in the following order." msgstr "" "Lorsque le filament actuel est épuisé, l'imprimante\n" "continue d'imprimer dans l'ordre suivant." @@ -3060,20 +2843,14 @@ msgid "Group" msgstr "Groupe" msgid "The printer does not currently support auto refill." -msgstr "" -"L’imprimante ne prend actuellement pas en charge la recharge automatique." +msgstr "L’imprimante ne prend actuellement pas en charge la recharge automatique." + +msgid "AMS filament backup is not enabled, please enable it in the AMS settings." +msgstr "La sauvegarde du filament AMS n'est pas activée, veuillez l'activer dans les paramètres AMS." msgid "" -"AMS filament backup is not enabled, please enable it in the AMS settings." -msgstr "" -"La sauvegarde du filament AMS n'est pas activée, veuillez l'activer dans les " -"paramètres AMS." - -msgid "" -"If there are two identical filaments in AMS, AMS filament backup will be " -"enabled. \n" -"(Currently supporting automatic supply of consumables with the same brand, " -"material type, and color)" +"If there are two identical filaments in AMS, AMS filament backup will be enabled. \n" +"(Currently supporting automatic supply of consumables with the same brand, material type, and color)" msgstr "" "S’il y a deux filaments identiques dans AMS, la prise en\n" "charge de la recharge automatique de filaments sera activée.\n" @@ -3094,82 +2871,41 @@ msgstr "Paramètres AMS" msgid "Insertion update" msgstr "Insertion de la mise à jour" -msgid "" -"The AMS will automatically read the filament information when inserting a " -"new Bambu Lab filament. This takes about 20 seconds." -msgstr "" -"L'AMS lit automatiquement les informations relatives au filament lors de " -"l'insertion d'une nouvelle bobine de filament Bambu Lab. Cela prend environ " -"20 secondes." +msgid "The AMS will automatically read the filament information when inserting a new Bambu Lab filament. This takes about 20 seconds." +msgstr "L'AMS lit automatiquement les informations relatives au filament lors de l'insertion d'une nouvelle bobine de filament Bambu Lab. Cela prend environ 20 secondes." -msgid "" -"Note: if a new filament is inserted during printing, the AMS will not " -"automatically read any information until printing is completed." -msgstr "" -"Remarque : si un nouveau filament est inséré pendant l’impression, l’AMS ne " -"lira pas automatiquement les informations jusqu’à ce que l’impression soit " -"terminée." +msgid "Note: if a new filament is inserted during printing, the AMS will not automatically read any information until printing is completed." +msgstr "Remarque : si un nouveau filament est inséré pendant l’impression, l’AMS ne lira pas automatiquement les informations jusqu’à ce que l’impression soit terminée." -msgid "" -"When inserting a new filament, the AMS will not automatically read its " -"information, leaving it blank for you to enter manually." -msgstr "" -"Lors de l'insertion d'un nouveau filament, l'AMS ne lit pas automatiquement " -"ses informations. Elles sont laissées vides pour que vous puissiez les " -"saisir manuellement." +msgid "When inserting a new filament, the AMS will not automatically read its information, leaving it blank for you to enter manually." +msgstr "Lors de l'insertion d'un nouveau filament, l'AMS ne lit pas automatiquement ses informations. Elles sont laissées vides pour que vous puissiez les saisir manuellement." msgid "Power on update" msgstr "Mise à jour de la mise sous tension" -msgid "" -"The AMS will automatically read the information of inserted filament on " -"start-up. It will take about 1 minute.The reading process will roll filament " -"spools." -msgstr "" -"Au démarrage, l'AMS lit automatiquement les informations relatives au " -"filament inséré. Cela prend environ 1 minute et ce processus fait tourner " -"les bobines de filament." +msgid "The AMS will automatically read the information of inserted filament on start-up. It will take about 1 minute.The reading process will roll filament spools." +msgstr "Au démarrage, l'AMS lit automatiquement les informations relatives au filament inséré. Cela prend environ 1 minute et ce processus fait tourner les bobines de filament." -msgid "" -"The AMS will not automatically read information from inserted filament " -"during startup and will continue to use the information recorded before the " -"last shutdown." -msgstr "" -"L'AMS ne lira pas automatiquement les informations du filament inséré " -"pendant le démarrage et continuera à utiliser les informations enregistrées " -"avant le dernier arrêt." +msgid "The AMS will not automatically read information from inserted filament during startup and will continue to use the information recorded before the last shutdown." +msgstr "L'AMS ne lira pas automatiquement les informations du filament inséré pendant le démarrage et continuera à utiliser les informations enregistrées avant le dernier arrêt." msgid "Update remaining capacity" msgstr "Mettre à jour la capacité restante" -msgid "" -"The AMS will estimate Bambu filament's remaining capacity after the filament " -"info is updated. During printing, remaining capacity will be updated " -"automatically." -msgstr "" -"L'AMS estimera la capacité restante du filament Bambu après la mise à jour " -"des infos du filament. Pendant l'impression, la capacité restante sera " -"automatiquement mise à jour." +msgid "The AMS will estimate Bambu filament's remaining capacity after the filament info is updated. During printing, remaining capacity will be updated automatically." +msgstr "L'AMS estimera la capacité restante du filament Bambu après la mise à jour des infos du filament. Pendant l'impression, la capacité restante sera automatiquement mise à jour." msgid "AMS filament backup" msgstr "Filament de secours AMS" -msgid "" -"AMS will continue to another spool with the same properties of filament " -"automatically when current filament runs out" -msgstr "" -"L'AMS passera automatiquement à une autre bobine avec les mêmes propriétés " -"de filament lorsque la bobine actuelle est épuisé" +msgid "AMS will continue to another spool with the same properties of filament automatically when current filament runs out" +msgstr "L'AMS passera automatiquement à une autre bobine avec les mêmes propriétés de filament lorsque la bobine actuelle est épuisé" msgid "Air Printing Detection" msgstr "Détection de l’impression dans l’air" -msgid "" -"Detects clogging and filament grinding, halting printing immediately to " -"conserve time and filament." -msgstr "" -"Détecte le colmatage et le grignotage du filament, interrompant " -"immédiatement l’impression pour économiser du temps et du filament." +msgid "Detects clogging and filament grinding, halting printing immediately to conserve time and filament." +msgstr "Détecte le colmatage et le grignotage du filament, interrompant immédiatement l’impression pour économiser du temps et du filament." msgid "File" msgstr "Fichier" @@ -3177,19 +2913,11 @@ msgstr "Fichier" msgid "Calibration" msgstr "Calibration" -msgid "" -"Failed to download the plug-in. Please check your firewall settings and vpn " -"software, check and retry." -msgstr "" -"Échec du téléchargement du plug-in. Veuillez vérifier les paramètres de " -"votre pare-feu et votre logiciel VPN puis réessayer." +msgid "Failed to download the plug-in. Please check your firewall settings and vpn software, check and retry." +msgstr "Échec du téléchargement du plug-in. Veuillez vérifier les paramètres de votre pare-feu et votre logiciel VPN puis réessayer." -msgid "" -"Failed to install the plug-in. Please check whether it is blocked or deleted " -"by anti-virus software." -msgstr "" -"Échec de l'installation du plug-in. Veuillez vérifier s'il est bloqué ou " -"s'il a été supprimé par un logiciel anti-virus." +msgid "Failed to install the plug-in. Please check whether it is blocked or deleted by anti-virus software." +msgstr "Échec de l'installation du plug-in. Veuillez vérifier s'il est bloqué ou s'il a été supprimé par un logiciel anti-virus." msgid "click here to see more info" msgstr "cliquez ici pour voir plus d'informations" @@ -3197,22 +2925,14 @@ msgstr "cliquez ici pour voir plus d'informations" msgid "Please home all axes (click " msgstr "Veuillez mettre à 0 les axes (cliquer " -msgid "" -") to locate the toolhead's position. This prevents device moving beyond the " -"printable boundary and causing equipment wear." -msgstr "" -") pour localiser la position de la tête. Cela éviter de dépasser la limite " -"imprimable et de provoquer une usure de l'équipement." +msgid ") to locate the toolhead's position. This prevents device moving beyond the printable boundary and causing equipment wear." +msgstr ") pour localiser la position de la tête. Cela éviter de dépasser la limite imprimable et de provoquer une usure de l'équipement." msgid "Go Home" msgstr "Retour 0" -msgid "" -"A error occurred. Maybe memory of system is not enough or it's a bug of the " -"program" -msgstr "" -"Une erreur s'est produite. Peut-être que la mémoire du système n'est pas " -"suffisante ou c'est un bug du programme" +msgid "A error occurred. Maybe memory of system is not enough or it's a bug of the program" +msgstr "Une erreur s'est produite. Peut-être que la mémoire du système n'est pas suffisante ou c'est un bug du programme" msgid "Please save project and restart the program. " msgstr "Veuillez enregistrer le projet et redémarrer le programme. " @@ -3255,51 +2975,27 @@ msgstr "Une erreur inconnue s’est produite lors de l’exportation du G-code." #, boost-format msgid "" -"Copying of the temporary G-code to the output G-code failed. Maybe the SD " -"card is write locked?\n" +"Copying of the temporary G-code to the output G-code failed. Maybe the SD card is write locked?\n" "Error message: %1%" msgstr "" -"La copie du G-code temporaire vers le G-code de sortie a échoué. La carte SD " -"est peut-être bloquée en écriture ?\n" +"La copie du G-code temporaire vers le G-code de sortie a échoué. La carte SD est peut-être bloquée en écriture ?\n" "Message d’erreur : %1%" #, boost-format -msgid "" -"Copying of the temporary G-code to the output G-code failed. There might be " -"problem with target device, please try exporting again or using different " -"device. The corrupted output G-code is at %1%.tmp." -msgstr "" -"La copie du G-code temporaire vers le G-code de sortie a échoué. Il se peut " -"qu’il y ait un problème avec le dispositif cible, veuillez essayer " -"d’exporter à nouveau ou d’utiliser un autre périphérique. Le G-code de " -"sortie corrompu se trouve dans %1%.tmp." +msgid "Copying of the temporary G-code to the output G-code failed. There might be problem with target device, please try exporting again or using different device. The corrupted output G-code is at %1%.tmp." +msgstr "La copie du G-code temporaire vers le G-code de sortie a échoué. Il se peut qu’il y ait un problème avec le dispositif cible, veuillez essayer d’exporter à nouveau ou d’utiliser un autre périphérique. Le G-code de sortie corrompu se trouve dans %1%.tmp." #, boost-format -msgid "" -"Renaming of the G-code after copying to the selected destination folder has " -"failed. Current path is %1%.tmp. Please try exporting again." -msgstr "" -"Le renommage du G-code après la copie dans le dossier de destination " -"sélectionné a échoué. Le chemin actuel est %1%.tmp. Veuillez réessayer " -"l’exportation." +msgid "Renaming of the G-code after copying to the selected destination folder has failed. Current path is %1%.tmp. Please try exporting again." +msgstr "Le renommage du G-code après la copie dans le dossier de destination sélectionné a échoué. Le chemin actuel est %1%.tmp. Veuillez réessayer l’exportation." #, boost-format -msgid "" -"Copying of the temporary G-code has finished but the original code at %1% " -"couldn't be opened during copy check. The output G-code is at %2%.tmp." -msgstr "" -"La copie du G-code temporaire est terminée mais le code original à %1% n’a " -"pas pu être ouvert pendant la vérification de la copie. Le G-code de sortie " -"se trouve dans %2%.tmp." +msgid "Copying of the temporary G-code has finished but the original code at %1% couldn't be opened during copy check. The output G-code is at %2%.tmp." +msgstr "La copie du G-code temporaire est terminée mais le code original à %1% n’a pas pu être ouvert pendant la vérification de la copie. Le G-code de sortie se trouve dans %2%.tmp." #, boost-format -msgid "" -"Copying of the temporary G-code has finished but the exported code couldn't " -"be opened during copy check. The output G-code is at %1%.tmp." -msgstr "" -"La copie du G-code temporaire est terminée mais le code exporté n’a pas pu " -"être ouvert lors du contrôle de la copie. Le G-code de sortie se trouve dans " -"%1%.tmp." +msgid "Copying of the temporary G-code has finished but the exported code couldn't be opened during copy check. The output G-code is at %1%.tmp." +msgstr "La copie du G-code temporaire est terminée mais le code exporté n’a pas pu être ouvert lors du contrôle de la copie. Le G-code de sortie se trouve dans %1%.tmp." #, boost-format msgid "G-code file exported to %1%" @@ -3313,18 +3009,14 @@ msgid "" "Failed to save gcode file.\n" "Error message: %1%.\n" "Source file %2%." -msgstr "" -"Échec de l'enregistrement du fichier gcode. Message d'erreur : %1%. Fichier " -"source %2%." +msgstr "Échec de l'enregistrement du fichier gcode. Message d'erreur : %1%. Fichier source %2%." msgid "Copying of the temporary G-code to the output G-code failed" msgstr "La copie du G-code temporaire vers le G-code de sortie a échoué" #, boost-format msgid "Scheduling upload to `%1%`. See Window -> Print Host Upload Queue" -msgstr "" -"Planification du téléversement vers `%1% `. Voir Fenêtre -> File d'attente " -"de téléversement de l'hôte d'impression" +msgstr "Planification du téléversement vers `%1% `. Voir Fenêtre -> File d'attente de téléversement de l'hôte d'impression" msgid "Device" msgstr "Appareil" @@ -3376,11 +3068,8 @@ msgstr "État de l’appareil" msgid "Actions" msgstr "Actions" -msgid "" -"Please select the devices you would like to manage here (up to 6 devices)" -msgstr "" -"Veuillez sélectionner ici les appareils que vous souhaitez gérer (jusqu’à 6 " -"appareils)." +msgid "Please select the devices you would like to manage here (up to 6 devices)" +msgstr "Veuillez sélectionner ici les appareils que vous souhaitez gérer (jusqu’à 6 appareils)." msgid "Add" msgstr "Ajouter" @@ -3470,8 +3159,7 @@ msgid "Preparing print job" msgstr "Préparation du travail d'impression" msgid "Abnormal print file data. Please slice again" -msgstr "" -"Données de fichier d'impression anormales. Veuillez redécouvre le fichier." +msgstr "Données de fichier d'impression anormales. Veuillez redécouvre le fichier." msgid "There is no device available to send printing." msgstr "Il n’y a pas de périphérique disponible pour envoyer l’impression." @@ -3509,20 +3197,14 @@ msgstr "Options d’envoi" msgid "Send to" msgstr "Envoyer à" -msgid "" -"printers at the same time.(It depends on how many devices can undergo " -"heating at the same time.)" -msgstr "" -"imprimantes en même temps. (Cela dépend du nombre d’appareils qui peuvent " -"être chauffés en même temps)." +msgid "printers at the same time.(It depends on how many devices can undergo heating at the same time.)" +msgstr "imprimantes en même temps. (Cela dépend du nombre d’appareils qui peuvent être chauffés en même temps)." msgid "Wait" msgstr "Attendre" -msgid "" -"minute each batch.(It depends on how long it takes to complete the heating.)" -msgstr "" -"minute par lot. (Cela dépend du temps nécessaire pour terminer le chauffage.)" +msgid "minute each batch.(It depends on how long it takes to complete the heating.)" +msgstr "minute par lot. (Cela dépend du temps nécessaire pour terminer le chauffage.)" msgid "Send" msgstr "Envoyer" @@ -3554,19 +3236,11 @@ msgstr "Origine" msgid "Size in X and Y of the rectangular plate." msgstr "Taille en X et Y du plateau rectangulaire." -msgid "" -"Distance of the 0,0 G-code coordinate from the front left corner of the " -"rectangle." -msgstr "" -"Distance des coordonnées 0,0 du G-code depuis le coin avant gauche du " -"rectangle." +msgid "Distance of the 0,0 G-code coordinate from the front left corner of the rectangle." +msgstr "Distance des coordonnées 0,0 du G-code depuis le coin avant gauche du rectangle." -msgid "" -"Diameter of the print bed. It is assumed that origin (0,0) is located in the " -"center." -msgstr "" -"Diamètre du plateau d'impression. Il est supposé que l'origine (0,0) est " -"située au centre." +msgid "Diameter of the print bed. It is assumed that origin (0,0) is located in the center." +msgstr "Diamètre du plateau d'impression. Il est supposé que l'origine (0,0) est située au centre." msgid "Rectangular" msgstr "Rectangle" @@ -3593,8 +3267,7 @@ msgid "Model" msgstr "Modèle" msgid "Choose an STL file to import bed shape from:" -msgstr "" -"Choisissez un fichier STL à partir duquel importer la forme du plateau :" +msgstr "Choisissez un fichier STL à partir duquel importer la forme du plateau :" msgid "Invalid file format." msgstr "Format de fichier non valide." @@ -3605,36 +3278,23 @@ msgstr "Erreur ! Modèle invalide" msgid "The selected file contains no geometry." msgstr "Le fichier sélectionné ne contient aucune géométrie." -msgid "" -"The selected file contains several disjoint areas. This is not supported." -msgstr "" -"Le fichier sélectionné contient plusieurs zones disjointes. Cela n'est pas " -"utilisable." +msgid "The selected file contains several disjoint areas. This is not supported." +msgstr "Le fichier sélectionné contient plusieurs zones disjointes. Cela n'est pas utilisable." msgid "Choose a file to import bed texture from (PNG/SVG):" -msgstr "" -"Choisir un fichier à partir duquel importer la texture du plateau (PNG/SVG) :" +msgstr "Choisir un fichier à partir duquel importer la texture du plateau (PNG/SVG) :" msgid "Choose an STL file to import bed model from:" -msgstr "" -"Choisissez un fichier STL à partir duquel importer le modèle de plateau :" +msgstr "Choisissez un fichier STL à partir duquel importer le modèle de plateau :" msgid "Bed Shape" msgstr "Forme du plateau" -msgid "" -"The recommended minimum temperature is less than 190 degree or the " -"recommended maximum temperature is greater than 300 degree.\n" -msgstr "" -"La température minimale recommandée est inférieure à 190 degrés ou la " -"température maximale recommandée est supérieure à 300 degrés.\n" +msgid "The recommended minimum temperature is less than 190 degree or the recommended maximum temperature is greater than 300 degree.\n" +msgstr "La température minimale recommandée est inférieure à 190 degrés ou la température maximale recommandée est supérieure à 300 degrés.\n" -msgid "" -"The recommended minimum temperature cannot be higher than the recommended " -"maximum temperature.\n" -msgstr "" -"La température minimale recommandée ne peut être supérieure à la température " -"maximale recommandée.\n" +msgid "The recommended minimum temperature cannot be higher than the recommended maximum temperature.\n" +msgstr "La température minimale recommandée ne peut être supérieure à la température maximale recommandée.\n" msgid "Please check.\n" msgstr "Veuillez vérifier.\n" @@ -3644,17 +3304,12 @@ msgid "" "Please make sure whether to use the temperature to print.\n" "\n" msgstr "" -"La buse peut être bloquée lorsque la température est hors de la plage " -"recommandée.\n" +"La buse peut être bloquée lorsque la température est hors de la plage recommandée.\n" "Veuillez vous assurer d'utiliser la température pour imprimer.\n" #, c-format, boost-format -msgid "" -"Recommended nozzle temperature of this filament type is [%d, %d] degree " -"centigrade" -msgstr "" -"La température de buse recommandée pour ce type de filament est de [%d, %d] " -"degrés centigrades" +msgid "Recommended nozzle temperature of this filament type is [%d, %d] degree centigrade" +msgstr "La température de buse recommandée pour ce type de filament est de [%d, %d] degrés centigrades" msgid "" "Too small max volumetric speed.\n" @@ -3664,14 +3319,8 @@ msgstr "" "La valeur a été réinitialisée à 0,5" #, c-format, boost-format -msgid "" -"Current chamber temperature is higher than the material's safe temperature," -"it may result in material softening and clogging.The maximum safe " -"temperature for the material is %d" -msgstr "" -"La température actuelle du caisson est supérieure à la température de " -"sécurité du matériau, ce qui peut entraîner un ramollissement et un bouchage " -"du filament. La température de sécurité maximale pour le matériau est %d" +msgid "Current chamber temperature is higher than the material's safe temperature,it may result in material softening and clogging.The maximum safe temperature for the material is %d" +msgstr "La température actuelle du caisson est supérieure à la température de sécurité du matériau, ce qui peut entraîner un ramollissement et un bouchage du filament. La température de sécurité maximale pour le matériau est %d" msgid "" "Too small layer height.\n" @@ -3687,23 +3336,15 @@ msgid "" "Zero initial layer height is invalid.\n" "\n" "The first layer height will be reset to 0.2." -msgstr "" -"La hauteur de couche initiale nulle n'est pas valide. La hauteur de la " -"première couche sera réinitialisée à 0,2." +msgstr "La hauteur de couche initiale nulle n'est pas valide. La hauteur de la première couche sera réinitialisée à 0,2." msgid "" -"This setting is only used for model size tunning with small value in some " -"cases.\n" +"This setting is only used for model size tunning with small value in some cases.\n" "For example, when model size has small error and hard to be assembled.\n" "For large size tuning, please use model scale function.\n" "\n" "The value will be reset to 0." -msgstr "" -"Ce paramètre n'est utilisé que pour le réglage de la taille du modèle avec " -"une petite valeur dans certains cas. Par exemple, lorsque la taille du " -"modèle présente une petite erreur et est difficile à assembler. Pour un " -"réglage de grande taille, veuillez utiliser la fonction d'échelle de modèle. " -"La valeur sera remise à 0." +msgstr "Ce paramètre n'est utilisé que pour le réglage de la taille du modèle avec une petite valeur dans certains cas. Par exemple, lorsque la taille du modèle présente une petite erreur et est difficile à assembler. Pour un réglage de grande taille, veuillez utiliser la fonction d'échelle de modèle. La valeur sera remise à 0." msgid "" "Too large elephant foot compensation is unreasonable.\n" @@ -3711,43 +3352,30 @@ msgid "" "For example, whether bed temperature is too high.\n" "\n" "The value will be reset to 0." -msgstr "" -"Une trop grande compensation de la patte d'éléphant est déraisonnable. Si " -"vous avez vraiment un effet de patte d'éléphant important, veuillez vérifier " -"d'autres paramètres. Par exemple, si la température du plateau est trop " -"élevée. La valeur sera remise à 0." +msgstr "Une trop grande compensation de la patte d'éléphant est déraisonnable. Si vous avez vraiment un effet de patte d'éléphant important, veuillez vérifier d'autres paramètres. Par exemple, si la température du plateau est trop élevée. La valeur sera remise à 0." -msgid "" -"Alternate extra wall does't work well when ensure vertical shell thickness " -"is set to All. " -msgstr "" -"La paroi supplémentaire alternée ne fonctionne pas bien lorsque le paramètre " -"Assurer l’épaisseur de la coque verticale est réglée sur Tous. " +msgid "Alternate extra wall does't work well when ensure vertical shell thickness is set to All. " +msgstr "La paroi supplémentaire alternée ne fonctionne pas bien lorsque le paramètre Assurer l’épaisseur de la coque verticale est réglée sur Tous. " msgid "" "Change these settings automatically? \n" -"Yes - Change ensure vertical shell thickness to Moderate and enable " -"alternate extra wall\n" +"Yes - Change ensure vertical shell thickness to Moderate and enable alternate extra wall\n" "No - Dont use alternate extra wall" msgstr "" "Modifier ces paramètres automatiquement ? \n" -"Oui - Modifier l’épaisseur de la coque verticale pour qu’elle soit modérée " -"et activer la paroi supplémentaire\n" +"Oui - Modifier l’épaisseur de la coque verticale pour qu’elle soit modérée et activer la paroi supplémentaire\n" "Non - Ne pas utiliser la paroi supplémentaire alternée" msgid "" -"Prime tower does not work when Adaptive Layer Height or Independent Support " -"Layer Height is on.\n" +"Prime tower does not work when Adaptive Layer Height or Independent Support Layer Height is on.\n" "Which do you want to keep?\n" "YES - Keep Prime Tower\n" "NO - Keep Adaptive Layer Height and Independent Support Layer Height" msgstr "" -"La tour de purge ne fonctionne pas lorsque la hauteur de couche adaptative " -"ou la hauteur de couche de support indépendante est activée. \n" +"La tour de purge ne fonctionne pas lorsque la hauteur de couche adaptative ou la hauteur de couche de support indépendante est activée. \n" "Que souhaitez-vous conserver ? \n" "OUI - Conserver la tour de purge \n" -"NON - Conserver la hauteur de la couche adaptative et la hauteur de la " -"couche de support indépendante" +"NON - Conserver la hauteur de la couche adaptative et la hauteur de la couche de support indépendante" msgid "" "Prime tower does not work when Adaptive Layer Height is on.\n" @@ -3755,8 +3383,7 @@ msgid "" "YES - Keep Prime Tower\n" "NO - Keep Adaptive Layer Height" msgstr "" -"La tour de purge ne fonctionne pas lorsque la hauteur de couche adaptative " -"est activée. \n" +"La tour de purge ne fonctionne pas lorsque la hauteur de couche adaptative est activée. \n" "Que souhaitez-vous conserver ? \n" "OUI - Conserver la tour de purge \n" "NON - Conserver la hauteur de la couche adaptative" @@ -3767,8 +3394,7 @@ msgid "" "YES - Keep Prime Tower\n" "NO - Keep Independent Support Layer Height" msgstr "" -"La tour de purge ne fonctionne pas lorsque la hauteur de la couche de " -"support indépendante est activée.\n" +"La tour de purge ne fonctionne pas lorsque la hauteur de la couche de support indépendante est activée.\n" "Que souhaitez-vous conserver ?\n" "OUI - Garder la tour de purge\n" "NON - Gardez la hauteur de la couche de support indépendante" @@ -3777,8 +3403,7 @@ msgid "" "While printing by Object, the extruder may collide skirt.\n" "Thus, reset the skirt layer to 1 to avoid that." msgstr "" -"Lors de l'impression par objet, l'extrudeur peut entrer en collision avec " -"une jupe.\n" +"Lors de l'impression par objet, l'extrudeur peut entrer en collision avec une jupe.\n" "Il faut donc remettre la couche de la jupe à 1 pour éviter les collisions." msgid "" @@ -3788,18 +3413,11 @@ msgstr "" "seam_slope_start_height doit être inférieur à la hauteur de couche.\n" "Remise à 0." -msgid "" -"Spiral mode only works when wall loops is 1, support is disabled, top shell " -"layers is 0, sparse infill density is 0 and timelapse type is traditional." -msgstr "" -"Le mode spirale ne fonctionne que lorsque qu'il n'y a qu'une seule paroi, " -"les supports sont désactivés, que les couches supérieures de la coque sont à " -"0, qu'il n'y a pas de remplissage et que le type timelapse est traditionnel." +msgid "Spiral mode only works when wall loops is 1, support is disabled, top shell layers is 0, sparse infill density is 0 and timelapse type is traditional." +msgstr "Le mode spirale ne fonctionne que lorsque qu'il n'y a qu'une seule paroi, les supports sont désactivés, que les couches supérieures de la coque sont à 0, qu'il n'y a pas de remplissage et que le type timelapse est traditionnel." msgid " But machines with I3 structure will not generate timelapse videos." -msgstr "" -" Mais les machines avec une structure I3 ne généreront pas de vidéos " -"timelapse." +msgstr " Mais les machines avec une structure I3 ne généreront pas de vidéos timelapse." msgid "" "Change these settings automatically? \n" @@ -3807,8 +3425,7 @@ msgid "" "No - Give up using spiral mode this time" msgstr "" "Modifier ces paramètres automatiquement ? \n" -"Oui - Modifiez ces paramètres et activez automatiquement le mode spirale/" -"vase\n" +"Oui - Modifiez ces paramètres et activez automatiquement le mode spirale/vase\n" "Non - Annuler l'activation du mode spirale" msgid "Auto bed leveling" @@ -3872,8 +3489,7 @@ msgid "Paused due to nozzle temperature malfunction" msgstr "Pause en raison d'un dysfonctionnement de la température de la buse" msgid "Paused due to heat bed temperature malfunction" -msgstr "" -"Pause en raison d'un dysfonctionnement de la température du plateau chauffant" +msgstr "Pause en raison d'un dysfonctionnement de la température du plateau chauffant" msgid "Filament unloading" msgstr "Déchargement du filament" @@ -3891,12 +3507,10 @@ msgid "Paused due to AMS lost" msgstr "Suspendu en raison de la perte de l’AMS" msgid "Paused due to low speed of the heat break fan" -msgstr "" -"Mise en pause en raison de la faible vitesse du ventilateur du heatbreak" +msgstr "Mise en pause en raison de la faible vitesse du ventilateur du heatbreak" msgid "Paused due to chamber temperature control error" -msgstr "" -"Mise en pause en raison d’une erreur de contrôle de la température du caisson" +msgstr "Mise en pause en raison d’une erreur de contrôle de la température du caisson" msgid "Cooling chamber" msgstr "Refroidissement du caisson" @@ -3943,48 +3557,26 @@ msgstr "Échec de la vérification." msgid "Update failed." msgstr "Mise à jour a échoué." -msgid "" -"The current chamber temperature or the target chamber temperature exceeds " -"45℃.In order to avoid extruder clogging,low temperature filament(PLA/PETG/" -"TPU) is not allowed to be loaded." -msgstr "" -"La température actuelle du caisson ou la température cible du caisson " -"dépasse 45℃. Afin d’éviter le bouchage de l’extrudeur, un filament basse " -"température (PLA/PETG/TPU) ne doit pas être chargé." +msgid "The current chamber temperature or the target chamber temperature exceeds 45℃.In order to avoid extruder clogging,low temperature filament(PLA/PETG/TPU) is not allowed to be loaded." +msgstr "La température actuelle du caisson ou la température cible du caisson dépasse 45℃. Afin d’éviter le bouchage de l’extrudeur, un filament basse température (PLA/PETG/TPU) ne doit pas être chargé." -msgid "" -"Low temperature filament(PLA/PETG/TPU) is loaded in the extruder.In order to " -"avoid extruder clogging,it is not allowed to set the chamber temperature " -"above 45℃." -msgstr "" -"Un filament basse température (PLA/PETG/TPU) est chargé dans l’extrudeur. " -"Afin d’éviter le bouchage de l’extrudeur, il n’est pas autorisé de régler la " -"température du caisson au-dessus de 45℃." +msgid "Low temperature filament(PLA/PETG/TPU) is loaded in the extruder.In order to avoid extruder clogging,it is not allowed to set the chamber temperature above 45℃." +msgstr "Un filament basse température (PLA/PETG/TPU) est chargé dans l’extrudeur. Afin d’éviter le bouchage de l’extrudeur, il n’est pas autorisé de régler la température du caisson au-dessus de 45℃." -msgid "" -"When you set the chamber temperature below 40℃, the chamber temperature " -"control will not be activated. And the target chamber temperature will " -"automatically be set to 0℃." -msgstr "" -"Lorsque vous réglez la température du caisson en dessous de 40℃, le contrôle " -"de la température du caisson ne sera pas activé. Et la température cible du " -"caisson sera automatiquement réglée sur 0℃." +msgid "When you set the chamber temperature below 40℃, the chamber temperature control will not be activated. And the target chamber temperature will automatically be set to 0℃." +msgstr "Lorsque vous réglez la température du caisson en dessous de 40℃, le contrôle de la température du caisson ne sera pas activé. Et la température cible du caisson sera automatiquement réglée sur 0℃." msgid "Failed to start printing job" msgstr "Échec du lancement de la tâche d'impression" -msgid "" -"This calibration does not support the currently selected nozzle diameter" -msgstr "" -"Cette calibration ne prend pas en charge le diamètre de buse actuellement " -"sélectionné" +msgid "This calibration does not support the currently selected nozzle diameter" +msgstr "Cette calibration ne prend pas en charge le diamètre de buse actuellement sélectionné" msgid "Current flowrate cali param is invalid" msgstr "Le paramètre de calibration du débit actuel n’est pas valide" msgid "Selected diameter and machine diameter do not match" -msgstr "" -"Le diamètre sélectionné et le diamètre de la machine ne correspondent pas" +msgstr "Le diamètre sélectionné et le diamètre de la machine ne correspondent pas" msgid "Failed to generate cali gcode" msgstr "Échec de la génération du G-code de calibration" @@ -3998,19 +3590,11 @@ msgstr "Le TPU n’est pas pris en charge par l’AMS." msgid "Bambu PET-CF/PA6-CF is not supported by AMS." msgstr "Bambu PET-CF/PA6-CF n’est pas pris en charge par l’AMS." -msgid "" -"Damp PVA will become flexible and get stuck inside AMS,please take care to " -"dry it before use." -msgstr "" -"Le PVA humide deviendra flexible et restera coincé à l’intérieur de l’AMS, " -"veuillez prendre soin de le sécher avant utilisation." +msgid "Damp PVA will become flexible and get stuck inside AMS,please take care to dry it before use." +msgstr "Le PVA humide deviendra flexible et restera coincé à l’intérieur de l’AMS, veuillez prendre soin de le sécher avant utilisation." -msgid "" -"CF/GF filaments are hard and brittle, It's easy to break or get stuck in " -"AMS, please use with caution." -msgstr "" -"Les filaments CF/GF sont durs et cassants, ils peuvent se casser ou se " -"coincer dans l’AMS, veuillez les utiliser avec prudence." +msgid "CF/GF filaments are hard and brittle, It's easy to break or get stuck in AMS, please use with caution." +msgstr "Les filaments CF/GF sont durs et cassants, ils peuvent se casser ou se coincer dans l’AMS, veuillez les utiliser avec prudence." msgid "default" msgstr "défaut" @@ -4020,8 +3604,7 @@ msgid "Edit Custom G-code (%1%)" msgstr "Modifier le G-code personnalisé (%1%)" msgid "Built-in placeholders (Double click item to add to G-code)" -msgstr "" -"Placeholders intégrés (double-cliquez sur l’élément pour l’ajouter au G-code)" +msgstr "Placeholders intégrés (double-cliquez sur l’élément pour l’ajouter au G-code)" msgid "Search gcode placeholders" msgstr "Rechercher les placeholders de G-code" @@ -4094,8 +3677,7 @@ msgstr "Validation du paramètre" #, c-format, boost-format msgid "Value %s is out of range. The valid range is from %d to %d." -msgstr "" -"La valeur %s est hors plage. La plage valide est comprise entre %d et %d." +msgstr "La valeur %s est hors plage. La plage valide est comprise entre %d et %d." msgid "Value is out of range." msgstr "La valeur est hors plage." @@ -4108,12 +3690,8 @@ msgid "" msgstr "Est-ce %s%% ou %s %s ? OUI pour %s%%, NON pour %s %s." #, boost-format -msgid "" -"Invalid input format. Expected vector of dimensions in the following format: " -"\"%1%\"" -msgstr "" -"Format d'entrée non valide. Vecteur de dimensions attendu dans le format " -"suivant : \"%1%\"" +msgid "Invalid input format. Expected vector of dimensions in the following format: \"%1%\"" +msgstr "Format d'entrée non valide. Vecteur de dimensions attendu dans le format suivant : \"%1%\"" msgid "Input value is out of range" msgstr "La valeur entrée est hors plage" @@ -4138,7 +3716,7 @@ msgid "Temperature" msgstr "Température" msgid "Flow" -msgstr "Flux" +msgstr "Débit" msgid "Tool" msgstr "Outil" @@ -4204,13 +3782,13 @@ msgid "Total cost" msgstr "Coût total" msgid "up to" -msgstr "" +msgstr "jusqu’à" msgid "above" -msgstr "" +msgstr "plus que" msgid "from" -msgstr "" +msgstr "de" msgid "Color Scheme" msgstr "Schéma de couleur" @@ -4465,12 +4043,8 @@ msgid "Size:" msgstr "Taille:" #, boost-format -msgid "" -"Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please " -"separate the conflicted objects farther (%s <-> %s)." -msgstr "" -"Des conflits de chemins G-code ont été trouvés au niveau de la couche %d, z " -"= %.2lf mm. Veuillez séparer davantage les objets en conflit (%s <-> %s)." +msgid "Conflicts of gcode paths have been found at layer %d, z = %.2lf mm. Please separate the conflicted objects farther (%s <-> %s)." +msgstr "Des conflits de chemins G-code ont été trouvés au niveau de la couche %d, z = %.2lf mm. Veuillez séparer davantage les objets en conflit (%s <-> %s)." msgid "An object is layed over the boundary of plate." msgstr "Un objet est posé sur la limite du plateau." @@ -4486,13 +4060,10 @@ msgstr "Seul l'objet en cours d'édition est visible." msgid "" "An object is laid over the boundary of plate or exceeds the height limit.\n" -"Please solve the problem by moving it totally on or off the plate, and " -"confirming that the height is within the build volume." +"Please solve the problem by moving it totally on or off the plate, and confirming that the height is within the build volume." msgstr "" -"Un objet est posé sur la limite de la plaque ou dépasse la limite de " -"hauteur.\n" -"Veuillez résoudre le problème en le déplaçant totalement sur ou hors du " -"plateau, et en confirmant que la hauteur entre dans le volume d'impression." +"Un objet est posé sur la limite de la plaque ou dépasse la limite de hauteur.\n" +"Veuillez résoudre le problème en le déplaçant totalement sur ou hors du plateau, et en confirmant que la hauteur entre dans le volume d'impression." msgid "Calibration step selection" msgstr "Sélection de l'étape de calibration" @@ -4513,12 +4084,10 @@ msgid "Calibration program" msgstr "Programme de calibration" msgid "" -"The calibration program detects the status of your device automatically to " -"minimize deviation.\n" +"The calibration program detects the status of your device automatically to minimize deviation.\n" "It keeps the device performing optimally." msgstr "" -"Le processus de calibration détecte automatiquement l'état de votre appareil " -"pour minimiser les écarts.\n" +"Le processus de calibration détecte automatiquement l'état de votre appareil pour minimiser les écarts.\n" "Il permet à l'appareil de fonctionner de manière optimale." msgid "Calibration Flow" @@ -4593,8 +4162,7 @@ msgid "Application is closing" msgstr "L'application se ferme" msgid "Closing Application while some presets are modified." -msgstr "" -"Fermeture de l'application pendant que certains préréglages sont modifiés." +msgstr "Fermeture de l'application pendant que certains préréglages sont modifiés." msgid "Logging" msgstr "Enregistrement" @@ -4867,8 +4435,7 @@ msgid "Show 3D Navigator" msgstr "Afficher le navigateur 3D" msgid "Show 3D navigator in Prepare and Preview scene" -msgstr "" -"Afficher le navigateur 3D dans la scène de préparation et de prévisualisation" +msgstr "Afficher le navigateur 3D dans la scène de préparation et de prévisualisation" msgid "Reset Window Layout" msgstr "Réinitialiser la présentation de la fenêtre" @@ -4910,16 +4477,16 @@ msgid "Flow rate test - Pass 2" msgstr "Test de débit - Passe 2" msgid "YOLO (Recommended)" -msgstr "" +msgstr "YOLO (Recommandé)" msgid "Orca YOLO flowrate calibration, 0.01 step" -msgstr "" +msgstr "Calibrage du débit YOLO d’Orca, par intervalle de 0,01" msgid "YOLO (perfectionist version)" -msgstr "" +msgstr "YOLO (version perfectionniste)" msgid "Orca YOLO flowrate calibration, 0.005 step" -msgstr "" +msgstr "Calibrage du débit YOLO d’Orca, par intervalle de 0,005" msgid "Flow rate" msgstr "Débit" @@ -4993,14 +4560,11 @@ msgstr "&Aide" #, c-format, boost-format msgid "A file exists with the same name: %s, do you want to override it." -msgstr "" -"Il existe un fichier portant le même nom : %s. Voulez-vous le remplacer ?" +msgstr "Il existe un fichier portant le même nom : %s. Voulez-vous le remplacer ?" #, c-format, boost-format msgid "A config exists with the same name: %s, do you want to override it." -msgstr "" -"Il existe une configuration portant le même nom : %s. Voulez-vous la " -"remplacer ?" +msgstr "Il existe une configuration portant le même nom : %s. Voulez-vous la remplacer ?" msgid "Overwrite file" msgstr "Remplacer le fichier" @@ -5017,11 +4581,8 @@ msgstr "Choisir un dossier" #, c-format, boost-format msgid "There is %d config exported. (Only non-system configs)" msgid_plural "There are %d configs exported. (Only non-system configs)" -msgstr[0] "" -"Il y a %d configuration exportée. (Uniquement les configurations non système)" -msgstr[1] "" -"Il y a %d configurations exportées. (Uniquement les configurations non " -"système)" +msgstr[0] "Il y a %d configuration exportée. (Uniquement les configurations non système)" +msgstr[1] "Il y a %d configurations exportées. (Uniquement les configurations non système)" msgid "Export result" msgstr "Exporter le Résultat" @@ -5031,23 +4592,16 @@ msgstr "Sélectionnez le profil à charger :" #, c-format, boost-format msgid "There is %d config imported. (Only non-system and compatible configs)" -msgid_plural "" -"There are %d configs imported. (Only non-system and compatible configs)" -msgstr[0] "" -"Il y a %d configuration importée. (Uniquement les configurations non système " -"et compatibles)" -msgstr[1] "" -"Il y a %d configurations importées. (Uniquement les configurations non " -"système et compatibles)" +msgid_plural "There are %d configs imported. (Only non-system and compatible configs)" +msgstr[0] "Il y a %d configuration importée. (Uniquement les configurations non système et compatibles)" +msgstr[1] "Il y a %d configurations importées. (Uniquement les configurations non système et compatibles)" msgid "" "\n" -"Hint: Make sure you have added the corresponding printer before importing " -"the configs." +"Hint: Make sure you have added the corresponding printer before importing the configs." msgstr "" "\n" -"Conseil : assurez-vous d’avoir ajouté l’imprimante correspondante avant " -"d’importer les configurations." +"Conseil : assurez-vous d’avoir ajouté l’imprimante correspondante avant d’importer les configurations." msgid "Import result" msgstr "Importer le résultat" @@ -5078,43 +4632,28 @@ msgid "Synchronization" msgstr "Synchronisation" msgid "The device cannot handle more conversations. Please retry later." -msgstr "" -"L'appareil ne peut pas gérer plus de conversations. Veuillez réessayer plus " -"tard." +msgstr "L'appareil ne peut pas gérer plus de conversations. Veuillez réessayer plus tard." msgid "Player is malfunctioning. Please reinstall the system player." -msgstr "" -"Le lecteur ne fonctionne pas correctement. Veuillez réinstaller le lecteur " -"système." +msgstr "Le lecteur ne fonctionne pas correctement. Veuillez réinstaller le lecteur système." msgid "The player is not loaded, please click \"play\" button to retry." -msgstr "" -"Le lecteur n’est pas chargé, veuillez cliquer sur le bouton « play » pour " -"réessayer." +msgstr "Le lecteur n’est pas chargé, veuillez cliquer sur le bouton « play » pour réessayer." msgid "Please confirm if the printer is connected." msgstr "Veuillez vérifier que l’imprimante est bien connectée." -msgid "" -"The printer is currently busy downloading. Please try again after it " -"finishes." -msgstr "" -"L’imprimante est actuellement occupée à télécharger. Veuillez réessayer une " -"fois le téléchargement terminé." +msgid "The printer is currently busy downloading. Please try again after it finishes." +msgstr "L’imprimante est actuellement occupée à télécharger. Veuillez réessayer une fois le téléchargement terminé." msgid "Printer camera is malfunctioning." msgstr "La caméra de l’imprimante ne fonctionne pas correctement." msgid "Problem occured. Please update the printer firmware and try again." -msgstr "" -"Un problème s’est produit. Veuillez mettre à jour le micrologiciel de " -"l’imprimante et réessayer." +msgstr "Un problème s’est produit. Veuillez mettre à jour le micrologiciel de l’imprimante et réessayer." -msgid "" -"LAN Only Liveview is off. Please turn on the liveview on printer screen." -msgstr "" -"La fonction vue en direct sur réseau local est désactivée. Veuillez activer " -"l’affichage en direct sur l’écran de l’imprimante." +msgid "LAN Only Liveview is off. Please turn on the liveview on printer screen." +msgstr "La fonction vue en direct sur réseau local est désactivée. Veuillez activer l’affichage en direct sur l’écran de l’imprimante." msgid "Please enter the IP of printer to connect." msgstr "Veuillez saisir l’IP de l’imprimante à connecter." @@ -5125,12 +4664,8 @@ msgstr "Initialisation…" msgid "Connection Failed. Please check the network and try again" msgstr "Échec de la connexion. Veuillez vérifier le réseau et réessayer" -msgid "" -"Please check the network and try again, You can restart or update the " -"printer if the issue persists." -msgstr "" -"Veuillez vérifier le réseau et réessayer, Vous pouvez redémarrer ou mettre à " -"jour l’imprimante si le problème persiste." +msgid "Please check the network and try again, You can restart or update the printer if the issue persists." +msgstr "Veuillez vérifier le réseau et réessayer, Vous pouvez redémarrer ou mettre à jour l’imprimante si le problème persiste." msgid "The printer has been logged out and cannot connect." msgstr "L’imprimante a été déconnectée et ne peut pas se connecter." @@ -5139,9 +4674,7 @@ msgid "Stopped." msgstr "Arrêté." msgid "LAN Connection Failed (Failed to start liveview)" -msgstr "" -"Échec de la connexion au réseau local (échec du démarrage de l’affichage en " -"direct)" +msgstr "Échec de la connexion au réseau local (échec du démarrage de l’affichage en direct)" msgid "" "Virtual Camera Tools is required for this task!\n" @@ -5243,30 +4776,19 @@ msgid "Load failed" msgstr "Échec du chargement" msgid "Initialize failed (Device connection not ready)!" -msgstr "" -"L'initialisation a échoué (la connexion de l'appareil n'est pas prête) !" +msgstr "L'initialisation a échoué (la connexion de l'appareil n'est pas prête) !" -msgid "" -"Browsing file in SD card is not supported in current firmware. Please update " -"the printer firmware." -msgstr "" -"La navigation dans les fichiers de la carte SD n’est pas prise en charge par " -"le micrologiciel actuel. Veuillez mettre à jour le micrologiciel de " -"l’imprimante." +msgid "Browsing file in SD card is not supported in current firmware. Please update the printer firmware." +msgstr "La navigation dans les fichiers de la carte SD n’est pas prise en charge par le micrologiciel actuel. Veuillez mettre à jour le micrologiciel de l’imprimante." msgid "Initialize failed (Storage unavailable, insert SD card.)!" -msgstr "" -"Échec de l’initialisation (Stockage indisponible, insérer la carte SD.) !" +msgstr "Échec de l’initialisation (Stockage indisponible, insérer la carte SD.) !" msgid "LAN Connection Failed (Failed to view sdcard)" -msgstr "" -"Échec de la connexion au réseau local (Échec de la visualisation de la carte " -"SD)" +msgstr "Échec de la connexion au réseau local (Échec de la visualisation de la carte SD)" msgid "Browsing file in SD card is not supported in LAN Only Mode." -msgstr "" -"La navigation dans les fichiers de la carte SD n’est pas prise en charge en " -"mode LAN uniquement." +msgstr "La navigation dans les fichiers de la carte SD n’est pas prise en charge en mode LAN uniquement." #, c-format, boost-format msgid "Initialize failed (%s)!" @@ -5274,14 +4796,9 @@ msgstr "L'initialisation a échoué (%s)!" #, c-format, boost-format msgid "You are going to delete %u file from printer. Are you sure to continue?" -msgid_plural "" -"You are going to delete %u files from printer. Are you sure to continue?" -msgstr[0] "" -"Vous allez supprimer le fichier %u de l’imprimante. Êtes-vous sûr de vouloir " -"continuer ?" -msgstr[1] "" -"Vous allez supprimer %u fichiers de l’imprimante. Êtes-vous sûr de vouloir " -"continuer ?" +msgid_plural "You are going to delete %u files from printer. Are you sure to continue?" +msgstr[0] "Vous allez supprimer le fichier %u de l’imprimante. Êtes-vous sûr de vouloir continuer ?" +msgstr[1] "Vous allez supprimer %u fichiers de l’imprimante. Êtes-vous sûr de vouloir continuer ?" msgid "Delete files" msgstr "Supprimer les fichiers" @@ -5302,12 +4819,8 @@ msgstr "Échec de la récupération des informations de modèle de l’imprimant msgid "Failed to parse model information." msgstr "Échec de l’analyse des informations sur le modèle." -msgid "" -"The .gcode.3mf file contains no G-code data.Please slice it with Orca Slicer " -"and export a new .gcode.3mf file." -msgstr "" -"Le fichier G-code .3mf ne contient pas de données G-code. Veuillez le " -"découper avec OrcaSlicer et exporter un nouveau fichier G-code .3mf." +msgid "The .gcode.3mf file contains no G-code data.Please slice it with Orca Slicer and export a new .gcode.3mf file." +msgstr "Le fichier G-code .3mf ne contient pas de données G-code. Veuillez le découper avec OrcaSlicer et exporter un nouveau fichier G-code .3mf." #, c-format, boost-format msgid "File '%s' was lost! Please download it again." @@ -5337,12 +4850,8 @@ msgstr "Téléchargement terminé" msgid "Downloading %d%%..." msgstr "Téléchargement %d%%..." -msgid "" -"Reconnecting the printer, the operation cannot be completed immediately, " -"please try again later." -msgstr "" -"Reconnexion de l’imprimante, l’opération ne peut être effectuée maintenant, " -"veuillez réessayer plus tard." +msgid "Reconnecting the printer, the operation cannot be completed immediately, please try again later." +msgstr "Reconnexion de l’imprimante, l’opération ne peut être effectuée maintenant, veuillez réessayer plus tard." msgid "File does not exist." msgstr "Le fichier n’existe pas." @@ -5421,9 +4930,7 @@ msgstr "" msgid "How do you like this printing file?" msgstr "Que pensez-vous de ce fichier d’impression ?" -msgid "" -"(The model has already been rated. Your rating will overwrite the previous " -"rating.)" +msgid "(The model has already been rated. Your rating will overwrite the previous rating.)" msgstr "(Le modèle a déjà été noté. Votre note écrasera la note précédente.)" msgid "Rate" @@ -5498,12 +5005,8 @@ msgstr "Couche : %s" msgid "Layer: %d/%d" msgstr "Couche : %d/%d" -msgid "" -"Please heat the nozzle to above 170 degree before loading or unloading " -"filament." -msgstr "" -"Veuillez chauffer la buse à plus de 170 degrés avant de charger ou de " -"décharger le filament." +msgid "Please heat the nozzle to above 170 degree before loading or unloading filament." +msgstr "Veuillez chauffer la buse à plus de 170 degrés avant de charger ou de décharger le filament." msgid "Still unload" msgstr "Décharger encore" @@ -5514,12 +5017,8 @@ msgstr "Charger encore" msgid "Please select an AMS slot before calibration" msgstr "Veuillez sélectionner un emplacement AMS avant la calibration" -msgid "" -"Cannot read filament info: the filament is loaded to the tool head,please " -"unload the filament and try again." -msgstr "" -"Impossible de lire les informations sur le filament: le filament est chargé " -"dans l'extrudeur. Veuillez décharger le filament et réessayer." +msgid "Cannot read filament info: the filament is loaded to the tool head,please unload the filament and try again." +msgstr "Impossible de lire les informations sur le filament: le filament est chargé dans l'extrudeur. Veuillez décharger le filament et réessayer." msgid "This only takes effect during printing" msgstr "Cela ne prend effet que pendant l'impression" @@ -5585,21 +5084,17 @@ msgid " can not be opened\n" msgstr " ne peut pas être ouvert\n" msgid "" -"The following issues occurred during the process of uploading images. Do you " -"want to ignore them?\n" +"The following issues occurred during the process of uploading images. Do you want to ignore them?\n" "\n" msgstr "" -"Les problèmes suivants se sont produits lors du processus d’envoi des " -"images. Voulez-vous les ignorer ?\n" +"Les problèmes suivants se sont produits lors du processus d’envoi des images. Voulez-vous les ignorer ?\n" "\n" msgid "info" msgstr "info" msgid "Synchronizing the printing results. Please retry a few seconds later." -msgstr "" -"Synchronisation des résultats d’impression. Veuillez réessayer dans quelques " -"secondes." +msgstr "Synchronisation des résultats d’impression. Veuillez réessayer dans quelques secondes." msgid "Upload failed\n" msgstr "Échec de l’envoi\n" @@ -5612,8 +5107,7 @@ msgid "" "\n" " error code: " msgstr "" -"Le résultat de votre commentaire ne peut pas être téléchargé pour certaines " -"raisons :\n" +"Le résultat de votre commentaire ne peut pas être téléchargé pour certaines raisons :\n" "\n" " code d’erreur : " @@ -5629,12 +5123,8 @@ msgstr "" "\n" "Souhaitez-vous être redirigé vers la page Web pour l’évaluation ?" -msgid "" -"Some of your images failed to upload. Would you like to redirect to the " -"webpage for rating?" -msgstr "" -"Certaines de vos images n’ont pas pu être envoyées. Souhaitez-vous être " -"redirigé vers la page Web pour l’évaluation ?" +msgid "Some of your images failed to upload. Would you like to redirect to the webpage for rating?" +msgstr "Certaines de vos images n’ont pas pu être envoyées. Souhaitez-vous être redirigé vers la page Web pour l’évaluation ?" msgid "You can select up to 16 images." msgstr "Vous pouvez sélectionner jusqu’à 16 images." @@ -5685,12 +5175,8 @@ msgstr "Sauter" msgid "Newer 3mf version" msgstr "Nouvelle version 3mf" -msgid "" -"The 3mf file version is in Beta and it is newer than the current OrcaSlicer " -"version." -msgstr "" -"La version du fichier 3mf est en bêta et est plus récente que la version " -"actuelle d’OrcaSlicer." +msgid "The 3mf file version is in Beta and it is newer than the current OrcaSlicer version." +msgstr "La version du fichier 3mf est en bêta et est plus récente que la version actuelle d’OrcaSlicer." msgid "If you would like to try Orca Slicer Beta, you may click to" msgstr "Si vous souhaitez essayer OrcaSlicer Beta, vous pouvez cliquer sur" @@ -5699,14 +5185,10 @@ msgid "Download Beta Version" msgstr "Télécharger la version bêta" msgid "The 3mf file version is newer than the current Orca Slicer version." -msgstr "" -"La version du fichier 3mf est plus récente que la version actuelle " -"d’OrcaSlicer" +msgstr "La version du fichier 3mf est plus récente que la version actuelle d’OrcaSlicer" msgid "Update your Orca Slicer could enable all functionality in the 3mf file." -msgstr "" -"La mise à jour d’OrcaSlicer permet d’activer toutes les fonctionnalités du " -"fichier 3mf." +msgstr "La mise à jour d’OrcaSlicer permet d’activer toutes les fonctionnalités du fichier 3mf." msgid "Current Version: " msgstr "Version actuelle : " @@ -5823,8 +5305,7 @@ msgid "WARNING:" msgstr "ATTENTION :" msgid "Your model needs support ! Please make support material enable." -msgstr "" -"Votre modèle a besoin de supports ! Veuillez activer le matériau de support." +msgstr "Votre modèle a besoin de supports ! Veuillez activer le matériau de support." msgid "Gcode path overlap" msgstr "Chevauchement de chemin G-code" @@ -5844,12 +5325,8 @@ msgstr "Couches" msgid "Range" msgstr "Zone" -msgid "" -"The application cannot run normally because OpenGL version is lower than " -"2.0.\n" -msgstr "" -"L'application ne peut pas fonctionner normalement car la version d'OpenGL " -"est inférieure à 2.0.\n" +msgid "The application cannot run normally because OpenGL version is lower than 2.0.\n" +msgstr "L'application ne peut pas fonctionner normalement car la version d'OpenGL est inférieure à 2.0.\n" msgid "Please upgrade your graphics card driver." msgstr "Veuillez mettre à jour le pilote de votre carte graphique." @@ -5883,12 +5360,8 @@ msgstr "La sensibilité de pause est" msgid "Enable detection of build plate position" msgstr "Activation de la détection de la position de la plaque" -msgid "" -"The localization tag of build plate is detected, and printing is paused if " -"the tag is not in predefined range." -msgstr "" -"La balise de localisation de la plaque est détectée, l'impression est " -"interrompue si la balise n'est pas dans la plage prédéfinie." +msgid "The localization tag of build plate is detected, and printing is paused if the tag is not in predefined range." +msgstr "La balise de localisation de la plaque est détectée, l'impression est interrompue si la balise n'est pas dans la plage prédéfinie." msgid "First Layer Inspection" msgstr "Inspection de la Première Couche" @@ -5906,9 +5379,7 @@ msgid "Nozzle Clumping Detection" msgstr "Détection de l’encrassement de la buse" msgid "Check if the nozzle is clumping by filament or other foreign objects." -msgstr "" -"Vérifier si la buse est encrassée par du filament ou d’autres corps " -"étrangers." +msgstr "Vérifier si la buse est encrassée par du filament ou d’autres corps étrangers." msgid "Nozzle Type" msgstr "Type de buse" @@ -6020,28 +5491,17 @@ msgstr "Recherche de plaque, d'objet et de pièce." msgid "Pellets" msgstr "Pellets" -msgid "" -"No AMS filaments. Please select a printer in 'Device' page to load AMS info." -msgstr "" -"Pas de filaments AMS. Veuillez sélectionner une imprimante dans la page " -"\"Appareil\" pour charger les informations AMS." +msgid "No AMS filaments. Please select a printer in 'Device' page to load AMS info." +msgstr "Pas de filaments AMS. Veuillez sélectionner une imprimante dans la page \"Appareil\" pour charger les informations AMS." msgid "Sync filaments with AMS" msgstr "Synchroniser les filaments avec AMS" -msgid "" -"Sync filaments with AMS will drop all current selected filament presets and " -"colors. Do you want to continue?" -msgstr "" -"La synchronisation des filaments avec AMS supprimera tous les préréglages et " -"couleurs de filament actuellement sélectionnés. Voulez-vous continuer ?" +msgid "Sync filaments with AMS will drop all current selected filament presets and colors. Do you want to continue?" +msgstr "La synchronisation des filaments avec AMS supprimera tous les préréglages et couleurs de filament actuellement sélectionnés. Voulez-vous continuer ?" -msgid "" -"Already did a synchronization, do you want to sync only changes or resync " -"all?" -msgstr "" -"Vous avez déjà effectué une synchronisation. Voulez-vous synchroniser " -"uniquement les modifications ou tout resynchroniser ?" +msgid "Already did a synchronization, do you want to sync only changes or resync all?" +msgstr "Vous avez déjà effectué une synchronisation. Voulez-vous synchroniser uniquement les modifications ou tout resynchroniser ?" msgid "Sync" msgstr "Sync" @@ -6050,30 +5510,18 @@ msgid "Resync" msgstr "Resync" msgid "There are no compatible filaments, and sync is not performed." -msgstr "" -"Il n'y a pas de filaments compatibles et la synchronisation n'est pas " -"effectuée." +msgstr "Il n'y a pas de filaments compatibles et la synchronisation n'est pas effectuée." -msgid "" -"There are some unknown filaments mapped to generic preset. Please update " -"Orca Slicer or restart Orca Slicer to check if there is an update to system " -"presets." -msgstr "" -"Il existe des filaments inconnus mappés sur un préréglage générique. " -"Veuillez mettre à jour ou redémarrer Orca Slicer pour vérifier s'il existe " -"une mise à jour des préréglages système." +msgid "There are some unknown filaments mapped to generic preset. Please update Orca Slicer or restart Orca Slicer to check if there is an update to system presets." +msgstr "Il existe des filaments inconnus mappés sur un préréglage générique. Veuillez mettre à jour ou redémarrer Orca Slicer pour vérifier s'il existe une mise à jour des préréglages système." #, boost-format msgid "Do you want to save changes to \"%1%\"?" msgstr "Voulez-vous enregistrer les modifications apportées à \"%1%\" ?" #, c-format, boost-format -msgid "" -"Successfully unmounted. The device %s(%s) can now be safely removed from the " -"computer." -msgstr "" -"Démonté avec succès. Le périphérique %s(%s) peut maintenant être retiré en " -"toute sécurité de l'ordinateur." +msgid "Successfully unmounted. The device %s(%s) can now be safely removed from the computer." +msgstr "Démonté avec succès. Le périphérique %s(%s) peut maintenant être retiré en toute sécurité de l'ordinateur." #, c-format, boost-format msgid "Ejecting of device %s(%s) has failed." @@ -6085,30 +5533,14 @@ msgstr "Projet précédent non enregistré détecté, voulez-vous le restaurer ? msgid "Restore" msgstr "Restaurer" -msgid "" -"The current hot bed temperature is relatively high. The nozzle may be " -"clogged when printing this filament in a closed enclosure. Please open the " -"front door and/or remove the upper glass." -msgstr "" -"La température actuelle du plateau est relativement élevée. La buse peut se " -"boucher lors de l’impression de ce filament dans une enceinte fermée. " -"Veuillez ouvrir la porte avant et/ou retirer la vitre supérieure." +msgid "The current hot bed temperature is relatively high. The nozzle may be clogged when printing this filament in a closed enclosure. Please open the front door and/or remove the upper glass." +msgstr "La température actuelle du plateau est relativement élevée. La buse peut se boucher lors de l’impression de ce filament dans une enceinte fermée. Veuillez ouvrir la porte avant et/ou retirer la vitre supérieure." -msgid "" -"The nozzle hardness required by the filament is higher than the default " -"nozzle hardness of the printer. Please replace the hardened nozzle or " -"filament, otherwise, the nozzle will be attrited or damaged." -msgstr "" -"La dureté de la buse requise par le filament est supérieure à la dureté par " -"défaut de la buse de l'imprimante. Veuillez remplacer la buse ou le " -"filament, sinon la buse s'usera ou s'endommagera." +msgid "The nozzle hardness required by the filament is higher than the default nozzle hardness of the printer. Please replace the hardened nozzle or filament, otherwise, the nozzle will be attrited or damaged." +msgstr "La dureté de la buse requise par le filament est supérieure à la dureté par défaut de la buse de l'imprimante. Veuillez remplacer la buse ou le filament, sinon la buse s'usera ou s'endommagera." -msgid "" -"Enabling traditional timelapse photography may cause surface imperfections. " -"It is recommended to change to smooth mode." -msgstr "" -"L’activation de la photographie timelapse traditionnelle peut provoquer des " -"imperfections de surface. Il est recommandé de passer en mode fluide." +msgid "Enabling traditional timelapse photography may cause surface imperfections. It is recommended to change to smooth mode." +msgstr "L’activation de la photographie timelapse traditionnelle peut provoquer des imperfections de surface. Il est recommandé de passer en mode fluide." msgid "Expand sidebar" msgstr "Agrandir la barre latérale" @@ -6121,31 +5553,21 @@ msgid "Loading file: %s" msgstr "Chargement du fichier : %s" msgid "The 3mf is not supported by OrcaSlicer, load geometry data only." -msgstr "" -"Le fichier 3mf n’est pas supporté par OrcaSlicer, chargement des données de " -"géométrie uniquement." +msgstr "Le fichier 3mf n’est pas supporté par OrcaSlicer, chargement des données de géométrie uniquement." msgid "Load 3mf" msgstr "Charger 3mf" #, c-format, boost-format -msgid "" -"The 3mf's version %s is newer than %s's version %s, Found following keys " -"unrecognized:" -msgstr "" -"La version %s du 3mf est plus récente que la version %s de %s. Les clés " -"suivantes ne sont pas reconnues:" +msgid "The 3mf's version %s is newer than %s's version %s, Found following keys unrecognized:" +msgstr "La version %s du 3mf est plus récente que la version %s de %s. Les clés suivantes ne sont pas reconnues:" msgid "You'd better upgrade your software.\n" msgstr "Vous feriez mieux de mettre à jour votre logiciel.\n" #, c-format, boost-format -msgid "" -"The 3mf's version %s is newer than %s's version %s, Suggest to upgrade your " -"software." -msgstr "" -"La version %s du 3mf est plus récente que la version %s de %s. Nous vous " -"suggérons de mettre à jour votre logiciel." +msgid "The 3mf's version %s is newer than %s's version %s, Suggest to upgrade your software." +msgstr "La version %s du 3mf est plus récente que la version %s de %s. Nous vous suggérons de mettre à jour votre logiciel." msgid "Invalid values found in the 3mf:" msgstr "Valeurs invalides trouvées dans le 3mf :" @@ -6154,38 +5576,25 @@ msgid "Please correct them in the param tabs" msgstr "Veuillez les corriger dans les onglets de paramètres" msgid "The 3mf has following modified G-codes in filament or printer presets:" -msgstr "" -"Le 3mf a les G-codes modifiés suivants dans le filament ou les préréglages " -"de l'imprimante :" +msgstr "Le 3mf a les G-codes modifiés suivants dans le filament ou les préréglages de l'imprimante :" -msgid "" -"Please confirm that these modified G-codes are safe to prevent any damage to " -"the machine!" -msgstr "" -"Veuillez vous assurer que ces G-codes modifiés sont sûrs afin d'éviter tout " -"dommage à la machine !" +msgid "Please confirm that these modified G-codes are safe to prevent any damage to the machine!" +msgstr "Veuillez vous assurer que ces G-codes modifiés sont sûrs afin d'éviter tout dommage à la machine !" msgid "Modified G-codes" msgstr "G-codes modifiés" msgid "The 3mf has following customized filament or printer presets:" -msgstr "" -"Le 3mf dispose de filaments personnalisés ou de préréglages d'imprimante :" +msgstr "Le 3mf dispose de filaments personnalisés ou de préréglages d'imprimante :" -msgid "" -"Please confirm that the G-codes within these presets are safe to prevent any " -"damage to the machine!" -msgstr "" -"Veuillez vous assurer que les G-codes de ces préréglages sont sûrs afin " -"d'éviter d'endommager la machine !" +msgid "Please confirm that the G-codes within these presets are safe to prevent any damage to the machine!" +msgstr "Veuillez vous assurer que les G-codes de ces préréglages sont sûrs afin d'éviter d'endommager la machine !" msgid "Customized Preset" msgstr "Préréglage personnalisé" msgid "Name of components inside step file is not UTF8 format!" -msgstr "" -"Le nom des composants à l'intérieur du fichier d'étape n'est pas au format " -"UTF8 !" +msgstr "Le nom des composants à l'intérieur du fichier d'étape n'est pas au format UTF8 !" msgid "The name may show garbage characters!" msgstr "Le nom peut afficher des caractères inutiles !" @@ -6195,9 +5604,7 @@ msgstr "Mémoriser mon choix." #, boost-format msgid "Failed loading file \"%1%\". An invalid configuration was found." -msgstr "" -"Échec du chargement du fichier \"%1%\". Une configuration invalide a été " -"trouvée." +msgstr "Échec du chargement du fichier \"%1%\". Une configuration invalide a été trouvée." msgid "Objects with zero volume removed" msgstr "Objets avec zéro volume supprimé" @@ -6209,9 +5616,7 @@ msgstr "Le volume de l'objet est nul" msgid "" "The object from file %s is too small, and maybe in meters or inches.\n" " Do you want to scale to millimeters?" -msgstr "" -"L'objet du fichier %s est trop petit, et peut-être en mètres ou en pouces. " -"Voulez-vous mettre à l'échelle en millimètres ?" +msgstr "L'objet du fichier %s est trop petit, et peut-être en mètres ou en pouces. Voulez-vous mettre à l'échelle en millimètres ?" msgid "Object too small" msgstr "Objet trop petit" @@ -6229,8 +5634,7 @@ msgid "Multi-part object detected" msgstr "Objet en plusieurs pièces détecté" msgid "Load these files as a single object with multiple parts?\n" -msgstr "" -"Charger ces fichiers en tant qu'objet unique avec plusieurs parties ?\n" +msgstr "Charger ces fichiers en tant qu'objet unique avec plusieurs parties ?\n" msgid "Object with multiple parts was detected" msgstr "Un objet en plusieurs parties a été détecté" @@ -6238,12 +5642,8 @@ msgstr "Un objet en plusieurs parties a été détecté" msgid "The file does not contain any geometry data." msgstr "Le fichier ne contient pas de données géométriques." -msgid "" -"Your object appears to be too large, Do you want to scale it down to fit the " -"heat bed automatically?" -msgstr "" -"Votre objet semble trop grand. Voulez-vous le réduire pour l'adapter " -"automatiquement au plateau d'impression ?" +msgid "Your object appears to be too large, Do you want to scale it down to fit the heat bed automatically?" +msgstr "Votre objet semble trop grand. Voulez-vous le réduire pour l'adapter automatiquement au plateau d'impression ?" msgid "Object too large" msgstr "Objet trop grand" @@ -6341,24 +5741,18 @@ msgstr "Découpe du plateau %d" msgid "Please resolve the slicing errors and publish again." msgstr "Veuillez résoudre les erreurs de découpage et republier." -msgid "" -"Network Plug-in is not detected. Network related features are unavailable." -msgstr "" -"Le plug-in réseau n'est pas détecté. Les fonctionnalités liées au réseau ne " -"sont pas disponibles." +msgid "Network Plug-in is not detected. Network related features are unavailable." +msgstr "Le plug-in réseau n'est pas détecté. Les fonctionnalités liées au réseau ne sont pas disponibles." msgid "" "Preview only mode:\n" "The loaded file contains gcode only, Can not enter the Prepare page" msgstr "" "Mode de prévisualisation:\n" -"Le fichier chargé contient uniquement du G-code, impossible d'accéder à la " -"page de Préparation" +"Le fichier chargé contient uniquement du G-code, impossible d'accéder à la page de Préparation" msgid "You can keep the modified presets to the new project or discard them" -msgstr "" -"Vous pouvez conserver les préréglages modifiés dans le nouveau projet ou les " -"supprimer" +msgstr "Vous pouvez conserver les préréglages modifiés dans le nouveau projet ou les supprimer" msgid "Creating a new project" msgstr "Créer un nouveau projet" @@ -6368,12 +5762,10 @@ msgstr "Charger le projet" msgid "" "Failed to save the project.\n" -"Please check whether the folder exists online or if other programs open the " -"project file." +"Please check whether the folder exists online or if other programs open the project file." msgstr "" "Impossible d'enregistrer le projet.\n" -"Vérifiez si le dossier existe en ligne ou si le fichier de projet est ouvert " -"dans d'autres programmes." +"Vérifiez si le dossier existe en ligne ou si le fichier de projet est ouvert dans d'autres programmes." msgid "Save project" msgstr "Sauvegarder le projet" @@ -6395,16 +5787,10 @@ msgstr "Le téléchargement a échoué, exception de taille de fichier." #, c-format, boost-format msgid "Project downloaded %d%%" -msgstr "" -"Projet téléchargé à %d%%L’importation dans Bambu Studio a échoué. Veuillez " -"télécharger le fichier et l’importer manuellement." +msgstr "Projet téléchargé à %d%%L’importation dans Bambu Studio a échoué. Veuillez télécharger le fichier et l’importer manuellement." -msgid "" -"Importing to Orca Slicer failed. Please download the file and manually " -"import it." -msgstr "" -"L’importation vers OrcaSlicer a échoué. Veuillez télécharger le fichier et " -"l’importer manuellement." +msgid "Importing to Orca Slicer failed. Please download the file and manually import it." +msgstr "L’importation vers OrcaSlicer a échoué. Veuillez télécharger le fichier et l’importer manuellement." msgid "Import SLA archive" msgstr "Importer les archives SLA" @@ -6430,9 +5816,7 @@ msgstr "Échec de la décompression du fichier vers %1% : %2%" #, boost-format msgid "Failed to find unzipped file at %1%. Unzipping of file has failed." -msgstr "" -"Impossible de trouver le fichier décompressé dans %1%. La décompression du " -"fichier a échoué." +msgstr "Impossible de trouver le fichier décompressé dans %1%. La décompression du fichier a échoué." msgid "Drop project file" msgstr "Déposer le fichier de projet" @@ -6453,8 +5837,7 @@ msgid "G-code loading" msgstr "Chargement du G-code" msgid "G-code files can not be loaded with models together!" -msgstr "" -"Les fichiers G-code ne peuvent pas être chargés avec des modèles ensemble !" +msgstr "Les fichiers G-code ne peuvent pas être chargés avec des modèles ensemble !" msgid "Can not add models when in preview mode!" msgstr "Impossible d'ajouter des modèles en mode aperçu !" @@ -6463,9 +5846,7 @@ msgid "All objects will be removed, continue?" msgstr "Tous les objets seront supprimés, continuer ?" msgid "The current project has unsaved changes, save it before continue?" -msgstr "" -"Le projet en cours comporte des modifications non enregistrées, enregistrez-" -"les avant de continuer ?" +msgstr "Le projet en cours comporte des modifications non enregistrées, enregistrez-les avant de continuer ?" msgid "Number of copies:" msgstr "Nombre de copies:" @@ -6483,28 +5864,17 @@ msgid "The provided file name is not valid." msgstr "Le nom de fichier fourni n’est pas valide." msgid "The following characters are not allowed by a FAT file system:" -msgstr "" -"Les caractères suivants ne sont pas autorisés par un système de fichiers " -"FAT :" +msgstr "Les caractères suivants ne sont pas autorisés par un système de fichiers FAT :" msgid "Save Sliced file as:" msgstr "Enregistrer le fichier découpé sous :" #, c-format, boost-format -msgid "" -"The file %s has been sent to the printer's storage space and can be viewed " -"on the printer." -msgstr "" -"Le fichier %s a été envoyé vers l'espace de stockage de l'imprimante et peut " -"être visualisé sur l'imprimante." +msgid "The file %s has been sent to the printer's storage space and can be viewed on the printer." +msgstr "Le fichier %s a été envoyé vers l'espace de stockage de l'imprimante et peut être visualisé sur l'imprimante." -msgid "" -"Unable to perform boolean operation on model meshes. Only positive parts " -"will be kept. You may fix the meshes and try again." -msgstr "" -"Impossible d’effectuer une opération booléenne sur les mailles du modèle. " -"Seules les parties positives seront conservées. Vous pouvez corriger les " -"mailles et réessayer." +msgid "Unable to perform boolean operation on model meshes. Only positive parts will be kept. You may fix the meshes and try again." +msgstr "Impossible d’effectuer une opération booléenne sur les mailles du modèle. Seules les parties positives seront conservées. Vous pouvez corriger les mailles et réessayer." #, boost-format msgid "Reason: part \"%1%\" is empty." @@ -6523,22 +5893,17 @@ msgid "Reason: \"%1%\" and another part have no intersection." msgstr "Raison : « %1% » et une autre partie n’ont pas d’intersection." msgid "" -"Are you sure you want to store original SVGs with their local paths into the " -"3MF file?\n" +"Are you sure you want to store original SVGs with their local paths into the 3MF file?\n" "If you hit 'NO', all SVGs in the project will not be editable any more." msgstr "" -"Êtes-vous sûr de vouloir stocker les SVG originaux avec leurs chemins " -"d'accès locaux dans le fichier 3MF ?\n" -"Si vous cliquez sur \"NON\", tous les SVG du projet ne seront plus " -"modifiables." +"Êtes-vous sûr de vouloir stocker les SVG originaux avec leurs chemins d'accès locaux dans le fichier 3MF ?\n" +"Si vous cliquez sur \"NON\", tous les SVG du projet ne seront plus modifiables." msgid "Private protection" msgstr "Protection privée" msgid "Is the printer ready? Is the print sheet in place, empty and clean?" -msgstr "" -"L’imprimante est-elle prête ? Le plateau d’impression est-il en place, vide " -"et propre ?" +msgstr "L’imprimante est-elle prête ? Le plateau d’impression est-il en place, vide et propre ?" msgid "Upload and Print" msgstr "Envoyer & Imprimer" @@ -6548,8 +5913,7 @@ msgid "" "Suggest to use auto-arrange to avoid collisions when printing." msgstr "" "Imprimer par objet :\n" -"Nous vous suggérons d'utiliser la disposition automatique pour éviter les " -"collisions lors de l'impression." +"Nous vous suggérons d'utiliser la disposition automatique pour éviter les collisions lors de l'impression." msgid "Send G-code" msgstr "Envoyer le G-code" @@ -6558,9 +5922,7 @@ msgid "Send to printer" msgstr "Envoyer à l'imprimante" msgid "Custom supports and color painting were removed before repairing." -msgstr "" -"Les supports personnalisés et la peinture de couleur ont été retirés avant " -"la réparation." +msgstr "Les supports personnalisés et la peinture de couleur ont été retirés avant la réparation." msgid "Optimize Rotation" msgstr "Optimiser la rotation" @@ -6610,24 +5972,12 @@ msgstr "Triangles : %1%\n" msgid "Tips:" msgstr "Astuces:" -msgid "" -"\"Fix Model\" feature is currently only on Windows. Please repair the model " -"on Orca Slicer(windows) or CAD softwares." -msgstr "" -"La fonctionnalité \"Réparer le modèle\" n'est actuellement disponible que " -"sur Windows. Veuillez réparer le modèle sur Orca Slicer (Windows) ou avec " -"des logiciels de CAO." +msgid "\"Fix Model\" feature is currently only on Windows. Please repair the model on Orca Slicer(windows) or CAD softwares." +msgstr "La fonctionnalité \"Réparer le modèle\" n'est actuellement disponible que sur Windows. Veuillez réparer le modèle sur Orca Slicer (Windows) ou avec des logiciels de CAO." #, c-format, boost-format -msgid "" -"Plate% d: %s is not suggested to be used to print filament %s(%s). If you " -"still want to do this printing, please set this filament's bed temperature " -"to non zero." -msgstr "" -"La plaque% d : %s n'est pas suggéré pour l'utilisation du filament " -"d'impression %s(%s). Si vous souhaitez toujours effectuer ce travail " -"d'impression, veuillez régler la température du plateau de ce filament sur " -"un nombre différent de zéro." +msgid "Plate% d: %s is not suggested to be used to print filament %s(%s). If you still want to do this printing, please set this filament's bed temperature to non zero." +msgstr "La plaque% d : %s n'est pas suggéré pour l'utilisation du filament d'impression %s(%s). Si vous souhaitez toujours effectuer ce travail d'impression, veuillez régler la température du plateau de ce filament sur un nombre différent de zéro." msgid "Switching the language requires application restart.\n" msgstr "Le changement de langue nécessite le redémarrage de l'application.\n" @@ -6639,7 +5989,7 @@ msgid "Language selection" msgstr "Sélection de la langue" msgid "Switching application language while some presets are modified." -msgstr "" +msgstr "Changement de langue d’application alors que certaines présélections sont modifiées." msgid "Changing application language" msgstr "Changer la langue de l'application" @@ -6698,14 +6048,8 @@ msgstr "Région d'origine" msgid "Stealth Mode" msgstr "Mode privé" -msgid "" -"This stops the transmission of data to Bambu's cloud services. Users who " -"don't use BBL machines or use LAN mode only can safely turn on this function." -msgstr "" -"Cette fonction interrompt la transmission des données vers les services en " -"ligne de Bambu. Les utilisateurs qui n’utilisent pas de machines BBL ou qui " -"utilisent uniquement le mode LAN peuvent activer cette fonction en toute " -"sécurité." +msgid "This stops the transmission of data to Bambu's cloud services. Users who don't use BBL machines or use LAN mode only can safely turn on this function." +msgstr "Cette fonction interrompt la transmission des données vers les services en ligne de Bambu. Les utilisateurs qui n’utilisent pas de machines BBL ou qui utilisent uniquement le mode LAN peuvent activer cette fonction en toute sécurité." msgid "Enable network plugin" msgstr "Activer le plug-in réseau" @@ -6725,24 +6069,11 @@ msgstr "Unités" msgid "Allow only one OrcaSlicer instance" msgstr "Autoriser une seule instance d’OrcaSlicer" -msgid "" -"On OSX there is always only one instance of app running by default. However " -"it is allowed to run multiple instances of same app from the command line. " -"In such case this settings will allow only one instance." -msgstr "" -"Sous OSX, il n’y a toujours qu’une seule instance de l’application en cours " -"d’exécution par défaut. Cependant, il est possible de lancer plusieurs " -"instances de la même application à partir de la ligne de commande. Dans ce " -"cas, ces paramètres n’autorisent qu’une seule instance." +msgid "On OSX there is always only one instance of app running by default. However it is allowed to run multiple instances of same app from the command line. In such case this settings will allow only one instance." +msgstr "Sous OSX, il n’y a toujours qu’une seule instance de l’application en cours d’exécution par défaut. Cependant, il est possible de lancer plusieurs instances de la même application à partir de la ligne de commande. Dans ce cas, ces paramètres n’autorisent qu’une seule instance." -msgid "" -"If this is enabled, when starting OrcaSlicer and another instance of the " -"same OrcaSlicer is already running, that instance will be reactivated " -"instead." -msgstr "" -"Si cette option est activée, lorsque vous démarrez OrcaSlicer et qu’une " -"autre instance du même OrcaSlicer est déjà en cours d’exécution, cette " -"instance sera réactivée à la place." +msgid "If this is enabled, when starting OrcaSlicer and another instance of the same OrcaSlicer is already running, that instance will be reactivated instead." +msgstr "Si cette option est activée, lorsque vous démarrez OrcaSlicer et qu’une autre instance du même OrcaSlicer est déjà en cours d’exécution, cette instance sera réactivée à la place." msgid "Home" msgstr "Accueil" @@ -6765,36 +6096,26 @@ msgid "" "Touchpad: Alt+move for rotation, Shift+move for panning." msgstr "" "Sélectionner le style de navigation de l’appareil photo.\n" -"Par défaut : LMB+mouvement pour la rotation, RMB/MMB+mouvement pour le " -"panoramique.\n" -"Pavé tactile : Alt+mouvement pour la rotation, Shift+mouvement pour le " -"panoramique." +"Par défaut : LMB+mouvement pour la rotation, RMB/MMB+mouvement pour le panoramique.\n" +"Pavé tactile : Alt+mouvement pour la rotation, Shift+mouvement pour le panoramique." msgid "Zoom to mouse position" msgstr "Zoom sur la position de la souris" -msgid "" -"Zoom in towards the mouse pointer's position in the 3D view, rather than the " -"2D window center." -msgstr "" -"Zoomez sur la position du pointeur de la souris dans la vue 3D, plutôt que " -"sur le centre de la fenêtre 2D." +msgid "Zoom in towards the mouse pointer's position in the 3D view, rather than the 2D window center." +msgstr "Zoomez sur la position du pointeur de la souris dans la vue 3D, plutôt que sur le centre de la fenêtre 2D." msgid "Use free camera" msgstr "Utiliser la caméra libre" msgid "If enabled, use free camera. If not enabled, use constrained camera." -msgstr "" -"Si activée, utilise la caméra libre. Si désactivée, utilise la caméra " -"contrainte." +msgstr "Si activée, utilise la caméra libre. Si désactivée, utilise la caméra contrainte." msgid "Reverse mouse zoom" msgstr "Inverser le zoom de la souris" msgid "If enabled, reverses the direction of zoom with mouse wheel." -msgstr "" -"Si cette option est activée, elle inverse le sens du zoom avec la molette de " -"la souris." +msgstr "Si cette option est activée, elle inverse le sens du zoom avec la molette de la souris." msgid "Show splash screen" msgstr "Afficher l'écran de démarrage" @@ -6806,45 +6127,31 @@ msgid "Show \"Tip of the day\" notification after start" msgstr "Afficher la notification \"Astuce du jour\" après le démarrage" msgid "If enabled, useful hints are displayed at startup." -msgstr "" -"Si cette option est activée, des conseils utiles s'affichent au démarrage." +msgstr "Si cette option est activée, des conseils utiles s'affichent au démarrage." msgid "Flushing volumes: Auto-calculate everytime the color changed." msgstr "Volumes de purge : Auto-calcul à chaque changement de couleur." msgid "If enabled, auto-calculate everytime the color changed." -msgstr "" -"Si cette option est activée, le calcul se fera automatiquement à chaque " -"changement de couleur." +msgstr "Si cette option est activée, le calcul se fera automatiquement à chaque changement de couleur." -msgid "" -"Flushing volumes: Auto-calculate every time when the filament is changed." +msgid "Flushing volumes: Auto-calculate every time when the filament is changed." msgstr "Volumes de purge : Calcul automatique à chaque changement de filament." msgid "If enabled, auto-calculate every time when filament is changed" -msgstr "" -"Si cette option est activée, le calcul s’effectue automatiquement à chaque " -"changement de filament." +msgstr "Si cette option est activée, le calcul s’effectue automatiquement à chaque changement de filament." msgid "Remember printer configuration" msgstr "Mémoriser la configuration de l’imprimante" -msgid "" -"If enabled, Orca will remember and switch filament/process configuration for " -"each printer automatically." -msgstr "" -"Si cette option est activée, Orca se souviendra de la configuration du " -"filament/processus pour chaque imprimante et la modifiera automatiquement." +msgid "If enabled, Orca will remember and switch filament/process configuration for each printer automatically." +msgstr "Si cette option est activée, Orca se souviendra de la configuration du filament/processus pour chaque imprimante et la modifiera automatiquement." msgid "Multi-device Management(Take effect after restarting Orca)." msgstr "Gestion multi-appareils (prend effet après le redémarrage d’Orca)." -msgid "" -"With this option enabled, you can send a task to multiple devices at the " -"same time and manage multiple devices." -msgstr "" -"Si cette option est activée, vous pouvez envoyer une tâche à plusieurs " -"appareils en même temps et gérer plusieurs appareils." +msgid "With this option enabled, you can send a task to multiple devices at the same time and manage multiple devices." +msgstr "Si cette option est activée, vous pouvez envoyer une tâche à plusieurs appareils en même temps et gérer plusieurs appareils." msgid "Auto arrange plate after cloning" msgstr "Arrangement automatique de la plaque après le clonage" @@ -6856,9 +6163,7 @@ msgid "Network" msgstr "Réseau" msgid "Auto sync user presets(Printer/Filament/Process)" -msgstr "" -"Synchronisation automatique des pré-réglages utilisateur (Imprimante/" -"Filament/Traitement)" +msgstr "Synchronisation automatique des pré-réglages utilisateur (Imprimante/Filament/Traitement)" msgid "User Sync" msgstr "Synchronisation utilisateur" @@ -6879,25 +6184,19 @@ msgid "Associate .3mf files to OrcaSlicer" msgstr "Associer les fichiers .3mf à Orca Slicer" msgid "If enabled, sets OrcaSlicer as default application to open .3mf files" -msgstr "" -"Si activé, définit Orca Slicer comme application par défaut pour ouvrir les " -"fichiers .3mf" +msgstr "Si activé, définit Orca Slicer comme application par défaut pour ouvrir les fichiers .3mf" msgid "Associate .stl files to OrcaSlicer" msgstr "Associer les fichiers .stl à Orca Slicer" msgid "If enabled, sets OrcaSlicer as default application to open .stl files" -msgstr "" -"Si activé, définit Orca Slicer comme application par défaut pour ouvrir les " -"fichiers .stl" +msgstr "Si activé, définit Orca Slicer comme application par défaut pour ouvrir les fichiers .stl" msgid "Associate .step/.stp files to OrcaSlicer" msgstr "Associer les fichiers .step/.stp à Orca Slicer" msgid "If enabled, sets OrcaSlicer as default application to open .step files" -msgstr "" -"Si activé, définit Orca Slicer comme application par défaut pour ouvrir les " -"fichiers .step/.stp" +msgstr "Si activé, définit Orca Slicer comme application par défaut pour ouvrir les fichiers .step/.stp" msgid "Associate web links to OrcaSlicer" msgstr "Associer des liens web à OrcaSlicer" @@ -6915,17 +6214,13 @@ msgid "Clear my choice on the unsaved projects." msgstr "Efface mon choix sur les projets non enregistrés." msgid "No warnings when loading 3MF with modified G-codes" -msgstr "" -"Pas d'avertissement lors du chargement de 3MF avec des G-codes modifiés" +msgstr "Pas d'avertissement lors du chargement de 3MF avec des G-codes modifiés" msgid "Auto-Backup" msgstr "Sauvegarde automatique" -msgid "" -"Backup your project periodically for restoring from the occasional crash." -msgstr "" -"Sauvegardez votre projet périodiquement pour faciliter la restauration après " -"un plantage occasionnel." +msgid "Backup your project periodically for restoring from the occasional crash." +msgstr "Sauvegardez votre projet périodiquement pour faciliter la restauration après un plantage occasionnel." msgid "every" msgstr "chaque" @@ -7132,9 +6427,7 @@ msgid "Log Out" msgstr "Déconnexion" msgid "Slice all plate to obtain time and filament estimation" -msgstr "" -"Découpez toutes les couches pour obtenir une estimation du temps et du " -"filament" +msgstr "Découpez toutes les couches pour obtenir une estimation du temps et du filament" msgid "Packing project data into 3mf file" msgstr "Compression des données du projet dans un fichier 3mf" @@ -7146,8 +6439,7 @@ msgid "Jump to model publish web page" msgstr "Accéder à la page internet de publication des modèles" msgid "Note: The preparation may takes several minutes. Please be patiant." -msgstr "" -"Remarque : La préparation peut prendre plusieurs minutes. Veuillez patienter." +msgstr "Remarque : La préparation peut prendre plusieurs minutes. Veuillez patienter." msgid "Publish" msgstr "Publier" @@ -7186,9 +6478,7 @@ msgstr "Le préréglage \"%1%\" existe déjà." #, boost-format msgid "Preset \"%1%\" already exists and is incompatible with current printer." -msgstr "" -"Le préréglage \"%1%\" existe déjà et est incompatible avec l'imprimante " -"actuelle." +msgstr "Le préréglage \"%1%\" existe déjà et est incompatible avec l'imprimante actuelle." msgid "Please note that saving action will replace this preset" msgstr "Veuillez noter que l'action d'enregistrement remplacera ce préréglage" @@ -7209,9 +6499,7 @@ msgstr "L'imprimante \"%1%\" est sélectionnée avec le préréglage \"%2%\"" #, boost-format msgid "Please choose an action with \"%1%\" preset after saving." -msgstr "" -"Veuillez choisir une action avec le préréglage \"%1%\" après " -"l'enregistrement." +msgstr "Veuillez choisir une action avec le préréglage \"%1%\" après l'enregistrement." #, boost-format msgid "For \"%1%\", change \"%2%\" to \"%3%\" " @@ -7289,8 +6577,7 @@ msgid "Error code" msgstr "Code erreur" msgid "No login account, only printers in LAN mode are displayed" -msgstr "" -"Pas de connexion au cloud, seules les imprimantes en mode LAN sont affichées" +msgstr "Pas de connexion au cloud, seules les imprimantes en mode LAN sont affichées" msgid "Connecting to server" msgstr "Connexion au serveur" @@ -7302,115 +6589,61 @@ msgid "Synchronizing device information time out" msgstr "Expiration du délai de synchronisation des informations sur l'appareil" msgid "Cannot send the print job when the printer is updating firmware" -msgstr "" -"Impossible d'envoyer une tâche d'impression pendant la mise à jour du " -"firmware de l'imprimante" +msgstr "Impossible d'envoyer une tâche d'impression pendant la mise à jour du firmware de l'imprimante" -msgid "" -"The printer is executing instructions. Please restart printing after it ends" -msgstr "" -"L'imprimante exécute des instructions. Veuillez recommencer l'impression " -"après la fin de l'exécution." +msgid "The printer is executing instructions. Please restart printing after it ends" +msgstr "L'imprimante exécute des instructions. Veuillez recommencer l'impression après la fin de l'exécution." msgid "The printer is busy on other print job" msgstr "L'imprimante est occupée par un autre travail d'impression." #, c-format, boost-format -msgid "" -"Filament %s exceeds the number of AMS slots. Please update the printer " -"firmware to support AMS slot assignment." -msgstr "" -"Le filament %s dépasse le nombre d'emplacements AMS. Veuillez mettre à jour " -"le firmware de l'imprimante pour qu'il prenne en charge l'attribution des " -"emplacements AMS." +msgid "Filament %s exceeds the number of AMS slots. Please update the printer firmware to support AMS slot assignment." +msgstr "Le filament %s dépasse le nombre d'emplacements AMS. Veuillez mettre à jour le firmware de l'imprimante pour qu'il prenne en charge l'attribution des emplacements AMS." -msgid "" -"Filament exceeds the number of AMS slots. Please update the printer firmware " -"to support AMS slot assignment." -msgstr "" -"Le nombre de filaments dépasse le nombre d'emplacements AMS. Veuillez mettre " -"à jour le firmware de l'imprimante pour qu'il prenne en charge l'attribution " -"des emplacements AMS." +msgid "Filament exceeds the number of AMS slots. Please update the printer firmware to support AMS slot assignment." +msgstr "Le nombre de filaments dépasse le nombre d'emplacements AMS. Veuillez mettre à jour le firmware de l'imprimante pour qu'il prenne en charge l'attribution des emplacements AMS." -msgid "" -"Filaments to AMS slots mappings have been established. You can click a " -"filament above to change its mapping AMS slot" -msgstr "" -"L'affectation des filaments aux emplacements de l'AMS a été réalisée. Vous " -"pouvez cliquer sur un filament ci-dessus pour modifier sa correspondance " -"avec l'emplacement AMS." +msgid "Filaments to AMS slots mappings have been established. You can click a filament above to change its mapping AMS slot" +msgstr "L'affectation des filaments aux emplacements de l'AMS a été réalisée. Vous pouvez cliquer sur un filament ci-dessus pour modifier sa correspondance avec l'emplacement AMS." -msgid "" -"Please click each filament above to specify its mapping AMS slot before " -"sending the print job" -msgstr "" -"Veuillez cliquer sur chaque filament ci-dessus pour indiquer son emplacement " -"AMS avant d'envoyer la tâche d'impression." +msgid "Please click each filament above to specify its mapping AMS slot before sending the print job" +msgstr "Veuillez cliquer sur chaque filament ci-dessus pour indiquer son emplacement AMS avant d'envoyer la tâche d'impression." #, c-format, boost-format -msgid "" -"Filament %s does not match the filament in AMS slot %s. Please update the " -"printer firmware to support AMS slot assignment." -msgstr "" -"Le filament %s ne correspond pas au filament de l'emplacement AMS %s. " -"Veuillez mettre à jour le firmware de l'imprimante pour qu'il prenne en " -"charge l'attribution des emplacements AMS." +msgid "Filament %s does not match the filament in AMS slot %s. Please update the printer firmware to support AMS slot assignment." +msgstr "Le filament %s ne correspond pas au filament de l'emplacement AMS %s. Veuillez mettre à jour le firmware de l'imprimante pour qu'il prenne en charge l'attribution des emplacements AMS." -msgid "" -"Filament does not match the filament in AMS slot. Please update the printer " -"firmware to support AMS slot assignment." -msgstr "" -"Le filament ne correspond pas au filament du slot AMS. Veuillez mettre à " -"jour le firmware de l'imprimante pour qu'il prenne en charge l'attribution " -"des emplacements AMS." +msgid "Filament does not match the filament in AMS slot. Please update the printer firmware to support AMS slot assignment." +msgstr "Le filament ne correspond pas au filament du slot AMS. Veuillez mettre à jour le firmware de l'imprimante pour qu'il prenne en charge l'attribution des emplacements AMS." -msgid "" -"The printer firmware only supports sequential mapping of filament => AMS " -"slot." -msgstr "" -"Le firmware de l’imprimante ne prend en charge que le mappage séquentiel du " -"filament => emplacement AMS." +msgid "The printer firmware only supports sequential mapping of filament => AMS slot." +msgstr "Le firmware de l’imprimante ne prend en charge que le mappage séquentiel du filament => emplacement AMS." msgid "An SD card needs to be inserted before printing." msgstr "Une carte SD doit être insérée avant l'impression." #, c-format, boost-format -msgid "" -"The selected printer (%s) is incompatible with the chosen printer profile in " -"the slicer (%s)." -msgstr "" -"L’imprimante sélectionnée (%s) est incompatible avec le profil d’imprimante " -"choisi dans le logiciel de découpe (%s)." +msgid "The selected printer (%s) is incompatible with the chosen printer profile in the slicer (%s)." +msgstr "L’imprimante sélectionnée (%s) est incompatible avec le profil d’imprimante choisi dans le logiciel de découpe (%s)." msgid "An SD card needs to be inserted to record timelapse." msgstr "Une carte SD doit être insérée pour enregistrer un timelapse." -msgid "" -"Cannot send the print job to a printer whose firmware is required to get " -"updated." -msgstr "" -"Impossible d'envoyer la tâche d'impression à une imprimante dont le firmware " -"doit être mis à jour." +msgid "Cannot send the print job to a printer whose firmware is required to get updated." +msgstr "Impossible d'envoyer la tâche d'impression à une imprimante dont le firmware doit être mis à jour." msgid "Cannot send the print job for empty plate" msgstr "Impossible d'envoyer une tâche d'impression d'un plateau vide." msgid "This printer does not support printing all plates" -msgstr "" -"Cette imprimante ne prend pas en charge l'impression de toutes les plaques" +msgstr "Cette imprimante ne prend pas en charge l'impression de toutes les plaques" -msgid "" -"When enable spiral vase mode, machines with I3 structure will not generate " -"timelapse videos." -msgstr "" -"Lorsque vous activez le mode vase, les machines avec une structure I3 ne " -"généreront pas de vidéos timelapse." +msgid "When enable spiral vase mode, machines with I3 structure will not generate timelapse videos." +msgstr "Lorsque vous activez le mode vase, les machines avec une structure I3 ne généreront pas de vidéos timelapse." -msgid "" -"Timelapse is not supported because Print sequence is set to \"By object\"." -msgstr "" -"La fonction Timelapse n'est pas prise en charge car la séquence d'impression " -"est réglée sur \"Par objet\"." +msgid "Timelapse is not supported because Print sequence is set to \"By object\"." +msgstr "La fonction Timelapse n'est pas prise en charge car la séquence d'impression est réglée sur \"Par objet\"." msgid "Errors" msgstr "Erreurs" @@ -7418,23 +6651,11 @@ msgstr "Erreurs" msgid "Please check the following:" msgstr "Veuillez vérifier les points suivants :" -msgid "" -"The printer type selected when generating G-Code is not consistent with the " -"currently selected printer. It is recommended that you use the same printer " -"type for slicing." -msgstr "" -"Le type d'imprimante sélectionné lors de la génération du G-Code n'est pas " -"cohérent avec l'imprimante actuellement sélectionnée. Il est recommandé " -"d'utiliser le même type d'imprimante pour la découpe." +msgid "The printer type selected when generating G-Code is not consistent with the currently selected printer. It is recommended that you use the same printer type for slicing." +msgstr "Le type d'imprimante sélectionné lors de la génération du G-Code n'est pas cohérent avec l'imprimante actuellement sélectionnée. Il est recommandé d'utiliser le même type d'imprimante pour la découpe." -msgid "" -"There are some unknown filaments in the AMS mappings. Please check whether " -"they are the required filaments. If they are okay, press \"Confirm\" to " -"start printing." -msgstr "" -"Il y a quelques filaments inconnus dans les association avec l'AMS. Veuillez " -"vérifier s'il s'agit des filaments nécessaires. S'ils sont corrects, cliquez " -"sur \"Confirmer\" pour lancer l'impression." +msgid "There are some unknown filaments in the AMS mappings. Please check whether they are the required filaments. If they are okay, press \"Confirm\" to start printing." +msgstr "Il y a quelques filaments inconnus dans les association avec l'AMS. Veuillez vérifier s'il s'agit des filaments nécessaires. S'ils sont corrects, cliquez sur \"Confirmer\" pour lancer l'impression." #, c-format, boost-format msgid "nozzle in preset: %s %s" @@ -7444,45 +6665,24 @@ msgstr "buse dans le préréglage : %s %s" msgid "nozzle memorized: %.2f %s" msgstr "buse mémorisée : %.2f %s" -msgid "" -"Your nozzle diameter in sliced file is not consistent with memorized nozzle. " -"If you changed your nozzle lately, please go to Device > Printer Parts to " -"change settings." -msgstr "" -"Le diamètre de votre buse dans le fichier découpé ne correspond pas à la " -"buse mémorisée. Si vous avez changé de buse récemment, veuillez aller dans " -"Périphérique > Pièces de l’imprimante pour modifier les paramètres." +msgid "Your nozzle diameter in sliced file is not consistent with memorized nozzle. If you changed your nozzle lately, please go to Device > Printer Parts to change settings." +msgstr "Le diamètre de votre buse dans le fichier découpé ne correspond pas à la buse mémorisée. Si vous avez changé de buse récemment, veuillez aller dans Périphérique > Pièces de l’imprimante pour modifier les paramètres." #, c-format, boost-format -msgid "" -"Printing high temperature material(%s material) with %s may cause nozzle " -"damage" -msgstr "" -"L’impression d’un matériau à haute température (matériau %s) avec %s peut " -"endommager la buse." +msgid "Printing high temperature material(%s material) with %s may cause nozzle damage" +msgstr "L’impression d’un matériau à haute température (matériau %s) avec %s peut endommager la buse." msgid "Please fix the error above, otherwise printing cannot continue." -msgstr "" -"Veuillez corriger l’erreur ci-dessus, sinon l’impression ne pourra pas se " -"poursuivre." +msgstr "Veuillez corriger l’erreur ci-dessus, sinon l’impression ne pourra pas se poursuivre." -msgid "" -"Please click the confirm button if you still want to proceed with printing." -msgstr "" -"Cliquez sur le bouton de confirmation si vous souhaitez continuer à imprimer." +msgid "Please click the confirm button if you still want to proceed with printing." +msgstr "Cliquez sur le bouton de confirmation si vous souhaitez continuer à imprimer." -msgid "" -"Connecting to the printer. Unable to cancel during the connection process." -msgstr "" -"Connexion à l’imprimante. Impossible d’annuler pendant le processus de " -"connexion." +msgid "Connecting to the printer. Unable to cancel during the connection process." +msgstr "Connexion à l’imprimante. Impossible d’annuler pendant le processus de connexion." -msgid "" -"Caution to use! Flow calibration on Textured PEI Plate may fail due to the " -"scattered surface." -msgstr "" -"Attention à l’utilisation ! La calibration du débit sur le plateau PEI " -"texturé double face peut échouer en raison de la surface texturée." +msgid "Caution to use! Flow calibration on Textured PEI Plate may fail due to the scattered surface." +msgstr "Attention à l’utilisation ! La calibration du débit sur le plateau PEI texturé double face peut échouer en raison de la surface texturée." msgid "Automatic flow calibration using Micro Lidar" msgstr "Calibration automatique du débit à l’aide du Micro-Lidar" @@ -7497,19 +6697,13 @@ msgid "Send to Printer SD card" msgstr "Envoyer sur la carte SD de l'imprimante" msgid "Cannot send the print task when the upgrade is in progress" -msgstr "" -"Impossible d'envoyer la tâche d'impression lorsque la mise à niveau est en " -"cours." +msgstr "Impossible d'envoyer la tâche d'impression lorsque la mise à niveau est en cours." msgid "The selected printer is incompatible with the chosen printer presets." -msgstr "" -"L’imprimante sélectionnée est incompatible avec les préréglages d’imprimante " -"choisis." +msgstr "L’imprimante sélectionnée est incompatible avec les préréglages d’imprimante choisis." msgid "An SD card needs to be inserted before send to printer SD card." -msgstr "" -"Il est nécessaire d'insérer une carte MicroSD avant d'envoyer les données " -"vers l'imprimante." +msgstr "Il est nécessaire d'insérer une carte MicroSD avant d'envoyer les données vers l'imprimante." msgid "The printer is required to be in the same LAN as Orca Slicer." msgstr "L'imprimante doit être sur le même réseau local que OrcaSlicer." @@ -7554,8 +6748,7 @@ msgid "" "Please Find the Pin Code in Account page on printer screen,\n" " and type in the Pin Code below." msgstr "" -"Veuillez trouver le code pin dans la page Compte sur l’écran de " -"l’imprimante,\n" +"Veuillez trouver le code pin dans la page Compte sur l’écran de l’imprimante,\n" " et tapez le code pin ci-dessous." msgid "Can't find Pin Code?" @@ -7577,8 +6770,7 @@ msgid "Log in printer" msgstr "Connectez-vous à l'imprimante" msgid "Would you like to log in this printer with current account?" -msgstr "" -"Souhaitez-vous vous connecter à cette imprimante avec un compte courant ?" +msgstr "Souhaitez-vous vous connecter à cette imprimante avec un compte courant ?" msgid "Check the reason" msgstr "Vérifier le motif" @@ -7589,20 +6781,8 @@ msgstr "Lire et accepter" msgid "Terms and Conditions" msgstr "Termes et conditions" -msgid "" -"Thank you for purchasing a Bambu Lab device.Before using your Bambu Lab " -"device, please read the termsand conditions.By clicking to agree to use your " -"Bambu Lab device, you agree to abide by the Privacy Policyand Terms of " -"Use(collectively, the \"Terms\"). If you do not comply with or agree to the " -"Bambu Lab Privacy Policy, please do not use Bambu Lab equipment and services." -msgstr "" -"Nous vous remercions d'avoir acheté un produit Bambu Lab. Avant d'utiliser " -"votre appareil Bambu Lab, veuillez lire les conditions générales. En " -"cliquant pour confirmer que vous acceptez d'utiliser votre appareil Bambu " -"Lab, vous vous engagez à respecter la politique de confidentialité et les " -"conditions d'utilisation (collectivement, les \"conditions\"). Si vous ne " -"respectez pas ou n'acceptez pas la politique de confidentialité de Bambu " -"Lab, veuillez ne pas utiliser les produits et services de Bambu Lab." +msgid "Thank you for purchasing a Bambu Lab device.Before using your Bambu Lab device, please read the termsand conditions.By clicking to agree to use your Bambu Lab device, you agree to abide by the Privacy Policyand Terms of Use(collectively, the \"Terms\"). If you do not comply with or agree to the Bambu Lab Privacy Policy, please do not use Bambu Lab equipment and services." +msgstr "Nous vous remercions d'avoir acheté un produit Bambu Lab. Avant d'utiliser votre appareil Bambu Lab, veuillez lire les conditions générales. En cliquant pour confirmer que vous acceptez d'utiliser votre appareil Bambu Lab, vous vous engagez à respecter la politique de confidentialité et les conditions d'utilisation (collectivement, les \"conditions\"). Si vous ne respectez pas ou n'acceptez pas la politique de confidentialité de Bambu Lab, veuillez ne pas utiliser les produits et services de Bambu Lab." msgid "and" msgstr "et" @@ -7611,46 +6791,17 @@ msgid "Privacy Policy" msgstr "Politique de Confidentialité" msgid "We ask for your help to improve everyone's printer" -msgstr "" -"Nous vous demandons de nous aider à améliorer l'imprimante de toute la " -"communauté" +msgstr "Nous vous demandons de nous aider à améliorer l'imprimante de toute la communauté" msgid "Statement about User Experience Improvement Program" -msgstr "" -"Déclaration sur le programme d'amélioration de l'expérience utilisateur" +msgstr "Déclaration sur le programme d'amélioration de l'expérience utilisateur" #, c-format, boost-format -msgid "" -"In the 3D Printing community, we learn from each other's successes and " -"failures to adjust our own slicing parameters and settings. %s follows the " -"same principle and uses machine learning to improve its performance from the " -"successes and failures of the vast number of prints by our users. We are " -"training %s to be smarter by feeding them the real-world data. If you are " -"willing, this service will access information from your error logs and usage " -"logs, which may include information described in Privacy Policy. We will " -"not collect any Personal Data by which an individual can be identified " -"directly or indirectly, including without limitation names, addresses, " -"payment information, or phone numbers. By enabling this service, you agree " -"to these terms and the statement about Privacy Policy." -msgstr "" -"Au sein de la communauté de l'impression 3D, nous apprenons des succès et " -"des échecs de chacun pour ajuster nos propres paramètres et réglages de " -"découpage. %s suit le même principe et utilise l'apprentissage automatique " -"pour améliorer ses performances en fonction des succès et des échecs du " -"grand nombre d'impressions effectuées par nos utilisateurs. Nous entraînons " -"%s à devenir plus intelligent en leur fournissant les données du monde réel. " -"Si vous le souhaitez, ce service accèdera aux informations de vos journaux " -"d'erreurs et de vos journaux d'utilisation, qui peuvent inclure des " -"informations décrites dans la Politique de confidentialité. Nous ne " -"collecterons aucune donnée personnelle permettant d'identifier une personne " -"directement ou indirectement, y compris, mais sans s'y limiter, les noms, " -"les adresses, les informations de paiement ou les numéros de téléphone. En " -"activant ce service, vous acceptez ces conditions et la déclaration " -"concernant la politique de confidentialité." +msgid "In the 3D Printing community, we learn from each other's successes and failures to adjust our own slicing parameters and settings. %s follows the same principle and uses machine learning to improve its performance from the successes and failures of the vast number of prints by our users. We are training %s to be smarter by feeding them the real-world data. If you are willing, this service will access information from your error logs and usage logs, which may include information described in Privacy Policy. We will not collect any Personal Data by which an individual can be identified directly or indirectly, including without limitation names, addresses, payment information, or phone numbers. By enabling this service, you agree to these terms and the statement about Privacy Policy." +msgstr "Au sein de la communauté de l'impression 3D, nous apprenons des succès et des échecs de chacun pour ajuster nos propres paramètres et réglages de découpage. %s suit le même principe et utilise l'apprentissage automatique pour améliorer ses performances en fonction des succès et des échecs du grand nombre d'impressions effectuées par nos utilisateurs. Nous entraînons %s à devenir plus intelligent en leur fournissant les données du monde réel. Si vous le souhaitez, ce service accèdera aux informations de vos journaux d'erreurs et de vos journaux d'utilisation, qui peuvent inclure des informations décrites dans la Politique de confidentialité. Nous ne collecterons aucune donnée personnelle permettant d'identifier une personne directement ou indirectement, y compris, mais sans s'y limiter, les noms, les adresses, les informations de paiement ou les numéros de téléphone. En activant ce service, vous acceptez ces conditions et la déclaration concernant la politique de confidentialité." msgid "Statement on User Experience Improvement Plan" -msgstr "" -"Déclaration concernant le plan d'amélioration de l'expérience utilisateur" +msgstr "Déclaration concernant le plan d'amélioration de l'expérience utilisateur" msgid "Log in successful." msgstr "Connexion réussie." @@ -7665,9 +6816,7 @@ msgid "Please log in first." msgstr "S'il vous plait Connectez-vous d'abord." msgid "There was a problem connecting to the printer. Please try again." -msgstr "" -"Un problème est survenu lors de la connexion à l'imprimante. Veuillez " -"réessayer." +msgstr "Un problème est survenu lors de la connexion à l'imprimante. Veuillez réessayer." msgid "Failed to log out." msgstr "Échec de la déconnexion." @@ -7684,37 +6833,23 @@ msgid "Search in preset" msgstr "Rechercher dans le préréglage" msgid "Click to reset all settings to the last saved preset." -msgstr "" -"Cliquez pour rétablir tous les paramètres au dernier préréglage enregistré." +msgstr "Cliquez pour rétablir tous les paramètres au dernier préréglage enregistré." -msgid "" -"Prime tower is required for smooth timeplase. There may be flaws on the " -"model without prime tower. Are you sure you want to disable prime tower?" -msgstr "" -"Une tour de purge est requise pour le mode Timeplase fluide. Il peut y avoir " -"des défauts sur le modèle sans tour de purge. Êtes-vous sûr de vouloir la " -"désactiver ?" +msgid "Prime tower is required for smooth timeplase. There may be flaws on the model without prime tower. Are you sure you want to disable prime tower?" +msgstr "Une tour de purge est requise pour le mode Timeplase fluide. Il peut y avoir des défauts sur le modèle sans tour de purge. Êtes-vous sûr de vouloir la désactiver ?" -msgid "" -"Prime tower is required for smooth timelapse. There may be flaws on the " -"model without prime tower. Do you want to enable prime tower?" -msgstr "" -"Une tour de purge est requise pour un mode timelapse fluide. Il peut y avoir " -"des défauts sur le modèle sans tour de purge. Voulez-vous activer la " -"désactiver?" +msgid "Prime tower is required for smooth timelapse. There may be flaws on the model without prime tower. Do you want to enable prime tower?" +msgstr "Une tour de purge est requise pour un mode timelapse fluide. Il peut y avoir des défauts sur le modèle sans tour de purge. Voulez-vous activer la désactiver?" msgid "Still print by object?" msgstr "Vous imprimez toujours par objet ?" msgid "" -"We have added an experimental style \"Tree Slim\" that features smaller " -"support volume but weaker strength.\n" +"We have added an experimental style \"Tree Slim\" that features smaller support volume but weaker strength.\n" "We recommend using it with: 0 interface layers, 0 top distance, 2 walls." msgstr "" -"Nous avons ajouté un style expérimental « Arborescent Fin » qui offre un " -"volume de support plus petit mais également une solidité plus faible.\n" -"Nous recommandons de l'utiliser avec : 0 couches d'interface, 0 distance " -"supérieure, 2 parois." +"Nous avons ajouté un style expérimental « Arborescent Fin » qui offre un volume de support plus petit mais également une solidité plus faible.\n" +"Nous recommandons de l'utiliser avec : 0 couches d'interface, 0 distance supérieure, 2 parois." msgid "" "Change these settings automatically? \n" @@ -7725,36 +6860,18 @@ msgstr "" "Oui - Modifiez ces paramètres automatiquement\n" "Non - Ne modifiez pas ces paramètres pour moi" -msgid "" -"For \"Tree Strong\" and \"Tree Hybrid\" styles, we recommend the following " -"settings: at least 2 interface layers, at least 0.1mm top z distance or " -"using support materials on interface." -msgstr "" -"Pour les styles \"Arborescent fort\" et \"Arborescent Hybride\", nous " -"recommandons les réglages suivants : au moins 2 couches d'interface, au " -"moins 0,1 mm de distance entre le haut et le z ou l'utilisation de matériaux " -"de support sur l'interface." +msgid "For \"Tree Strong\" and \"Tree Hybrid\" styles, we recommend the following settings: at least 2 interface layers, at least 0.1mm top z distance or using support materials on interface." +msgstr "Pour les styles \"Arborescent fort\" et \"Arborescent Hybride\", nous recommandons les réglages suivants : au moins 2 couches d'interface, au moins 0,1 mm de distance entre le haut et le z ou l'utilisation de matériaux de support sur l'interface." msgid "" -"When using support material for the support interface, We recommend the " -"following settings:\n" -"0 top z distance, 0 interface spacing, concentric pattern and disable " -"independent support layer height" +"When using support material for the support interface, We recommend the following settings:\n" +"0 top z distance, 0 interface spacing, concentric pattern and disable independent support layer height" msgstr "" -"Lorsque vous utilisez du matériel de support pour l'interface de support, " -"nous vous recommandons d'utiliser les paramètres suivants :\n" -"Distance Z supérieure nulle, espacement d'interface nul, motif concentrique " -"et désactivation de la hauteur indépendante de la couche de support" +"Lorsque vous utilisez du matériel de support pour l'interface de support, nous vous recommandons d'utiliser les paramètres suivants :\n" +"Distance Z supérieure nulle, espacement d'interface nul, motif concentrique et désactivation de la hauteur indépendante de la couche de support" -msgid "" -"Enabling this option will modify the model's shape. If your print requires " -"precise dimensions or is part of an assembly, it's important to double-check " -"whether this change in geometry impacts the functionality of your print." -msgstr "" -"L’activation de cette option modifie la forme du modèle. Si votre impression " -"nécessite des dimensions précises ou fait partie d’un assemblage, il est " -"important de vérifier si ce changement de géométrie a un impact sur la " -"fonctionnalité de votre impression." +msgid "Enabling this option will modify the model's shape. If your print requires precise dimensions or is part of an assembly, it's important to double-check whether this change in geometry impacts the functionality of your print." +msgstr "L’activation de cette option modifie la forme du modèle. Si votre impression nécessite des dimensions précises ou fait partie d’un assemblage, il est important de vérifier si ce changement de géométrie a un impact sur la fonctionnalité de votre impression." msgid "Are you sure you want to enable this option?" msgstr "Êtes-vous sûr de vouloir activer cette option ?" @@ -7767,13 +6884,8 @@ msgstr "" "Elle sera définie à min_layer_height\n" "\n" -msgid "" -"Layer height exceeds the limit in Printer Settings -> Extruder -> Layer " -"height limits ,this may cause printing quality issues." -msgstr "" -"La hauteur de la couche dépasse la limite fixée dans Paramètres de " -"l’imprimante -> Extrudeur -> Limites de la hauteur de la couche, ce qui peut " -"entraîner des problèmes de qualité d’impression." +msgid "Layer height exceeds the limit in Printer Settings -> Extruder -> Layer height limits ,this may cause printing quality issues." +msgstr "La hauteur de la couche dépasse la limite fixée dans Paramètres de l’imprimante -> Extrudeur -> Limites de la hauteur de la couche, ce qui peut entraîner des problèmes de qualité d’impression." msgid "Adjust to the set range automatically? \n" msgstr "S’ajuster automatiquement à la plage définie ? \n" @@ -7784,41 +6896,18 @@ msgstr "Ajuster" msgid "Ignore" msgstr "Ignorer" -msgid "" -"Experimental feature: Retracting and cutting off the filament at a greater " -"distance during filament changes to minimize flush.Although it can notably " -"reduce flush, it may also elevate the risk of nozzle clogs or other " -"printing complications." -msgstr "" -"Fonction expérimentale : Rétracter et couper le filament à une plus grande " -"distance lors des changements de filament afin de minimiser le rinçage. Bien " -"que cela puisse réduire considérablement le rinçage, cela peut également " -"augmenter le risque de bouchage des buses ou d’autres complications " -"d’impression." +msgid "Experimental feature: Retracting and cutting off the filament at a greater distance during filament changes to minimize flush.Although it can notably reduce flush, it may also elevate the risk of nozzle clogs or other printing complications." +msgstr "Fonction expérimentale : Rétracter et couper le filament à une plus grande distance lors des changements de filament afin de minimiser le rinçage. Bien que cela puisse réduire considérablement le rinçage, cela peut également augmenter le risque de bouchage des buses ou d’autres complications d’impression." + +msgid "Experimental feature: Retracting and cutting off the filament at a greater distance during filament changes to minimize flush.Although it can notably reduce flush, it may also elevate the risk of nozzle clogs or other printing complications.Please use with the latest printer firmware." +msgstr "Fonction expérimentale : Rétracter et couper le filament à une plus grande distance lors des changements de filament afin de minimiser l’affleurement.Bien que cela puisse réduire sensiblement l’affleurement, cela peut également augmenter le risque d’obstruction des buses ou d’autres complications d’impression.Veuillez utiliser le dernier micrologiciel de l’imprimante." msgid "" -"Experimental feature: Retracting and cutting off the filament at a greater " -"distance during filament changes to minimize flush.Although it can notably " -"reduce flush, it may also elevate the risk of nozzle clogs or other printing " -"complications.Please use with the latest printer firmware." +"When recording timelapse without toolhead, it is recommended to add a \"Timelapse Wipe Tower\" \n" +"by right-click the empty position of build plate and choose \"Add Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" -"Fonction expérimentale : Rétracter et couper le filament à une plus grande " -"distance lors des changements de filament afin de minimiser l’affleurement." -"Bien que cela puisse réduire sensiblement l’affleurement, cela peut " -"également augmenter le risque d’obstruction des buses ou d’autres " -"complications d’impression.Veuillez utiliser le dernier micrologiciel de " -"l’imprimante." - -msgid "" -"When recording timelapse without toolhead, it is recommended to add a " -"\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add " -"Primitive\"->\"Timelapse Wipe Tower\"." -msgstr "" -"Lorsque vous enregistrez un timelapse sans tête d’outil, il est recommandé " -"d’ajouter une \"Tour d’essuyage timelapse\".\n" -"en faisant un clic droit sur un emplacement vide sur le plateau et en " -"choisissant \"Ajouter Primitive\"-> \"Tour d’essuyage timelapse\"." +"Lorsque vous enregistrez un timelapse sans tête d’outil, il est recommandé d’ajouter une \"Tour d’essuyage timelapse\".\n" +"en faisant un clic droit sur un emplacement vide sur le plateau et en choisissant \"Ajouter Primitive\"-> \"Tour d’essuyage timelapse\"." msgid "Line width" msgstr "Largeur de ligne" @@ -7856,15 +6945,8 @@ msgstr "Autres couches" msgid "Overhang speed" msgstr "Vitesse de surplomb" -msgid "" -"This is the speed for various overhang degrees. Overhang degrees are " -"expressed as a percentage of line width. 0 speed means no slowing down for " -"the overhang degree range and wall speed is used" -msgstr "" -"Il s'agit de la vitesse pour différents degrés de surplomb. Les degrés de " -"surplomb sont exprimés en pourcentage de la largeur de la ligne. 0 vitesse " -"signifie qu'il n'y a pas de ralentissement pour la plage de degrés du " -"surplomb et que la vitesse par défaut des périmètres est utilisée" +msgid "This is the speed for various overhang degrees. Overhang degrees are expressed as a percentage of line width. 0 speed means no slowing down for the overhang degree range and wall speed is used" +msgstr "Il s'agit de la vitesse pour différents degrés de surplomb. Les degrés de surplomb sont exprimés en pourcentage de la largeur de la ligne. 0 vitesse signifie qu'il n'y a pas de ralentissement pour la plage de degrés du surplomb et que la vitesse par défaut des périmètres est utilisée" msgid "Bridge" msgstr "Pont" @@ -7923,20 +7005,12 @@ msgstr "Fréquent" #, c-format, boost-format msgid "" "Following line %s contains reserved keywords.\n" -"Please remove it, or will beat G-code visualization and printing time " -"estimation." +"Please remove it, or will beat G-code visualization and printing time estimation." msgid_plural "" "Following lines %s contain reserved keywords.\n" -"Please remove them, or will beat G-code visualization and printing time " -"estimation." -msgstr[0] "" -"La ligne suivante %s contient des mots clés réservés. Veuillez le supprimer, " -"ou il battra la visualisation du G-code et l'estimation du temps " -"d'impression." -msgstr[1] "" -"La ligne suivante %s contient des mots clés réservés. Veuillez le supprimer, " -"ou il battra la visualisation du G-code et l'estimation du temps " -"d'impression." +"Please remove them, or will beat G-code visualization and printing time estimation." +msgstr[0] "La ligne suivante %s contient des mots clés réservés. Veuillez le supprimer, ou il battra la visualisation du G-code et l'estimation du temps d'impression." +msgstr[1] "La ligne suivante %s contient des mots clés réservés. Veuillez le supprimer, ou il battra la visualisation du G-code et l'estimation du temps d'impression." msgid "Reserved keywords found" msgstr "Mots clés réservés trouvés" @@ -7954,9 +7028,7 @@ msgid "Recommended nozzle temperature" msgstr "Température de buse recommandée" msgid "Recommended nozzle temperature range of this filament. 0 means no set" -msgstr "" -"Plage de température de buse recommandée pour ce filament. 0 signifie pas " -"d'ensemble" +msgstr "Plage de température de buse recommandée pour ce filament. 0 signifie pas d'ensemble" msgid "Flow ratio and Pressure Advance" msgstr "Rapport de débit et avance de pression" @@ -7976,47 +7048,26 @@ msgstr "Température de la buse lors de l'impression" msgid "Cool plate" msgstr "Plaque Cool plate" -msgid "" -"Bed temperature when cool plate is installed. Value 0 means the filament " -"does not support to print on the Cool Plate" -msgstr "" -"Il s'agit de la température du plateau lorsque le plateau froid (\"Cool " -"plate\") est installé. Une valeur à 0 signifie que ce filament ne peut pas " -"être imprimé sur le plateau froid." +msgid "Bed temperature when cool plate is installed. Value 0 means the filament does not support to print on the Cool Plate" +msgstr "Il s'agit de la température du plateau lorsque le plateau froid (\"Cool plate\") est installé. Une valeur à 0 signifie que ce filament ne peut pas être imprimé sur le plateau froid." msgid "Engineering plate" msgstr "Plaque Engineering" -msgid "" -"Bed temperature when engineering plate is installed. Value 0 means the " -"filament does not support to print on the Engineering Plate" -msgstr "" -"Il s'agit de la température du plateau lorsque le plaque Engineering est " -"installée. Une valeur à 0 signifie que ce filament ne peut pas être imprimé " -"sur le plateau Engineering." +msgid "Bed temperature when engineering plate is installed. Value 0 means the filament does not support to print on the Engineering Plate" +msgstr "Il s'agit de la température du plateau lorsque le plaque Engineering est installée. Une valeur à 0 signifie que ce filament ne peut pas être imprimé sur le plateau Engineering." msgid "Smooth PEI Plate / High Temp Plate" msgstr "Plateau PEI lisse / Plateau haute température" -msgid "" -"Bed temperature when Smooth PEI Plate/High temperature plate is installed. " -"Value 0 means the filament does not support to print on the Smooth PEI Plate/" -"High Temp Plate" -msgstr "" -"Température du plateau lorsque le Plateau PEI lisse / haute température est " -"installé. Une valeur à 0 signifie que le filament ne prend pas en charge " -"l'impression sur le plateau PEI lisse/haute température" +msgid "Bed temperature when Smooth PEI Plate/High temperature plate is installed. Value 0 means the filament does not support to print on the Smooth PEI Plate/High Temp Plate" +msgstr "Température du plateau lorsque le Plateau PEI lisse / haute température est installé. Une valeur à 0 signifie que le filament ne prend pas en charge l'impression sur le plateau PEI lisse/haute température" msgid "Textured PEI Plate" msgstr "Plaque PEI texturée" -msgid "" -"Bed temperature when Textured PEI Plate is installed. Value 0 means the " -"filament does not support to print on the Textured PEI Plate" -msgstr "" -"Température du plateau lorsque la plaque PEI texturée est installée. La " -"valeur 0 signifie que le filament n'est pas supporté par la plaque PEI " -"texturée" +msgid "Bed temperature when Textured PEI Plate is installed. Value 0 means the filament does not support to print on the Textured PEI Plate" +msgstr "Température du plateau lorsque la plaque PEI texturée est installée. La valeur 0 signifie que le filament n'est pas supporté par la plaque PEI texturée" msgid "Volumetric speed limitation" msgstr "Limitation de vitesse volumétrique" @@ -8033,28 +7084,14 @@ msgstr "Ventilateur de refroidissement des pièces" msgid "Min fan speed threshold" msgstr "Seuil de vitesse mini du ventilateur" -msgid "" -"Part cooling fan speed will start to run at min speed when the estimated " -"layer time is no longer than the layer time in setting. When layer time is " -"shorter than threshold, fan speed is interpolated between the minimum and " -"maximum fan speed according to layer printing time" -msgstr "" -"La vitesse du ventilateur de refroidissement des pièces commencera à " -"fonctionner à la vitesse minimale lorsque le temps de couche estimé n'est " -"pas supérieur au temps de couche dans le réglage. Lorsque le temps de couche " -"est inférieur au seuil, la vitesse du ventilateur est interpolée entre la " -"vitesse minimale et maximale du ventilateur en fonction du temps " -"d'impression de la couche" +msgid "Part cooling fan speed will start to run at min speed when the estimated layer time is no longer than the layer time in setting. When layer time is shorter than threshold, fan speed is interpolated between the minimum and maximum fan speed according to layer printing time" +msgstr "La vitesse du ventilateur de refroidissement des pièces commencera à fonctionner à la vitesse minimale lorsque le temps de couche estimé n'est pas supérieur au temps de couche dans le réglage. Lorsque le temps de couche est inférieur au seuil, la vitesse du ventilateur est interpolée entre la vitesse minimale et maximale du ventilateur en fonction du temps d'impression de la couche" msgid "Max fan speed threshold" msgstr "Seuil de vitesse maximale du ventilateur" -msgid "" -"Part cooling fan speed will be max when the estimated layer time is shorter " -"than the setting value" -msgstr "" -"La vitesse du ventilateur de refroidissement des pièces sera maximale " -"lorsque le temps de couche estimé est plus court que la valeur de réglage" +msgid "Part cooling fan speed will be max when the estimated layer time is shorter than the setting value" +msgstr "La vitesse du ventilateur de refroidissement des pièces sera maximale lorsque le temps de couche estimé est plus court que la valeur de réglage" msgid "Auxiliary part cooling fan" msgstr "Ventilateur de refroidissement auxiliaire" @@ -8078,16 +7115,13 @@ msgid "Wipe tower parameters" msgstr "Paramètres de la tour d’essuyage" msgid "Toolchange parameters with single extruder MM printers" -msgstr "" -"Paramètres de changement d'outil avec les imprimantes MM à extrudeur unique" +msgstr "Paramètres de changement d'outil avec les imprimantes MM à extrudeur unique" msgid "Ramming settings" msgstr "Paramètres de pilonnage" msgid "Toolchange parameters with multi extruder MM printers" -msgstr "" -"Paramètres de changement d'outil pour les imprimantes MM à extrudeurs " -"multiples" +msgstr "Paramètres de changement d'outil pour les imprimantes MM à extrudeurs multiples" msgid "Printable space" msgstr "Espace imprimable" @@ -8172,13 +7206,11 @@ msgstr "Nombre d’extrudeurs de l’imprimante." msgid "" "Single Extruder Multi Material is selected, \n" "and all extruders must have the same diameter.\n" -"Do you want to change the diameter for all extruders to first extruder " -"nozzle diameter value?" +"Do you want to change the diameter for all extruders to first extruder nozzle diameter value?" msgstr "" "Extrudeur unique multi-matériaux est sélectionné, \n" "et tous les extrudeurs doivent avoir le même diamètre.\n" -"Souhaitez-vous modifier le diamètre de tous les extrudeurs pour qu’il " -"corresponde à la première valeur du diamètre de la buse de l’extrudeur ?" +"Souhaitez-vous modifier le diamètre de tous les extrudeurs pour qu’il corresponde à la première valeur du diamètre de la buse de l’extrudeur ?" msgid "Nozzle diameter" msgstr "Diamètre de la buse" @@ -8189,13 +7221,8 @@ msgstr "Tour d’essuyage" msgid "Single extruder multimaterial parameters" msgstr "Paramètres multi-matériaux pour extrudeur unique" -msgid "" -"This is a single extruder multimaterial printer, diameters of all extruders " -"will be set to the new value. Do you want to proceed?" -msgstr "" -"Il s’agit d’une imprimante mono extrudeur multimatériaux, les diamètres de " -"tous les extrudeurs seront réglés sur la nouvelle valeur. Voulez-vous " -"continuer ?" +msgid "This is a single extruder multimaterial printer, diameters of all extruders will be set to the new value. Do you want to proceed?" +msgstr "Il s’agit d’une imprimante mono extrudeur multimatériaux, les diamètres de tous les extrudeurs seront réglés sur la nouvelle valeur. Voulez-vous continuer ?" msgid "Layer height limits" msgstr "Limites de hauteur de couche" @@ -8211,8 +7238,7 @@ msgid "" "\n" "Shall I disable it in order to enable Firmware Retraction?" msgstr "" -"L’option Essuyage n’est pas disponible lors de l’utilisation du mode " -"Rétraction Firmware.\n" +"L’option Essuyage n’est pas disponible lors de l’utilisation du mode Rétraction Firmware.\n" "\n" "Voulez-vous désactiver cette option pour activer la Rétraction Firmware ?" @@ -8223,17 +7249,11 @@ msgid "Detached" msgstr "Détaché" #, c-format, boost-format -msgid "" -"%d Filament Preset and %d Process Preset is attached to this printer. Those " -"presets would be deleted if the printer is deleted." -msgstr "" -"Le préréglage de filament %d et le préréglage de processus %d sont associés " -"à cette imprimante. Ces préréglages seront supprimés si l’imprimante est " -"supprimée." +msgid "%d Filament Preset and %d Process Preset is attached to this printer. Those presets would be deleted if the printer is deleted." +msgstr "Le préréglage de filament %d et le préréglage de processus %d sont associés à cette imprimante. Ces préréglages seront supprimés si l’imprimante est supprimée." msgid "Presets inherited by other presets can not be deleted!" -msgstr "" -"Les préréglages hérités d’autres préréglages ne peuvent pas être supprimés !" +msgstr "Les préréglages hérités d’autres préréglages ne peuvent pas être supprimés !" msgid "The following presets inherit this preset." msgid_plural "The following preset inherits this preset." @@ -8252,13 +7272,10 @@ msgstr[1] "Les préréglages suivants seront également supprimés." msgid "" "Are you sure to delete the selected preset? \n" -"If the preset corresponds to a filament currently in use on your printer, " -"please reset the filament information for that slot." +"If the preset corresponds to a filament currently in use on your printer, please reset the filament information for that slot." msgstr "" "Êtes-vous sûr de vouloir supprimer le préréglage sélectionné ? \n" -"Si le préréglage correspond à un filament actuellement utilisé sur votre " -"imprimante, veuillez réinitialiser les informations sur le filament pour cet " -"emplacement." +"Si le préréglage correspond à un filament actuellement utilisé sur votre imprimante, veuillez réinitialiser les informations sur le filament pour cet emplacement." #, boost-format msgid "Are you sure to %1% the selected preset?" @@ -8271,14 +7288,10 @@ msgid "Set" msgstr "Appliquer" msgid "Click to reset current value and attach to the global value." -msgstr "" -"Cliquez pour réinitialiser la valeur actuelle et l'attacher à la valeur " -"globale." +msgstr "Cliquez pour réinitialiser la valeur actuelle et l'attacher à la valeur globale." msgid "Click to drop current modify and reset to saved value." -msgstr "" -"Cliquez pour supprimer la modification actuelle et réinitialiser la valeur " -"enregistrée." +msgstr "Cliquez pour supprimer la modification actuelle et réinitialiser la valeur enregistrée." msgid "Process Settings" msgstr "Paramètres de traitement" @@ -8308,8 +7321,7 @@ msgid "Discard" msgstr "Ignorer" msgid "Click the right mouse button to display the full text." -msgstr "" -"Cliquez sur le bouton droit de la souris pour afficher le texte complet." +msgstr "Cliquez sur le bouton droit de la souris pour afficher le texte complet." msgid "All changes will not be saved" msgstr "Toutes les modifications ne seront pas enregistrées" @@ -8324,9 +7336,7 @@ msgid "Keep the selected options." msgstr "Conserver les options sélectionnées." msgid "Transfer the selected options to the newly selected preset." -msgstr "" -"Transférez les options sélectionnées vers le préréglage nouvellement " -"sélectionné." +msgstr "Transférez les options sélectionnées vers le préréglage nouvellement sélectionné." #, boost-format msgid "" @@ -8338,30 +7348,19 @@ msgstr "Enregistrez les options sélectionnées dans le préréglage \"%1%\"." msgid "" "Transfer the selected options to the newly selected preset \n" "\"%1%\"." -msgstr "" -"Transférez les options sélectionnées vers le préréglage nouvellement " -"sélectionné \"%1%\"." +msgstr "Transférez les options sélectionnées vers le préréglage nouvellement sélectionné \"%1%\"." #, boost-format msgid "Preset \"%1%\" contains the following unsaved changes:" -msgstr "" -"Le préréglage \"%1%\" contient les modifications non enregistrées suivantes :" +msgstr "Le préréglage \"%1%\" contient les modifications non enregistrées suivantes :" #, boost-format -msgid "" -"Preset \"%1%\" is not compatible with the new printer profile and it " -"contains the following unsaved changes:" -msgstr "" -"Le préréglage \"%1%\" n'est pas compatible avec le nouveau profil " -"d'imprimante et contient les modifications non enregistrées suivantes :" +msgid "Preset \"%1%\" is not compatible with the new printer profile and it contains the following unsaved changes:" +msgstr "Le préréglage \"%1%\" n'est pas compatible avec le nouveau profil d'imprimante et contient les modifications non enregistrées suivantes :" #, boost-format -msgid "" -"Preset \"%1%\" is not compatible with the new process profile and it " -"contains the following unsaved changes:" -msgstr "" -"Le préréglage \"%1%\" n'est pas compatible avec le nouveau profil de " -"traitement et contient les modifications non enregistrées suivantes :" +msgid "Preset \"%1%\" is not compatible with the new process profile and it contains the following unsaved changes:" +msgstr "Le préréglage \"%1%\" n'est pas compatible avec le nouveau profil de traitement et contient les modifications non enregistrées suivantes :" #, boost-format msgid "You have changed some settings of preset \"%1%\". " @@ -8372,30 +7371,24 @@ msgid "" "You can save or discard the preset values you have modified." msgstr "" "\n" -"Vous pouvez enregistrer ou rejeter les valeurs prédéfinies que vous avez " -"modifiées." +"Vous pouvez enregistrer ou rejeter les valeurs prédéfinies que vous avez modifiées." msgid "" "\n" -"You can save or discard the preset values you have modified, or choose to " -"transfer the values you have modified to the new preset." +"You can save or discard the preset values you have modified, or choose to transfer the values you have modified to the new preset." msgstr "" "\n" -"Vous pouvez sauvegarder ou ignorer les valeurs de préréglage que vous avez " -"modifiées, ou choisir de transférer les valeurs que vous avez modifiées dans " -"le nouveau préréglage." +"Vous pouvez sauvegarder ou ignorer les valeurs de préréglage que vous avez modifiées, ou choisir de transférer les valeurs que vous avez modifiées dans le nouveau préréglage." msgid "You have previously modified your settings." msgstr "Vous avez déjà modifié vos réglages." msgid "" "\n" -"You can discard the preset values you have modified, or choose to transfer " -"the modified values to the new project" +"You can discard the preset values you have modified, or choose to transfer the modified values to the new project" msgstr "" "\n" -"Vous pouvez ignorer les valeurs prédéfinies que vous avez modifiées ou " -"choisir de transférer les valeurs modifiées dans le nouveau projet." +"Vous pouvez ignorer les valeurs prédéfinies que vous avez modifiées ou choisir de transférer les valeurs modifiées dans le nouveau projet." msgid "Extruders count" msgstr "Nombre d'extrudeurs" @@ -8412,31 +7405,21 @@ msgstr "Afficher tous les préréglages (y compris incompatibles)" msgid "Select presets to compare" msgstr "Sélectionnez les préréglages à comparer" -msgid "" -"You can only transfer to current active profile because it has been modified." -msgstr "" -"Le transfert vers le profil actif actuel n’est possible que s’il a été " -"modifié." +msgid "You can only transfer to current active profile because it has been modified." +msgstr "Le transfert vers le profil actif actuel n’est possible que s’il a été modifié." msgid "" "Transfer the selected options from left preset to the right.\n" -"Note: New modified presets will be selected in settings tabs after close " -"this dialog." +"Note: New modified presets will be selected in settings tabs after close this dialog." msgstr "" -"Transférer les options sélectionnées du préréglage de gauche vers celui de " -"droite.\n" -"Remarque : Les nouveaux préréglages modifiés seront sélectionnés dans les " -"onglets de réglage après la fermeture de cette boîte de dialogue." +"Transférer les options sélectionnées du préréglage de gauche vers celui de droite.\n" +"Remarque : Les nouveaux préréglages modifiés seront sélectionnés dans les onglets de réglage après la fermeture de cette boîte de dialogue." msgid "Transfer values from left to right" msgstr "Transférer les valeurs de gauche à droite" -msgid "" -"If enabled, this dialog can be used for transfer selected values from left " -"to right preset." -msgstr "" -"Si elle est activée, cette boîte de dialogue peut être utilisée pour " -"convertir les valeurs sélectionnées de gauche à droite." +msgid "If enabled, this dialog can be used for transfer selected values from left to right preset." +msgstr "Si elle est activée, cette boîte de dialogue peut être utilisée pour convertir les valeurs sélectionnées de gauche à droite." msgid "Add File" msgstr "Ajouter un Fichier" @@ -8480,8 +7463,7 @@ msgid "Configuration update" msgstr "Mise à jour de la configuration" msgid "A new configuration package available, Do you want to install it?" -msgstr "" -"Un nouveau package de configuration disponible, Voulez-vous l'installer ?" +msgstr "Un nouveau package de configuration disponible, Voulez-vous l'installer ?" msgid "Description:" msgstr "La description:" @@ -8490,24 +7472,20 @@ msgid "Configuration incompatible" msgstr "Configuration incompatible" msgid "the configuration package is incompatible with current application." -msgstr "" -"le package de configuration est incompatible avec l'application actuelle." +msgstr "le package de configuration est incompatible avec l'application actuelle." #, c-format, boost-format msgid "" "The configuration package is incompatible with current application.\n" "%s will update the configuration package, Otherwise it won't be able to start" -msgstr "" -"Le package de configuration est incompatible avec l'application actuelle. %s " -"mettra à jour le package de configuration, sinon il ne pourra pas démarrer" +msgstr "Le package de configuration est incompatible avec l'application actuelle. %s mettra à jour le package de configuration, sinon il ne pourra pas démarrer" #, c-format, boost-format msgid "Exit %s" msgstr "Sortir de %s" msgid "the Configuration package is incompatible with current APP." -msgstr "" -"le package de configuration est incompatible avec l'application actuelle." +msgstr "le package de configuration est incompatible avec l'application actuelle." msgid "Configuration updates" msgstr "Mises à jour de la configuration" @@ -8576,27 +7554,13 @@ msgid "Ramming customization" msgstr "Personnalisation du pilonnage" msgid "" -"Ramming denotes the rapid extrusion just before a tool change in a single-" -"extruder MM printer. Its purpose is to properly shape the end of the " -"unloaded filament so it does not prevent insertion of the new filament and " -"can itself be reinserted later. This phase is important and different " -"materials can require different extrusion speeds to get the good shape. For " -"this reason, the extrusion rates during ramming are adjustable.\n" +"Ramming denotes the rapid extrusion just before a tool change in a single-extruder MM printer. Its purpose is to properly shape the end of the unloaded filament so it does not prevent insertion of the new filament and can itself be reinserted later. This phase is important and different materials can require different extrusion speeds to get the good shape. For this reason, the extrusion rates during ramming are adjustable.\n" "\n" -"This is an expert-level setting, incorrect adjustment will likely lead to " -"jams, extruder wheel grinding into filament etc." +"This is an expert-level setting, incorrect adjustment will likely lead to jams, extruder wheel grinding into filament etc." msgstr "" -"Le pilonnage désigne l’extrusion rapide juste avant un changement d’outil " -"sur une imprimante MM à extrudeur unique. Son but est de façonner " -"correctement l’extrémité du filament déchargé afin qu’il n’empêche pas " -"l’insertion du nouveau filament et puisse lui-même être réinséré plus tard. " -"Cette phase est importante et différents matériaux peuvent nécessiter " -"différentes vitesses d’extrusion pour obtenir la bonne forme. Pour cette " -"raison, les taux d’extrusion lors du pilonnage sont réglables.\n" +"Le pilonnage désigne l’extrusion rapide juste avant un changement d’outil sur une imprimante MM à extrudeur unique. Son but est de façonner correctement l’extrémité du filament déchargé afin qu’il n’empêche pas l’insertion du nouveau filament et puisse lui-même être réinséré plus tard. Cette phase est importante et différents matériaux peuvent nécessiter différentes vitesses d’extrusion pour obtenir la bonne forme. Pour cette raison, les taux d’extrusion lors du pilonnage sont réglables.\n" "\n" -"Il s’agit d’un réglage de niveau expert, un réglage incorrect entraînera " -"probablement des bourrages, des roues de l’extrudeur broyant le filament, " -"etc." +"Il s’agit d’un réglage de niveau expert, un réglage incorrect entraînera probablement des bourrages, des roues de l’extrudeur broyant le filament, etc." msgid "Total ramming time" msgstr "Durée totale de pilonnage" @@ -8622,13 +7586,8 @@ msgstr "Re-calculer" msgid "Flushing volumes for filament change" msgstr "Volumes de purge pour le changement de filament" -msgid "" -"Orca would re-calculate your flushing volumes everytime the filaments color " -"changed. You could disable the auto-calculate in Orca Slicer > Preferences" -msgstr "" -"Orca recalcule les volumes de purge à chaque fois que la couleur des " -"filaments change. Vous pouvez désactiver le calcul automatique dans Orca " -"Slicer > Préférences" +msgid "Orca would re-calculate your flushing volumes everytime the filaments color changed. You could disable the auto-calculate in Orca Slicer > Preferences" +msgstr "Orca recalcule les volumes de purge à chaque fois que la couleur des filaments change. Vous pouvez désactiver le calcul automatique dans Orca Slicer > Préférences" msgid "Flushing volume (mm³) for each filament pair." msgstr "Volume de purge (mm³) pour chaque paire de filaments." @@ -8659,44 +7618,20 @@ msgstr "De" msgid "To" msgstr "À" -msgid "" -"Windows Media Player is required for this task! Do you want to enable " -"'Windows Media Player' for your operation system?" -msgstr "" -"Windows Media Player est nécessaire pour cette tâche ! Voulez-vous activer " -"‘Windows Media Player’ pour votre système d’exploitation ?" +msgid "Windows Media Player is required for this task! Do you want to enable 'Windows Media Player' for your operation system?" +msgstr "Windows Media Player est nécessaire pour cette tâche ! Voulez-vous activer ‘Windows Media Player’ pour votre système d’exploitation ?" -msgid "" -"BambuSource has not correctly been registered for media playing! Press Yes " -"to re-register it. You will be promoted twice" -msgstr "" -"BambuSource n’a pas été correctement enregistré pour la lecture de médias ! " -"Appuyez sur Oui pour le réenregistrer. Vous recevrez deux fois la demande de " -"permission." +msgid "BambuSource has not correctly been registered for media playing! Press Yes to re-register it. You will be promoted twice" +msgstr "BambuSource n’a pas été correctement enregistré pour la lecture de médias ! Appuyez sur Oui pour le réenregistrer. Vous recevrez deux fois la demande de permission." -msgid "" -"Missing BambuSource component registered for media playing! Please re-" -"install BambuStutio or seek after-sales help." -msgstr "" -"Composant BambuSource manquant enregistré pour la lecture des médias ! " -"Veuillez réinstaller OrcaSlicer ou demander de l’aide au service après-vente." +msgid "Missing BambuSource component registered for media playing! Please re-install BambuStutio or seek after-sales help." +msgstr "Composant BambuSource manquant enregistré pour la lecture des médias ! Veuillez réinstaller OrcaSlicer ou demander de l’aide au service après-vente." -msgid "" -"Using a BambuSource from a different install, video play may not work " -"correctly! Press Yes to fix it." -msgstr "" -"Si vous utilisez une BambuSource provenant d’une autre installation, la " -"lecture de la vidéo peut ne pas fonctionner correctement ! Appuyez sur Oui " -"pour résoudre le problème." +msgid "Using a BambuSource from a different install, video play may not work correctly! Press Yes to fix it." +msgstr "Si vous utilisez une BambuSource provenant d’une autre installation, la lecture de la vidéo peut ne pas fonctionner correctement ! Appuyez sur Oui pour résoudre le problème." -msgid "" -"Your system is missing H.264 codecs for GStreamer, which are required to " -"play video. (Try installing the gstreamer1.0-plugins-bad or gstreamer1.0-" -"libav packages, then restart Orca Slicer?)" -msgstr "" -"Il manque à votre système les codecs H.264 pour GStreamer, qui sont " -"nécessaires pour lire la vidéo. (Essayez d’installer les paquets " -"gstreamer1.0-plugins-bad ou gstreamer1.0-libav, puis redémarrez Orca Slicer)." +msgid "Your system is missing H.264 codecs for GStreamer, which are required to play video. (Try installing the gstreamer1.0-plugins-bad or gstreamer1.0-libav packages, then restart Orca Slicer?)" +msgstr "Il manque à votre système les codecs H.264 pour GStreamer, qui sont nécessaires pour lire la vidéo. (Essayez d’installer les paquets gstreamer1.0-plugins-bad ou gstreamer1.0-libav, puis redémarrez Orca Slicer)." msgid "Bambu Network plug-in not detected." msgstr "Le plug-in Bambu Network n’a pas été détecté." @@ -8708,9 +7643,7 @@ msgid "Login" msgstr "Connexion" msgid "The configuration package is changed in previous Config Guide" -msgstr "" -"Le package de configuration est modifié dans le guide de configuration " -"précédent" +msgstr "Le package de configuration est modifié dans le guide de configuration précédent" msgid "Configuration package changed" msgstr "Package de configuration modifié" @@ -8722,22 +7655,19 @@ msgid "Objects list" msgstr "Liste des objets" msgid "Import geometry data from STL/STEP/3MF/OBJ/AMF files" -msgstr "" -"Importez des données de géométrie à partir de fichiers STL/STEP/3MF/OBJ/AMF." +msgstr "Importez des données de géométrie à partir de fichiers STL/STEP/3MF/OBJ/AMF." msgid "⌘+Shift+G" -msgstr "" +msgstr "⌘+Shift+G" msgid "Ctrl+Shift+G" -msgstr "" +msgstr "Ctrl+Shift+G" msgid "Paste from clipboard" msgstr "Coller depuis le presse-papier" msgid "Show/Hide 3Dconnexion devices settings dialog" -msgstr "" -"Afficher/Masquer la boîte de dialogue des paramètres des périphériques " -"3Dconnexion" +msgstr "Afficher/Masquer la boîte de dialogue des paramètres des périphériques 3Dconnexion" msgid "Switch table page" msgstr "Page du tableau de commutation" @@ -8766,14 +7696,8 @@ msgstr "Maj+A" msgid "Shift+R" msgstr "Maj+R" -msgid "" -"Auto orientates selected objects or all objects.If there are selected " -"objects, it just orientates the selected ones.Otherwise, it will orientates " -"all objects in the current disk." -msgstr "" -"Oriente automatiquement les objets sélectionnés ou tous les objets. S'il y a " -"des objets sélectionnés, il oriente uniquement ceux qui sont sélectionnés. " -"Sinon, il oriente tous les objets du disque actuel." +msgid "Auto orientates selected objects or all objects.If there are selected objects, it just orientates the selected ones.Otherwise, it will orientates all objects in the current disk." +msgstr "Oriente automatiquement les objets sélectionnés ou tous les objets. S'il y a des objets sélectionnés, il oriente uniquement ceux qui sont sélectionnés. Sinon, il oriente tous les objets du disque actuel." msgid "Shift+Tab" msgstr "Maj+Tab" @@ -8782,31 +7706,31 @@ msgid "Collapse/Expand the sidebar" msgstr "Réduire/développer la barre latérale" msgid "⌘+Any arrow" -msgstr "" +msgstr "⌘+Toute flèche" msgid "Movement in camera space" msgstr "Mouvement dans l'espace de la caméra" msgid "⌥+Left mouse button" -msgstr "" +msgstr "⌥+Bouton gauche de la souris" msgid "Select a part" msgstr "Sélectionner une pièce" msgid "⌘+Left mouse button" -msgstr "" +msgstr "⌘+Bouton gauche de la souris" msgid "Select multiple objects" msgstr "Sélectionnez tous les objets sur la plaque actuelle" msgid "Ctrl+Any arrow" -msgstr "" +msgstr "Ctrl+Toute flèche" msgid "Alt+Left mouse button" -msgstr "" +msgstr "Alt+Bouton gauche de la souris" msgid "Ctrl+Left mouse button" -msgstr "" +msgstr "Ctrl+Bouton gauche de la souris" msgid "Shift+Left mouse button" msgstr "Maj+Bouton gauche de la souris" @@ -8911,22 +7835,22 @@ msgid "Move: press to snap by 1mm" msgstr "Déplacer : appuyez pour aligner de 1 mm" msgid "⌘+Mouse wheel" -msgstr "" +msgstr "⌘+Molette de la souris" msgid "Support/Color Painting: adjust pen radius" msgstr "Support/Peinture couleur : ajustez le rayon du stylet" msgid "⌥+Mouse wheel" -msgstr "" +msgstr "⌥+Molette de la souris" msgid "Support/Color Painting: adjust section position" msgstr "Support/Peinture couleur : ajuster la position de la section" msgid "Ctrl+Mouse wheel" -msgstr "" +msgstr "Ctrl+Molette de la souris" msgid "Alt+Mouse wheel" -msgstr "" +msgstr "Alt+Molette de la souris" msgid "Gizmo" msgstr "Gizmo" @@ -8938,15 +7862,13 @@ msgid "Delete objects, parts, modifiers " msgstr "Supprimer des objets, des pièces, des modificateurs " msgid "Select the object/part and press space to change the name" -msgstr "" -"Sélectionnez l'objet/la pièce et appuyez sur espace pour changer le nom" +msgstr "Sélectionnez l'objet/la pièce et appuyez sur espace pour changer le nom" msgid "Mouse click" msgstr "Clic de souris" msgid "Select the object/part and mouse click to change the name" -msgstr "" -"Sélectionnez l'objet/la pièce et cliquez avec la souris pour changer le nom" +msgstr "Sélectionnez l'objet/la pièce et cliquez avec la souris pour changer le nom" msgid "Objects List" msgstr "Liste d'objets" @@ -8958,12 +7880,10 @@ msgid "Vertical slider - Move active thumb Down" msgstr "Barre de défilement verticale - Déplacer le curseur actif vers le Bas" msgid "Horizontal slider - Move active thumb Left" -msgstr "" -"Barre de défilement horizontale - Déplacer le curseur actif vers la Gauche" +msgstr "Barre de défilement horizontale - Déplacer le curseur actif vers la Gauche" msgid "Horizontal slider - Move active thumb Right" -msgstr "" -"Barre de défilement horizontale - Déplacer le curseur actif vers la Droite" +msgstr "Barre de défilement horizontale - Déplacer le curseur actif vers la Droite" msgid "On/Off one layer mode of the vertical slider" msgstr "On/Off mode couche unique de la barre de défilement verticale" @@ -8993,16 +7913,12 @@ msgstr "informations de mise à jour de la version %s :" msgid "Network plug-in update" msgstr "Mise à jour du plug-in réseau" -msgid "" -"Click OK to update the Network plug-in when Orca Slicer launches next time." -msgstr "" -"Cliquez sur OK pour mettre à jour le plug-in réseau lors du prochain " -"démarrage de OrcaSlicer." +msgid "Click OK to update the Network plug-in when Orca Slicer launches next time." +msgstr "Cliquez sur OK pour mettre à jour le plug-in réseau lors du prochain démarrage de OrcaSlicer." #, c-format, boost-format msgid "A new Network plug-in(%s) available, Do you want to install it?" -msgstr "" -"Un nouveau plug-in réseau (%s) est disponible. Voulez-vous l'installer ?" +msgstr "Un nouveau plug-in réseau (%s) est disponible. Voulez-vous l'installer ?" msgid "New version of Orca Slicer" msgstr "Nouvelle version de OrcaSlicer" @@ -9055,18 +7971,11 @@ msgstr "Confirmation et mise à jour de la buse" msgid "LAN Connection Failed (Sending print file)" msgstr "Échec de la connexion au réseau local (envoi du fichier d'impression)" -msgid "" -"Step 1, please confirm Orca Slicer and your printer are in the same LAN." -msgstr "" -"Étape 1, veuillez confirmer que OrcaSlicer et votre imprimante sont sur le " -"même réseau local." +msgid "Step 1, please confirm Orca Slicer and your printer are in the same LAN." +msgstr "Étape 1, veuillez confirmer que OrcaSlicer et votre imprimante sont sur le même réseau local." -msgid "" -"Step 2, if the IP and Access Code below are different from the actual values " -"on your printer, please correct them." -msgstr "" -"Étape 2, si l'adresse IP et le code d'accès ci-dessous sont différents des " -"valeurs actuelles de votre imprimante, corrigez-les." +msgid "Step 2, if the IP and Access Code below are different from the actual values on your printer, please correct them." +msgstr "Étape 2, si l'adresse IP et le code d'accès ci-dessous sont différents des valeurs actuelles de votre imprimante, corrigez-les." msgid "IP" msgstr "IP" @@ -9078,9 +7987,7 @@ msgid "Where to find your printer's IP and Access Code?" msgstr "Où trouver l'adresse IP et le code d'accès de votre imprimante ?" msgid "Step 3: Ping the IP address to check for packet loss and latency." -msgstr "" -"Étape 3 : Effectuer un ping de l’adresse IP pour vérifier la perte de " -"paquets et la latence." +msgstr "Étape 3 : Effectuer un ping de l’adresse IP pour vérifier la perte de paquets et la latence." msgid "Test" msgstr "Tester" @@ -9125,32 +8032,14 @@ msgstr "La mise à jour a échoué" msgid "Updating successful" msgstr "Mise à jour réussie" -msgid "" -"Are you sure you want to update? This will take about 10 minutes. Do not " -"turn off the power while the printer is updating." -msgstr "" -"Êtes-vous sûr de vouloir effectuer la mise à jour ? Cela prendra environ 10 " -"minutes. Ne mettez pas l'imprimante hors tension durant la mise à jour." +msgid "Are you sure you want to update? This will take about 10 minutes. Do not turn off the power while the printer is updating." +msgstr "Êtes-vous sûr de vouloir effectuer la mise à jour ? Cela prendra environ 10 minutes. Ne mettez pas l'imprimante hors tension durant la mise à jour." -msgid "" -"An important update was detected and needs to be run before printing can " -"continue. Do you want to update now? You can also update later from 'Upgrade " -"firmware'." -msgstr "" -"Une mise à jour importante a été détectée et doit être exécutée avant de " -"pouvoir poursuivre l'impression. Voulez-vous effectuer la mise à jour " -"maintenant ? Vous pouvez également effectuer une mise à jour ultérieurement " -"à partir de \"Mettre à jour le firmware\"." +msgid "An important update was detected and needs to be run before printing can continue. Do you want to update now? You can also update later from 'Upgrade firmware'." +msgstr "Une mise à jour importante a été détectée et doit être exécutée avant de pouvoir poursuivre l'impression. Voulez-vous effectuer la mise à jour maintenant ? Vous pouvez également effectuer une mise à jour ultérieurement à partir de \"Mettre à jour le firmware\"." -msgid "" -"The firmware version is abnormal. Repairing and updating are required before " -"printing. Do you want to update now? You can also update later on printer or " -"update next time starting Orca." -msgstr "" -"La version du firmware est erronée. La réparation et la mise à jour sont " -"nécessaires avant l'impression. Voulez-vous effectuer la mise à jour " -"maintenant ? Vous pouvez également effectuer une mise à jour ultérieurement " -"depuis l'imprimante ou lors du prochain démarrage d'Orca Slicer." +msgid "The firmware version is abnormal. Repairing and updating are required before printing. Do you want to update now? You can also update later on printer or update next time starting Orca." +msgstr "La version du firmware est erronée. La réparation et la mise à jour sont nécessaires avant l'impression. Voulez-vous effectuer la mise à jour maintenant ? Vous pouvez également effectuer une mise à jour ultérieurement depuis l'imprimante ou lors du prochain démarrage d'Orca Slicer." msgid "Extension Board" msgstr "Carte d'Extension" @@ -9208,9 +8097,7 @@ msgid "Copying of file %1% to %2% failed: %3%" msgstr "Échec de la copie du fichier %1% vers %2% : %3%" msgid "Need to check the unsaved changes before configuration updates." -msgstr "" -"Besoin de vérifier les modifications non enregistrées avant les mises à jour " -"de configuration." +msgstr "Besoin de vérifier les modifications non enregistrées avant les mises à jour de configuration." msgid "Configuration package: " msgstr "Paquet de configuration : " @@ -9221,50 +8108,33 @@ msgstr " mis à jour en " msgid "Open G-code file:" msgstr "Ouvrir un fichier G-code :" -msgid "" -"One object has empty initial layer and can't be printed. Please Cut the " -"bottom or enable supports." -msgstr "" -"Un objet a une couche initiale vide et ne peut pas être imprimé. Veuillez " -"couper le bas ou activer les supports." +msgid "One object has empty initial layer and can't be printed. Please Cut the bottom or enable supports." +msgstr "Un objet a une couche initiale vide et ne peut pas être imprimé. Veuillez couper le bas ou activer les supports." #, boost-format msgid "Object can't be printed for empty layer between %1% and %2%." -msgstr "" -"L'objet comporte des couches vides comprises entre %1% et %2% et ne peut pas " -"être imprimé." +msgstr "L'objet comporte des couches vides comprises entre %1% et %2% et ne peut pas être imprimé." #, boost-format msgid "Object: %1%" msgstr "Objet : %1%" -msgid "" -"Maybe parts of the object at these height are too thin, or the object has " -"faulty mesh" -msgstr "" -"Peut-être que certaines parties de l'objet à ces hauteurs sont trop fines ou " -"que l'objet a un maillage défectueux" +msgid "Maybe parts of the object at these height are too thin, or the object has faulty mesh" +msgstr "Peut-être que certaines parties de l'objet à ces hauteurs sont trop fines ou que l'objet a un maillage défectueux" msgid "No object can be printed. Maybe too small" msgstr "Aucun objet ne peut être imprimé. Peut-être trop petit" -msgid "" -"Your print is very close to the priming regions. Make sure there is no " -"collision." -msgstr "" -"Votre impression est très proche des régions d’amorçage. Assurez-vous qu’il " -"n’y a pas de collision." +msgid "Your print is very close to the priming regions. Make sure there is no collision." +msgstr "Votre impression est très proche des régions d’amorçage. Assurez-vous qu’il n’y a pas de collision." msgid "" "Failed to generate gcode for invalid custom G-code.\n" "\n" -msgstr "" -"Échec de la génération du G-code pour un G-code personnalisé non valide.\n" +msgstr "Échec de la génération du G-code pour un G-code personnalisé non valide.\n" msgid "Please check the custom G-code or use the default custom G-code." -msgstr "" -"Veuillez vérifier le G-code personnalisé ou utiliser le G-code personnalisé " -"par défaut." +msgstr "Veuillez vérifier le G-code personnalisé ou utiliser le G-code personnalisé par défaut." #, boost-format msgid "Generating G-code: layer %1%" @@ -9308,16 +8178,10 @@ msgstr "Plusieurs" #, boost-format msgid "Failed to calculate line width of %1%. Can not get value of \"%2%\" " -msgstr "" -"Échec du calcul de la largeur de ligne de %1%. Impossible d'obtenir la " -"valeur de \"%2%\" " +msgstr "Échec du calcul de la largeur de ligne de %1%. Impossible d'obtenir la valeur de \"%2%\" " -msgid "" -"Invalid spacing supplied to Flow::with_spacing(), check your layer height " -"and extrusion width" -msgstr "" -"Espacement non valide fourni à Flow::with_spacing(), vérifiez la hauteur de " -"votre couche et la largeur d’extrusion" +msgid "Invalid spacing supplied to Flow::with_spacing(), check your layer height and extrusion width" +msgstr "Espacement non valide fourni à Flow::with_spacing(), vérifiez la hauteur de votre couche et la largeur d’extrusion" msgid "undefined error" msgstr "erreur non définie" @@ -9413,171 +8277,93 @@ msgid "write callback failed" msgstr "échec du rappel d'écriture" #, boost-format -msgid "" -"%1% is too close to exclusion area, there may be collisions when printing." -msgstr "" -"%1% est trop proche de la zone d'exclusion. Il peut y avoir des collisions " -"lors de l'impression." +msgid "%1% is too close to exclusion area, there may be collisions when printing." +msgstr "%1% est trop proche de la zone d'exclusion. Il peut y avoir des collisions lors de l'impression." #, boost-format msgid "%1% is too close to others, and collisions may be caused." -msgstr "" -"%1% est trop proche des autres, cela pourrait provoquer des collisions." +msgstr "%1% est trop proche des autres, cela pourrait provoquer des collisions." #, boost-format msgid "%1% is too tall, and collisions will be caused." msgstr "%1% est trop grand, cela pourrait provoquer des collisions." msgid " is too close to others, there may be collisions when printing." -msgstr "" -" est trop proche des autres; il peut y avoir des collisions lors de " -"l'impression." +msgstr " est trop proche des autres; il peut y avoir des collisions lors de l'impression." msgid " is too close to exclusion area, there may be collisions when printing." -msgstr "" -" est trop proche d'une zone d'exclusion, il peut y avoir des collisions lors " -"de l'impression." +msgstr " est trop proche d'une zone d'exclusion, il peut y avoir des collisions lors de l'impression." msgid "Prime Tower" msgstr "Tour de purge" msgid " is too close to others, and collisions may be caused.\n" -msgstr "" -" est trop proche des autres. Des collisions risquent d'être provoquées.\n" +msgstr " est trop proche des autres. Des collisions risquent d'être provoquées.\n" msgid " is too close to exclusion area, and collisions will be caused.\n" -msgstr "" -" est trop proche d'une zone d'exclusion. Cela va entraîner des collisions.\n" +msgstr " est trop proche d'une zone d'exclusion. Cela va entraîner des collisions.\n" -msgid "" -"Can not print multiple filaments which have large difference of temperature " -"together. Otherwise, the extruder and nozzle may be blocked or damaged " -"during printing" -msgstr "" -"Impossible d'imprimer plusieurs filaments qui ont une grande différence de " -"température ensemble. Sinon, l'extrudeur et la buse peuvent être bloquées ou " -"endommagées pendant l'impression" +msgid "Can not print multiple filaments which have large difference of temperature together. Otherwise, the extruder and nozzle may be blocked or damaged during printing" +msgstr "Impossible d'imprimer plusieurs filaments qui ont une grande différence de température ensemble. Sinon, l'extrudeur et la buse peuvent être bloquées ou endommagées pendant l'impression" msgid "No extrusions under current settings." msgstr "Aucune extrusion dans les paramètres actuels." -msgid "" -"Smooth mode of timelapse is not supported when \"by object\" sequence is " -"enabled." -msgstr "" -"Le mode fluide du timelapse n'est pas pris en charge lorsque le mode " -"d'impression « par objet » est activé." +msgid "Smooth mode of timelapse is not supported when \"by object\" sequence is enabled." +msgstr "Le mode fluide du timelapse n'est pas pris en charge lorsque le mode d'impression « par objet » est activé." -msgid "" -"Please select \"By object\" print sequence to print multiple objects in " -"spiral vase mode." -msgstr "" -"Veuillez sélectionner la séquence d'impression \"Par objet\" pour imprimer " -"plusieurs objets en mode vase en spirale." +msgid "Please select \"By object\" print sequence to print multiple objects in spiral vase mode." +msgstr "Veuillez sélectionner la séquence d'impression \"Par objet\" pour imprimer plusieurs objets en mode vase en spirale." -msgid "" -"The spiral vase mode does not work when an object contains more than one " -"materials." -msgstr "" -"Le mode vase en spirale ne fonctionne pas lorsqu'un objet contient plusieurs " -"matériaux." +msgid "The spiral vase mode does not work when an object contains more than one materials." +msgstr "Le mode vase en spirale ne fonctionne pas lorsqu'un objet contient plusieurs matériaux." #, boost-format msgid "The object %1% exceeds the maximum build volume height." msgstr "L’objet %1% dépasse la hauteur maximale du volume d’impression." #, boost-format -msgid "" -"While the object %1% itself fits the build volume, its last layer exceeds " -"the maximum build volume height." -msgstr "" -"Bien que l’objet %1% s’adapte lui-même au volume d’impression, sa dernière " -"couche dépasse la hauteur maximale du volume de construction." +msgid "While the object %1% itself fits the build volume, its last layer exceeds the maximum build volume height." +msgstr "Bien que l’objet %1% s’adapte lui-même au volume d’impression, sa dernière couche dépasse la hauteur maximale du volume de construction." -msgid "" -"You might want to reduce the size of your model or change current print " -"settings and retry." -msgstr "" -"Vous devez réduire la taille de votre modèle ou modifier les paramètres " -"d’impression actuels et réessayer." +msgid "You might want to reduce the size of your model or change current print settings and retry." +msgstr "Vous devez réduire la taille de votre modèle ou modifier les paramètres d’impression actuels et réessayer." msgid "Variable layer height is not supported with Organic supports." -msgstr "" -"La hauteur de couche variable n’est pas prise en charge avec les supports " -"organiques." +msgstr "La hauteur de couche variable n’est pas prise en charge avec les supports organiques." -msgid "" -"Different nozzle diameters and different filament diameters may not work " -"well when the prime tower is enabled. It's very experimental, so please " -"proceed with caution." -msgstr "" -"Différents diamètres de buses et de filaments peuvent ne pas fonctionner " -"correctement lorsque la tour d’amorçage est activée. Il s’agit d’un projet " -"très expérimental, il convient donc de procéder avec prudence." +msgid "Different nozzle diameters and different filament diameters may not work well when the prime tower is enabled. It's very experimental, so please proceed with caution." +msgstr "Différents diamètres de buses et de filaments peuvent ne pas fonctionner correctement lorsque la tour d’amorçage est activée. Il s’agit d’un projet très expérimental, il convient donc de procéder avec prudence." -msgid "" -"The Wipe Tower is currently only supported with the relative extruder " -"addressing (use_relative_e_distances=1)." -msgstr "" -"La tour d’essuyage n’est actuellement supportée qu’avec l’adressage relatif " -"des extrudeurs (use_relative_e_distances=1)." +msgid "The Wipe Tower is currently only supported with the relative extruder addressing (use_relative_e_distances=1)." +msgstr "La tour d’essuyage n’est actuellement supportée qu’avec l’adressage relatif des extrudeurs (use_relative_e_distances=1)." -msgid "" -"Ooze prevention is only supported with the wipe tower when " -"'single_extruder_multi_material' is off." -msgstr "" -"La prévention du suintement n’est possible qu’avec la tour d’essuyage " -"lorsque l’option ‘single_extruder_multi_material’ est désactivée." +msgid "Ooze prevention is only supported with the wipe tower when 'single_extruder_multi_material' is off." +msgstr "La prévention du suintement n’est possible qu’avec la tour d’essuyage lorsque l’option ‘single_extruder_multi_material’ est désactivée." -msgid "" -"The prime tower is currently only supported for the Marlin, RepRap/Sprinter, " -"RepRapFirmware and Repetier G-code flavors." -msgstr "" -"La tour principale n’est actuellement prise en charge que pour les versions " -"Marlin, RepRap/Sprinter, RepRapFirmware et Repetier G-code." +msgid "The prime tower is currently only supported for the Marlin, RepRap/Sprinter, RepRapFirmware and Repetier G-code flavors." +msgstr "La tour principale n’est actuellement prise en charge que pour les versions Marlin, RepRap/Sprinter, RepRapFirmware et Repetier G-code." msgid "The prime tower is not supported in \"By object\" print." -msgstr "" -"La tour de purge n'est pas prise en charge dans l'impression \"Par objet\"." +msgstr "La tour de purge n'est pas prise en charge dans l'impression \"Par objet\"." -msgid "" -"The prime tower is not supported when adaptive layer height is on. It " -"requires that all objects have the same layer height." -msgstr "" -"La tour de purge n'est pas prise en charge lorsque la hauteur de couche " -"adaptative est activée. Cela nécessite que tous les objets aient la même " -"hauteur de couche." +msgid "The prime tower is not supported when adaptive layer height is on. It requires that all objects have the same layer height." +msgstr "La tour de purge n'est pas prise en charge lorsque la hauteur de couche adaptative est activée. Cela nécessite que tous les objets aient la même hauteur de couche." msgid "The prime tower requires \"support gap\" to be multiple of layer height" -msgstr "" -"La tour de purge nécessite que \"l'écart de support\" soit un multiple de la " -"hauteur de la couche" +msgstr "La tour de purge nécessite que \"l'écart de support\" soit un multiple de la hauteur de la couche" msgid "The prime tower requires that all objects have the same layer heights" -msgstr "" -"La tour de purge nécessite que tous les objets aient la même hauteur de " -"couche." +msgstr "La tour de purge nécessite que tous les objets aient la même hauteur de couche." -msgid "" -"The prime tower requires that all objects are printed over the same number " -"of raft layers" -msgstr "" -"La tour de purge nécessite que tous les objets soient imprimés sur le même " -"nombre de couche de radeau." +msgid "The prime tower requires that all objects are printed over the same number of raft layers" +msgstr "La tour de purge nécessite que tous les objets soient imprimés sur le même nombre de couche de radeau." -msgid "" -"The prime tower requires that all objects are sliced with the same layer " -"heights." -msgstr "" -"La tour de purge nécessite que tous les objets soient découpés avec la même " -"hauteur de couche." +msgid "The prime tower requires that all objects are sliced with the same layer heights." +msgstr "La tour de purge nécessite que tous les objets soient découpés avec la même hauteur de couche." -msgid "" -"The prime tower is only supported if all objects have the same variable " -"layer height" -msgstr "" -"La tour de purge n'est prise en charge que si tous les objets ont la même " -"hauteur de couche variable" +msgid "The prime tower is only supported if all objects have the same variable layer height" +msgstr "La tour de purge n'est prise en charge que si tous les objets ont la même hauteur de couche variable" msgid "Too small line width" msgstr "Largeur de ligne trop petite" @@ -9585,119 +8371,66 @@ msgstr "Largeur de ligne trop petite" msgid "Too large line width" msgstr "Largeur de ligne trop grande" -msgid "" -"The prime tower requires that support has the same layer height with object." -msgstr "" -"La tour de purge nécessite que le support ait la même hauteur de couche avec " -"l'objet." +msgid "The prime tower requires that support has the same layer height with object." +msgstr "La tour de purge nécessite que le support ait la même hauteur de couche avec l'objet." -msgid "" -"Organic support tree tip diameter must not be smaller than support material " -"extrusion width." -msgstr "" -"Le diamètre de la pointe des supports organiques ne doit pas être inférieur " -"à la largeur d’extrusion du matériau utilisé pour les supports." +msgid "Organic support tree tip diameter must not be smaller than support material extrusion width." +msgstr "Le diamètre de la pointe des supports organiques ne doit pas être inférieur à la largeur d’extrusion du matériau utilisé pour les supports." -msgid "" -"Organic support branch diameter must not be smaller than 2x support material " -"extrusion width." -msgstr "" -"Le diamètre des branches des supports organiques ne doit pas être inférieur " -"à 2 fois la largeur d’extrusion du matériau utilisé pour les supports." +msgid "Organic support branch diameter must not be smaller than 2x support material extrusion width." +msgstr "Le diamètre des branches des supports organiques ne doit pas être inférieur à 2 fois la largeur d’extrusion du matériau utilisé pour les supports." -msgid "" -"Organic support branch diameter must not be smaller than support tree tip " -"diameter." -msgstr "" -"Le diamètre des branches des supports organiques ne doit pas être inférieur " -"au diamètre de la pointe des supports." +msgid "Organic support branch diameter must not be smaller than support tree tip diameter." +msgstr "Le diamètre des branches des supports organiques ne doit pas être inférieur au diamètre de la pointe des supports." -msgid "" -"Support enforcers are used but support is not enabled. Please enable support." -msgstr "" -"Les forceurs de support sont utilisés mais le support n'est pas activé. " -"Veuillez activer les supports." +msgid "Support enforcers are used but support is not enabled. Please enable support." +msgstr "Les forceurs de support sont utilisés mais le support n'est pas activé. Veuillez activer les supports." msgid "Layer height cannot exceed nozzle diameter" msgstr "La hauteur de la couche ne peut pas dépasser le diamètre de la buse" -msgid "" -"Relative extruder addressing requires resetting the extruder position at " -"each layer to prevent loss of floating point accuracy. Add \"G92 E0\" to " -"layer_gcode." -msgstr "" -"L'extrusion relative de l'extrudeur nécessite de réinitialiser la position " -"de celui-ci à chaque couche pour éviter la perte de précision de la virgule " -"flottante. Ajouter \"G92 E0\" au G-code de changement de couche." +msgid "Relative extruder addressing requires resetting the extruder position at each layer to prevent loss of floating point accuracy. Add \"G92 E0\" to layer_gcode." +msgstr "L'extrusion relative de l'extrudeur nécessite de réinitialiser la position de celui-ci à chaque couche pour éviter la perte de précision de la virgule flottante. Ajouter \"G92 E0\" au G-code de changement de couche." -msgid "" -"\"G92 E0\" was found in before_layer_gcode, which is incompatible with " -"absolute extruder addressing." -msgstr "" -"\"G92 E0\" a été trouvé dans le G-code avant le changement de couche, ce qui " -"est incompatible avec l’extrusion absolue de l’extrudeur." +msgid "\"G92 E0\" was found in before_layer_gcode, which is incompatible with absolute extruder addressing." +msgstr "\"G92 E0\" a été trouvé dans le G-code avant le changement de couche, ce qui est incompatible avec l’extrusion absolue de l’extrudeur." -msgid "" -"\"G92 E0\" was found in layer_gcode, which is incompatible with absolute " -"extruder addressing." -msgstr "" -"\"G92 E0\" a été trouvé dans le G-code de changement de couche, ce qui est " -"incompatible avec l’extrusion absolue de l’extrudeur." +msgid "\"G92 E0\" was found in layer_gcode, which is incompatible with absolute extruder addressing." +msgstr "\"G92 E0\" a été trouvé dans le G-code de changement de couche, ce qui est incompatible avec l’extrusion absolue de l’extrudeur." #, c-format, boost-format msgid "Plate %d: %s does not support filament %s" msgstr "Plaque %d : %s ne prend pas en charge le filament %s" -msgid "" -"Setting the jerk speed too low could lead to artifacts on curved surfaces" -msgstr "" -"Un réglage trop bas de la vitesse de saccade peut entraîner des artefacts " -"sur les surfaces courbes." +msgid "Setting the jerk speed too low could lead to artifacts on curved surfaces" +msgstr "Un réglage trop bas de la vitesse de saccade peut entraîner des artefacts sur les surfaces courbes." msgid "" -"The jerk setting exceeds the printer's maximum jerk (machine_max_jerk_x/" -"machine_max_jerk_y).\n" -"Orca will automatically cap the jerk speed to ensure it doesn't surpass the " -"printer's capabilities.\n" -"You can adjust the maximum jerk setting in your printer's configuration to " -"get higher speeds." +"The jerk setting exceeds the printer's maximum jerk (machine_max_jerk_x/machine_max_jerk_y).\n" +"Orca will automatically cap the jerk speed to ensure it doesn't surpass the printer's capabilities.\n" +"You can adjust the maximum jerk setting in your printer's configuration to get higher speeds." msgstr "" -"Le réglage du jerk dépasse le jerk maximum de l’imprimante " -"(machine_max_jerk_x/machine_max_jerk_y).\n" -"Orca plafonne automatiquement la vitesse de l’impulsion pour s’assurer " -"qu’elle ne dépasse pas les capacités de l’imprimante.\n" -"Vous pouvez ajuster le réglage du jerk maximum dans la configuration de " -"votre imprimante pour obtenir des vitesses plus élevées." +"Le réglage du jerk dépasse le jerk maximum de l’imprimante (machine_max_jerk_x/machine_max_jerk_y).\n" +"Orca plafonne automatiquement la vitesse de l’impulsion pour s’assurer qu’elle ne dépasse pas les capacités de l’imprimante.\n" +"Vous pouvez ajuster le réglage du jerk maximum dans la configuration de votre imprimante pour obtenir des vitesses plus élevées." msgid "" -"The acceleration setting exceeds the printer's maximum acceleration " -"(machine_max_acceleration_extruding).\n" -"Orca will automatically cap the acceleration speed to ensure it doesn't " -"surpass the printer's capabilities.\n" -"You can adjust the machine_max_acceleration_extruding value in your " -"printer's configuration to get higher speeds." +"The acceleration setting exceeds the printer's maximum acceleration (machine_max_acceleration_extruding).\n" +"Orca will automatically cap the acceleration speed to ensure it doesn't surpass the printer's capabilities.\n" +"You can adjust the machine_max_acceleration_extruding value in your printer's configuration to get higher speeds." msgstr "" -"Le paramètre d’accélération dépasse l’accélération maximale de l’imprimante " -"(machine_max_acceleration_extruding).\n" -"Orca limitera automatiquement la vitesse d’accélération pour s’assurer " -"qu’elle ne dépasse pas les capacités de l’imprimante.\n" -"Vous pouvez ajuster la valeur machine_max_acceleration_extruding dans la " -"configuration de votre imprimante pour obtenir des vitesses plus élevées." +"Le paramètre d’accélération dépasse l’accélération maximale de l’imprimante (machine_max_acceleration_extruding).\n" +"Orca limitera automatiquement la vitesse d’accélération pour s’assurer qu’elle ne dépasse pas les capacités de l’imprimante.\n" +"Vous pouvez ajuster la valeur machine_max_acceleration_extruding dans la configuration de votre imprimante pour obtenir des vitesses plus élevées." msgid "" -"The travel acceleration setting exceeds the printer's maximum travel " -"acceleration (machine_max_acceleration_travel).\n" -"Orca will automatically cap the travel acceleration speed to ensure it " -"doesn't surpass the printer's capabilities.\n" -"You can adjust the machine_max_acceleration_travel value in your printer's " -"configuration to get higher speeds." +"The travel acceleration setting exceeds the printer's maximum travel acceleration (machine_max_acceleration_travel).\n" +"Orca will automatically cap the travel acceleration speed to ensure it doesn't surpass the printer's capabilities.\n" +"You can adjust the machine_max_acceleration_travel value in your printer's configuration to get higher speeds." msgstr "" -"Le réglage de l’accélération de déplacement dépasse l’accélération de " -"déplacement maximale de l’imprimante (machine_max_acceleration_travel).\n" -"Orca plafonnera automatiquement la vitesse d’accélération du déplacement " -"pour s’assurer qu’elle ne dépasse pas les capacités de l’imprimante.\n" -"Vous pouvez ajuster la valeur machine_max_acceleration_travel dans la " -"configuration de votre imprimante pour obtenir des vitesses plus élevées." +"Le réglage de l’accélération de déplacement dépasse l’accélération de déplacement maximale de l’imprimante (machine_max_acceleration_travel).\n" +"Orca plafonnera automatiquement la vitesse d’accélération du déplacement pour s’assurer qu’elle ne dépasse pas les capacités de l’imprimante.\n" +"Vous pouvez ajuster la valeur machine_max_acceleration_travel dans la configuration de votre imprimante pour obtenir des vitesses plus élevées." msgid "Generating skirt & brim" msgstr "Génération jupe et bord" @@ -9717,15 +8450,8 @@ msgstr "Zone imprimable" msgid "Bed exclude area" msgstr "Zone d'exclusion de plateau" -msgid "" -"Unprintable area in XY plane. For example, X1 Series printers use the front " -"left corner to cut filament during filament change. The area is expressed as " -"polygon by points in following format: \"XxY, XxY, ...\"" -msgstr "" -"Zone non imprimable dans le plan XY. Par exemple, les imprimantes de la " -"série X1 utilisent le coin avant gauche pour couper le filament lors du " -"changement de filament. La zone est exprimée sous forme de polygone par des " -"points au format suivant : \"XxY, XxY,... \"" +msgid "Unprintable area in XY plane. For example, X1 Series printers use the front left corner to cut filament during filament change. The area is expressed as polygon by points in following format: \"XxY, XxY, ...\"" +msgstr "Zone non imprimable dans le plan XY. Par exemple, les imprimantes de la série X1 utilisent le coin avant gauche pour couper le filament lors du changement de filament. La zone est exprimée sous forme de polygone par des points au format suivant : \"XxY, XxY,... \"" msgid "Bed custom texture" msgstr "Texture personnalisée du plateau" @@ -9736,36 +8462,20 @@ msgstr "Modèle de plateau personnalisé" msgid "Elephant foot compensation" msgstr "Compensation de l'effet patte d'éléphant" -msgid "" -"Shrink the initial layer on build plate to compensate for elephant foot " -"effect" -msgstr "" -"Rétrécissez la couche initiale sur le plateau pour compenser l'effet de " -"patte d'éléphant" +msgid "Shrink the initial layer on build plate to compensate for elephant foot effect" +msgstr "Rétrécissez la couche initiale sur le plateau pour compenser l'effet de patte d'éléphant" msgid "Elephant foot compensation layers" msgstr "Couches de compensation de la patte d'éléphant" -msgid "" -"The number of layers on which the elephant foot compensation will be active. " -"The first layer will be shrunk by the elephant foot compensation value, then " -"the next layers will be linearly shrunk less, up to the layer indicated by " -"this value." -msgstr "" -"Nombre de couches sur lesquelles la compensation de la patte d'éléphant sera " -"active. La première couche sera réduite de la valeur de compensation de la " -"patte d'éléphant, puis les couches suivantes seront réduites linéairement " -"moins, jusqu'à la couche indiquée par cette valeur." +msgid "The number of layers on which the elephant foot compensation will be active. The first layer will be shrunk by the elephant foot compensation value, then the next layers will be linearly shrunk less, up to the layer indicated by this value." +msgstr "Nombre de couches sur lesquelles la compensation de la patte d'éléphant sera active. La première couche sera réduite de la valeur de compensation de la patte d'éléphant, puis les couches suivantes seront réduites linéairement moins, jusqu'à la couche indiquée par cette valeur." msgid "layers" msgstr "couches" -msgid "" -"Slicing height for each layer. Smaller layer height means more accurate and " -"more printing time" -msgstr "" -"Hauteur de découpe pour chaque couche. Une hauteur de couche plus petite " -"signifie plus de précision et plus de temps d'impression" +msgid "Slicing height for each layer. Smaller layer height means more accurate and more printing time" +msgstr "Hauteur de découpe pour chaque couche. Une hauteur de couche plus petite signifie plus de précision et plus de temps d'impression" msgid "Printable height" msgstr "Hauteur imprimable" @@ -9777,8 +8487,7 @@ msgid "Preferred orientation" msgstr "Orientation préférée" msgid "Automatically orient stls on the Z-axis upon initial import" -msgstr "" -"Orienter automatiquement les stls sur l’axe Z lors de l’importation initiale" +msgstr "Orienter automatiquement les stls sur l’axe Z lors de l’importation initiale" msgid "Printer preset names" msgstr "Noms des préréglages de l'imprimante" @@ -9787,46 +8496,25 @@ msgid "Use 3rd-party print host" msgstr "Utiliser un hôte d’impression tiers" msgid "Allow controlling BambuLab's printer through 3rd party print hosts" -msgstr "" -"Permettre le contrôle de l’imprimante de BambuLab par des hôtes d’impression " -"tiers" +msgstr "Permettre le contrôle de l’imprimante de BambuLab par des hôtes d’impression tiers" msgid "Hostname, IP or URL" msgstr "Nom d'hôte, adresse IP ou URL" -msgid "" -"Orca Slicer can upload G-code files to a printer host. This field should " -"contain the hostname, IP address or URL of the printer host instance. Print " -"host behind HAProxy with basic auth enabled can be accessed by putting the " -"user name and password into the URL in the following format: https://" -"username:password@your-octopi-address/" -msgstr "" -"Orca Slicer peut téléverser des fichiers G-code sur une imprimante hôte. Ce " -"champ doit contenir le nom d'hôte, l'adresse IP ou l'URL de l'instance hôte " -"de l'imprimante. L'hôte d'impression derrière HAProxy avec " -"l'authentification de base activée est accessible en saisissant le nom " -"d'utilisateur et le mot de passe dans l'URL au format suivant : https://" -"username:password@your-octopi-address/" +msgid "Orca Slicer can upload G-code files to a printer host. This field should contain the hostname, IP address or URL of the printer host instance. Print host behind HAProxy with basic auth enabled can be accessed by putting the user name and password into the URL in the following format: https://username:password@your-octopi-address/" +msgstr "Orca Slicer peut téléverser des fichiers G-code sur une imprimante hôte. Ce champ doit contenir le nom d'hôte, l'adresse IP ou l'URL de l'instance hôte de l'imprimante. L'hôte d'impression derrière HAProxy avec l'authentification de base activée est accessible en saisissant le nom d'utilisateur et le mot de passe dans l'URL au format suivant : https://username:password@your-octopi-address/" msgid "Device UI" msgstr "Interface utilisateur de l’appareil" -msgid "" -"Specify the URL of your device user interface if it's not same as print_host" -msgstr "" -"Spécifiez l’URL de l’interface utilisateur de votre appareil si elle n’est " -"pas identique à print_host" +msgid "Specify the URL of your device user interface if it's not same as print_host" +msgstr "Spécifiez l’URL de l’interface utilisateur de votre appareil si elle n’est pas identique à print_host" msgid "API Key / Password" msgstr "Clé API / Mot de passe" -msgid "" -"Orca Slicer can upload G-code files to a printer host. This field should " -"contain the API Key or the password required for authentication." -msgstr "" -"Orca Slicer peut téléverser des fichiers G-code sur une imprimante hôte. Ce " -"champ doit contenir la clé API ou le mot de passe requis pour " -"l'authentification." +msgid "Orca Slicer can upload G-code files to a printer host. This field should contain the API Key or the password required for authentication." +msgstr "Orca Slicer peut téléverser des fichiers G-code sur une imprimante hôte. Ce champ doit contenir la clé API ou le mot de passe requis pour l'authentification." msgid "Name of the printer" msgstr "Nom de l'imprimante" @@ -9834,14 +8522,8 @@ msgstr "Nom de l'imprimante" msgid "HTTPS CA File" msgstr "Fichier HTTPS CA" -msgid "" -"Custom CA certificate file can be specified for HTTPS OctoPrint connections, " -"in crt/pem format. If left blank, the default OS CA certificate repository " -"is used." -msgstr "" -"Un fichier de certificat CA personnalisé peut être spécifié pour les " -"connexions HTTPS OctoPrint, au format crt/pem. Si ce champ est laissé vide, " -"le référentiel de certificats OS CA par défaut est utilisé." +msgid "Custom CA certificate file can be specified for HTTPS OctoPrint connections, in crt/pem format. If left blank, the default OS CA certificate repository is used." +msgstr "Un fichier de certificat CA personnalisé peut être spécifié pour les connexions HTTPS OctoPrint, au format crt/pem. Si ce champ est laissé vide, le référentiel de certificats OS CA par défaut est utilisé." msgid "User" msgstr "Utilisateur" @@ -9852,14 +8534,8 @@ msgstr "Mot de passe" msgid "Ignore HTTPS certificate revocation checks" msgstr "Ignorer les contrôles de révocation des certificats HTTPS" -msgid "" -"Ignore HTTPS certificate revocation checks in case of missing or offline " -"distribution points. One may want to enable this option for self signed " -"certificates if connection fails." -msgstr "" -"Ignorez les contrôles de révocation des certificats HTTPS en cas de points " -"de distribution manquants ou hors ligne. Il peut être utile d'activer cette " -"option pour les certificats auto-signés en cas d'échec de la connexion." +msgid "Ignore HTTPS certificate revocation checks in case of missing or offline distribution points. One may want to enable this option for self signed certificates if connection fails." +msgstr "Ignorez les contrôles de révocation des certificats HTTPS en cas de points de distribution manquants ou hors ligne. Il peut être utile d'activer cette option pour les certificats auto-signés en cas d'échec de la connexion." msgid "Names of presets related to the physical printer" msgstr "Noms des préréglages associés à l'imprimante physique" @@ -9877,24 +8553,13 @@ msgid "Avoid crossing wall" msgstr "Évitez de traverser les parois" msgid "Detour and avoid to travel across wall which may cause blob on surface" -msgstr "" -"Faire un détour et éviter de traverser la paroi, ce qui pourrait causer des " -"dépôts sur la surface" +msgstr "Faire un détour et éviter de traverser la paroi, ce qui pourrait causer des dépôts sur la surface" msgid "Avoid crossing wall - Max detour length" msgstr "Évitez de traverser les parois - Longueur maximale du détour" -msgid "" -"Maximum detour distance for avoiding crossing wall. Don't detour if the " -"detour distance is large than this value. Detour length could be specified " -"either as an absolute value or as percentage (for example 50%) of a direct " -"travel path. Zero to disable" -msgstr "" -"Distance de détour maximale pour éviter de traverser une paroi: l'imprimante " -"ne fera pas de détour si la distance de détour est supérieure à cette " -"valeur. La longueur du détour peut être spécifiée sous forme de valeur " -"absolue ou de pourcentage (par exemple 50 %) d'un trajet direct. Une valeur " -"de 0 désactivera cette option." +msgid "Maximum detour distance for avoiding crossing wall. Don't detour if the detour distance is large than this value. Detour length could be specified either as an absolute value or as percentage (for example 50%) of a direct travel path. Zero to disable" +msgstr "Distance de détour maximale pour éviter de traverser une paroi: l'imprimante ne fera pas de détour si la distance de détour est supérieure à cette valeur. La longueur du détour peut être spécifiée sous forme de valeur absolue ou de pourcentage (par exemple 50 %) d'un trajet direct. Une valeur de 0 désactivera cette option." msgid "mm or %" msgstr "mm ou %" @@ -9902,39 +8567,20 @@ msgstr "mm ou %" msgid "Other layers" msgstr "Autres couches" -msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the Cool Plate" -msgstr "" -"Il s'agit de la température du plateau pour toutes les couches à l'exception " -"de la première. Une valeur à 0 signifie que ce filament ne peut pas être " -"imprimé sur le plateau froid (\"Cool plate\")." +msgid "Bed temperature for layers except the initial one. Value 0 means the filament does not support to print on the Cool Plate" +msgstr "Il s'agit de la température du plateau pour toutes les couches à l'exception de la première. Une valeur à 0 signifie que ce filament ne peut pas être imprimé sur le plateau froid (\"Cool plate\")." msgid "°C" msgstr "°C" -msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the Engineering Plate" -msgstr "" -"Il s'agit de la température du plateau pour toutes les couches à l'exception " -"de la première. Une valeur à 0 signifie que ce filament ne peut pas être " -"imprimé sur la plaque Engineering." +msgid "Bed temperature for layers except the initial one. Value 0 means the filament does not support to print on the Engineering Plate" +msgstr "Il s'agit de la température du plateau pour toutes les couches à l'exception de la première. Une valeur à 0 signifie que ce filament ne peut pas être imprimé sur la plaque Engineering." -msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the High Temp Plate" -msgstr "" -"Il s'agit de la température du plateau pour toutes les couches à l'exception " -"de la première. Une valeur à 0 signifie que ce filament ne peut pas être " -"imprimé sur le plateau haute température (\"High Temp plate\")." +msgid "Bed temperature for layers except the initial one. Value 0 means the filament does not support to print on the High Temp Plate" +msgstr "Il s'agit de la température du plateau pour toutes les couches à l'exception de la première. Une valeur à 0 signifie que ce filament ne peut pas être imprimé sur le plateau haute température (\"High Temp plate\")." -msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the Textured PEI Plate" -msgstr "" -"Température du plateau après la première couche. 0 signifie que le filament " -"n'est pas supporté par la plaque PEI texturée." +msgid "Bed temperature for layers except the initial one. Value 0 means the filament does not support to print on the Textured PEI Plate" +msgstr "Température du plateau après la première couche. 0 signifie que le filament n'est pas supporté par la plaque PEI texturée." msgid "Initial layer" msgstr "Couche initiale" @@ -9942,36 +8588,17 @@ msgstr "Couche initiale" msgid "Initial layer bed temperature" msgstr "Température du plateau lors de la couche initiale" -msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not " -"support to print on the Cool Plate" -msgstr "" -"Il s'agit de la température du plateau pour la première couche. Une valeur à " -"0 signifie que ce filament ne peut pas être imprimé sur le plateau froid " -"(\"Cool plate\")." +msgid "Bed temperature of the initial layer. Value 0 means the filament does not support to print on the Cool Plate" +msgstr "Il s'agit de la température du plateau pour la première couche. Une valeur à 0 signifie que ce filament ne peut pas être imprimé sur le plateau froid (\"Cool plate\")." -msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not " -"support to print on the Engineering Plate" -msgstr "" -"Il s'agit de la température du plateau pour la première couche. Une valeur à " -"0 signifie que ce filament ne peut pas être imprimé sur le plateau " -"Engineering." +msgid "Bed temperature of the initial layer. Value 0 means the filament does not support to print on the Engineering Plate" +msgstr "Il s'agit de la température du plateau pour la première couche. Une valeur à 0 signifie que ce filament ne peut pas être imprimé sur le plateau Engineering." -msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not " -"support to print on the High Temp Plate" -msgstr "" -"Il s'agit de la température du plateau pour la première couche. Une valeur à " -"0 signifie que ce filament ne peut pas être imprimé sur le plateau haute " -"température (\"High Temp plate\")." +msgid "Bed temperature of the initial layer. Value 0 means the filament does not support to print on the High Temp Plate" +msgstr "Il s'agit de la température du plateau pour la première couche. Une valeur à 0 signifie que ce filament ne peut pas être imprimé sur le plateau haute température (\"High Temp plate\")." -msgid "" -"Bed temperature of the initial layer. Value 0 means the filament does not " -"support to print on the Textured PEI Plate" -msgstr "" -"La température du plateau à la première couche. La valeur 0 signifie que le " -"filament n'est pas supporté sur la plaque PEI texturée." +msgid "Bed temperature of the initial layer. Value 0 means the filament does not support to print on the Textured PEI Plate" +msgstr "La température du plateau à la première couche. La valeur 0 signifie que le filament n'est pas supporté sur la plaque PEI texturée." msgid "Bed types supported by the printer" msgstr "Types de plateaux pris en charge par l'imprimante" @@ -9995,69 +8622,49 @@ msgid "Other layers filament sequence" msgstr "Séquence de filament des autres couches" msgid "This G-code is inserted at every layer change before lifting z" -msgstr "" -"Ce G-code est inséré à chaque changement de couche avant le levage du Z" +msgstr "Ce G-code est inséré à chaque changement de couche avant le levage du Z" msgid "Bottom shell layers" msgstr "Couches inférieures de la coque" -msgid "" -"This is the number of solid layers of bottom shell, including the bottom " -"surface layer. When the thickness calculated by this value is thinner than " -"bottom shell thickness, the bottom shell layers will be increased" -msgstr "" -"Il s'agit du nombre de couches pleines de coque inférieure, y compris la " -"couche de surface inférieure. Lorsque l'épaisseur calculée par cette valeur " -"est plus fine que l'épaisseur de la coque inférieure, les couches de la " -"coque inférieure seront augmentées" +msgid "This is the number of solid layers of bottom shell, including the bottom surface layer. When the thickness calculated by this value is thinner than bottom shell thickness, the bottom shell layers will be increased" +msgstr "Il s'agit du nombre de couches pleines de coque inférieure, y compris la couche de surface inférieure. Lorsque l'épaisseur calculée par cette valeur est plus fine que l'épaisseur de la coque inférieure, les couches de la coque inférieure seront augmentées" msgid "Bottom shell thickness" msgstr "Épaisseur de la coque inférieure" -msgid "" -"The number of bottom solid layers is increased when slicing if the thickness " -"calculated by bottom shell layers is thinner than this value. This can avoid " -"having too thin shell when layer height is small. 0 means that this setting " -"is disabled and thickness of bottom shell is absolutely determained by " -"bottom shell layers" -msgstr "" -"Le nombre de couches pleines inférieures est augmenté lors du découpage si " -"l'épaisseur calculée par les couches de coque inférieures est inférieure à " -"cette valeur. Cela peut éviter d'avoir une coque trop fine lorsque la " -"hauteur de couche est faible. 0 signifie que ce paramètre est désactivé et " -"que l'épaisseur de la coque inférieure est absolument déterminée par les " -"couches de la coque inférieure" +msgid "The number of bottom solid layers is increased when slicing if the thickness calculated by bottom shell layers is thinner than this value. This can avoid having too thin shell when layer height is small. 0 means that this setting is disabled and thickness of bottom shell is absolutely determained by bottom shell layers" +msgstr "Le nombre de couches pleines inférieures est augmenté lors du découpage si l'épaisseur calculée par les couches de coque inférieures est inférieure à cette valeur. Cela peut éviter d'avoir une coque trop fine lorsque la hauteur de couche est faible. 0 signifie que ce paramètre est désactivé et que l'épaisseur de la coque inférieure est absolument déterminée par les couches de la coque inférieure" msgid "Apply gap fill" msgstr "Remplissage des trous" msgid "" -"Enables gap fill for the selected solid surfaces. The minimum gap length " -"that will be filled can be controlled from the filter out tiny gaps option " -"below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length that will be filled can be controlled from the filter out tiny gaps option below.\n" "\n" "Options:\n" -"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " -"for maximum strength\n" -"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only, balancing print speed, reducing potential over extrusion in the solid " -"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces for maximum strength\n" +"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces only, balancing print speed, reducing potential over extrusion in the solid infill and making sure the top and bottom surfaces have no pin hole gaps\n" "3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" -"Note that if using the classic perimeter generator, gap fill may also be " -"generated between perimeters, if a full width line cannot fit between them. " -"That perimeter gap fill is not controlled by this setting. \n" +"Note that if using the classic perimeter generator, gap fill may also be generated between perimeters, if a full width line cannot fit between them. That perimeter gap fill is not controlled by this setting. \n" "\n" -"If you would like all gap fill, including the classic perimeter generated " -"one, removed, set the filter out tiny gaps value to a large number, like " -"999999. \n" +"If you would like all gap fill, including the classic perimeter generated one, removed, set the filter out tiny gaps value to a large number, like 999999. \n" "\n" -"However this is not advised, as gap fill between perimeters is contributing " -"to the model's strength. For models where excessive gap fill is generated " -"between perimeters, a better option would be to switch to the arachne wall " -"generator and use this option to control whether the cosmetic top and bottom " -"surface gap fill is generated" +"However this is not advised, as gap fill between perimeters is contributing to the model's strength. For models where excessive gap fill is generated between perimeters, a better option would be to switch to the arachne wall generator and use this option to control whether the cosmetic top and bottom surface gap fill is generated" msgstr "" +"Active le remplissage des espaces pour les surfaces solides sélectionnées. La longueur minimale de l'espace qui sera comblé peut être contrôlée à partir de l'option « Filtrer les petits espaces » ci-dessous.\n" +"\n" +"Options :\n" +"1. Partout : Applique le remplissage de l'espace aux faces supérieures, inférieures et internes des solides pour une résistance maximale.\n" +"2. Surfaces supérieure et inférieure : Remplissage des espaces uniquement sur les faces supérieure et inférieure, ce qui permet d'équilibrer la vitesse d'impression, de réduire les risques de sur-extrusion dans le remplissage solide et de s'assurer que les faces supérieure et inférieure ne présentent pas de trous d'épingle.\n" +"3. Nulle part : Désactive le remplissage de l'espace pour toutes les zones de remplissage solide. \n" +"\n" +"Notez que si vous utilisez le générateur de périmètre classique, le remplissage de l’espace peut également être généré entre les périmètres, si une ligne de largeur complète ne peut pas tenir entre eux. Ce remplissage du périmètre n’est pas contrôlé par ce paramètre. \n" +"\n" +"Si vous souhaitez que tous les espaces, y compris ceux générés par le périmètre classique, soient supprimés, définissez la valeur de filtrage des petits espaces sur un grand nombre, comme 999999. \n" +"\n" +"Il n’est toutefois pas conseillé de procéder ainsi, car le remplissage des espaces entre les périmètres contribue à la solidité du modèle. Pour les modèles où un remplissage excessif est généré entre les périmètres, une meilleure option serait de passer au générateur de parois Arachne et d’utiliser cette option pour contrôler si le remplissage cosmétique des surfaces supérieures et inférieures est généré." msgid "Everywhere" msgstr "Partout" @@ -10071,97 +8678,69 @@ msgstr "Nulle part" msgid "Force cooling for overhang and bridge" msgstr "Forcer la ventilation pour les surplombs et ponts" -msgid "" -"Enable this option to optimize part cooling fan speed for overhang and " -"bridge to get better cooling" -msgstr "" -"Activez cette option pour optimiser la vitesse du ventilateur de " -"refroidissement des pièces pour le surplomb et le pont afin d'obtenir un " -"meilleur refroidissement" +msgid "Enable this option to optimize part cooling fan speed for overhang and bridge to get better cooling" +msgstr "Activez cette option pour optimiser la vitesse du ventilateur de refroidissement des pièces pour le surplomb et le pont afin d'obtenir un meilleur refroidissement" msgid "Fan speed for overhang" msgstr "Vitesse du ventilateur pour les surplombs" -msgid "" -"Force part cooling fan to be this speed when printing bridge or overhang " -"wall which has large overhang degree. Forcing cooling for overhang and " -"bridge can get better quality for these part" -msgstr "" -"Forcez le ventilateur de refroidissement des pièces à être à cette vitesse " -"lors de l'impression d'un pont ou d'une paroi en surplomb qui a un degré de " -"surplomb important. Forcer le refroidissement pour les surplombs et le pont " -"pour obtenir une meilleure qualité pour ces pièces." +msgid "Force part cooling fan to be this speed when printing bridge or overhang wall which has large overhang degree. Forcing cooling for overhang and bridge can get better quality for these part" +msgstr "Forcez le ventilateur de refroidissement des pièces à être à cette vitesse lors de l'impression d'un pont ou d'une paroi en surplomb qui a un degré de surplomb important. Forcer le refroidissement pour les surplombs et le pont pour obtenir une meilleure qualité pour ces pièces." msgid "Cooling overhang threshold" msgstr "Seuil de dépassement de refroidissement" #, c-format -msgid "" -"Force cooling fan to be specific speed when overhang degree of printed part " -"exceeds this value. Expressed as percentage which indicides how much width " -"of the line without support from lower layer. 0% means forcing cooling for " -"all outer wall no matter how much overhang degree" -msgstr "" -"Forcer le ventilateur de refroidissement à atteindre une vitesse spécifique " -"lorsque le degré de surplomb de la pièce imprimée dépasse cette valeur. Ceci " -"est exprimé en pourcentage qui indique la largeur de la ligne sans support " -"provenant de la couche inférieure. 0%% signifie un refroidissement forcé de " -"toutes les parois extérieures, quel que soit le degré de surplomb." +msgid "Force cooling fan to be specific speed when overhang degree of printed part exceeds this value. Expressed as percentage which indicides how much width of the line without support from lower layer. 0% means forcing cooling for all outer wall no matter how much overhang degree" +msgstr "Forcer le ventilateur de refroidissement à atteindre une vitesse spécifique lorsque le degré de surplomb de la pièce imprimée dépasse cette valeur. Ceci est exprimé en pourcentage qui indique la largeur de la ligne sans support provenant de la couche inférieure. 0%% signifie un refroidissement forcé de toutes les parois extérieures, quel que soit le degré de surplomb." msgid "Bridge infill direction" msgstr "Direction du remplissage des ponts" -msgid "" -"Bridging angle override. If left to zero, the bridging angle will be " -"calculated automatically. Otherwise the provided angle will be used for " -"external bridges. Use 180°for zero angle." -msgstr "" -"Forçage de l’angle des ponts. S’il est laissé à zéro, l’angle des ponts sera " -"calculé automatiquement. Sinon, l’angle fourni sera utilisé pour les ponts " -"externes. Utilisez 180° pour un angle nul." +msgid "Bridging angle override. If left to zero, the bridging angle will be calculated automatically. Otherwise the provided angle will be used for external bridges. Use 180°for zero angle." +msgstr "Forçage de l’angle des ponts. S’il est laissé à zéro, l’angle des ponts sera calculé automatiquement. Sinon, l’angle fourni sera utilisé pour les ponts externes. Utilisez 180° pour un angle nul." msgid "Bridge density" msgstr "Densité des ponts" msgid "Density of external bridges. 100% means solid bridge. Default is 100%." -msgstr "" -"Densité des ponts externes, Une valeur à 100% signifie un pont plein. La " -"valeur par défaut est 100%." +msgstr "Densité des ponts externes, Une valeur à 100% signifie un pont plein. La valeur par défaut est 100%." msgid "Bridge flow ratio" msgstr "Débit des ponts" msgid "" -"Decrease this value slightly(for example 0.9) to reduce the amount of " -"material for bridge, to improve sag. \n" +"Decrease this value slightly(for example 0.9) to reduce the amount of material for bridge, to improve sag. \n" "\n" -"The actual bridge flow used is calculated by multiplying this value with the " -"filament flow ratio, and if set, the object's flow ratio." +"The actual bridge flow used is calculated by multiplying this value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Diminuez légèrement cette valeur (par exemple 0,9) pour réduire la quantité de matériau pour le pont, afin d’améliorer l’affaissement. \n" +"\n" +"Le débit réel du pont utilisé est calculé en multipliant cette valeur par le rapport de débit du filament et, s’il est défini, par le rapport de débit de l’objet." msgid "Internal bridge flow ratio" msgstr "Ratio de débit du pont interne" msgid "" -"This value governs the thickness of the internal bridge layer. This is the " -"first layer over sparse infill. Decrease this value slightly (for example " -"0.9) to improve surface quality over sparse infill.\n" +"This value governs the thickness of the internal bridge layer. This is the first layer over sparse infill. Decrease this value slightly (for example 0.9) to improve surface quality over sparse infill.\n" "\n" -"The actual internal bridge flow used is calculated by multiplying this value " -"with the bridge flow ratio, the filament flow ratio, and if set, the " -"object's flow ratio." +"The actual internal bridge flow used is calculated by multiplying this value with the bridge flow ratio, the filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Cette valeur détermine l’épaisseur de la couche de pont interne. Il s’agit de la première couche au-dessus d’un remplissage peu dense. Diminuez légèrement cette valeur (par exemple 0,9) pour améliorer la qualité de la surface sur un remplissage peu dense.\n" +"\n" +"Le débit du pont interne utilisé est calculé en multipliant cette valeur par le rapport de débit du pont, le rapport de débit du filament et, s’il est défini, le rapport de débit de l’objet." msgid "Top surface flow ratio" msgstr "Ratio du débit des surfaces supérieures" msgid "" -"This factor affects the amount of material for top solid infill. You can " -"decrease it slightly to have smooth surface finish. \n" +"This factor affects the amount of material for top solid infill. You can decrease it slightly to have smooth surface finish. \n" "\n" -"The actual top surface flow used is calculated by multiplying this value " -"with the filament flow ratio, and if set, the object's flow ratio." +"The actual top surface flow used is calculated by multiplying this value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Ce facteur affecte la quantité de matériau pour le remplissage du massif supérieur. Vous pouvez le réduire légèrement pour obtenir une finition de surface lisse. \n" +"\n" +"Le débit réel de la surface supérieure utilisé est calculé en multipliant cette valeur par le rapport de débit du filament et, s’il est défini, par le rapport de débit de l’objet." msgid "Bottom surface flow ratio" msgstr "Ratio du débit des surfaces inférieures" @@ -10169,77 +8748,50 @@ msgstr "Ratio du débit des surfaces inférieures" msgid "" "This factor affects the amount of material for bottom solid infill. \n" "\n" -"The actual bottom solid infill flow used is calculated by multiplying this " -"value with the filament flow ratio, and if set, the object's flow ratio." +"The actual bottom solid infill flow used is calculated by multiplying this value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Ce facteur affecte la quantité de matériau pour le remplissage solide du fond. \n" +"\n" +"Le débit réel du remplissage solide inférieur utilisé est calculé en multipliant cette valeur par le rapport de débit du filament et, s’il est défini, par le rapport de débit de l’objet." msgid "Precise wall" msgstr "Parois précises" msgid "" -"Improve shell precision by adjusting outer wall spacing. This also improves " -"layer consistency.\n" -"Note: This setting will only take effect if the wall sequence is configured " -"to Inner-Outer" +"Improve shell precision by adjusting outer wall spacing. This also improves layer consistency.\n" +"Note: This setting will only take effect if the wall sequence is configured to Inner-Outer" msgstr "" -"Améliorez la précision de la coque en ajustant l’espacement des parois " -"extérieures. Cela permet également d’améliorer la cohérence des couches.\n" -"Remarque : ce paramètre n’a d’effet que si la séquence des parois est " -"configurée sur Intérieur-Extérieur." +"Améliorez la précision de la coque en ajustant l’espacement des parois extérieures. Cela permet également d’améliorer la cohérence des couches.\n" +"Remarque : ce paramètre n’a d’effet que si la séquence des parois est configurée sur Intérieur-Extérieur." msgid "Only one wall on top surfaces" msgstr "Une seule paroi sur les surfaces supérieures" -msgid "" -"Use only one wall on flat top surface, to give more space to the top infill " -"pattern" -msgstr "" -"N'utilisez qu'une seule paroi sur les surfaces supérieures planes, afin de " -"donner plus d'espace au motif de remplissage supérieur." +msgid "Use only one wall on flat top surface, to give more space to the top infill pattern" +msgstr "N'utilisez qu'une seule paroi sur les surfaces supérieures planes, afin de donner plus d'espace au motif de remplissage supérieur." msgid "One wall threshold" msgstr "Seuil de paroi unique" #, no-c-format, no-boost-format msgid "" -"If a top surface has to be printed and it's partially covered by another " -"layer, it won't be considered at a top layer where its width is below this " -"value. This can be useful to not let the 'one perimeter on top' trigger on " -"surface that should be covered only by perimeters. This value can be a mm or " -"a % of the perimeter extrusion width.\n" -"Warning: If enabled, artifacts can be created if you have some thin features " -"on the next layer, like letters. Set this setting to 0 to remove these " -"artifacts." +"If a top surface has to be printed and it's partially covered by another layer, it won't be considered at a top layer where its width is below this value. This can be useful to not let the 'one perimeter on top' trigger on surface that should be covered only by perimeters. This value can be a mm or a % of the perimeter extrusion width.\n" +"Warning: If enabled, artifacts can be created if you have some thin features on the next layer, like letters. Set this setting to 0 to remove these artifacts." msgstr "" -"Si une surface supérieure doit être imprimée et qu’elle est partiellement " -"couverte par une autre couche, elle ne sera pas considérée comme une couche " -"supérieure si sa largeur est inférieure à cette valeur. Cela peut être utile " -"pour ne pas déclencher l’option « un périmètre sur le dessus » sur des " -"surfaces qui ne devraient être couvertes que par des périmètres. Cette " -"valeur peut être un mm ou un % de la largeur d’extrusion du périmètre.\n" -"Attention : Si cette option est activée, des artefacts peuvent être créés si " -"vous avez des éléments fins sur la couche suivante, comme des lettres. " -"Réglez ce paramètre à 0 pour supprimer ces artefacts." +"Si une surface supérieure doit être imprimée et qu’elle est partiellement couverte par une autre couche, elle ne sera pas considérée comme une couche supérieure si sa largeur est inférieure à cette valeur. Cela peut être utile pour ne pas déclencher l’option « un périmètre sur le dessus » sur des surfaces qui ne devraient être couvertes que par des périmètres. Cette valeur peut être un mm ou un % de la largeur d’extrusion du périmètre.\n" +"Attention : Si cette option est activée, des artefacts peuvent être créés si vous avez des éléments fins sur la couche suivante, comme des lettres. Réglez ce paramètre à 0 pour supprimer ces artefacts." msgid "Only one wall on first layer" msgstr "Une seule paroi sur la première couche" -msgid "" -"Use only one wall on first layer, to give more space to the bottom infill " -"pattern" -msgstr "" -"Utiliser qu’une seule paroi sur la première couche, pour donner plus " -"d’espace au motif de remplissage inférieur" +msgid "Use only one wall on first layer, to give more space to the bottom infill pattern" +msgstr "Utiliser qu’une seule paroi sur la première couche, pour donner plus d’espace au motif de remplissage inférieur" msgid "Extra perimeters on overhangs" msgstr "Parois supplémentaires sur les surplombs" -msgid "" -"Create additional perimeter paths over steep overhangs and areas where " -"bridges cannot be anchored. " -msgstr "" -"Créer des chemins de périmètres supplémentaires sur les surplombs abrupts et " -"les zones où les ponts ne peuvent pas être ancrés. " +msgid "Create additional perimeter paths over steep overhangs and areas where bridges cannot be anchored. " +msgstr "Créer des chemins de périmètres supplémentaires sur les surplombs abrupts et les zones où les ponts ne peuvent pas être ancrés. " msgid "Reverse on odd" msgstr "Parois inversées sur couches impaires" @@ -10248,19 +8800,13 @@ msgid "Overhang reversal" msgstr "Inversion du surplomb" msgid "" -"Extrude perimeters that have a part over an overhang in the reverse " -"direction on odd layers. This alternating pattern can drastically improve " -"steep overhangs.\n" +"Extrude perimeters that have a part over an overhang in the reverse direction on odd layers. This alternating pattern can drastically improve steep overhangs.\n" "\n" -"This setting can also help reduce part warping due to the reduction of " -"stresses in the part walls." +"This setting can also help reduce part warping due to the reduction of stresses in the part walls." msgstr "" -"Extruder les périmètres dont une partie se trouve au-dessus d’un surplomb " -"dans le sens inverse sur les couches impaires. Ce motif alternatif peut " -"améliorer considérablement les surplombs abrupts.\n" +"Extruder les périmètres dont une partie se trouve au-dessus d’un surplomb dans le sens inverse sur les couches impaires. Ce motif alternatif peut améliorer considérablement les surplombs abrupts.\n" "\n" -"Ce paramètre peut également contribuer à réduire le gauchissement de la " -"pièce en raison de la réduction des contraintes dans les parois de la pièce." +"Ce paramètre peut également contribuer à réduire le gauchissement de la pièce en raison de la réduction des contraintes dans les parois de la pièce." msgid "Reverse only internal perimeters" msgstr "Inverser uniquement les périmètres internes" @@ -10268,50 +8814,29 @@ msgstr "Inverser uniquement les périmètres internes" msgid "" "Apply the reverse perimeters logic only on internal perimeters. \n" "\n" -"This setting greatly reduces part stresses as they are now distributed in " -"alternating directions. This should reduce part warping while also " -"maintaining external wall quality. This feature can be very useful for warp " -"prone material, like ABS/ASA, and also for elastic filaments, like TPU and " -"Silk PLA. It can also help reduce warping on floating regions over " -"supports.\n" +"This setting greatly reduces part stresses as they are now distributed in alternating directions. This should reduce part warping while also maintaining external wall quality. This feature can be very useful for warp prone material, like ABS/ASA, and also for elastic filaments, like TPU and Silk PLA. It can also help reduce warping on floating regions over supports.\n" "\n" -"For this setting to be the most effective, it is recomended to set the " -"Reverse Threshold to 0 so that all internal walls print in alternating " -"directions on odd layers irrespective of their overhang degree." +"For this setting to be the most effective, it is recomended to set the Reverse Threshold to 0 so that all internal walls print in alternating directions on odd layers irrespective of their overhang degree." msgstr "" -"Appliquer la logique d’inversion des périmètres uniquement sur les " -"périmètres internes. \n" +"Appliquer la logique d’inversion des périmètres uniquement sur les périmètres internes. \n" "\n" -"Ce paramètre réduit considérablement les contraintes exercées sur les " -"pièces, car elles sont désormais réparties dans des directions alternées. " -"Cela devrait réduire la déformation des pièces tout en maintenant la qualité " -"des parois externes. Cette fonction peut être très utile pour les matériaux " -"sujets à la déformation, comme l’ABS/ASA, ainsi que pour les filaments " -"élastiques, comme le TPU et le Silk PLA. Elle peut également contribuer à " -"réduire le gauchissement des régions flottantes sur les supports.\n" +"Ce paramètre réduit considérablement les contraintes exercées sur les pièces, car elles sont désormais réparties dans des directions alternées. Cela devrait réduire la déformation des pièces tout en maintenant la qualité des parois externes. Cette fonction peut être très utile pour les matériaux sujets à la déformation, comme l’ABS/ASA, ainsi que pour les filaments élastiques, comme le TPU et le Silk PLA. Elle peut également contribuer à réduire le gauchissement des régions flottantes sur les supports.\n" "\n" -"Pour que ce paramètre soit le plus efficace possible, il est recommandé de " -"régler le seuil d’inversion sur 0 afin que toutes les parois internes " -"s’impriment dans des directions alternées sur les couches impaires, quel que " -"soit leur degré de surplomb." +"Pour que ce paramètre soit le plus efficace possible, il est recommandé de régler le seuil d’inversion sur 0 afin que toutes les parois internes s’impriment dans des directions alternées sur les couches impaires, quel que soit leur degré de surplomb." msgid "Bridge counterbore holes" msgstr "Trous d'alésage pour le pont" msgid "" -"This option creates bridges for counterbore holes, allowing them to be " -"printed without support. Available modes include:\n" +"This option creates bridges for counterbore holes, allowing them to be printed without support. Available modes include:\n" "1. None: No bridge is created.\n" "2. Partially Bridged: Only a part of the unsupported area will be bridged.\n" "3. Sacrificial Layer: A full sacrificial bridge layer is created." msgstr "" -"Cette option crée des ponts pour les trous d'alésage, ce qui permet de les " -"imprimer sans support. Les modes disponibles sont les suivants\n" +"Cette option crée des ponts pour les trous d'alésage, ce qui permet de les imprimer sans support. Les modes disponibles sont les suivants\n" "1. Aucun : Aucun pont n’est créé.\n" -"2. Partiellement connecté : Seule une partie de la zone non prise en charge " -"sera connectée.\n" -"3. Couche sacrificielle : Une couche de pont sacrificielle complète est " -"créée." +"2. Partiellement connecté : Seule une partie de la zone non prise en charge sera connectée.\n" +"3. Couche sacrificielle : Une couche de pont sacrificielle complète est créée." msgid "Partially bridged" msgstr "Partiellement connecté" @@ -10327,12 +8852,10 @@ msgstr "Seuil d’inversion des surplombs" #, no-c-format, no-boost-format msgid "" -"Number of mm the overhang need to be for the reversal to be considered " -"useful. Can be a % of the perimeter width.\n" +"Number of mm the overhang need to be for the reversal to be considered useful. Can be a % of the perimeter width.\n" "Value 0 enables reversal on every odd layers regardless." msgstr "" -"Nombre de mm de dépassement nécessaire pour que l’inversion soit considérée " -"comme utile. Il peut s’agir d’un pourcentage de la largeur du périmètre.\n" +"Nombre de mm de dépassement nécessaire pour que l’inversion soit considérée comme utile. Il peut s’agir d’un pourcentage de la largeur du périmètre.\n" "La valeur 0 permet l’inversion sur toutes les couches impaires." msgid "Classic mode" @@ -10345,33 +8868,24 @@ msgid "Slow down for overhang" msgstr "Ralentir pour le surplomb" msgid "Enable this option to slow printing down for different overhang degree" -msgstr "" -"Activez cette option pour ralentir l'impression pour différents degrés de " -"surplomb" +msgstr "Activez cette option pour ralentir l'impression pour différents degrés de surplomb" msgid "Slow down for curled perimeters" msgstr "Ralentir lors des périmètres courbés" #, c-format, boost-format msgid "" -"Enable this option to slow down printing in areas where perimeters may have " -"curled upwards.For example, additional slowdown will be applied when " -"printing overhangs on sharp corners like the front of the Benchy hull, " -"reducing curling which compounds over multiple layers.\n" +"Enable this option to slow down printing in areas where perimeters may have curled upwards.For example, additional slowdown will be applied when printing overhangs on sharp corners like the front of the Benchy hull, reducing curling which compounds over multiple layers.\n" "\n" -" It is generally recommended to have this option switched on unless your " -"printer cooling is powerful enough or the print speed slow enough that " -"perimeter curling does not happen. If printing with a high external " -"perimeter speed, this parameter may introduce slight artifacts when slowing " -"down due to the large variance in print speeds. If you notice artifacts, " -"ensure your pressure advance is tuned correctly.\n" +" It is generally recommended to have this option switched on unless your printer cooling is powerful enough or the print speed slow enough that perimeter curling does not happen. If printing with a high external perimeter speed, this parameter may introduce slight artifacts when slowing down due to the large variance in print speeds. If you notice artifacts, ensure your pressure advance is tuned correctly.\n" "\n" -"Note: When this option is enabled, overhang perimeters are treated like " -"overhangs, meaning the overhang speed is applied even if the overhanging " -"perimeter is part of a bridge. For example, when the perimeters are " -"100% overhanging, with no wall supporting them from underneath, the " -"100% overhang speed will be applied." +"Note: When this option is enabled, overhang perimeters are treated like overhangs, meaning the overhang speed is applied even if the overhanging perimeter is part of a bridge. For example, when the perimeters are 100%% overhanging, with no wall supporting them from underneath, the 100%% overhang speed will be applied." msgstr "" +"Activez cette option pour ralentir l'impression dans les zones où les périmètres peuvent s'être incurvés vers le haut. Par exemple, un ralentissement supplémentaire sera appliqué lors de l'impression de surplombs sur des angles aigus comme l'avant de la coque du Benchy, réduisant ainsi l'enroulement qui s'aggrave sur plusieurs couches.\n" +"\n" +"Il est généralement recommandé d’activer cette option à moins que le refroidissement de votre imprimante soit suffisamment puissant ou que la vitesse d’impression soit suffisamment lente pour que le phénomène de recourbement du périmètre ne se produise pas. Si vous imprimez avec une vitesse de périmètre externe élevée, ce paramètre peut introduire de légers artefacts lors du ralentissement en raison de la grande variance des vitesses d’impression. Si vous remarquez des artefacts, assurez-vous que votre avance de pression est réglée correctement.\n" +"\n" +"Remarque : lorsque cette option est activée, les périmètres en surplomb sont traités comme des surplombs, ce qui signifie que la vitesse de surplomb est appliquée même si le périmètre en surplomb fait partie d’un pont. Par exemple, lorsque les périmètres sont en surplomb de 100%%, sans paroi les soutenant par en dessous, la vitesse de surplomb de 100%% sera appliquée." msgid "mm/s or %" msgstr "mm/s ou %" @@ -10382,11 +8896,11 @@ msgstr "Externe" msgid "" "Speed of the externally visible bridge extrusions. \n" "\n" -"In addition, if Slow down for curled perimeters is disabled or Classic " -"overhang mode is enabled, it will be the print speed of overhang walls that " -"are supported by less than 13%, whether they are part of a bridge or an " -"overhang." +"In addition, if Slow down for curled perimeters is disabled or Classic overhang mode is enabled, it will be the print speed of overhang walls that are supported by less than 13%, whether they are part of a bridge or an overhang." msgstr "" +"Vitesse des extrusions de pont visible de l’extérieur. \n" +"\n" +"En outre, si la fonction Ralentir pour les périmètres courbés est désactivée ou si le mode Surplomb classique est activé, il s’agira de la vitesse d’impression des parois en surplomb dont l’appui est inférieur à 13 %, qu’elles fassent partie d’un pont ou d’un surplomb." msgid "mm/s" msgstr "mm/s" @@ -10394,10 +8908,8 @@ msgstr "mm/s" msgid "Internal" msgstr "Interne" -msgid "" -"Speed of internal bridges. If the value is expressed as a percentage, it " -"will be calculated based on the bridge_speed. Default value is 150%." -msgstr "" +msgid "Speed of internal bridges. If the value is expressed as a percentage, it will be calculated based on the bridge_speed. Default value is 150%." +msgstr "Vitesse des ponts internes. Si la valeur est exprimée en pourcentage, elle sera calculée sur la base de la vitesse du pont. La valeur par défaut est 150%." msgid "Brim width" msgstr "Largeur de la bordure" @@ -10408,23 +8920,14 @@ msgstr "Distance du modèle à la ligne de bord la plus externe" msgid "Brim type" msgstr "Type de bordure" -msgid "" -"This controls the generation of the brim at outer and/or inner side of " -"models. Auto means the brim width is analysed and calculated automatically." -msgstr "" -"Cela permet de contrôler la génération de bordure extérieur et/ou intérieur " -"des modèles. Auto signifie que la largeur de bordure est analysée et " -"calculée automatiquement." +msgid "This controls the generation of the brim at outer and/or inner side of models. Auto means the brim width is analysed and calculated automatically." +msgstr "Cela permet de contrôler la génération de bordure extérieur et/ou intérieur des modèles. Auto signifie que la largeur de bordure est analysée et calculée automatiquement." msgid "Brim-object gap" msgstr "Écart bord-objet" -msgid "" -"A gap between innermost brim line and object can make brim be removed more " -"easily" -msgstr "" -"Un espace entre la ligne de bord la plus interne et l'objet peut faciliter " -"le retrait du bord" +msgid "A gap between innermost brim line and object can make brim be removed more easily" +msgstr "Un espace entre la ligne de bord la plus interne et l'objet peut faciliter le retrait du bord" msgid "Brim ears" msgstr "Bordures à oreilles" @@ -10442,19 +8945,16 @@ msgid "" msgstr "" "Angle maximum pour laisser apparaître la bordure à oreilles.\n" "S’il est défini sur 0, aucune bordure ne sera créée.\n" -"S’il est réglé sur ~180, la bordure sera créée sur tout sauf les sections " -"droites." +"S’il est réglé sur ~180, la bordure sera créée sur tout sauf les sections droites." msgid "Brim ear detection radius" msgstr "Rayon de détection de la bordure à oreilles" msgid "" -"The geometry will be decimated before dectecting sharp angles. This " -"parameter indicates the minimum length of the deviation for the decimation.\n" +"The geometry will be decimated before dectecting sharp angles. This parameter indicates the minimum length of the deviation for the decimation.\n" "0 to deactivate" msgstr "" -"La géométrie sera décimée avant de détecter les angles vifs. Ce paramètre " -"indique la longueur minimale de l’écart pour la décimation.\n" +"La géométrie sera décimée avant de détecter les angles vifs. Ce paramètre indique la longueur minimale de l’écart pour la décimation.\n" "0 pour désactiver" msgid "Compatible machine" @@ -10493,27 +8993,14 @@ msgstr "En tant que liste d’objets" msgid "Slow printing down for better layer cooling" msgstr "Impression lente pour un meilleur refroidissement des couches" -msgid "" -"Enable this option to slow printing speed down to make the final layer time " -"not shorter than the layer time threshold in \"Max fan speed threshold\", so " -"that layer can be cooled for longer time. This can improve the cooling " -"quality for needle and small details" -msgstr "" -"Activez cette option pour ralentir la vitesse d'impression afin que le temps " -"de couche final ne soit pas plus court que le seuil de temps de couche dans " -"\"Seuil de vitesse maximale du ventilateur\", afin que cette couche puisse " -"être refroidie plus longtemps. Cela peut améliorer la qualité de " -"refroidissement pour l'aiguille et les petits détails" +msgid "Enable this option to slow printing speed down to make the final layer time not shorter than the layer time threshold in \"Max fan speed threshold\", so that layer can be cooled for longer time. This can improve the cooling quality for needle and small details" +msgstr "Activez cette option pour ralentir la vitesse d'impression afin que le temps de couche final ne soit pas plus court que le seuil de temps de couche dans \"Seuil de vitesse maximale du ventilateur\", afin que cette couche puisse être refroidie plus longtemps. Cela peut améliorer la qualité de refroidissement pour l'aiguille et les petits détails" msgid "Normal printing" msgstr "Impression normale" -msgid "" -"The default acceleration of both normal printing and travel except initial " -"layer" -msgstr "" -"L'accélération par défaut de l'impression normale et du déplacement à " -"l'exception de la couche initiale" +msgid "The default acceleration of both normal printing and travel except initial layer" +msgstr "L'accélération par défaut de l'impression normale et du déplacement à l'exception de la couche initiale" msgid "mm/s²" msgstr "mm/s²" @@ -10534,19 +9021,13 @@ msgid "Activate air filtration" msgstr "Activer la filtration de l’air" msgid "Activate for better air filtration. G-code command: M106 P3 S(0-255)" -msgstr "" -"Activer pour une meilleure filtration de l’air. Commande G-code : M106 P3 " -"S(0-255)" +msgstr "Activer pour une meilleure filtration de l’air. Commande G-code : M106 P3 S(0-255)" msgid "Fan speed" msgstr "Vitesse du ventilateur" -msgid "" -"Speed of exhaust fan during printing.This speed will overwrite the speed in " -"filament custom gcode" -msgstr "" -"Vitesse du ventilateur d’extraction pendant l’impression. Cette vitesse " -"écrasera la vitesse dans le G-code personnalisé du filament." +msgid "Speed of exhaust fan during printing.This speed will overwrite the speed in filament custom gcode" +msgstr "Vitesse du ventilateur d’extraction pendant l’impression. Cette vitesse écrasera la vitesse dans le G-code personnalisé du filament." msgid "Speed of exhaust fan after printing completes" msgstr "Vitesse du ventilateur d’extraction après l’impression" @@ -10554,109 +9035,58 @@ msgstr "Vitesse du ventilateur d’extraction après l’impression" msgid "No cooling for the first" msgstr "Pas de refroidissement pour" -msgid "" -"Close all cooling fan for the first certain layers. Cooling fan of the first " -"layer used to be closed to get better build plate adhesion" -msgstr "" -"Éteignez tous les ventilateurs de refroidissement pour les premières " -"couches. Cela peut être utilisé pour améliorer l'adhérence à la plaque." +msgid "Close all cooling fan for the first certain layers. Cooling fan of the first layer used to be closed to get better build plate adhesion" +msgstr "Éteignez tous les ventilateurs de refroidissement pour les premières couches. Cela peut être utilisé pour améliorer l'adhérence à la plaque." msgid "Don't support bridges" msgstr "Ne pas supporter les ponts" -msgid "" -"Don't support the whole bridge area which make support very large. Bridge " -"usually can be printing directly without support if not very long" -msgstr "" -"Cela désactive le support des ponts, ce qui diminue le nombre de supports " -"requis. Les ponts peuvent généralement être imprimés directement sans " -"support s'ils ne sont pas très longs." +msgid "Don't support the whole bridge area which make support very large. Bridge usually can be printing directly without support if not very long" +msgstr "Cela désactive le support des ponts, ce qui diminue le nombre de supports requis. Les ponts peuvent généralement être imprimés directement sans support s'ils ne sont pas très longs." msgid "Thick bridges" msgstr "Ponts épais" -msgid "" -"If enabled, bridges are more reliable, can bridge longer distances, but may " -"look worse. If disabled, bridges look better but are reliable just for " -"shorter bridged distances." -msgstr "" -"S'ils sont activés, les ponts sont plus fiables et peuvent couvrir de plus " -"longues distances, mais ils peuvent sembler moins jolis. S'ils sont " -"désactivés, les ponts ont une meilleure apparence mais ne sont fiables que " -"sur de courtes distances." +msgid "If enabled, bridges are more reliable, can bridge longer distances, but may look worse. If disabled, bridges look better but are reliable just for shorter bridged distances." +msgstr "S'ils sont activés, les ponts sont plus fiables et peuvent couvrir de plus longues distances, mais ils peuvent sembler moins jolis. S'ils sont désactivés, les ponts ont une meilleure apparence mais ne sont fiables que sur de courtes distances." msgid "Thick internal bridges" msgstr "Ponts internes épais" -msgid "" -"If enabled, thick internal bridges will be used. It's usually recommended to " -"have this feature turned on. However, consider turning it off if you are " -"using large nozzles." -msgstr "" -"Si cette option est activée, des ponts internes épais seront utilisés. Il " -"est généralement recommandé d’activer cette fonctionnalité. Pensez cependant " -"à la désactiver si vous utilisez des buses larges." +msgid "If enabled, thick internal bridges will be used. It's usually recommended to have this feature turned on. However, consider turning it off if you are using large nozzles." +msgstr "Si cette option est activée, des ponts internes épais seront utilisés. Il est généralement recommandé d’activer cette fonctionnalité. Pensez cependant à la désactiver si vous utilisez des buses larges." msgid "Don't filter out small internal bridges (beta)" msgstr "Ne pas filtrer les petits ponts internes (expérimental)" msgid "" -"This option can help reducing pillowing on top surfaces in heavily slanted " -"or curved models.\n" +"This option can help reducing pillowing on top surfaces in heavily slanted or curved models.\n" "\n" -"By default, small internal bridges are filtered out and the internal solid " -"infill is printed directly over the sparse infill. This works well in most " -"cases, speeding up printing without too much compromise on top surface " -"quality. \n" +"By default, small internal bridges are filtered out and the internal solid infill is printed directly over the sparse infill. This works well in most cases, speeding up printing without too much compromise on top surface quality. \n" "\n" -"However, in heavily slanted or curved models especially where too low sparse " -"infill density is used, this may result in curling of the unsupported solid " -"infill, causing pillowing.\n" +"However, in heavily slanted or curved models especially where too low sparse infill density is used, this may result in curling of the unsupported solid infill, causing pillowing.\n" "\n" -"Enabling this option will print internal bridge layer over slightly " -"unsupported internal solid infill. The options below control the amount of " -"filtering, i.e. the amount of internal bridges created.\n" +"Enabling this option will print internal bridge layer over slightly unsupported internal solid infill. The options below control the amount of filtering, i.e. the amount of internal bridges created.\n" "\n" -"Disabled - Disables this option. This is the default behaviour and works " -"well in most cases.\n" +"Disabled - Disables this option. This is the default behaviour and works well in most cases.\n" "\n" -"Limited filtering - Creates internal bridges on heavily slanted surfaces, " -"while avoiding creating uncessesary interal bridges. This works well for " -"most difficult models.\n" +"Limited filtering - Creates internal bridges on heavily slanted surfaces, while avoiding creating uncessesary interal bridges. This works well for most difficult models.\n" "\n" -"No filtering - Creates internal bridges on every potential internal " -"overhang. This option is useful for heavily slanted top surface models. " -"However, in most cases it creates too many unecessary bridges." +"No filtering - Creates internal bridges on every potential internal overhang. This option is useful for heavily slanted top surface models. However, in most cases it creates too many unecessary bridges." msgstr "" -"Cette option permet de réduire la formation de creux sur les surfaces " -"supérieures des modèles fortement inclinés ou courbés.\n" +"Cette option permet de réduire la formation de creux sur les surfaces supérieures des modèles fortement inclinés ou courbés.\n" "\n" -"Par défaut, les petits ponts internes sont filtrés et le remplissage plein " -"interne est imprimé directement sur le remplissage peu dense. Cela " -"fonctionne bien dans la plupart des cas, accélérant l'impression sans trop " -"compromettre la qualité de la surface supérieure. \n" +"Par défaut, les petits ponts internes sont filtrés et le remplissage plein interne est imprimé directement sur le remplissage peu dense. Cela fonctionne bien dans la plupart des cas, accélérant l'impression sans trop compromettre la qualité de la surface supérieure. \n" "\n" -"Cependant, dans les modèles fortement inclinés ou courbés, en particulier " -"lorsque la densité de remplissage est trop faible, il peut en résulter un " -"enroulement du remplissage plein non soutenu, ce qui provoque un effet de " -"creusement.\n" +"Cependant, dans les modèles fortement inclinés ou courbés, en particulier lorsque la densité de remplissage est trop faible, il peut en résulter un enroulement du remplissage plein non soutenu, ce qui provoque un effet de creusement.\n" "\n" -"L’activation de cette option permet d’imprimer une couche de pont interne " -"sur un remplissage plein interne légèrement non soutenu. Les options ci-" -"dessous contrôlent la quantité de filtrage, c’est-à-dire la quantité de " -"ponts internes créés.\n" +"L’activation de cette option permet d’imprimer une couche de pont interne sur un remplissage plein interne légèrement non soutenu. Les options ci-dessous contrôlent la quantité de filtrage, c’est-à-dire la quantité de ponts internes créés.\n" "\n" -"Désactivé - Désactive cette option. Il s’agit du comportement par défaut, " -"qui fonctionne bien dans la plupart des cas.\n" +"Désactivé - Désactive cette option. Il s’agit du comportement par défaut, qui fonctionne bien dans la plupart des cas.\n" "\n" -"Filtrage limité - Crée des ponts internes sur les surfaces fortement " -"inclinées, tout en évitant de créer des ponts internes inutiles. Cette " -"option fonctionne bien pour la plupart des modèles difficiles.\n" +"Filtrage limité - Crée des ponts internes sur les surfaces fortement inclinées, tout en évitant de créer des ponts internes inutiles. Cette option fonctionne bien pour la plupart des modèles difficiles.\n" "\n" -"Pas de filtrage - Crée des ponts internes sur chaque surplomb interne " -"potentiel. Cette option est utile pour les modèles à surface supérieure " -"fortement inclinée. Cependant, dans la plupart des cas, elle crée trop de " -"ponts inutiles." +"Pas de filtrage - Crée des ponts internes sur chaque surplomb interne potentiel. Cette option est utile pour les modèles à surface supérieure fortement inclinée. Cependant, dans la plupart des cas, elle crée trop de ponts inutiles." msgid "Disabled" msgstr "Désactivé" @@ -10670,15 +9100,8 @@ msgstr "Pas de filtrage" msgid "Max bridge length" msgstr "Longueur max des ponts" -msgid "" -"Max length of bridges that don't need support. Set it to 0 if you want all " -"bridges to be supported, and set it to a very large value if you don't want " -"any bridges to be supported." -msgstr "" -"Il s'agit de la longueur maximale des ponts qui n'ont pas besoin de support. " -"Mettez 0 si vous souhaitez que tous les ponts soient pris en charge, ou " -"mettez une valeur très élevée si vous souhaitez qu'aucun pont ne soit pris " -"en charge." +msgid "Max length of bridges that don't need support. Set it to 0 if you want all bridges to be supported, and set it to a very large value if you don't want any bridges to be supported." +msgstr "Il s'agit de la longueur maximale des ponts qui n'ont pas besoin de support. Mettez 0 si vous souhaitez que tous les ponts soient pris en charge, ou mettez une valeur très élevée si vous souhaitez qu'aucun pont ne soit pris en charge." msgid "End G-code" msgstr "G-code de fin" @@ -10689,12 +9112,8 @@ msgstr "G-code de fin lorsque vous avez terminé toute l'impression" msgid "Between Object Gcode" msgstr "G-code entre objet" -msgid "" -"Insert Gcode between objects. This parameter will only come into effect when " -"you print your models object by object" -msgstr "" -"Insérer le G-code entre les objets. Ce paramètre n’entrera en vigueur que " -"lorsque vous imprimerez vos modèles objet par objet." +msgid "Insert Gcode between objects. This parameter will only come into effect when you print your models object by object" +msgstr "Insérer le G-code entre les objets. Ce paramètre n’entrera en vigueur que lorsque vous imprimerez vos modèles objet par objet." msgid "End G-code when finish the printing of this filament" msgstr "G-code de fin lorsque l'impression de ce filament est terminée" @@ -10703,27 +9122,18 @@ msgid "Ensure vertical shell thickness" msgstr "Assurer l’épaisseur de la coque verticale" msgid "" -"Add solid infill near sloping surfaces to guarantee the vertical shell " -"thickness (top+bottom solid layers)\n" -"None: No solid infill will be added anywhere. Caution: Use this option " -"carefully if your model has sloped surfaces\n" +"Add solid infill near sloping surfaces to guarantee the vertical shell thickness (top+bottom solid layers)\n" +"None: No solid infill will be added anywhere. Caution: Use this option carefully if your model has sloped surfaces\n" "Critical Only: Avoid adding solid infill for walls\n" "Moderate: Add solid infill for heavily sloping surfaces only\n" "All: Add solid infill for all suitable sloping surfaces\n" "Default value is All." msgstr "" -"Ajouter un remplissage plein près des surfaces inclinées pour garantir " -"l’épaisseur verticale de la coque (couches solides supérieures et " -"inférieures).\n" -"Aucune : Aucun remplissage plein ne sera ajouté nulle part. Attention : " -"Utilisez cette option avec précaution si votre modèle comporte des surfaces " -"inclinées.\n" -"Critique seulement : Évitez d’ajouter des remplissages solides pour les " -"parois.\n" -"Modéré : Ajouter un remplissage plein uniquement pour les surfaces fortement " -"inclinées\n" -"Tous : ajouter un remplissage plein pour toutes les surfaces inclinées " -"appropriées.\n" +"Ajouter un remplissage plein près des surfaces inclinées pour garantir l’épaisseur verticale de la coque (couches solides supérieures et inférieures).\n" +"Aucune : Aucun remplissage plein ne sera ajouté nulle part. Attention : Utilisez cette option avec précaution si votre modèle comporte des surfaces inclinées.\n" +"Critique seulement : Évitez d’ajouter des remplissages solides pour les parois.\n" +"Modéré : Ajouter un remplissage plein uniquement pour les surfaces fortement inclinées\n" +"Tous : ajouter un remplissage plein pour toutes les surfaces inclinées appropriées.\n" "La valeur par défaut est Tous." msgid "Critical Only" @@ -10766,58 +9176,31 @@ msgid "Bottom surface pattern" msgstr "Motif de surface inférieure" msgid "Line pattern of bottom surface infill, not bridge infill" -msgstr "" -"Motif de ligne du remplissage de la surface inférieure, pas du remplissage " -"du pont" +msgstr "Motif de ligne du remplissage de la surface inférieure, pas du remplissage du pont" msgid "Internal solid infill pattern" msgstr "Motif de remplissage plein interne" -msgid "" -"Line pattern of internal solid infill. if the detect narrow internal solid " -"infill be enabled, the concentric pattern will be used for the small area." -msgstr "" -"Modèle de ligne de remplissage interne. Si la détection d’un remplissage " -"interne étroit est activée, le modèle concentrique sera utilisé pour la " -"petite zone." +msgid "Line pattern of internal solid infill. if the detect narrow internal solid infill be enabled, the concentric pattern will be used for the small area." +msgstr "Modèle de ligne de remplissage interne. Si la détection d’un remplissage interne étroit est activée, le modèle concentrique sera utilisé pour la petite zone." -msgid "" -"Line width of outer wall. If expressed as a %, it will be computed over the " -"nozzle diameter." -msgstr "" -"Largeur de la ligne de la paroi extérieure. Si elle est exprimée en %, elle " -"sera calculée sur le diamètre de la buse." +msgid "Line width of outer wall. If expressed as a %, it will be computed over the nozzle diameter." +msgstr "Largeur de la ligne de la paroi extérieure. Si elle est exprimée en %, elle sera calculée sur le diamètre de la buse." -msgid "" -"Speed of outer wall which is outermost and visible. It's used to be slower " -"than inner wall speed to get better quality." -msgstr "" -"Vitesse de paroi extérieure qui est la plus à l'extérieur et visible. Elle " -"est généralement plus lente que la vitesse de la paroi interne pour obtenir " -"une meilleure qualité." +msgid "Speed of outer wall which is outermost and visible. It's used to be slower than inner wall speed to get better quality." +msgstr "Vitesse de paroi extérieure qui est la plus à l'extérieur et visible. Elle est généralement plus lente que la vitesse de la paroi interne pour obtenir une meilleure qualité." msgid "Small perimeters" msgstr "Petits périmètres" -msgid "" -"This separate setting will affect the speed of perimeters having radius <= " -"small_perimeter_threshold (usually holes). If expressed as percentage (for " -"example: 80%) it will be calculated on the outer wall speed setting above. " -"Set to zero for auto." -msgstr "" -"Ce paramètre séparé affectera la vitesse des périmètres ayant un rayon <= " -"petite longueur de périmètre (généralement des trous). S’il est exprimé en " -"pourcentage (par exemple : 80%), il sera calculé sur la vitesse de la paroi " -"extérieure ci-dessus. Mettre à zéro pour automatique." +msgid "This separate setting will affect the speed of perimeters having radius <= small_perimeter_threshold (usually holes). If expressed as percentage (for example: 80%) it will be calculated on the outer wall speed setting above. Set to zero for auto." +msgstr "Ce paramètre séparé affectera la vitesse des périmètres ayant un rayon <= petite longueur de périmètre (généralement des trous). S’il est exprimé en pourcentage (par exemple : 80%), il sera calculé sur la vitesse de la paroi extérieure ci-dessus. Mettre à zéro pour automatique." msgid "Small perimeters threshold" msgstr "Seuil des petits périmètres" -msgid "" -"This sets the threshold for small perimeter length. Default threshold is 0mm" -msgstr "" -"Cela définit le seuil pour une petite longueur de périmètre. Le seuil par " -"défaut est de 0 mm" +msgid "This sets the threshold for small perimeter length. Default threshold is 0mm" +msgstr "Cela définit le seuil pour une petite longueur de périmètre. Le seuil par défaut est de 0 mm" msgid "Walls printing order" msgstr "Ordre d’impression des parois" @@ -10825,52 +9208,21 @@ msgstr "Ordre d’impression des parois" msgid "" "Print sequence of the internal (inner) and external (outer) walls. \n" "\n" -"Use Inner/Outer for best overhangs. This is because the overhanging walls " -"can adhere to a neighouring perimeter while printing. However, this option " -"results in slightly reduced surface quality as the external perimeter is " -"deformed by being squashed to the internal perimeter.\n" +"Use Inner/Outer for best overhangs. This is because the overhanging walls can adhere to a neighouring perimeter while printing. However, this option results in slightly reduced surface quality as the external perimeter is deformed by being squashed to the internal perimeter.\n" "\n" -"Use Inner/Outer/Inner for the best external surface finish and dimensional " -"accuracy as the external wall is printed undisturbed from an internal " -"perimeter. However, overhang performance will reduce as there is no internal " -"perimeter to print the external wall against. This option requires a minimum " -"of 3 walls to be effective as it prints the internal walls from the 3rd " -"perimeter onwards first, then the external perimeter and, finally, the first " -"internal perimeter. This option is recomended against the Outer/Inner option " -"in most cases. \n" +"Use Inner/Outer/Inner for the best external surface finish and dimensional accuracy as the external wall is printed undisturbed from an internal perimeter. However, overhang performance will reduce as there is no internal perimeter to print the external wall against. This option requires a minimum of 3 walls to be effective as it prints the internal walls from the 3rd perimeter onwards first, then the external perimeter and, finally, the first internal perimeter. This option is recomended against the Outer/Inner option in most cases. \n" "\n" -"Use Outer/Inner for the same external wall quality and dimensional accuracy " -"benefits of Inner/Outer/Inner option. However, the z seams will appear less " -"consistent as the first extrusion of a new layer starts on a visible " -"surface.\n" +"Use Outer/Inner for the same external wall quality and dimensional accuracy benefits of Inner/Outer/Inner option. However, the z seams will appear less consistent as the first extrusion of a new layer starts on a visible surface.\n" "\n" " " msgstr "" -"Séquence d'impression des parois internes (intérieures) et externes " -"(extérieures). \n" +"Séquence d'impression des parois internes (intérieures) et externes (extérieures). \n" "\n" -"Utilisez Intérieur/Extérieur pour obtenir les meilleurs surplombs. En effet, " -"les parois en surplomb peuvent adhérer à un périmètre voisin lors de " -"l'impression. Toutefois, cette option entraîne une légère diminution de la " -"qualité de la surface, car le périmètre externe est déformé par l'écrasement " -"du périmètre interne.\n" +"Utilisez Intérieur/Extérieur pour obtenir les meilleurs surplombs. En effet, les parois en surplomb peuvent adhérer à un périmètre voisin lors de l'impression. Toutefois, cette option entraîne une légère diminution de la qualité de la surface, car le périmètre externe est déformé par l'écrasement du périmètre interne.\n" "\n" -"Utilisez l’option Intérieur/Extérieur/Intérieur pour obtenir la meilleure " -"finition de surface externe et la meilleure précision dimensionnelle, car la " -"paroi externe est imprimée sans être dérangée par un périmètre interne. " -"Cependant, les performances de la paroi en surplomb seront réduites car il " -"n’y a pas de périmètre interne contre lequel imprimer la paroi externe. " -"Cette option nécessite un minimum de trois parois pour être efficace, car " -"elle imprime d’abord les parois internes à partir du troisième périmètre, " -"puis le périmètre externe et, enfin, le premier périmètre interne. Cette " -"option est recommandée par rapport à l’option Extérieur/intérieur dans la " -"plupart des cas. \n" +"Utilisez l’option Intérieur/Extérieur/Intérieur pour obtenir la meilleure finition de surface externe et la meilleure précision dimensionnelle, car la paroi externe est imprimée sans être dérangée par un périmètre interne. Cependant, les performances de la paroi en surplomb seront réduites car il n’y a pas de périmètre interne contre lequel imprimer la paroi externe. Cette option nécessite un minimum de trois parois pour être efficace, car elle imprime d’abord les parois internes à partir du troisième périmètre, puis le périmètre externe et, enfin, le premier périmètre interne. Cette option est recommandée par rapport à l’option Extérieur/intérieur dans la plupart des cas. \n" "\n" -"Utilisez l’option Extérieur/intérieur pour bénéficier de la même qualité de " -"paroi externe et de la même précision dimensionnelle que l’option Intérieur/" -"extérieur/intérieur. Cependant, les joints en z paraîtront moins cohérents " -"car la première extrusion d’une nouvelle couche commence sur une surface " -"visible.\n" +"Utilisez l’option Extérieur/intérieur pour bénéficier de la même qualité de paroi externe et de la même précision dimensionnelle que l’option Intérieur/extérieur/intérieur. Cependant, les joints en z paraîtront moins cohérents car la première extrusion d’une nouvelle couche commence sur une surface visible.\n" "\n" " " @@ -10887,46 +9239,27 @@ msgid "Print infill first" msgstr "Imprimer d’abord le remplissage" msgid "" -"Order of wall/infill. When the tickbox is unchecked the walls are printed " -"first, which works best in most cases.\n" +"Order of wall/infill. When the tickbox is unchecked the walls are printed first, which works best in most cases.\n" "\n" -"Printing infill first may help with extreme overhangs as the walls have the " -"neighbouring infill to adhere to. However, the infill will slighly push out " -"the printed walls where it is attached to them, resulting in a worse " -"external surface finish. It can also cause the infill to shine through the " -"external surfaces of the part." +"Printing infill first may help with extreme overhangs as the walls have the neighbouring infill to adhere to. However, the infill will slighly push out the printed walls where it is attached to them, resulting in a worse external surface finish. It can also cause the infill to shine through the external surfaces of the part." msgstr "" -"Ordre des parois/remplissages. Lorsque la case n’est pas cochée, les parois " -"sont imprimées en premier, ce qui fonctionne le mieux dans la plupart des " -"cas.\n" +"Ordre des parois/remplissages. Lorsque la case n’est pas cochée, les parois sont imprimées en premier, ce qui fonctionne le mieux dans la plupart des cas.\n" "\n" -"L’impression du remplissage en premier peut aider dans le cas de parois en " -"surplomb importantes, car les parois ont le remplissage adjacent auquel " -"adhérer. Cependant, le remplissage repoussera légèrement les parois " -"imprimées à l’endroit où il est fixé, ce qui se traduira par une moins bonne " -"finition de la surface extérieure. Cela peut également faire ressortir le " -"remplissage à travers les surfaces externes de la pièce." +"L’impression du remplissage en premier peut aider dans le cas de parois en surplomb importantes, car les parois ont le remplissage adjacent auquel adhérer. Cependant, le remplissage repoussera légèrement les parois imprimées à l’endroit où il est fixé, ce qui se traduira par une moins bonne finition de la surface extérieure. Cela peut également faire ressortir le remplissage à travers les surfaces externes de la pièce." msgid "Wall loop direction" msgstr "Direction de la paroi" msgid "" -"The direction which the wall loops are extruded when looking down from the " -"top.\n" +"The direction which the wall loops are extruded when looking down from the top.\n" "\n" -"By default all walls are extruded in counter-clockwise, unless Reverse on " -"odd is enabled. Set this to any option other than Auto will force the wall " -"direction regardless of the Reverse on odd.\n" +"By default all walls are extruded in counter-clockwise, unless Reverse on odd is enabled. Set this to any option other than Auto will force the wall direction regardless of the Reverse on odd.\n" "\n" "This option will be disabled if sprial vase mode is enabled." msgstr "" -"La direction dans laquelle les boucles de la paroi sont extrudées lorsque " -"l’on regarde du haut vers le bas.\n" +"La direction dans laquelle les boucles de la paroi sont extrudées lorsque l’on regarde du haut vers le bas.\n" "\n" -"Par défaut, toutes les parois sont extrudées dans le sens inverse des " -"aiguilles d’une montre, sauf si l’option Inverser sur impair est activée. Si " -"vous choisissez une option autre qu’Auto, la direction des parois sera " -"forcée, indépendamment de l’option Inverser sur l’impair.\n" +"Par défaut, toutes les parois sont extrudées dans le sens inverse des aiguilles d’une montre, sauf si l’option Inverser sur impair est activée. Si vous choisissez une option autre qu’Auto, la direction des parois sera forcée, indépendamment de l’option Inverser sur l’impair.\n" "\n" "Cette option sera désactivée si le mode vase sprial est activé." @@ -10939,29 +9272,17 @@ msgstr "Dans le sens des aiguilles d’une montre" msgid "Height to rod" msgstr "Hauteur jusqu’à la tige" -msgid "" -"Distance of the nozzle tip to the lower rod. Used for collision avoidance in " -"by-object printing." -msgstr "" -"Distance entre la pointe de la buse et la tige de carbone inférieure. " -"Utilisé pour éviter les collisions lors de l'impression \"par objets\"." +msgid "Distance of the nozzle tip to the lower rod. Used for collision avoidance in by-object printing." +msgstr "Distance entre la pointe de la buse et la tige de carbone inférieure. Utilisé pour éviter les collisions lors de l'impression \"par objets\"." msgid "Height to lid" msgstr "Hauteur au couvercle" -msgid "" -"Distance of the nozzle tip to the lid. Used for collision avoidance in by-" -"object printing." -msgstr "" -"Distance entre la pointe de la buse et le capot. Utilisé pour éviter les " -"collisions lors de l'impression \"par objets\"." +msgid "Distance of the nozzle tip to the lid. Used for collision avoidance in by-object printing." +msgstr "Distance entre la pointe de la buse et le capot. Utilisé pour éviter les collisions lors de l'impression \"par objets\"." -msgid "" -"Clearance radius around extruder. Used for collision avoidance in by-object " -"printing." -msgstr "" -"Rayon de dégagement autour de l'extrudeur : utilisé pour éviter les " -"collisions lors de l'impression par objets." +msgid "Clearance radius around extruder. Used for collision avoidance in by-object printing." +msgstr "Rayon de dégagement autour de l'extrudeur : utilisé pour éviter les collisions lors de l'impression par objets." msgid "Nozzle height" msgstr "Hauteur de la buse" @@ -10972,71 +9293,26 @@ msgstr "Hauteur de l’extrémité de la buse." msgid "Bed mesh min" msgstr "Maillage du plateau min" -msgid "" -"This option sets the min point for the allowed bed mesh area. Due to the " -"probe's XY offset, most printers are unable to probe the entire bed. To " -"ensure the probe point does not go outside the bed area, the minimum and " -"maximum points of the bed mesh should be set appropriately. OrcaSlicer " -"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " -"exceed these min/max points. This information can usually be obtained from " -"your printer manufacturer. The default setting is (-99999, -99999), which " -"means there are no limits, thus allowing probing across the entire bed." -msgstr "" -"Cette option définit le point minimum de la zone de maillage du plateau " -"autorisée. En raison du décalage XY de la sonde, la plupart des imprimantes " -"ne sont pas en mesure de sonder l’ensemble du plateau. Pour s’assurer que le " -"point de palpage ne sort pas de la zone du plateau, les points minimum et " -"maximum du maillage du lit doivent être définis de manière appropriée. " -"OrcaSlicer veille à ce que les valeurs adaptive_bed_mesh_min/" -"adaptive_bed_mesh_max ne dépassent pas ces points min/max. Ces informations " -"peuvent généralement être obtenues auprès du fabricant de votre imprimante. " -"Le paramètre par défaut est (-99999, -99999), ce qui signifie qu’il n’y a " -"pas de limites, autorisant ainsi le palpage sur l’ensemble du plateau." +msgid "This option sets the min point for the allowed bed mesh area. Due to the probe's XY offset, most printers are unable to probe the entire bed. To ensure the probe point does not go outside the bed area, the minimum and maximum points of the bed mesh should be set appropriately. OrcaSlicer ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not exceed these min/max points. This information can usually be obtained from your printer manufacturer. The default setting is (-99999, -99999), which means there are no limits, thus allowing probing across the entire bed." +msgstr "Cette option définit le point minimum de la zone de maillage du plateau autorisée. En raison du décalage XY de la sonde, la plupart des imprimantes ne sont pas en mesure de sonder l’ensemble du plateau. Pour s’assurer que le point de palpage ne sort pas de la zone du plateau, les points minimum et maximum du maillage du lit doivent être définis de manière appropriée. OrcaSlicer veille à ce que les valeurs adaptive_bed_mesh_min/adaptive_bed_mesh_max ne dépassent pas ces points min/max. Ces informations peuvent généralement être obtenues auprès du fabricant de votre imprimante. Le paramètre par défaut est (-99999, -99999), ce qui signifie qu’il n’y a pas de limites, autorisant ainsi le palpage sur l’ensemble du plateau." msgid "Bed mesh max" msgstr "Maillage du plateau max" -msgid "" -"This option sets the max point for the allowed bed mesh area. Due to the " -"probe's XY offset, most printers are unable to probe the entire bed. To " -"ensure the probe point does not go outside the bed area, the minimum and " -"maximum points of the bed mesh should be set appropriately. OrcaSlicer " -"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " -"exceed these min/max points. This information can usually be obtained from " -"your printer manufacturer. The default setting is (99999, 99999), which " -"means there are no limits, thus allowing probing across the entire bed." -msgstr "" -"Cette option définit le point maximum de la zone de maillage du plateau " -"autorisée. En raison du décalage XY de la sonde, la plupart des imprimantes " -"ne sont pas en mesure de sonder l’ensemble du plateau. Pour s’assurer que le " -"point de palpage ne sort pas de la zone du plateau, les points minimum et " -"maximum du maillage du lit doivent être définis de manière appropriée. " -"OrcaSlicer veille à ce que les valeurs adaptive_bed_mesh_min/" -"adaptive_bed_mesh_max ne dépassent pas ces points min/max. Ces informations " -"peuvent généralement être obtenues auprès du fabricant de votre imprimante. " -"Le réglage par défaut est (99999, 99999), ce qui signifie qu’il n’y a pas de " -"limites, autorisant ainsi le palpage sur l’ensemble du plateau." +msgid "This option sets the max point for the allowed bed mesh area. Due to the probe's XY offset, most printers are unable to probe the entire bed. To ensure the probe point does not go outside the bed area, the minimum and maximum points of the bed mesh should be set appropriately. OrcaSlicer ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not exceed these min/max points. This information can usually be obtained from your printer manufacturer. The default setting is (99999, 99999), which means there are no limits, thus allowing probing across the entire bed." +msgstr "Cette option définit le point maximum de la zone de maillage du plateau autorisée. En raison du décalage XY de la sonde, la plupart des imprimantes ne sont pas en mesure de sonder l’ensemble du plateau. Pour s’assurer que le point de palpage ne sort pas de la zone du plateau, les points minimum et maximum du maillage du lit doivent être définis de manière appropriée. OrcaSlicer veille à ce que les valeurs adaptive_bed_mesh_min/adaptive_bed_mesh_max ne dépassent pas ces points min/max. Ces informations peuvent généralement être obtenues auprès du fabricant de votre imprimante. Le réglage par défaut est (99999, 99999), ce qui signifie qu’il n’y a pas de limites, autorisant ainsi le palpage sur l’ensemble du plateau." msgid "Probe point distance" msgstr "Distance entre les points de mesure" -msgid "" -"This option sets the preferred distance between probe points (grid size) for " -"the X and Y directions, with the default being 50mm for both X and Y." -msgstr "" -"Cette option définit la distance préférée entre les points de mesure (taille " -"de la grille) pour les directions X et Y, la valeur par défaut étant de 50 " -"mm pour les deux directions." +msgid "This option sets the preferred distance between probe points (grid size) for the X and Y directions, with the default being 50mm for both X and Y." +msgstr "Cette option définit la distance préférée entre les points de mesure (taille de la grille) pour les directions X et Y, la valeur par défaut étant de 50 mm pour les deux directions." msgid "Mesh margin" msgstr "Marge de la maille" -msgid "" -"This option determines the additional distance by which the adaptive bed " -"mesh area should be expanded in the XY directions." -msgstr "" -"Cette option détermine la distance supplémentaire de laquelle le maillage du " -"plateau adaptatif doit être étendu dans les directions XY." +msgid "This option determines the additional distance by which the adaptive bed mesh area should be expanded in the XY directions." +msgstr "Cette option détermine la distance supplémentaire de laquelle le maillage du plateau adaptatif doit être étendu dans les directions XY." msgid "Extruder Color" msgstr "Couleur de l'extrudeur" @@ -11050,40 +9326,23 @@ msgstr "Décalage de l'extrudeur" msgid "Flow ratio" msgstr "Rapport de débit" -msgid "" -"The material may have volumetric change after switching between molten state " -"and crystalline state. This setting changes all extrusion flow of this " -"filament in gcode proportionally. Recommended value range is between 0.95 " -"and 1.05. Maybe you can tune this value to get nice flat surface when there " -"has slight overflow or underflow" -msgstr "" -"Le matériau peut avoir un changement volumétrique après avoir basculé entre " -"l'état fondu et l'état cristallin. Ce paramètre modifie proportionnellement " -"tout le flux d'extrusion de ce filament dans le G-code. La plage de valeurs " -"recommandée est comprise entre 0,95 et 1,05. Vous pouvez peut-être ajuster " -"cette valeur pour obtenir une belle surface plane en cas de léger " -"débordement ou sous-dépassement" +msgid "The material may have volumetric change after switching between molten state and crystalline state. This setting changes all extrusion flow of this filament in gcode proportionally. Recommended value range is between 0.95 and 1.05. Maybe you can tune this value to get nice flat surface when there has slight overflow or underflow" +msgstr "Le matériau peut avoir un changement volumétrique après avoir basculé entre l'état fondu et l'état cristallin. Ce paramètre modifie proportionnellement tout le débit d'extrusion de ce filament dans le G-code. La plage de valeurs recommandée est comprise entre 0,95 et 1,05. Vous pouvez peut-être ajuster cette valeur pour obtenir une belle surface plane en cas de léger débordement ou sous-dépassement" msgid "" -"The material may have volumetric change after switching between molten state " -"and crystalline state. This setting changes all extrusion flow of this " -"filament in gcode proportionally. Recommended value range is between 0.95 " -"and 1.05. Maybe you can tune this value to get nice flat surface when there " -"has slight overflow or underflow. \n" +"The material may have volumetric change after switching between molten state and crystalline state. This setting changes all extrusion flow of this filament in gcode proportionally. Recommended value range is between 0.95 and 1.05. Maybe you can tune this value to get nice flat surface when there has slight overflow or underflow. \n" "\n" -"The final object flow ratio is this value multiplied by the filament flow " -"ratio." +"The final object flow ratio is this value multiplied by the filament flow ratio." msgstr "" +"Le matériau peut présenter un changement volumétrique après le passage de l’état fondu à l’état cristallin. Ce paramètre modifie proportionnellement tous les débits d’extrusion de ce filament dans le gcode. La valeur recommandée est comprise entre 0,95 et 1,05. Vous pouvez peut-être ajuster cette valeur pour obtenir une belle surface plate lorsqu’il y a un léger débordement ou un sous-débordement. \n" +"\n" +"Le ratio de débit de l’objet final est cette valeur multipliée par le ratio de débit du filament." msgid "Enable pressure advance" msgstr "Activer la Pressure Advance" -msgid "" -"Enable pressure advance, auto calibration result will be overwriten once " -"enabled." -msgstr "" -"Activer le Pressure Advance, le résultat de l’auto calibration sera écrasé " -"une fois activé." +msgid "Enable pressure advance, auto calibration result will be overwriten once enabled." +msgstr "Activer le Pressure Advance, le résultat de l’auto calibration sera écrasé une fois activé." msgid "Pressure advance(Klipper) AKA Linear advance factor(Marlin)" msgstr "Pressure Advance (Klipper) AKA Linear Advance (Marlin)" @@ -11093,101 +9352,49 @@ msgstr "Activer l’avance de pression adaptative (beta)" #, c-format, boost-format msgid "" -"With increasing print speeds (and hence increasing volumetric flow through " -"the nozzle) and increasing accelerations, it has been observed that the " -"effective PA value typically decreases. This means that a single PA value is " -"not always 100% optimal for all features and a compromise value is usually " -"used that does not cause too much bulging on features with lower flow speed " -"and accelerations while also not causing gaps on faster features.\n" +"With increasing print speeds (and hence increasing volumetric flow through the nozzle) and increasing accelerations, it has been observed that the effective PA value typically decreases. This means that a single PA value is not always 100%% optimal for all features and a compromise value is usually used that does not cause too much bulging on features with lower flow speed and accelerations while also not causing gaps on faster features.\n" "\n" -"This feature aims to address this limitation by modeling the response of " -"your printer's extrusion system depending on the volumetric flow speed and " -"acceleration it is printing at. Internally, it generates a fitted model that " -"can extrapolate the needed pressure advance for any given volumetric flow " -"speed and acceleration, which is then emmited to the printer depending on " -"the current print conditions.\n" +"This feature aims to address this limitation by modeling the response of your printer's extrusion system depending on the volumetric flow speed and acceleration it is printing at. Internally, it generates a fitted model that can extrapolate the needed pressure advance for any given volumetric flow speed and acceleration, which is then emmited to the printer depending on the current print conditions.\n" "\n" -"When enabled, the pressure advance value above is overriden. However, a " -"reasonable default value above is strongly recomended to act as a fallback " -"and for when tool changing.\n" +"When enabled, the pressure advance value above is overriden. However, a reasonable default value above is strongly recomended to act as a fallback and for when tool changing.\n" "\n" msgstr "" +"Avec l’augmentation des vitesses d’impression (et donc du débit volumétrique à travers la buse) et des accélérations, il a été observé que la valeur effective du PA diminue généralement. Cela signifie qu’une valeur PA unique n’est pas toujours optimale à 100%% pour toutes les caractéristiques et qu’une valeur de compromis est généralement utilisée pour éviter de trop bomber les caractéristiques avec une vitesse d’écoulement et des accélérations plus faibles, tout en ne causant pas de lacunes sur les caractéristiques plus rapides.\n" +"\n" +"Cette fonction vise à remédier à cette limitation en modélisant la réponse du système d’extrusion de votre imprimante en fonction de la vitesse d’écoulement volumétrique et de l’accélération de l’impression. En interne, elle génère un modèle ajusté qui peut extrapoler l’avance de pression nécessaire pour une vitesse de débit volumétrique et une accélération données, qui est ensuite émise à l’imprimante en fonction des conditions d’impression actuelles.\n" +"\n" +"Lorsqu’elle est activée, la valeur de l’avance de pression ci-dessus est annulée. Cependant, il est fortement recommandé de choisir une valeur par défaut raisonnable pour servir de solution de repli et pour les changements d’outils.\n" msgid "Adaptive pressure advance measurements (beta)" msgstr "Mesures adaptatives de l’avance de pression (beta)" msgid "" -"Add sets of pressure advance (PA) values, the volumetric flow speeds and " -"accelerations they were measured at, separated by a comma. One set of values " -"per line. For example\n" +"Add sets of pressure advance (PA) values, the volumetric flow speeds and accelerations they were measured at, separated by a comma. One set of values per line. For example\n" "0.04,3.96,3000\n" "0.033,3.96,10000\n" "0.029,7.91,3000\n" "0.026,7.91,10000\n" "\n" "How to calibrate:\n" -"1. Run the pressure advance test for at least 3 speeds per acceleration " -"value. It is recommended that the test is run for at least the speed of the " -"external perimeters, the speed of the internal perimeters and the fastest " -"feature print speed in your profile (usually its the sparse or solid " -"infill). Then run them for the same speeds for the slowest and fastest print " -"accelerations,and no faster than the recommended maximum acceleration as " -"given by the klipper input shaper.\n" -"2. Take note of the optimal PA value for each volumetric flow speed and " -"acceleration. You can find the flow number by selecting flow from the color " -"scheme drop down and move the horizontal slider over the PA pattern lines. " -"The number should be visible at the bottom of the page. The ideal PA value " -"should be decreasing the higher the volumetric flow is. If it is not, " -"confirm that your extruder is functioning correctly.The slower and with less " -"acceleration you print, the larger the range of acceptable PA values. If no " -"difference is visible, use the PA value from the faster test.3. Enter the " -"triplets of PA values, Flow and Accelerations in the text box here and save " -"your filament profile\n" +"1. Run the pressure advance test for at least 3 speeds per acceleration value. It is recommended that the test is run for at least the speed of the external perimeters, the speed of the internal perimeters and the fastest feature print speed in your profile (usually its the sparse or solid infill). Then run them for the same speeds for the slowest and fastest print accelerations,and no faster than the recommended maximum acceleration as given by the klipper input shaper.\n" +"2. Take note of the optimal PA value for each volumetric flow speed and acceleration. You can find the flow number by selecting flow from the color scheme drop down and move the horizontal slider over the PA pattern lines. The number should be visible at the bottom of the page. The ideal PA value should be decreasing the higher the volumetric flow is. If it is not, confirm that your extruder is functioning correctly.The slower and with less acceleration you print, the larger the range of acceptable PA values. If no difference is visible, use the PA value from the faster test.3. Enter the triplets of PA values, Flow and Accelerations in the text box here and save your filament profile\n" "\n" msgstr "" -"Ajouter des séries de valeurs d'avance de pression (PA), les vitesses de " -"débit volumétrique et les accélérations auxquelles elles ont été mesurées, " -"séparées par une virgule. Un ensemble de valeurs par ligne. Par exemple\n" +"Ajouter des séries de valeurs d'avance de pression (PA), les vitesses de débit volumétrique et les accélérations auxquelles elles ont été mesurées, séparées par une virgule. Un ensemble de valeurs par ligne. Par exemple\n" "0.04,3.96,3000\n" "0.033,3.96,10000\n" "0.029,7.91,3000\n" "0.026,7.91,10000\n" "\n" "Comment calibrer :\n" -"1. Effectuer le test d’avance de pression pour au moins 3 vitesses par " -"valeur d’accélération. Il est recommandé d’effectuer le test pour au moins " -"la vitesse des périmètres externes, la vitesse des périmètres internes et la " -"vitesse d’impression de la caractéristique la plus rapide de votre profil " -"(en général, il s’agit du remplissage clairsemé ou plein). Ensuite, il faut " -"les exécuter aux mêmes vitesses pour les accélérations d’impression les plus " -"lentes et les plus rapides, et pas plus vite que l’accélération maximale " -"recommandée par le modeleur d’entrée de klipper.\n" -"2. Notez la valeur optimale de PA pour chaque vitesse de flux volumétrique " -"et accélération. Vous pouvez trouver le numéro de débit en sélectionnant le " -"débit dans le menu déroulant du schéma de couleurs et en déplaçant le " -"curseur horizontal sur les lignes du schéma PA. Le chiffre doit être visible " -"en bas de la page. La valeur idéale du PA devrait diminuer au fur et à " -"mesure que le débit volumétrique augmente. Si ce n’est pas le cas, vérifiez " -"que votre extrudeur fonctionne correctement. Plus vous imprimez lentement et " -"avec peu d’accélération, plus la plage des valeurs PA acceptables est " -"grande. Si aucune différence n’est visible, utilisez la valeur PA du test le " -"plus rapide.3 Entrez les triplets de valeurs PA, de débit et d’accélérations " -"dans la zone de texte ici et sauvegardez votre profil de filament.\n" +"1. Effectuer le test d’avance de pression pour au moins 3 vitesses par valeur d’accélération. Il est recommandé d’effectuer le test pour au moins la vitesse des périmètres externes, la vitesse des périmètres internes et la vitesse d’impression de la caractéristique la plus rapide de votre profil (en général, il s’agit du remplissage clairsemé ou plein). Ensuite, il faut les exécuter aux mêmes vitesses pour les accélérations d’impression les plus lentes et les plus rapides, et pas plus vite que l’accélération maximale recommandée par le modeleur d’entrée de klipper.\n" +"2. Notez la valeur optimale de PA pour chaque vitesse de débit volumétrique et accélération. Vous pouvez trouver le numéro de débit en sélectionnant le débit dans le menu déroulant du schéma de couleurs et en déplaçant le curseur horizontal sur les lignes du schéma PA. Le chiffre doit être visible en bas de la page. La valeur idéale du PA devrait diminuer au fur et à mesure que le débit volumétrique augmente. Si ce n’est pas le cas, vérifiez que votre extrudeur fonctionne correctement. Plus vous imprimez lentement et avec peu d’accélération, plus la plage des valeurs PA acceptables est grande. Si aucune différence n’est visible, utilisez la valeur PA du test le plus rapide.3 Entrez les triplets de valeurs PA, de débit et d’accélérations dans la zone de texte ici et sauvegardez votre profil de filament.\n" msgid "Enable adaptive pressure advance for overhangs (beta)" -msgstr "" -"Activation de l’avance de pression adaptative pour les surplombs (beta)" +msgstr "Activation de l’avance de pression adaptative pour les surplombs (beta)" -msgid "" -"Enable adaptive PA for overhangs as well as when flow changes within the " -"same feature. This is an experimental option, as if the PA profile is not " -"set accurately, it will cause uniformity issues on the external surfaces " -"before and after overhangs.\n" -msgstr "" -"Activer le PA adaptatif pour les surplombs ainsi que pour les changements de " -"débit au sein d’un même élément. Il s’agit d’une option expérimentale, car " -"si le profil PA n’est pas défini avec précision, il entraînera des problèmes " -"d’uniformité sur les surfaces externes avant et après les surplombs.\n" +msgid "Enable adaptive PA for overhangs as well as when flow changes within the same feature. This is an experimental option, as if the PA profile is not set accurately, it will cause uniformity issues on the external surfaces before and after overhangs.\n" +msgstr "Activer le PA adaptatif pour les surplombs ainsi que pour les changements de débit au sein d’un même élément. Il s’agit d’une option expérimentale, car si le profil PA n’est pas défini avec précision, il entraînera des problèmes d’uniformité sur les surfaces externes avant et après les surplombs.\n" msgid "Pressure advance for bridges" msgstr "Avance de pression pour les ponts" @@ -11195,74 +9402,43 @@ msgstr "Avance de pression pour les ponts" msgid "" "Pressure advance value for bridges. Set to 0 to disable. \n" "\n" -" A lower PA value when printing bridges helps reduce the appearance of " -"slight under extrusion immediately after bridges. This is caused by the " -"pressure drop in the nozzle when printing in the air and a lower PA helps " -"counteract this." +" A lower PA value when printing bridges helps reduce the appearance of slight under extrusion immediately after bridges. This is caused by the pressure drop in the nozzle when printing in the air and a lower PA helps counteract this." msgstr "" "Valeur de l’avance de pression pour les ponts. Régler à 0 pour désactiver. \n" "\n" -" Une valeur PA plus faible lors de l’impression de ponts permet de réduire " -"l’apparition d’une légère sous-extrusion immédiatement après les ponts. Ce " -"phénomène est dû à la chute de pression dans la buse lors de l’impression " -"dans l’air et une valeur PA plus faible permet d’y remédier." +" Une valeur PA plus faible lors de l’impression de ponts permet de réduire l’apparition d’une légère sous-extrusion immédiatement après les ponts. Ce phénomène est dû à la chute de pression dans la buse lors de l’impression dans l’air et une valeur PA plus faible permet d’y remédier." -msgid "" -"Default line width if other line widths are set to 0. If expressed as a %, " -"it will be computed over the nozzle diameter." -msgstr "" -"Largeur de ligne par défaut si les autres largeurs de ligne sont fixées à 0. " -"Si elle est exprimée en %, elle sera calculée sur le diamètre de la buse." +msgid "Default line width if other line widths are set to 0. If expressed as a %, it will be computed over the nozzle diameter." +msgstr "Largeur de ligne par défaut si les autres largeurs de ligne sont fixées à 0. Si elle est exprimée en %, elle sera calculée sur le diamètre de la buse." msgid "Keep fan always on" msgstr "Garder le ventilateur toujours actif" -msgid "" -"If enable this setting, part cooling fan will never be stoped and will run " -"at least at minimum speed to reduce the frequency of starting and stoping" -msgstr "" -"Si ce paramètre est activé, le ventilateur de refroidissement des pièces ne " -"sera jamais arrêté et fonctionnera au moins à la vitesse minimale pour " -"réduire la fréquence de démarrage et d'arrêt" +msgid "If enable this setting, part cooling fan will never be stoped and will run at least at minimum speed to reduce the frequency of starting and stoping" +msgstr "Si ce paramètre est activé, le ventilateur de refroidissement des pièces ne sera jamais arrêté et fonctionnera au moins à la vitesse minimale pour réduire la fréquence de démarrage et d'arrêt" msgid "Don't slow down outer walls" msgstr "Ne pas ralentir sur les parois extérieures" msgid "" -"If enabled, this setting will ensure external perimeters are not slowed down " -"to meet the minimum layer time. This is particularly helpful in the below " -"scenarios:\n" +"If enabled, this setting will ensure external perimeters are not slowed down to meet the minimum layer time. This is particularly helpful in the below scenarios:\n" "\n" " 1. To avoid changes in shine when printing glossy filaments \n" -"2. To avoid changes in external wall speed which may create slight wall " -"artefacts that appear like z banding \n" -"3. To avoid printing at speeds which cause VFAs (fine artefacts) on the " -"external walls\n" +"2. To avoid changes in external wall speed which may create slight wall artefacts that appear like z banding \n" +"3. To avoid printing at speeds which cause VFAs (fine artefacts) on the external walls\n" "\n" msgstr "" -"S’il est activé, ce paramètre garantit que les périmètres externes ne sont " -"pas ralentis pour respecter la durée minimale de la couche. Ceci est " -"particulièrement utile dans les scénarios suivants :\n" +"S’il est activé, ce paramètre garantit que les périmètres externes ne sont pas ralentis pour respecter la durée minimale de la couche. Ceci est particulièrement utile dans les scénarios suivants :\n" "\n" -" 1. Pour éviter les changements de brillance lors de l’impression de " -"filaments brillants \n" -"2. Pour éviter les changements de vitesse des parois externes qui peuvent " -"créer de légers artefacts de paroi qui apparaissent comme des bandes en z. \n" -"3. Pour éviter d’imprimer à des vitesses qui provoquent des VFA (artefacts " -"fins) sur les parois externes.\n" +" 1. Pour éviter les changements de brillance lors de l’impression de filaments brillants \n" +"2. Pour éviter les changements de vitesse des parois externes qui peuvent créer de légers artefacts de paroi qui apparaissent comme des bandes en z. \n" +"3. Pour éviter d’imprimer à des vitesses qui provoquent des VFA (artefacts fins) sur les parois externes.\n" msgid "Layer time" msgstr "Temps de couche" -msgid "" -"Part cooling fan will be enabled for layers of which estimated time is " -"shorter than this value. Fan speed is interpolated between the minimum and " -"maximum fan speeds according to layer printing time" -msgstr "" -"Le ventilateur de refroidissement des pièces sera activé pour les couches " -"dont le temps estimé est inférieur à cette valeur. La vitesse du ventilateur " -"est interpolée entre les vitesses minimale et maximale du ventilateur en " -"fonction du temps d'impression de la couche" +msgid "Part cooling fan will be enabled for layers of which estimated time is shorter than this value. Fan speed is interpolated between the minimum and maximum fan speeds according to layer printing time" +msgstr "Le ventilateur de refroidissement des pièces sera activé pour les couches dont le temps estimé est inférieur à cette valeur. La vitesse du ventilateur est interpolée entre les vitesses minimale et maximale du ventilateur en fonction du temps d'impression de la couche" msgid "Default color" msgstr "Couleur par défaut" @@ -11279,22 +9455,11 @@ msgstr "Vous pouvez mettre vos notes concernant le filament ici." msgid "Required nozzle HRC" msgstr "Buse HRC requise" -msgid "" -"Minimum HRC of nozzle required to print the filament. Zero means no checking " -"of nozzle's HRC." -msgstr "" -"Dureté HRC minimum de la buse requis pour imprimer le filament. Une valeur " -"de 0 signifie qu'il n'y a pas de vérification de la dureté HRC de la buse." +msgid "Minimum HRC of nozzle required to print the filament. Zero means no checking of nozzle's HRC." +msgstr "Dureté HRC minimum de la buse requis pour imprimer le filament. Une valeur de 0 signifie qu'il n'y a pas de vérification de la dureté HRC de la buse." -msgid "" -"This setting stands for how much volume of filament can be melted and " -"extruded per second. Printing speed is limited by max volumetric speed, in " -"case of too high and unreasonable speed setting. Can't be zero" -msgstr "" -"Ce paramètre correspond au volume de filament qui peut être fondu et extrudé " -"par seconde. La vitesse d'impression sera limitée par la vitesse " -"volumétrique maximale en cas de réglage de vitesse déraisonnablement trop " -"élevé. Cette valeur ne peut pas être nulle." +msgid "This setting stands for how much volume of filament can be melted and extruded per second. Printing speed is limited by max volumetric speed, in case of too high and unreasonable speed setting. Can't be zero" +msgstr "Ce paramètre correspond au volume de filament qui peut être fondu et extrudé par seconde. La vitesse d'impression sera limitée par la vitesse volumétrique maximale en cas de réglage de vitesse déraisonnablement trop élevé. Cette valeur ne peut pas être nulle." msgid "mm³/s" msgstr "mm³/s" @@ -11302,54 +9467,37 @@ msgstr "mm³/s" msgid "Filament load time" msgstr "Temps de chargement du filament" -msgid "" -"Time to load new filament when switch filament. It's usually applicable for " -"single-extruder multi-material machines. For tool changers or multi-tool " -"machines, it's typically 0. For statistics only" -msgstr "" +msgid "Time to load new filament when switch filament. It's usually applicable for single-extruder multi-material machines. For tool changers or multi-tool machines, it's typically 0. For statistics only" +msgstr "Temps nécessaire pour charger un nouveau filament lors d’un changement de filament. Ce paramètre s’applique généralement aux machines multi-matériaux à un seul extrudeur. La valeur est généralement de 0 pour les changeurs d’outils ou les machines multi-outils. Pour les statistiques uniquement." msgid "Filament unload time" msgstr "Temps de déchargement du filament" -msgid "" -"Time to unload old filament when switch filament. It's usually applicable " -"for single-extruder multi-material machines. For tool changers or multi-tool " -"machines, it's typically 0. For statistics only" -msgstr "" +msgid "Time to unload old filament when switch filament. It's usually applicable for single-extruder multi-material machines. For tool changers or multi-tool machines, it's typically 0. For statistics only" +msgstr "Temps nécessaire pour décharger l’ancien filament lors du changement de filament. Ce paramètre s’applique généralement aux machines multi-matériaux à un seul extrudeur. Pour les changeurs d’outils ou les machines multi-outils, il est généralement égal à 0. Pour les statistiques uniquement." msgid "Tool change time" -msgstr "" +msgstr "Délais nécessaire au changement d’outil" -msgid "" -"Time taken to switch tools. It's usually applicable for tool changers or " -"multi-tool machines. For single-extruder multi-material machines, it's " -"typically 0. For statistics only" -msgstr "" +msgid "Time taken to switch tools. It's usually applicable for tool changers or multi-tool machines. For single-extruder multi-material machines, it's typically 0. For statistics only" +msgstr "Durée nécessaire pour changer d’outil. Il s’applique généralement aux changeurs d’outils ou aux machines multi-outils. Pour les machines multi-matériaux mono-extrudeuses, il est généralement égal à 0. Pour les statistiques uniquement." -msgid "" -"Filament diameter is used to calculate extrusion in gcode, so it's important " -"and should be accurate" -msgstr "" -"Le diamètre du filament est utilisé pour calculer les variables d'extrusion " -"dans le G-code, il est donc important qu'il soit exact et précis." +msgid "Filament diameter is used to calculate extrusion in gcode, so it's important and should be accurate" +msgstr "Le diamètre du filament est utilisé pour calculer les variables d'extrusion dans le G-code, il est donc important qu'il soit exact et précis." msgid "Pellet flow coefficient" msgstr "Coefficient d’écoulement des pellets" msgid "" -"Pellet flow coefficient is emperically derived and allows for volume " -"calculation for pellet printers.\n" +"Pellet flow coefficient is emperically derived and allows for volume calculation for pellet printers.\n" "\n" -"Internally it is converted to filament_diameter. All other volume " -"calculations remain the same.\n" +"Internally it is converted to filament_diameter. All other volume calculations remain the same.\n" "\n" "filament_diameter = sqrt( (4 * pellet_flow_coefficient) / PI )" msgstr "" -"Le coefficient d’écoulement des pellets est dérivé de manière empirique et " -"permet de calculer le volume des imprimantes à pellets.\n" +"Le coefficient d’écoulement des pellets est dérivé de manière empirique et permet de calculer le volume des imprimantes à pellets.\n" "\n" -"En interne, il est converti en diamètre de filament. Tous les autres calculs " -"de volume restent inchangés.\n" +"En interne, il est converti en diamètre de filament. Tous les autres calculs de volume restent inchangés.\n" "\n" "filament_diameter = sqrt( (4 * pellet_flow_coefficient) / PI )" @@ -11358,18 +9506,11 @@ msgstr "Pourcentage de retrait" #, no-c-format, no-boost-format msgid "" -"Enter the shrinkage percentage that the filament will get after cooling (94% " -"if you measure 94mm instead of 100mm). The part will be scaled in xy to " -"compensate. Only the filament used for the perimeter is taken into account.\n" -"Be sure to allow enough space between objects, as this compensation is done " -"after the checks." +"Enter the shrinkage percentage that the filament will get after cooling (94% if you measure 94mm instead of 100mm). The part will be scaled in xy to compensate. Only the filament used for the perimeter is taken into account.\n" +"Be sure to allow enough space between objects, as this compensation is done after the checks." msgstr "" -"Entrez le pourcentage de rétrécissement que le filament obtiendra après " -"refroidissement (94% si vous mesurez 94mm au lieu de 100mm). La pièce sera " -"mise à l’échelle en xy pour compenser. Seul le filament utilisé pour le " -"périmètre est pris en compte.\n" -"Veillez à laisser suffisamment d’espace entre les objets, car cette " -"compensation est effectuée après les contrôles." +"Entrez le pourcentage de rétrécissement que le filament obtiendra après refroidissement (94% si vous mesurez 94mm au lieu de 100mm). La pièce sera mise à l’échelle en xy pour compenser. Seul le filament utilisé pour le périmètre est pris en compte.\n" +"Veillez à laisser suffisamment d’espace entre les objets, car cette compensation est effectuée après les contrôles." msgid "Loading speed" msgstr "Vitesse de chargement" @@ -11386,43 +9527,26 @@ msgstr "Vitesse utilisée au tout début de la phase de chargement." msgid "Unloading speed" msgstr "Vitesse de déchargement" -msgid "" -"Speed used for unloading the filament on the wipe tower (does not affect " -"initial part of unloading just after ramming)." -msgstr "" -"Vitesse utilisée pour le déchargement du filament sur la tour d’essuyage " -"(n’affecte pas la partie initiale de retrait juste après le pilonnage)." +msgid "Speed used for unloading the filament on the wipe tower (does not affect initial part of unloading just after ramming)." +msgstr "Vitesse utilisée pour le déchargement du filament sur la tour d’essuyage (n’affecte pas la partie initiale de retrait juste après le pilonnage)." msgid "Unloading speed at the start" msgstr "Vitesse de déchargement au démarrage" -msgid "" -"Speed used for unloading the tip of the filament immediately after ramming." -msgstr "" -"Vitesse utilisée pour décharger la pointe du filament immédiatement après le " -"pilonnage." +msgid "Speed used for unloading the tip of the filament immediately after ramming." +msgstr "Vitesse utilisée pour décharger la pointe du filament immédiatement après le pilonnage." msgid "Delay after unloading" msgstr "Délai après déchargement" -msgid "" -"Time to wait after the filament is unloaded. May help to get reliable " -"toolchanges with flexible materials that may need more time to shrink to " -"original dimensions." -msgstr "" -"Délai une fois le filament déchargé. Peut aider à obtenir des changements " -"d’outils fiables avec des matériaux flexibles qui peuvent nécessiter plus de " -"temps pour revenir aux dimensions d’origine." +msgid "Time to wait after the filament is unloaded. May help to get reliable toolchanges with flexible materials that may need more time to shrink to original dimensions." +msgstr "Délai une fois le filament déchargé. Peut aider à obtenir des changements d’outils fiables avec des matériaux flexibles qui peuvent nécessiter plus de temps pour revenir aux dimensions d’origine." msgid "Number of cooling moves" msgstr "Nombre de mouvements de refroidissement" -msgid "" -"Filament is cooled by being moved back and forth in the cooling tubes. " -"Specify desired number of these moves." -msgstr "" -"Le filament est refroidi en étant déplacé d’avant en arrière dans les tubes " -"de refroidissement. Précisez le nombre souhaité de ces mouvements." +msgid "Filament is cooled by being moved back and forth in the cooling tubes. Specify desired number of these moves." +msgstr "Le filament est refroidi en étant déplacé d’avant en arrière dans les tubes de refroidissement. Précisez le nombre souhaité de ces mouvements." msgid "Stamping loading speed" msgstr "Vitesse de chargement du marquage" @@ -11431,77 +9555,40 @@ msgid "Speed used for stamping." msgstr "Vitesse utilisée pour le marquage." msgid "Stamping distance measured from the center of the cooling tube" -msgstr "" -"Distance de marquage mesurée à partir du centre du tube de refroidissement" +msgstr "Distance de marquage mesurée à partir du centre du tube de refroidissement" -msgid "" -"If set to nonzero value, filament is moved toward the nozzle between the " -"individual cooling moves (\"stamping\"). This option configures how long " -"this movement should be before the filament is retracted again." -msgstr "" -"Si la valeur est différente de zéro, le filament est déplacé vers la buse " -"entre les différents mouvements de refroidissement («  marquage »). Cette " -"option permet de configurer la durée de ce mouvement avant que le filament " -"ne soit à nouveau rétracté." +msgid "If set to nonzero value, filament is moved toward the nozzle between the individual cooling moves (\"stamping\"). This option configures how long this movement should be before the filament is retracted again." +msgstr "Si la valeur est différente de zéro, le filament est déplacé vers la buse entre les différents mouvements de refroidissement («  marquage »). Cette option permet de configurer la durée de ce mouvement avant que le filament ne soit à nouveau rétracté." msgid "Speed of the first cooling move" msgstr "Vitesse du premier mouvement de refroidissement" msgid "Cooling moves are gradually accelerating beginning at this speed." -msgstr "" -"Les mouvements de refroidissement s’accélèrent progressivement à partir de " -"cette vitesse." +msgstr "Les mouvements de refroidissement s’accélèrent progressivement à partir de cette vitesse." msgid "Minimal purge on wipe tower" msgstr "Purge minimale sur la tour d’essuyage" -msgid "" -"After a tool change, the exact position of the newly loaded filament inside " -"the nozzle may not be known, and the filament pressure is likely not yet " -"stable. Before purging the print head into an infill or a sacrificial " -"object, Orca Slicer will always prime this amount of material into the wipe " -"tower to produce successive infill or sacrificial object extrusions reliably." -msgstr "" -"Après un changement d’outil, la position exacte du filament nouvellement " -"chargé à l’intérieur de la buse peut ne pas être connue et la pression du " -"filament n’est probablement pas encore stable. Avant de purger la tête " -"d’impression dans un remplissage ou un objet, Orca Slicer amorcera toujours " -"cette quantité de matériau dans la tour d’essuyage pour purger dans les " -"remplissages ou objets de manière fiable." +msgid "After a tool change, the exact position of the newly loaded filament inside the nozzle may not be known, and the filament pressure is likely not yet stable. Before purging the print head into an infill or a sacrificial object, Orca Slicer will always prime this amount of material into the wipe tower to produce successive infill or sacrificial object extrusions reliably." +msgstr "Après un changement d’outil, la position exacte du filament nouvellement chargé à l’intérieur de la buse peut ne pas être connue et la pression du filament n’est probablement pas encore stable. Avant de purger la tête d’impression dans un remplissage ou un objet, Orca Slicer amorcera toujours cette quantité de matériau dans la tour d’essuyage pour purger dans les remplissages ou objets de manière fiable." msgid "Speed of the last cooling move" msgstr "Vitesse du dernier mouvement de refroidissement" msgid "Cooling moves are gradually accelerating towards this speed." -msgstr "" -"Les mouvements de refroidissement s’accélèrent progressivement vers cette " -"vitesse." +msgstr "Les mouvements de refroidissement s’accélèrent progressivement vers cette vitesse." msgid "Ramming parameters" msgstr "Paramètres de pilonnage" -msgid "" -"This string is edited by RammingDialog and contains ramming specific " -"parameters." -msgstr "" -"Cette chaîne est éditée par RammingDialog et contient des paramètres " -"spécifiques au pilonnage." +msgid "This string is edited by RammingDialog and contains ramming specific parameters." +msgstr "Cette chaîne est éditée par RammingDialog et contient des paramètres spécifiques au pilonnage." msgid "Enable ramming for multitool setups" msgstr "Activer le pilonnage pour les configurations multi-outils" -msgid "" -"Perform ramming when using multitool printer (i.e. when the 'Single Extruder " -"Multimaterial' in Printer Settings is unchecked). When checked, a small " -"amount of filament is rapidly extruded on the wipe tower just before the " -"toolchange. This option is only used when the wipe tower is enabled." -msgstr "" -"Effectuez un pilonnage lorsque vous utilisez une imprimante multi-outils " -"(c’est-à-dire lorsque l’option ‘Multi-matériau à extrudeur unique’ dans les " -"paramètres de l’imprimante n’est pas cochée). Une fois vérifié, une petite " -"quantité de filament est rapidement extrudée sur la tour d’essuyage juste " -"avant le changement d’outil. Cette option n’est utilisée que lorsque la tour " -"d’essuyage est activée." +msgid "Perform ramming when using multitool printer (i.e. when the 'Single Extruder Multimaterial' in Printer Settings is unchecked). When checked, a small amount of filament is rapidly extruded on the wipe tower just before the toolchange. This option is only used when the wipe tower is enabled." +msgstr "Effectuez un pilonnage lorsque vous utilisez une imprimante multi-outils (c’est-à-dire lorsque l’option ‘Multi-matériau à extrudeur unique’ dans les paramètres de l’imprimante n’est pas cochée). Une fois vérifié, une petite quantité de filament est rapidement extrudée sur la tour d’essuyage juste avant le changement d’outil. Cette option n’est utilisée que lorsque la tour d’essuyage est activée." msgid "Multitool ramming volume" msgstr "Volume du pilonnage multi-outils" @@ -11530,33 +9617,20 @@ msgstr "Le type de matériau du filament" msgid "Soluble material" msgstr "Matériau soluble" -msgid "" -"Soluble material is commonly used to print support and support interface" -msgstr "" -"Le matériau soluble est couramment utilisé pour imprimer le support et " -"l'interface de support" +msgid "Soluble material is commonly used to print support and support interface" +msgstr "Le matériau soluble est couramment utilisé pour imprimer le support et l'interface de support" msgid "Support material" msgstr "Supports" -msgid "" -"Support material is commonly used to print support and support interface" -msgstr "" -"Le matériau de support est généralement utilisé pour imprimer le support et " -"les interfaces de support." +msgid "Support material is commonly used to print support and support interface" +msgstr "Le matériau de support est généralement utilisé pour imprimer le support et les interfaces de support." msgid "Softening temperature" msgstr "Température de vitrification" -msgid "" -"The material softens at this temperature, so when the bed temperature is " -"equal to or greater than it, it's highly recommended to open the front door " -"and/or remove the upper glass to avoid cloggings." -msgstr "" -"Température où le matériau se ramollit. Lorsque la température du plateau " -"est égale ou supérieure à celle-ci, il est fortement recommandé d’ouvrir la " -"porte avant et/ou de retirer la vitre supérieure pour éviter les problèmes " -"d’obstruction." +msgid "The material softens at this temperature, so when the bed temperature is equal to or greater than it, it's highly recommended to open the front door and/or remove the upper glass to avoid cloggings." +msgstr "Température où le matériau se ramollit. Lorsque la température du plateau est égale ou supérieure à celle-ci, il est fortement recommandé d’ouvrir la porte avant et/ou de retirer la vitre supérieure pour éviter les problèmes d’obstruction." msgid "Price" msgstr "Tarif" @@ -11579,40 +9653,27 @@ msgstr "(Indéfini)" msgid "Sparse infill direction" msgstr "Direction du remplissage" -msgid "" -"Angle for sparse infill pattern, which controls the start or main direction " -"of line" -msgstr "" -"Angle pour le motif de remplissage qui contrôle le début ou la direction " -"principale de la ligne" +msgid "Angle for sparse infill pattern, which controls the start or main direction of line" +msgstr "Angle pour le motif de remplissage qui contrôle le début ou la direction principale de la ligne" msgid "Solid infill direction" msgstr "Direction du remplissage" -msgid "" -"Angle for solid infill pattern, which controls the start or main direction " -"of line" -msgstr "" -"Angle pour le motif de remplissage, qui contrôle le début ou la direction " -"principale de la ligne" +msgid "Angle for solid infill pattern, which controls the start or main direction of line" +msgstr "Angle pour le motif de remplissage, qui contrôle le début ou la direction principale de la ligne" msgid "Rotate solid infill direction" msgstr "Faire pivoter la direction du remplissage solide" msgid "Rotate the solid infill direction by 90° for each layer." -msgstr "" -"Faire pivoter la direction du remplissage solide de 90° pour chaque couche." +msgstr "Faire pivoter la direction du remplissage solide de 90° pour chaque couche." msgid "Sparse infill density" msgstr "Densité de remplissage" #, no-c-format, no-boost-format -msgid "" -"Density of internal sparse infill, 100% turns all sparse infill into solid " -"infill and internal solid infill pattern will be used" -msgstr "" -"Densité du remplissage interne, 100% transforme tous les remplissages en " -"remplissages pleins et le modèle de remplissage interne sera utilisé." +msgid "Density of internal sparse infill, 100% turns all sparse infill into solid infill and internal solid infill pattern will be used" +msgstr "Densité du remplissage interne, 100% transforme tous les remplissages en remplissages pleins et le modèle de remplissage interne sera utilisé." msgid "Sparse infill pattern" msgstr "Motif de remplissage" @@ -11657,26 +9718,11 @@ msgid "Sparse infill anchor length" msgstr "Longueur de l’ancrage de remplissage interne" msgid "" -"Connect an infill line to an internal perimeter with a short segment of an " -"additional perimeter. If expressed as percentage (example: 15%) it is " -"calculated over infill extrusion width. Orca Slicer tries to connect two " -"close infill lines to a short perimeter segment. If no such perimeter " -"segment shorter than infill_anchor_max is found, the infill line is " -"connected to a perimeter segment at just one side and the length of the " -"perimeter segment taken is limited to this parameter, but no longer than " -"anchor_length_max. \n" -"Set this parameter to zero to disable anchoring perimeters connected to a " -"single infill line." +"Connect an infill line to an internal perimeter with a short segment of an additional perimeter. If expressed as percentage (example: 15%) it is calculated over infill extrusion width. Orca Slicer tries to connect two close infill lines to a short perimeter segment. If no such perimeter segment shorter than infill_anchor_max is found, the infill line is connected to a perimeter segment at just one side and the length of the perimeter segment taken is limited to this parameter, but no longer than anchor_length_max. \n" +"Set this parameter to zero to disable anchoring perimeters connected to a single infill line." msgstr "" -"Connecter une ligne de remplissage à un périmètre interne avec un court " -"segment de périmètre supplémentaire. S’il est exprimé en pourcentage " -"(exemple : 15%), il est calculé sur la largeur de l’extrusion de " -"remplissage. Si aucun segment de périmètre plus court que infill_anchor_max " -"n’est trouvé, la ligne de remplissage est connectée à un segment de " -"périmètre d’un seul côté et la longueur du segment de périmètre pris est " -"limitée à ce paramètre, mais pas plus long que anchor_length_max.\n" -"Une valeur à 0 désactive les périmètres d’ancrage connectés à une seule " -"ligne de remplissage." +"Connecter une ligne de remplissage à un périmètre interne avec un court segment de périmètre supplémentaire. S’il est exprimé en pourcentage (exemple : 15%), il est calculé sur la largeur de l’extrusion de remplissage. Si aucun segment de périmètre plus court que infill_anchor_max n’est trouvé, la ligne de remplissage est connectée à un segment de périmètre d’un seul côté et la longueur du segment de périmètre pris est limitée à ce paramètre, mais pas plus long que anchor_length_max.\n" +"Une valeur à 0 désactive les périmètres d’ancrage connectés à une seule ligne de remplissage." msgid "0 (no open anchors)" msgstr "0 (aucune ancre ouverte)" @@ -11688,28 +9734,11 @@ msgid "Maximum length of the infill anchor" msgstr "Longueur maximale de l’ancrage de remplissage" msgid "" -"Connect an infill line to an internal perimeter with a short segment of an " -"additional perimeter. If expressed as percentage (example: 15%) it is " -"calculated over infill extrusion width. Orca Slicer tries to connect two " -"close infill lines to a short perimeter segment. If no such perimeter " -"segment shorter than this parameter is found, the infill line is connected " -"to a perimeter segment at just one side and the length of the perimeter " -"segment taken is limited to infill_anchor, but no longer than this " -"parameter. \n" -"If set to 0, the old algorithm for infill connection will be used, it should " -"create the same result as with 1000 & 0." +"Connect an infill line to an internal perimeter with a short segment of an additional perimeter. If expressed as percentage (example: 15%) it is calculated over infill extrusion width. Orca Slicer tries to connect two close infill lines to a short perimeter segment. If no such perimeter segment shorter than this parameter is found, the infill line is connected to a perimeter segment at just one side and the length of the perimeter segment taken is limited to infill_anchor, but no longer than this parameter. \n" +"If set to 0, the old algorithm for infill connection will be used, it should create the same result as with 1000 & 0." msgstr "" -"Connecter une ligne de remplissage à un périmètre interne avec un court " -"segment de périmètre supplémentaire. S’il est exprimé en pourcentage " -"(exemple : 15 %), il est calculé sur la largeur de l’extrusion de " -"remplissage. Orca Slicer essaie de connecter deux lignes de remplissage " -"proches à un court segment de périmètre. Si aucun segment de périmètre plus " -"court que ce paramètre n’est trouvé, la ligne de remplissage est connectée à " -"un segment de périmètre sur un seul côté et la longueur du segment de " -"périmètre pris est limitée à infill_anchor, mais pas plus longue que ce " -"paramètre.\n" -"S’il est défini sur 0, l’ancien algorithme de connexion de remplissage sera " -"utilisé, il devrait créer le même résultat qu’avec 1000 et 0." +"Connecter une ligne de remplissage à un périmètre interne avec un court segment de périmètre supplémentaire. S’il est exprimé en pourcentage (exemple : 15 %), il est calculé sur la largeur de l’extrusion de remplissage. Orca Slicer essaie de connecter deux lignes de remplissage proches à un court segment de périmètre. Si aucun segment de périmètre plus court que ce paramètre n’est trouvé, la ligne de remplissage est connectée à un segment de périmètre sur un seul côté et la longueur du segment de périmètre pris est limitée à infill_anchor, mais pas plus longue que ce paramètre.\n" +"S’il est défini sur 0, l’ancien algorithme de connexion de remplissage sera utilisé, il devrait créer le même résultat qu’avec 1000 et 0." msgid "0 (Simple connect)" msgstr "0 (connexions simples)" @@ -11723,53 +9752,26 @@ msgstr "Accélération des parois intérieures" msgid "Acceleration of travel moves" msgstr "Accélération des déplacements" -msgid "" -"Acceleration of top surface infill. Using a lower value may improve top " -"surface quality" -msgstr "" -"Il s'agit de l'accélération de la surface supérieure du remplissage. " -"Utiliser une valeur plus petite pourrait améliorer la qualité de la surface " -"supérieure." +msgid "Acceleration of top surface infill. Using a lower value may improve top surface quality" +msgstr "Il s'agit de l'accélération de la surface supérieure du remplissage. Utiliser une valeur plus petite pourrait améliorer la qualité de la surface supérieure." msgid "Acceleration of outer wall. Using a lower value can improve quality" -msgstr "" -"Accélération de la paroi extérieur : l'utilisation d'une valeur inférieure " -"peut améliorer la qualité." +msgstr "Accélération de la paroi extérieur : l'utilisation d'une valeur inférieure peut améliorer la qualité." -msgid "" -"Acceleration of bridges. If the value is expressed as a percentage (e.g. " -"50%), it will be calculated based on the outer wall acceleration." -msgstr "" -"Accélération des ponts. Si la valeur est exprimée en pourcentage (par " -"exemple 50%), elle sera calculée en fonction de l’accélération de la paroi " -"extérieure." +msgid "Acceleration of bridges. If the value is expressed as a percentage (e.g. 50%), it will be calculated based on the outer wall acceleration." +msgstr "Accélération des ponts. Si la valeur est exprimée en pourcentage (par exemple 50%), elle sera calculée en fonction de l’accélération de la paroi extérieure." msgid "mm/s² or %" msgstr "mm/s² or %" -msgid "" -"Acceleration of sparse infill. If the value is expressed as a percentage (e." -"g. 100%), it will be calculated based on the default acceleration." -msgstr "" -"Accélération du remplissage interne. Si la valeur est exprimée en " -"pourcentage (par exemple 100%), elle sera calculée en fonction de " -"l’accélération par défaut." +msgid "Acceleration of sparse infill. If the value is expressed as a percentage (e.g. 100%), it will be calculated based on the default acceleration." +msgstr "Accélération du remplissage interne. Si la valeur est exprimée en pourcentage (par exemple 100%), elle sera calculée en fonction de l’accélération par défaut." -msgid "" -"Acceleration of internal solid infill. If the value is expressed as a " -"percentage (e.g. 100%), it will be calculated based on the default " -"acceleration." -msgstr "" -"Accélération du remplissage interne. Si la valeur est exprimée en " -"pourcentage (par exemple 100%), elle sera calculée en fonction de " -"l’accélération par défaut." +msgid "Acceleration of internal solid infill. If the value is expressed as a percentage (e.g. 100%), it will be calculated based on the default acceleration." +msgstr "Accélération du remplissage interne. Si la valeur est exprimée en pourcentage (par exemple 100%), elle sera calculée en fonction de l’accélération par défaut." -msgid "" -"Acceleration of initial layer. Using a lower value can improve build plate " -"adhesive" -msgstr "" -"Accélération de la couche initiale. L'utilisation d'une valeur plus basse " -"peut améliorer l'adhérence sur le plateau" +msgid "Acceleration of initial layer. Using a lower value can improve build plate adhesive" +msgstr "Accélération de la couche initiale. L'utilisation d'une valeur plus basse peut améliorer l'adhérence sur le plateau" msgid "Enable accel_to_decel" msgstr "Activer l’accélération à la décélération" @@ -11781,10 +9783,8 @@ msgid "accel_to_decel" msgstr "Ajuster l’accélération à la décélération" #, c-format, boost-format -msgid "" -"Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" -msgstr "" -"Le paramètre max_accel_to_decel de Klipper sera ajusté à %% d'accélération" +msgid "Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" +msgstr "Le paramètre max_accel_to_decel de Klipper sera ajusté à %% d'accélération" msgid "Jerk of outer walls" msgstr "Jerk des parois extérieures" @@ -11804,22 +9804,14 @@ msgstr "Jerk de la couche initiale" msgid "Jerk for travel" msgstr "Jerk des déplacements" -msgid "" -"Line width of initial layer. If expressed as a %, it will be computed over " -"the nozzle diameter." -msgstr "" -"Largeur de la ligne de la couche initiale. Si elle est exprimée en %, elle " -"sera calculée sur le diamètre de la buse." +msgid "Line width of initial layer. If expressed as a %, it will be computed over the nozzle diameter." +msgstr "Largeur de la ligne de la couche initiale. Si elle est exprimée en %, elle sera calculée sur le diamètre de la buse." msgid "Initial layer height" msgstr "Hauteur de couche initiale" -msgid "" -"Height of initial layer. Making initial layer height to be thick slightly " -"can improve build plate adhesion" -msgstr "" -"Il s'agit de la hauteur de la première couche. L'augmentation de la hauteur " -"de la première couche peut améliorer l'adhérence sur le plateau." +msgid "Height of initial layer. Making initial layer height to be thick slightly can improve build plate adhesion" +msgstr "Il s'agit de la hauteur de la première couche. L'augmentation de la hauteur de la première couche peut améliorer l'adhérence sur le plateau." msgid "Speed of initial layer except the solid infill part" msgstr "Vitesse de la couche initiale à l'exception du remplissage" @@ -11839,38 +9831,20 @@ msgstr "Vitesse de déplacement de la couche initiale" msgid "Number of slow layers" msgstr "Nombre de couches lentes" -msgid "" -"The first few layers are printed slower than normal. The speed is gradually " -"increased in a linear fashion over the specified number of layers." -msgstr "" -"Les premières couches sont imprimées plus lentement que la normale. La " -"vitesse augmente progressivement de manière linéaire sur le nombre de " -"couches spécifié." +msgid "The first few layers are printed slower than normal. The speed is gradually increased in a linear fashion over the specified number of layers." +msgstr "Les premières couches sont imprimées plus lentement que la normale. La vitesse augmente progressivement de manière linéaire sur le nombre de couches spécifié." msgid "Initial layer nozzle temperature" msgstr "Température de la buse de couche initiale" msgid "Nozzle temperature to print initial layer when using this filament" -msgstr "" -"Température de la buse pour imprimer la couche initiale lors de " -"l'utilisation de ce filament" +msgstr "Température de la buse pour imprimer la couche initiale lors de l'utilisation de ce filament" msgid "Full fan speed at layer" msgstr "Ventilateur à pleine vitesse à la couche" -msgid "" -"Fan speed will be ramped up linearly from zero at layer " -"\"close_fan_the_first_x_layers\" to maximum at layer " -"\"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower " -"than \"close_fan_the_first_x_layers\", in which case the fan will be running " -"at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." -msgstr "" -"La vitesse du ventilateur augmentera de manière linéaire à partir de zéro à " -"la couche \"close_fan_the_first_x_layers\" jusqu’au maximum à la couche " -"\"full_fan_speed_layer\". \"full_fan_speed_layer\" sera ignoré s’il est " -"inférieur à \"close_fan_the_first_x_layers\", auquel cas le ventilateur " -"fonctionnera à la vitesse maximale autorisée à la couche " -"\"close_fan_the_first_x_layers\" + 1." +msgid "Fan speed will be ramped up linearly from zero at layer \"close_fan_the_first_x_layers\" to maximum at layer \"full_fan_speed_layer\". \"full_fan_speed_layer\" will be ignored if lower than \"close_fan_the_first_x_layers\", in which case the fan will be running at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." +msgstr "La vitesse du ventilateur augmentera de manière linéaire à partir de zéro à la couche \"close_fan_the_first_x_layers\" jusqu’au maximum à la couche \"full_fan_speed_layer\". \"full_fan_speed_layer\" sera ignoré s’il est inférieur à \"close_fan_the_first_x_layers\", auquel cas le ventilateur fonctionnera à la vitesse maximale autorisée à la couche \"close_fan_the_first_x_layers\" + 1." msgid "layer" msgstr "couche" @@ -11879,23 +9853,16 @@ msgid "Support interface fan speed" msgstr "Vitesse du ventilateur" msgid "" -"This fan speed is enforced during all support interfaces, to be able to " -"weaken their bonding with a high fan speed.\n" +"This fan speed is enforced during all support interfaces, to be able to weaken their bonding with a high fan speed.\n" "Set to -1 to disable this override.\n" "Can only be overriden by disable_fan_first_layers." msgstr "" -"Cette vitesse de ventilateur est appliquée pendant toutes les interfaces de " -"support, pour pouvoir affaiblir leur liaison avec une vitesse de ventilateur " -"élevée.\n" +"Cette vitesse de ventilateur est appliquée pendant toutes les interfaces de support, pour pouvoir affaiblir leur liaison avec une vitesse de ventilateur élevée.\n" "Réglez sur -1 pour désactiver ce remplacement.\n" "Ne peut être remplacé que par disable_fan_first_layers." -msgid "" -"Randomly jitter while printing the wall, so that the surface has a rough " -"look. This setting controls the fuzzy position" -msgstr "" -"Gigue aléatoire lors de l'impression de la paroi, de sorte que la surface " -"ait un aspect rugueux. Ce réglage contrôle la position irrégulière" +msgid "Randomly jitter while printing the wall, so that the surface has a rough look. This setting controls the fuzzy position" +msgstr "Gigue aléatoire lors de l'impression de la paroi, de sorte que la surface ait un aspect rugueux. Ce réglage contrôle la position irrégulière" msgid "Contour" msgstr "Contour" @@ -11909,22 +9876,14 @@ msgstr "Toutes les parois" msgid "Fuzzy skin thickness" msgstr "Épaisseur de la surface Irrégulière" -msgid "" -"The width within which to jitter. It's adversed to be below outer wall line " -"width" -msgstr "" -"La largeur à l'intérieur de laquelle jitter. Il est déconseillé d'être en " -"dessous de la largeur de la ligne de la paroi extérieure" +msgid "The width within which to jitter. It's adversed to be below outer wall line width" +msgstr "La largeur à l'intérieur de laquelle jitter. Il est déconseillé d'être en dessous de la largeur de la ligne de la paroi extérieure" msgid "Fuzzy skin point distance" msgstr "Distance de point de la surface irrégulière" -msgid "" -"The average diatance between the random points introducded on each line " -"segment" -msgstr "" -"La distance moyenne entre les points aléatoires introduits sur chaque " -"segment de ligne" +msgid "The average diatance between the random points introducded on each line segment" +msgstr "La distance moyenne entre les points aléatoires introduits sur chaque segment de ligne" msgid "Apply fuzzy skin to first layer" msgstr "Appliquer la surface irrégulière sur la première couche" @@ -11938,81 +9897,47 @@ msgstr "Filtrer les petits espaces" msgid "Layers and Perimeters" msgstr "Couches et Périmètres" -msgid "" -"Don't print gap fill with a length is smaller than the threshold specified " -"(in mm). This setting applies to top, bottom and solid infill and, if using " -"the classic perimeter generator, to wall gap fill. " -msgstr "" +msgid "Don't print gap fill with a length is smaller than the threshold specified (in mm). This setting applies to top, bottom and solid infill and, if using the classic perimeter generator, to wall gap fill. " +msgstr "Ne pas imprimer le remplissage des espaces dont la longueur est inférieure au seuil spécifié (en mm). Ce paramètre s’applique aux remplissages supérieur, inférieur et solide et, si vous utilisez le générateur de périmètre classique, pour le remplissage de la paroi. " -msgid "" -"Speed of gap infill. Gap usually has irregular line width and should be " -"printed more slowly" -msgstr "" -"Vitesse de remplissage des espaces. L’espace a généralement une largeur de " -"ligne irrégulière et doit être imprimé plus lentement" +msgid "Speed of gap infill. Gap usually has irregular line width and should be printed more slowly" +msgstr "Vitesse de remplissage des espaces. L’espace a généralement une largeur de ligne irrégulière et doit être imprimé plus lentement" msgid "Precise Z height" msgstr "Hauteur précise du Z" -msgid "" -"Enable this to get precise z height of object after slicing. It will get the " -"precise object height by fine-tuning the layer heights of the last few " -"layers. Note that this is an experimental parameter." -msgstr "" -"Activez cette option pour obtenir une hauteur z précise de l’objet après la " -"découpe. La hauteur précise de l’objet sera obtenue en affinant les hauteurs " -"des dernières couches. Notez qu’il s’agit d’un paramètre expérimental." +msgid "Enable this to get precise z height of object after slicing. It will get the precise object height by fine-tuning the layer heights of the last few layers. Note that this is an experimental parameter." +msgstr "Activez cette option pour obtenir une hauteur z précise de l’objet après la découpe. La hauteur précise de l’objet sera obtenue en affinant les hauteurs des dernières couches. Notez qu’il s’agit d’un paramètre expérimental." msgid "Arc fitting" msgstr "Tracer des arcs" msgid "" -"Enable this to get a G-code file which has G2 and G3 moves. The fitting " -"tolerance is same as the resolution. \n" +"Enable this to get a G-code file which has G2 and G3 moves. The fitting tolerance is same as the resolution. \n" "\n" -"Note: For klipper machines, this option is recomended to be disabled. " -"Klipper does not benefit from arc commands as these are split again into " -"line segments by the firmware. This results in a reduction in surface " -"quality as line segments are converted to arcs by the slicer and then back " -"to line segments by the firmware." +"Note: For klipper machines, this option is recomended to be disabled. Klipper does not benefit from arc commands as these are split again into line segments by the firmware. This results in a reduction in surface quality as line segments are converted to arcs by the slicer and then back to line segments by the firmware." msgstr "" -"Activez cette option pour obtenir un fichier G-code contenant les " -"déplacements G2 et G3. La tolérance d’ajustement est la même que la " -"résolution. \n" +"Activez cette option pour obtenir un fichier G-code contenant les déplacements G2 et G3. La tolérance d’ajustement est la même que la résolution. \n" "\n" -"Note : Pour les machines Klipper, il est recommandé de désactiver cette " -"option. Klipper ne bénéficie pas des commandes d’arc car celles-ci sont à " -"nouveau divisées en segments de ligne par le micrologiciel. Il en résulte " -"une réduction de la qualité de la surface, car les segments de ligne sont " -"convertis en arcs par le slicer, puis à nouveau en segments par le firmware." +"Note : Pour les machines Klipper, il est recommandé de désactiver cette option. Klipper ne bénéficie pas des commandes d’arc car celles-ci sont à nouveau divisées en segments de ligne par le micrologiciel. Il en résulte une réduction de la qualité de la surface, car les segments de ligne sont convertis en arcs par le slicer, puis à nouveau en segments par le firmware." msgid "Add line number" msgstr "Ajouter un numéro de ligne" msgid "Enable this to add line number(Nx) at the beginning of each G-Code line" -msgstr "" -"Activez cette option pour ajouter un numéro de ligne (Nx) au début de chaque " -"ligne G-Code" +msgstr "Activez cette option pour ajouter un numéro de ligne (Nx) au début de chaque ligne G-Code" msgid "Scan first layer" msgstr "Analyser la première couche" -msgid "" -"Enable this to enable the camera on printer to check the quality of first " -"layer" -msgstr "" -"Activez cette option pour permettre à l'appareil photo de l'imprimante de " -"vérifier la qualité de la première couche" +msgid "Enable this to enable the camera on printer to check the quality of first layer" +msgstr "Activez cette option pour permettre à l'appareil photo de l'imprimante de vérifier la qualité de la première couche" msgid "Nozzle type" msgstr "Type de buse" -msgid "" -"The metallic material of nozzle. This determines the abrasive resistance of " -"nozzle, and what kind of filament can be printed" -msgstr "" -"Le matériau métallique de la buse. Cela détermine la résistance à l'abrasion " -"de la buse et le type de filament pouvant être imprimé" +msgid "The metallic material of nozzle. This determines the abrasive resistance of nozzle, and what kind of filament can be printed" +msgstr "Le matériau métallique de la buse. Cela détermine la résistance à l'abrasion de la buse et le type de filament pouvant être imprimé" msgid "Undefine" msgstr "Non défini" @@ -12029,12 +9954,8 @@ msgstr "Laiton" msgid "Nozzle HRC" msgstr "Dureté HRC buse" -msgid "" -"The nozzle's hardness. Zero means no checking for nozzle's hardness during " -"slicing." -msgstr "" -"La dureté de la buse. Zéro signifie qu'il n'est pas nécessaire de vérifier " -"la dureté de la buse pendant la découpe." +msgid "The nozzle's hardness. Zero means no checking for nozzle's hardness during slicing." +msgstr "La dureté de la buse. Zéro signifie qu'il n'est pas nécessaire de vérifier la dureté de la buse pendant la découpe." msgid "HRC" msgstr "HRC" @@ -12061,37 +9982,20 @@ msgid "Best object position" msgstr "Meilleure position d’organisation automatique" msgid "Best auto arranging position in range [0,1] w.r.t. bed shape." -msgstr "" -"Meilleure position d’organisation automatique dans la plage [0,1] par " -"rapport à forme du plateau." +msgstr "Meilleure position d’organisation automatique dans la plage [0,1] par rapport à forme du plateau." + +msgid "Enable this option if machine has auxiliary part cooling fan. G-code command: M106 P2 S(0-255)." +msgstr "Activer cette option si l’imprimante est équipée d'un ventilateur de refroidissement auxiliaire. Commande G-code : M106 P2 S (0-255)." msgid "" -"Enable this option if machine has auxiliary part cooling fan. G-code " -"command: M106 P2 S(0-255)." -msgstr "" -"Activer cette option si l’imprimante est équipée d'un ventilateur de " -"refroidissement auxiliaire. Commande G-code : M106 P2 S (0-255)." - -msgid "" -"Start the fan this number of seconds earlier than its target start time (you " -"can use fractional seconds). It assumes infinite acceleration for this time " -"estimation, and will only take into account G1 and G0 moves (arc fitting is " -"unsupported).\n" -"It won't move fan comands from custom gcodes (they act as a sort of " -"'barrier').\n" -"It won't move fan comands into the start gcode if the 'only custom start " -"gcode' is activated.\n" +"Start the fan this number of seconds earlier than its target start time (you can use fractional seconds). It assumes infinite acceleration for this time estimation, and will only take into account G1 and G0 moves (arc fitting is unsupported).\n" +"It won't move fan comands from custom gcodes (they act as a sort of 'barrier').\n" +"It won't move fan comands into the start gcode if the 'only custom start gcode' is activated.\n" "Use 0 to deactivate." msgstr "" -"Démarrer le ventilateur plus tôt de ce nombre de secondes par rapport au " -"démarrage cible (vous pouvez utiliser des fractions de secondes). Cela " -"suppose une accélération infinie pour cette estimation de durée et ne prend " -"en compte que les mouvements G1 et G0 (l’ajustement arc n’est pas pris en " -"charge).\n" -"Cela ne déplacera pas les commandes de ventilateur des G-codes personnalisés " -"(ils agissent comme une sorte de \"barrière\").\n" -"Cela ne déplacera pas les commandes de ventilateur dans le G-code de " -"démarrage si seul le ‘G-code de démarrage personnalisé’ est activé.\n" +"Démarrer le ventilateur plus tôt de ce nombre de secondes par rapport au démarrage cible (vous pouvez utiliser des fractions de secondes). Cela suppose une accélération infinie pour cette estimation de durée et ne prend en compte que les mouvements G1 et G0 (l’ajustement arc n’est pas pris en charge).\n" +"Cela ne déplacera pas les commandes de ventilateur des G-codes personnalisés (ils agissent comme une sorte de \"barrière\").\n" +"Cela ne déplacera pas les commandes de ventilateur dans le G-code de démarrage si seul le ‘G-code de démarrage personnalisé’ est activé.\n" "Utiliser 0 pour désactiver." msgid "Only overhangs" @@ -12104,18 +10008,12 @@ msgid "Fan kick-start time" msgstr "Durée de démarrage du ventilateur" msgid "" -"Emit a max fan speed command for this amount of seconds before reducing to " -"target speed to kick-start the cooling fan.\n" -"This is useful for fans where a low PWM/power may be insufficient to get the " -"fan started spinning from a stop, or to get the fan up to speed faster.\n" +"Emit a max fan speed command for this amount of seconds before reducing to target speed to kick-start the cooling fan.\n" +"This is useful for fans where a low PWM/power may be insufficient to get the fan started spinning from a stop, or to get the fan up to speed faster.\n" "Set to 0 to deactivate." msgstr "" -"Émettre une commande de vitesse maximale du ventilateur pendant ce nombre de " -"secondes avant de réduire à la vitesse cible pour démarrer le ventilateur de " -"refroidissement.\n" -"Ceci est utile pour les ventilateurs où un faible PWM/puissance peut être " -"insuffisant pour redémarrer le ventilateur après un arrêt, ou pour faire " -"démarrer le ventilateur plus rapidement.\n" +"Émettre une commande de vitesse maximale du ventilateur pendant ce nombre de secondes avant de réduire à la vitesse cible pour démarrer le ventilateur de refroidissement.\n" +"Ceci est utile pour les ventilateurs où un faible PWM/puissance peut être insuffisant pour redémarrer le ventilateur après un arrêt, ou pour faire démarrer le ventilateur plus rapidement.\n" "Mettre à 0 pour désactiver." msgid "Time cost" @@ -12134,8 +10032,7 @@ msgid "" "This option is enabled if machine support controlling chamber temperature\n" "G-code command: M141 S(0-255)" msgstr "" -"Activez cette option si la machine prend en charge le contrôle de la " -"température du caisson\n" +"Activez cette option si la machine prend en charge le contrôle de la température du caisson\n" "Commande de G-code : M141 S(0-255)" msgid "Support air filtration" @@ -12161,105 +10058,57 @@ msgid "Pellet Modded Printer" msgstr "Imprimante à pellets" msgid "Enable this option if your printer uses pellets instead of filaments" -msgstr "" -"Activez cette option si votre imprimante utilise des pellets au lieu de " -"filaments." +msgstr "Activez cette option si votre imprimante utilise des pellets au lieu de filaments." msgid "Support multi bed types" msgstr "Prise en charge de plusieurs types de plateaux" msgid "Enable this option if you want to use multiple bed types" -msgstr "" -"Activez cette option si vous souhaitez utiliser plusieurs types de plateaux." +msgstr "Activez cette option si vous souhaitez utiliser plusieurs types de plateaux." msgid "Label objects" msgstr "Label Objects" -msgid "" -"Enable this to add comments into the G-Code labeling print moves with what " -"object they belong to, which is useful for the Octoprint CancelObject " -"plugin. This settings is NOT compatible with Single Extruder Multi Material " -"setup and Wipe into Object / Wipe into Infill." -msgstr "" -"Permet d’ajouter des commentaires dans le G-code sur les mouvements " -"d’impression de l’objet auquel ils appartiennent, ce qui est utile pour le " -"plug-in Octoprint CancelObject. Ce paramètre n’est PAS compatible avec la " -"configuration multi-matériaux avec un seul extrudeur et Essuyer dans " -"l’objet / Essuyer dans le remplissage." +msgid "Enable this to add comments into the G-Code labeling print moves with what object they belong to, which is useful for the Octoprint CancelObject plugin. This settings is NOT compatible with Single Extruder Multi Material setup and Wipe into Object / Wipe into Infill." +msgstr "Permet d’ajouter des commentaires dans le G-code sur les mouvements d’impression de l’objet auquel ils appartiennent, ce qui est utile pour le plug-in Octoprint CancelObject. Ce paramètre n’est PAS compatible avec la configuration multi-matériaux avec un seul extrudeur et Essuyer dans l’objet / Essuyer dans le remplissage." msgid "Exclude objects" msgstr "Exclure des objets" msgid "Enable this option to add EXCLUDE OBJECT command in g-code" -msgstr "" -"Activer cette option pour ajouter la commande EXCLUDE OBJECT dans le G-code" +msgstr "Activer cette option pour ajouter la commande EXCLUDE OBJECT dans le G-code" msgid "Verbose G-code" msgstr "G-code commenté" -msgid "" -"Enable this to get a commented G-code file, with each line explained by a " -"descriptive text. If you print from SD card, the additional weight of the " -"file could make your firmware slow down." -msgstr "" -"Activez cette option pour obtenir un fichier G-code commenté, chaque ligne " -"étant expliquée par un texte descriptif. Si vous imprimez à partir d’une " -"carte SD, le poids supplémentaire du fichier pourrait ralentir le firmware." +msgid "Enable this to get a commented G-code file, with each line explained by a descriptive text. If you print from SD card, the additional weight of the file could make your firmware slow down." +msgstr "Activez cette option pour obtenir un fichier G-code commenté, chaque ligne étant expliquée par un texte descriptif. Si vous imprimez à partir d’une carte SD, le poids supplémentaire du fichier pourrait ralentir le firmware." msgid "Infill combination" msgstr "Combinaison de remplissage" -msgid "" -"Automatically Combine sparse infill of several layers to print together to " -"reduce time. Wall is still printed with original layer height." -msgstr "" -"Combinez automatiquement le remplissage de plusieurs couches pour imprimer " -"ensemble afin de réduire le temps. La paroi est toujours imprimée avec la " -"hauteur de couche d'origine." +msgid "Automatically Combine sparse infill of several layers to print together to reduce time. Wall is still printed with original layer height." +msgstr "Combinez automatiquement le remplissage de plusieurs couches pour imprimer ensemble afin de réduire le temps. La paroi est toujours imprimée avec la hauteur de couche d'origine." msgid "Filament to print internal sparse infill." msgstr "Filament pour imprimer un remplissage interne." -msgid "" -"Line width of internal sparse infill. If expressed as a %, it will be " -"computed over the nozzle diameter." -msgstr "" -"Largeur de ligne du remplissage interne. Si elle est exprimée en %, elle " -"sera calculée sur le diamètre de la buse." +msgid "Line width of internal sparse infill. If expressed as a %, it will be computed over the nozzle diameter." +msgstr "Largeur de ligne du remplissage interne. Si elle est exprimée en %, elle sera calculée sur le diamètre de la buse." msgid "Infill/Wall overlap" msgstr "Chevauchement de remplissage/paroi" #, no-c-format, no-boost-format -msgid "" -"Infill area is enlarged slightly to overlap with wall for better bonding. " -"The percentage value is relative to line width of sparse infill. Set this " -"value to ~10-15% to minimize potential over extrusion and accumulation of " -"material resulting in rough top surfaces." -msgstr "" -"La zone de remplissage est légèrement élargie pour chevaucher la paroi afin " -"d’améliorer l’adhérence. La valeur du pourcentage est relative à la largeur " -"de la ligne de remplissage. Réglez cette valeur à ~10-15% pour minimiser le " -"risque de sur-extrusion et d’accumulation de matériau, ce qui rendrait les " -"surfaces supérieures rugueuses." +msgid "Infill area is enlarged slightly to overlap with wall for better bonding. The percentage value is relative to line width of sparse infill. Set this value to ~10-15% to minimize potential over extrusion and accumulation of material resulting in rough top surfaces." +msgstr "La zone de remplissage est légèrement élargie pour chevaucher la paroi afin d’améliorer l’adhérence. La valeur du pourcentage est relative à la largeur de la ligne de remplissage. Réglez cette valeur à ~10-15% pour minimiser le risque de sur-extrusion et d’accumulation de matériau, ce qui rendrait les surfaces supérieures rugueuses." msgid "Top/Bottom solid infill/wall overlap" msgstr "Chevauchement du remplissage ou de la paroi supérieur(e)/inférieur(e)" #, no-c-format, no-boost-format -msgid "" -"Top solid infill area is enlarged slightly to overlap with wall for better " -"bonding and to minimize the appearance of pinholes where the top infill " -"meets the walls. A value of 25-30% is a good starting point, minimising the " -"appearance of pinholes. The percentage value is relative to line width of " -"sparse infill" -msgstr "" -"La zone de remplissage solide supérieure est légèrement élargie pour " -"chevaucher la paroi afin d’améliorer l’adhérence et de minimiser " -"l’apparition de trous d’épingle à l’endroit où le remplissage supérieur " -"rencontre les parois. Une valeur de 25-30% est un bon point de départ, " -"minimisant l’apparition de trous d’épingle. La valeur en pourcentage est " -"relative à la largeur de ligne du remplissage." +msgid "Top solid infill area is enlarged slightly to overlap with wall for better bonding and to minimize the appearance of pinholes where the top infill meets the walls. A value of 25-30% is a good starting point, minimising the appearance of pinholes. The percentage value is relative to line width of sparse infill" +msgstr "La zone de remplissage solide supérieure est légèrement élargie pour chevaucher la paroi afin d’améliorer l’adhérence et de minimiser l’apparition de trous d’épingle à l’endroit où le remplissage supérieur rencontre les parois. Une valeur de 25-30% est un bon point de départ, minimisant l’apparition de trous d’épingle. La valeur en pourcentage est relative à la largeur de ligne du remplissage." msgid "Speed of internal sparse infill" msgstr "Vitesse de remplissage interne" @@ -12267,48 +10116,26 @@ msgstr "Vitesse de remplissage interne" msgid "Interface shells" msgstr "Coque des interfaces" -msgid "" -"Force the generation of solid shells between adjacent materials/volumes. " -"Useful for multi-extruder prints with translucent materials or manual " -"soluble support material" -msgstr "" -"Forcer la génération de coques solides entre matériaux/volumes adjacents. " -"Utile pour les impressions multi-extrudeuses avec des matériaux translucides " -"ou un matériau de support soluble" +msgid "Force the generation of solid shells between adjacent materials/volumes. Useful for multi-extruder prints with translucent materials or manual soluble support material" +msgstr "Forcer la génération de coques solides entre matériaux/volumes adjacents. Utile pour les impressions multi-extrudeuses avec des matériaux translucides ou un matériau de support soluble" msgid "Maximum width of a segmented region" msgstr "Largeur maximale d’une région segmentée" msgid "Maximum width of a segmented region. Zero disables this feature." -msgstr "" -"Largeur maximale d’une région segmentée. Zéro désactive cette fonction." +msgstr "Largeur maximale d’une région segmentée. Zéro désactive cette fonction." msgid "Interlocking depth of a segmented region" msgstr "Profondeur d’emboîtement d’une région segmentée" -msgid "" -"Interlocking depth of a segmented region. It will be ignored if " -"\"mmu_segmented_region_max_width\" is zero or if " -"\"mmu_segmented_region_interlocking_depth\"is bigger then " -"\"mmu_segmented_region_max_width\". Zero disables this feature." -msgstr "" -"Profondeur d’imbrication d’une région segmentée. Elle sera ignorée si " -"« mmu_segmented_region_max_width » est égal à zéro ou si " -"« mmu_segmented_region_interlocking_depth » est supérieur à " -"« mmu_segmented_region_max_width ». La valeur zéro désactive cette " -"fonctionnalité." +msgid "Interlocking depth of a segmented region. It will be ignored if \"mmu_segmented_region_max_width\" is zero or if \"mmu_segmented_region_interlocking_depth\"is bigger then \"mmu_segmented_region_max_width\". Zero disables this feature." +msgstr "Profondeur d’imbrication d’une région segmentée. Elle sera ignorée si « mmu_segmented_region_max_width » est égal à zéro ou si « mmu_segmented_region_interlocking_depth » est supérieur à « mmu_segmented_region_max_width ». La valeur zéro désactive cette fonctionnalité." msgid "Use beam interlocking" msgstr "Utiliser l’emboîtement des poutres" -msgid "" -"Generate interlocking beam structure at the locations where different " -"filaments touch. This improves the adhesion between filaments, especially " -"models printed in different materials." -msgstr "" -"Génère une structure de poutres imbriquées aux endroits où les différents " -"filaments se touchent. Cela améliore l’adhérence entre les filaments, en " -"particulier pour les modèles imprimés dans des matériaux différents." +msgid "Generate interlocking beam structure at the locations where different filaments touch. This improves the adhesion between filaments, especially models printed in different materials." +msgstr "Génère une structure de poutres imbriquées aux endroits où les différents filaments se touchent. Cela améliore l’adhérence entre les filaments, en particulier pour les modèles imprimés dans des matériaux différents." msgid "Interlocking beam width" msgstr "Largeur du faisceau d’emboîtement" @@ -12325,45 +10152,26 @@ msgstr "Orientation des poutres de verrouillage." msgid "Interlocking beam layers" msgstr "Couches de poutres emboîtées" -msgid "" -"The height of the beams of the interlocking structure, measured in number of " -"layers. Less layers is stronger, but more prone to defects." -msgstr "" -"La hauteur des poutres de la structure d’emboîtement, mesurée en nombre de " -"couches. Moins il y a de couches, plus la structure est solide, mais plus " -"elle est sujette à des défauts." +msgid "The height of the beams of the interlocking structure, measured in number of layers. Less layers is stronger, but more prone to defects." +msgstr "La hauteur des poutres de la structure d’emboîtement, mesurée en nombre de couches. Moins il y a de couches, plus la structure est solide, mais plus elle est sujette à des défauts." msgid "Interlocking depth" msgstr "Profondeur d’emboîtement" -msgid "" -"The distance from the boundary between filaments to generate interlocking " -"structure, measured in cells. Too few cells will result in poor adhesion." -msgstr "" -"La distance de la limite entre les filaments pour générer une structure " -"imbriquée, mesurée en cellules. Un nombre insuffisant de cellules entraîne " -"une mauvaise adhérence." +msgid "The distance from the boundary between filaments to generate interlocking structure, measured in cells. Too few cells will result in poor adhesion." +msgstr "La distance de la limite entre les filaments pour générer une structure imbriquée, mesurée en cellules. Un nombre insuffisant de cellules entraîne une mauvaise adhérence." msgid "Interlocking boundary avoidance" msgstr "Évitement des limites de l’imbrication" -msgid "" -"The distance from the outside of a model where interlocking structures will " -"not be generated, measured in cells." -msgstr "" -"La distance à partir de l’extérieur d’un modèle où les structures imbriquées " -"ne seront pas générées, mesurée en cellules." +msgid "The distance from the outside of a model where interlocking structures will not be generated, measured in cells." +msgstr "La distance à partir de l’extérieur d’un modèle où les structures imbriquées ne seront pas générées, mesurée en cellules." msgid "Ironing Type" msgstr "Type de lissage" -msgid "" -"Ironing is using small flow to print on same height of surface again to make " -"flat surface more smooth. This setting controls which layer being ironed" -msgstr "" -"Le lissage utilise un petit débit pour imprimer à nouveau sur la même " -"hauteur de surface pour rendre la surface plane plus lisse. Ce paramètre " -"contrôle quelle couche est repassée" +msgid "Ironing is using small flow to print on same height of surface again to make flat surface more smooth. This setting controls which layer being ironed" +msgstr "Le lissage utilise un petit débit pour imprimer à nouveau sur la même hauteur de surface pour rendre la surface plane plus lisse. Ce paramètre contrôle quelle couche est repassée" msgid "No ironing" msgstr "Pas de lissage" @@ -12384,15 +10192,10 @@ msgid "The pattern that will be used when ironing" msgstr "Motif qui sera utilisé lors du lissage" msgid "Ironing flow" -msgstr "Flux de lissage" +msgstr "Débit de lissage" -msgid "" -"The amount of material to extrude during ironing. Relative to flow of normal " -"layer height. Too high value results in overextrusion on the surface" -msgstr "" -"La quantité de matière à extruder lors du lissage. Relatif au débit de la " -"hauteur de couche normale. Une valeur trop élevée entraîne une surextrusion " -"en surface" +msgid "The amount of material to extrude during ironing. Relative to flow of normal layer height. Too high value results in overextrusion on the surface" +msgstr "La quantité de matière à extruder lors du lissage. Relatif au débit de la hauteur de couche normale. Une valeur trop élevée entraîne une surextrusion en surface" msgid "Ironing line spacing" msgstr "Espacement des lignes de lissage" @@ -12409,27 +10212,17 @@ msgstr "Vitesse d'impression des lignes de lissage" msgid "Ironing angle" msgstr "Angle de lissage" -msgid "" -"The angle ironing is done at. A negative number disables this function and " -"uses the default method." -msgstr "" -"Angle auquel le lissage se fait. Un nombre négatif désactive cette fonction " -"et utilise la méthode par défaut." +msgid "The angle ironing is done at. A negative number disables this function and uses the default method." +msgstr "Angle auquel le lissage se fait. Un nombre négatif désactive cette fonction et utilise la méthode par défaut." msgid "This gcode part is inserted at every layer change after lift z" -msgstr "" -"Cette partie G-code est insérée à chaque changement de couche après le " -"levage du Z" +msgstr "Cette partie G-code est insérée à chaque changement de couche après le levage du Z" msgid "Supports silent mode" msgstr "Prend en charge le mode silencieux" -msgid "" -"Whether the machine supports silent mode in which machine use lower " -"acceleration to print" -msgstr "" -"Si la machine prend en charge le mode silencieux dans lequel la machine " -"utilise une accélération plus faible pour imprimer" +msgid "Whether the machine supports silent mode in which machine use lower acceleration to print" +msgstr "Si la machine prend en charge le mode silencieux dans lequel la machine utilise une accélération plus faible pour imprimer" msgid "Emit limits to G-code" msgstr "Emission des limites vers le G-code" @@ -12441,17 +10234,11 @@ msgid "" "If enabled, the machine limits will be emitted to G-code file.\n" "This option will be ignored if the g-code flavor is set to Klipper." msgstr "" -"Si cette option est activée, les limites de la machine seront émises dans un " -"fichier G-code.\n" +"Si cette option est activée, les limites de la machine seront émises dans un fichier G-code.\n" "Cette option sera ignorée si la version du G-code est définie sur Klipper." -msgid "" -"This G-code will be used as a code for the pause print. User can insert " -"pause G-code in gcode viewer" -msgstr "" -"Ce G-code sera utilisé comme code pour la pause d'impression. Les " -"utilisateurs peuvent insérer un G-code de pause dans la visionneuse de G-" -"code." +msgid "This G-code will be used as a code for the pause print. User can insert pause G-code in gcode viewer" +msgstr "Ce G-code sera utilisé comme code pour la pause d'impression. Les utilisateurs peuvent insérer un G-code de pause dans la visionneuse de G-code." msgid "This G-code will be used as a custom code" msgstr "Ce G-code sera utilisé comme code personnalisé" @@ -12460,23 +10247,13 @@ msgid "Small area flow compensation (beta)" msgstr "Compensation du débit des petites zones (beta)" msgid "Enable flow compensation for small infill areas" -msgstr "" -"Activer la compensation des débits pour les petites zones de remplissage" +msgstr "Activer la compensation des débits pour les petites zones de remplissage" msgid "Flow Compensation Model" msgstr "Modèle de compensation de débit" -msgid "" -"Flow Compensation Model, used to adjust the flow for small infill areas. The " -"model is expressed as a comma separated pair of values for extrusion length " -"and flow correction factors, one per line, in the following format: " -"\"1.234,5.678\"" -msgstr "" -"Modèle de compensation du débit, utilisé pour ajuster le débit pour les " -"petites zones de remplissage. Le modèle est exprimé sous la forme d’une " -"paire de valeurs séparées par des virgules pour la longueur d’extrusion et " -"les facteurs de correction du débit, une par ligne, dans le format suivant : " -"« 1.234,5.678 »" +msgid "Flow Compensation Model, used to adjust the flow for small infill areas. The model is expressed as a comma separated pair of values for extrusion length and flow correction factors, one per line, in the following format: \"1.234,5.678\"" +msgstr "Modèle de compensation du débit, utilisé pour ajuster le débit pour les petites zones de remplissage. Le modèle est exprimé sous la forme d’une paire de valeurs séparées par des virgules pour la longueur d’extrusion et les facteurs de correction du débit, une par ligne, dans le format suivant : « 1.234,5.678 »" msgid "Maximum speed X" msgstr "Vitesse maximale X" @@ -12578,87 +10355,46 @@ msgid "Maximum acceleration for travel" msgstr "Accélération maximale pour le déplacement" msgid "Maximum acceleration for travel (M204 T), it only applies to Marlin 2" -msgstr "" -"Accélération maximale de déplacement (M204 T), cela ne s’applique qu’à " -"Marlin 2" +msgstr "Accélération maximale de déplacement (M204 T), cela ne s’applique qu’à Marlin 2" -msgid "" -"Part cooling fan speed may be increased when auto cooling is enabled. This " -"is the maximum speed limitation of part cooling fan" -msgstr "" -"La vitesse du ventilateur de refroidissement des pièces peut être augmentée " -"lorsque le refroidissement automatique est activé. Il s'agit de la " -"limitation de vitesse maximale du ventilateur de refroidissement partiel" +msgid "Part cooling fan speed may be increased when auto cooling is enabled. This is the maximum speed limitation of part cooling fan" +msgstr "La vitesse du ventilateur de refroidissement des pièces peut être augmentée lorsque le refroidissement automatique est activé. Il s'agit de la limitation de vitesse maximale du ventilateur de refroidissement partiel" msgid "Max" msgstr "Maximum" -msgid "" -"The largest printable layer height for extruder. Used tp limits the maximum " -"layer hight when enable adaptive layer height" -msgstr "" -"La plus grande hauteur de couche imprimable pour l'extrudeur. Utilisé tp " -"limite la hauteur de couche maximale lorsque la hauteur de couche adaptative " -"est activée" +msgid "The largest printable layer height for extruder. Used tp limits the maximum layer hight when enable adaptive layer height" +msgstr "La plus grande hauteur de couche imprimable pour l'extrudeur. Utilisé tp limite la hauteur de couche maximale lorsque la hauteur de couche adaptative est activée" msgid "Extrusion rate smoothing" msgstr "Lissage du taux d’extrusion" msgid "" -"This parameter smooths out sudden extrusion rate changes that happen when " -"the printer transitions from printing a high flow (high speed/larger width) " -"extrusion to a lower flow (lower speed/smaller width) extrusion and vice " -"versa.\n" +"This parameter smooths out sudden extrusion rate changes that happen when the printer transitions from printing a high flow (high speed/larger width) extrusion to a lower flow (lower speed/smaller width) extrusion and vice versa.\n" "\n" -"It defines the maximum rate by which the extruded volumetric flow in mm3/sec " -"can change over time. Higher values mean higher extrusion rate changes are " -"allowed, resulting in faster speed transitions.\n" +"It defines the maximum rate by which the extruded volumetric flow in mm3/sec can change over time. Higher values mean higher extrusion rate changes are allowed, resulting in faster speed transitions.\n" "\n" "A value of 0 disables the feature. \n" "\n" -"For a high speed, high flow direct drive printer (like the Bambu lab or " -"Voron) this value is usually not needed. However it can provide some " -"marginal benefit in certain cases where feature speeds vary greatly. For " -"example, when there are aggressive slowdowns due to overhangs. In these " -"cases a high value of around 300-350mm3/s2 is recommended as this allows for " -"just enough smoothing to assist pressure advance achieve a smoother flow " -"transition.\n" +"For a high speed, high flow direct drive printer (like the Bambu lab or Voron) this value is usually not needed. However it can provide some marginal benefit in certain cases where feature speeds vary greatly. For example, when there are aggressive slowdowns due to overhangs. In these cases a high value of around 300-350mm3/s2 is recommended as this allows for just enough smoothing to assist pressure advance achieve a smoother flow transition.\n" "\n" -"For slower printers without pressure advance, the value should be set much " -"lower. A value of 10-15mm3/s2 is a good starting point for direct drive " -"extruders and 5-10mm3/s2 for Bowden style. \n" +"For slower printers without pressure advance, the value should be set much lower. A value of 10-15mm3/s2 is a good starting point for direct drive extruders and 5-10mm3/s2 for Bowden style. \n" "\n" "This feature is known as Pressure Equalizer in Prusa slicer.\n" "\n" "Note: this parameter disables arc fitting." msgstr "" -"Ce paramètre atténue les changements soudains du taux d’extrusion qui se " -"produisent lorsque l’imprimante passe d’une impression à haut débit (vitesse " -"élevée / largeur de ligne plus grande) à une extrusion à débit plus faible " -"(vitesse plus faible / largeur de ligne plus petite) et vice versa.\n" +"Ce paramètre atténue les changements soudains du taux d’extrusion qui se produisent lorsque l’imprimante passe d’une impression à haut débit (vitesse élevée / largeur de ligne plus grande) à une extrusion à débit plus faible (vitesse plus faible / largeur de ligne plus petite) et vice versa.\n" "\n" -"Il définit le taux maximum auquel le débit volumétrique extrudé en mm3/sec " -"peut varier dans le temps. Des valeurs plus élevées signifient que des " -"changements du taux d’extrusion plus élevés sont autorisés, ce qui entraîne " -"des transitions de vitesse plus rapides.\n" +"Il définit le taux maximum auquel le débit volumétrique extrudé en mm3/sec peut varier dans le temps. Des valeurs plus élevées signifient que des changements du taux d’extrusion plus élevés sont autorisés, ce qui entraîne des transitions de vitesse plus rapides.\n" "\n" "Une valeur de 0 désactive la fonctionnalité.\n" "\n" -"Pour une imprimante direct drive à grande vitesse et à haut débit (comme " -"BambuLab ou Voron), cette valeur n’est généralement pas nécessaire. " -"Cependant, cela peut apporter un avantage marginal dans certains cas où les " -"vitesses varient considérablement. Par exemple, en cas de ralentissements " -"agressifs dus à des surplombs. Dans ces cas, une valeur élevée d’environ " -"300-350 mm3/s2 est recommandée car elle permet un lissage juste suffisant " -"pour aider l’augmentation de la pression pour obtenir une transition de " -"débit plus douce.\n" +"Pour une imprimante direct drive à grande vitesse et à haut débit (comme BambuLab ou Voron), cette valeur n’est généralement pas nécessaire. Cependant, cela peut apporter un avantage marginal dans certains cas où les vitesses varient considérablement. Par exemple, en cas de ralentissements agressifs dus à des surplombs. Dans ces cas, une valeur élevée d’environ 300-350 mm3/s2 est recommandée car elle permet un lissage juste suffisant pour aider l’augmentation de la pression pour obtenir une transition de débit plus douce.\n" "\n" -"Pour les imprimantes plus lentes sans fonction de pressure advance, la " -"valeur doit être réglée beaucoup plus bas. Une valeur de 10-15 mm3/s2 est un " -"bon point de départ en direct drive et de 5-10 mm3/s2 en Bowden.\n" +"Pour les imprimantes plus lentes sans fonction de pressure advance, la valeur doit être réglée beaucoup plus bas. Une valeur de 10-15 mm3/s2 est un bon point de départ en direct drive et de 5-10 mm3/s2 en Bowden.\n" "\n" -"Cette fonctionnalité est connue sous le nom de Pressure Equalizer dans Prusa " -"Slicer.\n" +"Cette fonctionnalité est connue sous le nom de Pressure Equalizer dans Prusa Slicer.\n" "\n" "Remarque : ce paramètre désactive la fonction Arc." @@ -12669,22 +10405,15 @@ msgid "Smoothing segment length" msgstr "Longueur du segment de lissage" msgid "" -"A lower value results in smoother extrusion rate transitions. However, this " -"results in a significantly larger gcode file and more instructions for the " -"printer to process. \n" +"A lower value results in smoother extrusion rate transitions. However, this results in a significantly larger gcode file and more instructions for the printer to process. \n" "\n" -"Default value of 3 works well for most cases. If your printer is stuttering, " -"increase this value to reduce the number of adjustments made\n" +"Default value of 3 works well for most cases. If your printer is stuttering, increase this value to reduce the number of adjustments made\n" "\n" "Allowed values: 1-5" msgstr "" -"Une valeur inférieure entraîne des transitions du taux d’extrusion plus " -"douces. Cependant, cela entraîne un fichier G-code beaucoup plus volumineux " -"et davantage d’instructions à traiter par l’imprimante.\n" +"Une valeur inférieure entraîne des transitions du taux d’extrusion plus douces. Cependant, cela entraîne un fichier G-code beaucoup plus volumineux et davantage d’instructions à traiter par l’imprimante.\n" "\n" -"La valeur 3 par défaut fonctionne bien dans la plupart des cas. Si votre " -"imprimante a du mal à suivre, augmentez cette valeur pour réduire le nombre " -"de réglages effectués\n" +"La valeur 3 par défaut fonctionne bien dans la plupart des cas. Si votre imprimante a du mal à suivre, augmentez cette valeur pour réduire le nombre de réglages effectués\n" "\n" "Valeurs autorisées : 1-5" @@ -12692,40 +10421,23 @@ msgid "Minimum speed for part cooling fan" msgstr "Vitesse minimale du ventilateur de refroidissement des pièces" msgid "" -"Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed " -"during printing except the first several layers which is defined by no " -"cooling layers.\n" -"Please enable auxiliary_fan in printer settings to use this feature. G-code " -"command: M106 P2 S(0-255)" +"Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed during printing except the first several layers which is defined by no cooling layers.\n" +"Please enable auxiliary_fan in printer settings to use this feature. G-code command: M106 P2 S(0-255)" msgstr "" -"Vitesse du ventilateur de refroidissement auxiliaire. Le ventilateur " -"auxiliaire fonctionnera à cette vitesse pendant l'impression, à l'exception " -"des premières couches définies sans refroidissement.\n" -"Veuillez activer auxiliaire_fan dans les paramètres de l’imprimante pour " -"utiliser cette fonctionnalité. Commande G-code : M106 P2 S(0-255)" +"Vitesse du ventilateur de refroidissement auxiliaire. Le ventilateur auxiliaire fonctionnera à cette vitesse pendant l'impression, à l'exception des premières couches définies sans refroidissement.\n" +"Veuillez activer auxiliaire_fan dans les paramètres de l’imprimante pour utiliser cette fonctionnalité. Commande G-code : M106 P2 S(0-255)" msgid "Min" msgstr "Minimum" -msgid "" -"The lowest printable layer height for extruder. Used tp limits the minimum " -"layer hight when enable adaptive layer height" -msgstr "" -"La hauteur de couche imprimable la plus basse pour l'extrudeur. Utilisé tp " -"limite la hauteur de couche minimale lorsque la hauteur de couche adaptative " -"est activée" +msgid "The lowest printable layer height for extruder. Used tp limits the minimum layer hight when enable adaptive layer height" +msgstr "La hauteur de couche imprimable la plus basse pour l'extrudeur. Utilisé tp limite la hauteur de couche minimale lorsque la hauteur de couche adaptative est activée" msgid "Min print speed" msgstr "Vitesse d'impression minimale" -msgid "" -"The minimum printing speed that the printer will slow down to to attempt to " -"maintain the minimum layer time above, when slow down for better layer " -"cooling is enabled." -msgstr "" -"Vitesse d’impression minimale à laquelle l’imprimante ralentira pour tenter " -"de maintenir le temps de couche minimal ci-dessus, lorsque la fonction de " -"ralentissement pour un meilleur refroidissement de la couche est activée." +msgid "The minimum printing speed that the printer will slow down to to attempt to maintain the minimum layer time above, when slow down for better layer cooling is enabled." +msgstr "Vitesse d’impression minimale à laquelle l’imprimante ralentira pour tenter de maintenir le temps de couche minimal ci-dessus, lorsque la fonction de ralentissement pour un meilleur refroidissement de la couche est activée." msgid "Diameter of nozzle" msgstr "Diamètre de la buse" @@ -12733,120 +10445,71 @@ msgstr "Diamètre de la buse" msgid "Configuration notes" msgstr "Notes de la configuration" -msgid "" -"You can put here your personal notes. This text will be added to the G-code " -"header comments." -msgstr "" -"Vous pouvez mettre ici vos notes personnelles. Ce texte sera ajouté aux " -"commentaires d’en-tête du G-code." +msgid "You can put here your personal notes. This text will be added to the G-code header comments." +msgstr "Vous pouvez mettre ici vos notes personnelles. Ce texte sera ajouté aux commentaires d’en-tête du G-code." msgid "Host Type" msgstr "Type d'hôte" -msgid "" -"Orca Slicer can upload G-code files to a printer host. This field must " -"contain the kind of the host." -msgstr "" -"Orca Slicer peut téléverser des fichiers G-code sur une imprimante hôte. Ce " -"champ doit contenir le type d'hôte." +msgid "Orca Slicer can upload G-code files to a printer host. This field must contain the kind of the host." +msgstr "Orca Slicer peut téléverser des fichiers G-code sur une imprimante hôte. Ce champ doit contenir le type d'hôte." msgid "Nozzle volume" msgstr "Volume de la buse" msgid "Volume of nozzle between the cutter and the end of nozzle" -msgstr "" -"Volume de la buse entre le coupeur de filament et l'extrémité de la buse" +msgstr "Volume de la buse entre le coupeur de filament et l'extrémité de la buse" msgid "Cooling tube position" msgstr "Position du tube de refroidissement" msgid "Distance of the center-point of the cooling tube from the extruder tip." -msgstr "" -"Distance entre le point central du tube de refroidissement et la pointe de " -"l’extrudeur." +msgstr "Distance entre le point central du tube de refroidissement et la pointe de l’extrudeur." msgid "Cooling tube length" msgstr "Longueur du tube de refroidissement" msgid "Length of the cooling tube to limit space for cooling moves inside it." -msgstr "" -"Longueur du tube de refroidissement pour limiter l’espace à l’intérieur du " -"tube de refroidissement." +msgstr "Longueur du tube de refroidissement pour limiter l’espace à l’intérieur du tube de refroidissement." msgid "High extruder current on filament swap" msgstr "Courant de l’extrudeur élevé lors du changement de filament" -msgid "" -"It may be beneficial to increase the extruder motor current during the " -"filament exchange sequence to allow for rapid ramming feed rates and to " -"overcome resistance when loading a filament with an ugly shaped tip." -msgstr "" -"Il peut être avantageux d’augmenter le courant du moteur de l’extrudeur " -"pendant la séquence d’échange de filament pour permettre des vitesses " -"d’alimentation rapides et pour surmonter la résistance lors du chargement " -"d’un filament." +msgid "It may be beneficial to increase the extruder motor current during the filament exchange sequence to allow for rapid ramming feed rates and to overcome resistance when loading a filament with an ugly shaped tip." +msgstr "Il peut être avantageux d’augmenter le courant du moteur de l’extrudeur pendant la séquence d’échange de filament pour permettre des vitesses d’alimentation rapides et pour surmonter la résistance lors du chargement d’un filament." msgid "Filament parking position" msgstr "Position de stationnement du filament" -msgid "" -"Distance of the extruder tip from the position where the filament is parked " -"when unloaded. This should match the value in printer firmware." -msgstr "" -"Distance entre la pointe de l’extrudeur et la position où le filament est " -"parqué une fois déchargé. Cela doit correspondre à la valeur du firmware de " -"l’imprimante." +msgid "Distance of the extruder tip from the position where the filament is parked when unloaded. This should match the value in printer firmware." +msgstr "Distance entre la pointe de l’extrudeur et la position où le filament est parqué une fois déchargé. Cela doit correspondre à la valeur du firmware de l’imprimante." msgid "Extra loading distance" msgstr "Distance de chargement supplémentaire" -msgid "" -"When set to zero, the distance the filament is moved from parking position " -"during load is exactly the same as it was moved back during unload. When " -"positive, it is loaded further, if negative, the loading move is shorter " -"than unloading." -msgstr "" -"Lorsqu’il est réglé sur zéro, la distance à laquelle le filament est déplacé " -"depuis la position de stationnement pendant le chargement est exactement la " -"même que celle à laquelle il a été déplacé pendant le déchargement. " -"Lorsqu’il est positif, il est chargé davantage, s’il est négatif, le " -"mouvement de chargement est plus court que le déchargement." +msgid "When set to zero, the distance the filament is moved from parking position during load is exactly the same as it was moved back during unload. When positive, it is loaded further, if negative, the loading move is shorter than unloading." +msgstr "Lorsqu’il est réglé sur zéro, la distance à laquelle le filament est déplacé depuis la position de stationnement pendant le chargement est exactement la même que celle à laquelle il a été déplacé pendant le déchargement. Lorsqu’il est positif, il est chargé davantage, s’il est négatif, le mouvement de chargement est plus court que le déchargement." msgid "Start end points" msgstr "Points de départ et d'arrivée" msgid "The start and end points which is from cutter area to garbage can." -msgstr "" -"Les points de départ et d'arrivée qui se situent entre la zone de coupe et " -"la goulotte d'évacuation." +msgstr "Les points de départ et d'arrivée qui se situent entre la zone de coupe et la goulotte d'évacuation." msgid "Reduce infill retraction" msgstr "Réduire la rétraction du remplissage" -msgid "" -"Don't retract when the travel is in infill area absolutely. That means the " -"oozing can't been seen. This can reduce times of retraction for complex " -"model and save printing time, but make slicing and G-code generating slower" -msgstr "" -"Ne pas effectuer de rétraction lors de déplacement en zone de remplissage " -"car même si l’extrudeur suinte, les coulures ne seraient pas visibles. Cela " -"peut réduire les rétractions pour les modèles complexes et économiser du " -"temps d’impression, mais ralentit la découpe et la génération du G-code." +msgid "Don't retract when the travel is in infill area absolutely. That means the oozing can't been seen. This can reduce times of retraction for complex model and save printing time, but make slicing and G-code generating slower" +msgstr "Ne pas effectuer de rétraction lors de déplacement en zone de remplissage car même si l’extrudeur suinte, les coulures ne seraient pas visibles. Cela peut réduire les rétractions pour les modèles complexes et économiser du temps d’impression, mais ralentit la découpe et la génération du G-code." -msgid "" -"This option will drop the temperature of the inactive extruders to prevent " -"oozing." -msgstr "" -"Cette option permet d’abaisser la température des extrudeurs inactifs afin " -"d’éviter le suintement." +msgid "This option will drop the temperature of the inactive extruders to prevent oozing." +msgstr "Cette option permet d’abaisser la température des extrudeurs inactifs afin d’éviter le suintement." msgid "Filename format" msgstr "Format du nom de fichier" msgid "User can self-define the project file name when export" -msgstr "" -"L'utilisateur peut définir lui-même le nom du fichier de projet lors de " -"l'exportation" +msgstr "L'utilisateur peut définir lui-même le nom du fichier de projet lors de l'exportation" msgid "Make overhangs printable" msgstr "Rendre les surplombs imprimables" @@ -12857,26 +10520,14 @@ msgstr "Modifier la géométrie pour imprimer les surplombs sans support." msgid "Make overhangs printable - Maximum angle" msgstr "Rendre les surplombs imprimables - Angle maximal" -msgid "" -"Maximum angle of overhangs to allow after making more steep overhangs " -"printable.90° will not change the model at all and allow any overhang, while " -"0 will replace all overhangs with conical material." -msgstr "" -"Angle maximal des surplombs à autoriser après avoir rendu imprimables les " -"surplombs plus raides. Une valeur de 90° ne changera pas du tout le modèle " -"et n’autorisera aucun surplomb, tandis que 0 remplacera tous les surplombs " -"par un matériau conique." +msgid "Maximum angle of overhangs to allow after making more steep overhangs printable.90° will not change the model at all and allow any overhang, while 0 will replace all overhangs with conical material." +msgstr "Angle maximal des surplombs à autoriser après avoir rendu imprimables les surplombs plus raides. Une valeur de 90° ne changera pas du tout le modèle et n’autorisera aucun surplomb, tandis que 0 remplacera tous les surplombs par un matériau conique." msgid "Make overhangs printable - Hole area" msgstr "Rendre les surplombs imprimables - Zone de trous" -msgid "" -"Maximum area of a hole in the base of the model before it's filled by " -"conical material.A value of 0 will fill all the holes in the model base." -msgstr "" -"Aire maximale d’un trou dans la base du modèle avant qu’il ne soit rempli " -"par un matériau conique. Une valeur de 0 remplira tous les trous dans la " -"base du modèle." +msgid "Maximum area of a hole in the base of the model before it's filled by conical material.A value of 0 will fill all the holes in the model base." +msgstr "Aire maximale d’un trou dans la base du modèle avant qu’il ne soit rempli par un matériau conique. Une valeur de 0 remplira tous les trous dans la base du modèle." msgid "mm²" msgstr "mm²" @@ -12885,23 +10536,14 @@ msgid "Detect overhang wall" msgstr "Détecter une paroi en surplomb" #, c-format, boost-format -msgid "" -"Detect the overhang percentage relative to line width and use different " -"speed to print. For 100%% overhang, bridge speed is used." -msgstr "" -"Détectez le pourcentage de surplomb par rapport à la largeur de la ligne et " -"utilisez une vitesse différente pour imprimer. Pour un surplomb de 100%% la " -"vitesse du pont est utilisée." +msgid "Detect the overhang percentage relative to line width and use different speed to print. For 100%% overhang, bridge speed is used." +msgstr "Détectez le pourcentage de surplomb par rapport à la largeur de la ligne et utilisez une vitesse différente pour imprimer. Pour un surplomb de 100%% la vitesse du pont est utilisée." msgid "Filament to print walls" msgstr "Filament pour imprimer les parois" -msgid "" -"Line width of inner wall. If expressed as a %, it will be computed over the " -"nozzle diameter." -msgstr "" -"Largeur de ligne de la paroi intérieure. Si elle est exprimée en %, elle " -"sera calculée sur le diamètre de la buse." +msgid "Line width of inner wall. If expressed as a %, it will be computed over the nozzle diameter." +msgstr "Largeur de ligne de la paroi intérieure. Si elle est exprimée en %, elle sera calculée sur le diamètre de la buse." msgid "Speed of inner wall" msgstr "Vitesse de la paroi intérieure" @@ -12913,38 +10555,20 @@ msgid "Alternate extra wall" msgstr "Paroi supplémentaire alternée" msgid "" -"This setting adds an extra wall to every other layer. This way the infill " -"gets wedged vertically between the walls, resulting in stronger prints. \n" +"This setting adds an extra wall to every other layer. This way the infill gets wedged vertically between the walls, resulting in stronger prints. \n" "\n" -"When this option is enabled, the ensure vertical shell thickness option " -"needs to be disabled. \n" +"When this option is enabled, the ensure vertical shell thickness option needs to be disabled. \n" "\n" -"Using lightning infill together with this option is not recommended as there " -"is limited infill to anchor the extra perimeters to." +"Using lightning infill together with this option is not recommended as there is limited infill to anchor the extra perimeters to." msgstr "" -"Ce paramètre ajoute une paroi supplémentaire à chaque couche. De cette " -"manière, le remplissage est coincé verticalement entre les parois, ce qui " -"permet d’obtenir des impressions plus solides. \n" +"Ce paramètre ajoute une paroi supplémentaire à chaque couche. De cette manière, le remplissage est coincé verticalement entre les parois, ce qui permet d’obtenir des impressions plus solides. \n" "\n" -"Lorsque cette option est activée, l’option « assurer l’épaisseur verticale " -"de la coque » doit être désactivée. \n" +"Lorsque cette option est activée, l’option « assurer l’épaisseur verticale de la coque » doit être désactivée. \n" "\n" -"Il n’est pas recommandé d’utiliser le remplissage par éclairs avec cette " -"option, car il y a peu de remplissage pour ancrer les périmètres " -"supplémentaires." +"Il n’est pas recommandé d’utiliser le remplissage par éclairs avec cette option, car il y a peu de remplissage pour ancrer les périmètres supplémentaires." -msgid "" -"If you want to process the output G-code through custom scripts, just list " -"their absolute paths here. Separate multiple scripts with a semicolon. " -"Scripts will be passed the absolute path to the G-code file as the first " -"argument, and they can access the Orca Slicer config settings by reading " -"environment variables." -msgstr "" -"Si vous souhaitez traiter le G-code de sortie via des scripts personnalisés, " -"indiquez simplement leurs chemins absolus ici. Séparez plusieurs scripts par " -"un point-virgule. Les scripts recevront le chemin absolu vers le fichier G-" -"code comme premier argument, et ils peuvent accéder aux paramètres de " -"configuration Orca Slicer en lisant les variables d’environnement." +msgid "If you want to process the output G-code through custom scripts, just list their absolute paths here. Separate multiple scripts with a semicolon. Scripts will be passed the absolute path to the G-code file as the first argument, and they can access the Orca Slicer config settings by reading environment variables." +msgstr "Si vous souhaitez traiter le G-code de sortie via des scripts personnalisés, indiquez simplement leurs chemins absolus ici. Séparez plusieurs scripts par un point-virgule. Les scripts recevront le chemin absolu vers le fichier G-code comme premier argument, et ils peuvent accéder aux paramètres de configuration Orca Slicer en lisant les variables d’environnement." msgid "Printer type" msgstr "Type d’imprimante" @@ -12983,48 +10607,28 @@ msgid "Initial layer expansion" msgstr "Extension de la couche initiale" msgid "Expand the first raft or support layer to improve bed plate adhesion" -msgstr "" -"Développez le premier radeau ou couche de support pour améliorer l'adhérence " -"du plateau" +msgstr "Développez le premier radeau ou couche de support pour améliorer l'adhérence du plateau" msgid "Raft layers" msgstr "Couches du radeau" -msgid "" -"Object will be raised by this number of support layers. Use this function to " -"avoid wrapping when print ABS" -msgstr "" -"L'objet sera élevé par ce nombre de couches de support. Utilisez cette " -"fonction pour éviter l'emballage lors de l'impression ABS" +msgid "Object will be raised by this number of support layers. Use this function to avoid wrapping when print ABS" +msgstr "L'objet sera élevé par ce nombre de couches de support. Utilisez cette fonction pour éviter l'emballage lors de l'impression ABS" -msgid "" -"G-code path is genereated after simplifing the contour of model to avoid too " -"much points and gcode lines in gcode file. Smaller value means higher " -"resolution and more time to slice" -msgstr "" -"Le chemin du G-code est généré après avoir simplifié le contour du modèle " -"pour éviter trop de points et de lignes G-code dans le fichier G-code. Une " -"valeur plus petite signifie une résolution plus élevée et plus de temps pour " -"découper" +msgid "G-code path is genereated after simplifing the contour of model to avoid too much points and gcode lines in gcode file. Smaller value means higher resolution and more time to slice" +msgstr "Le chemin du G-code est généré après avoir simplifié le contour du modèle pour éviter trop de points et de lignes G-code dans le fichier G-code. Une valeur plus petite signifie une résolution plus élevée et plus de temps pour découper" msgid "Travel distance threshold" msgstr "Seuil de distance parcourue" -msgid "" -"Only trigger retraction when the travel distance is longer than this " -"threshold" -msgstr "" -"Ne déclencher la rétraction que lorsque la distance parcourue est supérieure " -"à ce seuil" +msgid "Only trigger retraction when the travel distance is longer than this threshold" +msgstr "Ne déclencher la rétraction que lorsque la distance parcourue est supérieure à ce seuil" msgid "Retract amount before wipe" msgstr "Quantité de rétraction avant essuyage" -msgid "" -"The length of fast retraction before wipe, relative to retraction length" -msgstr "" -"La longueur de la rétraction rapide avant l’essuyage, par rapport à la " -"longueur de la rétraction" +msgid "The length of fast retraction before wipe, relative to retraction length" +msgstr "La longueur de la rétraction rapide avant l’essuyage, par rapport à la longueur de la rétraction" msgid "Retract when change layer" msgstr "Rétracter lors de changement de couche" @@ -13035,71 +10639,38 @@ msgstr "Cela force une rétraction sur les changements de couche." msgid "Retraction Length" msgstr "Longueur de Rétraction" -msgid "" -"Some amount of material in extruder is pulled back to avoid ooze during long " -"travel. Set zero to disable retraction" -msgstr "" -"Une certaine quantité de matériau dans l'extrudeur est retirée pour éviter " -"le suintement pendant les longs trajets. Définir zéro pour désactiver la " -"rétraction" +msgid "Some amount of material in extruder is pulled back to avoid ooze during long travel. Set zero to disable retraction" +msgstr "Une certaine quantité de matériau dans l'extrudeur est retirée pour éviter le suintement pendant les longs trajets. Définir zéro pour désactiver la rétraction" msgid "Long retraction when cut(experimental)" msgstr "Longue rétraction lors de la coupe (expérimental)" -msgid "" -"Experimental feature.Retracting and cutting off the filament at a longer " -"distance during changes to minimize purge.While this reduces flush " -"significantly, it may also raise the risk of nozzle clogs or other printing " -"problems." -msgstr "" -"Fonction expérimentale : rétracter et couper le filament à une plus grande " -"distance pendant les changements pour minimiser la purge. Bien que cela " -"réduise considérablement la purge, cela peut également augmenter le risque " -"de bouchage des buses ou d’autres problèmes d’impression." +msgid "Experimental feature.Retracting and cutting off the filament at a longer distance during changes to minimize purge.While this reduces flush significantly, it may also raise the risk of nozzle clogs or other printing problems." +msgstr "Fonction expérimentale : rétracter et couper le filament à une plus grande distance pendant les changements pour minimiser la purge. Bien que cela réduise considérablement la purge, cela peut également augmenter le risque de bouchage des buses ou d’autres problèmes d’impression." msgid "Retraction distance when cut" msgstr "Distance de rétraction lors de la coupe" -msgid "" -"Experimental feature.Retraction length before cutting off during filament " -"change" -msgstr "" -"Fonction expérimentale : longueur de rétraction avant la coupure lors du " -"changement de filament." +msgid "Experimental feature.Retraction length before cutting off during filament change" +msgstr "Fonction expérimentale : longueur de rétraction avant la coupure lors du changement de filament." msgid "Z hop when retract" msgstr "Décalage du Z lors de la rétraction" -msgid "" -"Whenever the retraction is done, the nozzle is lifted a little to create " -"clearance between nozzle and the print. It prevents nozzle from hitting the " -"print when travel move. Using spiral line to lift z can prevent stringing" -msgstr "" -"Chaque fois que la rétraction est effectuée, la buse est légèrement soulevée " -"pour créer un espace entre la buse et l'impression. Il empêche la buse de " -"toucher l'impression lors du déplacement. L'utilisation d'une ligne en " -"spirale pour soulever z peut empêcher l'enfilage" +msgid "Whenever the retraction is done, the nozzle is lifted a little to create clearance between nozzle and the print. It prevents nozzle from hitting the print when travel move. Using spiral line to lift z can prevent stringing" +msgstr "Chaque fois que la rétraction est effectuée, la buse est légèrement soulevée pour créer un espace entre la buse et l'impression. Il empêche la buse de toucher l'impression lors du déplacement. L'utilisation d'une ligne en spirale pour soulever z peut empêcher l'enfilage" msgid "Z hop lower boundary" msgstr "Limite inférieure du saut de Z" -msgid "" -"Z hop will only come into effect when Z is above this value and is below the " -"parameter: \"Z hop upper boundary\"" -msgstr "" -"Le saut de Z ne sera effectif que si Z est supérieur à cette valeur et " -"inférieur au paramètre : « Limite supérieure du saut de Z »" +msgid "Z hop will only come into effect when Z is above this value and is below the parameter: \"Z hop upper boundary\"" +msgstr "Le saut de Z ne sera effectif que si Z est supérieur à cette valeur et inférieur au paramètre : « Limite supérieure du saut de Z »" msgid "Z hop upper boundary" msgstr "Limite supérieure du saut de Z" -msgid "" -"If this value is positive, Z hop will only come into effect when Z is above " -"the parameter: \"Z hop lower boundary\" and is below this value" -msgstr "" -"Si cette valeur est positive, le saut de Z ne sera effectif que si Z est " -"supérieur au paramètre : « Limite inférieure de Z hop » et qu’il est " -"inférieur à cette valeur." +msgid "If this value is positive, Z hop will only come into effect when Z is above the parameter: \"Z hop lower boundary\" and is below this value" +msgstr "Si cette valeur est positive, le saut de Z ne sera effectif que si Z est supérieur au paramètre : « Limite inférieure de Z hop » et qu’il est inférieur à cette valeur." msgid "Z hop type" msgstr "Type de décalage en Z" @@ -13113,42 +10684,26 @@ msgstr "Spirale" msgid "Traveling angle" msgstr "Angle de déplacement" -msgid "" -"Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results " -"in Normal Lift" -msgstr "" -"Angle de déplacement pour les sauts en Z en pente et en spirale. En le " -"réglant sur 90°, on obtient une levée normale." +msgid "Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results in Normal Lift" +msgstr "Angle de déplacement pour les sauts en Z en pente et en spirale. En le réglant sur 90°, on obtient une levée normale." msgid "Only lift Z above" msgstr "Décalage en Z au-dessus uniquement" -msgid "" -"If you set this to a positive value, Z lift will only take place above the " -"specified absolute Z." -msgstr "" -"Si définie sur une valeur positive, l’élévation Z n’aura lieu qu’au-dessus " -"du Z absolu spécifié." +msgid "If you set this to a positive value, Z lift will only take place above the specified absolute Z." +msgstr "Si définie sur une valeur positive, l’élévation Z n’aura lieu qu’au-dessus du Z absolu spécifié." msgid "Only lift Z below" msgstr "Décalage en Z en dessous uniquement" -msgid "" -"If you set this to a positive value, Z lift will only take place below the " -"specified absolute Z." -msgstr "" -"Si définie sur une valeur positive, l’élévation Z n’aura lieu qu’en dessous " -"du Z absolu spécifié." +msgid "If you set this to a positive value, Z lift will only take place below the specified absolute Z." +msgstr "Si définie sur une valeur positive, l’élévation Z n’aura lieu qu’en dessous du Z absolu spécifié." msgid "On surfaces" msgstr "Sur les surfaces" -msgid "" -"Enforce Z Hop behavior. This setting is impacted by the above settings (Only " -"lift Z above/below)." -msgstr "" -"Appliquer le comportement du décalage en Z. Ce paramètre est impacté par les " -"paramètres ci-dessus (décalage en Z au-dessus/en dessous uniquement)." +msgid "Enforce Z Hop behavior. This setting is impacted by the above settings (Only lift Z above/below)." +msgstr "Appliquer le comportement du décalage en Z. Ce paramètre est impacté par les paramètres ci-dessus (décalage en Z au-dessus/en dessous uniquement)." msgid "All Surfaces" msgstr "Toutes les surfaces" @@ -13165,20 +10720,11 @@ msgstr "Supérieures et Inférieures" msgid "Extra length on restart" msgstr "Longueur supplémentaire" -msgid "" -"When the retraction is compensated after the travel move, the extruder will " -"push this additional amount of filament. This setting is rarely needed." -msgstr "" -"Lorsque la rétraction est compensée après le mouvement de déplacement, " -"l’extrudeuse poussera cette quantité supplémentaire de filament. Ce " -"paramètre est rarement nécessaire." +msgid "When the retraction is compensated after the travel move, the extruder will push this additional amount of filament. This setting is rarely needed." +msgstr "Lorsque la rétraction est compensée après le mouvement de déplacement, l’extrudeuse poussera cette quantité supplémentaire de filament. Ce paramètre est rarement nécessaire." -msgid "" -"When the retraction is compensated after changing tool, the extruder will " -"push this additional amount of filament." -msgstr "" -"Lorsque la rétraction est compensée après le changement d’outil, l’extrudeur " -"poussera cette quantité supplémentaire de filament." +msgid "When the retraction is compensated after changing tool, the extruder will push this additional amount of filament." +msgstr "Lorsque la rétraction est compensée après le changement d’outil, l’extrudeur poussera cette quantité supplémentaire de filament." msgid "Retraction Speed" msgstr "Vitesse de Rétraction" @@ -13189,23 +10735,14 @@ msgstr "Vitesse de rétraction" msgid "Deretraction Speed" msgstr "Vitesse de réinsertion" -msgid "" -"Speed for reloading filament into extruder. Zero means same speed with " -"retraction" -msgstr "" -"Vitesse de rechargement du filament dans l'extrudeur. Zéro signifie même " -"vitesse avec rétraction" +msgid "Speed for reloading filament into extruder. Zero means same speed with retraction" +msgstr "Vitesse de rechargement du filament dans l'extrudeur. Zéro signifie même vitesse avec rétraction" msgid "Use firmware retraction" msgstr "Utiliser la rétraction firmware" -msgid "" -"This experimental setting uses G10 and G11 commands to have the firmware " -"handle the retraction. This is only supported in recent Marlin." -msgstr "" -"Ce paramètre expérimental utilise les commandes G10 et G11 pour que le " -"firmware gère la rétraction. Ceci n’est pris en charge que dans une version " -"de Marlin récente." +msgid "This experimental setting uses G10 and G11 commands to have the firmware handle the retraction. This is only supported in recent Marlin." +msgstr "Ce paramètre expérimental utilise les commandes G10 et G11 pour que le firmware gère la rétraction. Ceci n’est pris en charge que dans une version de Marlin récente." msgid "Show auto-calibration marks" msgstr "Afficher les marques de calibration" @@ -13213,18 +10750,14 @@ msgstr "Afficher les marques de calibration" msgid "Disable set remaining print time" msgstr "Désactiver le réglage du temps d’impression restant" -msgid "" -"Disable generating of the M73: Set remaining print time in the final gcode" -msgstr "" -"Désactiver la génération du M73 : Définir le temps d’impression restant dans " -"le gcode final" +msgid "Disable generating of the M73: Set remaining print time in the final gcode" +msgstr "Désactiver la génération du M73 : Définir le temps d’impression restant dans le gcode final" msgid "Seam position" msgstr "Position de la couture" msgid "The start position to print each part of outer wall" -msgstr "" -"La position de départ pour imprimer chaque partie de la paroi extérieure" +msgstr "La position de départ pour imprimer chaque partie de la paroi extérieure" msgid "Nearest" msgstr "La plus proche" @@ -13241,121 +10774,69 @@ msgstr "Aléatoire" msgid "Staggered inner seams" msgstr "Coutures intérieures décalées" -msgid "" -"This option causes the inner seams to be shifted backwards based on their " -"depth, forming a zigzag pattern." -msgstr "" -"Cette option entraîne le décalage des coutures intérieures vers l’arrière en " -"fonction de leur profondeur, formant un motif en zigzag." +msgid "This option causes the inner seams to be shifted backwards based on their depth, forming a zigzag pattern." +msgstr "Cette option entraîne le décalage des coutures intérieures vers l’arrière en fonction de leur profondeur, formant un motif en zigzag." msgid "Seam gap" msgstr "Écart de couture" msgid "" -"In order to reduce the visibility of the seam in a closed loop extrusion, " -"the loop is interrupted and shortened by a specified amount.\n" -"This amount can be specified in millimeters or as a percentage of the " -"current extruder diameter. The default value for this parameter is 10%." +"In order to reduce the visibility of the seam in a closed loop extrusion, the loop is interrupted and shortened by a specified amount.\n" +"This amount can be specified in millimeters or as a percentage of the current extruder diameter. The default value for this parameter is 10%." msgstr "" -"Afin de réduire la visibilité de la couture dans une extrusion en boucle " -"fermée, la boucle est interrompue et raccourcie d’une valeur spécifiée.\n" -"Cette quantité peut être spécifiée en millimètres ou en pourcentage du " -"diamètre actuel de la buse. La valeur par défaut de ce paramètre est 10%." +"Afin de réduire la visibilité de la couture dans une extrusion en boucle fermée, la boucle est interrompue et raccourcie d’une valeur spécifiée.\n" +"Cette quantité peut être spécifiée en millimètres ou en pourcentage du diamètre actuel de la buse. La valeur par défaut de ce paramètre est 10%." msgid "Scarf joint seam (beta)" msgstr "Couture en biseau (beta)" msgid "Use scarf joint to minimize seam visibility and increase seam strength." -msgstr "" -"Utiliser une couture en biseau pour minimiser la visibilité de la couture et " -"augmenter sa solidité." +msgstr "Utiliser une couture en biseau pour minimiser la visibilité de la couture et augmenter sa solidité." msgid "Conditional scarf joint" msgstr "Couture en biseau conditionnelle" -msgid "" -"Apply scarf joints only to smooth perimeters where traditional seams do not " -"conceal the seams at sharp corners effectively." -msgstr "" -"N’appliquer les couture en biseau que sur les périmètres lisses, lorsque les " -"coutures traditionnelles ne permettent pas de dissimuler efficacement les " -"coutures dans les angles saillants." +msgid "Apply scarf joints only to smooth perimeters where traditional seams do not conceal the seams at sharp corners effectively." +msgstr "N’appliquer les couture en biseau que sur les périmètres lisses, lorsque les coutures traditionnelles ne permettent pas de dissimuler efficacement les coutures dans les angles saillants." msgid "Conditional angle threshold" msgstr "Seuil d’angle conditionnel" msgid "" -"This option sets the threshold angle for applying a conditional scarf joint " -"seam.\n" -"If the maximum angle within the perimeter loop exceeds this value " -"(indicating the absence of sharp corners), a scarf joint seam will be used. " -"The default value is 155°." +"This option sets the threshold angle for applying a conditional scarf joint seam.\n" +"If the maximum angle within the perimeter loop exceeds this value (indicating the absence of sharp corners), a scarf joint seam will be used. The default value is 155°." msgstr "" -"Cette option définit l’angle seuil pour l’application d’une couture en " -"biseau conditionnelle.\n" -"Si l’angle maximal à l’intérieur de la boucle périmétrique dépasse cette " -"valeur (indiquant l’absence d’angles vifs), une couture en biseau sera " -"utilisée. La valeur par défaut est de 155°." +"Cette option définit l’angle seuil pour l’application d’une couture en biseau conditionnelle.\n" +"Si l’angle maximal à l’intérieur de la boucle périmétrique dépasse cette valeur (indiquant l’absence d’angles vifs), une couture en biseau sera utilisée. La valeur par défaut est de 155°." msgid "Conditional overhang threshold" msgstr "Seuil de dépassement conditionnel" #, no-c-format, no-boost-format -msgid "" -"This option determines the overhang threshold for the application of scarf " -"joint seams. If the unsupported portion of the perimeter is less than this " -"threshold, scarf joint seams will be applied. The default threshold is set " -"at 40% of the external wall's width. Due to performance considerations, the " -"degree of overhang is estimated." -msgstr "" -"Cette option détermine le seuil de surplomb pour l’application des coutures " -"en écharpe. Si la partie non soutenue du périmètre est inférieure à ce " -"seuil, des coutures en biseau seront appliquées. Le seuil par défaut est " -"fixé à 40 % de la largeur de la paroi extérieure. Pour des raisons de " -"performance, le degré de surplomb est estimé." +msgid "This option determines the overhang threshold for the application of scarf joint seams. If the unsupported portion of the perimeter is less than this threshold, scarf joint seams will be applied. The default threshold is set at 40% of the external wall's width. Due to performance considerations, the degree of overhang is estimated." +msgstr "Cette option détermine le seuil de surplomb pour l’application des coutures en écharpe. Si la partie non soutenue du périmètre est inférieure à ce seuil, des coutures en biseau seront appliquées. Le seuil par défaut est fixé à 40 % de la largeur de la paroi extérieure. Pour des raisons de performance, le degré de surplomb est estimé." msgid "Scarf joint speed" msgstr "Vitesse de la couture en biseau" -msgid "" -"This option sets the printing speed for scarf joints. It is recommended to " -"print scarf joints at a slow speed (less than 100 mm/s). It's also " -"advisable to enable 'Extrusion rate smoothing' if the set speed varies " -"significantly from the speed of the outer or inner walls. If the speed " -"specified here is higher than the speed of the outer or inner walls, the " -"printer will default to the slower of the two speeds. When specified as a " -"percentage (e.g., 80%), the speed is calculated based on the respective " -"outer or inner wall speed. The default value is set to 100%." -msgstr "" -"Cette option définit la vitesse d’impression des coutures en biseau. Il est " -"recommandé d’imprimer les coutures en biseau à une vitesse lente (moins de " -"100 mm/s). Il est également conseillé d’activer l’option « Lissage de la " -"vitesse d’extrusion » si la vitesse définie varie de manière significative " -"par rapport à la vitesse des parois extérieures ou intérieures. Si la " -"vitesse spécifiée ici est supérieure à la vitesse des parois extérieures ou " -"intérieures, l’imprimante prendra par défaut la plus lente des deux " -"vitesses. Lorsqu’elle est spécifiée sous forme de pourcentage (par exemple, " -"80 %), la vitesse est calculée sur la base de la vitesse de la paroi " -"extérieure ou intérieure. La valeur par défaut est fixée à 100 %." +msgid "This option sets the printing speed for scarf joints. It is recommended to print scarf joints at a slow speed (less than 100 mm/s). It's also advisable to enable 'Extrusion rate smoothing' if the set speed varies significantly from the speed of the outer or inner walls. If the speed specified here is higher than the speed of the outer or inner walls, the printer will default to the slower of the two speeds. When specified as a percentage (e.g., 80%), the speed is calculated based on the respective outer or inner wall speed. The default value is set to 100%." +msgstr "Cette option définit la vitesse d’impression des coutures en biseau. Il est recommandé d’imprimer les coutures en biseau à une vitesse lente (moins de 100 mm/s). Il est également conseillé d’activer l’option « Lissage de la vitesse d’extrusion » si la vitesse définie varie de manière significative par rapport à la vitesse des parois extérieures ou intérieures. Si la vitesse spécifiée ici est supérieure à la vitesse des parois extérieures ou intérieures, l’imprimante prendra par défaut la plus lente des deux vitesses. Lorsqu’elle est spécifiée sous forme de pourcentage (par exemple, 80 %), la vitesse est calculée sur la base de la vitesse de la paroi extérieure ou intérieure. La valeur par défaut est fixée à 100 %." msgid "Scarf joint flow ratio" msgstr "Ratio de débit de la couture en biseau" msgid "This factor affects the amount of material for scarf joints." -msgstr "" -"Ce facteur influe sur la quantité de matériau pour les coutures en biseau." +msgstr "Ce facteur influe sur la quantité de matériau pour les coutures en biseau." msgid "Scarf start height" msgstr "Hauteur de départ du biseau" msgid "" "Start height of the scarf.\n" -"This amount can be specified in millimeters or as a percentage of the " -"current layer height. The default value for this parameter is 0." +"This amount can be specified in millimeters or as a percentage of the current layer height. The default value for this parameter is 0." msgstr "" "Hauteur de départ du biseau.\n" -"Cette hauteur peut être spécifiée en millimètres ou en pourcentage de la " -"hauteur de la couche actuelle. La valeur par défaut de ce paramètre est 0." +"Cette hauteur peut être spécifiée en millimètres ou en pourcentage de la hauteur de la couche actuelle. La valeur par défaut de ce paramètre est 0." msgid "Scarf around entire wall" msgstr "Biseau sur toute la paroi" @@ -13366,12 +10847,8 @@ msgstr "Le biseau s’étend sur toute la longueur de la paroi." msgid "Scarf length" msgstr "Longueur du biseau" -msgid "" -"Length of the scarf. Setting this parameter to zero effectively disables the " -"scarf." -msgstr "" -"Longueur du biseau. La mise à zéro de ce paramètre désactive automatiquement " -"le biseau." +msgid "Length of the scarf. Setting this parameter to zero effectively disables the scarf." +msgstr "Longueur du biseau. La mise à zéro de ce paramètre désactive automatiquement le biseau." msgid "Scarf steps" msgstr "Étapes du biseau" @@ -13388,66 +10865,32 @@ msgstr "Utiliser également un joint en biseau pour les parois intérieures." msgid "Role base wipe speed" msgstr "Vitesse d’essuyage basée sur la vitesse d’extrusion" -msgid "" -"The wipe speed is determined by the speed of the current extrusion role.e.g. " -"if a wipe action is executed immediately following an outer wall extrusion, " -"the speed of the outer wall extrusion will be utilized for the wipe action." -msgstr "" -"La vitesse d’essuyage est identique à la vitesse d’extrusion actuelle. Par " -"exemple, si l’action d’essuyage est suivie d’une extrusion de paroi " -"extérieure, la vitesse de la paroi extérieure sera utilisée pour cette " -"action d’essuyage." +msgid "The wipe speed is determined by the speed of the current extrusion role.e.g. if a wipe action is executed immediately following an outer wall extrusion, the speed of the outer wall extrusion will be utilized for the wipe action." +msgstr "La vitesse d’essuyage est identique à la vitesse d’extrusion actuelle. Par exemple, si l’action d’essuyage est suivie d’une extrusion de paroi extérieure, la vitesse de la paroi extérieure sera utilisée pour cette action d’essuyage." msgid "Wipe on loops" msgstr "Essuyer sur les boucles" -msgid "" -"To minimize the visibility of the seam in a closed loop extrusion, a small " -"inward movement is executed before the extruder leaves the loop." -msgstr "" -"Pour minimiser la visibilité de la couture dans une extrusion en boucle " -"fermée, un petit mouvement vers l’intérieur est exécuté avant que la buse ne " -"quitte la boucle." +msgid "To minimize the visibility of the seam in a closed loop extrusion, a small inward movement is executed before the extruder leaves the loop." +msgstr "Pour minimiser la visibilité de la couture dans une extrusion en boucle fermée, un petit mouvement vers l’intérieur est exécuté avant que la buse ne quitte la boucle." msgid "Wipe before external loop" msgstr "Essuyer avant la boucle externe" msgid "" -"To minimise visibility of potential overextrusion at the start of an " -"external perimeter when printing with Outer/Inner or Inner/Outer/Inner wall " -"print order, the deretraction is performed slightly on the inside from the " -"start of the external perimeter. That way any potential over extrusion is " -"hidden from the outside surface. \n" +"To minimise visibility of potential overextrusion at the start of an external perimeter when printing with Outer/Inner or Inner/Outer/Inner wall print order, the deretraction is performed slightly on the inside from the start of the external perimeter. That way any potential over extrusion is hidden from the outside surface. \n" "\n" -"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall " -"print order as in these modes it is more likely an external perimeter is " -"printed immediately after a deretraction move." +"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall print order as in these modes it is more likely an external perimeter is printed immediately after a deretraction move." msgstr "" -"Pour minimiser la visibilité d’une éventuelle surextrusion au début d’un " -"périmètre extérieur lors de l’impression avec l’ordre d’impression de paroi " -"extérieure/intérieure ou intérieure/extérieure/intérieure, la dérétraction " -"est effectuée légèrement sur l’intérieur à partir du début du périmètre " -"extérieur. De cette manière, toute sur-extrusion potentielle est cachée de " -"la surface extérieure. \n" +"Pour minimiser la visibilité d’une éventuelle surextrusion au début d’un périmètre extérieur lors de l’impression avec l’ordre d’impression de paroi extérieure/intérieure ou intérieure/extérieure/intérieure, la dérétraction est effectuée légèrement sur l’intérieur à partir du début du périmètre extérieur. De cette manière, toute sur-extrusion potentielle est cachée de la surface extérieure. \n" "\n" -"Ceci est utile lors de l’impression avec l’ordre d’impression de la paroi " -"extérieure/intérieure ou intérieure/extérieure/intérieure, car dans ces " -"modes, il est plus probable qu’un périmètre extérieur soit imprimé " -"immédiatement après un mouvement de dérétraction." +"Ceci est utile lors de l’impression avec l’ordre d’impression de la paroi extérieure/intérieure ou intérieure/extérieure/intérieure, car dans ces modes, il est plus probable qu’un périmètre extérieur soit imprimé immédiatement après un mouvement de dérétraction." msgid "Wipe speed" msgstr "Vitesse d’essuyage" -msgid "" -"The wipe speed is determined by the speed setting specified in this " -"configuration.If the value is expressed as a percentage (e.g. 80%), it will " -"be calculated based on the travel speed setting above.The default value for " -"this parameter is 80%" -msgstr "" -"La vitesse d’essuyage est déterminée par le paramètre de vitesse spécifié " -"dans cette configuration. Si la valeur est exprimée en pourcentage (par " -"exemple 80%), elle sera calculée en fonction du paramètre de vitesse de " -"déplacement ci-dessus. La valeur par défaut de ce paramètre est 80%" +msgid "The wipe speed is determined by the speed setting specified in this configuration.If the value is expressed as a percentage (e.g. 80%), it will be calculated based on the travel speed setting above.The default value for this parameter is 80%" +msgstr "La vitesse d’essuyage est déterminée par le paramètre de vitesse spécifié dans cette configuration. Si la valeur est exprimée en pourcentage (par exemple 80%), elle sera calculée en fonction du paramètre de vitesse de déplacement ci-dessus. La valeur par défaut de ce paramètre est 80%" msgid "Skirt distance" msgstr "Distance de la jupe" @@ -13465,33 +10908,21 @@ msgid "Draft shield" msgstr "Paravent" msgid "" -"A draft shield is useful to protect an ABS or ASA print from warping and " -"detaching from print bed due to wind draft. It is usually needed only with " -"open frame printers, i.e. without an enclosure. \n" +"A draft shield is useful to protect an ABS or ASA print from warping and detaching from print bed due to wind draft. It is usually needed only with open frame printers, i.e. without an enclosure. \n" "\n" "Options:\n" "Enabled = skirt is as tall as the highest printed object.\n" "Limited = skirt is as tall as specified by skirt height.\n" "\n" -"Note: With the draft shield active, the skirt will be printed at skirt " -"distance from the object. Therefore, if brims are active it may intersect " -"with them. To avoid this, increase the skirt distance value.\n" +"Note: With the draft shield active, the skirt will be printed at skirt distance from the object. Therefore, if brims are active it may intersect with them. To avoid this, increase the skirt distance value.\n" msgstr "" -"Un paravent est utile pour protéger une impression ABS ou ASA contre les " -"risques de déformation et de détachement du plateau d’impression en raison " -"des courants d’air. Il n’est généralement nécessaire que pour les " -"imprimantes à cadre ouvert, c’est-à-dire sans caisson. \n" +"Un paravent est utile pour protéger une impression ABS ou ASA contre les risques de déformation et de détachement du plateau d’impression en raison des courants d’air. Il n’est généralement nécessaire que pour les imprimantes à cadre ouvert, c’est-à-dire sans caisson. \n" "\n" "Options :\n" -"Activé = la hauteur de la jupe est égale à celle de l’objet imprimé le plus " -"haut.\n" -"Limité = la hauteur de la jupe est celle spécifiée par la hauteur de la " -"jupe.\n" +"Activé = la hauteur de la jupe est égale à celle de l’objet imprimé le plus haut.\n" +"Limité = la hauteur de la jupe est celle spécifiée par la hauteur de la jupe.\n" "\n" -"Remarque : lorsque le paravent est actif, la jupe est imprimée à la distance " -"de la jupe par rapport à l’objet. Par conséquent, si des bordures sont " -"actives, elle risque de les croiser. Pour éviter cela, augmentez la valeur " -"de la distance de la jupe.\n" +"Remarque : lorsque le paravent est actif, la jupe est imprimée à la distance de la jupe par rapport à l’objet. Par conséquent, si des bordures sont actives, elle risque de les croiser. Pour éviter cela, augmentez la valeur de la distance de la jupe.\n" msgid "Limited" msgstr "Limité" @@ -13509,43 +10940,28 @@ msgid "Skirt speed" msgstr "Vitesse de la jupe" msgid "Speed of skirt, in mm/s. Zero means use default layer extrusion speed." -msgstr "" -"Vitesse de la jupe, en mm/s. Une valeur à 0 signifie que la vitesse " -"d’extrusion par défaut est utilisée." +msgstr "Vitesse de la jupe, en mm/s. Une valeur à 0 signifie que la vitesse d’extrusion par défaut est utilisée." msgid "Skirt minimum extrusion length" msgstr "Longueur minimale d’extrusion de la jupe" msgid "" -"Minimum filament extrusion length in mm when printing the skirt. Zero means " -"this feature is disabled.\n" +"Minimum filament extrusion length in mm when printing the skirt. Zero means this feature is disabled.\n" "\n" -"Using a non zero value is useful if the printer is set up to print without a " -"prime line." +"Using a non zero value is useful if the printer is set up to print without a prime line." msgstr "" -"Longueur minimale d’extrusion du filament en mm lors de l’impression de la " -"jupe. Zéro signifie que cette fonction est désactivée.\n" +"Longueur minimale d’extrusion du filament en mm lors de l’impression de la jupe. Zéro signifie que cette fonction est désactivée.\n" "\n" -"L’utilisation d’une valeur non nulle est utile si l’imprimante est " -"configurée pour imprimer sans ligne d’amorce." +"L’utilisation d’une valeur non nulle est utile si l’imprimante est configurée pour imprimer sans ligne d’amorce." -msgid "" -"The printing speed in exported gcode will be slowed down, when the estimated " -"layer time is shorter than this value, to get better cooling for these layers" -msgstr "" -"La vitesse d'impression dans le G-code exporté sera ralentie, lorsque le " -"temps de couche estimé est plus court que cette valeur, pour obtenir un " -"meilleur refroidissement pour ces couches" +msgid "The printing speed in exported gcode will be slowed down, when the estimated layer time is shorter than this value, to get better cooling for these layers" +msgstr "La vitesse d'impression dans le G-code exporté sera ralentie, lorsque le temps de couche estimé est plus court que cette valeur, pour obtenir un meilleur refroidissement pour ces couches" msgid "Minimum sparse infill threshold" msgstr "Seuil minimum de remplissage" -msgid "" -"Sparse infill area which is smaller than threshold value is replaced by " -"internal solid infill" -msgstr "" -"La zone de remplissage inférieure à la valeur seuil est remplacée par un " -"remplissage plein interne" +msgid "Sparse infill area which is smaller than threshold value is replaced by internal solid infill" +msgstr "La zone de remplissage inférieure à la valeur seuil est remplacée par un remplissage plein interne" msgid "Solid infill" msgstr "Remplissage solide" @@ -13553,67 +10969,29 @@ msgstr "Remplissage solide" msgid "Filament to print solid infill" msgstr "Filament pour l’impression de remplissage solide" -msgid "" -"Line width of internal solid infill. If expressed as a %, it will be " -"computed over the nozzle diameter." -msgstr "" -"Largeur de ligne du remplissage plein interne. Si elle est exprimée en %, " -"elle sera calculée sur le diamètre de la buse." +msgid "Line width of internal solid infill. If expressed as a %, it will be computed over the nozzle diameter." +msgstr "Largeur de ligne du remplissage plein interne. Si elle est exprimée en %, elle sera calculée sur le diamètre de la buse." msgid "Speed of internal solid infill, not the top and bottom surface" -msgstr "" -"Vitesse du remplissage plein interne, pas de la surface supérieure et " -"inférieure" +msgstr "Vitesse du remplissage plein interne, pas de la surface supérieure et inférieure" -msgid "" -"Spiralize smooths out the z moves of the outer contour. And turns a solid " -"model into a single walled print with solid bottom layers. The final " -"generated model has no seam" -msgstr "" -"Spiralize lisse les mouvements z du contour extérieur. Et transforme un " -"modèle plein en une impression à paroi unique avec des couches inférieures " -"solides. Le modèle généré final n'a pas de couture." +msgid "Spiralize smooths out the z moves of the outer contour. And turns a solid model into a single walled print with solid bottom layers. The final generated model has no seam" +msgstr "Spiralize lisse les mouvements z du contour extérieur. Et transforme un modèle plein en une impression à paroi unique avec des couches inférieures solides. Le modèle généré final n'a pas de couture." msgid "Smooth Spiral" msgstr "Spirale lisse" -msgid "" -"Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam " -"at all, even in the XY directions on walls that are not vertical" -msgstr "" -"« Spirale lisse » lisse également les mouvements X et Y, de sorte qu’aucune " -"couture n’est visible, même dans les directions XY sur des parois qui ne " -"sont pas verticales." +msgid "Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam at all, even in the XY directions on walls that are not vertical" +msgstr "« Spirale lisse » lisse également les mouvements X et Y, de sorte qu’aucune couture n’est visible, même dans les directions XY sur des parois qui ne sont pas verticales." msgid "Max XY Smoothing" msgstr "Lissage Max XY" -msgid "" -"Maximum distance to move points in XY to try to achieve a smooth spiralIf " -"expressed as a %, it will be computed over nozzle diameter" -msgstr "" -"Distance maximale pour déplacer les points dans l’axe XY afin d’obtenir une " -"spirale lisse. Si elle est exprimée en %, elle sera calculée par rapport au " -"diamètre de la buse." +msgid "Maximum distance to move points in XY to try to achieve a smooth spiralIf expressed as a %, it will be computed over nozzle diameter" +msgstr "Distance maximale pour déplacer les points dans l’axe XY afin d’obtenir une spirale lisse. Si elle est exprimée en %, elle sera calculée par rapport au diamètre de la buse." -msgid "" -"If smooth or traditional mode is selected, a timelapse video will be " -"generated for each print. After each layer is printed, a snapshot is taken " -"with the chamber camera. All of these snapshots are composed into a " -"timelapse video when printing completes. If smooth mode is selected, the " -"toolhead will move to the excess chute after each layer is printed and then " -"take a snapshot. Since the melt filament may leak from the nozzle during the " -"process of taking a snapshot, prime tower is required for smooth mode to " -"wipe nozzle." -msgstr "" -"Si le mode fluide ou traditionnel est sélectionné, une vidéo en timelapse " -"sera générée pour chaque impression. À chaque couche imprimée, un instantané " -"est pris avec la caméra intégrée. Tous ces instantanés seront assemblés dans " -"une vidéo timelapse une fois l'impression terminée. Si le mode lisse est " -"sélectionné, l'extrudeur se déplace vers la goulotte d'évacuation à chaque " -"couche imprimée, puis prend un cliché. Étant donné que le filament fondu " -"peut s'échapper de la buse pendant la prise de vue, une tour de purge est " -"requise en mode lisse pour essuyer la buse." +msgid "If smooth or traditional mode is selected, a timelapse video will be generated for each print. After each layer is printed, a snapshot is taken with the chamber camera. All of these snapshots are composed into a timelapse video when printing completes. If smooth mode is selected, the toolhead will move to the excess chute after each layer is printed and then take a snapshot. Since the melt filament may leak from the nozzle during the process of taking a snapshot, prime tower is required for smooth mode to wipe nozzle." +msgstr "Si le mode fluide ou traditionnel est sélectionné, une vidéo en timelapse sera générée pour chaque impression. À chaque couche imprimée, un instantané est pris avec la caméra intégrée. Tous ces instantanés seront assemblés dans une vidéo timelapse une fois l'impression terminée. Si le mode lisse est sélectionné, l'extrudeur se déplace vers la goulotte d'évacuation à chaque couche imprimée, puis prend un cliché. Étant donné que le filament fondu peut s'échapper de la buse pendant la prise de vue, une tour de purge est requise en mode lisse pour essuyer la buse." msgid "Traditional" msgstr "Traditionnel" @@ -13622,40 +11000,20 @@ msgid "Temperature variation" msgstr "Variation de température" #. TRN PrintSettings : "Ooze prevention" > "Temperature variation" -msgid "" -"Temperature difference to be applied when an extruder is not active. The " -"value is not used when 'idle_temperature' in filament settings is set to non " -"zero value." -msgstr "" -"Différence de température à appliquer lorsqu’un extrudeur n’est pas actif. " -"La valeur n’est pas utilisée lorsque ‘idle_temperature’ dans les paramètres " -"du filament est réglé sur une valeur non nulle." +msgid "Temperature difference to be applied when an extruder is not active. The value is not used when 'idle_temperature' in filament settings is set to non zero value." +msgstr "Différence de température à appliquer lorsqu’un extrudeur n’est pas actif. La valeur n’est pas utilisée lorsque ‘idle_temperature’ dans les paramètres du filament est réglé sur une valeur non nulle." msgid "Preheat time" msgstr "Durée du préchauffage" -msgid "" -"To reduce the waiting time after tool change, Orca can preheat the next tool " -"while the current tool is still in use. This setting specifies the time in " -"seconds to preheat the next tool. Orca will insert a M104 command to preheat " -"the tool in advance." -msgstr "" -"Pour réduire le temps d’attente après un changement d’outil, Orca peut " -"préchauffer l’outil suivant pendant que l’outil actuel est encore en cours " -"d’utilisation. Ce paramètre spécifie le temps en secondes pour préchauffer " -"l’outil suivant. Orca insère une commande M104 pour préchauffer l’outil à " -"l’avance." +msgid "To reduce the waiting time after tool change, Orca can preheat the next tool while the current tool is still in use. This setting specifies the time in seconds to preheat the next tool. Orca will insert a M104 command to preheat the tool in advance." +msgstr "Pour réduire le temps d’attente après un changement d’outil, Orca peut préchauffer l’outil suivant pendant que l’outil actuel est encore en cours d’utilisation. Ce paramètre spécifie le temps en secondes pour préchauffer l’outil suivant. Orca insère une commande M104 pour préchauffer l’outil à l’avance." msgid "Preheat steps" msgstr "Étapes de préchauffage" -msgid "" -"Insert multiple preheat commands(e.g. M104.1). Only useful for Prusa XL. For " -"other printers, please set it to 1." -msgstr "" -"Insérer plusieurs commandes de préchauffage (par exemple M104.1). Uniquement " -"utile pour la Prusa XL. Pour les autres imprimantes, veuillez le régler sur " -"1." +msgid "Insert multiple preheat commands(e.g. M104.1). Only useful for Prusa XL. For other printers, please set it to 1." +msgstr "Insérer plusieurs commandes de préchauffage (par exemple M104.1). Uniquement utile pour la Prusa XL. Pour les autres imprimantes, veuillez le régler sur 1." msgid "Start G-code" msgstr "G-code de démarrage" @@ -13675,18 +11033,8 @@ msgstr "Utiliser une seule buse pour imprimer plusieurs filaments" msgid "Manual Filament Change" msgstr "Changement manuel du filament" -msgid "" -"Enable this option to omit the custom Change filament G-code only at the " -"beginning of the print. The tool change command (e.g., T0) will be skipped " -"throughout the entire print. This is useful for manual multi-material " -"printing, where we use M600/PAUSE to trigger the manual filament change " -"action." -msgstr "" -"Activez cette option pour omettre le G-code de changement de filament " -"personnalisé uniquement au début de l’impression. La commande de changement " -"d’outil (par exemple, T0) sera ignorée tout au long de l’impression. Ceci " -"est utile pour l’impression manuelle multi-matériaux, où nous utilisons M600/" -"PAUSE pour déclencher l’action de changement manuel de filament." +msgid "Enable this option to omit the custom Change filament G-code only at the beginning of the print. The tool change command (e.g., T0) will be skipped throughout the entire print. This is useful for manual multi-material printing, where we use M600/PAUSE to trigger the manual filament change action." +msgstr "Activez cette option pour omettre le G-code de changement de filament personnalisé uniquement au début de l’impression. La commande de changement d’outil (par exemple, T0) sera ignorée tout au long de l’impression. Ceci est utile pour l’impression manuelle multi-matériaux, où nous utilisons M600/PAUSE pour déclencher l’action de changement manuel de filament." msgid "Purge in prime tower" msgstr "Purge dans la tour de purge" @@ -13700,50 +11048,26 @@ msgstr "Activer le pilonnage du filament" msgid "No sparse layers (beta)" msgstr "Pas de couches éparses (beta)" -msgid "" -"If enabled, the wipe tower will not be printed on layers with no " -"toolchanges. On layers with a toolchange, extruder will travel downward to " -"print the wipe tower. User is responsible for ensuring there is no collision " -"with the print." -msgstr "" -"Si cette option est activée, la tour d’essuyage ne sera pas imprimée sur les " -"couches sans changement d’outil. Sur les couches avec changement d’outil, " -"l’extrudeur se déplacera vers le bas pour imprimer la tour d’essuyage. " -"L’utilisateur est responsable de s’assurer qu’il n’y a pas de collision avec " -"l’impression." +msgid "If enabled, the wipe tower will not be printed on layers with no toolchanges. On layers with a toolchange, extruder will travel downward to print the wipe tower. User is responsible for ensuring there is no collision with the print." +msgstr "Si cette option est activée, la tour d’essuyage ne sera pas imprimée sur les couches sans changement d’outil. Sur les couches avec changement d’outil, l’extrudeur se déplacera vers le bas pour imprimer la tour d’essuyage. L’utilisateur est responsable de s’assurer qu’il n’y a pas de collision avec l’impression." msgid "Prime all printing extruders" msgstr "Amorcer tous les extrudeurs d’impression" -msgid "" -"If enabled, all printing extruders will be primed at the front edge of the " -"print bed at the start of the print." -msgstr "" -"Si cette option est activée, tous les extrudeurs d’impression seront amorcés " -"sur le bord avant du plateau au début de l’impression." +msgid "If enabled, all printing extruders will be primed at the front edge of the print bed at the start of the print." +msgstr "Si cette option est activée, tous les extrudeurs d’impression seront amorcés sur le bord avant du plateau au début de l’impression." msgid "Slice gap closing radius" msgstr "Rayon de fermeture de l’écart des tranches" -msgid "" -"Cracks smaller than 2x gap closing radius are being filled during the " -"triangle mesh slicing. The gap closing operation may reduce the final print " -"resolution, therefore it is advisable to keep the value reasonably low." -msgstr "" -"Les fissures plus petites que 2x le rayon de fermeture de l’espace sont " -"remplies pendant la découpe du maillage. L’opération de fermeture de " -"l’espace peut réduire la résolution finale de l’impression, il est donc " -"conseillé de maintenir cette valeur à un niveau raisonnablement bas." +msgid "Cracks smaller than 2x gap closing radius are being filled during the triangle mesh slicing. The gap closing operation may reduce the final print resolution, therefore it is advisable to keep the value reasonably low." +msgstr "Les fissures plus petites que 2x le rayon de fermeture de l’espace sont remplies pendant la découpe du maillage. L’opération de fermeture de l’espace peut réduire la résolution finale de l’impression, il est donc conseillé de maintenir cette valeur à un niveau raisonnablement bas." msgid "Slicing Mode" msgstr "Mode de découpe" -msgid "" -"Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to " -"close all holes in the model." -msgstr "" -"Utilisez « Pair-impair » pour les modèles d'avion 3DLabPrint. Utilisez " -"« Fermer les trous » pour fermer tous les trous du modèle." +msgid "Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to close all holes in the model." +msgstr "Utilisez « Pair-impair » pour les modèles d'avion 3DLabPrint. Utilisez « Fermer les trous » pour fermer tous les trous du modèle." msgid "Regular" msgstr "Standard" @@ -13757,16 +11081,8 @@ msgstr "Combler les trous" msgid "Z offset" msgstr "Décalage Z" -msgid "" -"This value will be added (or subtracted) from all the Z coordinates in the " -"output G-code. It is used to compensate for bad Z endstop position: for " -"example, if your endstop zero actually leaves the nozzle 0.3mm far from the " -"print bed, set this to -0.3 (or fix your endstop)." -msgstr "" -"Cette valeur sera ajoutée (ou soustraite) de toutes les coordonnées Z dans " -"le G-code de sortie. Il est utilisé pour compenser une mauvaise position de " -"la butée Z : par exemple, si votre zéro de butée laisse réellement la buse à " -"0,3 mm du plateau, réglez-le sur -0,3 (ou corrigez votre butée)." +msgid "This value will be added (or subtracted) from all the Z coordinates in the output G-code. It is used to compensate for bad Z endstop position: for example, if your endstop zero actually leaves the nozzle 0.3mm far from the print bed, set this to -0.3 (or fix your endstop)." +msgstr "Cette valeur sera ajoutée (ou soustraite) de toutes les coordonnées Z dans le G-code de sortie. Il est utilisé pour compenser une mauvaise position de la butée Z : par exemple, si votre zéro de butée laisse réellement la buse à 0,3 mm du plateau, réglez-le sur -0,3 (ou corrigez votre butée)." msgid "Enable support" msgstr "Activer les supports" @@ -13774,14 +11090,8 @@ msgstr "Activer les supports" msgid "Enable support generation." msgstr "Activer la génération de support." -msgid "" -"normal(auto) and tree(auto) is used to generate support automatically. If " -"normal(manual) or tree(manual) is selected, only support enforcers are " -"generated" -msgstr "" -"Normaux (auto) et Arborescents (auto) sont utilisés pour générer " -"automatiquement un support. Si vous sélectionnez Normaux (manuel) ou " -"Arborescents (manuel), seuls les générateurs de support manuels sont générés" +msgid "normal(auto) and tree(auto) is used to generate support automatically. If normal(manual) or tree(manual) is selected, only support enforcers are generated" +msgstr "Normaux (auto) et Arborescents (auto) sont utilisés pour générer automatiquement un support. Si vous sélectionnez Normaux (manuel) ou Arborescents (manuel), seuls les générateurs de support manuels sont générés" msgid "normal(auto)" msgstr "Normaux (auto)" @@ -13805,33 +11115,25 @@ msgid "Pattern angle" msgstr "Angle du motif" msgid "Use this setting to rotate the support pattern on the horizontal plane." -msgstr "" -"Utilisez ce paramètre pour faire pivoter le motif de support sur le plan " -"horizontal." +msgstr "Utilisez ce paramètre pour faire pivoter le motif de support sur le plan horizontal." msgid "On build plate only" msgstr "Sur plateau uniquement" msgid "Don't create support on model surface, only on build plate" -msgstr "" -"Ce paramètre génère uniquement les supports qui commencent sur le plateau." +msgstr "Ce paramètre génère uniquement les supports qui commencent sur le plateau." msgid "Support critical regions only" msgstr "Ne supporter que les régions critiques" -msgid "" -"Only create support for critical regions including sharp tail, cantilever, " -"etc." -msgstr "" -"Créez un support uniquement pour les zones critiques notamment les pointes, " -"les surplombs, etc." +msgid "Only create support for critical regions including sharp tail, cantilever, etc." +msgstr "Créez un support uniquement pour les zones critiques notamment les pointes, les surplombs, etc." msgid "Remove small overhangs" msgstr "Supprimer les petits surplombs" msgid "Remove small overhangs that possibly need no supports." -msgstr "" -"Supprimer les petits surplombs qui n’ont peut-être pas besoin de supports." +msgstr "Supprimer les petits surplombs qui n’ont peut-être pas besoin de supports." msgid "Top Z distance" msgstr "Distance Z supérieure" @@ -13848,49 +11150,29 @@ msgstr "L'écart Z entre l'interface du support inférieur et l'objet" msgid "Support/raft base" msgstr "Support/base du radeau" -msgid "" -"Filament to print support base and raft. \"Default\" means no specific " -"filament for support and current filament is used" -msgstr "" -"Filament pour imprimer les supports et radeaux. « Par défaut » signifie " -"qu'aucun filament spécifique n'est utilisé comme support et que le filament " -"actuel est utilisé" +msgid "Filament to print support base and raft. \"Default\" means no specific filament for support and current filament is used" +msgstr "Filament pour imprimer les supports et radeaux. « Par défaut » signifie qu'aucun filament spécifique n'est utilisé comme support et que le filament actuel est utilisé" msgid "Avoid interface filament for base" msgstr "Réduire le filament d’interface pour la base" -msgid "" -"Avoid using support interface filament to print support base if possible." -msgstr "" -"Éviter d’utiliser le filament de l’interface du support pour imprimer la " -"base du support" +msgid "Avoid using support interface filament to print support base if possible." +msgstr "Éviter d’utiliser le filament de l’interface du support pour imprimer la base du support" -msgid "" -"Line width of support. If expressed as a %, it will be computed over the " -"nozzle diameter." -msgstr "" -"Largeur de ligne des supports. Si elle est exprimée en %, elle sera calculée " -"sur le diamètre de la buse." +msgid "Line width of support. If expressed as a %, it will be computed over the nozzle diameter." +msgstr "Largeur de ligne des supports. Si elle est exprimée en %, elle sera calculée sur le diamètre de la buse." msgid "Interface use loop pattern" msgstr "Modèle de boucle d'utilisation d'interface" -msgid "" -"Cover the top contact layer of the supports with loops. Disabled by default." -msgstr "" -"Recouvrir la couche de contact supérieure des supports avec des boucles. " -"Désactivé par défaut." +msgid "Cover the top contact layer of the supports with loops. Disabled by default." +msgstr "Recouvrir la couche de contact supérieure des supports avec des boucles. Désactivé par défaut." msgid "Support/raft interface" msgstr "Support/base d'interface" -msgid "" -"Filament to print support interface. \"Default\" means no specific filament " -"for support interface and current filament is used" -msgstr "" -"Filament pour l'impression des interfaces de support. \"Défaut\" signifie " -"qu'il n'y a pas de filament spécifique pour l'interface de support et que le " -"filament actuel est utilisé." +msgid "Filament to print support interface. \"Default\" means no specific filament for support interface and current filament is used" +msgstr "Filament pour l'impression des interfaces de support. \"Défaut\" signifie qu'il n'y a pas de filament spécifique pour l'interface de support et que le filament actuel est utilisé." msgid "Top interface layers" msgstr "Couches d'interface supérieures" @@ -13917,9 +11199,7 @@ msgid "Bottom interface spacing" msgstr "Espacement de l'interface inférieure" msgid "Spacing of bottom interface lines. Zero means solid interface" -msgstr "" -"Espacement des lignes d'interface inférieures. Zéro signifie une interface " -"solide" +msgstr "Espacement des lignes d'interface inférieures. Zéro signifie une interface solide" msgid "Speed of support interface" msgstr "Vitesse pour l'interface des supports" @@ -13939,14 +11219,8 @@ msgstr "Creux" msgid "Interface pattern" msgstr "Motif d'interface" -msgid "" -"Line pattern of support interface. Default pattern for non-soluble support " -"interface is Rectilinear, while default pattern for soluble support " -"interface is Concentric" -msgstr "" -"Modèle de ligne de l'interface de support. Le modèle par défaut pour " -"l'interface de support non soluble est rectiligne, tandis que le modèle par " -"défaut pour l'interface de support soluble est concentrique" +msgid "Line pattern of support interface. Default pattern for non-soluble support interface is Rectilinear, while default pattern for soluble support interface is Concentric" +msgstr "Modèle de ligne de l'interface de support. Le modèle par défaut pour l'interface de support non soluble est rectiligne, tandis que le modèle par défaut pour l'interface de support soluble est concentrique" msgid "Rectilinear Interlaced" msgstr "Rectiligne Entrelacé" @@ -13967,22 +11241,11 @@ msgid "Speed of support" msgstr "Vitesse pour les supports" msgid "" -"Style and shape of the support. For normal support, projecting the supports " -"into a regular grid will create more stable supports (default), while snug " -"support towers will save material and reduce object scarring.\n" -"For tree support, slim and organic style will merge branches more " -"aggressively and save a lot of material (default organic), while hybrid " -"style will create similar structure to normal support under large flat " -"overhangs." +"Style and shape of the support. For normal support, projecting the supports into a regular grid will create more stable supports (default), while snug support towers will save material and reduce object scarring.\n" +"For tree support, slim and organic style will merge branches more aggressively and save a lot of material (default organic), while hybrid style will create similar structure to normal support under large flat overhangs." msgstr "" -"Style et forme des supports. Pour les supports normaux, une grille régulière " -"créera des supports plus stables (par défaut), tandis que des tours de " -"supports bien ajustées économiseront du matériel et réduiront les marques " -"sur les objets.\n" -"Pour les supports arborescents, le style mince et organique fusionnera les " -"branches de manière plus agressive et économisera beaucoup de matière " -"(organique par défaut), tandis que le style hybride créera une structure " -"similaire aux supports normaux sous de grands surplombs plats." +"Style et forme des supports. Pour les supports normaux, une grille régulière créera des supports plus stables (par défaut), tandis que des tours de supports bien ajustées économiseront du matériel et réduiront les marques sur les objets.\n" +"Pour les supports arborescents, le style mince et organique fusionnera les branches de manière plus agressive et économisera beaucoup de matière (organique par défaut), tandis que le style hybride créera une structure similaire aux supports normaux sous de grands surplombs plats." msgid "Snug" msgstr "Ajusté" @@ -14002,106 +11265,58 @@ msgstr "Arborescents Organiques" msgid "Independent support layer height" msgstr "Hauteur de la couche de support indépendante" -msgid "" -"Support layer uses layer height independent with object layer. This is to " -"support customizing z-gap and save print time.This option will be invalid " -"when the prime tower is enabled." -msgstr "" -"La couche de support utilise la hauteur de la couche indépendamment de la " -"couche objet. Cela permet de personnaliser l’écart de Z et de gagner du " -"temps d'impression. Cette option ne sera pas valide lorsque la tour de purge " -"sera activée." +msgid "Support layer uses layer height independent with object layer. This is to support customizing z-gap and save print time.This option will be invalid when the prime tower is enabled." +msgstr "La couche de support utilise la hauteur de la couche indépendamment de la couche objet. Cela permet de personnaliser l’écart de Z et de gagner du temps d'impression. Cette option ne sera pas valide lorsque la tour de purge sera activée." msgid "Threshold angle" msgstr "Angle de seuil" -msgid "" -"Support will be generated for overhangs whose slope angle is below the " -"threshold." -msgstr "" -"Un support sera généré pour les surplombs dont l'angle de pente est " -"inférieur au seuil." +msgid "Support will be generated for overhangs whose slope angle is below the threshold." +msgstr "Un support sera généré pour les surplombs dont l'angle de pente est inférieur au seuil." msgid "Tree support branch angle" msgstr "Angle de branche support arborescent" -msgid "" -"This setting determines the maximum overhang angle that t he branches of " -"tree support allowed to make.If the angle is increased, the branches can be " -"printed more horizontally, allowing them to reach farther." -msgstr "" -"Ce paramètre détermine l'angle des surplombs maximum que les branches du " -"support arborescent peuvent faire. Si l'angle est augmenté, les branches " -"peuvent être imprimées plus horizontalement, ce qui leur permet d'aller plus " -"loin." +msgid "This setting determines the maximum overhang angle that t he branches of tree support allowed to make.If the angle is increased, the branches can be printed more horizontally, allowing them to reach farther." +msgstr "Ce paramètre détermine l'angle des surplombs maximum que les branches du support arborescent peuvent faire. Si l'angle est augmenté, les branches peuvent être imprimées plus horizontalement, ce qui leur permet d'aller plus loin." msgid "Preferred Branch Angle" msgstr "Angle des branches préféré" #. TRN PrintSettings: "Organic supports" > "Preferred Branch Angle" -msgid "" -"The preferred angle of the branches, when they do not have to avoid the " -"model. Use a lower angle to make them more vertical and more stable. Use a " -"higher angle for branches to merge faster." -msgstr "" -"Angle préféré des branches, lorsqu’elles ne doivent pas éviter le modèle. " -"Utilisez un angle inférieur pour les rendre plus verticaux et plus stables. " -"Utilisez un angle plus élevé pour que les branches fusionnent plus " -"rapidement." +msgid "The preferred angle of the branches, when they do not have to avoid the model. Use a lower angle to make them more vertical and more stable. Use a higher angle for branches to merge faster." +msgstr "Angle préféré des branches, lorsqu’elles ne doivent pas éviter le modèle. Utilisez un angle inférieur pour les rendre plus verticaux et plus stables. Utilisez un angle plus élevé pour que les branches fusionnent plus rapidement." msgid "Tree support branch distance" msgstr "Distance de branche de support arborescent" -msgid "" -"This setting determines the distance between neighboring tree support nodes." -msgstr "" -"Ce paramètre détermine la distance entre les nœuds de support arborescents " -"voisins." +msgid "This setting determines the distance between neighboring tree support nodes." +msgstr "Ce paramètre détermine la distance entre les nœuds de support arborescents voisins." msgid "Branch Density" msgstr "Densité des branches" #. TRN PrintSettings: "Organic supports" > "Branch Density" -msgid "" -"Adjusts the density of the support structure used to generate the tips of " -"the branches. A higher value results in better overhangs but the supports " -"are harder to remove, thus it is recommended to enable top support " -"interfaces instead of a high branch density value if dense interfaces are " -"needed." -msgstr "" -"Ajuste la densité de la structure des supports utilisée pour générer les " -"pointes des branches. Une valeur plus élevée donne de meilleurs surplombs, " -"mais les supports sont plus difficiles à supprimer. Il est donc recommandé " -"d’activer les interfaces de support supérieures au lieu d’une valeur de " -"densité de branches élevée si des interfaces denses sont nécessaires." +msgid "Adjusts the density of the support structure used to generate the tips of the branches. A higher value results in better overhangs but the supports are harder to remove, thus it is recommended to enable top support interfaces instead of a high branch density value if dense interfaces are needed." +msgstr "Ajuste la densité de la structure des supports utilisée pour générer les pointes des branches. Une valeur plus élevée donne de meilleurs surplombs, mais les supports sont plus difficiles à supprimer. Il est donc recommandé d’activer les interfaces de support supérieures au lieu d’une valeur de densité de branches élevée si des interfaces denses sont nécessaires." msgid "Adaptive layer height" msgstr "Hauteur de couche adaptative" -msgid "" -"Enabling this option means the height of tree support layer except the " -"first will be automatically calculated " -msgstr "" -"L’activation de cette option signifie que la hauteur de couche des supports " -"arborescents, à l’exception de la première, sera automatiquement calculée " +msgid "Enabling this option means the height of tree support layer except the first will be automatically calculated " +msgstr "L’activation de cette option signifie que la hauteur de couche des supports arborescents, à l’exception de la première, sera automatiquement calculée " msgid "Auto brim width" msgstr "Largeur de la bordure automatique" -msgid "" -"Enabling this option means the width of the brim for tree support will be " -"automatically calculated" -msgstr "" -"L’activation de cette option signifie que la largeur de la bordure des " -"supports arborescents sera automatiquement calculée" +msgid "Enabling this option means the width of the brim for tree support will be automatically calculated" +msgstr "L’activation de cette option signifie que la largeur de la bordure des supports arborescents sera automatiquement calculée" msgid "Tree support brim width" msgstr "Largeur de bordure du support arborescent" msgid "Distance from tree branch to the outermost brim line" -msgstr "" -"Distance entre la branche du support arborescent et la ligne la plus externe " -"de la bordure" +msgstr "Distance entre la branche du support arborescent et la ligne la plus externe de la bordure" msgid "Tip Diameter" msgstr "Diamètre de la pointe" @@ -14121,29 +11336,15 @@ msgid "Branch Diameter Angle" msgstr "Angle du diamètre des branches" #. TRN PrintSettings: "Organic supports" > "Branch Diameter Angle" -msgid "" -"The angle of the branches' diameter as they gradually become thicker towards " -"the bottom. An angle of 0 will cause the branches to have uniform thickness " -"over their length. A bit of an angle can increase stability of the organic " -"support." -msgstr "" -"Angle du diamètre des branches à mesure qu’elles deviennent progressivement " -"plus épaisses vers leurs bases. Un angle de 0 donnera aux branches une " -"épaisseur uniforme sur toute leur longueur. Un léger angle peut augmenter la " -"stabilité des supports organiques." +msgid "The angle of the branches' diameter as they gradually become thicker towards the bottom. An angle of 0 will cause the branches to have uniform thickness over their length. A bit of an angle can increase stability of the organic support." +msgstr "Angle du diamètre des branches à mesure qu’elles deviennent progressivement plus épaisses vers leurs bases. Un angle de 0 donnera aux branches une épaisseur uniforme sur toute leur longueur. Un léger angle peut augmenter la stabilité des supports organiques." msgid "Branch Diameter with double walls" msgstr "Diamètre des branches à double parois" #. TRN PrintSettings: "Organic supports" > "Branch Diameter" -msgid "" -"Branches with area larger than the area of a circle of this diameter will be " -"printed with double walls for stability. Set this value to zero for no " -"double walls." -msgstr "" -"Les branches dont la superficie est supérieure à la superficie d’un cercle " -"de ce diamètre seront imprimées avec des doubles parois pour plus de " -"stabilité. Définissez cette valeur sur zéro pour éviter la double paroi." +msgid "Branches with area larger than the area of a circle of this diameter will be printed with double walls for stability. Set this value to zero for no double walls." +msgstr "Les branches dont la superficie est supérieure à la superficie d’un cercle de ce diamètre seront imprimées avec des doubles parois pour plus de stabilité. Définissez cette valeur sur zéro pour éviter la double paroi." msgid "Support wall loops" msgstr "Boucles de paroi de support" @@ -14154,51 +11355,37 @@ msgstr "Ce paramètre spécifie le nombre de parois autour du support" msgid "Tree support with infill" msgstr "Support arborescent avec remplissage" -msgid "" -"This setting specifies whether to add infill inside large hollows of tree " -"support" -msgstr "" -"Ce paramètre spécifie s'il faut ajouter un remplissage à l'intérieur des " -"grands creux du support arborescent" +msgid "This setting specifies whether to add infill inside large hollows of tree support" +msgstr "Ce paramètre spécifie s'il faut ajouter un remplissage à l'intérieur des grands creux du support arborescent" msgid "Activate temperature control" msgstr "Activer le contrôle de la température" msgid "" -"Enable this option for automated chamber temperature control. This option " -"activates the emitting of an M191 command before the " -"\"machine_start_gcode\"\n" -" which sets the chamber temperature and waits until it is reached. In " -"addition, it emits an M141 command at the end of the print to turn off the " -"chamber heater, if present. \n" +"Enable this option for automated chamber temperature control. This option activates the emitting of an M191 command before the \"machine_start_gcode\"\n" +" which sets the chamber temperature and waits until it is reached. In addition, it emits an M141 command at the end of the print to turn off the chamber heater, if present. \n" "\n" -"This option relies on the firmware supporting the M191 and M141 commands " -"either via macros or natively and is usually used when an active chamber " -"heater is installed." +"This option relies on the firmware supporting the M191 and M141 commands either via macros or natively and is usually used when an active chamber heater is installed." msgstr "" +"Activer cette option pour le contrôle automatisé de la température du caisson. Cette option active le lancement d’une commande M191 avant le code « machine_start_gcode », qui fixe la température de la chambre et attend qu’elle soit atteinte. En outre, elle déclenche une commande M141 à la fin de l’impression pour éteindre le chauffage de la chambre, le cas échéant. \n" +"\n" +"Cette option repose sur la prise en charge des commandes M191 et M141 par le micrologiciel, soit via des macros, soit de manière native, et est généralement utilisée lorsqu’un chauffage de chambre actif est installé." msgid "Chamber temperature" msgstr "Température du caisson" msgid "" -"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber " -"temperature can help suppress or reduce warping and potentially lead to " -"higher interlayer bonding strength. However, at the same time, a higher " -"chamber temperature will reduce the efficiency of air filtration for ABS and " -"ASA. \n" +"For high-temperature materials like ABS, ASA, PC, and PA, a higher chamber temperature can help suppress or reduce warping and potentially lead to higher interlayer bonding strength. However, at the same time, a higher chamber temperature will reduce the efficiency of air filtration for ABS and ASA. \n" "\n" -"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option " -"should be disabled (set to 0) as the chamber temperature should be low to " -"avoid extruder clogging caused by material softening at the heat break.\n" +"For PLA, PETG, TPU, PVA, and other low-temperature materials, this option should be disabled (set to 0) as the chamber temperature should be low to avoid extruder clogging caused by material softening at the heat break.\n" "\n" -"If enabled, this parameter also sets a gcode variable named " -"chamber_temperature, which can be used to pass the desired chamber " -"temperature to your print start macro, or a heat soak macro like this: " -"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " -"be useful if your printer does not support M141/M191 commands, or if you " -"desire to handle heat soaking in the print start macro if no active chamber " -"heater is installed." +"If enabled, this parameter also sets a gcode variable named chamber_temperature, which can be used to pass the desired chamber temperature to your print start macro, or a heat soak macro like this: PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may be useful if your printer does not support M141/M191 commands, or if you desire to handle heat soaking in the print start macro if no active chamber heater is installed." msgstr "" +"Pour les matériaux à haute température tels que l’ABS, l’ASA, le PC et le PA, une température de caisson plus élevée peut contribuer à supprimer ou à réduire la déformation et, éventuellement, à augmenter la force de liaison entre les couches. Cependant, dans le même temps, une température de chambre plus élevée réduira l’efficacité de la filtration de l’air pour l’ABS et l’ASA. \n" +"\n" +"Pour le PLA, le PETG, le TPU, le PVA et d’autres matériaux à basse température, cette option doit être désactivée (réglée sur 0) car la température de la chambre doit être basse pour éviter l’engorgement de l’extrudeuse causé par le ramollissement du matériau au niveau du heatbreak.\n" +"\n" +"S’il est activé, ce paramètre définit également une variable gcode nommée chamber_temperature, qui peut être utilisée pour transmettre la température de la chambre souhaitée à votre macro de démarrage de l’impression, ou à une macro de trempe thermique comme celle-ci : PRINT_START (autres variables) CHAMBER_TEMP=[chamber_temperature]. Cela peut être utile si votre imprimante ne prend pas en charge les commandes M141/M191, ou si vous souhaitez gérer le préchauffage dans la macro de démarrage de l’impression si aucun chauffage de chambre actif n’est installé." msgid "Nozzle temperature for layers after the initial one" msgstr "Température de la buse pour les couches après la première" @@ -14206,30 +11393,17 @@ msgstr "Température de la buse pour les couches après la première" msgid "Detect thin wall" msgstr "Détecter les parois fines" -msgid "" -"Detect thin wall which can't contain two line width. And use single line to " -"print. Maybe printed not very well, because it's not closed loop" -msgstr "" -"Détecte les parois fines qui ne peuvent pas contenir deux largeurs de ligne. " -"Et utilisez une seule ligne pour imprimer. Peut ne pas être très bien " -"imprimé, car ce n'est pas en boucle fermée" +msgid "Detect thin wall which can't contain two line width. And use single line to print. Maybe printed not very well, because it's not closed loop" +msgstr "Détecte les parois fines qui ne peuvent pas contenir deux largeurs de ligne. Et utilisez une seule ligne pour imprimer. Peut ne pas être très bien imprimé, car ce n'est pas en boucle fermée" -msgid "" -"This gcode is inserted when change filament, including T command to trigger " -"tool change" -msgstr "" -"Ce G-code est inséré lors du changement de filament, y compris la commande T " -"pour déclencher le changement d'outil" +msgid "This gcode is inserted when change filament, including T command to trigger tool change" +msgstr "Ce G-code est inséré lors du changement de filament, y compris la commande T pour déclencher le changement d'outil" msgid "This gcode is inserted when the extrusion role is changed" msgstr "Ce G-code est inséré lorsque le rôle d’extrusion est modifié" -msgid "" -"Line width for top surfaces. If expressed as a %, it will be computed over " -"the nozzle diameter." -msgstr "" -"Largeur de ligne pdes surfaces supérieures. Si elle est exprimée en %, elle " -"sera calculée sur le diamètre de la buse." +msgid "Line width for top surfaces. If expressed as a %, it will be computed over the nozzle diameter." +msgstr "Largeur de ligne pdes surfaces supérieures. Si elle est exprimée en %, elle sera calculée sur le diamètre de la buse." msgid "Speed of top surface infill which is solid" msgstr "Vitesse de remplissage de la surface supérieure qui est solide" @@ -14237,15 +11411,8 @@ msgstr "Vitesse de remplissage de la surface supérieure qui est solide" msgid "Top shell layers" msgstr "Couches de coque supérieures" -msgid "" -"This is the number of solid layers of top shell, including the top surface " -"layer. When the thickness calculated by this value is thinner than top shell " -"thickness, the top shell layers will be increased" -msgstr "" -"Il s'agit du nombre de couches solides de la coque supérieure, y compris la " -"couche de surface supérieure. Lorsque l'épaisseur calculée par cette valeur " -"est plus fine que l'épaisseur de la coque supérieure, les couches de la " -"coque supérieure seront augmentées" +msgid "This is the number of solid layers of top shell, including the top surface layer. When the thickness calculated by this value is thinner than top shell thickness, the top shell layers will be increased" +msgstr "Il s'agit du nombre de couches solides de la coque supérieure, y compris la couche de surface supérieure. Lorsque l'épaisseur calculée par cette valeur est plus fine que l'épaisseur de la coque supérieure, les couches de la coque supérieure seront augmentées" msgid "Top solid layers" msgstr "Couches solides supérieures" @@ -14253,19 +11420,8 @@ msgstr "Couches solides supérieures" msgid "Top shell thickness" msgstr "Épaisseur de la coque supérieure" -msgid "" -"The number of top solid layers is increased when slicing if the thickness " -"calculated by top shell layers is thinner than this value. This can avoid " -"having too thin shell when layer height is small. 0 means that this setting " -"is disabled and thickness of top shell is absolutely determained by top " -"shell layers" -msgstr "" -"Le nombre de couches solides supérieures est augmenté lors du découpage si " -"l'épaisseur calculée par les couches de coque supérieures est inférieure à " -"cette valeur. Cela peut éviter d'avoir une coque trop fine lorsque la " -"hauteur de couche est faible. 0 signifie que ce paramètre est désactivé et " -"que l'épaisseur de la coque supérieure est absolument déterminée par les " -"couches de coque supérieures" +msgid "The number of top solid layers is increased when slicing if the thickness calculated by top shell layers is thinner than this value. This can avoid having too thin shell when layer height is small. 0 means that this setting is disabled and thickness of top shell is absolutely determained by top shell layers" +msgstr "Le nombre de couches solides supérieures est augmenté lors du découpage si l'épaisseur calculée par les couches de coque supérieures est inférieure à cette valeur. Cela peut éviter d'avoir une coque trop fine lorsque la hauteur de couche est faible. 0 signifie que ce paramètre est désactivé et que l'épaisseur de la coque supérieure est absolument déterminée par les couches de coque supérieures" msgid "Speed of travel which is faster and without extrusion" msgstr "Vitesse de déplacement plus rapide et sans extrusion" @@ -14273,47 +11429,27 @@ msgstr "Vitesse de déplacement plus rapide et sans extrusion" msgid "Wipe while retracting" msgstr "Essuyer lors des rétractions" -msgid "" -"Move nozzle along the last extrusion path when retracting to clean leaked " -"material on nozzle. This can minimize blob when print new part after travel" -msgstr "" -"Déplacez la buse le long du dernier chemin d'extrusion lors de la rétraction " -"pour nettoyer la fuite de matériau sur la buse. Cela peut minimiser les " -"taches lors de l'impression d'une nouvelle pièce après le trajet" +msgid "Move nozzle along the last extrusion path when retracting to clean leaked material on nozzle. This can minimize blob when print new part after travel" +msgstr "Déplacez la buse le long du dernier chemin d'extrusion lors de la rétraction pour nettoyer la fuite de matériau sur la buse. Cela peut minimiser les taches lors de l'impression d'une nouvelle pièce après le trajet" msgid "Wipe Distance" msgstr "Distance d’essuyage" msgid "" -"Discribe how long the nozzle will move along the last path when " -"retracting. \n" +"Discribe how long the nozzle will move along the last path when retracting. \n" "\n" -"Depending on how long the wipe operation lasts, how fast and long the " -"extruder/filament retraction settings are, a retraction move may be needed " -"to retract the remaining filament. \n" +"Depending on how long the wipe operation lasts, how fast and long the extruder/filament retraction settings are, a retraction move may be needed to retract the remaining filament. \n" "\n" -"Setting a value in the retract amount before wipe setting below will perform " -"any excess retraction before the wipe, else it will be performed after." +"Setting a value in the retract amount before wipe setting below will perform any excess retraction before the wipe, else it will be performed after." msgstr "" -"Décrire la durée pendant laquelle la buse se déplacera le long de la " -"dernière trajectoire lors de la rétraction. \n" +"Décrire la durée pendant laquelle la buse se déplacera le long de la dernière trajectoire lors de la rétraction. \n" "\n" -"En fonction de la durée de l’opération d’essuyage, de la vitesse et de la " -"longueur des réglages de rétraction de l’extrudeuse/filament, un mouvement " -"de rétraction peut être nécessaire pour rétracter le filament restant. \n" +"En fonction de la durée de l’opération d’essuyage, de la vitesse et de la longueur des réglages de rétraction de l’extrudeuse/filament, un mouvement de rétraction peut être nécessaire pour rétracter le filament restant. \n" "\n" -"Le réglage d’une valeur dans le paramètre de quantité de rétraction avant " -"essuyage ci-dessous permet d’effectuer toute rétraction excédentaire avant " -"l’essuyage, sinon elle sera effectuée après l’essuyage." +"Le réglage d’une valeur dans le paramètre de quantité de rétraction avant essuyage ci-dessous permet d’effectuer toute rétraction excédentaire avant l’essuyage, sinon elle sera effectuée après l’essuyage." -msgid "" -"The wiping tower can be used to clean up the residue on the nozzle and " -"stabilize the chamber pressure inside the nozzle, in order to avoid " -"appearance defects when printing objects." -msgstr "" -"La tour de purge peut être utilisée pour nettoyer les résidus sur la buse et " -"stabiliser la pression du caisson à l'intérieur de la buse afin d'éviter les " -"défauts d'apparence lors de l'impression d'objets." +msgid "The wiping tower can be used to clean up the residue on the nozzle and stabilize the chamber pressure inside the nozzle, in order to avoid appearance defects when printing objects." +msgstr "La tour de purge peut être utilisée pour nettoyer les résidus sur la buse et stabiliser la pression du caisson à l'intérieur de la buse afin d'éviter les défauts d'apparence lors de l'impression d'objets." msgid "Purging volumes" msgstr "Volumes de purge" @@ -14321,12 +11457,8 @@ msgstr "Volumes de purge" msgid "Flush multiplier" msgstr "Multiplicateur de purge" -msgid "" -"The actual flushing volumes is equal to the flush multiplier multiplied by " -"the flushing volumes in the table." -msgstr "" -"Les volumes de purge actuels sont égaux à la valeur du multiplicateur de " -"purge multiplié par les volumes de purge dans le tableau." +msgid "The actual flushing volumes is equal to the flush multiplier multiplied by the flushing volumes in the table." +msgstr "Les volumes de purge actuels sont égaux à la valeur du multiplicateur de purge multiplié par les volumes de purge dans le tableau." msgid "Prime volume" msgstr "Premier volume" @@ -14346,109 +11478,50 @@ msgstr "Angle de rotation de la tour d’essuyage par rapport à l’axe X." msgid "Stabilization cone apex angle" msgstr "Angle au sommet du cône de stabilisation" -msgid "" -"Angle at the apex of the cone that is used to stabilize the wipe tower. " -"Larger angle means wider base." -msgstr "" -"Angle au sommet du cône utilisé pour stabiliser la tour d’essuyage. Un angle " -"plus grand signifie une base plus large." +msgid "Angle at the apex of the cone that is used to stabilize the wipe tower. Larger angle means wider base." +msgstr "Angle au sommet du cône utilisé pour stabiliser la tour d’essuyage. Un angle plus grand signifie une base plus large." msgid "Maximum wipe tower print speed" msgstr "Vitesse maximale d’impression de la tour d’essuyage" msgid "" -"The maximum print speed when purging in the wipe tower and printing the wipe " -"tower sparse layers. When purging, if the sparse infill speed or calculated " -"speed from the filament max volumetric speed is lower, the lowest will be " -"used instead.\n" +"The maximum print speed when purging in the wipe tower and printing the wipe tower sparse layers. When purging, if the sparse infill speed or calculated speed from the filament max volumetric speed is lower, the lowest will be used instead.\n" "\n" -"When printing the sparse layers, if the internal perimeter speed or " -"calculated speed from the filament max volumetric speed is lower, the lowest " -"will be used instead.\n" +"When printing the sparse layers, if the internal perimeter speed or calculated speed from the filament max volumetric speed is lower, the lowest will be used instead.\n" "\n" -"Increasing this speed may affect the tower's stability as well as increase " -"the force with which the nozzle collides with any blobs that may have formed " -"on the wipe tower.\n" +"Increasing this speed may affect the tower's stability as well as increase the force with which the nozzle collides with any blobs that may have formed on the wipe tower.\n" "\n" -"Before increasing this parameter beyond the default of 90mm/sec, make sure " -"your printer can reliably bridge at the increased speeds and that ooze when " -"tool changing is well controlled.\n" +"Before increasing this parameter beyond the default of 90mm/sec, make sure your printer can reliably bridge at the increased speeds and that ooze when tool changing is well controlled.\n" "\n" -"For the wipe tower external perimeters the internal perimeter speed is used " -"regardless of this setting." +"For the wipe tower external perimeters the internal perimeter speed is used regardless of this setting." msgstr "" -"Vitesse d'impression maximale lors de la purge dans la tour de raclage et de " -"l'impression des couches éparses de la tour d'essuyage. Lors de la purge, si " -"la vitesse de remplissage ou la vitesse calculée à partir de la vitesse " -"volumétrique maximale du filament est inférieure, c'est la vitesse la plus " -"faible qui sera utilisée.\n" +"Vitesse d'impression maximale lors de la purge dans la tour de raclage et de l'impression des couches éparses de la tour d'essuyage. Lors de la purge, si la vitesse de remplissage ou la vitesse calculée à partir de la vitesse volumétrique maximale du filament est inférieure, c'est la vitesse la plus faible qui sera utilisée.\n" "\n" -"Lors de l’impression des couches éparses, si la vitesse du périmètre interne " -"ou la vitesse calculée à partir de la vitesse volumétrique maximale du " -"filament est inférieure, c’est la vitesse la plus faible qui sera utilisée.\n" +"Lors de l’impression des couches éparses, si la vitesse du périmètre interne ou la vitesse calculée à partir de la vitesse volumétrique maximale du filament est inférieure, c’est la vitesse la plus faible qui sera utilisée.\n" "\n" -"L’augmentation de cette vitesse peut affecter la stabilité de la tour et " -"augmenter la force avec laquelle la buse entre en collision avec les blobs " -"qui peuvent s’être formés sur la tour d’essuyage.\n" +"L’augmentation de cette vitesse peut affecter la stabilité de la tour et augmenter la force avec laquelle la buse entre en collision avec les blobs qui peuvent s’être formés sur la tour d’essuyage.\n" "\n" -"Avant d’augmenter ce paramètre au-delà de la valeur par défaut de 90 mm/sec, " -"assurez-vous que votre imprimante peut effectuer un pontage fiable à des " -"vitesses élevées et que le suintement lors du changement d’outil est bien " -"contrôlé.\n" +"Avant d’augmenter ce paramètre au-delà de la valeur par défaut de 90 mm/sec, assurez-vous que votre imprimante peut effectuer un pontage fiable à des vitesses élevées et que le suintement lors du changement d’outil est bien contrôlé.\n" "\n" -"Pour les périmètres externes de la tour d’essuyage, la vitesse du périmètre " -"interne est utilisée indépendamment de ce paramètre." +"Pour les périmètres externes de la tour d’essuyage, la vitesse du périmètre interne est utilisée indépendamment de ce paramètre." -msgid "" -"The extruder to use when printing perimeter of the wipe tower. Set to 0 to " -"use the one that is available (non-soluble would be preferred)." -msgstr "" -"L’extrudeur à utiliser lors de l’impression du périmètre de la tour " -"d’essuyage. Réglez sur 0 pour utiliser celui qui est disponible (un non-" -"soluble serait préféré)." +msgid "The extruder to use when printing perimeter of the wipe tower. Set to 0 to use the one that is available (non-soluble would be preferred)." +msgstr "L’extrudeur à utiliser lors de l’impression du périmètre de la tour d’essuyage. Réglez sur 0 pour utiliser celui qui est disponible (un non-soluble serait préféré)." msgid "Purging volumes - load/unload volumes" msgstr "Volumes de purge - Volume de Chargement/Déchargement" -msgid "" -"This vector saves required volumes to change from/to each tool used on the " -"wipe tower. These values are used to simplify creation of the full purging " -"volumes below." -msgstr "" -"Ce vecteur enregistre les volumes requis pour passer de/vers chaque outil " -"utilisé sur la tour d’essuyage. Ces valeurs sont utilisées pour simplifier " -"la création des volumes de purge complets ci-dessous." +msgid "This vector saves required volumes to change from/to each tool used on the wipe tower. These values are used to simplify creation of the full purging volumes below." +msgstr "Ce vecteur enregistre les volumes requis pour passer de/vers chaque outil utilisé sur la tour d’essuyage. Ces valeurs sont utilisées pour simplifier la création des volumes de purge complets ci-dessous." -msgid "" -"Purging after filament change will be done inside objects' infills. This may " -"lower the amount of waste and decrease the print time. If the walls are " -"printed with transparent filament, the mixed color infill will be seen " -"outside. It will not take effect, unless the prime tower is enabled." -msgstr "" -"La purge après le changement de filament sera effectuée à l'intérieur des " -"matériaux de remplissage des objets. Cela peut réduire la quantité de " -"déchets et le temps d'impression. Si les parois sont imprimées avec un " -"filament transparent, le remplissage de couleurs mélangées sera visible. " -"Cela ne prendra effet que si la tour de purge est activée." +msgid "Purging after filament change will be done inside objects' infills. This may lower the amount of waste and decrease the print time. If the walls are printed with transparent filament, the mixed color infill will be seen outside. It will not take effect, unless the prime tower is enabled." +msgstr "La purge après le changement de filament sera effectuée à l'intérieur des matériaux de remplissage des objets. Cela peut réduire la quantité de déchets et le temps d'impression. Si les parois sont imprimées avec un filament transparent, le remplissage de couleurs mélangées sera visible. Cela ne prendra effet que si la tour de purge est activée." -msgid "" -"Purging after filament change will be done inside objects' support. This may " -"lower the amount of waste and decrease the print time. It will not take " -"effect, unless the prime tower is enabled." -msgstr "" -"La purge après le changement de filament se fera à l'intérieur du support " -"des objets. Cela peut réduire la quantité de déchets et le temps " -"d'impression. Cela ne prendra effet que si une tour de purge est activée." +msgid "Purging after filament change will be done inside objects' support. This may lower the amount of waste and decrease the print time. It will not take effect, unless the prime tower is enabled." +msgstr "La purge après le changement de filament se fera à l'intérieur du support des objets. Cela peut réduire la quantité de déchets et le temps d'impression. Cela ne prendra effet que si une tour de purge est activée." -msgid "" -"This object will be used to purge the nozzle after a filament change to save " -"filament and decrease the print time. Colours of the objects will be mixed " -"as a result. It will not take effect, unless the prime tower is enabled." -msgstr "" -"Cet objet sera utilisé pour purger la buse après un changement de filament " -"afin d'économiser du filament et de réduire le temps d'impression. Les " -"couleurs des objets seront mélangées en conséquence. Cela ne prendra effet " -"que si la tour de purge est activée." +msgid "This object will be used to purge the nozzle after a filament change to save filament and decrease the print time. Colours of the objects will be mixed as a result. It will not take effect, unless the prime tower is enabled." +msgstr "Cet objet sera utilisé pour purger la buse après un changement de filament afin d'économiser du filament et de réduire le temps d'impression. Les couleurs des objets seront mélangées en conséquence. Cela ne prendra effet que si la tour de purge est activée." msgid "Maximal bridging distance" msgstr "Distance de pont maximale" @@ -14465,67 +11538,35 @@ msgstr "Espacement des lignes de purge sur la tour d’essuyage." msgid "Extra flow for purging" msgstr "Débit supplémentaire pour purger" -msgid "" -"Extra flow used for the purging lines on the wipe tower. This makes the " -"purging lines thicker or narrower than they normally would be. The spacing " -"is adjusted automatically." -msgstr "" -"Débit supplémentaire utilisé pour les lignes de purge de la tour d’essuyage. " -"Cela rend les lignes de purge plus épaisses ou plus étroites qu’elles ne le " -"seraient normalement. L’espacement est ajusté automatiquement." +msgid "Extra flow used for the purging lines on the wipe tower. This makes the purging lines thicker or narrower than they normally would be. The spacing is adjusted automatically." +msgstr "Débit supplémentaire utilisé pour les lignes de purge de la tour d’essuyage. Cela rend les lignes de purge plus épaisses ou plus étroites qu’elles ne le seraient normalement. L’espacement est ajusté automatiquement." msgid "Idle temperature" msgstr "Température au repos" -msgid "" -"Nozzle temperature when the tool is currently not used in multi-tool setups." -"This is only used when 'Ooze prevention' is active in Print Settings. Set to " -"0 to disable." -msgstr "" -"Température de la buse lorsque l’outil n’est pas utilisé dans les " -"configurations multi-outils. Cette fonction n’est utilisée que lorsque la " -"fonction « Prévention des suintements » est activée dans les paramètres " -"d’impression. Régler à 0 pour désactiver." +msgid "Nozzle temperature when the tool is currently not used in multi-tool setups.This is only used when 'Ooze prevention' is active in Print Settings. Set to 0 to disable." +msgstr "Température de la buse lorsque l’outil n’est pas utilisé dans les configurations multi-outils. Cette fonction n’est utilisée que lorsque la fonction « Prévention des suintements » est activée dans les paramètres d’impression. Régler à 0 pour désactiver." msgid "X-Y hole compensation" msgstr "Compensation de trou X-Y" -msgid "" -"Holes of object will be grown or shrunk in XY plane by the configured value. " -"Positive value makes holes bigger. Negative value makes holes smaller. This " -"function is used to adjust size slightly when the object has assembling issue" -msgstr "" -"Les trous de l'objet seront agrandis ou rétrécis dans le plan XY par la " -"valeur configurée. Une valeur positive agrandit les trous. Une valeur " -"négative rend les trous plus petits. Cette fonction est utilisée pour " -"ajuster légèrement la taille lorsque l'objet a un problème d'assemblage" +msgid "Holes of object will be grown or shrunk in XY plane by the configured value. Positive value makes holes bigger. Negative value makes holes smaller. This function is used to adjust size slightly when the object has assembling issue" +msgstr "Les trous de l'objet seront agrandis ou rétrécis dans le plan XY par la valeur configurée. Une valeur positive agrandit les trous. Une valeur négative rend les trous plus petits. Cette fonction est utilisée pour ajuster légèrement la taille lorsque l'objet a un problème d'assemblage" msgid "X-Y contour compensation" msgstr "Compensation de contour X-Y" -msgid "" -"Contour of object will be grown or shrunk in XY plane by the configured " -"value. Positive value makes contour bigger. Negative value makes contour " -"smaller. This function is used to adjust size slightly when the object has " -"assembling issue" -msgstr "" -"Le contour de l'objet sera agrandi ou rétréci dans le plan XY par la valeur " -"configurée. Une valeur positive agrandit le contour. Une valeur négative " -"rend le contour plus petit. Cette fonction est utilisée pour ajuster " -"légèrement la taille lorsque l'objet a un problème d'assemblage" +msgid "Contour of object will be grown or shrunk in XY plane by the configured value. Positive value makes contour bigger. Negative value makes contour smaller. This function is used to adjust size slightly when the object has assembling issue" +msgstr "Le contour de l'objet sera agrandi ou rétréci dans le plan XY par la valeur configurée. Une valeur positive agrandit le contour. Une valeur négative rend le contour plus petit. Cette fonction est utilisée pour ajuster légèrement la taille lorsque l'objet a un problème d'assemblage" msgid "Convert holes to polyholes" msgstr "Convertir les trous en trous polygones" msgid "" -"Search for almost-circular holes that span more than one layer and convert " -"the geometry to polyholes. Use the nozzle size and the (biggest) diameter to " -"compute the polyhole.\n" +"Search for almost-circular holes that span more than one layer and convert the geometry to polyholes. Use the nozzle size and the (biggest) diameter to compute the polyhole.\n" "See http://hydraraptor.blogspot.com/2011/02/polyholes.html" msgstr "" -"Rechercher les trous presque circulaires qui s’étendent sur plusieurs " -"couches et convertir la géométrie en trous polygones. Utilise la taille de " -"la buse et le (plus grand) diamètre pour calculer le trou polygone.\n" +"Rechercher les trous presque circulaires qui s’étendent sur plusieurs couches et convertir la géométrie en trous polygones. Utilise la taille de la buse et le (plus grand) diamètre pour calculer le trou polygone.\n" "Voir http://hydraraptor.blogspot.com/2011/02/polyholes.html" msgid "Polyhole detection margin" @@ -14534,15 +11575,11 @@ msgstr "Marge de détection des trous polygones" #, no-c-format, no-boost-format msgid "" "Maximum defection of a point to the estimated radius of the circle.\n" -"As cylinders are often exported as triangles of varying size, points may not " -"be on the circle circumference. This setting allows you some leway to " -"broaden the detection.\n" +"As cylinders are often exported as triangles of varying size, points may not be on the circle circumference. This setting allows you some leway to broaden the detection.\n" "In mm or in % of the radius." msgstr "" "Défection maximale d’un point par rapport au rayon estimé du cercle.\n" -"Comme les cylindres sont souvent exportés sous forme de triangles de taille " -"variable, les points peuvent ne pas se trouver sur la circonférence du " -"cercle. Ce paramètre vous permet d’élargir la détection.\n" +"Comme les cylindres sont souvent exportés sous forme de triangles de taille variable, les points peuvent ne pas se trouver sur la circonférence du cercle. Ce paramètre vous permet d’élargir la détection.\n" "En mm ou en % du rayon." msgid "Polyhole twist" @@ -14554,47 +11591,23 @@ msgstr "Faites pivoter le trou polygone à chaque couche." msgid "G-code thumbnails" msgstr "Vignette G-code" -msgid "" -"Picture sizes to be stored into a .gcode and .sl1 / .sl1s files, in the " -"following format: \"XxY, XxY, ...\"" -msgstr "" -"Tailles des images à stocker dans les fichiers .gcode et .sl1/.sl1s, au " -"format suivant : \"XxY, XxY, ...\"" +msgid "Picture sizes to be stored into a .gcode and .sl1 / .sl1s files, in the following format: \"XxY, XxY, ...\"" +msgstr "Tailles des images à stocker dans les fichiers .gcode et .sl1/.sl1s, au format suivant : \"XxY, XxY, ...\"" msgid "Format of G-code thumbnails" msgstr "Format des vignettes G-code" -msgid "" -"Format of G-code thumbnails: PNG for best quality, JPG for smallest size, " -"QOI for low memory firmware" -msgstr "" -"Format des vignettes G-code : PNG pour la meilleure qualité, JPG pour la " -"plus petite taille, QOI pour les firmwares à faible mémoire" +msgid "Format of G-code thumbnails: PNG for best quality, JPG for smallest size, QOI for low memory firmware" +msgstr "Format des vignettes G-code : PNG pour la meilleure qualité, JPG pour la plus petite taille, QOI pour les firmwares à faible mémoire" msgid "Use relative E distances" msgstr "Utiliser l’extrusion relative" -msgid "" -"Relative extrusion is recommended when using \"label_objects\" option.Some " -"extruders work better with this option unckecked (absolute extrusion mode). " -"Wipe tower is only compatible with relative mode. It is recommended on most " -"printers. Default is checked" -msgstr "" -"L’extrusion relative est recommandée lors de l’utilisation de l’option " -"« label_objects ». Certains extrudeurs fonctionnent mieux avec cette option " -"non verrouillée (mode d’extrusion absolu). La tour d’essuyage n’est " -"compatible qu’avec le mode relatif. Il est recommandé sur la plupart des " -"imprimantes. L’option par défaut est cochée" +msgid "Relative extrusion is recommended when using \"label_objects\" option.Some extruders work better with this option unckecked (absolute extrusion mode). Wipe tower is only compatible with relative mode. It is recommended on most printers. Default is checked" +msgstr "L’extrusion relative est recommandée lors de l’utilisation de l’option « label_objects ». Certains extrudeurs fonctionnent mieux avec cette option non verrouillée (mode d’extrusion absolu). La tour d’essuyage n’est compatible qu’avec le mode relatif. Il est recommandé sur la plupart des imprimantes. L’option par défaut est cochée" -msgid "" -"Classic wall generator produces walls with constant extrusion width and for " -"very thin areas is used gap-fill. Arachne engine produces walls with " -"variable extrusion width" -msgstr "" -"Le générateur de paroi classique produit des parois avec une largeur " -"d’extrusion constante et, pour les zones très fines, il utilise le " -"remplissage d’espace. Le moteur Arachne produit des parois avec une largeur " -"d’extrusion variable." +msgid "Classic wall generator produces walls with constant extrusion width and for very thin areas is used gap-fill. Arachne engine produces walls with variable extrusion width" +msgstr "Le générateur de paroi classique produit des parois avec une largeur d’extrusion constante et, pour les zones très fines, il utilise le remplissage d’espace. Le moteur Arachne produit des parois avec une largeur d’extrusion variable." msgid "Classic" msgstr "Classique" @@ -14605,144 +11618,62 @@ msgstr "Arachné" msgid "Wall transition length" msgstr "Longueur de la paroi de transition" -msgid "" -"When transitioning between different numbers of walls as the part becomes " -"thinner, a certain amount of space is allotted to split or join the wall " -"segments. It's expressed as a percentage over nozzle diameter" -msgstr "" -"Lorsque vous passez d'un nombre différent de parois à un autre lorsque la " -"pièce s'amincit, un certain espace est alloué pour séparer ou joindre les " -"segments de la paroi. Exprimé en pourcentage par rapport au diamètre de la " -"buse." +msgid "When transitioning between different numbers of walls as the part becomes thinner, a certain amount of space is allotted to split or join the wall segments. It's expressed as a percentage over nozzle diameter" +msgstr "Lorsque vous passez d'un nombre différent de parois à un autre lorsque la pièce s'amincit, un certain espace est alloué pour séparer ou joindre les segments de la paroi. Exprimé en pourcentage par rapport au diamètre de la buse." msgid "Wall transitioning filter margin" msgstr "Marge du filtre de transition de paroi" -msgid "" -"Prevent transitioning back and forth between one extra wall and one less. " -"This margin extends the range of extrusion widths which follow to [Minimum " -"wall width - margin, 2 * Minimum wall width + margin]. Increasing this " -"margin reduces the number of transitions, which reduces the number of " -"extrusion starts/stops and travel time. However, large extrusion width " -"variation can lead to under- or overextrusion problems. It's expressed as a " -"percentage over nozzle diameter" -msgstr "" -"Empêchez les allers-retours entre une paroi supplémentaire et une paroi de " -"moins. Cette marge étend la plage de largeurs d'extrusion qui suit jusqu'à " -"[Largeur de paroi minimale - marge, 2* Largeur de paroi minimale + marge]. " -"L'augmentation de cette marge réduit le nombre de transitions, ce qui réduit " -"le nombre de démarrages/arrêts d'extrusion et le temps de trajet. Cependant, " -"une variation importante de la largeur d'extrusion peut entraîner des " -"problèmes de sous-extrusion ou de surextrusion. Il est exprimé en " -"pourcentage par rapport au diamètre de la buse" +msgid "Prevent transitioning back and forth between one extra wall and one less. This margin extends the range of extrusion widths which follow to [Minimum wall width - margin, 2 * Minimum wall width + margin]. Increasing this margin reduces the number of transitions, which reduces the number of extrusion starts/stops and travel time. However, large extrusion width variation can lead to under- or overextrusion problems. It's expressed as a percentage over nozzle diameter" +msgstr "Empêchez les allers-retours entre une paroi supplémentaire et une paroi de moins. Cette marge étend la plage de largeurs d'extrusion qui suit jusqu'à [Largeur de paroi minimale - marge, 2* Largeur de paroi minimale + marge]. L'augmentation de cette marge réduit le nombre de transitions, ce qui réduit le nombre de démarrages/arrêts d'extrusion et le temps de trajet. Cependant, une variation importante de la largeur d'extrusion peut entraîner des problèmes de sous-extrusion ou de surextrusion. Il est exprimé en pourcentage par rapport au diamètre de la buse" msgid "Wall transitioning threshold angle" msgstr "Angle du seuil de transition de la paroi" -msgid "" -"When to create transitions between even and odd numbers of walls. A wedge " -"shape with an angle greater than this setting will not have transitions and " -"no walls will be printed in the center to fill the remaining space. Reducing " -"this setting reduces the number and length of these center walls, but may " -"leave gaps or overextrude" -msgstr "" -"Quand créer des transitions entre les nombres pairs et impairs de parois. " -"Une forme cunéiforme dont l'angle est supérieur à ce paramètre n'aura pas de " -"transitions et aucune paroi ne sera imprimé au centre pour remplir l'espace " -"restant. En réduisant ce paramètre, vous réduisez le nombre et la longueur " -"de ces parois centrales, mais vous risquez de laisser des espaces vides ou " -"de surextruder les parois." +msgid "When to create transitions between even and odd numbers of walls. A wedge shape with an angle greater than this setting will not have transitions and no walls will be printed in the center to fill the remaining space. Reducing this setting reduces the number and length of these center walls, but may leave gaps or overextrude" +msgstr "Quand créer des transitions entre les nombres pairs et impairs de parois. Une forme cunéiforme dont l'angle est supérieur à ce paramètre n'aura pas de transitions et aucune paroi ne sera imprimé au centre pour remplir l'espace restant. En réduisant ce paramètre, vous réduisez le nombre et la longueur de ces parois centrales, mais vous risquez de laisser des espaces vides ou de surextruder les parois." msgid "Wall distribution count" msgstr "Nombre de parois distribuées" -msgid "" -"The number of walls, counted from the center, over which the variation needs " -"to be spread. Lower values mean that the outer walls don't change in width" -msgstr "" -"Nombre de parois, comptées à partir du centre, sur lesquelles la variation " -"doit être répartie. Des valeurs plus faibles signifient que la largeur des " -"parois extérieures ne change pas" +msgid "The number of walls, counted from the center, over which the variation needs to be spread. Lower values mean that the outer walls don't change in width" +msgstr "Nombre de parois, comptées à partir du centre, sur lesquelles la variation doit être répartie. Des valeurs plus faibles signifient que la largeur des parois extérieures ne change pas" msgid "Minimum feature size" msgstr "Taille minimale de l'élément" -msgid "" -"Minimum thickness of thin features. Model features that are thinner than " -"this value will not be printed, while features thicker than the Minimum " -"feature size will be widened to the Minimum wall width. It's expressed as a " -"percentage over nozzle diameter" -msgstr "" -"Épaisseur minimale des éléments fins. Les caractéristiques du modèle qui " -"sont plus fines que cette valeur ne seront pas imprimées, tandis que les " -"entités plus épaisses que la taille minimale seront élargies jusqu'à la " -"largeur de paroi minimale. Exprimée en pourcentage par rapport au diamètre " -"de la buse" +msgid "Minimum thickness of thin features. Model features that are thinner than this value will not be printed, while features thicker than the Minimum feature size will be widened to the Minimum wall width. It's expressed as a percentage over nozzle diameter" +msgstr "Épaisseur minimale des éléments fins. Les caractéristiques du modèle qui sont plus fines que cette valeur ne seront pas imprimées, tandis que les entités plus épaisses que la taille minimale seront élargies jusqu'à la largeur de paroi minimale. Exprimée en pourcentage par rapport au diamètre de la buse" msgid "Minimum wall length" msgstr "Longueur minimale de la paroi" msgid "" -"Adjust this value to prevent short, unclosed walls from being printed, which " -"could increase print time. Higher values remove more and longer walls.\n" +"Adjust this value to prevent short, unclosed walls from being printed, which could increase print time. Higher values remove more and longer walls.\n" "\n" -"NOTE: Bottom and top surfaces will not be affected by this value to prevent " -"visual gaps on the ouside of the model. Adjust 'One wall threshold' in the " -"Advanced settings below to adjust the sensitivity of what is considered a " -"top-surface. 'One wall threshold' is only visibile if this setting is set " -"above the default value of 0.5, or if single-wall top surfaces is enabled." +"NOTE: Bottom and top surfaces will not be affected by this value to prevent visual gaps on the ouside of the model. Adjust 'One wall threshold' in the Advanced settings below to adjust the sensitivity of what is considered a top-surface. 'One wall threshold' is only visibile if this setting is set above the default value of 0.5, or if single-wall top surfaces is enabled." msgstr "" -"Ajustez cette valeur pour éviter que des parois courtes et non fermées " -"soient imprimées, ce qui pourrait augmenter le temps d’impression. Des " -"valeurs plus élevées suppriment des parois plus nombreuses et plus longues.\n" +"Ajustez cette valeur pour éviter que des parois courtes et non fermées soient imprimées, ce qui pourrait augmenter le temps d’impression. Des valeurs plus élevées suppriment des parois plus nombreuses et plus longues.\n" "\n" -"REMARQUE : les surfaces inférieures et supérieures ne sont pas affectées par " -"cette valeur afin d’éviter les lacunes visuelles sur le côté du modèle. " -"Réglez le « seuil d’une paroi » dans les paramètres avancés ci-dessous pour " -"ajuster la sensibilité de ce qui est considéré comme une surface supérieure. " -"Le « seuil d’une paroi » n’est visible que si ce paramètre est supérieur à " -"la valeur par défaut de 0,5 ou si l’option « surfaces supérieures à une " -"paroi » est activée." +"REMARQUE : les surfaces inférieures et supérieures ne sont pas affectées par cette valeur afin d’éviter les lacunes visuelles sur le côté du modèle. Réglez le « seuil d’une paroi » dans les paramètres avancés ci-dessous pour ajuster la sensibilité de ce qui est considéré comme une surface supérieure. Le « seuil d’une paroi » n’est visible que si ce paramètre est supérieur à la valeur par défaut de 0,5 ou si l’option « surfaces supérieures à une paroi » est activée." msgid "First layer minimum wall width" msgstr "Largeur minimale de la paroi de la première couche" -msgid "" -"The minimum wall width that should be used for the first layer is " -"recommended to be set to the same size as the nozzle. This adjustment is " -"expected to enhance adhesion." -msgstr "" -"Il est recommandé de définir la largeur minimale de paroi à utiliser pour la " -"première couche sur la même taille que la buse. Cet ajustement devrait " -"améliorer l’adhérence." +msgid "The minimum wall width that should be used for the first layer is recommended to be set to the same size as the nozzle. This adjustment is expected to enhance adhesion." +msgstr "Il est recommandé de définir la largeur minimale de paroi à utiliser pour la première couche sur la même taille que la buse. Cet ajustement devrait améliorer l’adhérence." msgid "Minimum wall width" msgstr "Largeur minimale de la paroi" -msgid "" -"Width of the wall that will replace thin features (according to the Minimum " -"feature size) of the model. If the Minimum wall width is thinner than the " -"thickness of the feature, the wall will become as thick as the feature " -"itself. It's expressed as a percentage over nozzle diameter" -msgstr "" -"Largeur de la paroi qui remplacera les éléments fins (selon la taille " -"minimale des éléments) du modèle. Si la largeur minimale de la paroi est " -"inférieure à l'épaisseur de l'élément, la paroi deviendra aussi épaisse que " -"l'élément lui-même. Elle est exprimée en pourcentage par rapport au diamètre " -"de la buse" +msgid "Width of the wall that will replace thin features (according to the Minimum feature size) of the model. If the Minimum wall width is thinner than the thickness of the feature, the wall will become as thick as the feature itself. It's expressed as a percentage over nozzle diameter" +msgstr "Largeur de la paroi qui remplacera les éléments fins (selon la taille minimale des éléments) du modèle. Si la largeur minimale de la paroi est inférieure à l'épaisseur de l'élément, la paroi deviendra aussi épaisse que l'élément lui-même. Elle est exprimée en pourcentage par rapport au diamètre de la buse" msgid "Detect narrow internal solid infill" msgstr "Détecter un remplissage plein interne étroit" -msgid "" -"This option will auto detect narrow internal solid infill area. If enabled, " -"concentric pattern will be used for the area to speed printing up. " -"Otherwise, rectilinear pattern is used defaultly." -msgstr "" -"Cette option détectera automatiquement la zone de remplissage plein interne " -"étroite. S'il est activé, un motif concentrique sera utilisé pour la zone " -"afin d'accélérer l'impression. Sinon, le motif rectiligne est utilisé par " -"défaut." +msgid "This option will auto detect narrow internal solid infill area. If enabled, concentric pattern will be used for the area to speed printing up. Otherwise, rectilinear pattern is used defaultly." +msgstr "Cette option détectera automatiquement la zone de remplissage plein interne étroite. S'il est activé, un motif concentrique sera utilisé pour la zone afin d'accélérer l'impression. Sinon, le motif rectiligne est utilisé par défaut." msgid "invalid value " msgstr "Valeur invalide " @@ -14766,18 +11697,13 @@ msgid "No check" msgstr "Pas de vérification" msgid "Do not run any validity checks, such as gcode path conflicts check." -msgstr "" -"Ne pas effectuer de contrôle de validité, tel que le contrôle des conflits " -"de parcours de G-code." +msgstr "Ne pas effectuer de contrôle de validité, tel que le contrôle des conflits de parcours de G-code." msgid "Ensure on bed" msgstr "Assurer sur le plateau" -msgid "" -"Lift the object above the bed when it is partially below. Disabled by default" -msgstr "" -"Placer l’objet sur le plateau lorsqu’il est partiellement en dessous. " -"Désactivé par défaut" +msgid "Lift the object above the bed when it is partially below. Disabled by default" +msgstr "Placer l’objet sur le plateau lorsqu’il est partiellement en dessous. Désactivé par défaut" msgid "Orient Options" msgstr "Options d’orientation" @@ -14797,14 +11723,8 @@ msgstr "Angle de rotation autour de l’axe Y en degrés." msgid "Data directory" msgstr "Répertoire de données" -msgid "" -"Load and store settings at the given directory. This is useful for " -"maintaining different profiles or including configurations from a network " -"storage." -msgstr "" -"Charger et stocker les paramètres dans le répertoire donné. Ceci est utile " -"pour maintenir différents profils ou inclure des configurations à partir " -"d’un stockage réseau." +msgid "Load and store settings at the given directory. This is useful for maintaining different profiles or including configurations from a network storage." +msgstr "Charger et stocker les paramètres dans le répertoire donné. Ceci est utile pour maintenir différents profils ou inclure des configurations à partir d’un stockage réseau." msgid "Load custom gcode" msgstr "Charger un G-code personnalisé" @@ -14818,42 +11738,23 @@ msgstr "Saut en z actuel" msgid "Contains z-hop present at the beginning of the custom G-code block." msgstr "Contient le saut en z présent au début du bloc de G-code personnalisé." -msgid "" -"Position of the extruder at the beginning of the custom G-code block. If the " -"custom G-code travels somewhere else, it should write to this variable so " -"PrusaSlicer knows where it travels from when it gets control back." -msgstr "" -"Position de l’extrudeuse au début du bloc de G-code personnalisé. Si le G-" -"code personnalisé se déplace ailleurs, il doit écrire dans cette variable " -"afin que PrusaSlicer sache d’où il se déplace lorsqu’il reprend le contrôle." +msgid "Position of the extruder at the beginning of the custom G-code block. If the custom G-code travels somewhere else, it should write to this variable so PrusaSlicer knows where it travels from when it gets control back." +msgstr "Position de l’extrudeuse au début du bloc de G-code personnalisé. Si le G-code personnalisé se déplace ailleurs, il doit écrire dans cette variable afin que PrusaSlicer sache d’où il se déplace lorsqu’il reprend le contrôle." -msgid "" -"Retraction state at the beginning of the custom G-code block. If the custom " -"G-code moves the extruder axis, it should write to this variable so " -"PrusaSlicer deretracts correctly when it gets control back." -msgstr "" -"État de rétraction au début du bloc de G-code personnalisé. Si le G-code " -"personnalisé déplace l’axe de l’extrudeuse, il doit écrire dans cette " -"variable pour que PrusaSlicer se rétracte correctement lorsqu’il reprend le " -"contrôle." +msgid "Retraction state at the beginning of the custom G-code block. If the custom G-code moves the extruder axis, it should write to this variable so PrusaSlicer deretracts correctly when it gets control back." +msgstr "État de rétraction au début du bloc de G-code personnalisé. Si le G-code personnalisé déplace l’axe de l’extrudeuse, il doit écrire dans cette variable pour que PrusaSlicer se rétracte correctement lorsqu’il reprend le contrôle." msgid "Extra deretraction" msgstr "Dérétraction supplémentaire" msgid "Currently planned extra extruder priming after deretraction." -msgstr "" -"L’amorçage supplémentaire de l’extrudeuse après la dérétraction est " -"actuellement prévu." +msgstr "L’amorçage supplémentaire de l’extrudeuse après la dérétraction est actuellement prévu." msgid "Absolute E position" msgstr "Position E absolue" -msgid "" -"Current position of the extruder axis. Only used with absolute extruder " -"addressing." -msgstr "" -"Position actuelle de l’axe de l’extrudeuse. Utilisé uniquement avec " -"l’adressage absolu de de I’extrudeur." +msgid "Current position of the extruder axis. Only used with absolute extruder addressing." +msgstr "Position actuelle de l’axe de l’extrudeuse. Utilisé uniquement avec l’adressage absolu de de I’extrudeur." msgid "Current extruder" msgstr "Extrudeur actuel" @@ -14864,12 +11765,8 @@ msgstr "Index à base zéro de l’extrudeur actuellement utilisé." msgid "Current object index" msgstr "Index de l’objet actuel" -msgid "" -"Specific for sequential printing. Zero-based index of currently printed " -"object." -msgstr "" -"Spécifique à l’impression séquentielle. Index basé sur zéro de l’objet en " -"cours d’impression." +msgid "Specific for sequential printing. Zero-based index of currently printed object." +msgstr "Spécifique à l’impression séquentielle. Index basé sur zéro de l’objet en cours d’impression." msgid "Has wipe tower" msgstr "Possède une tour d’essuyage" @@ -14880,46 +11777,32 @@ msgstr "Indique si la tour d’essuyage est générée ou non dans l’impressio msgid "Initial extruder" msgstr "Extrudeur initial" -msgid "" -"Zero-based index of the first extruder used in the print. Same as " -"initial_tool." -msgstr "" -"Index basé sur zéro du premier extrudeur utilisé dans l’impression. " -"Identique à initial_tool." +msgid "Zero-based index of the first extruder used in the print. Same as initial_tool." +msgstr "Index basé sur zéro du premier extrudeur utilisé dans l’impression. Identique à initial_tool." msgid "Initial tool" msgstr "Outil de départ" -msgid "" -"Zero-based index of the first extruder used in the print. Same as " -"initial_extruder." -msgstr "" -"Index basé sur zéro du premier extrudeur utilisé dans l’impression. " -"Identique à initial_extruder." +msgid "Zero-based index of the first extruder used in the print. Same as initial_extruder." +msgstr "Index basé sur zéro du premier extrudeur utilisé dans l’impression. Identique à initial_extruder." msgid "Is extruder used?" msgstr "L’extrudeur est-il utilisé ?" msgid "Vector of bools stating whether a given extruder is used in the print." -msgstr "" -"Vecteur de bools indiquant si un extrudeur donné est utilisé dans " -"l’impression." +msgstr "Vecteur de bools indiquant si un extrudeur donné est utilisé dans l’impression." msgid "Has single extruder MM priming" msgstr "Dispose d’un seul extrudeur MM d’amorçage" msgid "Are the extra multi-material priming regions used in this print?" -msgstr "" -"Les régions d’amorçage multimatériaux supplémentaires sont-elles utilisées " -"dans cette impression ?" +msgstr "Les régions d’amorçage multimatériaux supplémentaires sont-elles utilisées dans cette impression ?" msgid "Volume per extruder" msgstr "Volume par extrudeur" msgid "Total filament volume extruded per extruder during the entire print." -msgstr "" -"Volume total de filament extrudé par extrudeur pendant toute la durée de " -"l’impression." +msgstr "Volume total de filament extrudé par extrudeur pendant toute la durée de l’impression." msgid "Total toolchanges" msgstr "Nombre total de changements d’outils" @@ -14931,28 +11814,19 @@ msgid "Total volume" msgstr "Volume total" msgid "Total volume of filament used during the entire print." -msgstr "" -"Volume total de filament utilisé pendant toute la durée de l’impression." +msgstr "Volume total de filament utilisé pendant toute la durée de l’impression." msgid "Weight per extruder" msgstr "Poids par extrudeur" -msgid "" -"Weight per extruder extruded during the entire print. Calculated from " -"filament_density value in Filament Settings." -msgstr "" -"Poids par extrudeur extrudé pendant toute la durée de l’impression. Calculé " -"à partir de la valeur filament_density dans Filament Settings." +msgid "Weight per extruder extruded during the entire print. Calculated from filament_density value in Filament Settings." +msgstr "Poids par extrudeur extrudé pendant toute la durée de l’impression. Calculé à partir de la valeur filament_density dans Filament Settings." msgid "Total weight" msgstr "Poids total" -msgid "" -"Total weight of the print. Calculated from filament_density value in " -"Filament Settings." -msgstr "" -"Poids total de l’impression. Calculé à partir de la valeur filament_density " -"dans Filament Settings." +msgid "Total weight of the print. Calculated from filament_density value in Filament Settings." +msgstr "Poids total de l’impression. Calculé à partir de la valeur filament_density dans Filament Settings." msgid "Total layer count" msgstr "Nombre total de couches" @@ -14970,22 +11844,16 @@ msgid "Number of instances" msgstr "Nombre d’instances" msgid "Total number of object instances in the print, summed over all objects." -msgstr "" -"Nombre total d’instances d’objets dans l’impression, additionné à tous les " -"objets." +msgstr "Nombre total d’instances d’objets dans l’impression, additionné à tous les objets." msgid "Scale per object" msgstr "Mise à l’échelle par objet" msgid "" -"Contains a string with the information about what scaling was applied to the " -"individual objects. Indexing of the objects is zero-based (first object has " -"index 0).\n" +"Contains a string with the information about what scaling was applied to the individual objects. Indexing of the objects is zero-based (first object has index 0).\n" "Example: 'x:100% y:50% z:100'." msgstr "" -"Contient une chaîne de caractères contenant des informations sur la mise à " -"l’échelle appliquée aux différents objets. L’indexation des objets est basée " -"sur le zéro (le premier objet a l’index 0).\n" +"Contient une chaîne de caractères contenant des informations sur la mise à l’échelle appliquée aux différents objets. L’indexation des objets est basée sur le zéro (le premier objet a l’index 0).\n" "Exemple : « x:100% y:50% z:100 »." msgid "Input filename without extension" @@ -14994,32 +11862,20 @@ msgstr "Nom du fichier d’entrée sans extension" msgid "Source filename of the first object, without extension." msgstr "Nom du fichier source du premier objet, sans extension." -msgid "" -"The vector has two elements: x and y coordinate of the point. Values in mm." -msgstr "" -"Le vecteur a deux éléments : les coordonnées x et y du point. Valeurs en mm." +msgid "The vector has two elements: x and y coordinate of the point. Values in mm." +msgstr "Le vecteur a deux éléments : les coordonnées x et y du point. Valeurs en mm." -msgid "" -"The vector has two elements: x and y dimension of the bounding box. Values " -"in mm." -msgstr "" -"Le vecteur a deux éléments : les dimensions x et y de la boîte de " -"délimitation. Valeurs en mm." +msgid "The vector has two elements: x and y dimension of the bounding box. Values in mm." +msgstr "Le vecteur a deux éléments : les dimensions x et y de la boîte de délimitation. Valeurs en mm." msgid "First layer convex hull" msgstr "Coque convexe de la première couche" -msgid "" -"Vector of points of the first layer convex hull. Each element has the " -"following format:'[x, y]' (x and y are floating-point numbers in mm)." -msgstr "" -"Vecteur de points de la première couche de la coque convexe. Chaque élément " -"a le format suivant : ‘[x, y]’ (x et y sont des nombres à virgule flottante " -"en mm)." +msgid "Vector of points of the first layer convex hull. Each element has the following format:'[x, y]' (x and y are floating-point numbers in mm)." +msgstr "Vecteur de points de la première couche de la coque convexe. Chaque élément a le format suivant : ‘[x, y]’ (x et y sont des nombres à virgule flottante en mm)." msgid "Bottom-left corner of first layer bounding box" -msgstr "" -"Coin inférieur gauche de la boîte de délimitation de la première couche" +msgstr "Coin inférieur gauche de la boîte de délimitation de la première couche" msgid "Top-right corner of first layer bounding box" msgstr "Coin supérieur droit de la boîte de délimitation de la première couche" @@ -15031,8 +11887,7 @@ msgid "Bottom-left corner of print bed bounding box" msgstr "Coin inférieur gauche de la boîte de délimitation du lit d’impression" msgid "Top-right corner of print bed bounding box" -msgstr "" -"Coin supérieur droit de la boîte de délimitation du plateau d’impression" +msgstr "Coin supérieur droit de la boîte de délimitation du plateau d’impression" msgid "Size of the print bed bounding box" msgstr "Taille du plateau d’impression" @@ -15061,12 +11916,8 @@ msgstr "Nom du préréglage d’impression utilisé pour le découpage." msgid "Filament preset name" msgstr "Nom du préréglage du filament" -msgid "" -"Names of the filament presets used for slicing. The variable is a vector " -"containing one name for each extruder." -msgstr "" -"Noms des préréglages de filaments utilisés pour le découpage. La variable " -"est un vecteur contenant un nom pour chaque extrudeur." +msgid "Names of the filament presets used for slicing. The variable is a vector containing one name for each extruder." +msgstr "Noms des préréglages de filaments utilisés pour le découpage. La variable est un vecteur contenant un nom pour chaque extrudeur." msgid "Printer preset name" msgstr "Nom du préréglage de l’imprimante" @@ -15083,30 +11934,20 @@ msgstr "Nom de l’imprimante physique utilisé pour la découpe." msgid "Number of extruders" msgstr "Nombre d’extrudeurs" -msgid "" -"Total number of extruders, regardless of whether they are used in the " -"current print." -msgstr "" -"Nombre total d’extrudeurs, qu’ils soient ou non utilisées dans l’impression " -"en cours." +msgid "Total number of extruders, regardless of whether they are used in the current print." +msgstr "Nombre total d’extrudeurs, qu’ils soient ou non utilisées dans l’impression en cours." msgid "Layer number" msgstr "Numéro de couche" msgid "Index of the current layer. One-based (i.e. first layer is number 1)." -msgstr "" -"Indice de la couche actuelle. Base unitaire (c’est-à-dire que la première " -"couche porte le numéro 1)." +msgstr "Indice de la couche actuelle. Base unitaire (c’est-à-dire que la première couche porte le numéro 1)." msgid "Layer z" msgstr "Couche z" -msgid "" -"Height of the current layer above the print bed, measured to the top of the " -"layer." -msgstr "" -"Hauteur de la couche actuelle au-dessus du plateau d’impression, mesurée " -"jusqu’au sommet de la couche." +msgid "Height of the current layer above the print bed, measured to the top of the layer." +msgstr "Hauteur de la couche actuelle au-dessus du plateau d’impression, mesurée jusqu’au sommet de la couche." msgid "Maximal layer z" msgstr "Couche maximale z" @@ -15151,12 +11992,8 @@ msgid "large overhangs" msgstr "grands surplombs" #, c-format, boost-format -msgid "" -"It seems object %s has %s. Please re-orient the object or enable support " -"generation." -msgstr "" -"Il semble que l'objet %s possède %s. Veuillez réorienter l'objet ou activer " -"la génération de support." +msgid "It seems object %s has %s. Please re-orient the object or enable support generation." +msgstr "Il semble que l'objet %s possède %s. Veuillez réorienter l'objet ou activer la génération de support." msgid "Optimizing toolpath" msgstr "Optimisation du parcours d'outil" @@ -15164,22 +12001,15 @@ msgstr "Optimisation du parcours d'outil" msgid "Slicing mesh" msgstr "Découpe du maillage" -msgid "" -"No layers were detected. You might want to repair your STL file(s) or check " -"their size or thickness and retry.\n" -msgstr "" -"Aucune couche n'a été détectée. Vous pouvez réparer vos STL, vérifier leur " -"taille ou leur épaisseur et réessayer.\n" +msgid "No layers were detected. You might want to repair your STL file(s) or check their size or thickness and retry.\n" +msgstr "Aucune couche n'a été détectée. Vous pouvez réparer vos STL, vérifier leur taille ou leur épaisseur et réessayer.\n" msgid "" -"An object's XY size compensation will not be used because it is also color-" -"painted.\n" +"An object's XY size compensation will not be used because it is also color-painted.\n" "XY Size compensation can not be combined with color-painting." msgstr "" -"La compensation de la taille XY d'un objet ne sera pas utilisée parce qu'il " -"est également peint en couleur.\n" -"La compensation de la taille XY ne peut pas être combinée avec la peinture " -"couleur." +"La compensation de la taille XY d'un objet ne sera pas utilisée parce qu'il est également peint en couleur.\n" +"La compensation de la taille XY ne peut pas être combinée avec la peinture couleur." #, c-format, boost-format msgid "Support: generate toolpath at layer %d" @@ -15212,11 +12042,8 @@ msgstr "Support : Correction des trous dans la couche %d" msgid "Support: propagate branches at layer %d" msgstr "Support : propagation des branches à la couche %d" -msgid "" -"Unknown file format. Input file must have .stl, .obj, .amf(.xml) extension." -msgstr "" -"Format de fichier inconnu : le fichier d'entrée doit porter l'extension ." -"stl, .obj ou .amf (.xml)." +msgid "Unknown file format. Input file must have .stl, .obj, .amf(.xml) extension." +msgstr "Format de fichier inconnu : le fichier d'entrée doit porter l'extension .stl, .obj ou .amf (.xml)." msgid "Loading of a model file failed." msgstr "Le chargement du fichier modèle a échoué." @@ -15225,9 +12052,7 @@ msgid "The supplied file couldn't be read because it's empty" msgstr "Le fichier fourni n'a pas pu être lu car il est vide." msgid "Unknown file format. Input file must have .3mf or .zip.amf extension." -msgstr "" -"Format de fichier inconnu : le fichier d'entrée doit porter " -"l'extension .3mf, .zip ou .amf." +msgstr "Format de fichier inconnu : le fichier d'entrée doit porter l'extension .3mf, .zip ou .amf." msgid "Canceled" msgstr "Annulé" @@ -15286,18 +12111,14 @@ msgstr "Terminer" msgid "How to use calibration result?" msgstr "Comment utiliser le résultat de la calibration ?" -msgid "" -"You could change the Flow Dynamics Calibration Factor in material editing" -msgstr "" -"Vous pouvez modifier le facteur de calibration dynamique du débit dans les " -"paramètres du filament" +msgid "You could change the Flow Dynamics Calibration Factor in material editing" +msgstr "Vous pouvez modifier le facteur de calibration dynamique du débit dans les paramètres du filament" msgid "" "The current firmware version of the printer does not support calibration.\n" "Please upgrade the printer firmware." msgstr "" -"La version actuelle du firmware de l'imprimante ne prend pas en charge la " -"calibration.\n" +"La version actuelle du firmware de l'imprimante ne prend pas en charge la calibration.\n" "Veuillez mettre à jour le firmware de l'imprimante." msgid "Calibration not supported" @@ -15348,11 +12169,8 @@ msgstr "Le nom est le même qu’un autre nom de préréglage existant" msgid "create new preset failed." msgstr "La création d’un nouveau préréglage a échoué." -msgid "" -"Are you sure to cancel the current calibration and return to the home page?" -msgstr "" -"Voulez-vous vraiment annuler la calibration en cours et revenir à la page " -"d’accueil ?" +msgid "Are you sure to cancel the current calibration and return to the home page?" +msgstr "Voulez-vous vraiment annuler la calibration en cours et revenir à la page d’accueil ?" msgid "No Printer Connected!" msgstr "Aucune imprimante connectée !" @@ -15367,16 +12185,10 @@ msgid "The input value size must be 3." msgstr "La valeur saisie doit être 3." msgid "" -"This machine type can only hold 16 history results per nozzle. You can " -"delete the existing historical results and then start calibration. Or you " -"can continue the calibration, but you cannot create new calibration " -"historical results. \n" +"This machine type can only hold 16 history results per nozzle. You can delete the existing historical results and then start calibration. Or you can continue the calibration, but you cannot create new calibration historical results. \n" "Do you still want to continue the calibration?" msgstr "" -"Ce type de machine ne peut contenir que 16 résultats historiques par buse. " -"Vous pouvez supprimer les résultats historiques existants, puis lancer " -"l’étalonnage. Vous pouvez également poursuivre l’étalonnage, mais vous ne " -"pouvez pas créer de nouveaux résultats historiques d’étalonnage. \n" +"Ce type de machine ne peut contenir que 16 résultats historiques par buse. Vous pouvez supprimer les résultats historiques existants, puis lancer l’étalonnage. Vous pouvez également poursuivre l’étalonnage, mais vous ne pouvez pas créer de nouveaux résultats historiques d’étalonnage. \n" "Souhaitez-vous toujours poursuivre le calibrage ?" msgid "Connecting to printer..." @@ -15386,27 +12198,15 @@ msgid "The failed test result has been dropped." msgstr "Le résultat du test ayant échoué a été supprimé." msgid "Flow Dynamics Calibration result has been saved to the printer" -msgstr "" -"Le résultat de la calibration dynamique du débit a été enregistré sur " -"l’imprimante" +msgstr "Le résultat de la calibration dynamique du débit a été enregistré sur l’imprimante" #, c-format, boost-format -msgid "" -"There is already a historical calibration result with the same name: %s. " -"Only one of the results with the same name is saved. Are you sure you want " -"to override the historical result?" -msgstr "" -"Il existe déjà un résultat d’étalonnage antérieur portant le même nom : %s. " -"Un seul des résultats portant le même nom est sauvegardé. Êtes-vous sûr de " -"vouloir remplacer le résultat antérieur ?" +msgid "There is already a historical calibration result with the same name: %s. Only one of the results with the same name is saved. Are you sure you want to override the historical result?" +msgstr "Il existe déjà un résultat d’étalonnage antérieur portant le même nom : %s. Un seul des résultats portant le même nom est sauvegardé. Êtes-vous sûr de vouloir remplacer le résultat antérieur ?" #, c-format, boost-format -msgid "" -"This machine type can only hold %d history results per nozzle. This result " -"will not be saved." -msgstr "" -"Ce type de machine ne peut contenir que %d résultats historiques par buse. " -"Ce résultat ne sera pas enregistré." +msgid "This machine type can only hold %d history results per nozzle. This result will not be saved." +msgstr "Ce type de machine ne peut contenir que %d résultats historiques par buse. Ce résultat ne sera pas enregistré." msgid "Internal Error" msgstr "Erreur interne" @@ -15415,36 +12215,24 @@ msgid "Please select at least one filament for calibration" msgstr "Veuillez sélectionner au moins un filament pour la calibration" msgid "Flow rate calibration result has been saved to preset" -msgstr "" -"Le résultat de la calibration du débit a été enregistré dans le préréglage" +msgstr "Le résultat de la calibration du débit a été enregistré dans le préréglage" msgid "Max volumetric speed calibration result has been saved to preset" -msgstr "" -"Le résultat de la calibration de la vitesse volumétrique maximale a été " -"enregistré dans le préréglage" +msgstr "Le résultat de la calibration de la vitesse volumétrique maximale a été enregistré dans le préréglage" msgid "When do you need Flow Dynamics Calibration" msgstr "Nécessité de la calibration dynamique du débit" msgid "" -"We now have added the auto-calibration for different filaments, which is " -"fully automated and the result will be saved into the printer for future " -"use. You only need to do the calibration in the following limited cases:\n" -"1. If you introduce a new filament of different brands/models or the " -"filament is damp;\n" +"We now have added the auto-calibration for different filaments, which is fully automated and the result will be saved into the printer for future use. You only need to do the calibration in the following limited cases:\n" +"1. If you introduce a new filament of different brands/models or the filament is damp;\n" "2. if the nozzle is worn out or replaced with a new one;\n" -"3. If the max volumetric speed or print temperature is changed in the " -"filament setting." +"3. If the max volumetric speed or print temperature is changed in the filament setting." msgstr "" -"Nous avons maintenant ajouté l'auto-calibration pour différents filaments, " -"qui est entièrement automatisée et le résultat sera enregistré dans " -"l'imprimante pour une utilisation future. Vous n'avez besoin d'effectuer la " -"calibration que dans les cas limités suivants :\n" -"1. Si vous utilisez un nouveau filament de marques/modèles différents ou si " -"le filament est humide\n" +"Nous avons maintenant ajouté l'auto-calibration pour différents filaments, qui est entièrement automatisée et le résultat sera enregistré dans l'imprimante pour une utilisation future. Vous n'avez besoin d'effectuer la calibration que dans les cas limités suivants :\n" +"1. Si vous utilisez un nouveau filament de marques/modèles différents ou si le filament est humide\n" "2. Si la buse est usée ou remplacée par une neuve\n" -"3. Si la vitesse volumétrique maximale ou la température d'impression est " -"modifiée dans les préréglages du filament." +"3. Si la vitesse volumétrique maximale ou la température d'impression est modifiée dans les préréglages du filament." msgid "About this calibration" msgstr "À propos de cette calibration" @@ -15452,134 +12240,54 @@ msgstr "À propos de cette calibration" msgid "" "Please find the details of Flow Dynamics Calibration from our wiki.\n" "\n" -"Usually the calibration is unnecessary. When you start a single color/" -"material print, with the \"flow dynamics calibration\" option checked in the " -"print start menu, the printer will follow the old way, calibrate the " -"filament before the print; When you start a multi color/material print, the " -"printer will use the default compensation parameter for the filament during " -"every filament switch which will have a good result in most cases.\n" +"Usually the calibration is unnecessary. When you start a single color/material print, with the \"flow dynamics calibration\" option checked in the print start menu, the printer will follow the old way, calibrate the filament before the print; When you start a multi color/material print, the printer will use the default compensation parameter for the filament during every filament switch which will have a good result in most cases.\n" "\n" -"Please note that there are a few cases that can make the calibration results " -"unreliable, such as insufficient adhesion on the build plate. Improving " -"adhesion can be achieved by washing the build plate or applying glue. For " -"more information on this topic, please refer to our Wiki.\n" +"Please note that there are a few cases that can make the calibration results unreliable, such as insufficient adhesion on the build plate. Improving adhesion can be achieved by washing the build plate or applying glue. For more information on this topic, please refer to our Wiki.\n" "\n" -"The calibration results have about 10 percent jitter in our test, which may " -"cause the result not exactly the same in each calibration. We are still " -"investigating the root cause to do improvements with new updates." +"The calibration results have about 10 percent jitter in our test, which may cause the result not exactly the same in each calibration. We are still investigating the root cause to do improvements with new updates." msgstr "" -"Vous trouverez les détails de l'étalonnage de la dynamique des flux dans " -"notre wiki.\n" +"Vous trouverez les détails de l'étalonnage de la dynamique des débits dans notre wiki.\n" "\n" -"En général, la calibration n’est pas nécessaire. Lorsque vous démarrez une " -"impression mono-couleur/matériau, avec l’option « calibration de la " -"dynamique de flux » cochée dans le menu de démarrage de l’impression, " -"l’imprimante suivra l’ancienne méthode, en calibrant le filament avant " -"l’impression ; Lorsque vous démarrez une impression multi-couleur/matériau, " -"l’imprimante utilisera le paramètre de compensation par défaut pour le " -"filament lors de chaque changement de filament, ce qui donnera un bon " -"résultat dans la plupart des cas.\n" +"En général, la calibration n’est pas nécessaire. Lorsque vous démarrez une impression mono-couleur/matériau, avec l’option « calibration de la dynamique de flux » cochée dans le menu de démarrage de l’impression, l’imprimante suivra l’ancienne méthode, en calibrant le filament avant l’impression ; Lorsque vous démarrez une impression multi-couleur/matériau, l’imprimante utilisera le paramètre de compensation par défaut pour le filament lors de chaque changement de filament, ce qui donnera un bon résultat dans la plupart des cas.\n" "\n" -"Veuillez noter qu’il existe quelques cas qui peuvent rendre les résultats de " -"la calibration peu fiables, tels qu’une adhérence insuffisante sur le " -"plateau. Il est possible d’améliorer l’adhérence en lavant la plaque de " -"construction ou en appliquant de la colle. Pour plus d’informations à ce " -"sujet, veuillez consulter notre Wiki.\n" +"Veuillez noter qu’il existe quelques cas qui peuvent rendre les résultats de la calibration peu fiables, tels qu’une adhérence insuffisante sur le plateau. Il est possible d’améliorer l’adhérence en lavant la plaque de construction ou en appliquant de la colle. Pour plus d’informations à ce sujet, veuillez consulter notre Wiki.\n" "\n" -"Les résultats de la calibration présentent une fluctuation d’environ 10 % " -"dans notre test, ce qui peut entraîner une différence entre les résultats de " -"chaque calibration. Nous continuons d’étudier la cause première afin " -"d’apporter des améliorations lors des nouvelles mises à jour." +"Les résultats de la calibration présentent une fluctuation d’environ 10 % dans notre test, ce qui peut entraîner une différence entre les résultats de chaque calibration. Nous continuons d’étudier la cause première afin d’apporter des améliorations lors des nouvelles mises à jour." msgid "When to use Flow Rate Calibration" msgstr "Nécessité de la calibration du débit" msgid "" -"After using Flow Dynamics Calibration, there might still be some extrusion " -"issues, such as:\n" -"1. Over-Extrusion: Excess material on your printed object, forming blobs or " -"zits, or the layers seem thicker than expected and not uniform.\n" -"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the " -"top layer of the model, even when printing slowly.\n" +"After using Flow Dynamics Calibration, there might still be some extrusion issues, such as:\n" +"1. Over-Extrusion: Excess material on your printed object, forming blobs or zits, or the layers seem thicker than expected and not uniform.\n" +"2. Under-Extrusion: Very thin layers, weak infill strength, or gaps in the top layer of the model, even when printing slowly.\n" "3. Poor Surface Quality: The surface of your prints seems rough or uneven.\n" -"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as " -"they should be." +"4. Weak Structural Integrity: Prints break easily or don't seem as sturdy as they should be." msgstr "" -"Après avoir utilisé la calibration dynamique du débit, il peut encore y " -"avoir des problèmes d'extrusion, tels que :\n" -"1. Sur-extrusion : Excès de matière sur votre objet imprimé, formant des " -"gouttes ou des boutons, ou si les couches semblent plus épaisses que prévu " -"et non uniformes.\n" -"2. Sous-extrusion : Couches très fines, une faible solidité du remplissage " -"ou des espaces dans la couche supérieure du modèle, même si l'impression est " -"lente\n" -"3. Mauvaise qualité de surface : Si la surface de vos impressions semble " -"rugueuse ou inégale.\n" -"4. Faible intégrité structurelle : Impressions qui cassent facilement ou ne " -"semblent pas aussi solides qu'elles le devraient." +"Après avoir utilisé la calibration dynamique du débit, il peut encore y avoir des problèmes d'extrusion, tels que :\n" +"1. Sur-extrusion : Excès de matière sur votre objet imprimé, formant des gouttes ou des boutons, ou si les couches semblent plus épaisses que prévu et non uniformes.\n" +"2. Sous-extrusion : Couches très fines, une faible solidité du remplissage ou des espaces dans la couche supérieure du modèle, même si l'impression est lente\n" +"3. Mauvaise qualité de surface : Si la surface de vos impressions semble rugueuse ou inégale.\n" +"4. Faible intégrité structurelle : Impressions qui cassent facilement ou ne semblent pas aussi solides qu'elles le devraient." + +msgid "In addition, Flow Rate Calibration is crucial for foaming materials like LW-PLA used in RC planes. These materials expand greatly when heated, and calibration provides a useful reference flow rate." +msgstr "De plus, la calibration du débit est cruciale pour les matériaux dotés de la technologie de mousse active comme le LW-PLA utilisés dans les avions RC. Ces matériaux se dilatent considérablement lorsqu'ils sont chauffés et la calibration fournit un débit de référence utile." + +msgid "Flow Rate Calibration measures the ratio of expected to actual extrusion volumes. The default setting works well in Bambu Lab printers and official filaments as they were pre-calibrated and fine-tuned. For a regular filament, you usually won't need to perform a Flow Rate Calibration unless you still see the listed defects after you have done other calibrations. For more details, please check out the wiki article." +msgstr "La calibration du débit mesure le ratio entre les volumes d’extrusion attendus et réels. Le réglage par défaut fonctionne bien sur les imprimantes Bambu Lab et les filaments officiels car ils ont été pré-calibrés et affinés. Pour un filament ordinaire, vous n’aurez généralement pas besoin d’effectuer une calibration du débit à moins que vous ne voyiez toujours les défauts répertoriés après avoir effectué d’autres calibrations. Pour plus de détails, veuillez consulter l’article du wiki." msgid "" -"In addition, Flow Rate Calibration is crucial for foaming materials like LW-" -"PLA used in RC planes. These materials expand greatly when heated, and " -"calibration provides a useful reference flow rate." +"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, directly measuring the calibration patterns. However, please be advised that the efficacy and accuracy of this method may be compromised with specific types of materials. Particularly, filaments that are transparent or semi-transparent, sparkling-particled, or have a high-reflective finish may not be suitable for this calibration and can produce less-than-desirable results.\n" +"\n" +"The calibration results may vary between each calibration or filament. We are still improving the accuracy and compatibility of this calibration through firmware updates over time.\n" +"\n" +"Caution: Flow Rate Calibration is an advanced process, to be attempted only by those who fully understand its purpose and implications. Incorrect usage can lead to sub-par prints or printer damage. Please make sure to carefully read and understand the process before doing it." msgstr "" -"De plus, la calibration du débit est cruciale pour les matériaux dotés de la " -"technologie de mousse active comme le LW-PLA utilisés dans les avions RC. " -"Ces matériaux se dilatent considérablement lorsqu'ils sont chauffés et la " -"calibration fournit un débit de référence utile." - -msgid "" -"Flow Rate Calibration measures the ratio of expected to actual extrusion " -"volumes. The default setting works well in Bambu Lab printers and official " -"filaments as they were pre-calibrated and fine-tuned. For a regular " -"filament, you usually won't need to perform a Flow Rate Calibration unless " -"you still see the listed defects after you have done other calibrations. For " -"more details, please check out the wiki article." -msgstr "" -"La calibration du débit mesure le ratio entre les volumes d’extrusion " -"attendus et réels. Le réglage par défaut fonctionne bien sur les imprimantes " -"Bambu Lab et les filaments officiels car ils ont été pré-calibrés et " -"affinés. Pour un filament ordinaire, vous n’aurez généralement pas besoin " -"d’effectuer une calibration du débit à moins que vous ne voyiez toujours les " -"défauts répertoriés après avoir effectué d’autres calibrations. Pour plus de " -"détails, veuillez consulter l’article du wiki." - -msgid "" -"Auto Flow Rate Calibration utilizes Bambu Lab's Micro-Lidar technology, " -"directly measuring the calibration patterns. However, please be advised that " -"the efficacy and accuracy of this method may be compromised with specific " -"types of materials. Particularly, filaments that are transparent or semi-" -"transparent, sparkling-particled, or have a high-reflective finish may not " -"be suitable for this calibration and can produce less-than-desirable " -"results.\n" +"La calibration automatique du débit utilise la technologie Micro-Lidar de Bambu Lab, mesurant directement les modèles de calibration. Cependant, veuillez noter que l’efficacité et la précision de cette méthode peuvent être compromises avec des types de matériaux spécifiques. En particulier, les filaments qui sont transparents ou semi-transparents, à particules scintillantes ou qui ont une finition hautement réfléchissante peuvent ne pas convenir à cette calibration et peuvent produire des résultats moins que souhaitables.\n" "\n" -"The calibration results may vary between each calibration or filament. We " -"are still improving the accuracy and compatibility of this calibration " -"through firmware updates over time.\n" +"Les résultats d’étalonnage peuvent varier entre chaque calibration ou filament. Nous améliorons toujours la précision et la compatibilité de cette calibration grâce aux mises à jour du firmware au fil du temps.\n" "\n" -"Caution: Flow Rate Calibration is an advanced process, to be attempted only " -"by those who fully understand its purpose and implications. Incorrect usage " -"can lead to sub-par prints or printer damage. Please make sure to carefully " -"read and understand the process before doing it." -msgstr "" -"La calibration automatique du débit utilise la technologie Micro-Lidar de " -"Bambu Lab, mesurant directement les modèles de calibration. Cependant, " -"veuillez noter que l’efficacité et la précision de cette méthode peuvent " -"être compromises avec des types de matériaux spécifiques. En particulier, " -"les filaments qui sont transparents ou semi-transparents, à particules " -"scintillantes ou qui ont une finition hautement réfléchissante peuvent ne " -"pas convenir à cette calibration et peuvent produire des résultats moins que " -"souhaitables.\n" -"\n" -"Les résultats d’étalonnage peuvent varier entre chaque calibration ou " -"filament. Nous améliorons toujours la précision et la compatibilité de cette " -"calibration grâce aux mises à jour du firmware au fil du temps.\n" -"\n" -"Attention : la calibration du débit est un processus avancé, qui ne doit " -"être tenté que par ceux qui comprennent parfaitement son objectif et ses " -"implications. Une utilisation incorrecte peut entraîner des impressions de " -"qualité inférieure ou endommager l’imprimante. Assurez-vous de lire " -"attentivement et de comprendre le processus avant de le faire." +"Attention : la calibration du débit est un processus avancé, qui ne doit être tenté que par ceux qui comprennent parfaitement son objectif et ses implications. Une utilisation incorrecte peut entraîner des impressions de qualité inférieure ou endommager l’imprimante. Assurez-vous de lire attentivement et de comprendre le processus avant de le faire." msgid "When you need Max Volumetric Speed Calibration" msgstr "Nécessité de la calibration de la vitesse volumétrique maximale" @@ -15588,9 +12296,7 @@ msgid "Over-extrusion or under extrusion" msgstr "Sur-extrusion ou sous-extrusion" msgid "Max Volumetric Speed calibration is recommended when you print with:" -msgstr "" -"La calibration de la vitesse volumétrique maximale est recommandée lorsque " -"vous imprimez avec :" +msgstr "La calibration de la vitesse volumétrique maximale est recommandée lorsque vous imprimez avec :" msgid "material with significant thermal shrinkage/expansion, such as..." msgstr "un matériau avec un retrait/dilatation thermique important, tel que…" @@ -15599,39 +12305,25 @@ msgid "materials with inaccurate filament diameter" msgstr "des matériaux avec un diamètre de filament imprécis" msgid "We found the best Flow Dynamics Calibration Factor" -msgstr "" -"Nous avons trouvé le meilleur facteur de calibration dynamique du débit" +msgstr "Nous avons trouvé le meilleur facteur de calibration dynamique du débit" -msgid "" -"Part of the calibration failed! You may clean the plate and retry. The " -"failed test result would be dropped." -msgstr "" -"Une partie de la calibration a échoué ! Vous pouvez nettoyer le plateau et " -"réessayer. Le résultat du test échoué serai abandonné." +msgid "Part of the calibration failed! You may clean the plate and retry. The failed test result would be dropped." +msgstr "Une partie de la calibration a échoué ! Vous pouvez nettoyer le plateau et réessayer. Le résultat du test échoué serai abandonné." -msgid "" -"*We recommend you to add brand, materia, type, and even humidity level in " -"the Name" -msgstr "" -"*Nous vous recommandons d’ajouter la marque, la matière, le type et même le " -"niveau d’humidité dans le nom" +msgid "*We recommend you to add brand, materia, type, and even humidity level in the Name" +msgstr "*Nous vous recommandons d’ajouter la marque, la matière, le type et même le niveau d’humidité dans le nom" msgid "Failed" msgstr "Échoué" msgid "Please enter the name you want to save to printer." -msgstr "" -"Veuillez saisir le nom que vous souhaitez enregistrer sur l’imprimante." +msgstr "Veuillez saisir le nom que vous souhaitez enregistrer sur l’imprimante." msgid "The name cannot exceed 40 characters." msgstr "Le nom ne peut pas dépasser 40 caractères." -msgid "" -"Only one of the results with the same name will be saved. Are you sure you " -"want to override the other results?" -msgstr "" -"Seul un des résultats portant le même nom sera enregistré. Êtes-vous sûr de " -"vouloir annuler les autres résultats ?" +msgid "Only one of the results with the same name will be saved. Are you sure you want to override the other results?" +msgstr "Seul un des résultats portant le même nom sera enregistré. Êtes-vous sûr de vouloir annuler les autres résultats ?" msgid "Please find the best line on your plate" msgstr "Veuillez trouver la meilleure ligne sur votre plateau" @@ -15673,9 +12365,7 @@ msgid "Please find the best object on your plate" msgstr "Veuillez trouver le meilleur objet sur votre plateau" msgid "Fill in the value above the block with smoothest top surface" -msgstr "" -"Remplissez la valeur au-dessus du bloc avec la surface supérieure la plus " -"lisse" +msgstr "Remplissez la valeur au-dessus du bloc avec la surface supérieure la plus lisse" msgid "Skip Calibration2" msgstr "Ignorer la Calibration 2" @@ -15691,8 +12381,7 @@ msgid "Please choose a block with smoothest top surface." msgstr "Veuillez choisir un bloc avec la surface supérieure la plus lisse." msgid "Please input a valid value (0 <= Max Volumetric Speed <= 60)" -msgstr "" -"Veuillez entrer une valeur valide (0 <= Vitesse volumétrique max <= 60)" +msgstr "Veuillez entrer une valeur valide (0 <= Vitesse volumétrique max <= 60)" msgid "Calibration Type" msgstr "Type de calibration" @@ -15706,12 +12395,8 @@ msgstr "Calibration précise basée sur le ratio du débit" msgid "Title" msgstr "Titre" -msgid "" -"A test model will be printed. Please clear the build plate and place it back " -"to the hot bed before calibration." -msgstr "" -"Un modèle de test sera imprimé. Veuillez nettoyer le plateau avant la " -"calibration." +msgid "A test model will be printed. Please clear the build plate and place it back to the hot bed before calibration." +msgstr "Un modèle de test sera imprimé. Veuillez nettoyer le plateau avant la calibration." msgid "Printing Parameters" msgstr "Paramètres d’impression" @@ -15735,8 +12420,7 @@ msgid "" msgstr "" "Conseils pour le matériau de calibration :\n" "- Matériaux pouvant partager la même température du plateau\n" -"- Différentes marques et familles de filaments (Marque = Bambu, Famille = " -"Basique, Mat)" +"- Différentes marques et familles de filaments (Marque = Bambu, Famille = Basique, Mat)" msgid "Pattern" msgstr "Motif" @@ -15764,9 +12448,7 @@ msgid "Step value" msgstr "Intervalle" msgid "The nozzle diameter has been synchronized from the printer Settings" -msgstr "" -"Le diamètre de la buse a été synchronisé à partir des paramètres de " -"l’imprimante" +msgstr "Le diamètre de la buse a été synchronisé à partir des paramètres de l’imprimante" msgid "From Volumetric Speed" msgstr "Depuis la vitesse volumétrique" @@ -15794,8 +12476,7 @@ msgstr "Action" #, c-format, boost-format msgid "This machine type can only hold %d history results per nozzle." -msgstr "" -"Ce type de machine ne peut contenir que %d résultats historiques par buse." +msgstr "Ce type de machine ne peut contenir que %d résultats historiques par buse." msgid "Edit Flow Dynamics Calibration" msgstr "Editer la calibration dynamique du débit" @@ -15991,9 +12672,7 @@ msgid "Upload to Printer Host with the following filename:" msgstr "Envoyer vers l’imprimante avec le nom de fichier suivant :" msgid "Use forward slashes ( / ) as a directory separator if needed." -msgstr "" -"Utilisez des barres obliques ( / ) comme séparateur de répertoire si " -"nécessaire." +msgstr "Utilisez des barres obliques ( / ) comme séparateur de répertoire si nécessaire." msgid "Upload to storage" msgstr "Envoyer vers le stockage" @@ -16003,9 +12682,7 @@ msgstr "Passer à l’onglet Appareil après le téléchargement." #, c-format, boost-format msgid "Upload filename doesn't end with \"%s\". Do you wish to continue?" -msgstr "" -"Le nom du fichier envoyé ne se termine pas par \"%s\". Souhaitez-vous " -"continuer ?" +msgstr "Le nom du fichier envoyé ne se termine pas par \"%s\". Souhaitez-vous continuer ?" msgid "Upload" msgstr "Envoyer" @@ -16048,8 +12725,7 @@ msgid "Error uploading to print host" msgstr "Erreur lors de l’envoi vers l’hôte d’impression" msgid "Unable to perform boolean operation on selected parts" -msgstr "" -"Impossible d’effectuer une opération booléenne sur les pièces sélectionnées" +msgstr "Impossible d’effectuer une opération booléenne sur les pièces sélectionnées" msgid "Mesh Boolean" msgstr "Opérations booléennes" @@ -16142,9 +12818,7 @@ msgid "Add Filament Preset under this filament" msgstr "Ajouter un préréglage de filament sous ce filament" msgid "We could create the filament presets for your following printer:" -msgstr "" -"Nous pourrions créer les préréglages de filaments pour votre imprimante " -"suivante :" +msgstr "Nous pourrions créer les préréglages de filaments pour votre imprimante suivante :" msgid "Select Vendor" msgstr "Sélectionner le fournisseur" @@ -16174,60 +12848,39 @@ msgid "Create" msgstr "Créer" msgid "Vendor is not selected, please reselect vendor." -msgstr "" -"Le fournisseur n’est pas sélectionné, veuillez le sélectionner à nouveau." +msgstr "Le fournisseur n’est pas sélectionné, veuillez le sélectionner à nouveau." msgid "Custom vendor is not input, please input custom vendor." -msgstr "" -"Le fournisseur personnalisé n’est pas saisi, veuillez saisir le fournisseur " -"personnalisé." +msgstr "Le fournisseur personnalisé n’est pas saisi, veuillez saisir le fournisseur personnalisé." -msgid "" -"\"Bambu\" or \"Generic\" can not be used as a Vendor for custom filaments." -msgstr "" -"« Bambu » ou « Générique » ne peuvent pas être utilisés comme fournisseur de " -"filaments personnalisés." +msgid "\"Bambu\" or \"Generic\" can not be used as a Vendor for custom filaments." +msgstr "« Bambu » ou « Générique » ne peuvent pas être utilisés comme fournisseur de filaments personnalisés." msgid "Filament type is not selected, please reselect type." -msgstr "" -"Le type de filament n’est pas sélectionné, veuillez resélectionner le type." +msgstr "Le type de filament n’est pas sélectionné, veuillez resélectionner le type." msgid "Filament serial is not inputed, please input serial." -msgstr "" -"Le numéro de série du filament n’est pas saisi, veuillez saisir le numéro de " -"série." +msgstr "Le numéro de série du filament n’est pas saisi, veuillez saisir le numéro de série." -msgid "" -"There may be escape characters in the vendor or serial input of filament. " -"Please delete and re-enter." -msgstr "" -"Il peut y avoir des caractères d’échappement dans l’entrée du fournisseur ou " -"du numéro de série du filament. Veuillez les supprimer et les saisir à " -"nouveau." +msgid "There may be escape characters in the vendor or serial input of filament. Please delete and re-enter." +msgstr "Il peut y avoir des caractères d’échappement dans l’entrée du fournisseur ou du numéro de série du filament. Veuillez les supprimer et les saisir à nouveau." msgid "All inputs in the custom vendor or serial are spaces. Please re-enter." -msgstr "" -"Toutes les entrées dans le vendeur ou le numéro de série personnalisé sont " -"des espaces. Veuillez les saisir à nouveau." +msgstr "Toutes les entrées dans le vendeur ou le numéro de série personnalisé sont des espaces. Veuillez les saisir à nouveau." msgid "The vendor can not be a number. Please re-enter." msgstr "Le vendeur ne peut pas être un numéro. Veuillez le saisir à nouveau." -msgid "" -"You have not selected a printer or preset yet. Please select at least one." -msgstr "" -"Vous n’avez pas encore sélectionné d’imprimante ou de préréglage. Veuillez " -"en sélectionner au moins un." +msgid "You have not selected a printer or preset yet. Please select at least one." +msgstr "Vous n’avez pas encore sélectionné d’imprimante ou de préréglage. Veuillez en sélectionner au moins un." #, c-format, boost-format msgid "" "The Filament name %s you created already exists. \n" -"If you continue creating, the preset created will be displayed with its full " -"name. Do you want to continue?" +"If you continue creating, the preset created will be displayed with its full name. Do you want to continue?" msgstr "" "Le nom de filament %s que vous avez créé existe déjà. \n" -"Si vous continuez la création, le réglage créé sera affiché avec son nom " -"complet. Voulez-vous continuer ?" +"Si vous continuez la création, le réglage créé sera affiché avec son nom complet. Voulez-vous continuer ?" msgid "Some existing presets have failed to be created, as follows:\n" msgstr "Certains préréglages existants n’ont pas été créés, comme suit :\n" @@ -16240,14 +12893,11 @@ msgstr "" "Voulez-vous le réécrire ?" msgid "" -"We would rename the presets as \"Vendor Type Serial @printer you " -"selected\". \n" +"We would rename the presets as \"Vendor Type Serial @printer you selected\". \n" "To add preset for more printers, Please go to printer selection" msgstr "" -"Nous renommerions les préréglages en « Vendor Type Serial @printer you " -"selected ». \n" -"Pour ajouter des préréglages pour d’autres imprimantes, veuillez aller à la " -"sélection de l’imprimante." +"Nous renommerions les préréglages en « Vendor Type Serial @printer you selected ». \n" +"Pour ajouter des préréglages pour d’autres imprimantes, veuillez aller à la sélection de l’imprimante." msgid "Create Printer/Nozzle" msgstr "Créer une imprimante/buse" @@ -16311,14 +12961,10 @@ msgid "The file exceeds %d MB, please import again." msgstr "Le fichier dépasse %d MB, veuillez réimporter." msgid "Exception in obtaining file size, please import again." -msgstr "" -"Exception dans l’obtention de la taille du fichier, veuillez importer à " -"nouveau." +msgstr "Exception dans l’obtention de la taille du fichier, veuillez importer à nouveau." msgid "Preset path is not find, please reselect vendor." -msgstr "" -"Le chemin d’accès prédéfini n’est pas trouvé, veuillez resélectionner le " -"vendeur." +msgstr "Le chemin d’accès prédéfini n’est pas trouvé, veuillez resélectionner le vendeur." msgid "The printer model was not found, please reselect." msgstr "Le modèle d’imprimante n’a pas été trouvé, veuillez resélectionner." @@ -16344,40 +12990,24 @@ msgstr "Modèle de préréglage de traitement" msgid "Back Page 1" msgstr "Retour à la page 1" -msgid "" -"You have not yet chosen which printer preset to create based on. Please " -"choose the vendor and model of the printer" -msgstr "" -"Vous n’avez pas encore choisi le préréglage de l’imprimante sur lequel " -"créer. Veuillez choisir le fournisseur et le modèle de l’imprimante" +msgid "You have not yet chosen which printer preset to create based on. Please choose the vendor and model of the printer" +msgstr "Vous n’avez pas encore choisi le préréglage de l’imprimante sur lequel créer. Veuillez choisir le fournisseur et le modèle de l’imprimante" -msgid "" -"You have entered an illegal input in the printable area section on the first " -"page. Please check before creating it." -msgstr "" -"Vous avez introduit une donnée illégale dans la section « zone imprimable » " -"de la première page. Veuillez vérifier avant de la créer." +msgid "You have entered an illegal input in the printable area section on the first page. Please check before creating it." +msgstr "Vous avez introduit une donnée illégale dans la section « zone imprimable » de la première page. Veuillez vérifier avant de la créer." msgid "The custom printer or model is not inputed, place input." -msgstr "" -"L’imprimante ou le modèle personnalisé n’est pas saisi, placer la saisie." +msgstr "L’imprimante ou le modèle personnalisé n’est pas saisi, placer la saisie." msgid "" -"The printer preset you created already has a preset with the same name. Do " -"you want to overwrite it?\n" -"\tYes: Overwrite the printer preset with the same name, and filament and " -"process presets with the same preset name will be recreated \n" -"and filament and process presets without the same preset name will be " -"reserve.\n" +"The printer preset you created already has a preset with the same name. Do you want to overwrite it?\n" +"\tYes: Overwrite the printer preset with the same name, and filament and process presets with the same preset name will be recreated \n" +"and filament and process presets without the same preset name will be reserve.\n" "\tCancel: Do not create a preset, return to the creation interface." msgstr "" -"Le préréglage d’imprimante que vous avez créé possède déjà un préréglage " -"portant le même nom. Voulez-vous l’écraser ?\n" -"\tOui : écraser le préréglage d’imprimante portant le même nom, et les " -"préréglages de filament et de traitement portant le même nom de préréglage " -"seront recréés. \n" -"et les préréglages de filament et de processus sans le même nom de " -"préréglage seront réservés.\n" +"Le préréglage d’imprimante que vous avez créé possède déjà un préréglage portant le même nom. Voulez-vous l’écraser ?\n" +"\tOui : écraser le préréglage d’imprimante portant le même nom, et les préréglages de filament et de traitement portant le même nom de préréglage seront recréés. \n" +"et les préréglages de filament et de processus sans le même nom de préréglage seront réservés.\n" "\tAnnuler : Ne pas créer de préréglage, revenir à l’interface de création." msgid "You need to select at least one filament preset." @@ -16398,36 +13028,20 @@ msgstr "Le vendeur n’est pas trouvé, veuillez resélectionner." msgid "Current vendor has no models, please reselect." msgstr "Le vendeur actuel n’a pas de modèle, veuillez resélectionner." -msgid "" -"You have not selected the vendor and model or inputed the custom vendor and " -"model." -msgstr "" -"Vous n’avez pas sélectionné le fournisseur et le modèle ou introduit le " -"fournisseur et le modèle personnalisés." +msgid "You have not selected the vendor and model or inputed the custom vendor and model." +msgstr "Vous n’avez pas sélectionné le fournisseur et le modèle ou introduit le fournisseur et le modèle personnalisés." -msgid "" -"There may be escape characters in the custom printer vendor or model. Please " -"delete and re-enter." -msgstr "" -"Il peut y avoir des caractères d’échappement dans le fournisseur ou le " -"modèle de l’imprimante personnalisée. Veuillez les supprimer et les saisir à " -"nouveau." +msgid "There may be escape characters in the custom printer vendor or model. Please delete and re-enter." +msgstr "Il peut y avoir des caractères d’échappement dans le fournisseur ou le modèle de l’imprimante personnalisée. Veuillez les supprimer et les saisir à nouveau." -msgid "" -"All inputs in the custom printer vendor or model are spaces. Please re-enter." -msgstr "" -"Toutes les entrées dans le modèle ou le fournisseur de l’imprimante " -"personnalisée sont des espaces. Veuillez les saisir à nouveau." +msgid "All inputs in the custom printer vendor or model are spaces. Please re-enter." +msgstr "Toutes les entrées dans le modèle ou le fournisseur de l’imprimante personnalisée sont des espaces. Veuillez les saisir à nouveau." msgid "Please check bed printable shape and origin input." -msgstr "" -"Veuillez vérifier la forme imprimable du plateau et l’entrée de l’origine." +msgstr "Veuillez vérifier la forme imprimable du plateau et l’entrée de l’origine." -msgid "" -"You have not yet selected the printer to replace the nozzle, please choose." -msgstr "" -"Vous n’avez pas encore sélectionné l’imprimante pour remplacer la buse, " -"veuillez choisir." +msgid "You have not yet selected the printer to replace the nozzle, please choose." +msgstr "Vous n’avez pas encore sélectionné l’imprimante pour remplacer la buse, veuillez choisir." msgid "Create Printer Successful" msgstr "Création d’une imprimante réussie" @@ -16439,40 +13053,28 @@ msgid "Printer Created" msgstr "Imprimante créée" msgid "Please go to printer settings to edit your presets" -msgstr "" -"Veuillez aller dans les paramètres de l’imprimante pour modifier vos " -"préréglages." +msgstr "Veuillez aller dans les paramètres de l’imprimante pour modifier vos préréglages." msgid "Filament Created" msgstr "Filament créé" msgid "" "Please go to filament setting to edit your presets if you need.\n" -"Please note that nozzle temperature, hot bed temperature, and maximum " -"volumetric speed has a significant impact on printing quality. Please set " -"them carefully." +"Please note that nozzle temperature, hot bed temperature, and maximum volumetric speed has a significant impact on printing quality. Please set them carefully." msgstr "" -"Si vous le souhaitez, vous pouvez modifier vos préréglages dans les " -"paramètres du filament.\n" -"Veuillez noter que la température de la buse, la température du plateau " -"chaud et la vitesse volumétrique maximale ont un impact significatif sur la " -"qualité d’impression. Veuillez les régler avec soin." +"Si vous le souhaitez, vous pouvez modifier vos préréglages dans les paramètres du filament.\n" +"Veuillez noter que la température de la buse, la température du plateau chaud et la vitesse volumétrique maximale ont un impact significatif sur la qualité d’impression. Veuillez les régler avec soin." msgid "" "\n" "\n" -"Orca has detected that your user presets synchronization function is not " -"enabled, which may result in unsuccessful Filament settings on the Device " -"page. \n" +"Orca has detected that your user presets synchronization function is not enabled, which may result in unsuccessful Filament settings on the Device page. \n" "Click \"Sync user presets\" to enable the synchronization function." msgstr "" "\n" "\n" -"Studio a détecté que la fonction de synchronisation des réglages utilisateur " -"n’est pas activée, ce qui peut entraîner l’échec des réglages du filament " -"sur la page Device. \n" -"Cliquez sur «  Synchroniser les réglages prédéfinis de l’utilisateur «  pour " -"activer la fonction de synchronisation." +"Studio a détecté que la fonction de synchronisation des réglages utilisateur n’est pas activée, ce qui peut entraîner l’échec des réglages du filament sur la page Device. \n" +"Cliquez sur «  Synchroniser les réglages prédéfinis de l’utilisateur «  pour activer la fonction de synchronisation." msgid "Printer Setting" msgstr "Réglage de l’imprimante" @@ -16512,22 +13114,17 @@ msgstr "Exportation réussie" #, c-format, boost-format msgid "" -"The '%s' folder already exists in the current directory. Do you want to " -"clear it and rebuild it.\n" -"If not, a time suffix will be added, and you can modify the name after " -"creation." +"The '%s' folder already exists in the current directory. Do you want to clear it and rebuild it.\n" +"If not, a time suffix will be added, and you can modify the name after creation." msgstr "" -"Le dossier ‘%s’ existe déjà dans le répertoire actuel. Voulez-vous l’effacer " -"et le reconstruire ?\n" -"Si ce n’est pas le cas, un suffixe temporel sera ajouté, et vous pourrez " -"modifier le nom après la création." +"Le dossier ‘%s’ existe déjà dans le répertoire actuel. Voulez-vous l’effacer et le reconstruire ?\n" +"Si ce n’est pas le cas, un suffixe temporel sera ajouté, et vous pourrez modifier le nom après la création." msgid "" "Printer and all the filament&&process presets that belongs to the printer. \n" "Can be shared with others." msgstr "" -"Imprimante et tous les préréglages de filament et de traitement qui " -"appartiennent à l’imprimante. \n" +"Imprimante et tous les préréglages de filament et de traitement qui appartiennent à l’imprimante. \n" "Peut être partagé avec d’autres." msgid "" @@ -16537,45 +13134,28 @@ msgstr "" "Préréglage du remplissage par l’utilisateur. \n" "Peut être partagé avec d’autres." -msgid "" -"Only display printer names with changes to printer, filament, and process " -"presets." -msgstr "" -"N’afficher que les noms d’imprimantes avec les modifications apportées aux " -"préréglages de l’imprimante, du filament et du traitement." +msgid "Only display printer names with changes to printer, filament, and process presets." +msgstr "N’afficher que les noms d’imprimantes avec les modifications apportées aux préréglages de l’imprimante, du filament et du traitement." msgid "Only display the filament names with changes to filament presets." -msgstr "" -"N’affichez que les noms des filaments lorsque vous modifiez les préréglages " -"des filaments." +msgstr "N’affichez que les noms des filaments lorsque vous modifiez les préréglages des filaments." -msgid "" -"Only printer names with user printer presets will be displayed, and each " -"preset you choose will be exported as a zip." -msgstr "" -"Seuls les noms d’imprimantes avec des préréglages d’imprimante utilisateur " -"seront affichés, et chaque préréglage que vous choisissez sera exporté sous " -"forme de fichier zip." +msgid "Only printer names with user printer presets will be displayed, and each preset you choose will be exported as a zip." +msgstr "Seuls les noms d’imprimantes avec des préréglages d’imprimante utilisateur seront affichés, et chaque préréglage que vous choisissez sera exporté sous forme de fichier zip." msgid "" "Only the filament names with user filament presets will be displayed, \n" -"and all user filament presets in each filament name you select will be " -"exported as a zip." +"and all user filament presets in each filament name you select will be exported as a zip." msgstr "" -"Seuls les noms de filaments contenant des préréglages de filaments " -"utilisateur seront affichés, \n" -"et tous les préréglages de filament d’utilisateur dans chaque nom de " -"filament que vous sélectionnez seront exportés sous forme de fichier zip." +"Seuls les noms de filaments contenant des préréglages de filaments utilisateur seront affichés, \n" +"et tous les préréglages de filament d’utilisateur dans chaque nom de filament que vous sélectionnez seront exportés sous forme de fichier zip." msgid "" "Only printer names with changed process presets will be displayed, \n" -"and all user process presets in each printer name you select will be " -"exported as a zip." +"and all user process presets in each printer name you select will be exported as a zip." msgstr "" -"Seuls les noms d’imprimantes dont les préréglages de traitement ont été " -"modifiés seront affichés, \n" -"et tous les préréglages de processus de l’utilisateur dans chaque nom " -"d’imprimante que vous sélectionnez seront exportés sous forme de fichier zip." +"Seuls les noms d’imprimantes dont les préréglages de traitement ont été modifiés seront affichés, \n" +"et tous les préréglages de processus de l’utilisateur dans chaque nom d’imprimante que vous sélectionnez seront exportés sous forme de fichier zip." msgid "Please select at least one printer or filament." msgstr "Veuillez sélectionner au moins une imprimante ou un filament." @@ -16584,9 +13164,7 @@ msgid "Please select a type you want to export" msgstr "Veuillez sélectionner le type de produit que vous souhaitez exporter" msgid "Failed to create temporary folder, please try Export Configs again." -msgstr "" -"Échec de la création d’un dossier temporaire, veuillez réessayer d’exporter " -"les configurations." +msgstr "Échec de la création d’un dossier temporaire, veuillez réessayer d’exporter les configurations." msgid "Edit Filament" msgstr "Modifier le filament" @@ -16594,16 +13172,11 @@ msgstr "Modifier le filament" msgid "Filament presets under this filament" msgstr "Préréglages du filament sous ce filament" -msgid "" -"Note: If the only preset under this filament is deleted, the filament will " -"be deleted after exiting the dialog." -msgstr "" -"Remarque : si le seul préréglage sous ce filament est supprimé, le filament " -"sera supprimé après avoir quitté la boîte de dialogue." +msgid "Note: If the only preset under this filament is deleted, the filament will be deleted after exiting the dialog." +msgstr "Remarque : si le seul préréglage sous ce filament est supprimé, le filament sera supprimé après avoir quitté la boîte de dialogue." msgid "Presets inherited by other presets can not be deleted" -msgstr "" -"Les préréglages hérités d’autres préréglages ne peuvent pas être supprimés." +msgstr "Les préréglages hérités d’autres préréglages ne peuvent pas être supprimés." msgid "The following presets inherits this preset." msgid_plural "The following preset inherits this preset." @@ -16627,13 +13200,10 @@ msgstr "Supprimer le filament" msgid "" "All the filament presets belong to this filament would be deleted. \n" -"If you are using this filament on your printer, please reset the filament " -"information for that slot." +"If you are using this filament on your printer, please reset the filament information for that slot." msgstr "" -"Tous les préréglages de filaments appartenant à ce filament seront " -"supprimés. \n" -"Si vous utilisez ce filament sur votre imprimante, veuillez réinitialiser " -"les informations relatives au filament pour cet emplacement." +"Tous les préréglages de filaments appartenant à ce filament seront supprimés. \n" +"Si vous utilisez ce filament sur votre imprimante, veuillez réinitialiser les informations relatives au filament pour cet emplacement." msgid "Delete filament" msgstr "Supprimer le filament" @@ -16648,9 +13218,7 @@ msgid "Copy preset from filament" msgstr "Copier le préréglage du filament" msgid "The filament choice not find filament preset, please reselect it" -msgstr "" -"Le choix du filament ne correspond pas à la présélection du filament, " -"veuillez le resélectionner." +msgstr "Le choix du filament ne correspond pas à la présélection du filament, veuillez le resélectionner." msgid "[Delete Required]" msgstr "[Suppression requise]" @@ -16671,12 +13239,8 @@ msgstr "Astuces quotidiennes" msgid "nozzle memorized: %.1f %s" msgstr "buse mémorisée : %.1f %s" -msgid "" -"Your nozzle diameter in preset is not consistent with memorized nozzle " -"diameter. Did you change your nozzle lately?" -msgstr "" -"Le diamètre de la buse dans le préréglage ne correspond pas au diamètre de " -"la buse mémorisé. Avez-vous changé de buse récemment ?" +msgid "Your nozzle diameter in preset is not consistent with memorized nozzle diameter. Did you change your nozzle lately?" +msgstr "Le diamètre de la buse dans le préréglage ne correspond pas au diamètre de la buse mémorisé. Avez-vous changé de buse récemment ?" #, c-format, boost-format msgid "*Printing %s material with %s may cause nozzle damage" @@ -16688,12 +13252,8 @@ msgstr "Nécessité de sélectionner une imprimante" msgid "The start, end or step is not valid value." msgstr "Le début, la fin ou l’intervalle n’est pas une valeur valide." -msgid "" -"Unable to calibrate: maybe because the set calibration value range is too " -"large, or the step is too small" -msgstr "" -"Impossible de calibrer : il est possible que la plage de valeurs de " -"calibrage définie est trop grande ou que l’intervalle est trop petit" +msgid "Unable to calibrate: maybe because the set calibration value range is too large, or the step is too small" +msgstr "Impossible de calibrer : il est possible que la plage de valeurs de calibrage définie est trop grande ou que l’intervalle est trop petit" msgid "Physical Printer" msgstr "Imprimante Physique" @@ -16714,47 +13274,32 @@ msgid "Refresh Printers" msgstr "Actualiser les imprimantes" msgid "View print host webui in Device tab" -msgstr "" -"Afficher l’interface web de l’hôte d’impression dans l’onglet Périphérique" +msgstr "Afficher l’interface web de l’hôte d’impression dans l’onglet Périphérique" msgid "Replace the BambuLab's device tab with print host webui" msgstr "Remplacer l’onglet device de BambuLab par print host webui" -msgid "" -"HTTPS CA file is optional. It is only needed if you use HTTPS with a self-" -"signed certificate." -msgstr "" -"Le fichier CA HTTPS est facultatif. Il n'est nécessaire que si vous utilisez " -"HTTPS avec un certificat auto-signé." +msgid "HTTPS CA file is optional. It is only needed if you use HTTPS with a self-signed certificate." +msgstr "Le fichier CA HTTPS est facultatif. Il n'est nécessaire que si vous utilisez HTTPS avec un certificat auto-signé." msgid "Certificate files (*.crt, *.pem)|*.crt;*.pem|All files|*.*" -msgstr "" -"Fichiers de certificat (*.crt, *.pem)|*.crt;*.pem|Tous les fichiers|*.*" +msgstr "Fichiers de certificat (*.crt, *.pem)|*.crt;*.pem|Tous les fichiers|*.*" msgid "Open CA certificate file" msgstr "Ouvrir le fichier de certificat CA" #, c-format, boost-format -msgid "" -"On this system, %s uses HTTPS certificates from the system Certificate Store " -"or Keychain." -msgstr "" -"Sur ce système, %s utilise les certificats HTTPS du magasin de certificats " -"du système ou du trousseau." +msgid "On this system, %s uses HTTPS certificates from the system Certificate Store or Keychain." +msgstr "Sur ce système, %s utilise les certificats HTTPS du magasin de certificats du système ou du trousseau." -msgid "" -"To use a custom CA file, please import your CA file into Certificate Store / " -"Keychain." -msgstr "" -"Pour utiliser un certificat personnalisé, veuillez importer votre fichier " -"dans magasin de certificats / trousseau." +msgid "To use a custom CA file, please import your CA file into Certificate Store / Keychain." +msgstr "Pour utiliser un certificat personnalisé, veuillez importer votre fichier dans magasin de certificats / trousseau." msgid "Login/Test" msgstr "Connexion/Test" msgid "Connection to printers connected via the print host failed." -msgstr "" -"La connexion aux imprimantes connectées via l’hôte d’impression a échoué." +msgstr "La connexion aux imprimantes connectées via l’hôte d’impression a échoué." #, c-format, boost-format msgid "Mismatched type of print host: %s" @@ -16788,19 +13333,13 @@ msgid "Upload not enabled on FlashAir card." msgstr "Le téléchargement n’est pas activé sur la carte FlashAir." msgid "Connection to FlashAir works correctly and upload is enabled." -msgstr "" -"La connexion à FlashAir fonctionne correctement et le téléchargement est " -"activé." +msgstr "La connexion à FlashAir fonctionne correctement et le téléchargement est activé." msgid "Could not connect to FlashAir" msgstr "Impossible de se connecter à FlashAir" -msgid "" -"Note: FlashAir with firmware 2.00.02 or newer and activated upload function " -"is required." -msgstr "" -"Note : FlashAir avec le firmware 2.00.02 ou plus récent et la fonction de " -"téléchargement activée sont nécessaires." +msgid "Note: FlashAir with firmware 2.00.02 or newer and activated upload function is required." +msgstr "Note : FlashAir avec le firmware 2.00.02 ou plus récent et la fonction de téléchargement activée sont nécessaires." msgid "Connection to MKS works correctly." msgstr "La connexion à MKS fonctionne correctement." @@ -16845,9 +13384,7 @@ msgstr "%1% : pas d’espace libre" #. TRN %1% = host #, boost-format msgid "Upload has failed. There is no suitable storage found at %1%." -msgstr "" -"Le téléchargement a échoué. Aucun espace de stockage approprié n’a été " -"trouvé à %1%." +msgstr "Le téléchargement a échoué. Aucun espace de stockage approprié n’a été trouvé à %1%." msgid "Connection to Prusa Connect works correctly." msgstr "La connexion à Prusa Connect fonctionne correctement." @@ -16892,285 +13429,89 @@ msgstr "" "Corps du message : « %1% »\n" "Erreur : « %2% »" -msgid "" -"It has a small layer height, and results in almost negligible layer lines " -"and high printing quality. It is suitable for most general printing cases." -msgstr "" -"Sa faible hauteur de couche permet d’obtenir des lignes de couche presque " -"négligeables et une grande qualité d’impression. Il convient à la plupart " -"des cas d’impression générale." +msgid "It has a small layer height, and results in almost negligible layer lines and high printing quality. It is suitable for most general printing cases." +msgstr "Sa faible hauteur de couche permet d’obtenir des lignes de couche presque négligeables et une grande qualité d’impression. Il convient à la plupart des cas d’impression générale." -msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds " -"and acceleration, and the sparse infill pattern is Gyroid. So, it results in " -"much higher printing quality, but a much longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,2 mm, la vitesse et " -"l’accélération sont plus faibles, et le motif de remplissage épars est " -"gyroïde. Il en résulte donc une qualité d’impression nettement supérieure, " -"mais un temps d’impression beaucoup plus long." +msgid "Compared with the default profile of a 0.2 mm nozzle, it has lower speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in much higher printing quality, but a much longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,2 mm, la vitesse et l’accélération sont plus faibles, et le motif de remplissage épars est gyroïde. Il en résulte donc une qualité d’impression nettement supérieure, mais un temps d’impression beaucoup plus long." -msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a slightly " -"bigger layer height, and results in almost negligible layer lines, and " -"slightly shorter printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,2 mm, il présente une " -"hauteur de couche légèrement supérieure, ce qui se traduit par des lignes de " -"couche presque négligeables et un temps d’impression légèrement plus court." +msgid "Compared with the default profile of a 0.2 mm nozzle, it has a slightly bigger layer height, and results in almost negligible layer lines, and slightly shorter printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,2 mm, il présente une hauteur de couche légèrement supérieure, ce qui se traduit par des lignes de couche presque négligeables et un temps d’impression légèrement plus court." -msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer " -"height, and results in slightly visible layer lines, but shorter printing " -"time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,2 mm, il présente une " -"hauteur de couche plus importante, ce qui se traduit par des lignes de " -"couche légèrement visibles, mais un temps d’impression plus court." +msgid "Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer height, and results in slightly visible layer lines, but shorter printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,2 mm, il présente une hauteur de couche plus importante, ce qui se traduit par des lignes de couche légèrement visibles, mais un temps d’impression plus court." -msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " -"height, and results in almost invisible layer lines and higher printing " -"quality, but shorter printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,2 mm, il présente une " -"hauteur de couche plus petite, ce qui permet d’obtenir des lignes de couche " -"presque invisibles et une qualité d’impression supérieure, mais aussi un " -"temps d’impression plus court." +msgid "Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer height, and results in almost invisible layer lines and higher printing quality, but shorter printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,2 mm, il présente une hauteur de couche plus petite, ce qui permet d’obtenir des lignes de couche presque invisibles et une qualité d’impression supérieure, mais aussi un temps d’impression plus court." -msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " -"lines, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. So, it results in almost invisible layer lines and much higher " -"printing quality, but much longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,2 mm, il présente des " -"lignes de couche plus petites, des vitesses et des accélérations plus " -"faibles, et le motif de remplissage clairsemé est gyroïde. Il en résulte " -"donc des lignes de couche presque invisibles et une qualité d’impression " -"bien supérieure, mais un temps d’impression bien plus long." +msgid "Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in almost invisible layer lines and much higher printing quality, but much longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,2 mm, il présente des lignes de couche plus petites, des vitesses et des accélérations plus faibles, et le motif de remplissage clairsemé est gyroïde. Il en résulte donc des lignes de couche presque invisibles et une qualité d’impression bien supérieure, mais un temps d’impression bien plus long." -msgid "" -"Compared with the default profile of 0.2 mm nozzle, it has a smaller layer " -"height, and results in minimal layer lines and higher printing quality, but " -"shorter printing time." -msgstr "" -"Par rapport au profil par défaut de la buse de 0,2 mm, il présente une " -"hauteur de couche plus petite, ce qui se traduit par des lignes de couche " -"minimales et une qualité d’impression supérieure, mais aussi par un temps " -"d’impression plus court." +msgid "Compared with the default profile of 0.2 mm nozzle, it has a smaller layer height, and results in minimal layer lines and higher printing quality, but shorter printing time." +msgstr "Par rapport au profil par défaut de la buse de 0,2 mm, il présente une hauteur de couche plus petite, ce qui se traduit par des lignes de couche minimales et une qualité d’impression supérieure, mais aussi par un temps d’impression plus court." -msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " -"lines, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. So, it results in minimal layer lines and much higher printing " -"quality, but much longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,2 mm, il présente des " -"lignes de couche plus petites, des vitesses et des accélérations plus " -"faibles, et le motif de remplissage clairsemé est gyroïde. Il en résulte " -"donc des lignes de couche minimales et une qualité d’impression nettement " -"supérieure, mais un temps d’impression beaucoup plus long." +msgid "Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer lines, lower speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in minimal layer lines and much higher printing quality, but much longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,2 mm, il présente des lignes de couche plus petites, des vitesses et des accélérations plus faibles, et le motif de remplissage clairsemé est gyroïde. Il en résulte donc des lignes de couche minimales et une qualité d’impression nettement supérieure, mais un temps d’impression beaucoup plus long." -msgid "" -"It has a general layer height, and results in general layer lines and " -"printing quality. It is suitable for most general printing cases." -msgstr "" -"Il présente une hauteur de couche générale, ce qui se traduit par des lignes " -"de couche et une qualité d’impression générales. Il convient à la plupart " -"des cas d’impression générale." +msgid "It has a general layer height, and results in general layer lines and printing quality. It is suitable for most general printing cases." +msgstr "Il présente une hauteur de couche générale, ce qui se traduit par des lignes de couche et une qualité d’impression générales. Il convient à la plupart des cas d’impression générale." -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has more wall loops " -"and a higher sparse infill density. So, it results in higher strength of the " -"prints, but more filament consumption and longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,4 mm, il présente plus de " -"boucles de paroi et une densité de remplissage clairsemée plus élevée. Il en " -"résulte donc une plus grande solidité des impressions, mais une plus grande " -"consommation de filament et un temps d’impression plus long." +msgid "Compared with the default profile of a 0.4 mm nozzle, it has more wall loops and a higher sparse infill density. So, it results in higher strength of the prints, but more filament consumption and longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,4 mm, il présente plus de boucles de paroi et une densité de remplissage clairsemée plus élevée. Il en résulte donc une plus grande solidité des impressions, mais une plus grande consommation de filament et un temps d’impression plus long." -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " -"height, and results in more apparent layer lines and lower printing quality, " -"but slightly shorter printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une " -"hauteur de couche plus importante, ce qui se traduit par des lignes de " -"couche plus apparentes et une qualité d’impression moindre, mais un temps " -"d’impression légèrement plus court." +msgid "Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height, and results in more apparent layer lines and lower printing quality, but slightly shorter printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une hauteur de couche plus importante, ce qui se traduit par des lignes de couche plus apparentes et une qualité d’impression moindre, mais un temps d’impression légèrement plus court." -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer " -"height, and results in more apparent layer lines and lower printing quality, " -"but shorter printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une " -"hauteur de couche plus importante, ce qui se traduit par des lignes de " -"couche plus apparentes et une qualité d’impression moindre, mais un temps " -"d’impression plus court." +msgid "Compared with the default profile of a 0.4 mm nozzle, it has a bigger layer height, and results in more apparent layer lines and lower printing quality, but shorter printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une hauteur de couche plus importante, ce qui se traduit par des lignes de couche plus apparentes et une qualité d’impression moindre, mais un temps d’impression plus court." -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and higher printing " -"quality, but longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une " -"hauteur de couche plus petite, ce qui se traduit par des lignes de couche " -"moins apparentes et une meilleure qualité d’impression, mais un temps " -"d’impression plus long." +msgid "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, and results in less apparent layer lines and higher printing quality, but longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une hauteur de couche plus petite, ce qui se traduit par des lignes de couche moins apparentes et une meilleure qualité d’impression, mais un temps d’impression plus long." -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. So, it results in less apparent layer lines and much higher printing " -"quality, but much longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une " -"hauteur de couche plus petite, des vitesses et des accélérations plus " -"faibles, et le motif de remplissage clairsemé est gyroïde. Il en résulte " -"donc des lignes de couche moins apparentes et une qualité d’impression " -"beaucoup plus élevée, mais un temps d’impression beaucoup plus long." +msgid "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in less apparent layer lines and much higher printing quality, but much longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une hauteur de couche plus petite, des vitesses et des accélérations plus faibles, et le motif de remplissage clairsemé est gyroïde. Il en résulte donc des lignes de couche moins apparentes et une qualité d’impression beaucoup plus élevée, mais un temps d’impression beaucoup plus long." -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in almost negligible layer lines and higher printing " -"quality, but longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une " -"hauteur de couche plus petite, ce qui permet d’obtenir des lignes de couche " -"presque négligeables et une meilleure qualité d’impression, mais un temps " -"d’impression plus long." +msgid "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, and results in almost negligible layer lines and higher printing quality, but longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une hauteur de couche plus petite, ce qui permet d’obtenir des lignes de couche presque négligeables et une meilleure qualité d’impression, mais un temps d’impression plus long." -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, lower speeds and acceleration, and the sparse infill pattern is " -"Gyroid. So, it results in almost negligible layer lines and much higher " -"printing quality, but much longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une " -"hauteur de couche plus petite, des vitesses et des accélérations plus " -"faibles, et le motif de remplissage clairsemé est gyroïde. Il en résulte " -"donc des lignes de couche presque négligeables et une qualité d’impression " -"bien supérieure, mais un temps d’impression bien plus long." +msgid "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, lower speeds and acceleration, and the sparse infill pattern is Gyroid. So, it results in almost negligible layer lines and much higher printing quality, but much longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une hauteur de couche plus petite, des vitesses et des accélérations plus faibles, et le motif de remplissage clairsemé est gyroïde. Il en résulte donc des lignes de couche presque négligeables et une qualité d’impression bien supérieure, mais un temps d’impression bien plus long." -msgid "" -"Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in almost negligible layer lines and longer printing " -"time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une " -"hauteur de couche plus petite, ce qui se traduit par des lignes de couche " -"presque négligeables et un temps d’impression plus long." +msgid "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer height, and results in almost negligible layer lines and longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,4 mm, il présente une hauteur de couche plus petite, ce qui se traduit par des lignes de couche presque négligeables et un temps d’impression plus long." -msgid "" -"It has a big layer height, and results in apparent layer lines and ordinary " -"printing quality and printing time." -msgstr "" -"La hauteur de couche est importante, ce qui se traduit par des lignes de " -"couche apparentes et une qualité et un temps d’impression ordinaires." +msgid "It has a big layer height, and results in apparent layer lines and ordinary printing quality and printing time." +msgstr "La hauteur de couche est importante, ce qui se traduit par des lignes de couche apparentes et une qualité et un temps d’impression ordinaires." -msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has more wall loops " -"and a higher sparse infill density. So, it results in higher strength of the " -"prints, but more filament consumption and longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,6 mm, il présente plus de " -"boucles de paroi et une densité de remplissage clairsemée plus élevée. Il en " -"résulte donc une plus grande solidité des impressions, mais une plus grande " -"consommation de filament et un temps d’impression plus long." +msgid "Compared with the default profile of a 0.6 mm nozzle, it has more wall loops and a higher sparse infill density. So, it results in higher strength of the prints, but more filament consumption and longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,6 mm, il présente plus de boucles de paroi et une densité de remplissage clairsemée plus élevée. Il en résulte donc une plus grande solidité des impressions, mais une plus grande consommation de filament et un temps d’impression plus long." -msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " -"height, and results in more apparent layer lines and lower printing quality, " -"but shorter printing time in some printing cases." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,6 mm, il présente une " -"hauteur de couche plus importante, ce qui se traduit par des lignes de " -"couche plus apparentes et une qualité d’impression moindre, mais un temps " -"d’impression plus court dans certains cas d’impression." +msgid "Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height, and results in more apparent layer lines and lower printing quality, but shorter printing time in some printing cases." +msgstr "Par rapport au profil par défaut d’une buse de 0,6 mm, il présente une hauteur de couche plus importante, ce qui se traduit par des lignes de couche plus apparentes et une qualité d’impression moindre, mais un temps d’impression plus court dans certains cas d’impression." -msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " -"height, and results in much more apparent layer lines and much lower " -"printing quality, but shorter printing time in some printing cases." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,6 mm, il présente une " -"hauteur de couche plus importante, ce qui se traduit par des lignes de " -"couche beaucoup plus apparentes et une qualité d’impression beaucoup plus " -"faible, mais un temps d’impression plus court dans certains cas d’impression." +msgid "Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer height, and results in much more apparent layer lines and much lower printing quality, but shorter printing time in some printing cases." +msgstr "Par rapport au profil par défaut d’une buse de 0,6 mm, il présente une hauteur de couche plus importante, ce qui se traduit par des lignes de couche beaucoup plus apparentes et une qualité d’impression beaucoup plus faible, mais un temps d’impression plus court dans certains cas d’impression." -msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and slight higher printing " -"quality, but longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,6 mm, il présente une " -"hauteur de couche plus petite, ce qui se traduit par des lignes de couche " -"moins apparentes et une qualité d’impression légèrement supérieure, mais un " -"temps d’impression plus long." +msgid "Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height, and results in less apparent layer lines and slight higher printing quality, but longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,6 mm, il présente une hauteur de couche plus petite, ce qui se traduit par des lignes de couche moins apparentes et une qualité d’impression légèrement supérieure, mais un temps d’impression plus long." -msgid "" -"Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and higher printing " -"quality, but longer printing time." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,6 mm, il présente une " -"hauteur de couche plus petite, ce qui se traduit par des lignes de couche " -"moins apparentes et une meilleure qualité d’impression, mais un temps " -"d’impression plus long." +msgid "Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer height, and results in less apparent layer lines and higher printing quality, but longer printing time." +msgstr "Par rapport au profil par défaut d’une buse de 0,6 mm, il présente une hauteur de couche plus petite, ce qui se traduit par des lignes de couche moins apparentes et une meilleure qualité d’impression, mais un temps d’impression plus long." -msgid "" -"It has a very big layer height, and results in very apparent layer lines, " -"low printing quality and general printing time." -msgstr "" -"La hauteur des couches est très importante, ce qui se traduit par des lignes " -"de couche très apparentes, une qualité d’impression médiocre et un temps " -"d’impression général." +msgid "It has a very big layer height, and results in very apparent layer lines, low printing quality and general printing time." +msgstr "La hauteur des couches est très importante, ce qui se traduit par des lignes de couche très apparentes, une qualité d’impression médiocre et un temps d’impression général." -msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer " -"height, and results in very apparent layer lines and much lower printing " -"quality, but shorter printing time in some printing cases." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,8 mm, il présente une " -"hauteur de couche plus importante, ce qui se traduit par des lignes de " -"couche très apparentes et une qualité d’impression nettement inférieure, " -"mais un temps d’impression plus court dans certains cas d’impression." +msgid "Compared with the default profile of a 0.8 mm nozzle, it has a bigger layer height, and results in very apparent layer lines and much lower printing quality, but shorter printing time in some printing cases." +msgstr "Par rapport au profil par défaut d’une buse de 0,8 mm, il présente une hauteur de couche plus importante, ce qui se traduit par des lignes de couche très apparentes et une qualité d’impression nettement inférieure, mais un temps d’impression plus court dans certains cas d’impression." -msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a much bigger " -"layer height, and results in extremely apparent layer lines and much lower " -"printing quality, but much shorter printing time in some printing cases." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,8 mm, il présente une " -"hauteur de couche beaucoup plus importante, ce qui se traduit par des lignes " -"de couche extrêmement apparentes et une qualité d’impression beaucoup plus " -"faible, mais un temps d’impression beaucoup plus court dans certains cas " -"d’impression." +msgid "Compared with the default profile of a 0.8 mm nozzle, it has a much bigger layer height, and results in extremely apparent layer lines and much lower printing quality, but much shorter printing time in some printing cases." +msgstr "Par rapport au profil par défaut d’une buse de 0,8 mm, il présente une hauteur de couche beaucoup plus importante, ce qui se traduit par des lignes de couche extrêmement apparentes et une qualité d’impression beaucoup plus faible, mais un temps d’impression beaucoup plus court dans certains cas d’impression." -msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a slightly " -"smaller layer height, and results in slightly less but still apparent layer " -"lines and slightly higher printing quality, but longer printing time in some " -"printing cases." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,8 mm, il présente une " -"hauteur de couche légèrement inférieure, ce qui se traduit par des lignes de " -"couche légèrement moins nombreuses mais toujours apparentes et par une " -"qualité d’impression légèrement supérieure, mais par un temps d’impression " -"plus long dans certains cas d’impression." +msgid "Compared with the default profile of a 0.8 mm nozzle, it has a slightly smaller layer height, and results in slightly less but still apparent layer lines and slightly higher printing quality, but longer printing time in some printing cases." +msgstr "Par rapport au profil par défaut d’une buse de 0,8 mm, il présente une hauteur de couche légèrement inférieure, ce qui se traduit par des lignes de couche légèrement moins nombreuses mais toujours apparentes et par une qualité d’impression légèrement supérieure, mais par un temps d’impression plus long dans certains cas d’impression." -msgid "" -"Compared with the default profile of a 0.8 mm nozzle, it has a smaller layer " -"height, and results in less but still apparent layer lines and slightly " -"higher printing quality, but longer printing time in some printing cases." -msgstr "" -"Par rapport au profil par défaut d’une buse de 0,8 mm, il présente une " -"hauteur de couche plus petite, ce qui se traduit par des lignes de couche " -"moins nombreuses mais toujours apparentes et une qualité d’impression " -"légèrement supérieure, mais un temps d’impression plus long dans certains " -"cas d’impression." +msgid "Compared with the default profile of a 0.8 mm nozzle, it has a smaller layer height, and results in less but still apparent layer lines and slightly higher printing quality, but longer printing time in some printing cases." +msgstr "Par rapport au profil par défaut d’une buse de 0,8 mm, il présente une hauteur de couche plus petite, ce qui se traduit par des lignes de couche moins nombreuses mais toujours apparentes et une qualité d’impression légèrement supérieure, mais un temps d’impression plus long dans certains cas d’impression." msgid "Connected to Obico successfully!" msgstr "Connexion à Obico réussie !" @@ -17191,9 +13532,7 @@ msgid "Unknown error" msgstr "Erreur inconnue" msgid "SimplyPrint account not linked. Go to Connect options to set it up." -msgstr "" -"Le compte SimplyPrint n’est pas lié. Allez dans les options de connexion " -"pour le configurer." +msgstr "Le compte SimplyPrint n’est pas lié. Allez dans les options de connexion pour le configurer." msgid "Connection to Flashforge works correctly." msgstr "La connexion à Flashforge fonctionne correctement." @@ -17205,14 +13544,10 @@ msgid "The provided state is not correct." msgstr "L’état communiqué n’est pas correct." msgid "Please give the required permissions when authorizing this application." -msgstr "" -"Veuillez donner les autorisations nécessaires lorsque vous autorisez cette " -"application." +msgstr "Veuillez donner les autorisations nécessaires lorsque vous autorisez cette application." msgid "Something unexpected happened when trying to log in, please try again." -msgstr "" -"Un événement inattendu s’est produit lors de la connexion, veuillez " -"réessayer." +msgstr "Un événement inattendu s’est produit lors de la connexion, veuillez réessayer." msgid "User cancelled." msgstr "L’utilisateur a annulé." @@ -17220,24 +13555,18 @@ msgstr "L’utilisateur a annulé." #: resources/data/hints.ini: [hint:Precise wall] msgid "" "Precise wall\n" -"Did you know that turning on precise wall can improve precision and layer " -"consistency?" +"Did you know that turning on precise wall can improve precision and layer consistency?" msgstr "" "Paroi précise\n" -"Saviez-vous que l’activation de la paroi précise peut améliorer la précision " -"et l’homogénéité des couches ?" +"Saviez-vous que l’activation de la paroi précise peut améliorer la précision et l’homogénéité des couches ?" #: resources/data/hints.ini: [hint:Sandwich mode] msgid "" "Sandwich mode\n" -"Did you know that you can use sandwich mode (inner-outer-inner) to improve " -"precision and layer consistency if your model doesn't have very steep " -"overhangs?" +"Did you know that you can use sandwich mode (inner-outer-inner) to improve precision and layer consistency if your model doesn't have very steep overhangs?" msgstr "" "Mode sandwich\n" -"Saviez-vous que vous pouvez utiliser le mode sandwich (intérieur-extérieur-" -"intérieur) pour améliorer la précision et la cohérence des couches si votre " -"modèle n’a pas de porte-à-faux très prononcés ?" +"Saviez-vous que vous pouvez utiliser le mode sandwich (intérieur-extérieur-intérieur) pour améliorer la précision et la cohérence des couches si votre modèle n’a pas de porte-à-faux très prononcés ?" #: resources/data/hints.ini: [hint:Chamber temperature] msgid "" @@ -17250,12 +13579,10 @@ msgstr "" #: resources/data/hints.ini: [hint:Calibration] msgid "" "Calibration\n" -"Did you know that calibrating your printer can do wonders? Check out our " -"beloved calibration solution in OrcaSlicer." +"Did you know that calibrating your printer can do wonders? Check out our beloved calibration solution in OrcaSlicer." msgstr "" "Calibrage\n" -"Saviez-vous que le calibrage de votre imprimante peut faire des merveilles ? " -"Découvrez notre solution de calibrage bien-aimée dans OrcaSlicer." +"Saviez-vous que le calibrage de votre imprimante peut faire des merveilles ? Découvrez notre solution de calibrage bien-aimée dans OrcaSlicer." #: resources/data/hints.ini: [hint:Auxiliary fan] msgid "" @@ -17263,8 +13590,7 @@ msgid "" "Did you know that OrcaSlicer supports Auxiliary part cooling fan?" msgstr "" "Ventilateur auxiliaire\n" -"Saviez-vous qu’OrcaSlicer prend en charge le ventilateur auxiliaire de " -"refroidissement des pièces ?" +"Saviez-vous qu’OrcaSlicer prend en charge le ventilateur auxiliaire de refroidissement des pièces ?" #: resources/data/hints.ini: [hint:Air filtration] msgid "" @@ -17272,8 +13598,7 @@ msgid "" "Did you know that OrcaSlicer can support Air filtration/Exhaust Fan?" msgstr "" "Filtration de l’air/ventilateur d’extraction\n" -"Saviez-vous qu’OrcaSlicer peut prendre en charge la filtration de l’air/le " -"ventilateur d’extraction ?" +"Saviez-vous qu’OrcaSlicer peut prendre en charge la filtration de l’air/le ventilateur d’extraction ?" #: resources/data/hints.ini: [hint:G-code window] msgid "" @@ -17281,59 +13606,47 @@ msgid "" "You can turn on/off the G-code window by pressing the C key." msgstr "" "Fenêtre de G-code\n" -"Vous pouvez activer/désactiver la fenêtre G-code en appuyant sur la touche " -"C." +"Vous pouvez activer/désactiver la fenêtre G-code en appuyant sur la touche C." #: resources/data/hints.ini: [hint:Switch workspaces] msgid "" "Switch workspaces\n" -"You can switch between Prepare and Preview workspaces by " -"pressing the Tab key." +"You can switch between Prepare and Preview workspaces by pressing the Tab key." msgstr "" "Changer les espaces de travail\n" -"Vous pouvez alterner entre l’espace de travail Préparer et Aperçu en appuyant sur la touche Tab." +"Vous pouvez alterner entre l’espace de travail Préparer et Aperçu en appuyant sur la touche Tab." #: resources/data/hints.ini: [hint:How to use keyboard shortcuts] msgid "" "How to use keyboard shortcuts\n" -"Did you know that Orca Slicer offers a wide range of keyboard shortcuts and " -"3D scene operations." +"Did you know that Orca Slicer offers a wide range of keyboard shortcuts and 3D scene operations." msgstr "" "Comment utiliser les raccourcis clavier\n" -"Saviez-vous qu’Orca Slicer offre une large gamme de raccourcis clavier et " -"d’opérations sur les scènes 3D." +"Saviez-vous qu’Orca Slicer offre une large gamme de raccourcis clavier et d’opérations sur les scènes 3D." #: resources/data/hints.ini: [hint:Reverse on odd] msgid "" "Reverse on odd\n" -"Did you know that Reverse on odd feature can significantly improve " -"the surface quality of your overhangs?" +"Did you know that Reverse on odd feature can significantly improve the surface quality of your overhangs?" msgstr "" "Parois inversées sur couches impaires\n" -"Saviez-vous que la fonction Parois inversées sur couches impaires " -"peut améliorer de manière significative la qualité de la surface de vos " -"surplombs ?" +"Saviez-vous que la fonction Parois inversées sur couches impaires peut améliorer de manière significative la qualité de la surface de vos surplombs ?" #: resources/data/hints.ini: [hint:Cut Tool] msgid "" "Cut Tool\n" -"Did you know that you can cut a model at any angle and position with the " -"cutting tool?" +"Did you know that you can cut a model at any angle and position with the cutting tool?" msgstr "" "Outil de découpe\n" -"Saviez-vous que vous pouvez découper un modèle à n'importe quel angle et " -"dans n'importe quelle position avec l'outil de découpe ?" +"Saviez-vous que vous pouvez découper un modèle à n'importe quel angle et dans n'importe quelle position avec l'outil de découpe ?" #: resources/data/hints.ini: [hint:Fix Model] msgid "" "Fix Model\n" -"Did you know that you can fix a corrupted 3D model to avoid a lot of slicing " -"problems on the Windows system?" +"Did you know that you can fix a corrupted 3D model to avoid a lot of slicing problems on the Windows system?" msgstr "" "Réparer un modèle\n" -"Saviez-vous que vous pouvez réparer un modèle 3D corrompu pour éviter de " -"nombreux problèmes de découpage sur le système Windows ?" +"Saviez-vous que vous pouvez réparer un modèle 3D corrompu pour éviter de nombreux problèmes de découpage sur le système Windows ?" #: resources/data/hints.ini: [hint:Timelapse] msgid "" @@ -17341,8 +13654,7 @@ msgid "" "Did you know that you can generate a timelapse video during each print?" msgstr "" "Timelapse\n" -"Saviez-vous que vous pouvez générer une vidéo en timelapse à chaque " -"impression ?" +"Saviez-vous que vous pouvez générer une vidéo en timelapse à chaque impression ?" #: resources/data/hints.ini: [hint:Auto-Arrange] msgid "" @@ -17350,214 +13662,153 @@ msgid "" "Did you know that you can auto-arrange all objects in your project?" msgstr "" "Agencement Automatique\n" -"Saviez-vous que vous pouvez agencement automatiquement tous les objets de " -"votre projet ?" +"Saviez-vous que vous pouvez agencement automatiquement tous les objets de votre projet ?" #: resources/data/hints.ini: [hint:Auto-Orient] msgid "" "Auto-Orient\n" -"Did you know that you can rotate objects to an optimal orientation for " -"printing by a simple click?" +"Did you know that you can rotate objects to an optimal orientation for printing by a simple click?" msgstr "" "Orientation Automatique\n" -"Saviez-vous que vous pouvez faire pivoter des objets dans une orientation " -"optimale pour l'impression d'un simple clic ?" +"Saviez-vous que vous pouvez faire pivoter des objets dans une orientation optimale pour l'impression d'un simple clic ?" #: resources/data/hints.ini: [hint:Lay on Face] msgid "" "Lay on Face\n" -"Did you know that you can quickly orient a model so that one of its faces " -"sits on the print bed? Select the \"Place on face\" function or press the " -"F key." +"Did you know that you can quickly orient a model so that one of its faces sits on the print bed? Select the \"Place on face\" function or press the F key." msgstr "" "Poser sur une face\n" -"Saviez-vous qu'il est possible d'orienter rapidement un modèle de manière à " -"ce que l'une de ses faces repose sur le plateau d'impression ? Sélectionnez " -"la fonction « Placer sur la face » ou appuyez sur la touche F." +"Saviez-vous qu'il est possible d'orienter rapidement un modèle de manière à ce que l'une de ses faces repose sur le plateau d'impression ? Sélectionnez la fonction « Placer sur la face » ou appuyez sur la touche F." #: resources/data/hints.ini: [hint:Object List] msgid "" "Object List\n" -"Did you know that you can view all objects/parts in a list and change " -"settings for each object/part?" +"Did you know that you can view all objects/parts in a list and change settings for each object/part?" msgstr "" "Liste d'objets\n" -"Saviez-vous que vous pouvez afficher tous les objets/pièces dans une liste " -"et modifier les paramètres de chaque objet/pièce ?" +"Saviez-vous que vous pouvez afficher tous les objets/pièces dans une liste et modifier les paramètres de chaque objet/pièce ?" #: resources/data/hints.ini: [hint:Search Functionality] msgid "" "Search Functionality\n" -"Did you know that you use the Search tool to quickly find a specific Orca " -"Slicer setting?" +"Did you know that you use the Search tool to quickly find a specific Orca Slicer setting?" msgstr "" "Fonctionnalité de recherche\n" -"Saviez-vous que vous pouvez utiliser l’outil de recherche pour trouver " -"rapidement un paramètre spécifique de l’Orca Slicer ?" +"Saviez-vous que vous pouvez utiliser l’outil de recherche pour trouver rapidement un paramètre spécifique de l’Orca Slicer ?" #: resources/data/hints.ini: [hint:Simplify Model] msgid "" "Simplify Model\n" -"Did you know that you can reduce the number of triangles in a mesh using the " -"Simplify mesh feature? Right-click the model and select Simplify model." +"Did you know that you can reduce the number of triangles in a mesh using the Simplify mesh feature? Right-click the model and select Simplify model." msgstr "" "Simplifier le modèle\n" -"Saviez-vous que vous pouviez réduire le nombre de triangles dans un maillage " -"à l’aide de la fonction Simplifier le maillage ? Cliquez avec le bouton " -"droit de la souris sur le modèle et sélectionnez Simplifier le modèle." +"Saviez-vous que vous pouviez réduire le nombre de triangles dans un maillage à l’aide de la fonction Simplifier le maillage ? Cliquez avec le bouton droit de la souris sur le modèle et sélectionnez Simplifier le modèle." #: resources/data/hints.ini: [hint:Slicing Parameter Table] msgid "" "Slicing Parameter Table\n" -"Did you know that you can view all objects/parts on a table and change " -"settings for each object/part?" +"Did you know that you can view all objects/parts on a table and change settings for each object/part?" msgstr "" "Tableau des paramètres de découpe\n" -"Saviez-vous que vous pouvez afficher tous les objets/pièces sur un tableau " -"et modifier les paramètres de chaque objet/pièce ?" +"Saviez-vous que vous pouvez afficher tous les objets/pièces sur un tableau et modifier les paramètres de chaque objet/pièce ?" #: resources/data/hints.ini: [hint:Split to Objects/Parts] msgid "" "Split to Objects/Parts\n" -"Did you know that you can split a big object into small ones for easy " -"colorizing or printing?" +"Did you know that you can split a big object into small ones for easy colorizing or printing?" msgstr "" "Séparer en objets/parties\n" -"Saviez-vous que vous pouvez séparer un gros objet en petits objets pour les " -"colorier ou les imprimer facilement ?" +"Saviez-vous que vous pouvez séparer un gros objet en petits objets pour les colorier ou les imprimer facilement ?" #: resources/data/hints.ini: [hint:Subtract a Part] msgid "" "Subtract a Part\n" -"Did you know that you can subtract one mesh from another using the Negative " -"part modifier? That way you can, for example, create easily resizable holes " -"directly in Orca Slicer." +"Did you know that you can subtract one mesh from another using the Negative part modifier? That way you can, for example, create easily resizable holes directly in Orca Slicer." msgstr "" "Soustraire une pièce\n" -"Saviez-vous que vous pouviez soustraire un maillage d’un autre à l’aide du " -"modificateur de partie négative ? De cette façon, vous pouvez, par exemple, " -"créer des trous facilement redimensionnables directement dans Orca Slicer." +"Saviez-vous que vous pouviez soustraire un maillage d’un autre à l’aide du modificateur de partie négative ? De cette façon, vous pouvez, par exemple, créer des trous facilement redimensionnables directement dans Orca Slicer." #: resources/data/hints.ini: [hint:STEP] msgid "" "STEP\n" -"Did you know that you can improve your print quality by slicing a STEP file " -"instead of an STL?\n" -"Orca Slicer supports slicing STEP files, providing smoother results than a " -"lower resolution STL. Give it a try!" +"Did you know that you can improve your print quality by slicing a STEP file instead of an STL?\n" +"Orca Slicer supports slicing STEP files, providing smoother results than a lower resolution STL. Give it a try!" msgstr "" "STEP\n" -"Saviez-vous que vous pouvez améliorer votre qualité d'impression en " -"découpant un fichier .step au lieu d'un .stl ?\n" -"Orca Slicer prend en charge le découpage des fichiers .step, offrant des " -"résultats plus fluides qu'un .stl de résolution inférieure. Essayez !" +"Saviez-vous que vous pouvez améliorer votre qualité d'impression en découpant un fichier .step au lieu d'un .stl ?\n" +"Orca Slicer prend en charge le découpage des fichiers .step, offrant des résultats plus fluides qu'un .stl de résolution inférieure. Essayez !" #: resources/data/hints.ini: [hint:Z seam location] msgid "" "Z seam location\n" -"Did you know that you can customize the location of the Z seam, and even " -"paint it on your print, to have it in a less visible location? This improves " -"the overall look of your model. Check it out!" +"Did you know that you can customize the location of the Z seam, and even paint it on your print, to have it in a less visible location? This improves the overall look of your model. Check it out!" msgstr "" "Emplacement de la couture Z\n" -"Saviez-vous que vous pouvez personnaliser l'emplacement de la couture Z, et " -"même la peindre manuelle sur votre impression pour le placer dans un endroit " -"moins visible ? Cela améliore l'aspect général de votre modèle. Jetez-y un " -"coup d'œil !" +"Saviez-vous que vous pouvez personnaliser l'emplacement de la couture Z, et même la peindre manuelle sur votre impression pour le placer dans un endroit moins visible ? Cela améliore l'aspect général de votre modèle. Jetez-y un coup d'œil !" #: resources/data/hints.ini: [hint:Fine-tuning for flow rate] msgid "" "Fine-tuning for flow rate\n" -"Did you know that flow rate can be fine-tuned for even better-looking " -"prints? Depending on the material, you can improve the overall finish of the " -"printed model by doing some fine-tuning." +"Did you know that flow rate can be fine-tuned for even better-looking prints? Depending on the material, you can improve the overall finish of the printed model by doing some fine-tuning." msgstr "" "Réglage fin du débit\n" -"Saviez-vous que le débit peut être réglé avec précision pour obtenir des " -"impressions encore plus belles ? En fonction du matériau, vous pouvez " -"améliorer la finition générale du modèle imprimé en procédant à un réglage " -"fin." +"Saviez-vous que le débit peut être réglé avec précision pour obtenir des impressions encore plus belles ? En fonction du matériau, vous pouvez améliorer la finition générale du modèle imprimé en procédant à un réglage fin." #: resources/data/hints.ini: [hint:Split your prints into plates] msgid "" "Split your prints into plates\n" -"Did you know that you can split a model that has a lot of parts into " -"individual plates ready to print? This will simplify the process of keeping " -"track of all the parts." +"Did you know that you can split a model that has a lot of parts into individual plates ready to print? This will simplify the process of keeping track of all the parts." msgstr "" "Divisez vos impressions en plateaux\n" -"Saviez-vous que vous pouvez diviser un modèle comportant de nombreuses " -"pièces en plateaux individuels prêts à être imprimés ? Cela simplifie le " -"processus de suivi de toutes les pièces." +"Saviez-vous que vous pouvez diviser un modèle comportant de nombreuses pièces en plateaux individuels prêts à être imprimés ? Cela simplifie le processus de suivi de toutes les pièces." -#: resources/data/hints.ini: [hint:Speed up your print with Adaptive Layer -#: Height] +#: resources/data/hints.ini: [hint:Speed up your print with Adaptive Layer Height] msgid "" "Speed up your print with Adaptive Layer Height\n" -"Did you know that you can print a model even faster, by using the Adaptive " -"Layer Height option? Check it out!" +"Did you know that you can print a model even faster, by using the Adaptive Layer Height option? Check it out!" msgstr "" "Accélérez votre impression grâce à la Hauteur de Couche Adaptative\n" -"Saviez-vous que vous pouvez imprimer un modèle encore plus rapidement en " -"utilisant l'option Adaptive Layer Height ? Jetez-y un coup d'œil !" +"Saviez-vous que vous pouvez imprimer un modèle encore plus rapidement en utilisant l'option Adaptive Layer Height ? Jetez-y un coup d'œil !" #: resources/data/hints.ini: [hint:Support painting] msgid "" "Support painting\n" -"Did you know that you can paint the location of your supports? This feature " -"makes it easy to place the support material only on the sections of the " -"model that actually need it." +"Did you know that you can paint the location of your supports? This feature makes it easy to place the support material only on the sections of the model that actually need it." msgstr "" "Peinture de support\n" -"Saviez-vous que vous pouvez peindre l'emplacement de vos supports ? Cette " -"caractéristique permet de placer facilement le matériau de support " -"uniquement sur les sections du modèle qui en ont réellement besoin." +"Saviez-vous que vous pouvez peindre l'emplacement de vos supports ? Cette caractéristique permet de placer facilement le matériau de support uniquement sur les sections du modèle qui en ont réellement besoin." #: resources/data/hints.ini: [hint:Different types of supports] msgid "" "Different types of supports\n" -"Did you know that you can choose from multiple types of supports? Tree " -"supports work great for organic models, while saving filament and improving " -"print speed. Check them out!" +"Did you know that you can choose from multiple types of supports? Tree supports work great for organic models, while saving filament and improving print speed. Check them out!" msgstr "" "Différents types de supports\n" -"Saviez-vous que vous pouvez choisir parmi plusieurs types de supports ? Les " -"supports arborescents fonctionnent parfaitement pour les modèles organiques " -"tout en économisant du filament et en améliorant la vitesse d'impression. " -"Découvrez-les !" +"Saviez-vous que vous pouvez choisir parmi plusieurs types de supports ? Les supports arborescents fonctionnent parfaitement pour les modèles organiques tout en économisant du filament et en améliorant la vitesse d'impression. Découvrez-les !" #: resources/data/hints.ini: [hint:Printing Silk Filament] msgid "" "Printing Silk Filament\n" -"Did you know that Silk filament needs special consideration to print it " -"successfully? Higher temperature and lower speed are always recommended for " -"the best results." +"Did you know that Silk filament needs special consideration to print it successfully? Higher temperature and lower speed are always recommended for the best results." msgstr "" "Impression de filament Soie\n" -"Saviez-vous que le filament soie nécessite une attention particulière pour " -"une impression réussie ? Une température plus élevée et une vitesse plus " -"faible sont toujours recommandées pour obtenir les meilleurs résultats." +"Saviez-vous que le filament soie nécessite une attention particulière pour une impression réussie ? Une température plus élevée et une vitesse plus faible sont toujours recommandées pour obtenir les meilleurs résultats." #: resources/data/hints.ini: [hint:Brim for better adhesion] msgid "" "Brim for better adhesion\n" -"Did you know that when printing models have a small contact interface with " -"the printing surface, it's recommended to use a brim?" +"Did you know that when printing models have a small contact interface with the printing surface, it's recommended to use a brim?" msgstr "" "Bordure pour une meilleure adhésion\n" -"Saviez-vous que lorsque les modèles imprimés ont une faible interface de " -"contact avec la surface d'impression, il est recommandé d'utiliser une " -"bordure ?" +"Saviez-vous que lorsque les modèles imprimés ont une faible interface de contact avec la surface d'impression, il est recommandé d'utiliser une bordure ?" #: resources/data/hints.ini: [hint:Set parameters for multiple objects] msgid "" "Set parameters for multiple objects\n" -"Did you know that you can set slicing parameters for all selected objects at " -"one time?" +"Did you know that you can set slicing parameters for all selected objects at one time?" msgstr "" "Définir les paramètres de plusieurs objets\n" -"Saviez-vous que vous pouvez définir des paramètres de découpe pour tous les " -"objets sélectionnés en une seule fois ?" +"Saviez-vous que vous pouvez définir des paramètres de découpe pour tous les objets sélectionnés en une seule fois ?" #: resources/data/hints.ini: [hint:Stack objects] msgid "" @@ -17570,55 +13821,37 @@ msgstr "" #: resources/data/hints.ini: [hint:Flush into support/objects/infill] msgid "" "Flush into support/objects/infill\n" -"Did you know that you can save the wasted filament by flushing them into " -"support/objects/infill during filament change?" +"Did you know that you can save the wasted filament by flushing them into support/objects/infill during filament change?" msgstr "" "Purger dans les supports/les objets/le remplissage\n" -"Saviez-vous que vous pouvez réduire le filament gaspillé en le purgeant dans " -"les supports/les objets/le remplissage lors des changements de filament ?" +"Saviez-vous que vous pouvez réduire le filament gaspillé en le purgeant dans les supports/les objets/le remplissage lors des changements de filament ?" #: resources/data/hints.ini: [hint:Improve strength] msgid "" "Improve strength\n" -"Did you know that you can use more wall loops and higher sparse infill " -"density to improve the strength of the model?" +"Did you know that you can use more wall loops and higher sparse infill density to improve the strength of the model?" msgstr "" "Améliorer la solidité\n" -"Saviez-vous que vous pouvez définir un plus grand nombre de périmètre et une " -"densité de remplissage plus élevée pour améliorer la résistance du modèle ?" +"Saviez-vous que vous pouvez définir un plus grand nombre de périmètre et une densité de remplissage plus élevée pour améliorer la résistance du modèle ?" -#: resources/data/hints.ini: [hint:When need to print with the printer door -#: opened] +#: resources/data/hints.ini: [hint:When need to print with the printer door opened] msgid "" "When need to print with the printer door opened\n" -"Did you know that opening the printer door can reduce the probability of " -"extruder/hotend clogging when printing lower temperature filament with a " -"higher enclosure temperature. More info about this in the Wiki." +"Did you know that opening the printer door can reduce the probability of extruder/hotend clogging when printing lower temperature filament with a higher enclosure temperature. More info about this in the Wiki." msgstr "" "Quand il faut imprimer avec la porte de l’imprimante ouverte\n" -"Saviez-vous que l’ouverture de la porte de l’imprimante peut réduire la " -"probabilité de blocage de l’extrudeuse/du réchauffeur lors de l’impression " -"de filament à basse température avec une température de boîtier plus élevée. " -"Plus d’informations à ce sujet dans le Wiki." +"Saviez-vous que l’ouverture de la porte de l’imprimante peut réduire la probabilité de blocage de l’extrudeuse/du réchauffeur lors de l’impression de filament à basse température avec une température de boîtier plus élevée. Plus d’informations à ce sujet dans le Wiki." #: resources/data/hints.ini: [hint:Avoid warping] msgid "" "Avoid warping\n" -"Did you know that when printing materials that are prone to warping such as " -"ABS, appropriately increasing the heatbed temperature can reduce the " -"probability of warping." +"Did you know that when printing materials that are prone to warping such as ABS, appropriately increasing the heatbed temperature can reduce the probability of warping." msgstr "" "Éviter la déformation\n" -"Saviez-vous que lors de l’impression de matériaux susceptibles de se " -"déformer, tels que l’ABS, une augmentation appropriée de la température du " -"plateau chauffant peut réduire la probabilité de déformation." +"Saviez-vous que lors de l’impression de matériaux susceptibles de se déformer, tels que l’ABS, une augmentation appropriée de la température du plateau chauffant peut réduire la probabilité de déformation." -#~ msgid "" -#~ "Your object appears to be too large. It will be scaled down to fit the " -#~ "heat bed automatically." -#~ msgstr "" -#~ "Votre objet est trop grand. Il sera automatiquement réduit pour s’adapter " -#~ "au plateau." +#~ msgid "Your object appears to be too large. It will be scaled down to fit the heat bed automatically." +#~ msgstr "Votre objet est trop grand. Il sera automatiquement réduit pour s’adapter au plateau." #~ msgid "Shift+G" #~ msgstr "Shift+G" @@ -17627,181 +13860,65 @@ msgstr "" #~ msgstr "Toutes les flèches" #~ msgid "" -#~ "Enables gap fill for the selected surfaces. The minimum gap length that " -#~ "will be filled can be controlled from the filter out tiny gaps option " -#~ "below.\n" +#~ "Enables gap fill for the selected surfaces. The minimum gap length that will be filled can be controlled from the filter out tiny gaps option below.\n" #~ "\n" #~ "Options:\n" -#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid " -#~ "surfaces\n" -#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -#~ "only\n" +#~ "1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces\n" +#~ "2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces only\n" #~ "3. Nowhere: Disables gap fill\n" #~ msgstr "" -#~ "Active le remplissage des trous pour les surfaces sélectionnées. La " -#~ "longueur minimale du trou qui sera comblé peut être contrôlée à l’aide de " -#~ "l’option « Filtrer les petits trous » ci-dessous.\n" +#~ "Active le remplissage des trous pour les surfaces sélectionnées. La longueur minimale du trou qui sera comblé peut être contrôlée à l’aide de l’option « Filtrer les petits trous » ci-dessous.\n" #~ "\n" #~ "Options :\n" -#~ "1. Partout : Applique le remplissage des trous aux surfaces pleines " -#~ "supérieures, inférieures et internes.\n" -#~ "2. Surfaces supérieure et inférieure : Remplissage des trous uniquement " -#~ "sur les surfaces supérieures et inférieures.\n" +#~ "1. Partout : Applique le remplissage des trous aux surfaces pleines supérieures, inférieures et internes.\n" +#~ "2. Surfaces supérieure et inférieure : Remplissage des trous uniquement sur les surfaces supérieures et inférieures.\n" #~ "3. Nulle part : Désactive le remplissage des trous\n" -#~ msgid "" -#~ "Decrease this value slightly(for example 0.9) to reduce the amount of " -#~ "material for bridge, to improve sag" -#~ msgstr "" -#~ "Diminuez légèrement cette valeur (par exemple 0,9) pour réduire la " -#~ "quantité de matériaux pour le pont, pour améliorer l'affaissement" +#~ msgid "Decrease this value slightly(for example 0.9) to reduce the amount of material for bridge, to improve sag" +#~ msgstr "Diminuez légèrement cette valeur (par exemple 0,9) pour réduire la quantité de matériaux pour le pont, pour améliorer l'affaissement" -#~ msgid "" -#~ "This value governs the thickness of the internal bridge layer. This is " -#~ "the first layer over sparse infill. Decrease this value slightly (for " -#~ "example 0.9) to improve surface quality over sparse infill." -#~ msgstr "" -#~ "Cette valeur détermine l’épaisseur de la couche des ponts internes. Il " -#~ "s’agit de la première couche sur le remplissage. Diminuez légèrement " -#~ "cette valeur (par exemple 0.9) pour améliorer la qualité de la surface " -#~ "sur le remplissage." +#~ msgid "This value governs the thickness of the internal bridge layer. This is the first layer over sparse infill. Decrease this value slightly (for example 0.9) to improve surface quality over sparse infill." +#~ msgstr "Cette valeur détermine l’épaisseur de la couche des ponts internes. Il s’agit de la première couche sur le remplissage. Diminuez légèrement cette valeur (par exemple 0.9) pour améliorer la qualité de la surface sur le remplissage." -#~ msgid "" -#~ "This factor affects the amount of material for top solid infill. You can " -#~ "decrease it slightly to have smooth surface finish" -#~ msgstr "" -#~ "Ce facteur affecte la quantité de matériau pour le remplissage plein " -#~ "supérieur. Vous pouvez le diminuer légèrement pour avoir une finition de " -#~ "surface lisse" +#~ msgid "This factor affects the amount of material for top solid infill. You can decrease it slightly to have smooth surface finish" +#~ msgstr "Ce facteur affecte la quantité de matériau pour le remplissage plein supérieur. Vous pouvez le diminuer légèrement pour avoir une finition de surface lisse" #~ msgid "This factor affects the amount of material for bottom solid infill" -#~ msgstr "" -#~ "Ce facteur affecte la quantité de matériau pour le remplissage plein du " -#~ "dessous" +#~ msgstr "Ce facteur affecte la quantité de matériau pour le remplissage plein du dessous" -#~ msgid "" -#~ "Enable this option to slow printing down in areas where potential curled " -#~ "perimeters may exist" -#~ msgstr "" -#~ "Activer cette option pour ralentir l’impression dans les zones où des " -#~ "périmètres potentiellement courbées peuvent exister." +#~ msgid "Enable this option to slow printing down in areas where potential curled perimeters may exist" +#~ msgstr "Activer cette option pour ralentir l’impression dans les zones où des périmètres potentiellement courbées peuvent exister." #~ msgid "Speed of bridge and completely overhang wall" -#~ msgstr "" -#~ "Il s'agit de la vitesse pour les ponts et les parois en surplomb à 100 %." +#~ msgstr "Il s'agit de la vitesse pour les ponts et les parois en surplomb à 100 %." -#~ msgid "" -#~ "Speed of internal bridge. If the value is expressed as a percentage, it " -#~ "will be calculated based on the bridge_speed. Default value is 150%." -#~ msgstr "" -#~ "Vitesse des ponts internes. Si la valeur est exprimée en pourcentage, " -#~ "elle sera calculée en fonction de bridge_speed. La valeur par défaut est " -#~ "150%." - -#, c-format, boost-format -#~ msgid "" -#~ "With increasing print speeds (and hence increasing volumetric flow " -#~ "through the nozzle) and increasing accelerations, it has been observed " -#~ "that the effective PA value typically decreases. This means that a single " -#~ "PA value is not always 100%% optimal for all features and a compromise " -#~ "value is usually used that does not cause too much bulging on features " -#~ "with lower flow speed and accelerations while also not causing gaps on " -#~ "faster features.\n" -#~ "\n" -#~ "This feature aims to address this limitation by modeling the response of " -#~ "your printer's extrusion system depending on the volumetric flow speed " -#~ "and acceleration it is printing at. Internally, it generates a fitted " -#~ "model that can extrapolate the needed pressure advance for any given " -#~ "volumetric flow speed and acceleration, which is then emmited to the " -#~ "printer depending on the current print conditions.\n" -#~ "\n" -#~ "When enabled, the pressure advance value above is overriden. However, a " -#~ "reasonable default value above is strongly recomended to act as a " -#~ "fallback and for when tool changing.\n" -#~ "\n" -#~ msgstr "" -#~ "Avec l’augmentation des vitesses d’impression (et donc du débit " -#~ "volumétrique à travers la buse) et des accélérations, il a été observé " -#~ "que la valeur effective de PA diminue généralement. Cela signifie qu’une " -#~ "valeur PA unique n’est pas toujours optimale à 100%% pour toutes les " -#~ "caractéristiques et qu’une valeur de compromis est généralement utilisée " -#~ "pour éviter de trop gonfler les caractéristiques avec une vitesse " -#~ "d’écoulement et des accélérations plus faibles, tout en évitant de créer " -#~ "des interstices sur les traits plus rapides.\n" -#~ "\n" -#~ "Cette fonction vise à remédier à cette limitation en modélisant la " -#~ "réponse du système d’extrusion de votre imprimante en fonction de la " -#~ "vitesse du flux volumétrique et de l’accélération de l’impression. En " -#~ "interne, elle génère un modèle ajusté qui peut extrapoler l’avance de " -#~ "pression nécessaire pour une vitesse de débit volumétrique et une " -#~ "accélération données, qui est ensuite émise à l’imprimante en fonction " -#~ "des conditions d’impression actuelles.\n" -#~ "\n" -#~ "Lorsqu’elle est activée, la valeur de l’avance de pression ci-dessus est " -#~ "annulée. Cependant, une valeur par défaut raisonnable est fortement " -#~ "recommandée pour servir de solution de secours et en cas de changement " -#~ "d’outil.\n" +#~ msgid "Speed of internal bridge. If the value is expressed as a percentage, it will be calculated based on the bridge_speed. Default value is 150%." +#~ msgstr "Vitesse des ponts internes. Si la valeur est exprimée en pourcentage, elle sera calculée en fonction de bridge_speed. La valeur par défaut est 150%." #~ msgid "Time to load new filament when switch filament. For statistics only" -#~ msgstr "" -#~ "Il est temps de charger un nouveau filament lors du changement de " -#~ "filament. Pour les statistiques uniquement" +#~ msgstr "Il est temps de charger un nouveau filament lors du changement de filament. Pour les statistiques uniquement" -#~ msgid "" -#~ "Time to unload old filament when switch filament. For statistics only" -#~ msgstr "" -#~ "Il est temps de décharger l'ancien filament lorsque vous changez de " -#~ "filament. Pour les statistiques uniquement" +#~ msgid "Time to unload old filament when switch filament. For statistics only" +#~ msgstr "Il est temps de décharger l'ancien filament lorsque vous changez de filament. Pour les statistiques uniquement" -#~ msgid "" -#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to load a " -#~ "new filament during a tool change (when executing the T code). This time " -#~ "is added to the total print time by the G-code time estimator." -#~ msgstr "" -#~ "Temps nécessaire au firmware de l’imprimante (ou au Multi Material Unit " -#~ "2.0) pour charger un nouveau filament lors d’un changement d’outil (lors " -#~ "de l’exécution du code T). Ce temps est ajouté au temps d’impression " -#~ "total par l’estimateur de temps du G-code." +#~ msgid "Time for the printer firmware (or the Multi Material Unit 2.0) to load a new filament during a tool change (when executing the T code). This time is added to the total print time by the G-code time estimator." +#~ msgstr "Temps nécessaire au firmware de l’imprimante (ou au Multi Material Unit 2.0) pour charger un nouveau filament lors d’un changement d’outil (lors de l’exécution du code T). Ce temps est ajouté au temps d’impression total par l’estimateur de temps du G-code." -#~ msgid "" -#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " -#~ "a filament during a tool change (when executing the T code). This time is " -#~ "added to the total print time by the G-code time estimator." -#~ msgstr "" -#~ "Temps nécessaire au firmware de l’imprimante (ou au Multi Material Unit " -#~ "2.0) pour décharger un filament lors d’un changement d’outil (lors de " -#~ "l’exécution du code T). Ce temps est ajouté au temps d’impression total " -#~ "par l’estimateur de temps du G-code." +#~ msgid "Time for the printer firmware (or the Multi Material Unit 2.0) to unload a filament during a tool change (when executing the T code). This time is added to the total print time by the G-code time estimator." +#~ msgstr "Temps nécessaire au firmware de l’imprimante (ou au Multi Material Unit 2.0) pour décharger un filament lors d’un changement d’outil (lors de l’exécution du code T). Ce temps est ajouté au temps d’impression total par l’estimateur de temps du G-code." #~ msgid "Filter out gaps smaller than the threshold specified" #~ msgstr "Filtrer les petits espaces au seuil spécifié." #~ msgid "" -#~ "Enable this option for chamber temperature control. An M191 command will " -#~ "be added before \"machine_start_gcode\"\n" +#~ "Enable this option for chamber temperature control. An M191 command will be added before \"machine_start_gcode\"\n" #~ "G-code commands: M141/M191 S(0-255)" #~ msgstr "" -#~ "Activez cette option pour le contrôle de la température du caisson. Une " -#~ "commande M191 sera ajoutée avant \"machine_start_gcode\"\n" +#~ "Activez cette option pour le contrôle de la température du caisson. Une commande M191 sera ajoutée avant \"machine_start_gcode\"\n" #~ "Commandes G-code : M141/M191 S(0-255)" -#~ msgid "" -#~ "Higher chamber temperature can help suppress or reduce warping and " -#~ "potentially lead to higher interlayer bonding strength for high " -#~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " -#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " -#~ "TPU, PVA and other low temperature materials,the actual chamber " -#~ "temperature should not be high to avoid cloggings, so 0 which stands for " -#~ "turning off is highly recommended" -#~ msgstr "" -#~ "Une température de caisson plus élevée peut aider à supprimer ou à " -#~ "réduire la déformation et potentiellement conduire à une force de liaison " -#~ "intercouche plus élevée pour les matériaux à haute température comme " -#~ "l’ABS, l’ASA, le PC, le PA, etc. Dans le même temps, la filtration de " -#~ "l’air de l’ABS et de l’ASA s’aggravera. Pour le PLA, le PETG, le TPU, le " -#~ "PVA et d’autres matériaux à basse température, la température réelle du " -#~ "caisson ne doit pas être élevée pour éviter les bouchages, donc la valeur " -#~ "0 qui signifie éteindre est fortement recommandé." +#~ msgid "Higher chamber temperature can help suppress or reduce warping and potentially lead to higher interlayer bonding strength for high temperature materials like ABS, ASA, PC, PA and so on.At the same time, the air filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, PVA and other low temperature materials,the actual chamber temperature should not be high to avoid cloggings, so 0 which stands for turning off is highly recommended" +#~ msgstr "Une température de caisson plus élevée peut aider à supprimer ou à réduire la déformation et potentiellement conduire à une force de liaison intercouche plus élevée pour les matériaux à haute température comme l’ABS, l’ASA, le PC, le PA, etc. Dans le même temps, la filtration de l’air de l’ABS et de l’ASA s’aggravera. Pour le PLA, le PETG, le TPU, le PVA et d’autres matériaux à basse température, la température réelle du caisson ne doit pas être élevée pour éviter les bouchages, donc la valeur 0 qui signifie éteindre est fortement recommandé." #~ msgid "Current association: " #~ msgstr "Association actuelle : " @@ -17812,49 +13929,32 @@ msgstr "" #~ msgid "Not associated to any application" #~ msgstr "N’est associé à aucune application" -#~ msgid "" -#~ "Associate OrcaSlicer with prusaslicer:// links so that Orca can open " -#~ "models from Printable.com" -#~ msgstr "" -#~ "Associer OrcaSlicer aux liens prusaslicer:// afin qu’Orca puisse ouvrir " -#~ "des modèles provenant de Printable.com" +#~ msgid "Associate OrcaSlicer with prusaslicer:// links so that Orca can open models from Printable.com" +#~ msgstr "Associer OrcaSlicer aux liens prusaslicer:// afin qu’Orca puisse ouvrir des modèles provenant de Printable.com" #~ msgid "Associate bambustudio://" #~ msgstr "Associer bambustudio://" -#~ msgid "" -#~ "Associate OrcaSlicer with bambustudio:// links so that Orca can open " -#~ "models from makerworld.com" -#~ msgstr "" -#~ "Associer OrcaSlicer aux liens bambustudio:// afin qu’Orca puisse ouvrir " -#~ "des modèles provenant de makerworld.com" +#~ msgid "Associate OrcaSlicer with bambustudio:// links so that Orca can open models from makerworld.com" +#~ msgstr "Associer OrcaSlicer aux liens bambustudio:// afin qu’Orca puisse ouvrir des modèles provenant de makerworld.com" #~ msgid "Associate cura://" #~ msgstr "Associer cura://" -#~ msgid "" -#~ "Associate OrcaSlicer with cura:// links so that Orca can open models from " -#~ "thingiverse.com" -#~ msgstr "" -#~ "Associer OrcaSlicer aux liens cura:// pour qu’Orca puisse ouvrir les " -#~ "modèles de thingiverse.com" +#~ msgid "Associate OrcaSlicer with cura:// links so that Orca can open models from thingiverse.com" +#~ msgstr "Associer OrcaSlicer aux liens cura:// pour qu’Orca puisse ouvrir les modèles de thingiverse.com" #~ msgid "Internel error" #~ msgstr "Erreur interne" -#~ msgid "" -#~ "File size exceeds the 100MB upload limit. Please upload your file through " -#~ "the panel." -#~ msgstr "" -#~ "La taille du fichier dépasse la limite de téléchargement de 100 Mo. " -#~ "Veuillez télécharger votre fichier via le panneau." +#~ msgid "File size exceeds the 100MB upload limit. Please upload your file through the panel." +#~ msgstr "La taille du fichier dépasse la limite de téléchargement de 100 Mo. Veuillez télécharger votre fichier via le panneau." #~ msgid "Please input a valid value (K in 0~0.3)" #~ msgstr "Veuillez saisir une valeur valide (K entre 0 et 0,3)" #~ msgid "Please input a valid value (K in 0~0.3, N in 0.6~2.0)" -#~ msgstr "" -#~ "Veuillez saisir une valeur valide (K entre 0 et 0,3, N entre 0,6 et 2,0)." +#~ msgstr "Veuillez saisir une valeur valide (K entre 0 et 0,3, N entre 0,6 et 2,0)." #~ msgid "Select connected printetrs (0/6)" #~ msgstr "Sélectionner les imprimantes connectées (0/6)" @@ -17872,71 +13972,28 @@ msgstr "" #~ msgid "" #~ "Please find the details of Flow Dynamics Calibration from our wiki.\n" #~ "\n" -#~ "Usually the calibration is unnecessary. When you start a single color/" -#~ "material print, with the \"flow dynamics calibration\" option checked in " -#~ "the print start menu, the printer will follow the old way, calibrate the " -#~ "filament before the print; When you start a multi color/material print, " -#~ "the printer will use the default compensation parameter for the filament " -#~ "during every filament switch which will have a good result in most " -#~ "cases.\n" +#~ "Usually the calibration is unnecessary. When you start a single color/material print, with the \"flow dynamics calibration\" option checked in the print start menu, the printer will follow the old way, calibrate the filament before the print; When you start a multi color/material print, the printer will use the default compensation parameter for the filament during every filament switch which will have a good result in most cases.\n" #~ "\n" -#~ "Please note there are a few cases that will make the calibration result " -#~ "not reliable: using a texture plate to do the calibration; the build " -#~ "plate does not have good adhesion (please wash the build plate or apply " -#~ "gluestick!) ...You can find more from our wiki.\n" +#~ "Please note there are a few cases that will make the calibration result not reliable: using a texture plate to do the calibration; the build plate does not have good adhesion (please wash the build plate or apply gluestick!) ...You can find more from our wiki.\n" #~ "\n" -#~ "The calibration results have about 10 percent jitter in our test, which " -#~ "may cause the result not exactly the same in each calibration. We are " -#~ "still investigating the root cause to do improvements with new updates." +#~ "The calibration results have about 10 percent jitter in our test, which may cause the result not exactly the same in each calibration. We are still investigating the root cause to do improvements with new updates." #~ msgstr "" -#~ "Veuillez trouver les détails de la calibration dynamique du débit sur " -#~ "notre Wiki.\n" +#~ "Veuillez trouver les détails de la calibration dynamique du débit sur notre Wiki.\n" #~ "\n" -#~ "Habituellement, la calibration est inutile. Lorsque vous démarrez une " -#~ "impression d'une seule couleur/matériau, avec l'option \"Calibration du " -#~ "débit\" cochée dans le menu de démarrage de l'impression, l'imprimante " -#~ "suivra l'ancienne méthode de calibration du filament avant l'impression.\n" -#~ "Lorsque vous démarrez une impression multi-couleurs/matériaux, " -#~ "l'imprimante utilise le paramètre de compensation par défaut pour le " -#~ "filament lors de chaque changement de filament, ce qui donne un bon " -#~ "résultat dans la plupart des cas.\n" +#~ "Habituellement, la calibration est inutile. Lorsque vous démarrez une impression d'une seule couleur/matériau, avec l'option \"Calibration du débit\" cochée dans le menu de démarrage de l'impression, l'imprimante suivra l'ancienne méthode de calibration du filament avant l'impression.\n" +#~ "Lorsque vous démarrez une impression multi-couleurs/matériaux, l'imprimante utilise le paramètre de compensation par défaut pour le filament lors de chaque changement de filament, ce qui donne un bon résultat dans la plupart des cas.\n" #~ "\n" -#~ "Veuillez noter qu'il y a quelques cas qui rendront le résultat de " -#~ "calibration non fiable : utiliser un plateau texturé pour faire la " -#~ "calibration, utiliser un plateau qui n'a pas une bonne adhérence " -#~ "(veuillez dans ce cas laver la plaque de construction ou appliquer de la " -#~ "colle)… Vous pouvez trouver d'autres cas sur notre Wiki.\n" -#~ "Veuillez noter qu'il y a quelques cas qui rendront le résultat de " -#~ "calibration non fiable : utiliser un plateau texturé pour faire la " -#~ "calibration, utiliser un plateau qui n'a pas une bonne adhérence " -#~ "(veuillez dans ce cas laver la plaque de construction ou appliquer de la " -#~ "colle)… Vous pouvez trouver d'autres cas sur notre Wiki.\n" +#~ "Veuillez noter qu'il y a quelques cas qui rendront le résultat de calibration non fiable : utiliser un plateau texturé pour faire la calibration, utiliser un plateau qui n'a pas une bonne adhérence (veuillez dans ce cas laver la plaque de construction ou appliquer de la colle)… Vous pouvez trouver d'autres cas sur notre Wiki.\n" +#~ "Veuillez noter qu'il y a quelques cas qui rendront le résultat de calibration non fiable : utiliser un plateau texturé pour faire la calibration, utiliser un plateau qui n'a pas une bonne adhérence (veuillez dans ce cas laver la plaque de construction ou appliquer de la colle)… Vous pouvez trouver d'autres cas sur notre Wiki.\n" #~ "\n" -#~ "Les résultats de calibration ont environ 10 % d'écart dans nos tests, ce " -#~ "qui peut faire en sorte que le résultat ne soit pas exactement le même à " -#~ "chaque calibration. Nous enquêtons toujours sur la cause première pour " -#~ "apporter des améliorations avec de nouvelles mises à jour.Les résultats " -#~ "de calibration ont environ 10 % d'écart dans nos tests, ce qui peut faire " -#~ "en sorte que le résultat ne soit pas exactement le même à chaque " -#~ "calibration. Nous enquêtons toujours sur la cause première pour apporter " -#~ "des améliorations avec de nouvelles mises à jour." +#~ "Les résultats de calibration ont environ 10 % d'écart dans nos tests, ce qui peut faire en sorte que le résultat ne soit pas exactement le même à chaque calibration. Nous enquêtons toujours sur la cause première pour apporter des améliorations avec de nouvelles mises à jour.Les résultats de calibration ont environ 10 % d'écart dans nos tests, ce qui peut faire en sorte que le résultat ne soit pas exactement le même à chaque calibration. Nous enquêtons toujours sur la cause première pour apporter des améliorations avec de nouvelles mises à jour." -#~ msgid "" -#~ "Only one of the results with the same name will be saved. Are you sure " -#~ "you want to overrides the other results?" -#~ msgstr "" -#~ "Un seul des résultats portant le même nom sera enregistré. Voulez-vous " -#~ "vraiment remplacer les autres résultats ?" +#~ msgid "Only one of the results with the same name will be saved. Are you sure you want to overrides the other results?" +#~ msgstr "Un seul des résultats portant le même nom sera enregistré. Voulez-vous vraiment remplacer les autres résultats ?" #, c-format, boost-format -#~ msgid "" -#~ "There is already a historical calibration result with the same name: %s. " -#~ "Only one of the results with the same name is saved. Are you sure you " -#~ "want to overrides the historical result?" -#~ msgstr "" -#~ "Il existe déjà un résultat de calibration portant le même nom : %s. Un " -#~ "seul des résultats portant le même nom est enregistré. Voulez-vous " -#~ "vraiment remplacer le résultat précédent ?" +#~ msgid "There is already a historical calibration result with the same name: %s. Only one of the results with the same name is saved. Are you sure you want to overrides the historical result?" +#~ msgstr "Il existe déjà un résultat de calibration portant le même nom : %s. Un seul des résultats portant le même nom est enregistré. Voulez-vous vraiment remplacer le résultat précédent ?" #~ msgid "Please find the cornor with perfect degree of extrusion" #~ msgstr "Veuillez trouver le coin avec un degré d’extrusion parfait" @@ -17947,33 +14004,17 @@ msgstr "" #~ msgid "Y" #~ msgstr "Y" -#~ msgid "" -#~ "Associate OrcaSlicer with prusaslicer:// links so that Orca can open " -#~ "PrusaSlicer links from Printable.com" -#~ msgstr "" -#~ "Associer OrcaSlicer aux liens prusaslicer:// pour qu’Orca puisse ouvrir " -#~ "les liens PrusaSlicer de Printable.com" +#~ msgid "Associate OrcaSlicer with prusaslicer:// links so that Orca can open PrusaSlicer links from Printable.com" +#~ msgstr "Associer OrcaSlicer aux liens prusaslicer:// pour qu’Orca puisse ouvrir les liens PrusaSlicer de Printable.com" #~ msgid "" -#~ "Order of wall/infill. When the tickbox is unchecked the walls are printed " -#~ "first, which works best in most cases.\n" +#~ "Order of wall/infill. When the tickbox is unchecked the walls are printed first, which works best in most cases.\n" #~ "\n" -#~ "Printing walls first may help with extreme overhangs as the walls have " -#~ "the neighbouring infill to adhere to. However, the infill will slighly " -#~ "push out the printed walls where it is attached to them, resulting in a " -#~ "worse external surface finish. It can also cause the infill to shine " -#~ "through the external surfaces of the part." +#~ "Printing walls first may help with extreme overhangs as the walls have the neighbouring infill to adhere to. However, the infill will slighly push out the printed walls where it is attached to them, resulting in a worse external surface finish. It can also cause the infill to shine through the external surfaces of the part." #~ msgstr "" -#~ "Ordre des parois/remplissages. Lorsque la case n’est pas cochée, les " -#~ "parois sont imprimées en premier, ce qui fonctionne le mieux dans la " -#~ "plupart des cas.\n" +#~ "Ordre des parois/remplissages. Lorsque la case n’est pas cochée, les parois sont imprimées en premier, ce qui fonctionne le mieux dans la plupart des cas.\n" #~ "\n" -#~ "L’impression des parois en premier peut s’avérer utile en cas de " -#~ "surplombs extrêmes, car les parois ont le remplissage voisin auquel " -#~ "adhérer. Cependant, le remplissage repoussera légèrement les parois " -#~ "imprimées à l’endroit où il est fixé, ce qui se traduira par une moins " -#~ "bonne finition de la surface extérieure. Cela peut également faire " -#~ "briller le remplissage à travers les surfaces externes de la pièce." +#~ "L’impression des parois en premier peut s’avérer utile en cas de surplombs extrêmes, car les parois ont le remplissage voisin auquel adhérer. Cependant, le remplissage repoussera légèrement les parois imprimées à l’endroit où il est fixé, ce qui se traduira par une moins bonne finition de la surface extérieure. Cela peut également faire briller le remplissage à travers les surfaces externes de la pièce." #~ msgid "V" #~ msgstr "V" @@ -17982,69 +14023,27 @@ msgstr "" #~ msgstr "Vitesse d’impression maximale lors de la purge" #~ msgid "" -#~ "The maximum print speed when purging in the wipe tower. If the sparse " -#~ "infill speed or calculated speed from the filament max volumetric speed " -#~ "is lower, the lowest speed will be used instead.\n" -#~ "Increasing this speed may affect the tower's stability, as purging can be " -#~ "performed over sparse layers. Before increasing this parameter beyond the " -#~ "default of 90mm/sec, make sure your printer can reliably bridge at the " -#~ "increased speeds." +#~ "The maximum print speed when purging in the wipe tower. If the sparse infill speed or calculated speed from the filament max volumetric speed is lower, the lowest speed will be used instead.\n" +#~ "Increasing this speed may affect the tower's stability, as purging can be performed over sparse layers. Before increasing this parameter beyond the default of 90mm/sec, make sure your printer can reliably bridge at the increased speeds." #~ msgstr "" -#~ "Vitesse d’impression maximale lors de la purge dans la tour d’essuyage. " -#~ "Si la vitesse de remplissage ou la vitesse calculée à partir de la " -#~ "vitesse volumétrique maximale du filament est inférieure, c’est la " -#~ "vitesse la plus basse qui sera utilisée.\n" -#~ "L’augmentation de cette vitesse peut affecter la stabilité de la tour, " -#~ "car la purge peut être effectuée sur des couches peu épaisses. Avant " -#~ "d’augmenter ce paramètre au-delà de la valeur par défaut de 90 mm/sec, " -#~ "assurez-vous que votre imprimante peut effectuer un pontage fiable aux " -#~ "vitesses accrues." +#~ "Vitesse d’impression maximale lors de la purge dans la tour d’essuyage. Si la vitesse de remplissage ou la vitesse calculée à partir de la vitesse volumétrique maximale du filament est inférieure, c’est la vitesse la plus basse qui sera utilisée.\n" +#~ "L’augmentation de cette vitesse peut affecter la stabilité de la tour, car la purge peut être effectuée sur des couches peu épaisses. Avant d’augmenter ce paramètre au-delà de la valeur par défaut de 90 mm/sec, assurez-vous que votre imprimante peut effectuer un pontage fiable aux vitesses accrues." -#~ msgid "" -#~ "Orca Slicer is based on BambuStudio by Bambulab, which is from " -#~ "PrusaSlicer by Prusa Research. PrusaSlicer is from Slic3r by Alessandro " -#~ "Ranellucci and the RepRap community" -#~ msgstr "" -#~ "Orca Slicer est basé sur Bambu Studio de Bambulab qui a été développé sur " -#~ "la base de PrusaSlicer de Prusa Research, qui est lui même développé sur " -#~ "la base de Slic3r par Alessandro Ranelucci et la communauté RepRap" +#~ msgid "Orca Slicer is based on BambuStudio by Bambulab, which is from PrusaSlicer by Prusa Research. PrusaSlicer is from Slic3r by Alessandro Ranellucci and the RepRap community" +#~ msgstr "Orca Slicer est basé sur Bambu Studio de Bambulab qui a été développé sur la base de PrusaSlicer de Prusa Research, qui est lui même développé sur la base de Slic3r par Alessandro Ranelucci et la communauté RepRap" #~ msgid "Export &Configs" #~ msgstr "Exportation & Configs" -#~ msgid "" -#~ "Over 4 systems/handy are using remote access, you can close some and try " -#~ "again." -#~ msgstr "" -#~ "Plus de 4 orca/handy utilisent l’accès à distance, vous pouvez en fermer " -#~ "certains et réessayer." +#~ msgid "Over 4 systems/handy are using remote access, you can close some and try again." +#~ msgstr "Plus de 4 orca/handy utilisent l’accès à distance, vous pouvez en fermer certains et réessayer." #, c-format, boost-format -#~ msgid "" -#~ "Infill area is enlarged slightly to overlap with wall for better bonding. " -#~ "The percentage value is relative to line width of sparse infill. Set this " -#~ "value to ~10-15%% to minimize potential over extrusion and accumulation " -#~ "of material resulting in rough top surfaces." -#~ msgstr "" -#~ "La zone de remplissage est légèrement élargie pour chevaucher la paroi " -#~ "afin d’améliorer l’adhérence. La valeur du pourcentage est relative à la " -#~ "largeur de la ligne de remplissage clairsemée. Réglez cette valeur à " -#~ "~10-15%% pour minimiser le risque de sur-extrusion et d’accumulation de " -#~ "matériau, ce qui rendrait les surfaces supérieures rugueuses." +#~ msgid "Infill area is enlarged slightly to overlap with wall for better bonding. The percentage value is relative to line width of sparse infill. Set this value to ~10-15%% to minimize potential over extrusion and accumulation of material resulting in rough top surfaces." +#~ msgstr "La zone de remplissage est légèrement élargie pour chevaucher la paroi afin d’améliorer l’adhérence. La valeur du pourcentage est relative à la largeur de la ligne de remplissage clairsemée. Réglez cette valeur à ~10-15%% pour minimiser le risque de sur-extrusion et d’accumulation de matériau, ce qui rendrait les surfaces supérieures rugueuses." -#~ msgid "" -#~ "Top solid infill area is enlarged slightly to overlap with wall for " -#~ "better bonding and to minimize the appearance of pinholes where the top " -#~ "infill meets the walls. A value of 25-30%% is a good starting point, " -#~ "minimising the appearance of pinholes. The percentage value is relative " -#~ "to line width of sparse infill" -#~ msgstr "" -#~ "La zone de remplissage solide supérieure est légèrement élargie pour " -#~ "chevaucher la paroi afin d’améliorer l’adhérence et de minimiser " -#~ "l’apparition de trous d’épingle à l’endroit où le remplissage supérieur " -#~ "rencontre les parois. Une valeur de 25-30%% est un bon point de départ, " -#~ "minimisant l’apparition de trous d’épingle. La valeur en pourcentage est " -#~ "relative à la largeur de ligne d’un remplissage peu dense." +#~ msgid "Top solid infill area is enlarged slightly to overlap with wall for better bonding and to minimize the appearance of pinholes where the top infill meets the walls. A value of 25-30%% is a good starting point, minimising the appearance of pinholes. The percentage value is relative to line width of sparse infill" +#~ msgstr "La zone de remplissage solide supérieure est légèrement élargie pour chevaucher la paroi afin d’améliorer l’adhérence et de minimiser l’apparition de trous d’épingle à l’endroit où le remplissage supérieur rencontre les parois. Une valeur de 25-30%% est un bon point de départ, minimisant l’apparition de trous d’épingle. La valeur en pourcentage est relative à la largeur de ligne d’un remplissage peu dense." #~ msgid "Export Configs" #~ msgstr "Exporter les configurations" @@ -18052,21 +14051,11 @@ msgstr "" #~ msgid "Infill direction" #~ msgstr "Sens de remplissage" -#~ msgid "" -#~ "Enable this to get a G-code file which has G2 and G3 moves. And the " -#~ "fitting tolerance is same with resolution" -#~ msgstr "" -#~ "Activez cette option pour obtenir un fichier G-code contenant des " -#~ "mouvements G2 et G3. Et la tolérance d'ajustement est la même avec la " -#~ "résolution" +#~ msgid "Enable this to get a G-code file which has G2 and G3 moves. And the fitting tolerance is same with resolution" +#~ msgstr "Activez cette option pour obtenir un fichier G-code contenant des mouvements G2 et G3. Et la tolérance d'ajustement est la même avec la résolution" -#~ msgid "" -#~ "Infill area is enlarged slightly to overlap with wall for better bonding. " -#~ "The percentage value is relative to line width of sparse infill" -#~ msgstr "" -#~ "La zone de remplissage est légèrement agrandie pour chevaucher la paroi " -#~ "afin d'améliorer l'adhérence. La valeur en pourcentage est relative à la " -#~ "largeur de ligne de remplissage." +#~ msgid "Infill area is enlarged slightly to overlap with wall for better bonding. The percentage value is relative to line width of sparse infill" +#~ msgstr "La zone de remplissage est légèrement agrandie pour chevaucher la paroi afin d'améliorer l'adhérence. La valeur en pourcentage est relative à la largeur de ligne de remplissage." #~ msgid "Actions For Unsaved Changes" #~ msgstr "Actions pour les changements non enregistrés" @@ -18095,28 +14084,20 @@ msgstr "" #~ msgid "" #~ "\n" -#~ "Would you like to keep these changed settings(modified value) after " -#~ "switching preset?" +#~ "Would you like to keep these changed settings(modified value) after switching preset?" #~ msgstr "" #~ "\n" -#~ "Souhaitez-vous conserver ces paramètres modifiés (valeur modifiée) après " -#~ "avoir changé de préréglage ?" +#~ "Souhaitez-vous conserver ces paramètres modifiés (valeur modifiée) après avoir changé de préréglage ?" -#~ msgid "" -#~ "You have previously modified your settings and are about to overwrite " -#~ "them with new ones." -#~ msgstr "" -#~ "Vous avez précédemment modifié vos paramètres et vous êtes sur le point " -#~ "de les remplacer par de nouveaux." +#~ msgid "You have previously modified your settings and are about to overwrite them with new ones." +#~ msgstr "Vous avez précédemment modifié vos paramètres et vous êtes sur le point de les remplacer par de nouveaux." #~ msgid "" #~ "\n" -#~ "Do you want to keep your current modified settings, or use preset " -#~ "settings?" +#~ "Do you want to keep your current modified settings, or use preset settings?" #~ msgstr "" #~ "\n" -#~ "Souhaitez-vous conserver vos paramètres modifiés actuels ou utiliser des " -#~ "paramètres prédéfinis ?" +#~ "Souhaitez-vous conserver vos paramètres modifiés actuels ou utiliser des paramètres prédéfinis ?" #~ msgid "" #~ "\n" @@ -18128,12 +14109,8 @@ msgstr "" #~ msgid "Unload Filament" #~ msgstr "Déchargement" -#~ msgid "" -#~ "Choose an AMS slot then press \"Load\" or \"Unload\" button to " -#~ "automatically load or unload filiament." -#~ msgstr "" -#~ "Choisissez un emplacement AMS puis appuyez sur le bouton correspondant " -#~ "pour Charger ou Décharger le filament." +#~ msgid "Choose an AMS slot then press \"Load\" or \"Unload\" button to automatically load or unload filiament." +#~ msgstr "Choisissez un emplacement AMS puis appuyez sur le bouton correspondant pour Charger ou Décharger le filament." #~ msgid "MC" #~ msgstr "MC" @@ -18162,12 +14139,8 @@ msgstr "" #~ msgid "New Flow Dynamics Calibration" #~ msgstr "Nouvelle calibration de la dynamique du flux" -#~ msgid "" -#~ "The 3mf file version is in Beta and it is newer than the current " -#~ "OrcaSlicer version." -#~ msgstr "" -#~ "La version du fichier 3mf est en Beta et est plus récente que la version " -#~ "actuelle d’OrcaSlicer." +#~ msgid "The 3mf file version is in Beta and it is newer than the current OrcaSlicer version." +#~ msgstr "La version du fichier 3mf est en Beta et est plus récente que la version actuelle d’OrcaSlicer." #~ msgid "active" #~ msgstr "actif" @@ -18178,43 +14151,20 @@ msgstr "" #~ msgid "Cabin humidity" #~ msgstr "Humidité dans l'AMS" -#~ msgid "" -#~ "Green means that AMS humidity is normal, orange represent humidity is " -#~ "high, red represent humidity is too high.(Hygrometer: lower the better.)" -#~ msgstr "" -#~ "Le vert signifie que l'humidité de l'AMS est normale, l'orange signifie " -#~ "que l'humidité est élevée et le rouge signifie que l'humidité est trop " -#~ "élevée. (Hygromètre : plus c'est bas, mieux c'est.)" +#~ msgid "Green means that AMS humidity is normal, orange represent humidity is high, red represent humidity is too high.(Hygrometer: lower the better.)" +#~ msgstr "Le vert signifie que l'humidité de l'AMS est normale, l'orange signifie que l'humidité est élevée et le rouge signifie que l'humidité est trop élevée. (Hygromètre : plus c'est bas, mieux c'est.)" #~ msgid "Desiccant status" #~ msgstr "État du déshydratant" -#~ msgid "" -#~ "A desiccant status lower than two bars indicates that desiccant may be " -#~ "inactive. Please change the desiccant.(The bars: higher the better.)" -#~ msgstr "" -#~ "Un état du dessicateur inférieur à deux barres indique que le dessicateur " -#~ "est peut-être inactif. Veuillez changer le déshydratant. (Plus c'est " -#~ "élevé, mieux c'est.)" +#~ msgid "A desiccant status lower than two bars indicates that desiccant may be inactive. Please change the desiccant.(The bars: higher the better.)" +#~ msgstr "Un état du dessicateur inférieur à deux barres indique que le dessicateur est peut-être inactif. Veuillez changer le déshydratant. (Plus c'est élevé, mieux c'est.)" -#~ msgid "" -#~ "Note: When the lid is open or the desiccant pack is changed, it can take " -#~ "hours or a night to absorb the moisture. Low temperatures also slow down " -#~ "the process. During this time, the indicator may not represent the " -#~ "chamber accurately." -#~ msgstr "" -#~ "Remarque: Lorsque le couvercle est ouvert ou que le sachet de dessicateur " -#~ "est changé, cela peut prendre plusieurs heures ou une nuit pour absorber " -#~ "l'humidité. Les basses températures ralentissent également le processus. " -#~ "Pendant ce temps, l'indicateur pourrait ne pas représenter l'humidité " -#~ "dans l'AMS avec précision." +#~ msgid "Note: When the lid is open or the desiccant pack is changed, it can take hours or a night to absorb the moisture. Low temperatures also slow down the process. During this time, the indicator may not represent the chamber accurately." +#~ msgstr "Remarque: Lorsque le couvercle est ouvert ou que le sachet de dessicateur est changé, cela peut prendre plusieurs heures ou une nuit pour absorber l'humidité. Les basses températures ralentissent également le processus. Pendant ce temps, l'indicateur pourrait ne pas représenter l'humidité dans l'AMS avec précision." -#~ msgid "" -#~ "Note: if new filament is inserted during printing, the AMS will not " -#~ "automatically read any information until printing is completed." -#~ msgstr "" -#~ "Remarque : si un nouveau filament est inséré pendant l'impression, l'AMS " -#~ "ne lira automatiquement aucune information avant la fin de l'impression." +#~ msgid "Note: if new filament is inserted during printing, the AMS will not automatically read any information until printing is completed." +#~ msgstr "Remarque : si un nouveau filament est inséré pendant l'impression, l'AMS ne lira automatiquement aucune information avant la fin de l'impression." #, boost-format #~ msgid "Succeed to export G-code to %1%" @@ -18226,22 +14176,17 @@ msgstr "" #~ msgid "Initialize failed (No Camera Device)!" #~ msgstr "L'initialisation a échoué (Pas de caméra)!" -#~ msgid "" -#~ "Printer is busy downloading, Please wait for the downloading to finish." -#~ msgstr "" -#~ "L'imprimante est occupée à télécharger, veuillez attendre la fin du " -#~ "téléchargement." +#~ msgid "Printer is busy downloading, Please wait for the downloading to finish." +#~ msgstr "L'imprimante est occupée à télécharger, veuillez attendre la fin du téléchargement." #~ msgid "Initialize failed (Not supported on the current printer version)!" -#~ msgstr "" -#~ "Échec de l'initialisation (non pris en charge par l'imprimante actuelle) !" +#~ msgstr "Échec de l'initialisation (non pris en charge par l'imprimante actuelle) !" #~ msgid "Initialize failed (Not accessible in LAN-only mode)!" #~ msgstr "L'initialisation a échoué (Non accessible en mode LAN uniquement) !" #~ msgid "Initialize failed (Missing LAN ip of printer)!" -#~ msgstr "" -#~ "Échec de l'initialisation (adresse IP réseau manquante de l'imprimante) !" +#~ msgstr "Échec de l'initialisation (adresse IP réseau manquante de l'imprimante) !" #, c-format, boost-format #~ msgid "Stopped [%d]!" @@ -18260,8 +14205,7 @@ msgstr "" #~ msgstr "Échec du chargement [%d]" #~ msgid "Failed to fetching model infomations from printer." -#~ msgstr "" -#~ "Impossible de récupérer les informations du modèle depuis l'imprimante." +#~ msgstr "Impossible de récupérer les informations du modèle depuis l'imprimante." #~ msgid "Failed to parse model infomations." #~ msgstr "Impossible d'analyser les informations du modèle." @@ -18272,46 +14216,33 @@ msgstr "" #~ msgid "File not exists." #~ msgstr "Le fichier n'existe pas." -#~ msgid "" -#~ "Unable to perform boolean operation on model meshes. Only positive parts " -#~ "will be exported." -#~ msgstr "" -#~ "Impossible d'effectuer une opération booléenne sur les maillages du " -#~ "modèle. Seules les parties positives seront exportées." +#~ msgid "Unable to perform boolean operation on model meshes. Only positive parts will be exported." +#~ msgstr "Impossible d'effectuer une opération booléenne sur les maillages du modèle. Seules les parties positives seront exportées." #, boost-format #~ msgid "" #~ "You have changed some settings of preset \"%1%\". \n" -#~ "Would you like to keep these changed settings (new value) after switching " -#~ "preset?" +#~ "Would you like to keep these changed settings (new value) after switching preset?" #~ msgstr "" #~ "Vous avez modifié certains paramètres du préréglage \"%1%\". \n" -#~ "Souhaitez-vous conserver ces paramètres modifiés (nouvelle valeur) après " -#~ "avoir changé de préréglage ?" +#~ "Souhaitez-vous conserver ces paramètres modifiés (nouvelle valeur) après avoir changé de préréglage ?" #~ msgid "" #~ "You have changed some preset settings. \n" -#~ "Would you like to keep these changed settings (new value) after switching " -#~ "preset?" +#~ "Would you like to keep these changed settings (new value) after switching preset?" #~ msgstr "" #~ "Vous avez modifié certains paramètres prédéfinis. \n" -#~ "Souhaitez-vous conserver ces paramètres modifiés (nouvelle valeur) après " -#~ "avoir changé de préréglage ?" +#~ "Souhaitez-vous conserver ces paramètres modifiés (nouvelle valeur) après avoir changé de préréglage ?" #~ msgid " ℃" #~ msgstr " ℃" #~ msgid "" #~ "Please go to filament setting to edit your presets if you need.\n" -#~ "Please note that nozzle temperature, hot bed temperature, and maximum " -#~ "volumetric speed have a significant impact on printing quality. Please " -#~ "set them carefully." +#~ "Please note that nozzle temperature, hot bed temperature, and maximum volumetric speed have a significant impact on printing quality. Please set them carefully." #~ msgstr "" -#~ "Si vous le souhaitez, vous pouvez modifier vos préréglages dans les " -#~ "paramètres du filament.\n" -#~ "Veuillez noter que la température de la buse, la température du plateau " -#~ "et la vitesse volumétrique maximale ont un impact significatif sur la " -#~ "qualité de l’impression. Veuillez les régler avec soin." +#~ "Si vous le souhaitez, vous pouvez modifier vos préréglages dans les paramètres du filament.\n" +#~ "Veuillez noter que la température de la buse, la température du plateau et la vitesse volumétrique maximale ont un impact significatif sur la qualité de l’impression. Veuillez les régler avec soin." #~ msgid "Studio Version:" #~ msgstr "Version de Studio :" @@ -18353,64 +14284,40 @@ msgstr "" #~ msgstr "Test de l’envoi du stockage" #~ msgid "" -#~ "The speed setting exceeds the printer's maximum speed " -#~ "(machine_max_speed_x/machine_max_speed_y).\n" -#~ "Orca will automatically cap the print speed to ensure it doesn't surpass " -#~ "the printer's capabilities.\n" -#~ "You can adjust the maximum speed setting in your printer's configuration " -#~ "to get higher speeds." +#~ "The speed setting exceeds the printer's maximum speed (machine_max_speed_x/machine_max_speed_y).\n" +#~ "Orca will automatically cap the print speed to ensure it doesn't surpass the printer's capabilities.\n" +#~ "You can adjust the maximum speed setting in your printer's configuration to get higher speeds." #~ msgstr "" -#~ "Le réglage de la vitesse dépasse la vitesse maximale de l’imprimante " -#~ "(machine_max_speed_x/machine_max_speed_y).\n" -#~ "Orca plafonne automatiquement la vitesse d’impression pour s’assurer " -#~ "qu’elle ne dépasse pas les capacités de l’imprimante.\n" -#~ "Vous pouvez ajuster le paramètre de vitesse maximale dans la " -#~ "configuration de votre imprimante pour obtenir des vitesses plus élevées." +#~ "Le réglage de la vitesse dépasse la vitesse maximale de l’imprimante (machine_max_speed_x/machine_max_speed_y).\n" +#~ "Orca plafonne automatiquement la vitesse d’impression pour s’assurer qu’elle ne dépasse pas les capacités de l’imprimante.\n" +#~ "Vous pouvez ajuster le paramètre de vitesse maximale dans la configuration de votre imprimante pour obtenir des vitesses plus élevées." -#~ msgid "" -#~ "Alternate extra wall only works with ensure vertical shell thickness " -#~ "disabled. " -#~ msgstr "" -#~ "La paroi supplémentaire alternée ne fonctionne que si « Assurer " -#~ "l’épaisseur verticale de la coque » est désactivé. " +#~ msgid "Alternate extra wall only works with ensure vertical shell thickness disabled. " +#~ msgstr "La paroi supplémentaire alternée ne fonctionne que si « Assurer l’épaisseur verticale de la coque » est désactivé. " #~ msgid "" #~ "Change these settings automatically? \n" -#~ "Yes - Disable ensure vertical shell thickness and enable alternate extra " -#~ "wall\n" +#~ "Yes - Disable ensure vertical shell thickness and enable alternate extra wall\n" #~ "No - Dont use alternate extra wall" #~ msgstr "" #~ "Modifier ces paramètres automatiquement ? \n" -#~ "Oui - Désactiver « Assurer l’épaisseur verticale de la coque » et activer " -#~ "« Paroi supplémentaire alternée »\n" +#~ "Oui - Désactiver « Assurer l’épaisseur verticale de la coque » et activer « Paroi supplémentaire alternée »\n" #~ "Non - Ne pas utiliser « Paroi supplémentaire alternée »" -#~ msgid "" -#~ "Add solid infill near sloping surfaces to guarantee the vertical shell " -#~ "thickness (top+bottom solid layers)" -#~ msgstr "" -#~ "Ajoutez du remplissage solide à proximité des surfaces inclinées pour " -#~ "garantir l'épaisseur verticale de la coque (couches solides " -#~ "supérieure+inférieure)." +#~ msgid "Add solid infill near sloping surfaces to guarantee the vertical shell thickness (top+bottom solid layers)" +#~ msgstr "Ajoutez du remplissage solide à proximité des surfaces inclinées pour garantir l'épaisseur verticale de la coque (couches solides supérieure+inférieure)." #~ msgid "Further reduce solid infill on walls (beta)" #~ msgstr "Réduire davantage le remplissage solide des parois (expérimental)" #~ msgid "" -#~ "Further reduces any solid infill applied to walls. As there will be very " -#~ "limited infill supporting solid surfaces, make sure that you are using " -#~ "adequate number of walls to support the part on sloping surfaces.\n" +#~ "Further reduces any solid infill applied to walls. As there will be very limited infill supporting solid surfaces, make sure that you are using adequate number of walls to support the part on sloping surfaces.\n" #~ "\n" -#~ "For heavily sloped surfaces this option is not suitable as it will " -#~ "generate too thin of a top layer and should be disabled." +#~ "For heavily sloped surfaces this option is not suitable as it will generate too thin of a top layer and should be disabled." #~ msgstr "" -#~ "Réduit encore davantage les remplissages solides appliqués aux parois. " -#~ "Étant donné que le remplissage des surfaces solides sera très limité, " -#~ "assurez-vous que vous utilisez un nombre suffisant de parois pour " -#~ "soutenir la partie sur les surfaces inclinées.\n" +#~ "Réduit encore davantage les remplissages solides appliqués aux parois. Étant donné que le remplissage des surfaces solides sera très limité, assurez-vous que vous utilisez un nombre suffisant de parois pour soutenir la partie sur les surfaces inclinées.\n" #~ "\n" -#~ "Pour les surfaces fortement inclinées, cette option n’est pas adaptée car " -#~ "elle génère une couche supérieure trop fine et doit être désactivée." +#~ "Pour les surfaces fortement inclinées, cette option n’est pas adaptée car elle génère une couche supérieure trop fine et doit être désactivée." #~ msgid "Text-Rotate" #~ msgstr "Rotation du texte" @@ -18424,29 +14331,17 @@ msgstr "" #~ msgid "Configuration package updated to " #~ msgstr "Package de configuration mis à jour en " -#~ msgid "" -#~ "The minimum printing speed for the filament when slow down for better " -#~ "layer cooling is enabled, when printing overhangs and when feature speeds " -#~ "are not specified explicitly." -#~ msgstr "" -#~ "La vitesse d’impression minimale lors du ralentissement pour un meilleur " -#~ "refroidissement des couches est activée, lors de l’impression des " -#~ "surplombs et lorsque les fonctionnalités de vitesses ne sont pas " -#~ "spécifiées explicitement." +#~ msgid "The minimum printing speed for the filament when slow down for better layer cooling is enabled, when printing overhangs and when feature speeds are not specified explicitly." +#~ msgstr "La vitesse d’impression minimale lors du ralentissement pour un meilleur refroidissement des couches est activée, lors de l’impression des surplombs et lorsque les fonctionnalités de vitesses ne sont pas spécifiées explicitement." #~ msgid " " #~ msgstr " " #~ msgid "Small Area Infill Flow Compensation (beta)" -#~ msgstr "" -#~ "Compensation des débits de remplissage des petites zones (expérimental)" +#~ msgstr "Compensation des débits de remplissage des petites zones (expérimental)" -#~ msgid "" -#~ "Improve shell precision by adjusting outer wall spacing. This also " -#~ "improves layer consistency." -#~ msgstr "" -#~ "Améliorer la précision de la coque en ajustant l’espacement des parois " -#~ "extérieures. Cela améliore également la consistance des couches." +#~ msgid "Improve shell precision by adjusting outer wall spacing. This also improves layer consistency." +#~ msgstr "Améliorer la précision de la coque en ajustant l’espacement des parois extérieures. Cela améliore également la consistance des couches." #~ msgid "Enable Flow Compensation" #~ msgstr "Activer la compensation de débit" @@ -18464,21 +14359,10 @@ msgstr "" #~ msgstr "La configuration ne peut pas être chargée." #~ msgid "The 3mf is generated by old Orca Slicer, load geometry data only." -#~ msgstr "" -#~ "Le fichier 3mf a été généré par une ancienne version de Orca Slicer, " -#~ "chargement des données de géométrie uniquement." +#~ msgstr "Le fichier 3mf a été généré par une ancienne version de Orca Slicer, chargement des données de géométrie uniquement." -#~ msgid "" -#~ "Relative extrusion is recommended when using \"label_objects\" option." -#~ "Some extruders work better with this option unckecked (absolute extrusion " -#~ "mode). Wipe tower is only compatible with relative mode. It is always " -#~ "enabled on BambuLab printers. Default is checked" -#~ msgstr "" -#~ "L’extrusion relative est recommandée lors de l’utilisation de l’option " -#~ "\"label_objects\". Certains extrudeurs fonctionnent mieux avec cette " -#~ "option décochée (mode d’extrusion absolu). La tour d’essuyage n’est " -#~ "compatible qu’avec le mode relatif. Il est toujours activé sur les " -#~ "imprimantes BambuLab. La valeur par défaut est cochée" +#~ msgid "Relative extrusion is recommended when using \"label_objects\" option.Some extruders work better with this option unckecked (absolute extrusion mode). Wipe tower is only compatible with relative mode. It is always enabled on BambuLab printers. Default is checked" +#~ msgstr "L’extrusion relative est recommandée lors de l’utilisation de l’option \"label_objects\". Certains extrudeurs fonctionnent mieux avec cette option décochée (mode d’extrusion absolu). La tour d’essuyage n’est compatible qu’avec le mode relatif. Il est toujours activé sur les imprimantes BambuLab. La valeur par défaut est cochée" #~ msgid "Movement:" #~ msgstr "Mouvement:" @@ -18517,26 +14401,14 @@ msgstr "" #~ msgid "Recalculate" #~ msgstr "Recalculer" -#~ msgid "" -#~ "Orca recalculates your flushing volumes everytime the filament colors " -#~ "change. You can change this behavior in Preferences." -#~ msgstr "" -#~ "Orca recalcule vos volumes de purge à chaque fois que les couleurs des " -#~ "filaments changent. Vous pouvez modifier ce comportement dans les " -#~ "préférences." +#~ msgid "Orca recalculates your flushing volumes everytime the filament colors change. You can change this behavior in Preferences." +#~ msgstr "Orca recalcule vos volumes de purge à chaque fois que les couleurs des filaments changent. Vous pouvez modifier ce comportement dans les préférences." -#~ msgid "" -#~ "The printer timed out while receiving a print job. Please check if the " -#~ "network is functioning properly and send the print again." -#~ msgstr "" -#~ "L'imprimante s'est arrêtée pendant la réception d'un travail " -#~ "d'impression. Vérifiez que le réseau fonctionne correctement et relancez " -#~ "l'impression." +#~ msgid "The printer timed out while receiving a print job. Please check if the network is functioning properly and send the print again." +#~ msgstr "L'imprimante s'est arrêtée pendant la réception d'un travail d'impression. Vérifiez que le réseau fonctionne correctement et relancez l'impression." #~ msgid "The beginning of the vendor can not be a number. Please re-enter." -#~ msgstr "" -#~ "Le début du nom du vendeur ne peut pas être un numéro. Veuillez les " -#~ "saisir à nouveau." +#~ msgstr "Le début du nom du vendeur ne peut pas être un numéro. Veuillez les saisir à nouveau." #~ msgid "Edit Text" #~ msgstr "Modifier texte" @@ -18571,43 +14443,29 @@ msgstr "" #~ msgid "Quick" #~ msgstr "Rapide" -#~ msgid "" -#~ "Discribe how long the nozzle will move along the last path when retracting" -#~ msgstr "" -#~ "Décrire combien de temps la buse se déplacera le long du dernier chemin " -#~ "lors de la rétraction" +#~ msgid "Discribe how long the nozzle will move along the last path when retracting" +#~ msgstr "Décrire combien de temps la buse se déplacera le long du dernier chemin lors de la rétraction" #~ msgid "" #~ "Simplify Model\n" -#~ "Did you know that you can reduce the number of triangles in a mesh using " -#~ "the Simplify mesh feature? Right-click the model and select Simplify " -#~ "model. Read more in the documentation." +#~ "Did you know that you can reduce the number of triangles in a mesh using the Simplify mesh feature? Right-click the model and select Simplify model. Read more in the documentation." #~ msgstr "" #~ "Simplifier le modèle\n" -#~ "Saviez-vous que vous pouvez réduire le nombre de triangles dans un " -#~ "maillage à l'aide de la fonction Simplifier le maillage ? Cliquez avec le " -#~ "bouton droit sur le modèle et sélectionnez Simplifier le modèle. Pour en " -#~ "savoir plus, consultez la documentation." +#~ "Saviez-vous que vous pouvez réduire le nombre de triangles dans un maillage à l'aide de la fonction Simplifier le maillage ? Cliquez avec le bouton droit sur le modèle et sélectionnez Simplifier le modèle. Pour en savoir plus, consultez la documentation." #~ msgid "" #~ "Subtract a Part\n" -#~ "Did you know that you can subtract one mesh from another using the " -#~ "Negative part modifier? That way you can, for example, create easily " -#~ "resizable holes directly in Orca Slicer. Read more in the documentation." +#~ "Did you know that you can subtract one mesh from another using the Negative part modifier? That way you can, for example, create easily resizable holes directly in Orca Slicer. Read more in the documentation." #~ msgstr "" #~ "Soustraire une partie\n" -#~ "Saviez-vous que vous pouvez soustraire un maillage d'un autre à l'aide du " -#~ "modificateur de partie négative ? De cette façon, vous pouvez, par " -#~ "exemple, créer des trous facilement redimensionnables directement dans " -#~ "Orca Slicer. Plus d'informations dans la documentation." +#~ "Saviez-vous que vous pouvez soustraire un maillage d'un autre à l'aide du modificateur de partie négative ? De cette façon, vous pouvez, par exemple, créer des trous facilement redimensionnables directement dans Orca Slicer. Plus d'informations dans la documentation." #~ msgid "Filling bed " #~ msgstr "Remplir le plateau" #, boost-format #~ msgid "%1% infill pattern doesn't support 100%% density." -#~ msgstr "" -#~ "Le motif de remplissage %1% ne prend pas en charge une densité de 100%%." +#~ msgstr "Le motif de remplissage %1% ne prend pas en charge une densité de 100%%." #~ msgid "" #~ "Switch to rectilinear pattern?\n" @@ -18619,9 +14477,7 @@ msgstr "" #~ "Non - Réinitialise automatiquement la densité à la valeur par défaut" #~ msgid "Please heat the nozzle to above 170 degree before loading filament." -#~ msgstr "" -#~ "Veuillez chauffer la buse à plus de 170 degrés avant de charger le " -#~ "filament." +#~ msgstr "Veuillez chauffer la buse à plus de 170 degrés avant de charger le filament." #~ msgid "Show g-code window" #~ msgstr "Afficher la fenêtre G-code" @@ -18637,8 +14493,7 @@ msgstr "" #~ msgstr "Nombre de parois support arborescent" #~ msgid "This setting specify the count of walls around tree support" -#~ msgstr "" -#~ "Ce paramètre spécifie le nombre de murs autour du support arborescent" +#~ msgstr "Ce paramètre spécifie le nombre de murs autour du support arborescent" #, c-format, boost-format #~ msgid " doesn't work at 100%% density " @@ -18660,16 +14515,13 @@ msgstr "" #~ msgstr "Veuillez saisir une valeur valide (K entre 0 et 0,5)" #~ msgid "Please input a valid value (K in 0~0.5, N in 0.6~2.0)" -#~ msgstr "" -#~ "Veuillez saisir une valeur valide (K entre 0 et 0,5, N entre 0,6 et 2,0)" +#~ msgstr "Veuillez saisir une valeur valide (K entre 0 et 0,5, N entre 0,6 et 2,0)" #~ msgid "Export all objects as STL" #~ msgstr "Exporter tous les objets au format STL" #~ msgid "The 3mf is not compatible, load geometry data only!" -#~ msgstr "" -#~ "Le 3mf n'est pas compatible, chargement des données géométriques " -#~ "uniquement!" +#~ msgstr "Le 3mf n'est pas compatible, chargement des données géométriques uniquement!" #~ msgid "Incompatible 3mf" #~ msgstr "Fichier 3mf incompatible" @@ -18691,9 +14543,7 @@ msgstr "" #~ msgstr "Ordre de mur intérieur/extérieur/remplissage" #~ msgid "Print sequence of inner wall, outer wall and infill. " -#~ msgstr "" -#~ "Séquence d'impression du mur intérieur, du mur extérieur et du " -#~ "remplissage." +#~ msgstr "Séquence d'impression du mur intérieur, du mur extérieur et du remplissage." #~ msgid "inner/outer/infill" #~ msgstr "intérieur/extérieur/remplissage" @@ -18726,15 +14576,13 @@ msgstr "" #~ msgstr "Charger les données de tranchage" #~ msgid "Load cached slicing data from directory" -#~ msgstr "" -#~ "Charger les données de tranchage mises en cache à partir du répertoire" +#~ msgstr "Charger les données de tranchage mises en cache à partir du répertoire" #~ msgid "Slice" #~ msgstr "Découper" #~ msgid "Slice the plates: 0-all plates, i-plate i, others-invalid" -#~ msgstr "" -#~ "Trancher toutes les plaques : 0-toutes, i-plaque i, autres-invalides" +#~ msgstr "Trancher toutes les plaques : 0-toutes, i-plaque i, autres-invalides" #~ msgid "Show command help." #~ msgstr "Afficher l'aide de la commande." @@ -18743,9 +14591,7 @@ msgstr "" #~ msgstr "À jour" #~ msgid "Update the configs values of 3mf to latest." -#~ msgstr "" -#~ "Mettez à jour les valeurs de configuration 3mf à la version la plus " -#~ "récente." +#~ msgstr "Mettez à jour les valeurs de configuration 3mf à la version la plus récente." #~ msgid "mtcpp" #~ msgstr "mtcpp" @@ -18802,16 +14648,13 @@ msgstr "" #~ msgstr "Charger les paramètres généraux" #~ msgid "Load process/machine settings from the specified file" -#~ msgstr "" -#~ "Charger les paramètres de processus/machine à partir du fichier spécifié" +#~ msgstr "Charger les paramètres de processus/machine à partir du fichier spécifié" #~ msgid "Load Filament Settings" #~ msgstr "Charger les paramètres de filament" #~ msgid "Load filament settings from the specified file list" -#~ msgstr "" -#~ "Charger les paramètres de filament à partir de la liste de fichiers " -#~ "spécifiée" +#~ msgstr "Charger les paramètres de filament à partir de la liste de fichiers spécifiée" #~ msgid "Skip Objects" #~ msgstr "Ignorer les Objets" @@ -18828,120 +14671,71 @@ msgstr "" #~ msgid "Debug level" #~ msgstr "Niveau de débogage" -#~ msgid "" -#~ "Sets debug logging level. 0:fatal, 1:error, 2:warning, 3:info, 4:debug, 5:" -#~ "trace\n" -#~ msgstr "" -#~ "Définit le niveau de journalisation du débogage. 0 :fatal, 1 :erreur, 2 :" -#~ "avertissement, 3 :info, 4 :débogage, 5 :trace\n" +#~ msgid "Sets debug logging level. 0:fatal, 1:error, 2:warning, 3:info, 4:debug, 5:trace\n" +#~ msgstr "Définit le niveau de journalisation du débogage. 0 :fatal, 1 :erreur, 2 :avertissement, 3 :info, 4 :débogage, 5 :trace\n" #~ msgid "" #~ "3D Scene Operations\n" -#~ "Did you know how to control view and object/part selection with mouse and " -#~ "touchpanel in the 3D scene?" +#~ "Did you know how to control view and object/part selection with mouse and touchpanel in the 3D scene?" #~ msgstr "" #~ "Opérations dans une scène 3D\n" -#~ "Savez-vous comment contrôler la vue et la sélection des objets/pièces " -#~ "avec la souris et l'écran tactile dans la scène 3D ?" +#~ "Savez-vous comment contrôler la vue et la sélection des objets/pièces avec la souris et l'écran tactile dans la scène 3D ?" #~ msgid "" #~ "Fix Model\n" -#~ "Did you know that you can fix a corrupted 3D model to avoid a lot of " -#~ "slicing problems?" +#~ "Did you know that you can fix a corrupted 3D model to avoid a lot of slicing problems?" #~ msgstr "" #~ "Réparer le Modèle\n" -#~ "Saviez-vous que vous pouvez réparer un modèle 3D corrompu pour éviter de " -#~ "nombreux problèmes de découpage ?" +#~ "Saviez-vous que vous pouvez réparer un modèle 3D corrompu pour éviter de nombreux problèmes de découpage ?" #~ msgid "Embeded" #~ msgstr "Intégré" -#~ msgid "" -#~ "OrcaSlicer configuration file may be corrupted and is not abled to be " -#~ "parsed.Please delete the file and try again." -#~ msgstr "" -#~ "Le fichier de configuration de Orca Slicer est peut-être corrompu et ne " -#~ "peut pas être analysé. Veuillez supprimer le fichier et réessayer." +#~ msgid "OrcaSlicer configuration file may be corrupted and is not abled to be parsed.Please delete the file and try again." +#~ msgstr "Le fichier de configuration de Orca Slicer est peut-être corrompu et ne peut pas être analysé. Veuillez supprimer le fichier et réessayer." #~ msgid "Online Models" #~ msgstr "Modèles en ligne" #~ msgid "Show online staff-picked models on the home page" -#~ msgstr "" -#~ "Afficher les modèles en ligne sélectionnés par le staff sur la page " -#~ "d'accueil" +#~ msgstr "Afficher les modèles en ligne sélectionnés par le staff sur la page d'accueil" #~ msgid "The minimum printing speed when slow down for cooling" -#~ msgstr "" -#~ "La vitesse d'impression minimale lors du ralentissement pour le " -#~ "refroidissement" +#~ msgstr "La vitesse d'impression minimale lors du ralentissement pour le refroidissement" #~ msgid "" -#~ "There are currently no identical spare consumables available, and " -#~ "automatic replenishment is currently not possible. \n" -#~ "(Currently supporting automatic supply of consumables with the same " -#~ "brand, material type, and color)" +#~ "There are currently no identical spare consumables available, and automatic replenishment is currently not possible. \n" +#~ "(Currently supporting automatic supply of consumables with the same brand, material type, and color)" #~ msgstr "" -#~ "Il n'existe actuellement aucun consommable de rechange identique, et le " -#~ "réapprovisionnement automatique n'est actuellement pas possible. \n" -#~ "(Prise en charge actuelle de la fourniture automatique de consommables de " -#~ "la même marque, du même type de matériau et de la même couleur)" +#~ "Il n'existe actuellement aucun consommable de rechange identique, et le réapprovisionnement automatique n'est actuellement pas possible. \n" +#~ "(Prise en charge actuelle de la fourniture automatique de consommables de la même marque, du même type de matériau et de la même couleur)" #~ msgid "Invalid nozzle diameter" #~ msgstr "Diamètre de la buse non valide" -#~ msgid "" -#~ "The bed temperature exceeds filament's vitrification temperature. Please " -#~ "open the front door of printer before printing to avoid nozzle clog." -#~ msgstr "" -#~ "La température du plateau dépasse la température de vitrification du " -#~ "filament. Veuillez ouvrir la porte avant de l'imprimante avant " -#~ "l'impression pour éviter le bouchage de la buse." +#~ msgid "The bed temperature exceeds filament's vitrification temperature. Please open the front door of printer before printing to avoid nozzle clog." +#~ msgstr "La température du plateau dépasse la température de vitrification du filament. Veuillez ouvrir la porte avant de l'imprimante avant l'impression pour éviter le bouchage de la buse." #~ msgid "Temperature of vitrificaiton" #~ msgstr "Température de vitrification" -#~ msgid "" -#~ "Material becomes soft at this temperature. Thus the heatbed cannot be " -#~ "hotter than this tempature" -#~ msgstr "" -#~ "Le matériau devient mou à cette température. Ainsi, le lit chauffant ne " -#~ "peut pas être plus chaud que cette température" +#~ msgid "Material becomes soft at this temperature. Thus the heatbed cannot be hotter than this tempature" +#~ msgstr "Le matériau devient mou à cette température. Ainsi, le lit chauffant ne peut pas être plus chaud que cette température" #~ msgid "Enable this option if machine has auxiliary part cooling fan" -#~ msgstr "" -#~ "Activez cette option si la machine est équipée d'un ventilateur de " -#~ "refroidissement de pièce auxiliaire" +#~ msgstr "Activez cette option si la machine est équipée d'un ventilateur de refroidissement de pièce auxiliaire" -#~ msgid "" -#~ "Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed " -#~ "during printing except the first several layers which is defined by no " -#~ "cooling layers" -#~ msgstr "" -#~ "Vitesse du ventilateur de refroidissement de la partie auxiliaire. Le " -#~ "ventilateur auxiliaire fonctionnera à cette vitesse pendant l'impression, " -#~ "à l'exception des premières couches qui sont définies par aucune couche " -#~ "de refroidissement" +#~ msgid "Speed of auxiliary part cooling fan. Auxiliary fan will run at this speed during printing except the first several layers which is defined by no cooling layers" +#~ msgstr "Vitesse du ventilateur de refroidissement de la partie auxiliaire. Le ventilateur auxiliaire fonctionnera à cette vitesse pendant l'impression, à l'exception des premières couches qui sont définies par aucune couche de refroidissement" -#~ msgid "" -#~ "Bed temperature for layers except the initial one. Value 0 means the " -#~ "filament does not support to print on the High Temp" -#~ msgstr "" -#~ "Température du plateau de toutes les couches à l'exception de la " -#~ "première. La valeur 0 signifie que le filament ne prend pas en charge " -#~ "l'impression sur le plateau High Temperature" +#~ msgid "Bed temperature for layers except the initial one. Value 0 means the filament does not support to print on the High Temp" +#~ msgstr "Température du plateau de toutes les couches à l'exception de la première. La valeur 0 signifie que le filament ne prend pas en charge l'impression sur le plateau High Temperature" -#~ msgid "" -#~ "Filter out gaps smaller than the threshold specified. This setting won't " -#~ "affect top/bottom layers" -#~ msgstr "" -#~ "Filtrer les petits espaces au seuil spécifié. Ce paramètre n’affectera " -#~ "pas les couches supérieures/inférieures" +#~ msgid "Filter out gaps smaller than the threshold specified. This setting won't affect top/bottom layers" +#~ msgstr "Filtrer les petits espaces au seuil spécifié. Ce paramètre n’affectera pas les couches supérieures/inférieures" #~ msgid "Empty layers around bottom are replaced by nearest normal layers." -#~ msgstr "" -#~ "Les couches vides situées en bas sont remplacées par les couches normales " -#~ "les plus proches." +#~ msgstr "Les couches vides situées en bas sont remplacées par les couches normales les plus proches." #~ msgid "The model has too many empty layers." #~ msgstr "Le modèle a trop de couches vides." @@ -18957,28 +14751,18 @@ msgstr "" #, c-format, boost-format #~ msgid "" -#~ "Bed temperature of other layer is lower than bed temperature of initial " -#~ "layer for more than %d degree centigrade.\n" +#~ "Bed temperature of other layer is lower than bed temperature of initial layer for more than %d degree centigrade.\n" #~ "This may cause model broken free from build plate during printing" -#~ msgstr "" -#~ "La température du plateau des autres couches est inférieure à la " -#~ "température du plateau de la couche initiale de plus de %d degrés. Cela " -#~ "peut entraîner la séparation du modèle du plateau pendant l'impression" +#~ msgstr "La température du plateau des autres couches est inférieure à la température du plateau de la couche initiale de plus de %d degrés. Cela peut entraîner la séparation du modèle du plateau pendant l'impression" #~ msgid "" -#~ "Bed temperature is higher than vitrification temperature of this " -#~ "filament.\n" +#~ "Bed temperature is higher than vitrification temperature of this filament.\n" #~ "This may cause nozzle blocked and printing failure\n" -#~ "Please keep the printer open during the printing process to ensure air " -#~ "circulation or reduce the temperature of the hot bed" +#~ "Please keep the printer open during the printing process to ensure air circulation or reduce the temperature of the hot bed" #~ msgstr "" -#~ "La température du lit est supérieure à la température de vitrification de " -#~ "ce filament.\n" -#~ "Cela peut provoquer un blocage de la buse et une défaillance de " -#~ "l'impression.\n" -#~ "Veuillez laisser l'imprimante ouverte pendant le processus d'impression " -#~ "afin de garantir la circulation de l'air ou de réduire la température du " -#~ "plateau." +#~ "La température du lit est supérieure à la température de vitrification de ce filament.\n" +#~ "Cela peut provoquer un blocage de la buse et une défaillance de l'impression.\n" +#~ "Veuillez laisser l'imprimante ouverte pendant le processus d'impression afin de garantir la circulation de l'air ou de réduire la température du plateau." #~ msgid "Total Time Estimation" #~ msgstr "Estimation du temps total" @@ -19007,40 +14791,22 @@ msgstr "" #~ msgid "High Temp Plate" #~ msgstr "Plaque haute température" -#~ msgid "" -#~ "Bed temperature when high temperature plate is installed. Value 0 means " -#~ "the filament does not support to print on the High Temp Plate" -#~ msgstr "" -#~ "Il s'agit de la température du plateau lorsque le plateau haute " -#~ "température (\"Cool plate\") est installé. Une valeur à 0 signifie que ce " -#~ "filament ne peut pas être imprimé sur le plateau haute température." +#~ msgid "Bed temperature when high temperature plate is installed. Value 0 means the filament does not support to print on the High Temp Plate" +#~ msgstr "Il s'agit de la température du plateau lorsque le plateau haute température (\"Cool plate\") est installé. Une valeur à 0 signifie que ce filament ne peut pas être imprimé sur le plateau haute température." #~ msgid "Internal bridge support thickness" #~ msgstr "Épaisseur du support interne du pont" #, fuzzy, c-format, boost-format -#~ msgid "" -#~ "Klipper's max_accel_to_decel will be adjusted to this % of acceleration" -#~ msgstr "" -#~ "Le paramètre max_accel_to_decel de Klipper sera ajusté à ce pourcentage " -#~ "d’accélération" +#~ msgid "Klipper's max_accel_to_decel will be adjusted to this % of acceleration" +#~ msgstr "Le paramètre max_accel_to_decel de Klipper sera ajusté à ce pourcentage d’accélération" #~ msgid "" -#~ "Style and shape of the support. For normal support, projecting the " -#~ "supports into a regular grid will create more stable supports (default), " -#~ "while snug support towers will save material and reduce object scarring.\n" -#~ "For tree support, slim style will merge branches more aggressively and " -#~ "save a lot of material (default), while hybrid style will create similar " -#~ "structure to normal support under large flat overhangs." +#~ "Style and shape of the support. For normal support, projecting the supports into a regular grid will create more stable supports (default), while snug support towers will save material and reduce object scarring.\n" +#~ "For tree support, slim style will merge branches more aggressively and save a lot of material (default), while hybrid style will create similar structure to normal support under large flat overhangs." #~ msgstr "" -#~ "Style et forme du support. Pour un support normal, la projection des " -#~ "supports sur une grille régulière créera des supports plus stables (par " -#~ "défaut), tandis que des tours de support bien ajustées permettront " -#~ "d'économiser du matériau et de réduire les cicatrices sur les objets.\n" -#~ "Pour les supports Arborescent, le style mince fusionnera les branches de " -#~ "manière plus agressive et économisera beaucoup de matière (par défaut), " -#~ "tandis que le style hybride créera une structure similaire à celle d'un " -#~ "support normal placé sous de grands surplombs plats." +#~ "Style et forme du support. Pour un support normal, la projection des supports sur une grille régulière créera des supports plus stables (par défaut), tandis que des tours de support bien ajustées permettront d'économiser du matériau et de réduire les cicatrices sur les objets.\n" +#~ "Pour les supports Arborescent, le style mince fusionnera les branches de manière plus agressive et économisera beaucoup de matière (par défaut), tandis que le style hybride créera une structure similaire à celle d'un support normal placé sous de grands surplombs plats." #~ msgid "Target chamber temperature" #~ msgstr "Température cible de la chambre" @@ -19048,15 +14814,8 @@ msgstr "" #~ msgid "Bed temperature difference" #~ msgstr "Différence de température du lit" -#~ msgid "" -#~ "Do not recommend bed temperature of other layer to be lower than initial " -#~ "layer for more than this threshold. Too low bed temperature of other " -#~ "layer may cause the model broken free from build plate" -#~ msgstr "" -#~ "Il n'est pas recommandé que la température du plateau des autres couches " -#~ "soit inférieure à celle de la première couche d'un niveau supérieur à ce " -#~ "seuil. Une température de base trop basse de l'autre couche peut " -#~ "provoquer le détachement du modèle." +#~ msgid "Do not recommend bed temperature of other layer to be lower than initial layer for more than this threshold. Too low bed temperature of other layer may cause the model broken free from build plate" +#~ msgstr "Il n'est pas recommandé que la température du plateau des autres couches soit inférieure à celle de la première couche d'un niveau supérieur à ce seuil. Une température de base trop basse de l'autre couche peut provoquer le détachement du modèle." #~ msgid "Orient the model" #~ msgstr "Orienter le modèle" From 0ba4181a06ab491cd5c7c8134b34819e7cc0818d Mon Sep 17 00:00:00 2001 From: Ioannis Giannakas <59056762+igiannakas@users.noreply.github.com> Date: Wed, 28 Aug 2024 16:15:39 +0100 Subject: [PATCH 24/35] Ported filament shrinkage compensation for XY and independent Z from Prusa Slicer (fixing MMU painting, seam painting, support painting issues) (#6507) * Ported filament shrinkage compensation from Prusa Slicer. Updated logic to be 100 = no shrinkage to be consistent with orca definitions * Code comments update * Merge branch 'main' into Filament-Shrinkage-compension---port-from-Prusa-slicer * Merge remote-tracking branch 'upstream/main' into Filament-Shrinkage-compension---port-from-Prusa-slicer * Merge branch 'main' into Filament-Shrinkage-compension---port-from-Prusa-slicer --- src/libslic3r/Geometry.cpp | 16 +++++++ src/libslic3r/Geometry.hpp | 3 ++ src/libslic3r/Model.cpp | 18 ++++++++ src/libslic3r/Model.hpp | 4 ++ src/libslic3r/Preset.cpp | 2 +- src/libslic3r/Print.cpp | 67 ++++++++++++++++++++++++++++-- src/libslic3r/Print.hpp | 9 +++- src/libslic3r/PrintApply.cpp | 11 +++-- src/libslic3r/PrintConfig.cpp | 12 +++++- src/libslic3r/PrintConfig.hpp | 1 + src/libslic3r/PrintObject.cpp | 15 ++++--- src/libslic3r/PrintObjectSlice.cpp | 16 ------- src/libslic3r/Slicing.cpp | 40 +++++++++++------- src/libslic3r/Slicing.hpp | 21 ++++++++-- src/slic3r/GUI/GLCanvas3D.cpp | 8 +++- src/slic3r/GUI/GLCanvas3D.hpp | 6 +++ src/slic3r/GUI/Tab.cpp | 1 + 17 files changed, 198 insertions(+), 52 deletions(-) diff --git a/src/libslic3r/Geometry.cpp b/src/libslic3r/Geometry.cpp index 54dcb14cca..49e50a671d 100644 --- a/src/libslic3r/Geometry.cpp +++ b/src/libslic3r/Geometry.cpp @@ -640,6 +640,22 @@ Transform3d Transformation::get_matrix_no_scaling_factor() const return copy.get_matrix(); } +// Orca: Implement prusa's filament shrink compensation approach +Transform3d Transformation::get_matrix_with_applied_shrinkage_compensation(const Vec3d &shrinkage_compensation) const { + const Transform3d shrinkage_trafo = Geometry::scale_transform(shrinkage_compensation); + const Vec3d trafo_offset = this->get_offset(); + const Vec3d trafo_offset_xy = Vec3d(trafo_offset.x(), trafo_offset.y(), 0.); + + Transformation copy(*this); + copy.set_offset(Axis::X, 0.); + copy.set_offset(Axis::Y, 0.); + + Transform3d trafo_after_shrinkage = (shrinkage_trafo * copy.get_matrix()); + trafo_after_shrinkage.translation() += trafo_offset_xy; + + return trafo_after_shrinkage; + } + Transformation Transformation::operator * (const Transformation& other) const { return Transformation(get_matrix() * other.get_matrix()); diff --git a/src/libslic3r/Geometry.hpp b/src/libslic3r/Geometry.hpp index 67b27dd293..2b027a231a 100644 --- a/src/libslic3r/Geometry.hpp +++ b/src/libslic3r/Geometry.hpp @@ -466,6 +466,9 @@ public: Transform3d get_matrix_no_offset() const; Transform3d get_matrix_no_scaling_factor() const; + // Orca: Implement prusa's filament shrink compensation approach + Transform3d get_matrix_with_applied_shrinkage_compensation(const Vec3d &shrinkage_compensation) const; + void set_matrix(const Transform3d& transform) { m_matrix = transform; } Transformation operator * (const Transformation& other) const; diff --git a/src/libslic3r/Model.cpp b/src/libslic3r/Model.cpp index 63be317b6d..fe8ff61018 100644 --- a/src/libslic3r/Model.cpp +++ b/src/libslic3r/Model.cpp @@ -2779,6 +2779,24 @@ void ModelVolume::convert_from_meters() this->source.is_converted_from_meters = true; } +// Orca: Implement prusa's filament shrink compensation approach +// Returns 0-based indices of extruders painted by multi-material painting gizmo. +std::vector ModelVolume::get_extruders_from_multi_material_painting() const { + if (!this->is_mm_painted()) + return {}; + + assert(static_cast(TriangleStateType::Extruder1) - 1 == 0); + const TriangleSelector::TriangleSplittingData &data = this->mmu_segmentation_facets.get_data(); + + std::vector extruders; + for (size_t state_idx = static_cast(EnforcerBlockerType::Extruder1); state_idx < data.used_states.size(); ++state_idx) { + if (data.used_states[state_idx]) + extruders.emplace_back(state_idx - 1); + } + + return extruders; + } + void ModelInstance::transform_mesh(TriangleMesh* mesh, bool dont_translate) const { mesh->transform(dont_translate ? get_matrix_no_offset() : get_matrix()); diff --git a/src/libslic3r/Model.hpp b/src/libslic3r/Model.hpp index 9fc315778f..56f1f7afed 100644 --- a/src/libslic3r/Model.hpp +++ b/src/libslic3r/Model.hpp @@ -991,6 +991,10 @@ public: bool is_fdm_support_painted() const { return !this->supported_facets.empty(); } bool is_seam_painted() const { return !this->seam_facets.empty(); } bool is_mm_painted() const { return !this->mmu_segmentation_facets.empty(); } + + // Orca: Implement prusa's filament shrink compensation approach + // Returns 0-based indices of extruders painted by multi-material painting gizmo. + std::vector get_extruders_from_multi_material_painting() const; protected: friend class Print; diff --git a/src/libslic3r/Preset.cpp b/src/libslic3r/Preset.cpp index cbab85b88a..c9328821be 100644 --- a/src/libslic3r/Preset.cpp +++ b/src/libslic3r/Preset.cpp @@ -840,7 +840,7 @@ static std::vector s_Preset_filament_options { "filament_wipe_distance", "additional_cooling_fan_speed", "nozzle_temperature_range_low", "nozzle_temperature_range_high", //SoftFever - "enable_pressure_advance", "pressure_advance","adaptive_pressure_advance","adaptive_pressure_advance_model","adaptive_pressure_advance_overhangs", "adaptive_pressure_advance_bridges","chamber_temperature", "filament_shrink", "support_material_interface_fan_speed", "filament_notes" /*,"filament_seam_gap"*/, + "enable_pressure_advance", "pressure_advance","adaptive_pressure_advance","adaptive_pressure_advance_model","adaptive_pressure_advance_overhangs", "adaptive_pressure_advance_bridges","chamber_temperature", "filament_shrink","filament_shrinkage_compensation_z", "support_material_interface_fan_speed", "filament_notes" /*,"filament_seam_gap"*/, "filament_loading_speed", "filament_loading_speed_start", "filament_unloading_speed", "filament_unloading_speed_start", "filament_toolchange_delay", "filament_cooling_moves", "filament_stamping_loading_speed", "filament_stamping_distance", "filament_cooling_initial_speed", "filament_cooling_final_speed", "filament_ramming_parameters", diff --git a/src/libslic3r/Print.cpp b/src/libslic3r/Print.cpp index 03f76fe3a3..532875434b 100644 --- a/src/libslic3r/Print.cpp +++ b/src/libslic3r/Print.cpp @@ -234,6 +234,7 @@ bool Print::invalidate_state_by_config_options(const ConfigOptionResolver & /* n opt_key == "initial_layer_print_height" || opt_key == "nozzle_diameter" || opt_key == "filament_shrink" + || opt_key == "filament_shrinkage_compensation_z" || opt_key == "resolution" || opt_key == "precise_z_height" // Spiral Vase forces different kind of slicing than the normal model: @@ -1120,13 +1121,29 @@ StringObjectException Print::validate(StringObjectException *warning, Polygons* const PrintObject &print_object = *m_objects[print_object_idx]; //FIXME It is quite expensive to generate object layers just to get the print height! if (auto layers = generate_object_layers(print_object.slicing_parameters(), layer_height_profile(print_object_idx), print_object.config().precise_z_height.value); - ! layers.empty() && layers.back() > this->config().printable_height + EPSILON) { - return + !layers.empty()) { + + Vec3d test =this->shrinkage_compensation(); + const double shrinkage_compensation_z = this->shrinkage_compensation().z(); + + if (shrinkage_compensation_z != 1. && layers.back() > (this->config().printable_height / shrinkage_compensation_z + EPSILON)) { + // The object exceeds the maximum build volume height because of shrinkage compensation. + return StringObjectException{ + Slic3r::format(_u8L("While the object %1% itself fits the build volume, it exceeds the maximum build volume height because of material shrinkage compensation."), print_object.model_object()->name), + print_object.model_object(), + "" + }; + } else if (layers.back() > this->config().printable_height + EPSILON) { // Test whether the last slicing plane is below or above the print volume. - { 0.5 * (layers[layers.size() - 2] + layers.back()) > this->config().printable_height + EPSILON ? + return StringObjectException{ + 0.5 * (layers[layers.size() - 2] + layers.back()) > this->config().printable_height + EPSILON ? Slic3r::format(_u8L("The object %1% exceeds the maximum build volume height."), print_object.model_object()->name) : Slic3r::format(_u8L("While the object %1% itself fits the build volume, its last layer exceeds the maximum build volume height."), print_object.model_object()->name) + - " " + _u8L("You might want to reduce the size of your model or change current print settings and retry.") }; + " " + _u8L("You might want to reduce the size of your model or change current print settings and retry."), + print_object.model_object(), + "" + }; + } } } @@ -1568,6 +1585,10 @@ StringObjectException Print::validate(StringObjectException *warning, Polygons* BOOST_LOG_TRIVIAL(warning) << "Orca: validate motion ability failed: " << e.what() << std::endl; } } + if (!this->has_same_shrinkage_compensations()){ + warning->string = L("Filament shrinkage will not be used because filament shrinkage for the used filaments differs significantly."); + warning->opt_key = ""; + } return {}; } @@ -2949,6 +2970,44 @@ std::string PrintStatistics::finalize_output_path(const std::string &path_in) co return final_path; } +// Orca: Implement prusa's filament shrink compensation approach +// Returns if all used filaments have same shrinkage compensations. + bool Print::has_same_shrinkage_compensations() const { + const std::vector extruders = this->extruders(); + if (extruders.empty()) + return false; + + const double filament_shrinkage_compensation_xy = m_config.filament_shrink.get_at(extruders.front()); + const double filament_shrinkage_compensation_z = m_config.filament_shrinkage_compensation_z.get_at(extruders.front()); + + for (unsigned int extruder : extruders) { + if (filament_shrinkage_compensation_xy != m_config.filament_shrink.get_at(extruder) || + filament_shrinkage_compensation_z != m_config.filament_shrinkage_compensation_z.get_at(extruder)) { + return false; + } + } + + return true; + } + +// Orca: Implement prusa's filament shrink compensation approach, but amended so 100% from the user is the equivalent to 0 in orca. + // Returns scaling for each axis representing shrinkage compensations in each axis. +Vec3d Print::shrinkage_compensation() const +{ + if (!this->has_same_shrinkage_compensations()) + return Vec3d::Ones(); + + const unsigned int first_extruder = this->extruders().front(); + + const double xy_shrinkage_percent = m_config.filament_shrink.get_at(first_extruder); + const double z_shrinkage_percent = m_config.filament_shrinkage_compensation_z.get_at(first_extruder); + + const double xy_compensation = 100.0 / xy_shrinkage_percent; + const double z_compensation = 100.0 / z_shrinkage_percent; + + return { xy_compensation, xy_compensation, z_compensation }; +} + const std::string PrintStatistics::FilamentUsedG = "filament used [g]"; const std::string PrintStatistics::FilamentUsedGMask = "; filament used [g] ="; diff --git a/src/libslic3r/Print.hpp b/src/libslic3r/Print.hpp index aebb46899f..9d5217e534 100644 --- a/src/libslic3r/Print.hpp +++ b/src/libslic3r/Print.hpp @@ -401,7 +401,8 @@ public: // The slicing parameters are dependent on various configuration values // (layer height, first layer height, raft settings, print nozzle diameter etc). const SlicingParameters& slicing_parameters() const { return m_slicing_params; } - static SlicingParameters slicing_parameters(const DynamicPrintConfig &full_config, const ModelObject &model_object, float object_max_z); + // Orca: XYZ shrinkage compensation has introduced the const Vec3d &object_shrinkage_compensation parameter to the function below + static SlicingParameters slicing_parameters(const DynamicPrintConfig &full_config, const ModelObject &model_object, float object_max_z, const Vec3d &object_shrinkage_compensation); size_t num_printing_regions() const throw() { return m_shared_regions->all_regions.size(); } const PrintRegion& printing_region(size_t idx) const throw() { return *m_shared_regions->all_regions[idx].get(); } @@ -981,6 +982,12 @@ public: bool is_all_objects_are_short() const { return std::all_of(this->objects().begin(), this->objects().end(), [&](PrintObject* obj) { return obj->height() < scale_(this->config().nozzle_height.value); }); } + + // Orca: Implement prusa's filament shrink compensation approach + // Returns if all used filaments have same shrinkage compensations. + bool has_same_shrinkage_compensations() const; + // Returns scaling for each axis representing shrinkage compensations in each axis. + Vec3d shrinkage_compensation() const; protected: // Invalidates the step, and its depending steps in Print. diff --git a/src/libslic3r/PrintApply.cpp b/src/libslic3r/PrintApply.cpp index 232c86b9ec..3767ccd2a9 100644 --- a/src/libslic3r/PrintApply.cpp +++ b/src/libslic3r/PrintApply.cpp @@ -131,7 +131,8 @@ struct PrintObjectTrafoAndInstances }; // Generate a list of trafos and XY offsets for instances of a ModelObject -static std::vector print_objects_from_model_object(const ModelObject &model_object) +// Orca: Updated to include XYZ filament shrinkage compensation +static std::vector print_objects_from_model_object(const ModelObject &model_object, const Vec3d &shrinkage_compensation) { std::set trafos; PrintObjectTrafoAndInstances trafo; @@ -139,7 +140,10 @@ static std::vector print_objects_from_model_object int index = 0; for (ModelInstance *model_instance : model_object.instances) { if (model_instance->is_printable()) { - trafo.trafo = model_instance->get_matrix(); + // Orca: Updated with XYZ filament shrinkage compensation + Geometry::Transformation model_instance_transformation = model_instance->get_transformation(); + trafo.trafo = model_instance_transformation.get_matrix_with_applied_shrinkage_compensation(shrinkage_compensation); + auto shift = Point::new_scale(trafo.trafo.data()[12], trafo.trafo.data()[13]); // Reset the XY axes of the transformation. trafo.trafo.data()[12] = 0; @@ -1358,7 +1362,8 @@ Print::ApplyStatus Print::apply(const Model &model, DynamicPrintConfig new_full_ // Walk over all new model objects and check, whether there are matching PrintObjects. for (ModelObject *model_object : m_model.objects) { ModelObjectStatus &model_object_status = const_cast(model_object_status_db.reuse(*model_object)); - model_object_status.print_instances = print_objects_from_model_object(*model_object); + // Orca: Updated for XYZ filament shrink compensation + model_object_status.print_instances = print_objects_from_model_object(*model_object, this->shrinkage_compensation()); std::vector old; old.reserve(print_object_status_db.count(*model_object)); for (const PrintObjectStatus &print_object_status : print_object_status_db.get_range(*model_object)) diff --git a/src/libslic3r/PrintConfig.cpp b/src/libslic3r/PrintConfig.cpp index d3c3554a58..4803ba3b88 100644 --- a/src/libslic3r/PrintConfig.cpp +++ b/src/libslic3r/PrintConfig.cpp @@ -1907,7 +1907,7 @@ void PrintConfigDef::init_fff_params() def->set_default_value(new ConfigOptionFloats{ 0.4157 }); def = this->add("filament_shrink", coPercents); - def->label = L("Shrinkage"); + def->label = L("Shrinkage (XY)"); // xgettext:no-c-format, no-boost-format def->tooltip = L("Enter the shrinkage percentage that the filament will get after cooling (94% if you measure 94mm instead of 100mm)." " The part will be scaled in xy to compensate." @@ -1918,6 +1918,16 @@ void PrintConfigDef::init_fff_params() def->min = 10; def->mode = comAdvanced; def->set_default_value(new ConfigOptionPercents{ 100 }); + + def = this->add("filament_shrinkage_compensation_z", coPercents); + def->label = L("Shrinkage (Z)"); + def->tooltip = L("Enter the shrinkage percentage that the filament will get after cooling (94% if you measure 94mm instead of 100mm)." + " The part will be scaled in Z to compensate."); + def->sidetext = L("%"); + def->ratio_over = ""; + def->min = 10; + def->mode = comAdvanced; + def->set_default_value(new ConfigOptionPercents{ 100 }); def = this->add("filament_loading_speed", coFloats); def->label = L("Loading speed"); diff --git a/src/libslic3r/PrintConfig.hpp b/src/libslic3r/PrintConfig.hpp index 015befbd9f..c191e7ff57 100644 --- a/src/libslic3r/PrintConfig.hpp +++ b/src/libslic3r/PrintConfig.hpp @@ -1274,6 +1274,7 @@ PRINT_CONFIG_CLASS_DERIVED_DEFINE( ((ConfigOptionBool, independent_support_layer_height)) // SoftFever ((ConfigOptionPercents, filament_shrink)) + ((ConfigOptionPercents, filament_shrinkage_compensation_z)) ((ConfigOptionBool, gcode_label_objects)) ((ConfigOptionBool, exclude_object)) ((ConfigOptionBool, gcode_comments)) diff --git a/src/libslic3r/PrintObject.cpp b/src/libslic3r/PrintObject.cpp index 8674c1a4ea..7b16f8a697 100644 --- a/src/libslic3r/PrintObject.cpp +++ b/src/libslic3r/PrintObject.cpp @@ -2966,12 +2966,15 @@ void PrintObject::generate_support_preview() void PrintObject::update_slicing_parameters() { - if (!m_slicing_params.valid) - m_slicing_params = SlicingParameters::create_from_config( - this->print()->config(), m_config, this->model_object()->max_z(), this->object_extruders()); + // Orca: updated function call for XYZ shrinkage compensation + if (!m_slicing_params.valid) { + m_slicing_params = SlicingParameters::create_from_config(this->print()->config(), m_config, this->model_object()->max_z(), + this->object_extruders(), this->print()->shrinkage_compensation()); + } } -SlicingParameters PrintObject::slicing_parameters(const DynamicPrintConfig& full_config, const ModelObject& model_object, float object_max_z) +// Orca: XYZ shrinkage compensation has introduced the const Vec3d &object_shrinkage_compensation parameter to the function below +SlicingParameters PrintObject::slicing_parameters(const DynamicPrintConfig &full_config, const ModelObject &model_object, float object_max_z, const Vec3d &object_shrinkage_compensation) { PrintConfig print_config; PrintObjectConfig object_config; @@ -3006,7 +3009,7 @@ SlicingParameters PrintObject::slicing_parameters(const DynamicPrintConfig& full if (object_max_z <= 0.f) object_max_z = (float)model_object.raw_bounding_box().size().z(); - return SlicingParameters::create_from_config(print_config, object_config, object_max_z, object_extruders); + return SlicingParameters::create_from_config(print_config, object_config, object_max_z, object_extruders, object_shrinkage_compensation); } // returns 0-based indices of extruders used to print the object (without brim, support and other helper extrusions) @@ -3049,7 +3052,7 @@ bool PrintObject::update_layer_height_profile(const ModelObject &model_object, c // Must not be of even length. ((layer_height_profile.size() & 1) != 0 || // Last entry must be at the top of the object. - std::abs(layer_height_profile[layer_height_profile.size() - 2] - slicing_parameters.object_print_z_max + slicing_parameters.object_print_z_min) > 1e-3)) + std::abs(layer_height_profile[layer_height_profile.size() - 2] - slicing_parameters.object_print_z_uncompensated_max + slicing_parameters.object_print_z_min) > 1e-3)) layer_height_profile.clear(); if (layer_height_profile.empty() || layer_height_profile[1] != slicing_parameters.first_object_layer_height) { diff --git a/src/libslic3r/PrintObjectSlice.cpp b/src/libslic3r/PrintObjectSlice.cpp index 98f7d8b20e..21c9770663 100644 --- a/src/libslic3r/PrintObjectSlice.cpp +++ b/src/libslic3r/PrintObjectSlice.cpp @@ -449,22 +449,6 @@ static std::vector> slices_to_regions( }); } - // SoftFever: ported from SuperSlicer - // filament shrink - for (const std::unique_ptr& pr : print_object_regions.all_regions) { - if (pr.get()) { - std::vector& region_polys = slices_by_region[pr->print_object_region_id()]; - const size_t extruder_id = pr->extruder(FlowRole::frPerimeter) - 1; - double scale = print_config.filament_shrink.values[extruder_id] * 0.01; - if (scale != 1) { - scale = 1 / scale; - for (ExPolygons& polys : region_polys) - for (ExPolygon& poly : polys) - poly.scale(scale); - } - } - } - return slices_by_region; } diff --git a/src/libslic3r/Slicing.cpp b/src/libslic3r/Slicing.cpp index 636a3c471f..290871b914 100644 --- a/src/libslic3r/Slicing.cpp +++ b/src/libslic3r/Slicing.cpp @@ -60,10 +60,11 @@ coordf_t Slicing::max_layer_height_from_nozzle(const DynamicPrintConfig &print_c } SlicingParameters SlicingParameters::create_from_config( - const PrintConfig &print_config, - const PrintObjectConfig &object_config, - coordf_t object_height, - const std::vector &object_extruders) + const PrintConfig &print_config, + const PrintObjectConfig &object_config, + coordf_t object_height, + const std::vector &object_extruders, + const Vec3d &object_shrinkage_compensation) { coordf_t initial_layer_print_height = (print_config.initial_layer_print_height.value <= 0) ? object_config.layer_height.value : print_config.initial_layer_print_height.value; @@ -81,7 +82,10 @@ SlicingParameters SlicingParameters::create_from_config( params.first_print_layer_height = initial_layer_print_height; params.first_object_layer_height = initial_layer_print_height; params.object_print_z_min = 0.; - params.object_print_z_max = object_height; + // Orca: XYZ filament compensation + params.object_print_z_max = object_height * object_shrinkage_compensation.z(); + params.object_print_z_uncompensated_max = object_height; + params.object_shrinkage_compensation_z = object_shrinkage_compensation.z(); params.base_raft_layers = object_config.raft_layers.value; params.soluble_interface = soluble_interface; @@ -153,6 +157,7 @@ SlicingParameters SlicingParameters::create_from_config( coordf_t print_z = params.raft_contact_top_z + params.gap_raft_object; params.object_print_z_min = print_z; params.object_print_z_max += print_z; + params.object_print_z_uncompensated_max += print_z; } params.valid = true; @@ -225,10 +230,10 @@ std::vector layer_height_profile_from_ranges( lh_append(hi, height); } - if (coordf_t z = last_z(); z < slicing_params.object_print_z_height()) { + if (coordf_t z = last_z(); z < slicing_params.object_print_z_uncompensated_height()) { // Insert a step of normal layer height up to the object top. lh_append(z, slicing_params.layer_height); - lh_append(slicing_params.object_print_z_height(), slicing_params.layer_height); + lh_append(slicing_params.object_print_z_uncompensated_height(), slicing_params.layer_height); } return layer_height_profile; @@ -450,12 +455,12 @@ void adjust_layer_height_profile( std::pair z_span_variable = std::pair( slicing_params.first_object_layer_height_fixed() ? slicing_params.first_object_layer_height : 0., - slicing_params.object_print_z_height()); + slicing_params.object_print_z_uncompensated_height()); if (z < z_span_variable.first || z > z_span_variable.second) return; assert(layer_height_profile.size() >= 2); - assert(std::abs(layer_height_profile[layer_height_profile.size() - 2] - slicing_params.object_print_z_height()) < EPSILON); + assert(std::abs(layer_height_profile[layer_height_profile.size() - 2] - slicing_params.object_print_z_uncompensated_height()) < EPSILON); // 1) Get the current layer thickness at z. coordf_t current_layer_height = slicing_params.layer_height; @@ -616,7 +621,7 @@ void adjust_layer_height_profile( assert(layer_height_profile.size() > 2); assert(layer_height_profile.size() % 2 == 0); assert(layer_height_profile[0] == 0.); - assert(std::abs(layer_height_profile[layer_height_profile.size() - 2] - slicing_params.object_print_z_height()) < EPSILON); + assert(std::abs(layer_height_profile[layer_height_profile.size() - 2] - slicing_params.object_print_z_uncompensated_height()) < EPSILON); #ifdef _DEBUG for (size_t i = 2; i < layer_height_profile.size(); i += 2) assert(layer_height_profile[i - 2] <= layer_height_profile[i]); @@ -739,6 +744,8 @@ std::vector generate_object_layers( out.push_back(print_z); } + // Orca: XYZ shrinkage compensation + const coordf_t shrinkage_compensation_z = slicing_params.object_shrinkage_compensation_z; size_t idx_layer_height_profile = 0; // loop until we have at least one layer and the max slice_z reaches the object height coordf_t slice_z = print_z + 0.5 * slicing_params.min_layer_height; @@ -747,17 +754,20 @@ std::vector generate_object_layers( if (idx_layer_height_profile < layer_height_profile.size()) { size_t next = idx_layer_height_profile + 2; for (;;) { - if (next >= layer_height_profile.size() || slice_z < layer_height_profile[next]) + // Orca: XYZ shrinkage compensation + if (next >= layer_height_profile.size() || slice_z < layer_height_profile[next] * shrinkage_compensation_z) break; idx_layer_height_profile = next; next += 2; } - coordf_t z1 = layer_height_profile[idx_layer_height_profile]; - coordf_t h1 = layer_height_profile[idx_layer_height_profile + 1]; + // Orca: XYZ shrinkage compensation + const coordf_t z1 = layer_height_profile[idx_layer_height_profile] * shrinkage_compensation_z; + const coordf_t h1 = layer_height_profile[idx_layer_height_profile + 1]; height = h1; if (next < layer_height_profile.size()) { - coordf_t z2 = layer_height_profile[next]; - coordf_t h2 = layer_height_profile[next + 1]; + // Orca: XYZ shrinkage compensation + const coordf_t z2 = layer_height_profile[next] * shrinkage_compensation_z; + const coordf_t h2 = layer_height_profile[next + 1]; height = lerp(h1, h2, (slice_z - z1) / (z2 - z1)); assert(height >= slicing_params.min_layer_height - EPSILON && height <= slicing_params.max_layer_height + EPSILON); } diff --git a/src/libslic3r/Slicing.hpp b/src/libslic3r/Slicing.hpp index c519a3d194..d6cd7dcb41 100644 --- a/src/libslic3r/Slicing.hpp +++ b/src/libslic3r/Slicing.hpp @@ -28,11 +28,13 @@ struct SlicingParameters { SlicingParameters() = default; + // Orca: XYZ filament compensation introduced object_shrinkage_compensation static SlicingParameters create_from_config( - const PrintConfig &print_config, - const PrintObjectConfig &object_config, - coordf_t object_height, - const std::vector &object_extruders); + const PrintConfig &print_config, + const PrintObjectConfig &object_config, + coordf_t object_height, + const std::vector &object_extruders, + const Vec3d &object_shrinkage_compensation); // Has any raft layers? bool has_raft() const { return raft_layers() > 0; } @@ -43,6 +45,10 @@ struct SlicingParameters // Height of the object to be printed. This value does not contain the raft height. coordf_t object_print_z_height() const { return object_print_z_max - object_print_z_min; } + + // Height of the object to be printed. This value does not contain the raft height. + // This value isn't scaled by shrinkage compensation in the Z-axis. + coordf_t object_print_z_uncompensated_height() const { return object_print_z_uncompensated_max - object_print_z_min; } bool valid { false }; @@ -95,7 +101,14 @@ struct SlicingParameters coordf_t raft_contact_top_z { 0 }; // In case of a soluble interface, object_print_z_min == raft_contact_top_z, otherwise there is a gap between the raft and the 1st object layer. coordf_t object_print_z_min { 0 }; + // This value of maximum print Z is scaled by shrinkage compensation in the Z-axis. coordf_t object_print_z_max { 0 }; + + // Orca: XYZ shrinkage compensation + // This value of maximum print Z isn't scaled by shrinkage compensation. + coordf_t object_print_z_uncompensated_max { 0 }; + // Scaling factor for compensating shrinkage in Z-axis. + coordf_t object_shrinkage_compensation_z { 0 }; }; static_assert(IsTriviallyCopyable::value, "SlicingParameters class is not POD (and it should be - see constructor)."); diff --git a/src/slic3r/GUI/GLCanvas3D.cpp b/src/slic3r/GUI/GLCanvas3D.cpp index 5f45d9b1c5..551697e26f 100644 --- a/src/slic3r/GUI/GLCanvas3D.cpp +++ b/src/slic3r/GUI/GLCanvas3D.cpp @@ -666,8 +666,9 @@ void GLCanvas3D::LayersEditing::update_slicing_parameters() { if (m_slicing_parameters == nullptr) { m_slicing_parameters = new SlicingParameters(); - *m_slicing_parameters = PrintObject::slicing_parameters(*m_config, *m_model_object, m_object_max_z); + *m_slicing_parameters = PrintObject::slicing_parameters(*m_config, *m_model_object, m_object_max_z, m_shrinkage_compensation); } + } float GLCanvas3D::LayersEditing::thickness_bar_width(const GLCanvas3D & canvas) @@ -1489,6 +1490,11 @@ void GLCanvas3D::set_config(const DynamicPrintConfig* config) { m_config = config; m_layers_editing.set_config(config); + + // Orca: Filament shrinkage compensation + const Print *print = fff_print(); + if (print != nullptr) + m_layers_editing.set_shrinkage_compensation(fff_print()->shrinkage_compensation()); } void GLCanvas3D::set_process(BackgroundSlicingProcess *process) diff --git a/src/slic3r/GUI/GLCanvas3D.hpp b/src/slic3r/GUI/GLCanvas3D.hpp index 023e95a976..2d67401d5f 100644 --- a/src/slic3r/GUI/GLCanvas3D.hpp +++ b/src/slic3r/GUI/GLCanvas3D.hpp @@ -216,6 +216,9 @@ class GLCanvas3D }; static const float THICKNESS_BAR_WIDTH; + + // Orca: Shrinkage compensation + void set_shrinkage_compensation(const Vec3d &shrinkage_compensation) { m_shrinkage_compensation = shrinkage_compensation; }; private: bool m_enabled{ false }; @@ -229,6 +232,9 @@ class GLCanvas3D // Owned by LayersEditing. SlicingParameters* m_slicing_parameters{ nullptr }; std::vector m_layer_height_profile; + + // Orca: Shrinkage compensation to apply when we need to use object_max_z with Z compensation. + Vec3d m_shrinkage_compensation{ Vec3d::Ones() }; mutable float m_adaptive_quality{ 0.5f }; mutable HeightProfileSmoothingParams m_smooth_params; diff --git a/src/slic3r/GUI/Tab.cpp b/src/slic3r/GUI/Tab.cpp index 077a095993..8b6477fc4b 100644 --- a/src/slic3r/GUI/Tab.cpp +++ b/src/slic3r/GUI/Tab.cpp @@ -3245,6 +3245,7 @@ void TabFilament::build() optgroup->append_single_option_line("filament_density"); optgroup->append_single_option_line("filament_shrink"); + optgroup->append_single_option_line("filament_shrinkage_compensation_z"); optgroup->append_single_option_line("filament_cost"); //BBS optgroup->append_single_option_line("temperature_vitrification"); From 4f9c7307056f71f36a8b9014bc89ac96500b60d8 Mon Sep 17 00:00:00 2001 From: Cyril Guislain Date: Wed, 28 Aug 2024 17:17:25 +0200 Subject: [PATCH 25/35] Fixes for FLSUN S1/T1 (#6574) --- resources/profiles/FLSun/filament/FLSun S1 PLA Generic.json | 4 ++-- resources/profiles/FLSun/filament/FLSun S1 PLA Silk.json | 4 ++-- resources/profiles/FLSun/filament/FLSun T1 PLA Generic.json | 4 ++-- resources/profiles/FLSun/filament/FLSun T1 PLA Silk.json | 4 ++-- 4 files changed, 8 insertions(+), 8 deletions(-) diff --git a/resources/profiles/FLSun/filament/FLSun S1 PLA Generic.json b/resources/profiles/FLSun/filament/FLSun S1 PLA Generic.json index 0fe334a390..6f5d0adff5 100644 --- a/resources/profiles/FLSun/filament/FLSun S1 PLA Generic.json +++ b/resources/profiles/FLSun/filament/FLSun S1 PLA Generic.json @@ -15,8 +15,8 @@ "full_fan_speed_layer": ["3"], "hot_plate_temp": ["60"], "hot_plate_temp_initial_layer": ["60"], - "nozzle_temperature": ["240"], - "nozzle_temperature_initial_layer": ["240"], + "nozzle_temperature": ["230"], + "nozzle_temperature_initial_layer": ["230"], "nozzle_temperature_range_low": ["190"], "nozzle_temperature_range_high": ["240"], "overhang_fan_speed": ["35"], diff --git a/resources/profiles/FLSun/filament/FLSun S1 PLA Silk.json b/resources/profiles/FLSun/filament/FLSun S1 PLA Silk.json index 2a08316092..ecd49291a8 100644 --- a/resources/profiles/FLSun/filament/FLSun S1 PLA Silk.json +++ b/resources/profiles/FLSun/filament/FLSun S1 PLA Silk.json @@ -15,8 +15,8 @@ "full_fan_speed_layer": ["3"], "hot_plate_temp": ["60"], "hot_plate_temp_initial_layer": ["60"], - "nozzle_temperature": ["240"], - "nozzle_temperature_initial_layer": ["240"], + "nozzle_temperature": ["230"], + "nozzle_temperature_initial_layer": ["230"], "nozzle_temperature_range_low": ["190"], "nozzle_temperature_range_high": ["240"], "overhang_fan_speed": ["35"], diff --git a/resources/profiles/FLSun/filament/FLSun T1 PLA Generic.json b/resources/profiles/FLSun/filament/FLSun T1 PLA Generic.json index 2c418b2401..4f70bbd87b 100644 --- a/resources/profiles/FLSun/filament/FLSun T1 PLA Generic.json +++ b/resources/profiles/FLSun/filament/FLSun T1 PLA Generic.json @@ -15,8 +15,8 @@ "full_fan_speed_layer": ["3"], "hot_plate_temp": ["60"], "hot_plate_temp_initial_layer": ["60"], - "nozzle_temperature": ["240"], - "nozzle_temperature_initial_layer": ["240"], + "nozzle_temperature": ["230"], + "nozzle_temperature_initial_layer": ["230"], "nozzle_temperature_range_low": ["190"], "nozzle_temperature_range_high": ["240"], "overhang_fan_speed": ["35"], diff --git a/resources/profiles/FLSun/filament/FLSun T1 PLA Silk.json b/resources/profiles/FLSun/filament/FLSun T1 PLA Silk.json index 56fa05286c..55c4c60a84 100644 --- a/resources/profiles/FLSun/filament/FLSun T1 PLA Silk.json +++ b/resources/profiles/FLSun/filament/FLSun T1 PLA Silk.json @@ -15,8 +15,8 @@ "full_fan_speed_layer": ["3"], "hot_plate_temp": ["60"], "hot_plate_temp_initial_layer": ["60"], - "nozzle_temperature": ["240"], - "nozzle_temperature_initial_layer": ["240"], + "nozzle_temperature": ["230"], + "nozzle_temperature_initial_layer": ["230"], "nozzle_temperature_range_low": ["190"], "nozzle_temperature_range_high": ["240"], "overhang_fan_speed": ["35"], From f244aed9c0c60d2b81f7653b228074189950ceea Mon Sep 17 00:00:00 2001 From: Noisyfox Date: Fri, 30 Aug 2024 23:11:47 +0800 Subject: [PATCH 26/35] Add option to turn outline on & off --- src/libslic3r/AppConfig.cpp | 2 ++ src/slic3r/GUI/3DScene.cpp | 2 +- src/slic3r/GUI/GUI_App.hpp | 3 +++ src/slic3r/GUI/MainFrame.cpp | 10 ++++++++++ 4 files changed, 16 insertions(+), 1 deletion(-) diff --git a/src/libslic3r/AppConfig.cpp b/src/libslic3r/AppConfig.cpp index 7d114b45fc..0decfaac12 100644 --- a/src/libslic3r/AppConfig.cpp +++ b/src/libslic3r/AppConfig.cpp @@ -200,6 +200,8 @@ void AppConfig::set_defaults() if (get("show_3d_navigator").empty()) set_bool("show_3d_navigator", true); + if (get("show_outline").empty()) + set_bool("show_outline", false); #ifdef _WIN32 diff --git a/src/slic3r/GUI/3DScene.cpp b/src/slic3r/GUI/3DScene.cpp index c8cb2dd82d..7bfd8eb7d3 100644 --- a/src/slic3r/GUI/3DScene.cpp +++ b/src/slic3r/GUI/3DScene.cpp @@ -996,7 +996,7 @@ void GLVolumeCollection::render(GLVolumeCollection::ERenderType type, bool disab const Matrix3d view_normal_matrix = view_matrix.matrix().block(0, 0, 3, 3) * model_matrix.matrix().block(0, 0, 3, 3).inverse().transpose(); shader->set_uniform("view_normal_matrix", view_normal_matrix); //BBS: add outline related logic - if (volume.first->selected) + if (volume.first->selected && GUI::wxGetApp().show_outline()) volume.first->render_with_outline(cnv_size); else volume.first->render(); diff --git a/src/slic3r/GUI/GUI_App.hpp b/src/slic3r/GUI/GUI_App.hpp index 44d430d2d1..e4d735448c 100644 --- a/src/slic3r/GUI/GUI_App.hpp +++ b/src/slic3r/GUI/GUI_App.hpp @@ -344,6 +344,9 @@ private: bool show_3d_navigator() const { return app_config->get_bool("show_3d_navigator"); } void toggle_show_3d_navigator() const { app_config->set_bool("show_3d_navigator", !show_3d_navigator()); } + bool show_outline() const { return app_config->get_bool("show_outline"); } + void toggle_show_outline() const { app_config->set_bool("show_outline", !show_outline()); } + wxString get_inf_dialog_contect () {return m_info_dialog_content;}; std::vector split_str(std::string src, std::string separator); diff --git a/src/slic3r/GUI/MainFrame.cpp b/src/slic3r/GUI/MainFrame.cpp index 47d7c30e86..48212f45cb 100644 --- a/src/slic3r/GUI/MainFrame.cpp +++ b/src/slic3r/GUI/MainFrame.cpp @@ -2642,6 +2642,16 @@ void MainFrame::init_menubar_as_editor() m_plater->get_current_canvas3D()->post_event(SimpleEvent(wxEVT_PAINT)); }, this, [this]() { return m_plater->is_view3D_shown(); }, [this]() { return m_plater->is_view3D_overhang_shown(); }, this); + + append_menu_check_item( + viewMenu, wxID_ANY, _L("Show Selected Outline (Experimental)"), _L("Show outline around selected object in 3D scene"), + [this](wxCommandEvent&) { + wxGetApp().toggle_show_outline(); + m_plater->get_current_canvas3D()->post_event(SimpleEvent(wxEVT_PAINT)); + }, + this, [this]() { return m_tabpanel->GetSelection() == TabPosition::tp3DEditor; }, + [this]() { return wxGetApp().show_outline(); }, this); + /*viewMenu->AppendSeparator(); append_menu_check_item(viewMenu, wxID_ANY, _L("Show &Wireframe") + "\tCtrl+Shift+Enter", _L("Show wireframes in 3D scene"), [this](wxCommandEvent&) { m_plater->toggle_show_wireframe(); m_plater->get_current_canvas3D()->post_event(SimpleEvent(wxEVT_PAINT)); }, this, From b2b63b296d47ed376926691559fcf981bb2a7dc8 Mon Sep 17 00:00:00 2001 From: Noisyfox Date: Sun, 1 Sep 2024 01:00:36 +0800 Subject: [PATCH 27/35] Fix `GL_INVALID_OPERATION` --- src/slic3r/GUI/3DScene.cpp | 1 - 1 file changed, 1 deletion(-) diff --git a/src/slic3r/GUI/3DScene.cpp b/src/slic3r/GUI/3DScene.cpp index 7bfd8eb7d3..dfd914f427 100644 --- a/src/slic3r/GUI/3DScene.cpp +++ b/src/slic3r/GUI/3DScene.cpp @@ -496,7 +496,6 @@ void GLVolume::render_with_outline(const GUI::Size& cnv_size) // Some clean up to do glsafe(::glBindTexture(GL_TEXTURE_2D, 0)); - shader->set_uniform("screen_size", 0); shader->set_uniform("is_outline", false); if (framebuffers_type == GUI::OpenGLManager::EFramebufferType::Arb) { glsafe(::glBindFramebuffer(GL_FRAMEBUFFER, 0)); From db688e0cf4cb066490e5cb0e41efe4eb51a4136f Mon Sep 17 00:00:00 2001 From: SoftFever Date: Sun, 1 Sep 2024 21:09:42 +0800 Subject: [PATCH 28/35] Add Rook MK1 profile (#6627) --- resources/profiles/RolohaunDesign.json | 162 ++++++++++++++++++ .../RolohaunDesign/Rook MK1 LDO_cover.png | Bin 0 -> 18441 bytes .../filament/Generic ABS @Rook MK1 LDO.json | 21 +++ .../filament/Generic ASA @Rook MK1 LDO.json | 21 +++ .../filament/Generic PA @Rook MK1 LDO.json | 24 +++ .../filament/Generic PA-CF @Rook MK1 LDO.json | 27 +++ .../filament/Generic PC @Rook MK1 LDO.json | 21 +++ .../filament/Generic PETG @Rook MK1 LDO.json | 51 ++++++ .../filament/Generic PLA @Rook MK1 LDO.json | 24 +++ .../Generic PLA-CF @Rook MK1 LDO.json | 27 +++ .../filament/Generic PVA @Rook MK1 LDO.json | 27 +++ .../filament/Generic TPU @Rook MK1 LDO.json | 18 ++ .../filament/fdm_filament_abs.json | 88 ++++++++++ .../filament/fdm_filament_asa.json | 88 ++++++++++ .../filament/fdm_filament_common.json | 144 ++++++++++++++++ .../filament/fdm_filament_pa.json | 85 +++++++++ .../filament/fdm_filament_pc.json | 88 ++++++++++ .../filament/fdm_filament_pet.json | 82 +++++++++ .../filament/fdm_filament_pla.json | 94 ++++++++++ .../filament/fdm_filament_pva.json | 100 +++++++++++ .../filament/fdm_filament_tpu.json | 88 ++++++++++ .../machine/Rook MK1 LDO 0.2 nozzle.json | 26 +++ .../machine/Rook MK1 LDO 0.4 nozzle.json | 20 +++ .../machine/Rook MK1 LDO 0.6 nozzle.json | 26 +++ .../machine/Rook MK1 LDO 0.8 nozzle.json | 26 +++ .../RolohaunDesign/machine/Rook MK1 LDO.json | 12 ++ .../machine/fdm_common_Rook MK1 LDO.json | 60 +++++++ .../machine/fdm_machine_common.json | 119 +++++++++++++ .../RolohaunDesign/orcaslicer_bed_texture.svg | 148 ++++++++++++++++ .../0.08mm Extra Fine @Rook MK1 LDO.json | 19 ++ .../process/0.12mm Fine @Rook MK1 LDO.json | 19 ++ .../process/0.16mm Optimal @Rook MK1 LDO.json | 20 +++ .../0.20mm Standard @Rook MK1 LDO.json | 14 ++ .../process/0.24mm Draft @Rook MK1 LDO.json | 17 ++ .../0.28mm Extra Draft @Rook MK1 LDO.json | 15 ++ .../0.32mm Extra Draft @Rook MK1 LDO.json | 17 ++ .../0.40mm Extra Draft @Rook MK1 LDO.json | 16 ++ .../0.56mm Extra Draft @Rook MK1 LDO.json | 15 ++ .../fdm_process_Rook MK1 LDO_common.json | 30 ++++ .../process/fdm_process_common.json | 109 ++++++++++++ 40 files changed, 2008 insertions(+) create mode 100644 resources/profiles/RolohaunDesign.json create mode 100644 resources/profiles/RolohaunDesign/Rook MK1 LDO_cover.png create mode 100644 resources/profiles/RolohaunDesign/filament/Generic ABS @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/Generic ASA @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/Generic PA @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/Generic PA-CF @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/Generic PC @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/Generic PETG @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/Generic PLA @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/Generic PLA-CF @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/Generic PVA @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/Generic TPU @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/filament/fdm_filament_abs.json create mode 100644 resources/profiles/RolohaunDesign/filament/fdm_filament_asa.json create mode 100644 resources/profiles/RolohaunDesign/filament/fdm_filament_common.json create mode 100644 resources/profiles/RolohaunDesign/filament/fdm_filament_pa.json create mode 100644 resources/profiles/RolohaunDesign/filament/fdm_filament_pc.json create mode 100644 resources/profiles/RolohaunDesign/filament/fdm_filament_pet.json create mode 100644 resources/profiles/RolohaunDesign/filament/fdm_filament_pla.json create mode 100644 resources/profiles/RolohaunDesign/filament/fdm_filament_pva.json create mode 100644 resources/profiles/RolohaunDesign/filament/fdm_filament_tpu.json create mode 100644 resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.2 nozzle.json create mode 100644 resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.4 nozzle.json create mode 100644 resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.6 nozzle.json create mode 100644 resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.8 nozzle.json create mode 100644 resources/profiles/RolohaunDesign/machine/Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/machine/fdm_common_Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/machine/fdm_machine_common.json create mode 100644 resources/profiles/RolohaunDesign/orcaslicer_bed_texture.svg create mode 100644 resources/profiles/RolohaunDesign/process/0.08mm Extra Fine @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/process/0.12mm Fine @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/process/0.16mm Optimal @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/process/0.20mm Standard @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/process/0.24mm Draft @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/process/0.28mm Extra Draft @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/process/0.32mm Extra Draft @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/process/0.40mm Extra Draft @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/process/0.56mm Extra Draft @Rook MK1 LDO.json create mode 100644 resources/profiles/RolohaunDesign/process/fdm_process_Rook MK1 LDO_common.json create mode 100644 resources/profiles/RolohaunDesign/process/fdm_process_common.json diff --git a/resources/profiles/RolohaunDesign.json b/resources/profiles/RolohaunDesign.json new file mode 100644 index 0000000000..d146c015da --- /dev/null +++ b/resources/profiles/RolohaunDesign.json @@ -0,0 +1,162 @@ +{ + "name": "RolohaunDesign", + "version": "02.01.01.00", + "force_update": "0", + "description": "RolohaunDesign Printer Profiles", + "machine_model_list": [ + { + "name": "Rook MK1 LDO", + "sub_path": "machine/Rook MK1 LDO.json" + } + ], + "process_list": [ + { + "name": "fdm_process_common", + "sub_path": "process/fdm_process_common.json" + }, + { + "name": "fdm_process_Rook MK1 LDO_common", + "sub_path": "process/fdm_process_Rook MK1 LDO_common.json" + }, + { + "name": "0.08mm Extra Fine @Rook MK1 LDO", + "sub_path": "process/0.08mm Extra Fine @Rook MK1 LDO.json" + }, + { + "name": "0.12mm Fine @Rook MK1 LDO", + "sub_path": "process/0.12mm Fine @Rook MK1 LDO.json" + }, + { + "name": "0.16mm Optimal @Rook MK1 LDO", + "sub_path": "process/0.16mm Optimal @Rook MK1 LDO.json" + }, + { + "name": "0.20mm Standard @Rook MK1 LDO", + "sub_path": "process/0.20mm Standard @Rook MK1 LDO.json" + }, + { + "name": "0.24mm Draft @Rook MK1 LDO", + "sub_path": "process/0.24mm Draft @Rook MK1 LDO.json" + }, + { + "name": "0.28mm Extra Draft @Rook MK1 LDO", + "sub_path": "process/0.28mm Extra Draft @Rook MK1 LDO.json" + }, + { + "name": "0.32mm Extra Draft @Rook MK1 LDO", + "sub_path": "process/0.32mm Extra Draft @Rook MK1 LDO.json" + }, + { + "name": "0.40mm Extra Draft @Rook MK1 LDO", + "sub_path": "process/0.40mm Extra Draft @Rook MK1 LDO.json" + }, + { + "name": "0.56mm Extra Draft @Rook MK1 LDO", + "sub_path": "process/0.56mm Extra Draft @Rook MK1 LDO.json" + } + ], + "filament_list": [ + { + "name": "fdm_filament_common", + "sub_path": "filament/fdm_filament_common.json" + }, + { + "name": "fdm_filament_pla", + "sub_path": "filament/fdm_filament_pla.json" + }, + { + "name": "fdm_filament_tpu", + "sub_path": "filament/fdm_filament_tpu.json" + }, + { + "name": "fdm_filament_pet", + "sub_path": "filament/fdm_filament_pet.json" + }, + { + "name": "fdm_filament_abs", + "sub_path": "filament/fdm_filament_abs.json" + }, + { + "name": "fdm_filament_pc", + "sub_path": "filament/fdm_filament_pc.json" + }, + { + "name": "fdm_filament_asa", + "sub_path": "filament/fdm_filament_asa.json" + }, + { + "name": "fdm_filament_pva", + "sub_path": "filament/fdm_filament_pva.json" + }, + { + "name": "fdm_filament_pa", + "sub_path": "filament/fdm_filament_pa.json" + }, + { + "name": "Generic PLA @Rook MK1 LDO", + "sub_path": "filament/Generic PLA @Rook MK1 LDO.json" + }, + { + "name": "Generic PLA-CF @Rook MK1 LDO", + "sub_path": "filament/Generic PLA-CF @Rook MK1 LDO.json" + }, + { + "name": "Generic PETG @Rook MK1 LDO", + "sub_path": "filament/Generic PETG @Rook MK1 LDO.json" + }, + { + "name": "Generic ABS @Rook MK1 LDO", + "sub_path": "filament/Generic ABS @Rook MK1 LDO.json" + }, + { + "name": "Generic TPU @Rook MK1 LDO", + "sub_path": "filament/Generic TPU @Rook MK1 LDO.json" + }, + { + "name": "Generic ASA @Rook MK1 LDO", + "sub_path": "filament/Generic ASA @Rook MK1 LDO.json" + }, + { + "name": "Generic PC @Rook MK1 LDO", + "sub_path": "filament/Generic PC @Rook MK1 LDO.json" + }, + { + "name": "Generic PVA @Rook MK1 LDO", + "sub_path": "filament/Generic PVA @Rook MK1 LDO.json" + }, + { + "name": "Generic PA @Rook MK1 LDO", + "sub_path": "filament/Generic PA @Rook MK1 LDO.json" + }, + { + "name": "Generic PA-CF @Rook MK1 LDO", + "sub_path": "filament/Generic PA-CF @Rook MK1 LDO.json" + } + ], + "machine_list": [ + { + "name": "fdm_machine_common", + "sub_path": "machine/fdm_machine_common.json" + }, + { + "name": "fdm_common_Rook MK1 LDO", + "sub_path": "machine/fdm_common_Rook MK1 LDO.json" + }, + { + "name": "Rook MK1 LDO 0.4 nozzle", + "sub_path": "machine/Rook MK1 LDO 0.4 nozzle.json" + }, + { + "name": "Rook MK1 LDO 0.2 nozzle", + "sub_path": "machine/Rook MK1 LDO 0.2 nozzle.json" + }, + { + "name": "Rook MK1 LDO 0.6 nozzle", + "sub_path": "machine/Rook MK1 LDO 0.6 nozzle.json" + }, + { + "name": "Rook MK1 LDO 0.8 nozzle", + "sub_path": "machine/Rook MK1 LDO 0.8 nozzle.json" + } + ] +} diff --git a/resources/profiles/RolohaunDesign/Rook MK1 LDO_cover.png b/resources/profiles/RolohaunDesign/Rook MK1 LDO_cover.png new file mode 100644 index 0000000000000000000000000000000000000000..068ab00b3107ad43d79b5056b3d57de645896ef3 GIT binary patch literal 18441 zcmV*WKv}Zk4B?yb#?hlpU>QT&)FX@tGWSF6ol@WXrl8(MRj(ifA4$8pYH$+ zWhg@#%20+fl>b^XH#avsH+OA*cN(7lZzI)e?V~^NV?X_Ge&*Wz`g(|fZzD(VxM#Hu zyPf~`4^v9rcH7aJnOURF>e}i<4?QFzL(TDO*Bmp45b5OUbKm}9x8HV~weHN>v!~CV zCBnP!x@%}wUgfg?z@f!9X((3L*1yfe4j(?8W<|fB<%QEKh@zxg8{M^Q*AN`9W*M75 z$VzW*uC$tsf9x^y^9xB*$?^OwJUA>vX$gWA&lW@v0T2R57|=I%})B=)ChS zA2U8aJ~K1j>GlvQiYwJxt<~C0;&6R^Yk7Hj2#!~+?Ao*cTnEQjUx3-eVcPu`57@P9 zdU~eQ=^~&uL9JGGMV|Ki2>$r-<3pe0)hx->J|N}$>z%alMf#F^ckkXkJ3H5Iw?!Zb z<2b1{n_GENRFde~XP+77IbP*L?zPR%*f+1ObRU z{`_;@Zuix69ELu}w~+eGo_5BnbzUW-k(PeHU;ce$WaPksgPWV1#u!v8Nk+QeCbJX5 zR#avuS659Cu=kb9NZM~}ty--{y{he_{^EJujWHBM8iwOMdLHE zw3=H%7>@N$ES+Br!w>=DWTYsHKpU;F-|Oz)J%8-+Ctlr$Vi?N4RKl^jI9sXJMyg4i zW_b|CT5A)8-Ci%y%KN<6%WJjj()shRVuLc&9N$9XI0nJcxAq@6loxpv23ngSh&$a* z7)0K)b!@F08L6E-b^6tBVTXWtkvBRyv$1?GB5t=Dng|i2DCzZkQ50uswv-`R{%Zt`>9EGTK7>1p08;NY5=2@<_CPZepxVU&t_~t`ETq=Q9 zb!-MEKqPH~PN&P>l>LtSmG0HF7|%X|pmnH#ajgGchp{$8j9Td-v|`bb4B;APn=OD2n2vANkND zk9-4w!Z6PBY-VQi*s){R(A9D+gX0fB{i)UEbI$uXPNFc_Z1jHd7k{NvsfIz+>-T^3 zM}FkBueJ^77Kk%IdXqe6C%yqLkXRd+*xv`s0s2`jz|dzyAw= zzpyZW=+O0An@*>7-+lK@PftGc^ix~w%bUxmUi-Q`XJ)3aDP+L4oCFJkV0vom{U84B zem`^0<$1Pe&+b;Mm8Jb=YwPu|yAx0YDy71a@r5XgqbR!84$(E8AvMPAT9_ZqrU_() zJ^uXhBG2~h*?Z#+*YDoFR{%>#Rco4>n!eVK&$Vk-Mn^{hKmZU4fB>P$tO z()kO3Kmo))dkU)6*?*IY-xV5!41jjXFP>En$Hz0t30MNkB3_wx-fB+Ce zzuy~z<64o)$;oXPAP4{e5`qW-B9?e~Q5wj5KXgd1olr#s00N?v|Dedg`zUpWY~LvV zvazu-1jn`Ja|oae&i?=(I}a&u2_gZ2wRUJ$t{KgtO{o_I24P59Q7bWn2#ClmC00bF zD2gFCt|gxXP-GCtitw>xPgv{PYZnU9?|jcYl+xS!L#(yUX7d%l7b3p%o$uVccWg?OM|F+wX9y@kyWo2auj;j+HYWMElrM-adEZF44c;;Lbs{Q*9yvQ{{xJ+-f z-EKes-0?>qero^qH-G8=ho67uk=?r%hTynj635ArBR7qYk9+S=ojP^;^vmtS_8zyIYt@ur(@{NC^V zUS{#$??15r(BZ>~=)Dh(eu?G)z<0mrUCudU3<#EvYMCXw%ur>1etu%S-WuPkP<5md zyDU9<{PF4O>9w`BAvi8qDwX7K{_-zA^T&T$t<=)A9~wG&^5n~W?(FOwA`wYo^c{EH zNu&l)U@Iao@h6nhN-2C%3zUGoLbDRb@qwFeSMk{R#8fxlyX3b5HGc4hqqetkw#~0Q zc<1KEMrU)Sv2tc<@vL`l2#%K}WA%v}Zhw7kd`@)4?5iUqy_^lICa89rSCaU^?43uA zO7ni}>{BP6dbr*CM?;A$>;A+2pLgEQ&(6K`-S0!hvIfg6AOHwE$iVG{sSHZ>Qr-{* z=U#4lv|b;7>svnDb>1cwKYQcx6K8Kfdi&WT`okC6;-hyL~thv0Zw@|w4OB$~g4L9B{eg`~(Mi5NviKc5LxYb_;HT^)VtiEq?vhYr8{ zHA%kNJon6rXCC`z=b+VW+06!vH)O1}%&bTOf_M)D6zpWcWG8l&L5zX|0wTTM%cAU= znwh=jb?<1*-*cjquQfaNs}IZ8na<%G_EiIjt7-klgt!nolM(cqdAB(hnwiN7$Fgw8 zyVT!*=4#8(Uyb0XR%_!2@9yT#f!eSrMUP#Yk)EEMs*F{;9wJQ^^x{@qylphM9$sHY z@Z+^TN8Wu$SZr;beeTqWXYwp7U#%#L3oDyxnnxzdvRrGU$O8g_zcd|MnwU$&RYWPn zTqJBX8sFvvCrRbdt#^+ee(grQ=fSPCe|8Of4cT0Ttuw&>%!ReqWHqXd31MD9S>&Z^ zg4OvJz^dn_G7Fk+y74tnKK1n>IR43;5iF%<4aPFkJ@gWf0}=y1oq`|)NP*}klW8nr z(FYSEqBy^~zPh=5mcn>q`o`No@J7{LJMq|;)|M}n?kBVN-aF3#-jg6g*6U2q2+2!x z7&|U%nM#*S4bLS>Eg}knfQatA_kD2qz7t(K)z4|OtFun6x8XMz{njEDefBo!tQ6z> zWA7)mUSUQN2Phz3!~tDSMYY$g zEk4NoQ^pwfjzGZY$W9kjoLgL84z&qxJaof!C5Vlls>D={l}-QX;4isECQEi=wXK#?bcfj2Bo#w>Q z=Xe>41A&ZLe(Di^^pERtaNnEmdi1#yZ+z`NpZvtfT&Gh}%7D}>35o}hz>#MlrG#0b zC{evEH%@bp&u^ZIqoCF8Ym~^CeyjD@fAMFX!UA9zhDUBVEFve4KfAoNc;`KDh?68u zvv#Lrj2@}gf*?rK^up5l{RgfK0(0)n*<;5Z5uoW1Gysvwi?kX?xwUz2RUC@5A}pZ2 zv!s|%v{I4LRxtuks!n_L0vT$qwSxL?BSqhg`jr=^WpdP?f7afNUaYf2aQxGA2oWyxvj3i0s1re)r;@yo$j+{Anw(!twwzLWIJb(0|FaP})ztk(_YY#lMwbfi%zVPfbPh5Y) z4L|YYKaqDf|KST?{GlKDv0IPc#^U2Rs>I>k)Wqr2r;{jzK=+751+4A4jg8##{QO); zfK}u~$i%j>+3590Mkm+SR(ex6(rCTg+)_FLp`>UQ&I$Kt=5DXJ2Sx%x20$EwjqYd?M@eONWc2izQ^x3Co_DjnTCE}?AP6%N zIcNKsot+sitP6}nMCUn)lc%3}TqhOBfGBYkYOU{i<69@^_y7LKKmE0@d|`Zia%O(F zHs+}(pZJ-d`?)v0{_Y!ZykTNu5)u1p<{Y=${i53))ynpJ)hOI(G;5Iw0I5=m!@%Wv zVT)=QcxOFJGBT1!QDCSxGr_GFJTvAghcq>@aNoZC8;?Ao_s3@!Kf8A{K?Omt-}}mP@JMjWuN>p^%d6lrpY_vbbLq^fM3HiCBnqlQV0%4I z``k~9ZkN-{0F1;@(d*^ij_vpIPB(3}#1;ym(@XO_@AvxvLPUG^A3Sqzb^n1w^Sky2 zQPONQ>l4%a_8+p={pp{5_O)+%>+IY-0JK}pZnx)!LBtl8y>~?c-h+4Gop{gQdS}J^ zqR0ztt#j-P6lTxfGqbnW71jc?wRU0e{zf;y`N%D+7Z%erom_vs>YY+F)Exh`^!n+9 zIkVQw+P&Ured^qL7k2MQg*vDr6qQ;v3=Jvjw7aN62IWw(j;+G+vHGF;Nu!PP97Ul* zM52CPq?rR!Q4n|l4C1xbrM0yc6NDnNxw-YlFZ^vKiOci`vj>oZISPa7O#N^E>Mw7) z=?J1eddHoo7FP}&I51fstwpgAA`*}i&&p^-^6U}7d;8earyhFxg{?+Ym_-8+d2B;m z@#{+*jmDU%u&NM|Ot+V@DDPG4{OSFZ7y7m{1jj$3EtI|i$YG=Ppdl1c00d-Z zv;EwuWiK>VNyck6t@YIG9aGG4Wkdv?eCp}P9(_2j)S|co0LBE?76KxuSJpa@Kk<~a zMHq%17u|5@eWZ0CsLw!vNGMi3v(K4X7?8b)P%?Y)wrKiqzxqP1L|h9%YIl9mXK7^9 z-quP`H2#}=zkBt3@PYgOjkxfm?|z5%&k5W1@s+z?bI+Z3{V5WhJpILweezd^;J7G1 z`XfL5!$15#3L*d|ai!I2KKJZ%v(w}C@rfXckuVCQ&m8)RpZ&}u-ut}hs-zZ;&gL&X z4E?6K{<)=x}Arni&U0Q@CWYQ!{W27K&55SF)DE! zml+Z7T@)vUEkuM_{{D&c4;?=zg3Rohy=P&^?1fnb1VDhGoPt6HNKi?DEl>@?Qke9U z>0DSw7PLzhjG3S!C_uDlPnc!55KE&Yv?p51@cO2!k-V zRINNh30XIZP&K701`d*AVvr;k0j*wMQeX48IWd1Y1WV191b```IC zjeOz4iZ%iCwx&ZAf)UsDVa(2f00JWbLlJogUgnIJK?Eqmj?lucLj+!=H@f__itE&E zf6wmyD;v@N`H4tHE%#Wv`xJ|7bz0VE(_?oo)ZeZ&D#WWK<#E+SD>85+PoFvW;g9}{ zFbI$+H0Hp8ga6;}{w4@8^RNHnFYxAtJ2@9 zg-EdsED0b|V?zWG`9J)^Ga$muNXRUsWA)XwHA1RZM_9lMeEQRW^v9q16GReW?R`~P zL^6O1k#io22A8}@Iph){BBFDSkdP1t`T#^k1lry?Yae*%f!VQH5Fu2VES_HbyolJs zS=*2F^ujn0p`ctP=(uXYQI;_flQ{9-^;4&{X7=4)U!*LX!^-N~*47pgAu0eSB4K6` zA{rFT1Vn^IKm=)Eq1ZbqhaUw5zypYYQs|r~Bmn^j0_6w-u`nWtFneGSk#gp#thSW% z_y7RLpa5w_h-j^40X1kyCasOpib$33UKa422r~nwS{F(U6igHbwc3cYMNd-aD2`(h z*`B5uYK|8vj?#~VD2k>h$CD^n*=UT9)|@K_*Cx_C-ud?5`ON1e89%hJkha#ED=+jq zT|}IppMB4J-aRofiGWCmNT2-lr5D_>qZb-@tc@UFK- zmC6^s`~dnaB+AoHx7#ZkTepPD1O$rG(E}q#Z@%}<_tZwlvOFUq6j4f%Qd(=JRJYqZ zx43GpS4tsKzuRv%yUoqb+1W~(^^ZUI>{q__wJa}?)ZsUOPn?WC{M4fdca4vB_LVx) zdtao5b!ni5?1L>L6h0CoE4(aD>Rq`6(+Sf|F; zR4oWhWqEb2+36`l6-Ao_NMx<^y|v!yr@rKS${6njl@?*)LEndfuxIbRhzN@p5zl3L zf9bJCr_;{TY<_meu^@mfKhY7`3u*J*SryLUPVXxPBzQ5UM&r|^r6k)5? z7=q)Xv|8=5DNAd$*=#%K!Z7S-F0P13$%z2J^Si$ntzHPUIdd8WAPT}T2oa&z?SJfJ zAKOm7699VVPk#LO5z%`lA`k&05EkZgmaT-*4yTU*5(0|=Km$;i1&~}v+U=*GKZS$< zKt#d_$RNl9iV(02Y%h+;(e|ZZwi%Wq`z+GyG+4yuMb_BGQlyB8lv0YQ*YCGmZA2teNJvDA6cW})leFI_qA(dr>bouX!4IaYq( zEOR1ZpyNtntd&Y-OavGNubLXm)dG%f_Z+p-AA0ZGI_*}Y(KK3#P`K= z;~U;EHa33jv17mcd%yFpBZm*1KQSpbRM-`I(nW{f|F(&Rg@r@6f9S&>-rU^0oNpJ$ z@&EdN{t{F0{PWAb=PRYYxnb{p^HbMb@3yu!CPrE#$pQip(hwXkmF@O!L82f3$^YFs z%icR{5m;;EMG$aic5Y^Dt)g_22!ZpiC~Tp$>ZiTW{`nt0Iyd|D)6c#9cl^XBKGErP z?!Nn;U;j_PUa2Hse&Ng~E^OYur#@Ya9(;bQk+puJ=i@>?{)taqKBrHbrmd~jxn29` zCnrw6;0Uo>bc>ak@FoQ^6~R=9AP`Ulj6^WZbG%4aSJ$BI)DubKO$H{FDK83=TENi-g(3AZ31W zex!s&*%uCgTIwpb)>we;tBU zD#^h&8HG4DHa3`K8)zB?fFA43eo>xLC%{s2d?At6S^<(5DLm(1^30A3c)R@X=pw%|7@oqZknu1TV1BcBw1at09XNA)_pE@fG)u??%X550>Ho?yaI2*GUPe*7|OPC1`vp>+9%tL zrk8x8lIWp)t!}q91jmarq@B(--y^(e?5uRq2uc&qWvK&5khejA7yCAV25lVMWRZg3 ztdekWN@@GX#i#GkfWbvc!cc}yxkpv2-{sZ-`ZepCo^B9W_Fay zj^?;XF32xZJOk3wlA}^y^x6YJ;DE`r{A@CKWkD2yOH&!LO-m-*^rv*yr>2ykR zSV7qyMFaro_j^D2KmTwqi@@HV606;5aqSNO;x4LzIr@JwE z<7;G~lLmPX0Y)W5aD0lEKpeplm$!-a9n}$4ed3UJn4+I|kZDhd2QQdG|;D2LSXy zkG!xvSs~D2mfMN}U?zo16OjNhApnUY%=+Cr5y}&XD8kNVU>fai zsC8Nt!hC4|o--?rTlY?EET1pZE+8sILL>qLXg0R;ELDUGkqF8g3Q-|=Z`;i+m*<3_ zKnO%5lXycwM0ebIj|r<|wfKq8J(pDOx^d6D07x6JG&oz9c99f0>6}~p+aWk!B!Bn! z|M2gA;g|R9UYMPoMZ_|pq?B4%*uA*8G&(-<#V>y0H-6(cZoc{E4}R#Q4?p(Q<6r&i z^Uoi@{P(R^s|T;UE?ruls*i29yK$U+__iPVoxl6i`;NT%PoDYnhaP(HN`1liy!J?~ zmS~gS|G=+(;Qily=Y4N@=o=5;aMQl~zxY?yTJKyx?E}cyPiE^It3z;#ihy+1!Mc#LGbfnd48m*L4!ahxVU-|0S zYe}M%Dl__5vP2-#X}3hA+iL`IZj!v+U4H86N8oCetDXBC5yLQ0N|)Tz-EOz^MaIU) zuE^^rNu1>cAS$gzgh)O3z?WyoLjakXnZ2^9Uj)qaV#gz{RBBf_h4EDl4iT}=8KY%T zv4mc)$HK79Q-1kUNfKre0U{I;BB;jUsiz-I`&q44y`m^5*sdlz=R_a~Lqr;a;}wdv zw%Ke1Vd$Kjo}LB(trZc1i1Swl9L_mHWahFpd1iWge0(f2nzMB8-u+kbyF^ha+gUXc zao#E-#G&T649&sbD?$-pYT&Xh4~X0qV(s+alTtFMpvrsS^X}2fg*U$C-mKLaN4aup z1INbdMB5Cg>I&}}Ku9Sh9D?JOORv|Bf>4;*dDz~F zL!>6BrmoOAQzD|Y5@AL3<*$9cR;#S7t(|<~g&xBH^q%*=_NE)IltW6S6e$3R!Vo}A zU}&g0E=L;8Mi7RcrCuKcfJUQH=C=3>`5e7o4-rL}l=5Bz69&E~B1=o>|N5`~a@T$D z{fX~-^WM2D6Sfcz?8^AWM42xy{y7b7LvVZx34(x`gD`?Y(UP>$SIXxgA{n%Lh}IgE zalNf_N7JW1^{K`4=MR14`~R0W-*Y9L11!gG0l;~WAVjL&ZV$n6Sw~cB4Z_yB(h8Jg zDOU;{&bhM0qO}(B*4ezhUY1p?wLklF|CYn}weNo4eYf0r`QJo9I-O35NZuZg8-nAN zOS9S1N(pnhRA4YT1azfn!bQY;x6{=;Qi(U$m&@sA0C@cI$N%p0e-|IQ+kBY4XC}m9D0^9=6e+Ep_mxTo05&!@$`a|7S}dQYY1v=nJtIKB z*Mh;;;lUd;8jX*C{0~ZVc3CP428;|)ded0)L=3@kS>RAW3fPx<4rW%0i0Ddfc@+^w z#C|aQunh^kw2$oTUw?>3#&6oY`xU>7F{b1VDHAm1V7_(sD&!vhP6Ef)))pa_TMu^P zi!11mdKM%Q5bGTxmLwVYB5c6Y($Y7&>5t$0rje16SN1OTdR=(X;R*l(z|2|=eU8f$ zW={Z~{m$tsgNwnnekD`~2ofoyGy)C=reCthOXTZMK6C8U$zT1MpL=Ea2!guzooIP-0pHfPM5h1B0Fz6G%2)^0b znW89u_kl+?zy78F{A>Sdet!Oys3O55ZEYdo z6{^^msSa<8!g&_J(s;eZtXy~S(Bk5`yeNL-OAjnR_{E?9`Cr_J* zI!8oVo(;kA%B9h05D0tE-jzq$IZH%WaI?HpL`s#t<=ezuFB;r^&1>#_?%8Jn;Q6Hs z&82hy`d|Olzx}^{=IGJeUgqnEQFQ3gp{yv%IqT8U5oi5iK^P7TZ?(hEe9}bp!-n@U``LzuIXt&!x{nP)) zZAWka=tsZj<@nUyjUo`L2Jr58eAljpdCy)1NGZCyOZMLZONRx(JLgFQKqZQehGAF~#icoqv9YoJ`}c_eb4i*ZBH}%l6|X3Y#>U3Vz8>$L_goZK1VFge zZn8ia26x?c=SXdYkY8ULN5X~qUE}ro8{haQt<~-Gvs*wP{NQvsVRQV%b9dc&PrW`? z+6zST-hTe`pKmmp)6=scK%{H6+T{4c+TzBk7ZyjyqaZMORsbNgN5ry%KLp1s_c;)N zy=M=%9=R*++vlErChzxAxUrRejzjib6a@gH!2z-GAo-0_=Cc3+gpfo$B8bu@#c{jS z;5zQem*~smDx_ z?R)0wo-N`$bIy4Ywl*tlx0h{r&b?<5aLzG%=bZOmWMEd91%Q~Dr5wKWh=@p9YXBgn z2@wFxO3EeE+5-mdi+og4b{ioeC`D2tOIU=PoyBHn3q;BtU(NzMs#T^GO%(mMytXM;2?@JaBU@nz} zCxTLol%}N|a8;_TrD4hCgh)`**fKM-^8=cv5*b7YKty@~7zATXNoUL;fH+vh;a!{% zVI4U_Vdo3)1W_tUVsy=eIJO8tgkD$?Wm!4|$19gkw?l;9TM;%!J1fH8vM3c*P2^nL zd&}YlJP}u`u}G_AEcV_L5h5r>Tt)|k&N(7R1okWd&Ut39b=lLtlc91VdXWDhD$P=9 zm`cS#N|lsDN)a;yUl3Iu`>I1K>|hy_8T1EXq|(TU%g(I-WYS!wmngWf}M{PW^W zP3XK=L|a?ywXiIWif88-HI5qX3cu+*JLdwj+v!Ly6Oko1Ib!L7mM(`3xZGGun(1=) zI1!abmObw*r7l51!>>VLqxsU2~*qibTTfMU(>Y1LmXwO9}#lw~i6xSnoAKN2J)^ z#-glsAV8$bn1z`UMG<-DS-fX<-h+Tr+GtZyu1J*9B7UG@M3}vR_Rb3mDRRyNsxkob z&I5qbx@2--0Yt^+`#{m^X95g^xMn~m0yyw{%Dr)FXUJ&?j#r%L&{~18LJ;wINp4#h zb_jo2m_5YgymJERoGrr;W+o~N3Pgy2hP9Q;tF53S z0t7{L{{w#%RxTjQcB59Q^-CuKkQgav5oSlE0K|JQ0%az&3_P?_0KCIl$SllGfQd+H zWv!F)0%u|d?+a(001AWmmIV;d7EXk{=aMCknZ0*|P!`BLC(JQU5$P2BF0#)v-MnVu4aNdbAS_DN( zjv#Q(6Nz|0)v?wi5s?spAh3Y*z05r_G2IR0G>KvnAfkL&vcDWDio$tTRGI~rKIFN7lkV=hzK()1YM>;v{Hav z=0ya+d-k41ymN(fZhJG6a-I>so76EH5OAoaJU}kpAj@?@8(PJlmRYeyj zr>C}>O%sIW@{nG)H`E-jT>AZfmSzs4$nUjn4+5O#q_QLw3dK@RBTc}@Q0Td*i z6-7=;iI7s|UN;S8I@}8)mf;2rb}Ko@;2bkEfqrqHvIit$ z9wgDqy|V1eB~V--s2%kq*mJ%L0EJuLf2-a+wY2_1_vHCiTfc7V=66}o0uThIu*DD@ zm#5qiG${lK!|32W?|bt6%5}55i;;P$)cTdCigMLVFgJi{nXV8(5J#ke6bO(a1_E)V zi-3qAo|!}#p`?RjBt@t^J1V(v0Re%XSDFFLb{q>RDC`h5k#?3#JQ1)k2$G1nq9})# zJoiWi^~uExYY$fEzOS))lN_C$xo+QT&ed>~i~|6z^e|evY!NYmVZmE(zx(`px0$My z6Khc4z1%HE)0OqDuB*U;SiO!&fAwd7Xp1~6QezANS(o%&@&_A``_^+k3V+db#F24R^IHz&CIX(pdU?sb-maV2hG0gbaVCsC1vdp z9G4^Aem@K&K#c1PZi7h$1;a?3h|kx~zR+5H0mk=s>I?M)Z}Iw2VZCS1-V-8`ilQ)z zLR(m+lptsmqHvLQd!06s2>9g-=X>2=;e5B>M+~DRc=q_SPUOtl)7@?-FP!&)gq{qU zFsasS6Ev3RBCNGZl4_P^K$vGK5d}dAATGDJ-!=X4W1sQ-=6;rY=O20atKIkzkcx~U z6=W8Q!U7^*<*~|l1UNRg8paqx>0`x72N8jE5QOA0@3lp8*gOeY({^vsI`CW|A_Y;I z0nx@76NXWY0(qW^_W)3>ja4cm-h0pD9e4YAQRK!X6Vp{9w1sUp+svX(xNGkr(gaYh zlhtM8r*%HdGUr^L^{sWRBMfQ`V!|*o#0j@LU1omriDNfhe`A*R`$fZ6v@s!AhjC<4 zF^h=TS`E$0WoOU{17n2!($YHUI3Vey9So{Ue9`X=mhbd7e*eFGYG%)F3Im{kp*n3A zG$>6Jg&IWwowZ^)V_&c^ix4V}VVY*^nMktxo|W#Z-&)=~KVKi8dj6TmcJDfn=GOMM$V9tF z!u$4)gkgAUwTDE$+)OnD$K`?pAqWCN42b{5TMjIpKAzOB`-R;MLYulMJfu+>|}If&#naeY`b@^5_L6J zYIHEryTfXwTP$_+4KFEeGa)NwP}i8o*pD&PS=YK;oN*_+(gdm?M#$1n`v7py>)-y^ zu}7FWZ8xe}>m#@CleNb~mHo@Ne(>RMY`$bPW(bZ~D6MvB#yJx4ytI$f6Qk=H8 zY_|i8HI}W%+%t_=;51g zYc;#8jgBoc9RwqlC=lBYKF&R7VlLF9cwWE6;|5lsbwuxNz^5fR2j5n(tsl0J3($!^-$19Uoena$fO zi1IAkwXpy6>E}jAMg)~s2GK2Uw4yN7IzoiNsFGv+7MX0L8Ho2(f?~ zQ0@Q=0|J8}5}{ET3WA|9ph_V*qA(}~B8(4TH+$R70b--oY&`kg82}65wH6T%0(k)s zJ@Dx6J$oO0^l8sI5qUK_$@xmtBO($Bdm==oNGW@D&&qxWfWv4a!g8^m)>;788(mVy z7k!1|fjXUjx1R!lF@XXOK|+v>Wl6?%H`~$fm-}8h2@{_;&n-4#_w6V3P+Z(iU zc@|UvB8UtOgg}78WoMT{R76Hms3f%P5U`p=|LP~-^<8hjl?a(7%YXan=TnvzK+l!4 zuqaC5ZFk)DsZaiawS52tOmqb-g~#-Eu2NqqXpCc0IS1iM2jgt7%1i z*%OQajKZEh0<)liAOQn2FaT-_3m+147Qwkn_Va)9(0};yGiYK#>SYt^10PX{Mky9# zB0>d7f9f@T^xp>{NTh?P8ioZ6FFvu=>P*zDjs=O7QbAybRoTmxPN%E1DjP?&(cbY= zqnAX9HC3BTa}awV04#@97-T95JIys)^w@i+dR9eGHlin+O~grw$2Ztv-L*#icr%Do za4r+Ekr|f(854S65?=elwhGsc%mgG+V+_(T0TZ6Jv2+b614IZKdTS8HPDMtOs*KIY z(do@r1_Y$a%`R5R_cG`*;1_MHwIh(jov}Knf6)qEB0kI5Oqq5r^cg7wU7` zfpVWEk|2r*_qSYgP47Q&ezU6-m3@Uq8{AnZH3Y{i|A<-c@JcZUWu@zw;1*8aoyIa`a5TztYKn36|rfuI@ z7SA5=!e+->d;dRtK~anfo%dIH{`@-t99f!{0n4dV$JdvhyY02_5L2_h4~W13Su5b) zR893ZR+Z05T(BC22jA<1iU2{c2`T_6pt%CB578(D38>O8Xi%nHB`2CX(VR^1y3ch` z>rBsxkD+Yg0u)jJ2sGGr4ck5DEkqieY2|Cig;R znzJUTinDfk!?)V)wATnnlG6VjCc!R0&(Q}|?D^)~?z-QNC2vSnGJc*^*Y3Q44z-*l@+s09$cn`fcI0sP%K?QUKK@6k;25Iq*M1Q?%&=_g! zG8HO=&F6@yga{Bp1Y7}mANwsyTi~69Av)G13T5x!UAM3f@PbhS3|yWaPaFMavzq;*NEIt0gMNfak#8!73CRppsAYsO}+eQk**UA_LftEmv)~G`XL6jE2 zawLj~Q1u;kA&hNj?^I2^b0)Vz?kk0`>a%@fQ)@&7p5L?Ydp~eTKTTV$*2eng^2*B6 zh2>_Wxe&WN_cMXznIpgXg~dDe*VDo(rJUgOuItv<)`sACkTaW&Nj_p=ZujoN4tM|}GDe#q=;{g?BODg`r8}uo6dx$QzDyRsayGo?{QFjR}S0B1odRlKlVeU2AM* z*HvC??Y+#q+cWlfW-`glBtsre(zGE>NQwj@r3zvSG(ka7RVo5e8rl?z zLYoSSHlYClnHB-6lBy^X2r8O}kOz4u)6&c&lV)DFXY85r`*F{6@5PUO?zJcI2MbY0 zobQKq?ECPw_jlG>d+oKpRaSB?Nn%xM%NFL9j*L?(1%c*72%)uZ>)B33=6_NB?*A7# zhIg)psS=cCS;nAA5;N#@@6NF;?ILLFh~qGf!z4}-Q7Y*;PJ$&VT}?aKNdbMhJS zLI|aV>$slhl}bS=2z<|5XD_6ZN=iY(mi!?S5)uhQKtN=}gv>@Io?9*jjYdF(T4#ZZ zBT0gs%;=RUs|M0Y>A8;YyQPxvdw!OtKyKg>N2}zN8PG5g5irD5?y7fRI5%C8Vpe|_jLX2#$7_&uK-8XBHo zSpJ2Fo>`P76bc9*e(n5aHP2VXS|^!_;>xPCE$N6rr!X{tNh3LXOoIqZok^TF5}jpG z=^X)hvLMI*d=u+=X7M4}e-`7n@cinx@$A0NoY&Q`gH2YV;UK`uzjA(Uy(Dvi9ZLbG}Tz7#Gq=aAl z#3vER=Jh*jURHnOvcoh7hXSCny|T=P!8H2;x!HDY_2#s(1%8IuoSaMA zJV#PSpcxU+rE)(ZD#)7^kVr{1j0TaFqH@`7ub=nO_*>5?f63#nsI4H!MzFlRlqQ*M ztNr_uo}s#qfB;yt24o=4McMK!v_U|b*JUE20btQPBdn7- zXWMjr(OGFzUju>H|J1&S09sRf@+pFAU#*#HzKhkkWMIoqvMMv$2rvaXHv0LbFwAt( z8s^u$Mu2tS!`jLtpjn%-x2C()Tzo6#z!#0)Su+tibDB@LD~q{?q;*bf>)NCa;=4W^ zG~-&^SqoMOmDvCgA|j_@Sde3bPy{ArTr>9wxZdvL+Ks#J&c^0qu3K`eNxIH$;JU?y zi@OB!hq%R}=Hmv|Y!t4ioV6l(y8*9f$2!Jxu90iWCJ7K=b#vlI@sg76=MK0XWFWTv5EO<`>-+ng$-3ZJ?Nki(`Az(e3?$^4)?jDbg&6?DmzK z+a0p<8kP!HZYp1Du+PawNC|DvNi$oLdXDP|5`+X`Swo0|kO)LG%_;~4A^-~{fj|g^ zQ1(=B)qni4$!`?o*oa#p_5qhCvZ_fsffF!njcqGeI%dyL9X)nZ8^Z<|xOYqSz=12q$0vl6N-3)&Hh1CN z(rSG5RaZUp>~l7SIy*PlUa1hL`}Xbau635%tMBq+bIZwcWNd$}X~rn_-G*wO?~0aX zvKo|y<=Eg>g#nDwnaL6nPu)1=3d~F%?l*ll_*!@WV8vNR!^0Ty zS7%FeLPKW24mn^~;te-+BSQDsXeEu7I%T@FxE#2yD@)$Al45yz>DntVec_ci;v^mD z>+b96N_7T+VboB9z!>F<)L>(E)ltIrRA;r<`W*lhhOsfAymAz-xItTUpUlQ^6vx+Z z4G#W9{qXqeN3R)_!g?8eYzZhn?~jExp0qF{C^ zbMk2b00)stL_t(nMQ}Er-RfLuD;q!s#$Q;iy*f3szk7O5Y3%vXWMnwCJKHdM>%fOT ztabL8FMc5kqo$@Y=qxGuver91G67=;ocKEOab#nF4FIyq;%ZlIbk}8Z6y;j@09t2v z-xGCIYhOQf$Z+l?j4^2(dA_f82HGY)k=N2C*ygDNV?D0C@SBewK_N0mN%*Pjd%kwZ z$S*&7{MgiTz1_FWh@z+<$Hum@V2v&V6QX1Tf|Dwd%xbesxSU{zb8bgBC6mGU{Doax zG@DieR0tXvNorfVPo171BAdV(9O(bi@#9+aYLrgT9ak#aoX+z23`AUHX-@c4hs z-+6g`TbJudeDsxbU;VdRT_RNb2k&ThGC?XX}kHo?iTgnqF zJ;yK1J3^)`q+~FN0+|^hD4FYja{D8XeDgd1^p9GnU>Fd;`ry~@yZ19;6gMZN003Nl z^;MT%w)g9Y4(0n)A&5u{@!8M+{+~Vc(9+^!P$~gnmSs}P;o-qsZ@ul|Lk~l9!1*s8 zJox_iT`BXplMz7!5yHaaN@TdJ?0(|g<6BDfz(==z={w_EYekrkqGU$I)kdQr$HsOm zNNdtaBGKR@8pb3{;;w)^WjZ`HvBYJ<6pWps1jcSVZ~5u|TYhTzv-f^F@Em4kj3FW^ zWmm1Xva*8MY&Bq0?P%Z9(=*WDPh?xD34lpp$@j)aN2aHz{Gg;Wjf4oWwRcNbwK_O3 zV5j+HX?o&E$F9Hj8fJqiT9cuqZP*8__|)g?ojqkCq+w$WV5Bw54=CR|9&tU35_;c5>~3U z2mbUSJ7mMIj>%F)aJ=B^tKYX48ZziCR<8S7zw>D}rWG_AV_2uI7yRDm?#rL1Go8jH zR2D^!7a)MnB@77xo;|*J<5=}CfAxSi@U0idd&}ajGfM*3+L?HBi~DS9ax@wZAs`=d z0)S~|0@ZmYyfES|e_)6fQdLpu=`*!CnCf%v$VUJ|z&(3As$J^nk)ty+Goz#1=jRuu zrlt+&I>rDXg}DCx*FE{Yr>p=zv$kB>wQFY-$0v>-Z>7y`@#%+dzWIqKo?y0``D`b& zY#SbOUH90rxBL71_V3%%3?&c&#%JTf>w0e6vH0chp6GsYYB|>1+QlEod zefP#;j$N+KNqzB z@_kQz?_ca@r!@(1<%-KYJF3q;^ORC*_wM@~M+qSj_~t#;KY4QMOaFZOcW)j3jhm!q zMgXOh>!=Uzu6^_HQfrjPChw)*><4c`qCg=)7&h&1g)4dv_V-DHbP-`-y9>0Vk~V4YSf73un6qag&@I8;q z;YZ+u^^`Z<=zg*4@?Fd-~KlA*5kWlZ+V%rBpJBlO##DZy#(#OG5JVFF&4U>G~Pw z|7RE&7#JQJ27v9`w!Qh*+kqcAu8N|_lBg7v>;U!ddTsjL)TvXa=I7@Z78Z(_V}lr< zI5j?T%3gou_S=`jqmJV+b0Z9mVIp+3yRy1Mf~MxrzW(};`7WHCoSdAT1b{3{78hoh zmPA{*5{98MECeNSj0BQ|=k`AR^wXQR3vw+93GW>=8jW3JJ7(wRbNk$!s?^!pQLoot zdgs!FbQOm3N_DuU~Qben&d4>%~bN zhGCke6O)rCPMp|;pLTR)q_3~nb-ln303nK^Mx*h=H{N(pFrz?$0tE^bC{Un4fdT~z w6ev)jK!E}U3KS?%pg@5F1qu`>@Z-XN0)u(9Zv^wZs{jB107*qoM6N<$f-f?Ung9R* literal 0 HcmV?d00001 diff --git a/resources/profiles/RolohaunDesign/filament/Generic ABS @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic ABS @Rook MK1 LDO.json new file mode 100644 index 0000000000..a03f3c183a --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic ABS @Rook MK1 LDO.json @@ -0,0 +1,21 @@ +{ + "type": "filament", + "filament_id": "GFB99", + "setting_id": "GFB99_RKMK1_0", + "name": "Generic ABS @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_abs", + "filament_flow_ratio": [ + "0.926" + ], + "filament_max_volumetric_speed": [ + "12" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/Generic ASA @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic ASA @Rook MK1 LDO.json new file mode 100644 index 0000000000..a956261915 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic ASA @Rook MK1 LDO.json @@ -0,0 +1,21 @@ +{ + "type": "filament", + "filament_id": "GFB98", + "setting_id": "GFB98_RKMK1_0", + "name": "Generic ASA @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_asa", + "filament_flow_ratio": [ + "0.93" + ], + "filament_max_volumetric_speed": [ + "12" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/Generic PA @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic PA @Rook MK1 LDO.json new file mode 100644 index 0000000000..d6d242c40c --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic PA @Rook MK1 LDO.json @@ -0,0 +1,24 @@ +{ + "type": "filament", + "filament_id": "GFN99", + "setting_id": "GFN99_RKMK1_0", + "name": "Generic PA @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_pa", + "nozzle_temperature_initial_layer": [ + "280" + ], + "nozzle_temperature": [ + "280" + ], + "filament_max_volumetric_speed": [ + "12" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/Generic PA-CF @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic PA-CF @Rook MK1 LDO.json new file mode 100644 index 0000000000..0c0a00dbed --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic PA-CF @Rook MK1 LDO.json @@ -0,0 +1,27 @@ +{ + "type": "filament", + "filament_id": "GFN98", + "setting_id": "GFN98_RKMK1_0", + "name": "Generic PA-CF @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_pa", + "filament_type": [ + "PA-CF" + ], + "nozzle_temperature_initial_layer": [ + "280" + ], + "nozzle_temperature": [ + "280" + ], + "filament_max_volumetric_speed": [ + "8" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/Generic PC @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic PC @Rook MK1 LDO.json new file mode 100644 index 0000000000..fc30c52175 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic PC @Rook MK1 LDO.json @@ -0,0 +1,21 @@ +{ + "type": "filament", + "filament_id": "GFC99", + "setting_id": "GFC99_RKMK1_0", + "name": "Generic PC @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_pc", + "filament_max_volumetric_speed": [ + "12" + ], + "filament_flow_ratio": [ + "0.94" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/Generic PETG @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic PETG @Rook MK1 LDO.json new file mode 100644 index 0000000000..db692e1323 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic PETG @Rook MK1 LDO.json @@ -0,0 +1,51 @@ +{ + "type": "filament", + "filament_id": "GFG99", + "setting_id": "GFG99_RKMK1_0", + "name": "Generic PETG @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_pet", + "reduce_fan_stop_start_freq": [ + "1" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "fan_cooling_layer_time": [ + "30" + ], + "overhang_fan_speed": [ + "90" + ], + "overhang_fan_threshold": [ + "25%" + ], + "fan_max_speed": [ + "90" + ], + "fan_min_speed": [ + "40" + ], + "slow_down_min_speed": [ + "10" + ], + "slow_down_layer_time": [ + "8" + ], + "filament_flow_ratio": [ + "0.95" + ], + "filament_max_volumetric_speed": [ + "10" + ], + "filament_start_gcode": [ + "; filament start gcode\n" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/Generic PLA @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic PLA @Rook MK1 LDO.json new file mode 100644 index 0000000000..289e969711 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic PLA @Rook MK1 LDO.json @@ -0,0 +1,24 @@ +{ + "type": "filament", + "filament_id": "GFL99", + "setting_id": "GFL99_RKMK1_0", + "name": "Generic PLA @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_pla", + "filament_flow_ratio": [ + "0.98" + ], + "filament_max_volumetric_speed": [ + "12" + ], + "slow_down_layer_time": [ + "8" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/Generic PLA-CF @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic PLA-CF @Rook MK1 LDO.json new file mode 100644 index 0000000000..0b120c78ad --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic PLA-CF @Rook MK1 LDO.json @@ -0,0 +1,27 @@ +{ + "type": "filament", + "filament_id": "GFL98", + "setting_id": "GFL98_RKMK1_0", + "name": "Generic PLA-CF @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_pla", + "filament_flow_ratio": [ + "0.95" + ], + "filament_type": [ + "PLA-CF" + ], + "filament_max_volumetric_speed": [ + "12" + ], + "slow_down_layer_time": [ + "7" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/Generic PVA @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic PVA @Rook MK1 LDO.json new file mode 100644 index 0000000000..f4c7362587 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic PVA @Rook MK1 LDO.json @@ -0,0 +1,27 @@ +{ + "type": "filament", + "filament_id": "GFS99", + "setting_id": "GFS99_RKMK1_0", + "name": "Generic PVA @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_pva", + "filament_flow_ratio": [ + "0.95" + ], + "filament_max_volumetric_speed": [ + "12" + ], + "slow_down_layer_time": [ + "7" + ], + "slow_down_min_speed": [ + "10" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/Generic TPU @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/filament/Generic TPU @Rook MK1 LDO.json new file mode 100644 index 0000000000..56c45b8959 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/Generic TPU @Rook MK1 LDO.json @@ -0,0 +1,18 @@ +{ + "type": "filament", + "filament_id": "GFU99", + "setting_id": "GFU99_RKMK1_0", + "name": "Generic TPU @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_filament_tpu", + "filament_max_volumetric_speed": [ + "3.2" + ], + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/filament/fdm_filament_abs.json b/resources/profiles/RolohaunDesign/filament/fdm_filament_abs.json new file mode 100644 index 0000000000..b9d4eeda31 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/fdm_filament_abs.json @@ -0,0 +1,88 @@ +{ + "type": "filament", + "name": "fdm_filament_abs", + "from": "system", + "instantiation": "false", + "inherits": "fdm_filament_common", + "cool_plate_temp" : [ + "105" + ], + "eng_plate_temp" : [ + "105" + ], + "hot_plate_temp" : [ + "105" + ], + "textured_plate_temp" : [ + "105" + ], + "cool_plate_temp_initial_layer" : [ + "105" + ], + "eng_plate_temp_initial_layer" : [ + "105" + ], + "hot_plate_temp_initial_layer" : [ + "105" + ], + "textured_plate_temp_initial_layer" : [ + "105" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "close_fan_the_first_x_layers": [ + "3" + ], + "fan_cooling_layer_time": [ + "30" + ], + "filament_max_volumetric_speed": [ + "28.6" + ], + "filament_type": [ + "ABS" + ], + "filament_density": [ + "1.04" + ], + "filament_cost": [ + "20" + ], + "nozzle_temperature_initial_layer": [ + "260" + ], + "reduce_fan_stop_start_freq": [ + "1" + ], + "fan_max_speed": [ + "80" + ], + "fan_min_speed": [ + "10" + ], + "overhang_fan_threshold": [ + "25%" + ], + "overhang_fan_speed": [ + "80" + ], + "nozzle_temperature": [ + "260" + ], + "temperature_vitrification": [ + "110" + ], + "nozzle_temperature_range_low": [ + "240" + ], + "nozzle_temperature_range_high": [ + "270" + ], + "slow_down_min_speed": [ + "10" + ], + "slow_down_layer_time": [ + "3" + ] +} diff --git a/resources/profiles/RolohaunDesign/filament/fdm_filament_asa.json b/resources/profiles/RolohaunDesign/filament/fdm_filament_asa.json new file mode 100644 index 0000000000..262c561bda --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/fdm_filament_asa.json @@ -0,0 +1,88 @@ +{ + "type": "filament", + "name": "fdm_filament_asa", + "from": "system", + "instantiation": "false", + "inherits": "fdm_filament_common", + "cool_plate_temp" : [ + "105" + ], + "eng_plate_temp" : [ + "105" + ], + "hot_plate_temp" : [ + "105" + ], + "textured_plate_temp" : [ + "105" + ], + "cool_plate_temp_initial_layer" : [ + "105" + ], + "eng_plate_temp_initial_layer" : [ + "105" + ], + "hot_plate_temp_initial_layer" : [ + "105" + ], + "textured_plate_temp_initial_layer" : [ + "105" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "close_fan_the_first_x_layers": [ + "3" + ], + "fan_cooling_layer_time": [ + "35" + ], + "filament_max_volumetric_speed": [ + "28.6" + ], + "filament_type": [ + "ASA" + ], + "filament_density": [ + "1.04" + ], + "filament_cost": [ + "20" + ], + "nozzle_temperature_initial_layer": [ + "260" + ], + "reduce_fan_stop_start_freq": [ + "1" + ], + "fan_max_speed": [ + "80" + ], + "fan_min_speed": [ + "10" + ], + "overhang_fan_threshold": [ + "25%" + ], + "overhang_fan_speed": [ + "80" + ], + "nozzle_temperature": [ + "260" + ], + "temperature_vitrification": [ + "110" + ], + "nozzle_temperature_range_low": [ + "240" + ], + "nozzle_temperature_range_high": [ + "270" + ], + "slow_down_min_speed": [ + "10" + ], + "slow_down_layer_time": [ + "3" + ] +} diff --git a/resources/profiles/RolohaunDesign/filament/fdm_filament_common.json b/resources/profiles/RolohaunDesign/filament/fdm_filament_common.json new file mode 100644 index 0000000000..9f77975119 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/fdm_filament_common.json @@ -0,0 +1,144 @@ +{ + "type": "filament", + "name": "fdm_filament_common", + "from": "system", + "instantiation": "false", + "cool_plate_temp" : [ + "60" + ], + "eng_plate_temp" : [ + "60" + ], + "hot_plate_temp" : [ + "60" + ], + "textured_plate_temp" : [ + "60" + ], + "cool_plate_temp_initial_layer" : [ + "60" + ], + "eng_plate_temp_initial_layer" : [ + "60" + ], + "hot_plate_temp_initial_layer" : [ + "60" + ], + "textured_plate_temp_initial_layer" : [ + "60" + ], + "overhang_fan_threshold": [ + "95%" + ], + "overhang_fan_speed": [ + "100" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "close_fan_the_first_x_layers": [ + "3" + ], + "filament_end_gcode": [ + "; filament end gcode \n" + ], + "filament_flow_ratio": [ + "1" + ], + "reduce_fan_stop_start_freq": [ + "0" + ], + "fan_cooling_layer_time": [ + "60" + ], + "filament_cost": [ + "0" + ], + "filament_density": [ + "0" + ], + "filament_deretraction_speed": [ + "nil" + ], + "filament_diameter": [ + "1.75" + ], + "filament_max_volumetric_speed": [ + "0" + ], + "filament_minimal_purge_on_wipe_tower": [ + "15" + ], + "filament_retraction_minimum_travel": [ + "nil" + ], + "filament_retract_before_wipe": [ + "nil" + ], + "filament_retract_when_changing_layer": [ + "nil" + ], + "filament_retraction_length": [ + "nil" + ], + "filament_z_hop": [ + "nil" + ], + "filament_z_hop_types": [ + "nil" + ], + "filament_retract_restart_extra": [ + "nil" + ], + "filament_retraction_speed": [ + "nil" + ], + "filament_settings_id": [ + "" + ], + "filament_soluble": [ + "0" + ], + "filament_type": [ + "PLA" + ], + "filament_vendor": [ + "Generic" + ], + "filament_wipe": [ + "nil" + ], + "filament_wipe_distance": [ + "nil" + ], + "bed_type": [ + "Cool Plate" + ], + "nozzle_temperature_initial_layer": [ + "200" + ], + "full_fan_speed_layer": [ + "0" + ], + "fan_max_speed": [ + "100" + ], + "fan_min_speed": [ + "35" + ], + "slow_down_min_speed": [ + "10" + ], + "slow_down_layer_time": [ + "8" + ], + "filament_start_gcode": [ + "; Filament gcode\n" + ], + "nozzle_temperature": [ + "200" + ], + "temperature_vitrification": [ + "100" + ] +} diff --git a/resources/profiles/RolohaunDesign/filament/fdm_filament_pa.json b/resources/profiles/RolohaunDesign/filament/fdm_filament_pa.json new file mode 100644 index 0000000000..58f53cd451 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/fdm_filament_pa.json @@ -0,0 +1,85 @@ +{ + "type": "filament", + "name": "fdm_filament_pa", + "from": "system", + "instantiation": "false", + "inherits": "fdm_filament_common", + "cool_plate_temp" : [ + "0" + ], + "eng_plate_temp" : [ + "100" + ], + "hot_plate_temp" : [ + "100" + ], + "textured_plate_temp" : [ + "100" + ], + "cool_plate_temp_initial_layer" : [ + "0" + ], + "eng_plate_temp_initial_layer" : [ + "100" + ], + "hot_plate_temp_initial_layer" : [ + "100" + ], + "textured_plate_temp_initial_layer" : [ + "100" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "close_fan_the_first_x_layers": [ + "3" + ], + "fan_cooling_layer_time": [ + "4" + ], + "filament_max_volumetric_speed": [ + "8" + ], + "filament_type": [ + "PA" + ], + "filament_density": [ + "1.04" + ], + "filament_cost": [ + "20" + ], + "nozzle_temperature_initial_layer": [ + "290" + ], + "reduce_fan_stop_start_freq": [ + "0" + ], + "fan_max_speed": [ + "60" + ], + "fan_min_speed": [ + "0" + ], + "overhang_fan_speed": [ + "30" + ], + "nozzle_temperature": [ + "290" + ], + "temperature_vitrification": [ + "108" + ], + "nozzle_temperature_range_low": [ + "270" + ], + "nozzle_temperature_range_high": [ + "300" + ], + "slow_down_min_speed": [ + "10" + ], + "slow_down_layer_time": [ + "2" + ] +} diff --git a/resources/profiles/RolohaunDesign/filament/fdm_filament_pc.json b/resources/profiles/RolohaunDesign/filament/fdm_filament_pc.json new file mode 100644 index 0000000000..cec8b89a38 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/fdm_filament_pc.json @@ -0,0 +1,88 @@ +{ + "type": "filament", + "name": "fdm_filament_pc", + "from": "system", + "instantiation": "false", + "inherits": "fdm_filament_common", + "cool_plate_temp" : [ + "0" + ], + "eng_plate_temp" : [ + "110" + ], + "hot_plate_temp" : [ + "110" + ], + "textured_plate_temp" : [ + "110" + ], + "cool_plate_temp_initial_layer" : [ + "0" + ], + "eng_plate_temp_initial_layer" : [ + "110" + ], + "hot_plate_temp_initial_layer" : [ + "110" + ], + "textured_plate_temp_initial_layer" : [ + "110" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "close_fan_the_first_x_layers": [ + "3" + ], + "fan_cooling_layer_time": [ + "30" + ], + "filament_max_volumetric_speed": [ + "23.2" + ], + "filament_type": [ + "PC" + ], + "filament_density": [ + "1.04" + ], + "filament_cost": [ + "20" + ], + "nozzle_temperature_initial_layer": [ + "270" + ], + "reduce_fan_stop_start_freq": [ + "1" + ], + "fan_max_speed": [ + "60" + ], + "fan_min_speed": [ + "10" + ], + "overhang_fan_threshold": [ + "25%" + ], + "overhang_fan_speed": [ + "60" + ], + "nozzle_temperature": [ + "280" + ], + "temperature_vitrification": [ + "140" + ], + "nozzle_temperature_range_low": [ + "260" + ], + "nozzle_temperature_range_high": [ + "280" + ], + "slow_down_min_speed": [ + "10" + ], + "slow_down_layer_time": [ + "2" + ] +} diff --git a/resources/profiles/RolohaunDesign/filament/fdm_filament_pet.json b/resources/profiles/RolohaunDesign/filament/fdm_filament_pet.json new file mode 100644 index 0000000000..bb2323e9c1 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/fdm_filament_pet.json @@ -0,0 +1,82 @@ +{ + "type": "filament", + "name": "fdm_filament_pet", + "from": "system", + "instantiation": "false", + "inherits": "fdm_filament_common", + "cool_plate_temp" : [ + "60" + ], + "eng_plate_temp" : [ + "0" + ], + "hot_plate_temp" : [ + "80" + ], + "textured_plate_temp" : [ + "80" + ], + "cool_plate_temp_initial_layer" : [ + "60" + ], + "eng_plate_temp_initial_layer" : [ + "0" + ], + "hot_plate_temp_initial_layer" : [ + "80" + ], + "textured_plate_temp_initial_layer" : [ + "80" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "close_fan_the_first_x_layers": [ + "3" + ], + "fan_cooling_layer_time": [ + "20" + ], + "filament_max_volumetric_speed": [ + "25" + ], + "filament_type": [ + "PETG" + ], + "filament_density": [ + "1.27" + ], + "filament_cost": [ + "30" + ], + "nozzle_temperature_initial_layer": [ + "255" + ], + "reduce_fan_stop_start_freq": [ + "1" + ], + "fan_max_speed": [ + "100" + ], + "fan_min_speed": [ + "20" + ], + "overhang_fan_speed": [ + "100" + ], + "nozzle_temperature": [ + "255" + ], + "temperature_vitrification": [ + "80" + ], + "nozzle_temperature_range_low": [ + "220" + ], + "nozzle_temperature_range_high": [ + "260" + ], + "filament_start_gcode": [ + "; filament start gcode\n" + ] +} diff --git a/resources/profiles/RolohaunDesign/filament/fdm_filament_pla.json b/resources/profiles/RolohaunDesign/filament/fdm_filament_pla.json new file mode 100644 index 0000000000..82c6772f35 --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/fdm_filament_pla.json @@ -0,0 +1,94 @@ +{ + "type": "filament", + "name": "fdm_filament_pla", + "from": "system", + "instantiation": "false", + "inherits": "fdm_filament_common", + "fan_cooling_layer_time": [ + "100" + ], + "filament_max_volumetric_speed": [ + "12" + ], + "filament_type": [ + "PLA" + ], + "filament_density": [ + "1.24" + ], + "filament_cost": [ + "20" + ], + "cool_plate_temp" : [ + "60" + ], + "eng_plate_temp" : [ + "60" + ], + "hot_plate_temp" : [ + "60" + ], + "textured_plate_temp" : [ + "60" + ], + "cool_plate_temp_initial_layer" : [ + "60" + ], + "eng_plate_temp_initial_layer" : [ + "60" + ], + "hot_plate_temp_initial_layer" : [ + "60" + ], + "textured_plate_temp_initial_layer" : [ + "60" + ], + "nozzle_temperature_initial_layer": [ + "220" + ], + "reduce_fan_stop_start_freq": [ + "1" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "fan_max_speed": [ + "100" + ], + "fan_min_speed": [ + "100" + ], + "overhang_fan_speed": [ + "100" + ], + "overhang_fan_threshold": [ + "50%" + ], + "close_fan_the_first_x_layers": [ + "1" + ], + "nozzle_temperature": [ + "220" + ], + "temperature_vitrification": [ + "60" + ], + "nozzle_temperature_range_low": [ + "190" + ], + "nozzle_temperature_range_high": [ + "230" + ], + "slow_down_min_speed": [ + "10" + ], + "slow_down_layer_time": [ + "4" + ], + "additional_cooling_fan_speed": [ + "70" + ], + "filament_start_gcode": [ + "; filament start gcode\n" + ] +} diff --git a/resources/profiles/RolohaunDesign/filament/fdm_filament_pva.json b/resources/profiles/RolohaunDesign/filament/fdm_filament_pva.json new file mode 100644 index 0000000000..ebf25aa3ae --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/fdm_filament_pva.json @@ -0,0 +1,100 @@ +{ + "type": "filament", + "name": "fdm_filament_pva", + "from": "system", + "instantiation": "false", + "inherits": "fdm_filament_common", + "cool_plate_temp" : [ + "35" + ], + "eng_plate_temp" : [ + "0" + ], + "hot_plate_temp" : [ + "45" + ], + "textured_plate_temp" : [ + "45" + ], + "cool_plate_temp_initial_layer" : [ + "35" + ], + "eng_plate_temp_initial_layer" : [ + "0" + ], + "hot_plate_temp_initial_layer" : [ + "45" + ], + "textured_plate_temp_initial_layer" : [ + "45" + ], + "fan_cooling_layer_time": [ + "100" + ], + "filament_max_volumetric_speed": [ + "15" + ], + "filament_soluble": [ + "1" + ], + "filament_is_support": [ + "1" + ], + "filament_type": [ + "PVA" + ], + "filament_density": [ + "1.24" + ], + "filament_cost": [ + "20" + ], + "nozzle_temperature_initial_layer": [ + "220" + ], + "reduce_fan_stop_start_freq": [ + "1" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "fan_max_speed": [ + "100" + ], + "fan_min_speed": [ + "100" + ], + "overhang_fan_speed": [ + "100" + ], + "overhang_fan_threshold": [ + "50%" + ], + "close_fan_the_first_x_layers": [ + "1" + ], + "nozzle_temperature": [ + "220" + ], + "temperature_vitrification": [ + "50" + ], + "nozzle_temperature_range_low": [ + "190" + ], + "nozzle_temperature_range_high": [ + "250" + ], + "slow_down_min_speed": [ + "10" + ], + "slow_down_layer_time": [ + "4" + ], + "additional_cooling_fan_speed": [ + "70" + ], + "filament_start_gcode": [ + "; filament start gcode\n" + ] +} diff --git a/resources/profiles/RolohaunDesign/filament/fdm_filament_tpu.json b/resources/profiles/RolohaunDesign/filament/fdm_filament_tpu.json new file mode 100644 index 0000000000..d00b7dbcab --- /dev/null +++ b/resources/profiles/RolohaunDesign/filament/fdm_filament_tpu.json @@ -0,0 +1,88 @@ +{ + "type": "filament", + "name": "fdm_filament_tpu", + "from": "system", + "instantiation": "false", + "inherits": "fdm_filament_common", + "cool_plate_temp" : [ + "30" + ], + "eng_plate_temp" : [ + "30" + ], + "hot_plate_temp" : [ + "35" + ], + "textured_plate_temp" : [ + "35" + ], + "cool_plate_temp_initial_layer" : [ + "30" + ], + "eng_plate_temp_initial_layer" : [ + "30" + ], + "hot_plate_temp_initial_layer" : [ + "35" + ], + "textured_plate_temp_initial_layer" : [ + "35" + ], + "fan_cooling_layer_time": [ + "100" + ], + "filament_max_volumetric_speed": [ + "15" + ], + "filament_type": [ + "TPU" + ], + "filament_density": [ + "1.24" + ], + "filament_cost": [ + "20" + ], + "filament_retraction_length": [ + "0.4" + ], + "nozzle_temperature_initial_layer": [ + "240" + ], + "reduce_fan_stop_start_freq": [ + "1" + ], + "slow_down_for_layer_cooling": [ + "1" + ], + "fan_max_speed": [ + "100" + ], + "fan_min_speed": [ + "100" + ], + "overhang_fan_speed": [ + "100" + ], + "additional_cooling_fan_speed": [ + "70" + ], + "close_fan_the_first_x_layers": [ + "1" + ], + "nozzle_temperature": [ + "240" + ], + "temperature_vitrification": [ + "60" + ], + "nozzle_temperature_range_low": [ + "200" + ], + "nozzle_temperature_range_high": [ + "250" + ], + "filament_start_gcode": [ + "; filament start gcode\n" + ] +} diff --git a/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.2 nozzle.json b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.2 nozzle.json new file mode 100644 index 0000000000..64dc973e92 --- /dev/null +++ b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.2 nozzle.json @@ -0,0 +1,26 @@ +{ + "type": "machine", + "setting_id": "RKMK1_m002", + "name": "Rook MK1 LDO 0.2 nozzle", + "from": "system", + "instantiation": "true", + "inherits": "fdm_common_Rook MK1 LDO", + "printer_model": "Rook MK1 LDO", + "nozzle_diameter": [ + "0.2" + ], + "max_layer_height": [ + "0.16" + ], + "min_layer_height": [ + "0.04" + ], + "printer_variant": "0.2", + "printable_area": [ + "0x0", + "110x0", + "110x110", + "0x110" + ], + "printable_height": "111" +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.4 nozzle.json b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.4 nozzle.json new file mode 100644 index 0000000000..33ce34cf62 --- /dev/null +++ b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.4 nozzle.json @@ -0,0 +1,20 @@ +{ + "type": "machine", + "setting_id": "RKMK1_m001", + "name": "Rook MK1 LDO 0.4 nozzle", + "from": "system", + "instantiation": "true", + "inherits": "fdm_common_Rook MK1 LDO", + "printer_model": "Rook MK1 LDO", + "nozzle_diameter": [ + "0.4" + ], + "printer_variant": "0.4", + "printable_area": [ + "0x0", + "110x0", + "110x110", + "0x110" + ], + "printable_height": "111" +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.6 nozzle.json b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.6 nozzle.json new file mode 100644 index 0000000000..4a7aca5ffa --- /dev/null +++ b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.6 nozzle.json @@ -0,0 +1,26 @@ +{ + "type": "machine", + "setting_id": "RKMK1_m003", + "name": "Rook MK1 LDO 0.6 nozzle", + "from": "system", + "instantiation": "true", + "inherits": "fdm_common_Rook MK1 LDO", + "printer_model": "Rook MK1 LDO", + "nozzle_diameter": [ + "0.6" + ], + "max_layer_height": [ + "0.4" + ], + "min_layer_height": [ + "0.12" + ], + "printer_variant": "0.6", + "printable_area": [ + "0x0", + "110x0", + "110x110", + "0x110" + ], + "printable_height": "111" +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.8 nozzle.json b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.8 nozzle.json new file mode 100644 index 0000000000..9549702eb0 --- /dev/null +++ b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO 0.8 nozzle.json @@ -0,0 +1,26 @@ +{ + "type": "machine", + "setting_id": "RKMK1_m004", + "name": "Rook MK1 LDO 0.8 nozzle", + "from": "system", + "instantiation": "true", + "inherits": "fdm_common_Rook MK1 LDO", + "printer_model": "Rook MK1 LDO", + "nozzle_diameter": [ + "0.8" + ], + "max_layer_height": [ + "0.6" + ], + "min_layer_height": [ + "0.2" + ], + "printer_variant": "0.8", + "printable_area": [ + "0x0", + "110x0", + "110x110", + "0x110" + ], + "printable_height": "111" +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO.json new file mode 100644 index 0000000000..bf7c276147 --- /dev/null +++ b/resources/profiles/RolohaunDesign/machine/Rook MK1 LDO.json @@ -0,0 +1,12 @@ +{ + "type": "machine_model", + "name": "Rook MK1 LDO", + "model_id": "RKMK1_1", + "nozzle_diameter": "0.4;0.2;0.6;0.8", + "machine_tech": "FFF", + "family": "RolohaunDesign", + "bed_model": "", + "bed_texture": "orcaslicer_bed_texture.svg", + "hotend_model": "", + "default_materials": "Generic ABS @Rook MK1 LDO;Generic PLA @Rook MK1 LDO;Generic PLA-CF @Rook MK1 LDO;Generic PETG @Rook MK1 LDO;Generic TPU @Rook MK1 LDO;Generic ASA @Rook MK1 LDO;Generic PC @Rook MK1 LDO;Generic PVA @Rook MK1 LDO;Generic PA @Rook MK1 LDO;Generic PA-CF @Rook MK1 LDO" +} diff --git a/resources/profiles/RolohaunDesign/machine/fdm_common_Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/machine/fdm_common_Rook MK1 LDO.json new file mode 100644 index 0000000000..2639c409f3 --- /dev/null +++ b/resources/profiles/RolohaunDesign/machine/fdm_common_Rook MK1 LDO.json @@ -0,0 +1,60 @@ +{ + "type": "machine", + "name": "fdm_common_Rook MK1 LDO", + "from": "system", + "instantiation": "false", + "inherits": "fdm_machine_common", + "gcode_flavor": "klipper", + "machine_max_acceleration_e": ["5000", "5000"], + "machine_max_acceleration_extruding": ["8000", "8000"], + "machine_max_acceleration_retracting": ["5000", "5000"], + "machine_max_acceleration_travel": ["8000", "8000"], + "machine_max_acceleration_x": ["8000", "8000"], + "machine_max_acceleration_y": ["8000", "8000"], + "machine_max_acceleration_z": ["500", "500"], + "machine_max_speed_e": ["25", "25"], + "machine_max_speed_x": ["420", "420"], + "machine_max_speed_y": ["420", "420"], + "machine_max_speed_z": ["12", "12"], + "machine_max_jerk_e": ["2.5", "2.5"], + "machine_max_jerk_x": ["12", "12"], + "machine_max_jerk_y": ["12", "12"], + "machine_max_jerk_z": ["0.2", "0.4"], + "machine_min_extruding_rate": ["0", "0"], + "machine_min_travel_rate": ["0", "0"], + "max_layer_height": ["0.32"], + "min_layer_height": ["0.08"], + "printable_height": "165", + "extruder_clearance_radius": "65", + "extruder_clearance_height_to_rod": "36", + "extruder_clearance_height_to_lid": "140", + "printer_settings_id": "", + "printer_technology": "FFF", + "printer_variant": "0.4", + "retraction_minimum_travel": ["1"], + "retract_before_wipe": ["70%"], + "retract_when_changing_layer": ["1"], + "retraction_length": ["2.9"], + "retract_length_toolchange": ["2"], + "z_hop": ["0.4"], + "retract_restart_extra": ["0"], + "retract_restart_extra_toolchange": ["0"], + "retraction_speed": ["50"], + "deretraction_speed": ["40"], + "z_hop_types": "Normal Lift", + "silent_mode": "0", + "single_extruder_multi_material": "1", + "change_filament_gcode": "", + "wipe": ["1"], + "default_filament_profile": ["Generic ABS @Rook MK1 LDO"], + "default_print_profile": "0.20mm Standard @Rook MK1 LDO", + "bed_exclude_area": ["0x0"], + "machine_start_gcode": "M190 S[bed_temperature_initial_layer_single]\nM109 S[nozzle_temperature_initial_layer]\nPRINT_START EXTRUDER=[nozzle_temperature_initial_layer] BED=[bed_temperature_initial_layer_single]\n", + "machine_end_gcode": "PRINT_END", + "layer_change_gcode": ";AFTER_LAYER_CHANGE\n;[layer_z]", + "before_layer_change_gcode": ";BEFORE_LAYER_CHANGE\n;[layer_z]\nG92 E0\n", + "machine_pause_gcode": "PAUSE", + "scan_first_layer": "0", + "nozzle_type": "undefine", + "auxiliary_fan": "0" +} diff --git a/resources/profiles/RolohaunDesign/machine/fdm_machine_common.json b/resources/profiles/RolohaunDesign/machine/fdm_machine_common.json new file mode 100644 index 0000000000..bfb6b23e1a --- /dev/null +++ b/resources/profiles/RolohaunDesign/machine/fdm_machine_common.json @@ -0,0 +1,119 @@ +{ + "type": "machine", + "name": "fdm_machine_common", + "from": "system", + "instantiation": "false", + "printer_technology": "FFF", + "deretraction_speed": [ + "40" + ], + "extruder_colour": [ + "#FCE94F" + ], + "extruder_offset": [ + "0x0" + ], + "gcode_flavor": "marlin", + "silent_mode": "0", + "machine_max_acceleration_e": [ + "5000" + ], + "machine_max_acceleration_extruding": [ + "10000" + ], + "machine_max_acceleration_retracting": [ + "1000" + ], + "machine_max_acceleration_x": [ + "10000" + ], + "machine_max_acceleration_y": [ + "10000" + ], + "machine_max_acceleration_z": [ + "500" + ], + "machine_max_speed_e": [ + "60" + ], + "machine_max_speed_x": [ + "500" + ], + "machine_max_speed_y": [ + "500" + ], + "machine_max_speed_z": [ + "10" + ], + "machine_max_jerk_e": [ + "5" + ], + "machine_max_jerk_x": [ + "8" + ], + "machine_max_jerk_y": [ + "8" + ], + "machine_max_jerk_z": [ + "0.4" + ], + "machine_min_extruding_rate": [ + "0" + ], + "machine_min_travel_rate": [ + "0" + ], + "max_layer_height": [ + "0.32" + ], + "min_layer_height": [ + "0.08" + ], + "printable_height": "165", + "extruder_clearance_radius": "65", + "extruder_clearance_height_to_rod": "36", + "extruder_clearance_height_to_lid": "140", + "nozzle_diameter": [ + "0.4" + ], + "printer_settings_id": "", + "printer_variant": "0.4", + "retraction_minimum_travel": [ + "2" + ], + "retract_before_wipe": [ + "70%" + ], + "retract_when_changing_layer": [ + "1" + ], + "retraction_length": [ + "5" + ], + "retract_length_toolchange": [ + "1" + ], + "z_hop": [ + "0" + ], + "retract_restart_extra": [ + "0" + ], + "retract_restart_extra_toolchange": [ + "0" + ], + "retraction_speed": [ + "60" + ], + "single_extruder_multi_material": "1", + "change_filament_gcode": "", + "wipe": [ + "1" + ], + "default_print_profile": "", + "machine_start_gcode": "G0 Z20 F9000\nG92 E0; G1 E-10 F1200\nG28\nM970 Q1 A10 B10 C130 K0\nM970 Q1 A10 B131 C250 K1\nM974 Q1 S1 P0\nM970 Q0 A10 B10 C130 H20 K0\nM970 Q0 A10 B131 C250 K1\nM974 Q0 S1 P0\nM220 S100 ;Reset Feedrate\nM221 S100 ;Reset Flowrate\nG29 ;Home\nG90;\nG92 E0 ;Reset Extruder \nG1 Z2.0 F3000 ;Move Z Axis up \nG1 X10.1 Y20 Z0.28 F5000.0 ;Move to start position\nM109 S205;\nG1 X10.1 Y200.0 Z0.28 F1500.0 E15 ;Draw the first line\nG1 X10.4 Y200.0 Z0.28 F5000.0 ;Move to side a little\nG1 X10.4 Y20 Z0.28 F1500.0 E30 ;Draw the second line\nG92 E0 ;Reset Extruder \nG1 X110 Y110 Z2.0 F3000 ;Move Z Axis up", + "machine_end_gcode": "M400 ; wait for buffer to clear\nG92 E0 ; zero the extruder\nG1 E-4.0 F3600; retract \nG91\nG1 Z3;\nM104 S0 ; turn off hotend\nM140 S0 ; turn off bed\nM106 S0 ; turn off fan\nG90 \nG0 X110 Y200 F3600 \nprint_end", + "layer_change_gcode": ";AFTER_LAYER_CHANGE\n;[layer_z]", + "before_layer_change_gcode": ";BEFORE_LAYER_CHANGE\n;[layer_z]\nG92 E0\n", + "machine_pause_gcode": "M601" +} diff --git a/resources/profiles/RolohaunDesign/orcaslicer_bed_texture.svg b/resources/profiles/RolohaunDesign/orcaslicer_bed_texture.svg new file mode 100644 index 0000000000..f012fea080 --- /dev/null +++ b/resources/profiles/RolohaunDesign/orcaslicer_bed_texture.svg @@ -0,0 +1,148 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/resources/profiles/RolohaunDesign/process/0.08mm Extra Fine @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/process/0.08mm Extra Fine @Rook MK1 LDO.json new file mode 100644 index 0000000000..26a2b17efe --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/0.08mm Extra Fine @Rook MK1 LDO.json @@ -0,0 +1,19 @@ +{ + "type": "process", + "setting_id": "RKMK1_p001", + "name": "0.08mm Extra Fine @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_process_Rook MK1 LDO_common", + "layer_height": "0.08", + "bottom_shell_layers": "7", + "top_shell_layers": "9", + "support_top_z_distance": "0.08", + "support_bottom_z_distance": "0.08", + "initial_layer_print_height": "0.2", + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/process/0.12mm Fine @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/process/0.12mm Fine @Rook MK1 LDO.json new file mode 100644 index 0000000000..58785ac0ff --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/0.12mm Fine @Rook MK1 LDO.json @@ -0,0 +1,19 @@ +{ + "type": "process", + "setting_id": "RKMK1_p002", + "name": "0.12mm Fine @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_process_Rook MK1 LDO_common", + "layer_height": "0.12", + "bottom_shell_layers": "5", + "top_shell_layers": "6", + "support_top_z_distance": "0.08", + "support_bottom_z_distance": "0.08", + "initial_layer_print_height": "0.2", + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/process/0.16mm Optimal @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/process/0.16mm Optimal @Rook MK1 LDO.json new file mode 100644 index 0000000000..f6e26aa893 --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/0.16mm Optimal @Rook MK1 LDO.json @@ -0,0 +1,20 @@ +{ + "type": "process", + "setting_id": "RKMK1_p003", + "name": "0.16mm Optimal @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_process_Rook MK1 LDO_common", + "bottom_shell_layers": "4", + "top_shell_layers": "5", + "support_top_z_distance": "0.16", + "support_bottom_z_distance": "0.16", + "layer_height": "0.16", + "initial_layer_print_height": "0.2", + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.2 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/process/0.20mm Standard @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/process/0.20mm Standard @Rook MK1 LDO.json new file mode 100644 index 0000000000..11d1dd815d --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/0.20mm Standard @Rook MK1 LDO.json @@ -0,0 +1,14 @@ +{ + "type": "process", + "setting_id": "RKMK1_p004", + "name": "0.20mm Standard @Rook MK1 LDO", + "from": "system", + "inherits": "fdm_process_Rook MK1 LDO_common", + "instantiation": "true", + "layer_height": "0.2", + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} diff --git a/resources/profiles/RolohaunDesign/process/0.24mm Draft @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/process/0.24mm Draft @Rook MK1 LDO.json new file mode 100644 index 0000000000..0df8275c9d --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/0.24mm Draft @Rook MK1 LDO.json @@ -0,0 +1,17 @@ +{ + "type": "process", + "setting_id": "RKMK1_p005", + "name": "0.24mm Draft @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_process_Rook MK1 LDO_common", + "support_top_z_distance": "0.2", + "support_bottom_z_distance": "0.2", + "layer_height": "0.24", + "initial_layer_print_height": "0.2", + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/process/0.28mm Extra Draft @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/process/0.28mm Extra Draft @Rook MK1 LDO.json new file mode 100644 index 0000000000..3c7960e25c --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/0.28mm Extra Draft @Rook MK1 LDO.json @@ -0,0 +1,15 @@ +{ + "type": "process", + "setting_id": "RKMK1_p006", + "name": "0.28mm Extra Draft @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_process_Rook MK1 LDO_common", + "layer_height": "0.28", + "initial_layer_print_height": "0.2", + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/process/0.32mm Extra Draft @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/process/0.32mm Extra Draft @Rook MK1 LDO.json new file mode 100644 index 0000000000..9577750f43 --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/0.32mm Extra Draft @Rook MK1 LDO.json @@ -0,0 +1,17 @@ +{ + "type": "process", + "setting_id": "RKMK1_p007", + "name": "0.32mm Standard @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_process_Rook MK1 LDO_common", + "support_top_z_distance": "0.24", + "support_bottom_z_distance": "0.24", + "layer_height": "0.32", + "initial_layer_print_height": "0.2", + "compatible_printers": [ + "Rook MK1 LDO 0.4 nozzle", + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/process/0.40mm Extra Draft @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/process/0.40mm Extra Draft @Rook MK1 LDO.json new file mode 100644 index 0000000000..bb4dec8fe0 --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/0.40mm Extra Draft @Rook MK1 LDO.json @@ -0,0 +1,16 @@ +{ + "type": "process", + "setting_id": "RKMK1_p008", + "name": "0.40mm Standard @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_process_Rook MK1 LDO_common", + "support_top_z_distance": "0.24", + "support_bottom_z_distance": "0.24", + "layer_height": "0.40", + "initial_layer_print_height": "0.2", + "compatible_printers": [ + "Rook MK1 LDO 0.6 nozzle", + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/process/0.56mm Extra Draft @Rook MK1 LDO.json b/resources/profiles/RolohaunDesign/process/0.56mm Extra Draft @Rook MK1 LDO.json new file mode 100644 index 0000000000..edd0f90d4c --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/0.56mm Extra Draft @Rook MK1 LDO.json @@ -0,0 +1,15 @@ +{ + "type": "process", + "setting_id": "RKMK1_p009", + "name": "0.56mm Standard @Rook MK1 LDO", + "from": "system", + "instantiation": "true", + "inherits": "fdm_process_Rook MK1 LDO_common", + "support_top_z_distance": "0.24", + "support_bottom_z_distance": "0.24", + "layer_height": "0.56", + "initial_layer_print_height": "0.2", + "compatible_printers": [ + "Rook MK1 LDO 0.8 nozzle" + ] +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/process/fdm_process_Rook MK1 LDO_common.json b/resources/profiles/RolohaunDesign/process/fdm_process_Rook MK1 LDO_common.json new file mode 100644 index 0000000000..8fc147646e --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/fdm_process_Rook MK1 LDO_common.json @@ -0,0 +1,30 @@ +{ + "type": "process", + "name": "fdm_process_Rook MK1 LDO_common", + "from": "system", + "instantiation": "false", + "inherits": "fdm_process_common", + "default_acceleration": "10000", + "top_surface_acceleration": "5000", + "travel_acceleration": "10000", + "inner_wall_acceleration": "8000", + "outer_wall_acceleration": "5000", + "initial_layer_acceleration": "2000", + "initial_layer_speed": "50", + "initial_layer_infill_speed": "105", + "outer_wall_speed": "150", + "inner_wall_speed": "200", + "internal_solid_infill_speed": "300", + "top_surface_speed": "120", + "gap_infill_speed": "200", + "sparse_infill_speed": "300", + "travel_speed": "500", + "travel_jerk": "12", + "outer_wall_jerk": "7", + "inner_wall_jerk": "7", + "default_jerk": "9", + "infill_jerk": "12", + "top_surface_jerk": "7", + "initial_layer_jerk": "7", + "exclude_object": "1" +} \ No newline at end of file diff --git a/resources/profiles/RolohaunDesign/process/fdm_process_common.json b/resources/profiles/RolohaunDesign/process/fdm_process_common.json new file mode 100644 index 0000000000..85e8c70fd2 --- /dev/null +++ b/resources/profiles/RolohaunDesign/process/fdm_process_common.json @@ -0,0 +1,109 @@ +{ + "type": "process", + "name": "fdm_process_common", + "from": "system", + "instantiation": "false", + "adaptive_layer_height": "0", + "reduce_crossing_wall": "0", + "max_travel_detour_distance": "0", + "bottom_surface_pattern": "monotonic", + "bottom_shell_thickness": "0", + "bridge_speed": "25", + "internal_bridge_speed": "70", + "brim_width": "5", + "brim_object_gap": "0.1", + "compatible_printers": [], + "compatible_printers_condition": "", + "print_sequence": "by layer", + "default_acceleration": "1000", + "initial_layer_acceleration": "500", + "top_surface_acceleration": "1000", + "travel_acceleration": "1000", + "inner_wall_acceleration": "1000", + "outer_wall_acceleration": "700", + "bridge_no_support": "0", + "draft_shield": "disabled", + "elefant_foot_compensation": "0", + "enable_arc_fitting": "0", + "wall_infill_order": "inner wall/outer wall/infill", + "infill_direction": "45", + "sparse_infill_density": "15%", + "sparse_infill_pattern": "crosshatch", + "initial_layer_print_height": "0.2", + "infill_combination": "0", + "infill_wall_overlap": "25%", + "interface_shells": "0", + "ironing_flow": "10%", + "ironing_spacing": "0.15", + "ironing_speed": "30", + "ironing_type": "no ironing", + "reduce_infill_retraction": "1", + "filename_format": "{input_filename_base}_{layer_height}mm_{filament_type[initial_tool]}_{printer_model}_{print_time}.gcode", + "detect_overhang_wall": "1", + "slowdown_for_curled_perimeters": "1", + "overhang_1_4_speed": "0", + "overhang_2_4_speed": "50", + "overhang_3_4_speed": "30", + "overhang_4_4_speed": "10", + "line_width": "110%", + "inner_wall_line_width": "110%", + "outer_wall_line_width": "100%", + "top_surface_line_width": "93.75%", + "sparse_infill_line_width": "110%", + "initial_layer_line_width": "120%", + "internal_solid_infill_line_width": "120%", + "support_line_width": "96%", + "wall_loops": "3", + "print_settings_id": "", + "raft_layers": "0", + "seam_position": "aligned", + "skirt_distance": "2", + "skirt_height": "3", + "min_skirt_length": "4", + "skirt_loops": "0", + "minimum_sparse_infill_area": "15", + "spiral_mode": "0", + "standby_temperature_delta": "-5", + "enable_support": "0", + "resolution": "0.012", + "support_type": "normal(auto)", + "support_on_build_plate_only": "0", + "support_top_z_distance": "0.2", + "support_bottom_z_distance": "0.2", + "support_filament": "0", + "support_interface_loop_pattern": "0", + "support_interface_filament": "0", + "support_interface_top_layers": "2", + "support_interface_bottom_layers": "2", + "support_interface_spacing": "0.5", + "support_interface_speed": "80", + "support_base_pattern": "default", + "support_base_pattern_spacing": "2.5", + "support_speed": "150", + "support_threshold_angle": "30", + "support_object_xy_distance": "0.35", + "tree_support_branch_angle": "30", + "tree_support_wall_count": "0", + "tree_support_with_infill": "0", + "detect_thin_wall": "0", + "top_surface_pattern": "monotonicline", + "top_shell_thickness": "0.8", + "enable_prime_tower": "0", + "wipe_tower_no_sparse_layers": "0", + "prime_tower_width": "60", + "xy_hole_compensation": "0", + "xy_contour_compensation": "0", + "layer_height": "0.2", + "bottom_shell_layers": "3", + "top_shell_layers": "4", + "bridge_flow": "1", + "initial_layer_speed": "45", + "initial_layer_infill_speed": "45", + "outer_wall_speed": "45", + "inner_wall_speed": "80", + "sparse_infill_speed": "150", + "internal_solid_infill_speed": "150", + "top_surface_speed": "50", + "gap_infill_speed": "30", + "travel_speed": "200" +} From 5a607ccc5e571604e6b4db90338f54a4806eeca5 Mon Sep 17 00:00:00 2001 From: GlauTech <33813227+GlauTechCo@users.noreply.github.com> Date: Sun, 1 Sep 2024 17:25:11 +0300 Subject: [PATCH 29/35] Update TURKISH translations (#6625) * Update TURKISH translations --- localization/i18n/tr/OrcaSlicer_tr.po | 1932 +++++++++++++------------ 1 file changed, 987 insertions(+), 945 deletions(-) diff --git a/localization/i18n/tr/OrcaSlicer_tr.po b/localization/i18n/tr/OrcaSlicer_tr.po index 14d4a64384..1648da8b6c 100644 --- a/localization/i18n/tr/OrcaSlicer_tr.po +++ b/localization/i18n/tr/OrcaSlicer_tr.po @@ -4,15 +4,15 @@ msgstr "" "Project-Id-Version: Orca Slicer\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2024-08-23 16:24+0200\n" -"PO-Revision-Date: 2024-08-04 11:24+0300\n" -"Last-Translator: Olcay ÖREN\n" +"PO-Revision-Date: 2024-08-31 20:48+0300\n" +"Last-Translator: GlauTech\n" "Language-Team: \n" "Language: tr\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n==1) ? 0 : 1;\n" -"X-Generator: Poedit 3.4.4\n" +"X-Generator: Poedit 3.5\n" msgid "Supports Painting" msgstr "Destek boyama" @@ -728,8 +728,8 @@ msgid "" "The text cannot be written using the selected font. Please try choosing a " "different font." msgstr "" -"Metin seçilen yazı tipi kullanılarak yazılamıyor. Lütfen farklı bir yazı " -"tipi seçmeyi deneyin." +"Metin seçilen yazı tipi kullanılarak yazılamıyor. Lütfen farklı bir yazı tipi " +"seçmeyi deneyin." msgid "Embossed text cannot contain only white spaces." msgstr "Kabartmalı metin yalnızca beyaz boşluklardan oluşamaz." @@ -1013,9 +1013,9 @@ msgid "" "Can't load exactly same font(\"%1%\"). Application selected a similar " "one(\"%2%\"). You have to specify font for enable edit text." msgstr "" -"Tam olarak aynı yazı tipi yüklenemiyor(\"%1%\"). Uygulama benzer bir " -"uygulama seçti(\"%2%\"). Metni düzenlemeyi etkinleştirmek için yazı tipini " -"belirtmeniz gerekir." +"Tam olarak aynı yazı tipi yüklenemiyor(\"%1%\"). Uygulama benzer bir uygulama " +"seçti(\"%2%\"). Metni düzenlemeyi etkinleştirmek için yazı tipini belirtmeniz " +"gerekir." msgid "No symbol" msgstr "Sembol yok" @@ -1467,8 +1467,8 @@ msgstr "Bilgi" msgid "" "The OrcaSlicer configuration file may be corrupted and cannot be parsed.\n" "OrcaSlicer has attempted to recreate the configuration file.\n" -"Please note, application settings will be lost, but printer profiles will " -"not be affected." +"Please note, application settings will be lost, but printer profiles will not " +"be affected." msgstr "" "OrcaSlicer konfigürasyon dosyası bozulmuş olabilir ve ayrıştırılamayabilir.\n" "OrcaSlicer, konfigürasyon dosyasını yeniden oluşturmayı denedi.\n" @@ -2094,8 +2094,8 @@ msgid "" "This action will break a cut correspondence.\n" "After that model consistency can't be guaranteed .\n" "\n" -"To manipulate with solid parts or negative volumes you have to invalidate " -"cut infornation first." +"To manipulate with solid parts or negative volumes you have to invalidate cut " +"infornation first." msgstr "" "Bu eylem kesilmiş bir yazışmayı bozacaktır.\n" "Bundan sonra model tutarlılığı garanti edilemez.\n" @@ -2158,8 +2158,7 @@ msgstr "İlk seçilen öğe bir nesne ise ikincisi de nesne olmalıdır." msgid "" "If first selected item is a part, the second one should be part in the same " "object." -msgstr "" -"İlk seçilen öğe bir parça ise ikincisi aynı nesnenin parçası olmalıdır." +msgstr "İlk seçilen öğe bir parça ise ikincisi aynı nesnenin parçası olmalıdır." msgid "The type of the last solid object part is not to be changed." msgstr "Son katı nesne parçasının tipi değiştirilNozullidir." @@ -2516,16 +2515,14 @@ msgstr "" msgid "Arranging done." msgstr "Hizalama tamamlandı." -msgid "" -"Arrange failed. Found some exceptions when processing object geometries." +msgid "Arrange failed. Found some exceptions when processing object geometries." msgstr "" "Hizalama başarısız oldu. Nesne geometrilerini işlerken bazı istisnalar " "bulundu." #, c-format, boost-format msgid "" -"Arrangement ignored the following objects which can't fit into a single " -"bed:\n" +"Arrangement ignored the following objects which can't fit into a single bed:\n" "%s" msgstr "" "Hizalama tek tablaya sığmayan aşağıdaki nesneler göz ardı edildi:\n" @@ -2625,8 +2622,7 @@ msgstr "" "deneyin." msgid "Print file not found, Please slice it again and send it for printing." -msgstr "" -"Yazdırma dosyası bulunamadı. Lütfen tekrar dilimleyip baskıya gönderin." +msgstr "Yazdırma dosyası bulunamadı. Lütfen tekrar dilimleyip baskıya gönderin." msgid "" "Failed to upload print file to FTP. Please check the network status and try " @@ -2682,8 +2678,8 @@ msgid "Importing SLA archive" msgstr "SLA arşivi içe aktarılıyor" msgid "" -"The SLA archive doesn't contain any presets. Please activate some SLA " -"printer preset first before importing that SLA archive." +"The SLA archive doesn't contain any presets. Please activate some SLA printer " +"preset first before importing that SLA archive." msgstr "" "SLA arşivi herhangi bir ön ayar içermez. Lütfen SLA arşivini içe aktarmadan " "önce bazı SLA yazıcı ön ayarlarını etkinleştirin." @@ -2695,8 +2691,8 @@ msgid "Importing done." msgstr "İçe aktarma tamamlandı." msgid "" -"The imported SLA archive did not contain any presets. The current SLA " -"presets were used as fallback." +"The imported SLA archive did not contain any presets. The current SLA presets " +"were used as fallback." msgstr "" "İçe aktarılan SLA arşivi herhangi bir ön ayar içermiyordu. Geçerli SLA ön " "ayarları geri dönüş olarak kullanıldı." @@ -2753,8 +2749,8 @@ msgid "" "This software uses open source components whose copyright and other " "proprietary rights belong to their respective owners" msgstr "" -"Bu yazılım, telif hakkı ve diğer mülkiyet hakları ilgili sahiplerine ait " -"olan açık kaynaklı bileşenleri kullanır" +"Bu yazılım, telif hakkı ve diğer mülkiyet hakları ilgili sahiplerine ait olan " +"açık kaynaklı bileşenleri kullanır" #, c-format, boost-format msgid "About %s" @@ -2768,8 +2764,7 @@ msgstr "OrcaSlicer, BambuStudio, PrusaSlicer ve SuperSlicer'ı temel alır." msgid "BambuStudio is originally based on PrusaSlicer by PrusaResearch." msgstr "" -"BambuStudio orijinal olarak PrusaResearch'ün PrusaSlicer'ını temel " -"almaktadır." +"BambuStudio orijinal olarak PrusaResearch'ün PrusaSlicer'ını temel almaktadır." msgid "PrusaSlicer is originally based on Slic3r by Alessandro Ranellucci." msgstr "" @@ -2848,8 +2843,7 @@ msgstr "Lütfen geçerli bir değer girin (K %.1f~%.1f içinde)" #, c-format, boost-format msgid "Please input a valid value (K in %.1f~%.1f, N in %.1f~%.1f)" -msgstr "" -"Lütfen geçerli bir değer girin (K %.1f~%.1f içinde, N %.1f~%.1f içinde)" +msgstr "Lütfen geçerli bir değer girin (K %.1f~%.1f içinde, N %.1f~%.1f içinde)" msgid "Other Color" msgstr "Diğer renk" @@ -2861,9 +2855,9 @@ msgid "Dynamic flow calibration" msgstr "Dinamik akış kalibrasyonu" msgid "" -"The nozzle temp and max volumetric speed will affect the calibration " -"results. Please fill in the same values as the actual printing. They can be " -"auto-filled by selecting a filament preset." +"The nozzle temp and max volumetric speed will affect the calibration results. " +"Please fill in the same values as the actual printing. They can be auto-" +"filled by selecting a filament preset." msgstr "" "Nozul sıcaklığı ve maksimum hacimsel hız kalibrasyon sonuçlarını " "etkileyecektir. Lütfen gerçek yazdırmayla aynı değerleri girin. Bir filament " @@ -2998,8 +2992,7 @@ msgid "" "When the current material run out, the printer will continue to print in the " "following order." msgstr "" -"Mevcut malzeme bittiğinde yazıcı aşağıdaki sırayla yazdırmaya devam " -"edecektir." +"Mevcut malzeme bittiğinde yazıcı aşağıdaki sırayla yazdırmaya devam edecektir." msgid "Group" msgstr "Grup" @@ -3037,8 +3030,8 @@ msgid "Insertion update" msgstr "Ekleme güncellemesi" msgid "" -"The AMS will automatically read the filament information when inserting a " -"new Bambu Lab filament. This takes about 20 seconds." +"The AMS will automatically read the filament information when inserting a new " +"Bambu Lab filament. This takes about 20 seconds." msgstr "" "AMS, yeni bir Bambu Lab filamenti takıldığında filament bilgilerini otomatik " "olarak okuyacaktır. Bu yaklaşık 20 saniye sürer." @@ -3061,17 +3054,16 @@ msgid "Power on update" msgstr "Güncellemeyi aç" msgid "" -"The AMS will automatically read the information of inserted filament on " -"start-up. It will take about 1 minute.The reading process will roll filament " -"spools." +"The AMS will automatically read the information of inserted filament on start-" +"up. It will take about 1 minute.The reading process will roll filament spools." msgstr "" "AMS, başlangıçta takılan filamentin bilgilerini otomatik olarak okuyacaktır. " "Yaklaşık 1 dakika sürecektir. Okuma işlemi filament makaralarını saracaktır." msgid "" -"The AMS will not automatically read information from inserted filament " -"during startup and will continue to use the information recorded before the " -"last shutdown." +"The AMS will not automatically read information from inserted filament during " +"startup and will continue to use the information recorded before the last " +"shutdown." msgstr "" "AMS, başlatma sırasında takılan filamentden bilgileri otomatik olarak okumaz " "ve son kapatmadan önce kaydedilen bilgileri kullanmaya devam eder." @@ -3085,8 +3077,8 @@ msgid "" "automatically." msgstr "" "AMS, filament bilgisi güncellendikten sonra Bambu filamentin kalan " -"kapasitesini tahmin edecek. Yazdırma sırasında kalan kapasite otomatik " -"olarak güncellenecektir." +"kapasitesini tahmin edecek. Yazdırma sırasında kalan kapasite otomatik olarak " +"güncellenecektir." msgid "AMS filament backup" msgstr "AMS filament yedeklemesi" @@ -3118,8 +3110,8 @@ msgid "" "Failed to download the plug-in. Please check your firewall settings and vpn " "software, check and retry." msgstr "" -"Eklenti indirilemedi. Lütfen güvenlik duvarı ayarlarınızı ve vpn " -"yazılımınızı kontrol edin, kontrol edip yeniden deneyin." +"Eklenti indirilemedi. Lütfen güvenlik duvarı ayarlarınızı ve vpn yazılımınızı " +"kontrol edin, kontrol edip yeniden deneyin." msgid "" "Failed to install the plug-in. Please check whether it is blocked or deleted " @@ -3207,8 +3199,8 @@ msgid "" "device. The corrupted output G-code is at %1%.tmp." msgstr "" "Geçici G kodunun çıkış G koduna kopyalanması başarısız oldu. Hedef cihazda " -"sorun olabilir, lütfen tekrar dışa aktarmayı veya farklı bir cihaz " -"kullanmayı deneyin. Bozuk çıktı G kodu %1%.tmp konumunda." +"sorun olabilir, lütfen tekrar dışa aktarmayı veya farklı bir cihaz kullanmayı " +"deneyin. Bozuk çıktı G kodu %1%.tmp konumunda." #, boost-format msgid "" @@ -3441,8 +3433,8 @@ msgid "Send to" msgstr "Gönderildi" msgid "" -"printers at the same time.(It depends on how many devices can undergo " -"heating at the same time.)" +"printers at the same time.(It depends on how many devices can undergo heating " +"at the same time.)" msgstr "" "aynı anda kaç yazıcının ısıtma işleminden geçebileceği, aynı anda " "ısıtılabilecek cihaz sayısına bağlıdır." @@ -3549,8 +3541,8 @@ msgid "" "The recommended minimum temperature is less than 190 degree or the " "recommended maximum temperature is greater than 300 degree.\n" msgstr "" -"Önerilen minimum sıcaklık 190 dereceden azdır veya önerilen maksimum " -"sıcaklık 300 dereceden yüksektir.\n" +"Önerilen minimum sıcaklık 190 dereceden azdır veya önerilen maksimum sıcaklık " +"300 dereceden yüksektir.\n" msgid "" "The recommended minimum temperature cannot be higher than the recommended " @@ -3587,13 +3579,13 @@ msgstr "" #, c-format, boost-format msgid "" -"Current chamber temperature is higher than the material's safe temperature," -"it may result in material softening and clogging.The maximum safe " -"temperature for the material is %d" +"Current chamber temperature is higher than the material's safe temperature,it " +"may result in material softening and clogging.The maximum safe temperature " +"for the material is %d" msgstr "" -"Mevcut hazne sıcaklığı malzemenin güvenli sıcaklığından yüksektir, " -"malzemenin yumuşamasına ve tıkanmasına neden olabilir Malzeme için maksimum " -"güvenli sıcaklık %d'dir" +"Mevcut hazne sıcaklığı malzemenin güvenli sıcaklığından yüksektir, malzemenin " +"yumuşamasına ve tıkanmasına neden olabilir Malzeme için maksimum güvenli " +"sıcaklık %d'dir" msgid "" "Too small layer height.\n" @@ -3647,16 +3639,16 @@ msgstr "" "Değer 0'a sıfırlanacaktır." msgid "" -"Alternate extra wall does't work well when ensure vertical shell thickness " -"is set to All. " +"Alternate extra wall does't work well when ensure vertical shell thickness is " +"set to All. " msgstr "" -"Alternatif ekstra duvar, dikey kabuk kalınlığının Tümü olarak " -"ayarlandığından emin olunduğunda iyi çalışmaz. " +"Alternatif ekstra duvar, dikey kabuk kalınlığının Tümü olarak ayarlandığından " +"emin olunduğunda iyi çalışmaz. " msgid "" "Change these settings automatically? \n" -"Yes - Change ensure vertical shell thickness to Moderate and enable " -"alternate extra wall\n" +"Yes - Change ensure vertical shell thickness to Moderate and enable alternate " +"extra wall\n" "No - Dont use alternate extra wall" msgstr "" "Bu ayarlar otomatik olarak değiştirilsin mi? \n" @@ -3733,8 +3725,7 @@ msgid "" "No - Give up using spiral mode this time" msgstr "" "Bu ayarlar otomatik olarak değiştirilsin mi?\n" -"Evet - Bu ayarları değiştirin ve spiral modunu otomatik olarak " -"etkinleştirin\n" +"Evet - Bu ayarları değiştirin ve spiral modunu otomatik olarak etkinleştirin\n" "Hayır - Bu sefer spiral modunu kullanmaktan vazgeçin" msgid "Auto bed leveling" @@ -3867,9 +3858,9 @@ msgid "Update failed." msgstr "Güncelleme başarısız." msgid "" -"The current chamber temperature or the target chamber temperature exceeds " -"45℃.In order to avoid extruder clogging,low temperature filament(PLA/PETG/" -"TPU) is not allowed to be loaded." +"The current chamber temperature or the target chamber temperature exceeds 45℃." +"In order to avoid extruder clogging,low temperature filament(PLA/PETG/TPU) is " +"not allowed to be loaded." msgstr "" "Mevcut hazne sıcaklığı veya hedef hazne sıcaklığı 45 ° C'yi aşıyor Ekstruder " "tıkanmasını önlemek için düşük sıcaklıkta filament (PLA / PETG / TPU) " @@ -3896,8 +3887,7 @@ msgstr "" msgid "Failed to start printing job" msgstr "Yazdırma işi başlatılamadı" -msgid "" -"This calibration does not support the currently selected nozzle diameter" +msgid "This calibration does not support the currently selected nozzle diameter" msgstr "Bu kalibrasyon, şu anda seçilen nozzle çapını desteklememektedir" msgid "Current flowrate cali param is invalid" @@ -3922,12 +3912,12 @@ msgid "" "Damp PVA will become flexible and get stuck inside AMS,please take care to " "dry it before use." msgstr "" -"Nemli PVA esnekleşecek ve AMS'nin içine sıkışacaktır, lütfen kullanmadan " -"önce kurutmaya dikkat edin." +"Nemli PVA esnekleşecek ve AMS'nin içine sıkışacaktır, lütfen kullanmadan önce " +"kurutmaya dikkat edin." msgid "" -"CF/GF filaments are hard and brittle, It's easy to break or get stuck in " -"AMS, please use with caution." +"CF/GF filaments are hard and brittle, It's easy to break or get stuck in AMS, " +"please use with caution." msgstr "" "CF/GF filamentleri sert ve kırılgandır. AMS'de kırılması veya sıkışması " "kolaydır, lütfen dikkatli kullanın." @@ -4219,7 +4209,7 @@ msgid "Total Filament" msgstr "Toplam filament" msgid "Model Filament" -msgstr "Model Filament" +msgstr "Model filament" msgid "Prepare time" msgstr "Hazırlık süresi" @@ -4826,16 +4816,16 @@ msgid "Flow rate test - Pass 2" msgstr "Akış hızı testi - Geçiş 2" msgid "YOLO (Recommended)" -msgstr "" +msgstr "YOLO (Önerilen)" msgid "Orca YOLO flowrate calibration, 0.01 step" -msgstr "" +msgstr "Orca YOLO akış hızı kalibrasyonu, 0,01 adım" msgid "YOLO (perfectionist version)" -msgstr "" +msgstr "YOLO (Mükemmeliyetçi)" msgid "Orca YOLO flowrate calibration, 0.005 step" -msgstr "" +msgstr "Orca YOLO akış hızı kalibrasyonu, 0,005 adım" msgid "Flow rate" msgstr "Akış hızı" @@ -4954,8 +4944,8 @@ msgstr[1] "" msgid "" "\n" -"Hint: Make sure you have added the corresponding printer before importing " -"the configs." +"Hint: Make sure you have added the corresponding printer before importing the " +"configs." msgstr "" "\n" "İpucu: Yapılandırmaları içe aktarmadan önce ilgili yazıcıyı eklediğinizden " @@ -5004,8 +4994,7 @@ msgid "Please confirm if the printer is connected." msgstr "Lütfen yazıcının bağlı olup olmadığını onaylayın." msgid "" -"The printer is currently busy downloading. Please try again after it " -"finishes." +"The printer is currently busy downloading. Please try again after it finishes." msgstr "" "Yazıcı şu anda indirmeyle meşgul. Lütfen bittikten sonra tekrar deneyin." @@ -5016,8 +5005,7 @@ msgid "Problem occured. Please update the printer firmware and try again." msgstr "" "Sorun oluştu. Lütfen yazıcının ürün yazılımını güncelleyin ve tekrar deneyin." -msgid "" -"LAN Only Liveview is off. Please turn on the liveview on printer screen." +msgid "LAN Only Liveview is off. Please turn on the liveview on printer screen." msgstr "" "Yalnızca LAN Canlı İzleme kapalı. Lütfen yazıcı ekranındaki canlı " "görüntülemeyi açın." @@ -5032,8 +5020,8 @@ msgid "Connection Failed. Please check the network and try again" msgstr "Bağlantı Başarısız. Lütfen ağı kontrol edip tekrar deneyin" msgid "" -"Please check the network and try again, You can restart or update the " -"printer if the issue persists." +"Please check the network and try again, You can restart or update the printer " +"if the issue persists." msgstr "" "Lütfen ağı kontrol edip tekrar deneyin. Sorun devam ederse yazıcıyı yeniden " "başlatabilir veya güncelleyebilirsiniz." @@ -5176,8 +5164,7 @@ msgid_plural "" "You are going to delete %u files from printer. Are you sure to continue?" msgstr[0] "" "%u dosyasını yazıcıdan sileceksiniz. Devam edeceğinizden emin misiniz?" -msgstr[1] "" -"%u dosyayı yazıcıdan sileceksiniz. Devam edeceğinizden emin misiniz?" +msgstr[1] "%u dosyayı yazıcıdan sileceksiniz. Devam edeceğinizden emin misiniz?" msgid "Delete files" msgstr "Dosyaları sil" @@ -5237,8 +5224,8 @@ msgid "" "Reconnecting the printer, the operation cannot be completed immediately, " "please try again later." msgstr "" -"Yazıcıyı yeniden bağladığınızda işlem hemen tamamlanamıyor, lütfen daha " -"sonra tekrar deneyin." +"Yazıcıyı yeniden bağladığınızda işlem hemen tamamlanamıyor, lütfen daha sonra " +"tekrar deneyin." msgid "File does not exist." msgstr "Dosya bulunmuyor." @@ -5321,8 +5308,8 @@ msgid "" "(The model has already been rated. Your rating will overwrite the previous " "rating.)" msgstr "" -"(Model zaten derecelendirilmiştir. Derecelendirmeniz önceki " -"derecelendirmenin üzerine yazılacaktır)" +"(Model zaten derecelendirilmiştir. Derecelendirmeniz önceki derecelendirmenin " +"üzerine yazılacaktır)" msgid "Rate" msgstr "Derecelendir" @@ -5918,8 +5905,8 @@ msgstr "Peletler" msgid "" "No AMS filaments. Please select a printer in 'Device' page to load AMS info." msgstr "" -"AMS filamentleri yok. AMS bilgilerini yüklemek için lütfen 'Cihaz' " -"sayfasında bir yazıcı seçin." +"AMS filamentleri yok. AMS bilgilerini yüklemek için lütfen 'Cihaz' sayfasında " +"bir yazıcı seçin." msgid "Sync filaments with AMS" msgstr "Filamentleri AMS ile senkronize et" @@ -5932,8 +5919,7 @@ msgstr "" "ayarlarını ve renklerini kaldıracaktır. Devam etmek istiyor musun?" msgid "" -"Already did a synchronization, do you want to sync only changes or resync " -"all?" +"Already did a synchronization, do you want to sync only changes or resync all?" msgstr "" "Zaten bir senkronizasyon yaptınız. Yalnızca değişiklikleri senkronize etmek " "mi yoksa tümünü yeniden senkronize etmek mi istiyorsunuz?" @@ -5948,13 +5934,13 @@ msgid "There are no compatible filaments, and sync is not performed." msgstr "Uyumlu filament yok ve senkronizasyon gerçekleştirilmiyor." msgid "" -"There are some unknown filaments mapped to generic preset. Please update " -"Orca Slicer or restart Orca Slicer to check if there is an update to system " +"There are some unknown filaments mapped to generic preset. Please update Orca " +"Slicer or restart Orca Slicer to check if there is an update to system " "presets." msgstr "" -"Genel ön ayara eşlenen bazı bilinmeyen filamentler var. Sistem ön " -"ayarlarında bir güncelleme olup olmadığını kontrol etmek için lütfen Orca " -"Slicer'ı güncelleyin veya Orca Slicer'ı yeniden başlatın." +"Genel ön ayara eşlenen bazı bilinmeyen filamentler var. Sistem ön ayarlarında " +"bir güncelleme olup olmadığını kontrol etmek için lütfen Orca Slicer'ı " +"güncelleyin veya Orca Slicer'ı yeniden başlatın." #, boost-format msgid "Do you want to save changes to \"%1%\"?" @@ -5979,13 +5965,13 @@ msgid "Restore" msgstr "Geri Yükleme" msgid "" -"The current hot bed temperature is relatively high. The nozzle may be " -"clogged when printing this filament in a closed enclosure. Please open the " -"front door and/or remove the upper glass." +"The current hot bed temperature is relatively high. The nozzle may be clogged " +"when printing this filament in a closed enclosure. Please open the front door " +"and/or remove the upper glass." msgstr "" -"Mevcut sıcak yatak sıcaklığı oldukça yüksek. Bu filamenti kapalı bir " -"muhafaza içinde bastırırken nozzle tıkanabilir. Lütfen ön kapağı açın ve/" -"veya üst camı çıkarın." +"Mevcut sıcak yatak sıcaklığı oldukça yüksek. Bu filamenti kapalı bir muhafaza " +"içinde bastırırken nozzle tıkanabilir. Lütfen ön kapağı açın ve/veya üst camı " +"çıkarın." msgid "" "The nozzle hardness required by the filament is higher than the default " @@ -6048,8 +6034,8 @@ msgstr "Lütfen bunları parametre sekmelerinde düzeltin" msgid "The 3mf has following modified G-codes in filament or printer presets:" msgstr "" -"3mf dosyasında filament veya yazıcı ön ayarlarında şu değiştirilmiş G-" -"kodları bulunmaktadır:" +"3mf dosyasında filament veya yazıcı ön ayarlarında şu değiştirilmiş G-kodları " +"bulunmaktadır:" msgid "" "Please confirm that these modified G-codes are safe to prevent any damage to " @@ -6283,8 +6269,8 @@ msgstr "" "dosyayı indirin ve manuel olarak içe aktarın." msgid "" -"Importing to Orca Slicer failed. Please download the file and manually " -"import it." +"Importing to Orca Slicer failed. Please download the file and manually import " +"it." msgstr "" "Orca Slicer'ya aktarma başarısız oldu. Lütfen dosyayı indirin ve manuel " "olarak İçe aktarın." @@ -6372,15 +6358,15 @@ msgstr "Dilimlenmiş dosyayı şu şekilde kaydedin:" #, c-format, boost-format msgid "" -"The file %s has been sent to the printer's storage space and can be viewed " -"on the printer." +"The file %s has been sent to the printer's storage space and can be viewed on " +"the printer." msgstr "" "%s dosyası yazıcının depolama alanına gönderildi ve yazıcıda " "görüntülenebiliyor." msgid "" -"Unable to perform boolean operation on model meshes. Only positive parts " -"will be kept. You may fix the meshes and try again." +"Unable to perform boolean operation on model meshes. Only positive parts will " +"be kept. You may fix the meshes and try again." msgstr "" "Model ağlarında boole işlemi gerçekleştirilemiyor. Yalnızca olumlu kısımlar " "tutulacaktır. Kafesleri düzeltip tekrar deneyebilirsiniz." @@ -6494,8 +6480,8 @@ msgstr "" #, c-format, boost-format msgid "" "Plate% d: %s is not suggested to be used to print filament %s(%s). If you " -"still want to do this printing, please set this filament's bed temperature " -"to non zero." +"still want to do this printing, please set this filament's bed temperature to " +"non zero." msgstr "" "Plaka% d: %s'nin %s(%s) filamentinı yazdırmak için kullanılması önerilmez. " "Eğer yine de bu baskıyı yapmak istiyorsanız, lütfen bu filamentin yatak " @@ -6598,8 +6584,8 @@ msgstr "Yalnızca bir OrcaSlicer örneğine izin ver" msgid "" "On OSX there is always only one instance of app running by default. However " -"it is allowed to run multiple instances of same app from the command line. " -"In such case this settings will allow only one instance." +"it is allowed to run multiple instances of same app from the command line. In " +"such case this settings will allow only one instance." msgstr "" "OSX’te her zaman varsayılan olarak çalışan tek bir uygulama örneği vardır. " "Ancak aynı uygulamanın birden fazla örneğinin komut satırından " @@ -6607,9 +6593,8 @@ msgstr "" "örneğe izin verecektir." msgid "" -"If this is enabled, when starting OrcaSlicer and another instance of the " -"same OrcaSlicer is already running, that instance will be reactivated " -"instead." +"If this is enabled, when starting OrcaSlicer and another instance of the same " +"OrcaSlicer is already running, that instance will be reactivated instead." msgstr "" "Bu etkinleştirilirse, OrcaSlicer başlatıldığında ve aynı OrcaSlicer’ın başka " "bir örneği zaten çalışıyorken, bunun yerine bu örnek yeniden " @@ -6701,12 +6686,11 @@ msgstr "" "hatırlayacak ve otomatik olarak değiştirecektir." msgid "Multi-device Management(Take effect after restarting Orca)." -msgstr "" -"Çoklu Cihaz Yönetimi(Studio yeniden başlatıldıktan sonra geçerli olur)." +msgstr "Çoklu Cihaz Yönetimi(Studio yeniden başlatıldıktan sonra geçerli olur)." msgid "" -"With this option enabled, you can send a task to multiple devices at the " -"same time and manage multiple devices." +"With this option enabled, you can send a task to multiple devices at the same " +"time and manage multiple devices." msgstr "" "Bu seçenek etkinleştirildiğinde, aynı anda birden fazla cihaza bir görev " "gönderebilir ve birden fazla cihazı yönetebilirsiniz." @@ -6786,8 +6770,8 @@ msgstr "Otomatik yedekleme" msgid "" "Backup your project periodically for restoring from the occasional crash." msgstr "" -"Ara sıra meydana gelen çökmelerden sonra geri yüklemek için projenizi " -"düzenli aralıklarla yedekleyin." +"Ara sıra meydana gelen çökmelerden sonra geri yüklemek için projenizi düzenli " +"aralıklarla yedekleyin." msgid "every" msgstr "her" @@ -7144,8 +7128,7 @@ msgid "Error code" msgstr "Hata kodu" msgid "No login account, only printers in LAN mode are displayed" -msgstr "" -"Oturum açma hesabı yok, yalnızca LAN modundaki yazıcılar görüntüleniyor" +msgstr "Oturum açma hesabı yok, yalnızca LAN modundaki yazıcılar görüntüleniyor" msgid "Connecting to server" msgstr "Sunucuya baglanıyor" @@ -7213,8 +7196,7 @@ msgstr "" "desteklemek için lütfen yazıcının ürün yazılımını güncelleyin." msgid "" -"The printer firmware only supports sequential mapping of filament => AMS " -"slot." +"The printer firmware only supports sequential mapping of filament => AMS slot." msgstr "" "Yazıcı ürün yazılımı yalnızca filament => AMS yuvasının sıralı eşlemesini " "destekler." @@ -7275,8 +7257,8 @@ msgstr "" msgid "" "There are some unknown filaments in the AMS mappings. Please check whether " -"they are the required filaments. If they are okay, press \"Confirm\" to " -"start printing." +"they are the required filaments. If they are okay, press \"Confirm\" to start " +"printing." msgstr "" "AMS eşlemelerinde bazı bilinmeyen filamentler var. Lütfen bunların gerekli " "filamentler olup olmadığını kontrol edin. Sorun yoksa, yazdırmayı başlatmak " @@ -7308,8 +7290,7 @@ msgstr "" "hasarına neden olabilir" msgid "Please fix the error above, otherwise printing cannot continue." -msgstr "" -"Lütfen yukarıdaki hatayı düzeltin, aksi takdirde yazdırma devam edemez." +msgstr "Lütfen yukarıdaki hatayı düzeltin, aksi takdirde yazdırma devam edemez." msgid "" "Please click the confirm button if you still want to proceed with printing." @@ -7460,11 +7441,11 @@ msgid "" "successes and failures of the vast number of prints by our users. We are " "training %s to be smarter by feeding them the real-world data. If you are " "willing, this service will access information from your error logs and usage " -"logs, which may include information described in Privacy Policy. We will " -"not collect any Personal Data by which an individual can be identified " -"directly or indirectly, including without limitation names, addresses, " -"payment information, or phone numbers. By enabling this service, you agree " -"to these terms and the statement about Privacy Policy." +"logs, which may include information described in Privacy Policy. We will not " +"collect any Personal Data by which an individual can be identified directly " +"or indirectly, including without limitation names, addresses, payment " +"information, or phone numbers. By enabling this service, you agree to these " +"terms and the statement about Privacy Policy." msgstr "" "3D Baskı topluluğunda, kendi dilimleme parametrelerimizi ve ayarlarımızı " "düzenlerken birbirimizin başarılarından ve başarısızlıklarından öğreniyoruz. " @@ -7515,16 +7496,16 @@ msgid "Click to reset all settings to the last saved preset." msgstr "Tüm ayarları en son kaydedilen ön ayara sıfırlamak için tıklayın." msgid "" -"Prime tower is required for smooth timeplase. There may be flaws on the " -"model without prime tower. Are you sure you want to disable prime tower?" +"Prime tower is required for smooth timeplase. There may be flaws on the model " +"without prime tower. Are you sure you want to disable prime tower?" msgstr "" "Sorunsuz timeplace için Prime Tower gereklidir. Prime tower olmayan modelde " "kusurlar olabilir. Prime tower'ı devre dışı bırakmak istediğinizden emin " "misiniz?" msgid "" -"Prime tower is required for smooth timelapse. There may be flaws on the " -"model without prime tower. Do you want to enable prime tower?" +"Prime tower is required for smooth timelapse. There may be flaws on the model " +"without prime tower. Do you want to enable prime tower?" msgstr "" "Sorunsuz hızlandırılmış çekim için Prime Tower gereklidir. Prime tower " "olmayan modelde kusurlar olabilir. Prime tower'ı etkinleştirmek istiyor " @@ -7553,11 +7534,11 @@ msgstr "" msgid "" "For \"Tree Strong\" and \"Tree Hybrid\" styles, we recommend the following " -"settings: at least 2 interface layers, at least 0.1mm top z distance or " -"using support materials on interface." +"settings: at least 2 interface layers, at least 0.1mm top z distance or using " +"support materials on interface." msgstr "" -"\"Güçlü Ağaç\" ve \"Ağaç Hibrit\" stilleri için şu ayarları öneriyoruz: en " -"az 2 arayüz katmanı, en az 0,1 mm üst z mesafesi veya arayüzde destek " +"\"Güçlü Ağaç\" ve \"Ağaç Hibrit\" stilleri için şu ayarları öneriyoruz: en az " +"2 arayüz katmanı, en az 0,1 mm üst z mesafesi veya arayüzde destek " "malzemeleri kullanılması." msgid "" @@ -7596,8 +7577,8 @@ msgid "" "height limits ,this may cause printing quality issues." msgstr "" "Katman yüksekliği, Yazıcı Ayarları -> Ekstruder -> Katman yüksekliği " -"sınırları bölümündeki sınırı aşıyor bu durum baskı kalitesi sorunlarına " -"neden olabilir." +"sınırları bölümündeki sınırı aşıyor bu durum baskı kalitesi sorunlarına neden " +"olabilir." msgid "Adjust to the set range automatically? \n" msgstr "Ayarlanan aralığa otomatik olarak ayarlansın mı? \n" @@ -7611,8 +7592,8 @@ msgstr "Atla" msgid "" "Experimental feature: Retracting and cutting off the filament at a greater " "distance during filament changes to minimize flush.Although it can notably " -"reduce flush, it may also elevate the risk of nozzle clogs or other " -"printing complications." +"reduce flush, it may also elevate the risk of nozzle clogs or other printing " +"complications." msgstr "" "Deneysel özellik: Filament değişiklikleri sırasında, floşu en aza indirmek " "için filamanı daha büyük bir mesafeden geri çekmek ve kesmek. Flush’u önemli " @@ -7634,8 +7615,8 @@ msgstr "" msgid "" "When recording timelapse without toolhead, it is recommended to add a " "\"Timelapse Wipe Tower\" \n" -"by right-click the empty position of build plate and choose \"Add " -"Primitive\"->\"Timelapse Wipe Tower\"." +"by right-click the empty position of build plate and choose \"Add Primitive\"-" +">\"Timelapse Wipe Tower\"." msgstr "" "Araç başlığı olmadan timelapse kaydederken, bir \"Timelapse Wipe Tower\" " "eklenmesi önerilir.\n" @@ -7684,8 +7665,8 @@ msgid "" "the overhang degree range and wall speed is used" msgstr "" "Bu, çeşitli sarkma dereceleri için hızdır. Çıkıntı dereceleri çizgi " -"genişliğinin yüzdesi olarak ifade edilir. 0 hız, sarkma derecesi aralığı " -"için yavaşlamanın olmadığı anlamına gelir ve duvar hızı kullanılır" +"genişliğinin yüzdesi olarak ifade edilir. 0 hız, sarkma derecesi aralığı için " +"yavaşlamanın olmadığı anlamına gelir ve duvar hızı kullanılır" msgid "Bridge" msgstr "Köprü" @@ -7797,11 +7778,11 @@ msgid "Cool plate" msgstr "Soğuk plaka" msgid "" -"Bed temperature when cool plate is installed. Value 0 means the filament " -"does not support to print on the Cool Plate" +"Bed temperature when cool plate is installed. Value 0 means the filament does " +"not support to print on the Cool Plate" msgstr "" -"Soğutma plakası takıldığında yatak sıcaklığı. 0 değeri, filamentin Cool " -"Plate üzerine yazdırmayı desteklemediği anlamına gelir" +"Soğutma plakası takıldığında yatak sıcaklığı. 0 değeri, filamentin Cool Plate " +"üzerine yazdırmayı desteklemediği anlamına gelir" msgid "Engineering plate" msgstr "Mühendislik plakası" @@ -7984,13 +7965,13 @@ msgstr "Yazıcının ekstruder sayısı." msgid "" "Single Extruder Multi Material is selected, \n" "and all extruders must have the same diameter.\n" -"Do you want to change the diameter for all extruders to first extruder " -"nozzle diameter value?" +"Do you want to change the diameter for all extruders to first extruder nozzle " +"diameter value?" msgstr "" "Tek Ekstruder Çoklu Malzeme seçilir, \n" "ve tüm ekstrüderlerin aynı çapa sahip olması gerekir.\n" -"Tüm ekstruderlerin çapını ilk ekstruder bozul çapı değerine değiştirmek " -"ister misiniz?" +"Tüm ekstruderlerin çapını ilk ekstruder bozul çapı değerine değiştirmek ister " +"misiniz?" msgid "Nozzle diameter" msgstr "Nozul çapı" @@ -8151,16 +8132,16 @@ msgstr "\"%1%\" ön ayarı aşağıdaki kaydedilmemiş değişiklikleri içeriyo #, boost-format msgid "" -"Preset \"%1%\" is not compatible with the new printer profile and it " -"contains the following unsaved changes:" +"Preset \"%1%\" is not compatible with the new printer profile and it contains " +"the following unsaved changes:" msgstr "" "Ön ayar \"%1%\", yeni yazıcı profiliyle uyumlu değil ve aşağıdaki " "kaydedilmemiş değişiklikleri içeriyor:" #, boost-format msgid "" -"Preset \"%1%\" is not compatible with the new process profile and it " -"contains the following unsaved changes:" +"Preset \"%1%\" is not compatible with the new process profile and it contains " +"the following unsaved changes:" msgstr "" "Ön ayar \"%1%\", yeni işlem profiliyle uyumlu değil ve aşağıdaki " "kaydedilmemiş değişiklikleri içeriyor:" @@ -8194,8 +8175,8 @@ msgid "" "the modified values to the new project" msgstr "" "\n" -"Değiştirdiğiniz ön ayar değerlerini atabilir veya değiştirilen değerleri " -"yeni projeye aktarmayı seçebilirsiniz." +"Değiştirdiğiniz ön ayar değerlerini atabilir veya değiştirilen değerleri yeni " +"projeye aktarmayı seçebilirsiniz." msgid "Extruders count" msgstr "Ekstruder sayısı" @@ -8219,19 +8200,19 @@ msgstr "" msgid "" "Transfer the selected options from left preset to the right.\n" -"Note: New modified presets will be selected in settings tabs after close " -"this dialog." +"Note: New modified presets will be selected in settings tabs after close this " +"dialog." msgstr "" "Seçilen seçenekleri sol ön ayardan sağa aktarın.\n" -"Not: Bu iletişim kutusunu kapattıktan sonra ayarlar sekmelerinde " -"değiştirilen yeni ön ayarlar seçilecektir." +"Not: Bu iletişim kutusunu kapattıktan sonra ayarlar sekmelerinde değiştirilen " +"yeni ön ayarlar seçilecektir." msgid "Transfer values from left to right" msgstr "Değerleri soldan sağa aktarın" msgid "" -"If enabled, this dialog can be used for transfer selected values from left " -"to right preset." +"If enabled, this dialog can be used for transfer selected values from left to " +"right preset." msgstr "" "Etkinleştirilirse, bu iletişim kutusu seçilen değerleri soldan sağa ön ayara " "aktarmak için kullanılabilir." @@ -8372,11 +8353,11 @@ msgstr "Sıkıştırma özelleştirme" msgid "" "Ramming denotes the rapid extrusion just before a tool change in a single-" -"extruder MM printer. Its purpose is to properly shape the end of the " -"unloaded filament so it does not prevent insertion of the new filament and " -"can itself be reinserted later. This phase is important and different " -"materials can require different extrusion speeds to get the good shape. For " -"this reason, the extrusion rates during ramming are adjustable.\n" +"extruder MM printer. Its purpose is to properly shape the end of the unloaded " +"filament so it does not prevent insertion of the new filament and can itself " +"be reinserted later. This phase is important and different materials can " +"require different extrusion speeds to get the good shape. For this reason, " +"the extrusion rates during ramming are adjustable.\n" "\n" "This is an expert-level setting, incorrect adjustment will likely lead to " "jams, extruder wheel grinding into filament etc." @@ -8461,15 +8442,15 @@ msgstr "" "‘Windows Media Player’ı etkinleştirmek istiyor musunuz?" msgid "" -"BambuSource has not correctly been registered for media playing! Press Yes " -"to re-register it. You will be promoted twice" +"BambuSource has not correctly been registered for media playing! Press Yes to " +"re-register it. You will be promoted twice" msgstr "" "BambuSource medya oynatımı için doğru şekilde kaydedilmemiş! Yeniden " "kaydetmek için Evet’e basın." msgid "" -"Missing BambuSource component registered for media playing! Please re-" -"install BambuStutio or seek after-sales help." +"Missing BambuSource component registered for media playing! Please re-install " +"BambuStutio or seek after-sales help." msgstr "" "Medya oynatma için kayıtlı BambuSource bileşeni eksik! Lütfen BambuStutio’yu " "yeniden yükleyin veya satış sonrası yardım isteyin." @@ -8482,9 +8463,9 @@ msgstr "" "çalışmayabilir! Düzeltmek için Evet’e basın." msgid "" -"Your system is missing H.264 codecs for GStreamer, which are required to " -"play video. (Try installing the gstreamer1.0-plugins-bad or gstreamer1.0-" -"libav packages, then restart Orca Slicer?)" +"Your system is missing H.264 codecs for GStreamer, which are required to play " +"video. (Try installing the gstreamer1.0-plugins-bad or gstreamer1.0-libav " +"packages, then restart Orca Slicer?)" msgstr "" "Sisteminizde video oynatmak için gerekli olan GStreamer H.264 codec " "bileşenleri eksik. (gstreamer1.0-plugins-bad veya gstreamer1.0-libav " @@ -8779,8 +8760,8 @@ msgstr "Ağ eklentisi güncellemesi" msgid "" "Click OK to update the Network plug-in when Orca Slicer launches next time." msgstr "" -"Orca Slicer bir sonraki sefer başlatıldığında Ağ eklentisini güncellemek " -"için Tamam'a tıklayın." +"Orca Slicer bir sonraki sefer başlatıldığında Ağ eklentisini güncellemek için " +"Tamam'a tıklayın." #, c-format, boost-format msgid "A new Network plug-in(%s) available, Do you want to install it?" @@ -8837,8 +8818,7 @@ msgstr "Nozulu Onaylayın ve Güncelleyin" msgid "LAN Connection Failed (Sending print file)" msgstr "LAN Bağlantısı Başarısız (Yazdırma dosyası gönderiliyor)" -msgid "" -"Step 1, please confirm Orca Slicer and your printer are in the same LAN." +msgid "Step 1, please confirm Orca Slicer and your printer are in the same LAN." msgstr "" "Adım 1, lütfen Orca Slicer ile yazıcınızın aynı LAN'da olduğunu doğrulayın." @@ -8907,8 +8887,8 @@ msgid "Updating successful" msgstr "Güncelleme başarılı" msgid "" -"Are you sure you want to update? This will take about 10 minutes. Do not " -"turn off the power while the printer is updating." +"Are you sure you want to update? This will take about 10 minutes. Do not turn " +"off the power while the printer is updating." msgstr "" "Güncellemek istediğinizden emin misiniz? Bu yaklaşık 10 dakika sürecektir. " "Yazıcı güncellenirken gücü kapatmayın." @@ -8927,10 +8907,9 @@ msgid "" "printing. Do you want to update now? You can also update later on printer or " "update next time starting Orca." msgstr "" -"Ürün yazılımı sürümü anormal. Yazdırmadan önce onarım ve güncelleme " -"yapılması gerekir. Şimdi güncellemek istiyor musunuz? Ayrıca daha sonra " -"yazıcıda güncelleyebilir veya stüdyoyu bir sonraki başlatışınızda " -"güncelleyebilirsiniz." +"Ürün yazılımı sürümü anormal. Yazdırmadan önce onarım ve güncelleme yapılması " +"gerekir. Şimdi güncellemek istiyor musunuz? Ayrıca daha sonra yazıcıda " +"güncelleyebilir veya stüdyoyu bir sonraki başlatışınızda güncelleyebilirsiniz." msgid "Extension Board" msgstr "Uzatma Kartı" @@ -9088,8 +9067,8 @@ msgid "Failed to calculate line width of %1%. Can not get value of \"%2%\" " msgstr "%1% çizgi genişliği hesaplanamadı. \"%2%\" değeri alınamıyor " msgid "" -"Invalid spacing supplied to Flow::with_spacing(), check your layer height " -"and extrusion width" +"Invalid spacing supplied to Flow::with_spacing(), check your layer height and " +"extrusion width" msgstr "" "Flow::with_spacing()'e sağlanan geçersiz boşluk, kat yüksekliğinizi ve " "ekstrüzyon genişliğinizi kontrol edin" @@ -9222,8 +9201,8 @@ msgstr " dışlama alanına çok yakın ve çarpışmalara neden olacak.\n" msgid "" "Can not print multiple filaments which have large difference of temperature " -"together. Otherwise, the extruder and nozzle may be blocked or damaged " -"during printing" +"together. Otherwise, the extruder and nozzle may be blocked or damaged during " +"printing" msgstr "" "Birlikte büyük sıcaklık farkına sahip birden fazla filament basılamaz. Aksi " "takdirde baskı sırasında ekstruder ve nozul tıkanabilir veya hasar görebilir" @@ -9256,8 +9235,8 @@ msgstr "%1% nesnesi maksimum yapı hacmi yüksekliğini aşıyor." #, boost-format msgid "" -"While the object %1% itself fits the build volume, its last layer exceeds " -"the maximum build volume height." +"While the object %1% itself fits the build volume, its last layer exceeds the " +"maximum build volume height." msgstr "" "%1% nesnesinin kendisi yapı hacmine uysa da, son katmanı maksimum yapı hacmi " "yüksekliğini aşıyor." @@ -9273,9 +9252,9 @@ msgid "Variable layer height is not supported with Organic supports." msgstr "Değişken katman yüksekliği Organik desteklerle desteklenmez." msgid "" -"Different nozzle diameters and different filament diameters may not work " -"well when the prime tower is enabled. It's very experimental, so please " -"proceed with caution." +"Different nozzle diameters and different filament diameters may not work well " +"when the prime tower is enabled. It's very experimental, so please proceed " +"with caution." msgstr "" "Farklı püskürtme ucu çapları ve farklı filaman çapları, ana kule " "etkinleştirildiğinde iyi çalışmayabilir. Oldukça deneysel olduğundan lütfen " @@ -9309,8 +9288,8 @@ msgid "" "The prime tower is not supported when adaptive layer height is on. It " "requires that all objects have the same layer height." msgstr "" -"Uyarlanabilir katman yüksekliği açıkken ana kule desteklenmez. Tüm " -"nesnelerin aynı katman yüksekliğine sahip olmasını gerektirir." +"Uyarlanabilir katman yüksekliği açıkken ana kule desteklenmez. Tüm nesnelerin " +"aynı katman yüksekliğine sahip olmasını gerektirir." msgid "The prime tower requires \"support gap\" to be multiple of layer height" msgstr "" @@ -9318,12 +9297,11 @@ msgstr "" msgid "The prime tower requires that all objects have the same layer heights" msgstr "" -"Prime tower, tüm nesnelerin aynı katman yüksekliğine sahip olmasını " -"gerektirir" +"Prime tower, tüm nesnelerin aynı katman yüksekliğine sahip olmasını gerektirir" msgid "" -"The prime tower requires that all objects are printed over the same number " -"of raft layers" +"The prime tower requires that all objects are printed over the same number of " +"raft layers" msgstr "" "Ana kule, tüm nesnelerin aynı sayıda sal katmanı üzerine yazdırılmasını " "gerektirir" @@ -9336,8 +9314,8 @@ msgstr "" "gerektirir." msgid "" -"The prime tower is only supported if all objects have the same variable " -"layer height" +"The prime tower is only supported if all objects have the same variable layer " +"height" msgstr "" "Prime tower yalnızca tüm nesnelerin aynı değişken katman yüksekliğine sahip " "olması durumunda desteklenir" @@ -9351,8 +9329,7 @@ msgstr "Çok büyük çizgi genişliği" msgid "" "The prime tower requires that support has the same layer height with object." msgstr "" -"Prime kulesi için, destek, nesne ile aynı katman yüksekliğine sahip " -"olmalıdır." +"Prime kulesi için, destek, nesne ile aynı katman yüksekliğine sahip olmalıdır." msgid "" "Organic support tree tip diameter must not be smaller than support material " @@ -9365,8 +9342,8 @@ msgid "" "Organic support branch diameter must not be smaller than 2x support material " "extrusion width." msgstr "" -"Organik destek dalı çapı, destek malzemesi ekstrüzyon genişliğinin 2 " -"katından daha küçük olamaz." +"Organik destek dalı çapı, destek malzemesi ekstrüzyon genişliğinin 2 katından " +"daha küçük olamaz." msgid "" "Organic support branch diameter must not be smaller than support tree tip " @@ -9383,20 +9360,20 @@ msgid "Layer height cannot exceed nozzle diameter" msgstr "Katman yüksekliği nozul çapını aşamaz" msgid "" -"Relative extruder addressing requires resetting the extruder position at " -"each layer to prevent loss of floating point accuracy. Add \"G92 E0\" to " +"Relative extruder addressing requires resetting the extruder position at each " +"layer to prevent loss of floating point accuracy. Add \"G92 E0\" to " "layer_gcode." msgstr "" -"Göreceli ekstruder adreslemesi, kayan nokta doğruluğunun kaybını önlemek " -"için her katmandaki ekstruder konumunun sıfırlanmasını gerektirir. " -"Layer_gcode'a \"G92 E0\" ekleyin." +"Göreceli ekstruder adreslemesi, kayan nokta doğruluğunun kaybını önlemek için " +"her katmandaki ekstruder konumunun sıfırlanmasını gerektirir. Layer_gcode'a " +"\"G92 E0\" ekleyin." msgid "" "\"G92 E0\" was found in before_layer_gcode, which is incompatible with " "absolute extruder addressing." msgstr "" -"Before_layer_gcode'da \"G92 E0\" bulundu ve bu, mutlak ekstruder " -"adreslemeyle uyumsuzdu." +"Before_layer_gcode'da \"G92 E0\" bulundu ve bu, mutlak ekstruder adreslemeyle " +"uyumsuzdu." msgid "" "\"G92 E0\" was found in layer_gcode, which is incompatible with absolute " @@ -9435,8 +9412,8 @@ msgid "" "(machine_max_acceleration_extruding).\n" "Orca will automatically cap the acceleration speed to ensure it doesn't " "surpass the printer's capabilities.\n" -"You can adjust the machine_max_acceleration_extruding value in your " -"printer's configuration to get higher speeds." +"You can adjust the machine_max_acceleration_extruding value in your printer's " +"configuration to get higher speeds." msgstr "" "Hızlanma ayarı yazıcının maksimum hızlanmasını aşıyor " "(machine_max_acceleration_extruding).\n" @@ -9497,8 +9474,7 @@ msgid "Elephant foot compensation" msgstr "Fil ayağı telafi oranı" msgid "" -"Shrink the initial layer on build plate to compensate for elephant foot " -"effect" +"Shrink the initial layer on build plate to compensate for elephant foot effect" msgstr "" "Fil ayağı etkisini telafi etmek için baskı plakasındaki ilk katmanı küçültün" @@ -9557,15 +9533,15 @@ msgid "" "Orca Slicer can upload G-code files to a printer host. This field should " "contain the hostname, IP address or URL of the printer host instance. Print " "host behind HAProxy with basic auth enabled can be accessed by putting the " -"user name and password into the URL in the following format: https://" -"username:password@your-octopi-address/" +"user name and password into the URL in the following format: https://username:" +"password@your-octopi-address/" msgstr "" -"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. " -"Bu alan, yazıcı ana bilgisayar örneğinin ana bilgisayar adını, IP adresini " -"veya URL'sini içermelidir. Temel kimlik doğrulamanın etkin olduğu " -"HAProxy'nin arkasındaki yazdırma ana bilgisayarına, kullanıcı adı ve " -"parolanın aşağıdaki biçimdeki URL'ye girilmesiyle erişilebilir: https://" -"username:password@your-octopi-address/" +"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. Bu " +"alan, yazıcı ana bilgisayar örneğinin ana bilgisayar adını, IP adresini veya " +"URL'sini içermelidir. Temel kimlik doğrulamanın etkin olduğu HAProxy'nin " +"arkasındaki yazdırma ana bilgisayarına, kullanıcı adı ve parolanın aşağıdaki " +"biçimdeki URL'ye girilmesiyle erişilebilir: https://username:password@your-" +"octopi-address/" msgid "Device UI" msgstr "Cihaz kullanıcı arayüzü" @@ -9573,8 +9549,7 @@ msgstr "Cihaz kullanıcı arayüzü" msgid "" "Specify the URL of your device user interface if it's not same as print_host" msgstr "" -"Print_Host ile aynı değilse cihazınızın kullanıcı arayüzünün URL'sini " -"belirtin" +"Print_Host ile aynı değilse cihazınızın kullanıcı arayüzünün URL'sini belirtin" msgid "API Key / Password" msgstr "API Anahtarı / Şifre" @@ -9583,9 +9558,8 @@ msgid "" "Orca Slicer can upload G-code files to a printer host. This field should " "contain the API Key or the password required for authentication." msgstr "" -"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. " -"Bu alan, kimlik doğrulama için gereken API Anahtarını veya şifreyi " -"içermelidir." +"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. Bu " +"alan, kimlik doğrulama için gereken API Anahtarını veya şifreyi içermelidir." msgid "Name of the printer" msgstr "Yazıcı adı" @@ -9595,8 +9569,8 @@ msgstr "HTTPS CA Dosyası" msgid "" "Custom CA certificate file can be specified for HTTPS OctoPrint connections, " -"in crt/pem format. If left blank, the default OS CA certificate repository " -"is used." +"in crt/pem format. If left blank, the default OS CA certificate repository is " +"used." msgstr "" "HTTPS OctoPrint bağlantıları için crt/pem formatında özel CA sertifika " "dosyası belirtilebilir. Boş bırakılırsa varsayılan OS CA sertifika deposu " @@ -9647,10 +9621,10 @@ msgid "" "either as an absolute value or as percentage (for example 50%) of a direct " "travel path. Zero to disable" msgstr "" -"Duvarı geçmekten kaçınmak için maksimum sapma mesafesi. Yoldan sapma " -"mesafesi bu değerden büyükse yoldan sapmayın. Yol uzunluğu, mutlak bir değer " -"olarak veya doğrudan seyahat yolunun yüzdesi (örneğin %50) olarak " -"belirtilebilir. Devre dışı bırakmak için sıfır" +"Duvarı geçmekten kaçınmak için maksimum sapma mesafesi. Yoldan sapma mesafesi " +"bu değerden büyükse yoldan sapmayın. Yol uzunluğu, mutlak bir değer olarak " +"veya doğrudan seyahat yolunun yüzdesi (örneğin %50) olarak belirtilebilir. " +"Devre dışı bırakmak için sıfır" msgid "mm or %" msgstr "mm veya %" @@ -9659,8 +9633,8 @@ msgid "Other layers" msgstr "Diğer katmanlar" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the Cool Plate" +"Bed temperature for layers except the initial one. Value 0 means the filament " +"does not support to print on the Cool Plate" msgstr "" "İlk katman dışındaki katmanlar için yatak sıcaklığı. 0 değeri, filamentin " "Cool Plate üzerine yazdırmayı desteklemediği anlamına gelir" @@ -9669,22 +9643,22 @@ msgid "°C" msgstr "°C" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the Engineering Plate" +"Bed temperature for layers except the initial one. Value 0 means the filament " +"does not support to print on the Engineering Plate" msgstr "" "İlk katman dışındaki katmanlar için yatak sıcaklığı. Değer 0, filamentin " "Mühendislik Plakasına yazdırmayı desteklemediği anlamına gelir" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the High Temp Plate" +"Bed temperature for layers except the initial one. Value 0 means the filament " +"does not support to print on the High Temp Plate" msgstr "" "İlk katman dışındaki katmanlar için yatak sıcaklığı. 0 değeri, filamentin " "Yüksek Sıcaklık Plakasına yazdırmayı desteklemediği anlamına gelir" msgid "" -"Bed temperature for layers except the initial one. Value 0 means the " -"filament does not support to print on the Textured PEI Plate" +"Bed temperature for layers except the initial one. Value 0 means the filament " +"does not support to print on the Textured PEI Plate" msgstr "" "İlk katman dışındaki katmanlar için yatak sıcaklığı. 0 Değeri, filamentin " "Dokulu PEI Plaka üzerine yazdırmayı desteklemediği anlamına gelir" @@ -9766,11 +9740,11 @@ msgid "" "The number of bottom solid layers is increased when slicing if the thickness " "calculated by bottom shell layers is thinner than this value. This can avoid " "having too thin shell when layer height is small. 0 means that this setting " -"is disabled and thickness of bottom shell is absolutely determained by " -"bottom shell layers" +"is disabled and thickness of bottom shell is absolutely determained by bottom " +"shell layers" msgstr "" -"Alt kabuk katmanları tarafından hesaplanan kalınlık bu değerden daha ince " -"ise dilimleme sırasında alt katı katmanların sayısı arttırılır. Bu, katman " +"Alt kabuk katmanları tarafından hesaplanan kalınlık bu değerden daha ince ise " +"dilimleme sırasında alt katı katmanların sayısı arttırılır. Bu, katman " "yüksekliği küçük olduğunda kabuğun çok ince olmasını önleyebilir. 0, bu " "ayarın devre dışı olduğu ve alt kabuğun kalınlığının mutlaka alt kabuk " "katmanları tarafından belirlendiği anlamına gelir" @@ -9779,16 +9753,15 @@ msgid "Apply gap fill" msgstr "Boşluk doldurmayı uygula" msgid "" -"Enables gap fill for the selected solid surfaces. The minimum gap length " -"that will be filled can be controlled from the filter out tiny gaps option " -"below.\n" +"Enables gap fill for the selected solid surfaces. The minimum gap length that " +"will be filled can be controlled from the filter out tiny gaps option below.\n" "\n" "Options:\n" "1. Everywhere: Applies gap fill to top, bottom and internal solid surfaces " "for maximum strength\n" -"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces " -"only, balancing print speed, reducing potential over extrusion in the solid " -"infill and making sure the top and bottom surfaces have no pin hole gaps\n" +"2. Top and Bottom surfaces: Applies gap fill to top and bottom surfaces only, " +"balancing print speed, reducing potential over extrusion in the solid infill " +"and making sure the top and bottom surfaces have no pin hole gaps\n" "3. Nowhere: Disables gap fill for all solid infill areas. \n" "\n" "Note that if using the classic perimeter generator, gap fill may also be " @@ -9805,6 +9778,33 @@ msgid "" "generator and use this option to control whether the cosmetic top and bottom " "surface gap fill is generated" msgstr "" +"Seçilen katı yüzeyler için boşluk doldurmayı etkinleştirir. Doldurulacak " +"minimum boşluk uzunluğu aşağıdaki küçük boşlukları filtrele seçeneğinden " +"kontrol edilebilir.\n" +"\n" +"Seçenekler:\n" +"1. Her Yerde: Maksimum dayanıklılık için üst, alt ve iç katı yüzeylere boşluk " +"dolgusu uygular\n" +"2. Üst ve Alt yüzeyler: Boşluk dolgusunu yalnızca üst ve alt yüzeylere " +"uygulayarak baskı hızını dengeler, katı dolgudaki aşırı ekstrüzyon " +"potansiyelini azaltır ve üst ve alt yüzeylerde iğne deliği boşluğu " +"kalmamasını sağlar\n" +"3. Hiçbir Yer: Tüm katı dolgu alanları için boşluk doldurmayı devre dışı " +"bırakır. \n" +"\n" +"Klasik çevre oluşturucu kullanılıyorsa, aralarına tam genişlikte bir çizgi " +"sığmazsa, çevreler arasında boşluk doldurmanın da oluşturulabileceğini " +"unutmayın. Bu çevre boşluğu dolgusu bu ayarla kontrol edilmez. \n" +"\n" +"Oluşturulan klasik çevre de dahil olmak üzere tüm boşluk doldurmanın " +"kaldırılmasını istiyorsanız, filtreyi küçük boşluklar dışında değerini 999999 " +"gibi büyük bir sayıya ayarlayın. \n" +"\n" +"Ancak çevreler arasındaki boşluğun doldurulması modelin gücüne katkıda " +"bulunduğundan bu önerilmez. Çevreler arasında aşırı boşluk dolgusunun " +"oluşturulduğu modeller için, arakne duvar oluşturucuya geçmek ve bu seçeneği " +"kozmetik üst ve alt yüzey boşluk dolgusunun oluşturulup oluşturulmayacağını " +"kontrol etmek için kullanmak daha iyi bir seçenek olacaktır." msgid "Everywhere" msgstr "Her yerde" @@ -9819,19 +9819,19 @@ msgid "Force cooling for overhang and bridge" msgstr "Çıkıntı ve köprüler için soğutmayı zorla" msgid "" -"Enable this option to optimize part cooling fan speed for overhang and " -"bridge to get better cooling" +"Enable this option to optimize part cooling fan speed for overhang and bridge " +"to get better cooling" msgstr "" -"Daha iyi soğutma elde etmek amacıyla çıkıntı ve köprü için parça soğutma " -"fanı hızını optimize etmek amacıyla bu seçeneği etkinleştirin" +"Daha iyi soğutma elde etmek amacıyla çıkıntı ve köprü için parça soğutma fanı " +"hızını optimize etmek amacıyla bu seçeneği etkinleştirin" msgid "Fan speed for overhang" msgstr "Çıkıntılar için fan hızı" msgid "" -"Force part cooling fan to be this speed when printing bridge or overhang " -"wall which has large overhang degree. Forcing cooling for overhang and " -"bridge can get better quality for these part" +"Force part cooling fan to be this speed when printing bridge or overhang wall " +"which has large overhang degree. Forcing cooling for overhang and bridge can " +"get better quality for these part" msgstr "" "Çıkıntı derecesi büyük olan köprü veya çıkıntılı duvara baskı yaparken parça " "soğutma fanını bu hızda olmaya zorlayın. Çıkıntı ve köprü için soğutmayı " @@ -9843,9 +9843,9 @@ msgstr "Çıkıntı soğutması" #, c-format msgid "" "Force cooling fan to be specific speed when overhang degree of printed part " -"exceeds this value. Expressed as percentage which indicides how much width " -"of the line without support from lower layer. 0% means forcing cooling for " -"all outer wall no matter how much overhang degree" +"exceeds this value. Expressed as percentage which indicides how much width of " +"the line without support from lower layer. 0% means forcing cooling for all " +"outer wall no matter how much overhang degree" msgstr "" "Yazdırılan parçanın çıkıntı derecesi bu değeri aştığında soğutma fanını " "belirli bir hıza zorlar. Alt katmandan destek almadan çizginin ne kadar " @@ -9882,6 +9882,11 @@ msgid "" "The actual bridge flow used is calculated by multiplying this value with the " "filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Köprü için malzeme miktarını azaltmak ve sarkmayı iyileştirmek amacıyla bu " +"değeri biraz azaltın (örneğin 0,9). \n" +"\n" +"Kullanılan gerçek köprü akışı, bu değerin filament akış oranıyla ve " +"ayarlandıysa nesnenin akış oranıyla çarpılmasıyla hesaplanır." msgid "Internal bridge flow ratio" msgstr "İç köprü akış oranı" @@ -9892,9 +9897,15 @@ msgid "" "0.9) to improve surface quality over sparse infill.\n" "\n" "The actual internal bridge flow used is calculated by multiplying this value " -"with the bridge flow ratio, the filament flow ratio, and if set, the " -"object's flow ratio." +"with the bridge flow ratio, the filament flow ratio, and if set, the object's " +"flow ratio." msgstr "" +"Bu değer iç köprü katmanının kalınlığını belirler. Bu, seyrek dolgunun " +"üzerindeki ilk katmandır. Seyrek dolguya göre yüzey kalitesini iyileştirmek " +"için bu değeri biraz azaltın (örneğin 0,9).\n" +"\n" +"Kullanılan gerçek iç köprü akışı, bu değerin köprü akış oranı, filament akış " +"oranı ve ayarlandıysa nesnenin akış oranıyla çarpılmasıyla hesaplanır." msgid "Top surface flow ratio" msgstr "Üst katı dolgu akış oranı" @@ -9903,9 +9914,14 @@ msgid "" "This factor affects the amount of material for top solid infill. You can " "decrease it slightly to have smooth surface finish. \n" "\n" -"The actual top surface flow used is calculated by multiplying this value " -"with the filament flow ratio, and if set, the object's flow ratio." +"The actual top surface flow used is calculated by multiplying this value with " +"the filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Bu faktör üst katı dolgu için malzeme miktarını etkiler. Pürüzsüz bir yüzey " +"elde etmek için bunu biraz azaltabilirsiniz. \n" +"\n" +"Kullanılan gerçek üst yüzey akışı, bu değerin filament akış oranıyla ve " +"ayarlandıysa nesnenin akış oranıyla çarpılmasıyla hesaplanır." msgid "Bottom surface flow ratio" msgstr "Alt katı dolgu akış oranı" @@ -9916,6 +9932,10 @@ msgid "" "The actual bottom solid infill flow used is calculated by multiplying this " "value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Bu faktör alt katı dolgu için malzeme miktarını etkiler. \n" +"\n" +"Kullanılan gerçek alt katı dolgu akışı, bu değerin filament akış oranıyla ve " +"ayarlandıysa nesnenin akış oranıyla çarpılmasıyla hesaplanır." msgid "Precise wall" msgstr "Hassas duvar" @@ -9955,11 +9975,11 @@ msgid "" "on the next layer, like letters. Set this setting to 0 to remove these " "artifacts." msgstr "" -"Eğer bir üst yüzey basılacaksa ve kısmen başka bir katman tarafından " -"kaplıysa layer genişliği bu değerin altında olan bir üst katman olarak " +"Eğer bir üst yüzey basılacaksa ve kısmen başka bir katman tarafından kaplıysa " +"layer genişliği bu değerin altında olan bir üst katman olarak " "değerlendirilmeyecek. Yalnızca çevrelerle kaplanması gereken yüzeyde 'bir " -"çevre üstte' tetiklemesine izin vermemek yararlı olabilir. Bu değer mm veya " -"a % çevre ekstrüzyon genişliğinin bir yüzdesi olabilir.\n" +"çevre üstte' tetiklemesine izin vermemek yararlı olabilir. Bu değer mm veya a " +"% çevre ekstrüzyon genişliğinin bir yüzdesi olabilir.\n" "Uyarı: Etkinleştirilirse bir sonraki katmanda harfler gibi bazı ince " "özelliklerin olması durumunda yapay yapılar oluşturulabilir. Bu yapıları " "kaldırmak için bu ayarı 0 olarak ayarlayın." @@ -9991,9 +10011,9 @@ msgid "Overhang reversal" msgstr "Çıkıntıyı tersine çevir" msgid "" -"Extrude perimeters that have a part over an overhang in the reverse " -"direction on odd layers. This alternating pattern can drastically improve " -"steep overhangs.\n" +"Extrude perimeters that have a part over an overhang in the reverse direction " +"on odd layers. This alternating pattern can drastically improve steep " +"overhangs.\n" "\n" "This setting can also help reduce part warping due to the reduction of " "stresses in the part walls." @@ -10015,8 +10035,7 @@ msgid "" "alternating directions. This should reduce part warping while also " "maintaining external wall quality. This feature can be very useful for warp " "prone material, like ABS/ASA, and also for elastic filaments, like TPU and " -"Silk PLA. It can also help reduce warping on floating regions over " -"supports.\n" +"Silk PLA. It can also help reduce warping on floating regions over supports.\n" "\n" "For this setting to be the most effective, it is recomended to set the " "Reverse Threshold to 0 so that all internal walls print in alternating " @@ -10048,8 +10067,7 @@ msgstr "" "Bu seçenek, havşa delikleri için köprüler oluşturarak bunların desteksiz " "yazdırılmasına olanak tanır. Mevcut modlar şunları içerir:\n" "1. Yok: Köprü oluşturulmaz.\n" -"2. Kısmen Köprülendi: Desteklenmeyen alanın yalnızca bir kısmı " -"köprülenecek.\n" +"2. Kısmen Köprülendi: Desteklenmeyen alanın yalnızca bir kısmı köprülenecek.\n" "3. Feda Katman: Tam bir feda köprü katmanı oluşturulur." msgid "Partially bridged" @@ -10091,26 +10109,42 @@ msgstr "" msgid "Slow down for curled perimeters" msgstr "Kıvrılmış çevre çizgilerinde yavaşlat" -#, c-format, boost-format msgid "" "Enable this option to slow down printing in areas where perimeters may have " -"curled upwards.For example, additional slowdown will be applied when " -"printing overhangs on sharp corners like the front of the Benchy hull, " -"reducing curling which compounds over multiple layers.\n" +"curled upwards.For example, additional slowdown will be applied when printing " +"overhangs on sharp corners like the front of the Benchy hull, reducing " +"curling which compounds over multiple layers.\n" "\n" " It is generally recommended to have this option switched on unless your " "printer cooling is powerful enough or the print speed slow enough that " -"perimeter curling does not happen. If printing with a high external " -"perimeter speed, this parameter may introduce slight artifacts when slowing " -"down due to the large variance in print speeds. If you notice artifacts, " -"ensure your pressure advance is tuned correctly.\n" +"perimeter curling does not happen. If printing with a high external perimeter " +"speed, this parameter may introduce slight artifacts when slowing down due to " +"the large variance in print speeds. If you notice artifacts, ensure your " +"pressure advance is tuned correctly.\n" "\n" "Note: When this option is enabled, overhang perimeters are treated like " "overhangs, meaning the overhang speed is applied even if the overhanging " -"perimeter is part of a bridge. For example, when the perimeters are " -"100% overhanging, with no wall supporting them from underneath, the " -"100% overhang speed will be applied." +"perimeter is part of a bridge. For example, when the perimeters are 100% " +"overhanging, with no wall supporting them from underneath, the 100% overhang " +"speed will be applied." msgstr "" +"Çevrelerin yukarıya doğru kıvrılmış olabileceği alanlarda yazdırmayı " +"yavaşlatmak için bu seçeneği etkinleştirin. Örneğin, Benchy gövdesinin önü " +"gibi keskin köşelerdeki çıkıntılara yazdırırken birden fazla katman üzerinde " +"oluşan kıvrılmayı azaltacak şekilde ek yavaşlama uygulanacaktır.\n" +"\n" +" Yazıcınızın soğutması yeterince güçlü olmadığı veya yazdırma hızı çevre " +"kıvrılmasını önleyecek kadar yavaş olmadığı sürece, genellikle bu seçeneğin " +"açık olması önerilir. Yüksek harici çevre hızıyla yazdırılıyorsa, bu " +"parametre, yazdırma hızlarındaki büyük farklılıklar nedeniyle yavaşlama " +"sırasında hafif bozulmalara neden olabilir. Artefaktlar fark ederseniz basınç " +"ilerlemenizin doğru şekilde ayarlandığından emin olun.\n" +"\n" +"Not: Bu seçenek etkinleştirildiğinde, çıkıntı çevreleri çıkıntılar gibi ele " +"alınır; bu, çıkıntının çevresi bir köprünün parçası olsa bile çıkıntı hızının " +"uygulandığı anlamına gelir. Örneğin, çevreler 100% çıkıntılı olduğunda ve " +"onları alttan destekleyen bir duvar olmadığında 100% çıkıntı hızı " +"uygulanacaktır." msgid "mm/s or %" msgstr "mm/s veya %" @@ -10126,6 +10160,12 @@ msgid "" "are supported by less than 13%, whether they are part of a bridge or an " "overhang." msgstr "" +"Dışarıdan görülebilen köprü ekstrüzyonlarının hızı. \n" +"\n" +"Ayrıca, kıvrılmış çevreler için yavaşlama devre dışı bırakılırsa veya Klasik " +"çıkıntı modu etkinleştirilirse, ister bir köprünün ister bir çıkıntının " +"parçası olsun, %13’ten daha az desteklenen çıkıntılı duvarların yazdırma hızı " +"olacaktır." msgid "mm/s" msgstr "mm/s" @@ -10134,9 +10174,11 @@ msgid "Internal" msgstr "Dahili" msgid "" -"Speed of internal bridges. If the value is expressed as a percentage, it " -"will be calculated based on the bridge_speed. Default value is 150%." +"Speed of internal bridges. If the value is expressed as a percentage, it will " +"be calculated based on the bridge_speed. Default value is 150%." msgstr "" +"İç köprülerin hızı. Değer yüzde olarak ifade edilirse köprü hızına göre " +"hesaplanacaktır. Varsayılan değer %150’dir." msgid "Brim width" msgstr "Kenar genişliği" @@ -10187,8 +10229,8 @@ msgid "Brim ear detection radius" msgstr "Kenar kulak algılama yarıçapı" msgid "" -"The geometry will be decimated before dectecting sharp angles. This " -"parameter indicates the minimum length of the deviation for the decimation.\n" +"The geometry will be decimated before dectecting sharp angles. This parameter " +"indicates the minimum length of the deviation for the decimation.\n" "0 to deactivate" msgstr "" "Keskin açılar tespit edilmeden önce geometrinin büyük bir kısmı yok " @@ -10237,10 +10279,10 @@ msgid "" "that layer can be cooled for longer time. This can improve the cooling " "quality for needle and small details" msgstr "" -"Son katman süresinin \"Maksimum fan hızı eşiği\"ndeki katman süresi " -"eşiğinden kısa olmamasını sağlamak amacıyla yazdırma hızını yavaşlatmak için " -"bu seçeneği etkinleştirin, böylece katman daha uzun süre soğutulabilir. Bu, " -"iğne ve küçük detaylar için soğutma kalitesini artırabilir" +"Son katman süresinin \"Maksimum fan hızı eşiği\"ndeki katman süresi eşiğinden " +"kısa olmamasını sağlamak amacıyla yazdırma hızını yavaşlatmak için bu " +"seçeneği etkinleştirin, böylece katman daha uzun süre soğutulabilir. Bu, iğne " +"ve küçük detaylar için soğutma kalitesini artırabilir" msgid "Normal printing" msgstr "Normal baskı" @@ -10249,8 +10291,7 @@ msgid "" "The default acceleration of both normal printing and travel except initial " "layer" msgstr "" -"İlk katman dışında hem normal yazdırmanın hem de ilerlemenin varsayılan " -"ivmesi" +"İlk katman dışında hem normal yazdırmanın hem de ilerlemenin varsayılan ivmesi" msgid "mm/s²" msgstr "mm/s²" @@ -10294,8 +10335,8 @@ msgid "" "Close all cooling fan for the first certain layers. Cooling fan of the first " "layer used to be closed to get better build plate adhesion" msgstr "" -"İlk belirli katmanlar için tüm soğutma fanını kapatın. Daha iyi baskı " -"plakası yapışması sağlamak için ilk katmanın soğutma fanı kapatılırdı" +"İlk belirli katmanlar için tüm soğutma fanını kapatın. Daha iyi baskı plakası " +"yapışması sağlamak için ilk katmanın soğutma fanı kapatılırdı" msgid "Don't support bridges" msgstr "Köprülerde destek olmasın" @@ -10336,8 +10377,8 @@ msgid "Don't filter out small internal bridges (beta)" msgstr "Küçük iç köprüleri filtrelemeyin (deneysel)" msgid "" -"This option can help reducing pillowing on top surfaces in heavily slanted " -"or curved models.\n" +"This option can help reducing pillowing on top surfaces in heavily slanted or " +"curved models.\n" "\n" "By default, small internal bridges are filtered out and the internal solid " "infill is printed directly over the sparse infill. This works well in most " @@ -10352,16 +10393,16 @@ msgid "" "unsupported internal solid infill. The options below control the amount of " "filtering, i.e. the amount of internal bridges created.\n" "\n" -"Disabled - Disables this option. This is the default behaviour and works " -"well in most cases.\n" +"Disabled - Disables this option. This is the default behaviour and works well " +"in most cases.\n" "\n" "Limited filtering - Creates internal bridges on heavily slanted surfaces, " -"while avoiding creating uncessesary interal bridges. This works well for " -"most difficult models.\n" +"while avoiding creating uncessesary interal bridges. This works well for most " +"difficult models.\n" "\n" -"No filtering - Creates internal bridges on every potential internal " -"overhang. This option is useful for heavily slanted top surface models. " -"However, in most cases it creates too many unecessary bridges." +"No filtering - Creates internal bridges on every potential internal overhang. " +"This option is useful for heavily slanted top surface models. However, in " +"most cases it creates too many unecessary bridges." msgstr "" "Bu seçenek, aşırı eğimli veya kavisli modellerde üst yüzeylerdeki " "yastıklamanın azaltılmasına yardımcı olabilir.\n" @@ -10513,8 +10554,8 @@ msgid "" "Speed of outer wall which is outermost and visible. It's used to be slower " "than inner wall speed to get better quality." msgstr "" -"En dışta görünen ve görünen dış duvarın hızı. Daha iyi kalite elde etmek " -"için iç duvar hızından daha yavaş olması kullanılır." +"En dışta görünen ve görünen dış duvarın hızı. Daha iyi kalite elde etmek için " +"iç duvar hızından daha yavaş olması kullanılır." msgid "Small perimeters" msgstr "Küçük çevre (perimeter)" @@ -10543,8 +10584,8 @@ msgstr "Duvar baskı sırası" msgid "" "Print sequence of the internal (inner) and external (outer) walls. \n" "\n" -"Use Inner/Outer for best overhangs. This is because the overhanging walls " -"can adhere to a neighouring perimeter while printing. However, this option " +"Use Inner/Outer for best overhangs. This is because the overhanging walls can " +"adhere to a neighouring perimeter while printing. However, this option " "results in slightly reduced surface quality as the external perimeter is " "deformed by being squashed to the internal perimeter.\n" "\n" @@ -10575,14 +10616,14 @@ msgstr "" "kalitesi ve boyutsal doğruluk için İç/Dış/İç seçeneğini kullanın. Ancak, dış " "duvarın üzerine baskı yapılacak bir iç çevre olmadığından sarkma performansı " "düşecektir. Bu seçenek, önce 3. çevreden itibaren iç duvarları, ardından dış " -"çevreyi ve son olarak da birinci iç çevreyi yazdırdığından etkili olması " -"için en az 3 duvar gerektirir. Bu seçenek çoğu durumda Dış/İç seçeneğine " -"karşı önerilir. \n" +"çevreyi ve son olarak da birinci iç çevreyi yazdırdığından etkili olması için " +"en az 3 duvar gerektirir. Bu seçenek çoğu durumda Dış/İç seçeneğine karşı " +"önerilir. \n" "\n" "İç/Dış/İç seçeneğinin aynı dış duvar kalitesi ve boyutsal doğruluk " "avantajları için Dış/İç seçeneğini kullanın. Bununla birlikte, yeni bir " -"katmanın ilk ekstrüzyonu görünür bir yüzey üzerinde başladığından z " -"dikişleri daha az tutarlı görünecektir.\n" +"katmanın ilk ekstrüzyonu görünür bir yüzey üzerinde başladığından z dikişleri " +"daha az tutarlı görünecektir.\n" "\n" " " @@ -10604,9 +10645,9 @@ msgid "" "\n" "Printing infill first may help with extreme overhangs as the walls have the " "neighbouring infill to adhere to. However, the infill will slighly push out " -"the printed walls where it is attached to them, resulting in a worse " -"external surface finish. It can also cause the infill to shine through the " -"external surfaces of the part." +"the printed walls where it is attached to them, resulting in a worse external " +"surface finish. It can also cause the infill to shine through the external " +"surfaces of the part." msgstr "" "Duvar/dolgu sırası. Onay kutusu işaretlenmediğinde duvarlar önce yazdırılır, " "bu çoğu durumda en iyi şekilde çalışır.\n" @@ -10624,8 +10665,8 @@ msgid "" "The direction which the wall loops are extruded when looking down from the " "top.\n" "\n" -"By default all walls are extruded in counter-clockwise, unless Reverse on " -"odd is enabled. Set this to any option other than Auto will force the wall " +"By default all walls are extruded in counter-clockwise, unless Reverse on odd " +"is enabled. Set this to any option other than Auto will force the wall " "direction regardless of the Reverse on odd.\n" "\n" "This option will be disabled if sprial vase mode is enabled." @@ -10633,8 +10674,8 @@ msgstr "" "Yukarıdan aşağıya bakıldığında duvar döngülerinin ekstrüzyona uğradığı yön.\n" "\n" "Tek sayıyı ters çevir seçeneği etkinleştirilmedikçe, varsayılan olarak tüm " -"duvarlar saat yönünün tersine ekstrüde edilir. Bunu Otomatik dışında " -"herhangi bir seçeneğe ayarlayın, Ters açıklığa bakılmaksızın duvar yönünü " +"duvarlar saat yönünün tersine ekstrüde edilir. Bunu Otomatik dışında herhangi " +"bir seçeneğe ayarlayın, Ters açıklığa bakılmaksızın duvar yönünü " "zorlayacaktır.\n" "\n" "Spiral vazo modu etkinse bu seçenek devre dışı bırakılacaktır." @@ -10662,8 +10703,8 @@ msgid "" "Distance of the nozzle tip to the lid. Used for collision avoidance in by-" "object printing." msgstr "" -"Nozul ucunun kapağa olan mesafesi. Nesneye göre yazdırmada çarpışmayı " -"önlemek için kullanılır." +"Nozul ucunun kapağa olan mesafesi. Nesneye göre yazdırmada çarpışmayı önlemek " +"için kullanılır." msgid "" "Clearance radius around extruder. Used for collision avoidance in by-object " @@ -10686,20 +10727,19 @@ msgid "" "probe's XY offset, most printers are unable to probe the entire bed. To " "ensure the probe point does not go outside the bed area, the minimum and " "maximum points of the bed mesh should be set appropriately. OrcaSlicer " -"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " -"exceed these min/max points. This information can usually be obtained from " -"your printer manufacturer. The default setting is (-99999, -99999), which " -"means there are no limits, thus allowing probing across the entire bed." +"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not exceed " +"these min/max points. This information can usually be obtained from your " +"printer manufacturer. The default setting is (-99999, -99999), which means " +"there are no limits, thus allowing probing across the entire bed." msgstr "" -"Bu seçenek, izin verilen yatak ağ alanı için minimum noktayı ayarlar. Prob " -"XY ofseti nedeniyle çoğu yazıcı yatağın tamamını tarayamaz. Prob noktasının " -"yatak alanı dışına çıkmamasını sağlamak için yatak ağının minimum ve " -"maksimum noktaları uygun şekilde ayarlanmalıdır. OrcaSlicer, " -"adaptive_bed_mesh_min/adaptive_bed_mesh_max değerlerinin bu min/maks " -"noktalarını aşmamasını sağlar. Bu bilgi genellikle yazıcınızın üreticisinden " -"edinilebilir. Varsayılan ayar (-99999, -99999) şeklindedir; bu, herhangi bir " -"sınırın olmadığı anlamına gelir, dolayısıyla yatağın tamamında problamaya " -"izin verilir." +"Bu seçenek, izin verilen yatak ağ alanı için minimum noktayı ayarlar. Prob XY " +"ofseti nedeniyle çoğu yazıcı yatağın tamamını tarayamaz. Prob noktasının " +"yatak alanı dışına çıkmamasını sağlamak için yatak ağının minimum ve maksimum " +"noktaları uygun şekilde ayarlanmalıdır. OrcaSlicer, adaptive_bed_mesh_min/" +"adaptive_bed_mesh_max değerlerinin bu min/maks noktalarını aşmamasını sağlar. " +"Bu bilgi genellikle yazıcınızın üreticisinden edinilebilir. Varsayılan ayar " +"(-99999, -99999) şeklindedir; bu, herhangi bir sınırın olmadığı anlamına " +"gelir, dolayısıyla yatağın tamamında problamaya izin verilir." msgid "Bed mesh max" msgstr "Maksimum yatak ağı" @@ -10709,20 +10749,19 @@ msgid "" "probe's XY offset, most printers are unable to probe the entire bed. To " "ensure the probe point does not go outside the bed area, the minimum and " "maximum points of the bed mesh should be set appropriately. OrcaSlicer " -"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not " -"exceed these min/max points. This information can usually be obtained from " -"your printer manufacturer. The default setting is (99999, 99999), which " -"means there are no limits, thus allowing probing across the entire bed." +"ensures that adaptive_bed_mesh_min/adaptive_bed_mesh_max values do not exceed " +"these min/max points. This information can usually be obtained from your " +"printer manufacturer. The default setting is (99999, 99999), which means " +"there are no limits, thus allowing probing across the entire bed." msgstr "" -"Bu seçenek, izin verilen yatak ağ alanı için maksimum noktayı ayarlar. " -"Probun XY ofseti nedeniyle çoğu yazıcı yatağın tamamını tarayamaz. Prob " -"noktasının yatak alanı dışına çıkmamasını sağlamak için yatak ağının minimum " -"ve maksimum noktaları uygun şekilde ayarlanmalıdır. OrcaSlicer, " -"adaptive_bed_mesh_min/adaptive_bed_mesh_max değerlerinin bu min/maks " -"noktalarını aşmamasını sağlar. Bu bilgi genellikle yazıcınızın üreticisinden " -"edinilebilir. Varsayılan ayar (99999, 99999) şeklindedir; bu, herhangi bir " -"sınırın olmadığı anlamına gelir, dolayısıyla yatağın tamamında problamaya " -"izin verilir." +"Bu seçenek, izin verilen yatak ağ alanı için maksimum noktayı ayarlar. Probun " +"XY ofseti nedeniyle çoğu yazıcı yatağın tamamını tarayamaz. Prob noktasının " +"yatak alanı dışına çıkmamasını sağlamak için yatak ağının minimum ve maksimum " +"noktaları uygun şekilde ayarlanmalıdır. OrcaSlicer, adaptive_bed_mesh_min/" +"adaptive_bed_mesh_max değerlerinin bu min/maks noktalarını aşmamasını sağlar. " +"Bu bilgi genellikle yazıcınızın üreticisinden edinilebilir. Varsayılan ayar " +"(99999, 99999) şeklindedir; bu, herhangi bir sınırın olmadığı anlamına gelir, " +"dolayısıyla yatağın tamamında problamaya izin verilir." msgid "Probe point distance" msgstr "Prob noktası mesafesi" @@ -10739,8 +10778,8 @@ msgid "Mesh margin" msgstr "Yatak ağı boşluğu" msgid "" -"This option determines the additional distance by which the adaptive bed " -"mesh area should be expanded in the XY directions." +"This option determines the additional distance by which the adaptive bed mesh " +"area should be expanded in the XY directions." msgstr "" "Bu seçenek, uyarlanabilir yatak ağ alanının XY yönlerinde genişletilmesi " "gereken ek mesafeyi belirler." @@ -10760,9 +10799,9 @@ msgstr "Akış oranı" msgid "" "The material may have volumetric change after switching between molten state " "and crystalline state. This setting changes all extrusion flow of this " -"filament in gcode proportionally. Recommended value range is between 0.95 " -"and 1.05. Maybe you can tune this value to get nice flat surface when there " -"has slight overflow or underflow" +"filament in gcode proportionally. Recommended value range is between 0.95 and " +"1.05. Maybe you can tune this value to get nice flat surface when there has " +"slight overflow or underflow" msgstr "" "Malzeme, erimiş hal ile kristal hal arasında geçiş yaptıktan sonra hacimsel " "değişime sahip olabilir. Bu ayar, bu filamentin gcode'daki tüm ekstrüzyon " @@ -10773,13 +10812,21 @@ msgstr "" msgid "" "The material may have volumetric change after switching between molten state " "and crystalline state. This setting changes all extrusion flow of this " -"filament in gcode proportionally. Recommended value range is between 0.95 " -"and 1.05. Maybe you can tune this value to get nice flat surface when there " -"has slight overflow or underflow. \n" +"filament in gcode proportionally. Recommended value range is between 0.95 and " +"1.05. Maybe you can tune this value to get nice flat surface when there has " +"slight overflow or underflow. \n" "\n" "The final object flow ratio is this value multiplied by the filament flow " "ratio." msgstr "" +"Malzeme, erimiş hal ile kristal hal arasında geçiş yaptıktan sonra hacimsel " +"değişime sahip olabilir. Bu ayar, bu filamentin gcode’daki tüm ekstrüzyon " +"akışını orantılı olarak değiştirir. Önerilen değer aralığı 0,95 ile 1,05 " +"arasındadır. Belki hafif taşma veya taşma olduğunda güzel düz bir yüzey elde " +"etmek için bu değeri ayarlayabilirsiniz. \n" +"\n" +"Nihai nesne akış oranı, bu değerin filament akış oranıyla çarpılmasıyla elde " +"edilir." msgid "Enable pressure advance" msgstr "Basınç Avansı (PA)" @@ -10797,7 +10844,7 @@ msgstr "Basınç avansı (Klipper) Doğrusal ilerleme faktörü (Marlin)" msgid "Enable adaptive pressure advance (beta)" msgstr "Uyarlanabilir basınç ilerlemesini etkinleştir (beta)" -#, fuzzy, c-format, boost-format +#, c-format, boost-format msgid "" "With increasing print speeds (and hence increasing volumetric flow through " "the nozzle) and increasing accelerations, it has been observed that the " @@ -10806,12 +10853,12 @@ msgid "" "used that does not cause too much bulging on features with lower flow speed " "and accelerations while also not causing gaps on faster features.\n" "\n" -"This feature aims to address this limitation by modeling the response of " -"your printer's extrusion system depending on the volumetric flow speed and " +"This feature aims to address this limitation by modeling the response of your " +"printer's extrusion system depending on the volumetric flow speed and " "acceleration it is printing at. Internally, it generates a fitted model that " "can extrapolate the needed pressure advance for any given volumetric flow " -"speed and acceleration, which is then emmited to the printer depending on " -"the current print conditions.\n" +"speed and acceleration, which is then emmited to the printer depending on the " +"current print conditions.\n" "\n" "When enabled, the pressure advance value above is overriden. However, a " "reasonable default value above is strongly recomended to act as a fallback " @@ -10821,7 +10868,7 @@ msgstr "" "Baskı hızlarının artmasıyla (ve dolayısıyla püskürtme ucunda hacimsel akışın " "artmasıyla) ve hızlanmaların artmasıyla, etkin basınç değerinin tipik olarak " "azaldığı gözlemlenmiştir. Bu, tek bir basınç değerinin tüm özellikler için " -"her zaman %100 optimal olmadığı ve genellikle daha düşük akış hızına ve " +"her zaman 100% optimal olmadığı ve genellikle daha düşük akış hızına ve " "ivmeye sahip özelliklerde çok fazla çıkıntıya neden olmayan ve aynı zamanda " "daha hızlı özelliklerde boşluklara neden olmayan bir uzlaşma değerinin " "kullanıldığı anlamına gelir.\n" @@ -10852,24 +10899,24 @@ msgid "" "1. Run the pressure advance test for at least 3 speeds per acceleration " "value. It is recommended that the test is run for at least the speed of the " "external perimeters, the speed of the internal perimeters and the fastest " -"feature print speed in your profile (usually its the sparse or solid " -"infill). Then run them for the same speeds for the slowest and fastest print " +"feature print speed in your profile (usually its the sparse or solid infill). " +"Then run them for the same speeds for the slowest and fastest print " "accelerations,and no faster than the recommended maximum acceleration as " "given by the klipper input shaper.\n" "2. Take note of the optimal PA value for each volumetric flow speed and " "acceleration. You can find the flow number by selecting flow from the color " "scheme drop down and move the horizontal slider over the PA pattern lines. " "The number should be visible at the bottom of the page. The ideal PA value " -"should be decreasing the higher the volumetric flow is. If it is not, " -"confirm that your extruder is functioning correctly.The slower and with less " +"should be decreasing the higher the volumetric flow is. If it is not, confirm " +"that your extruder is functioning correctly.The slower and with less " "acceleration you print, the larger the range of acceptable PA values. If no " "difference is visible, use the PA value from the faster test.3. Enter the " "triplets of PA values, Flow and Accelerations in the text box here and save " "your filament profile\n" "\n" msgstr "" -"Basınç ilerlemesi (basınç) değerlerinin setlerini, hacimsel akış hızlarını " -"ve ölçüldükleri ivmeleri virgülle ayırarak ekleyin. Satır başına bir değer " +"Basınç ilerlemesi (basınç) değerlerinin setlerini, hacimsel akış hızlarını ve " +"ölçüldükleri ivmeleri virgülle ayırarak ekleyin. Satır başına bir değer " "kümesi. Örneğin\n" "0.04,3.96,3000\n" "0,033,3,96,10000\n" @@ -10891,18 +10938,18 @@ msgstr "" "olursa o kadar azalmalıdır. Değilse, ekstruderinizin doğru şekilde " "çalıştığını doğrulayın. Ne kadar yavaş ve daha az ivmeyle yazdırırsanız, " "kabul edilebilir PA değerleri aralığı o kadar geniş olur. Hiçbir fark " -"görünmüyorsa, daha hızlı olan testteki PA değerini kullanın.3. Buradaki " -"metin kutusuna PA değerleri, Akış ve Hızlanma üçlüsünü girin ve filament " +"görünmüyorsa, daha hızlı olan testteki PA değerini kullanın.3. Buradaki metin " +"kutusuna PA değerleri, Akış ve Hızlanma üçlüsünü girin ve filament " "profilinizi kaydedin\n" msgid "Enable adaptive pressure advance for overhangs (beta)" msgstr "Çıkıntılar için uyarlanabilir basınç ilerlemesini etkinleştirin (beta)" msgid "" -"Enable adaptive PA for overhangs as well as when flow changes within the " -"same feature. This is an experimental option, as if the PA profile is not " -"set accurately, it will cause uniformity issues on the external surfaces " -"before and after overhangs.\n" +"Enable adaptive PA for overhangs as well as when flow changes within the same " +"feature. This is an experimental option, as if the PA profile is not set " +"accurately, it will cause uniformity issues on the external surfaces before " +"and after overhangs.\n" msgstr "" "Aynı özellik içinde akış değiştiğinde ve çıkıntılar için uyarlanabilir PA’yı " "etkinleştirin. Bu deneysel bir seçenektir, sanki basınç profili doğru " @@ -10915,10 +10962,10 @@ msgstr "Köprüler için basınç ilerlemesi" msgid "" "Pressure advance value for bridges. Set to 0 to disable. \n" "\n" -" A lower PA value when printing bridges helps reduce the appearance of " -"slight under extrusion immediately after bridges. This is caused by the " -"pressure drop in the nozzle when printing in the air and a lower PA helps " -"counteract this." +" A lower PA value when printing bridges helps reduce the appearance of slight " +"under extrusion immediately after bridges. This is caused by the pressure " +"drop in the nozzle when printing in the air and a lower PA helps counteract " +"this." msgstr "" "Köprüler için basınç ilerleme değeri. Devre dışı bırakmak için 0’a " "ayarlayın. \n" @@ -10929,8 +10976,8 @@ msgstr "" "basınç, bunu önlemeye yardımcı olur." msgid "" -"Default line width if other line widths are set to 0. If expressed as a %, " -"it will be computed over the nozzle diameter." +"Default line width if other line widths are set to 0. If expressed as a %, it " +"will be computed over the nozzle diameter." msgstr "" "Diğer çizgi genişlikleri 0'a ayarlanmışsa varsayılan çizgi genişliği. % " "olarak ifade edilirse nozul çapı üzerinden hesaplanacaktır." @@ -10939,8 +10986,8 @@ msgid "Keep fan always on" msgstr "Fanı her zaman açık tut" msgid "" -"If enable this setting, part cooling fan will never be stoped and will run " -"at least at minimum speed to reduce the frequency of starting and stoping" +"If enable this setting, part cooling fan will never be stoped and will run at " +"least at minimum speed to reduce the frequency of starting and stoping" msgstr "" "Bu ayarı etkinleştirirseniz, parça soğutma fanı hiçbir zaman durdurulmayacak " "ve başlatma ve durdurma sıklığını azaltmak için en azından minimum hızda " @@ -11026,24 +11073,35 @@ msgid "" "single-extruder multi-material machines. For tool changers or multi-tool " "machines, it's typically 0. For statistics only" msgstr "" +"Filamenti değiştirdiğinizde yeni filament yükleme zamanı. Genellikle tek " +"ekstruderli çok malzemeli makineler için geçerlidir. Araç değiştiriciler veya " +"çok takımlı makineler için bu değer genellikle 0’dır. Yalnızca istatistikler " +"için." msgid "Filament unload time" msgstr "Filament boşaltma süresi" msgid "" -"Time to unload old filament when switch filament. It's usually applicable " -"for single-extruder multi-material machines. For tool changers or multi-tool " +"Time to unload old filament when switch filament. It's usually applicable for " +"single-extruder multi-material machines. For tool changers or multi-tool " "machines, it's typically 0. For statistics only" msgstr "" +"Filamenti değiştirdiğinizde eski filamenti boşaltma zamanı. Genellikle tek " +"ekstruderli çok malzemeli makineler için geçerlidir. Araç değiştiriciler veya " +"çok takımlı makineler için bu değer genellikle 0’dır. Yalnızca istatistikler " +"için." msgid "Tool change time" -msgstr "" +msgstr "Takım değiştirme süresi" msgid "" "Time taken to switch tools. It's usually applicable for tool changers or " "multi-tool machines. For single-extruder multi-material machines, it's " "typically 0. For statistics only" msgstr "" +"Araç değiştirmek için harcanan zaman. Genellikle araç değiştiriciler veya çok " +"araçlı makineler için geçerlidir. Tek ekstruderli çok malzemeli makineler " +"için bu değer genellikle 0’dır. Yalnızca istatistikler için." msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11083,11 +11141,11 @@ msgid "" "Be sure to allow enough space between objects, as this compensation is done " "after the checks." msgstr "" -"Filamentin soğuduktan sonra alacağı büzülme yüzdesini girin (100 mm yerine " -"94 mm ölçerseniz 94%). Parça, telafi etmek için xy'de ölçeklendirilecektir. " +"Filamentin soğuduktan sonra alacağı büzülme yüzdesini girin (100 mm yerine 94 " +"mm ölçerseniz 94%). Parça, telafi etmek için xy'de ölçeklendirilecektir. " "Yalnızca çevre için kullanılan filament dikkate alınır.\n" -"Bu telafi kontrollerden sonra yapıldığından, nesneler arasında yeterli " -"boşluk bıraktığınızdan emin olun." +"Bu telafi kontrollerden sonra yapıldığından, nesneler arasında yeterli boşluk " +"bıraktığınızdan emin olun." msgid "Loading speed" msgstr "Yükleme hızı" @@ -11138,8 +11196,8 @@ msgid "" "Filament is cooled by being moved back and forth in the cooling tubes. " "Specify desired number of these moves." msgstr "" -"Filament, soğutma tüpleri içinde ileri geri hareket ettirilerek soğutulur. " -"Bu sayısını belirtin." +"Filament, soğutma tüpleri içinde ileri geri hareket ettirilerek soğutulur. Bu " +"sayısını belirtin." msgid "Stamping loading speed" msgstr "Damgalama yükleme hızı" @@ -11152,8 +11210,8 @@ msgstr "Soğutma tüpünün merkezinden ölçülen damgalama mesafesi" msgid "" "If set to nonzero value, filament is moved toward the nozzle between the " -"individual cooling moves (\"stamping\"). This option configures how long " -"this movement should be before the filament is retracted again." +"individual cooling moves (\"stamping\"). This option configures how long this " +"movement should be before the filament is retracted again." msgstr "" "Sıfırdan farklı bir değere ayarlanırsa filaman bireysel soğutma hareketleri " "arasında (“damgalama”) nüzule doğru hareket ettirilir. Bu seçenek, filamanın " @@ -11172,9 +11230,9 @@ msgstr "Silme kulesi üzerinde minimum boşaltım" msgid "" "After a tool change, the exact position of the newly loaded filament inside " "the nozzle may not be known, and the filament pressure is likely not yet " -"stable. Before purging the print head into an infill or a sacrificial " -"object, Orca Slicer will always prime this amount of material into the wipe " -"tower to produce successive infill or sacrificial object extrusions reliably." +"stable. Before purging the print head into an infill or a sacrificial object, " +"Orca Slicer will always prime this amount of material into the wipe tower to " +"produce successive infill or sacrificial object extrusions reliably." msgstr "" "Bir takım değişiminden sonra, yeni yüklenen filamentin nozul içindeki kesin " "konumu bilinmeyebilir ve filament basıncı muhtemelen henüz stabil değildir. " @@ -11241,8 +11299,7 @@ msgstr "Filament malzeme türü" msgid "Soluble material" msgstr "Çözünür malzeme" -msgid "" -"Soluble material is commonly used to print support and support interface" +msgid "Soluble material is commonly used to print support and support interface" msgstr "" "Çözünür malzeme genellikle destek ve destek arayüzünü yazdırmak için " "kullanılır" @@ -11250,8 +11307,7 @@ msgstr "" msgid "Support material" msgstr "Destek malzemesi" -msgid "" -"Support material is commonly used to print support and support interface" +msgid "Support material is commonly used to print support and support interface" msgstr "" "Destek malzemesi yaygın olarak destek ve destek arayüzünü yazdırmak için " "kullanılır" @@ -11299,8 +11355,8 @@ msgid "Solid infill direction" msgstr "Katı dolgu yönü" msgid "" -"Angle for solid infill pattern, which controls the start or main direction " -"of line" +"Angle for solid infill pattern, which controls the start or main direction of " +"line" msgstr "" "Hattın başlangıcını veya ana yönünü kontrol eden katı dolgu deseni açısı" @@ -11318,8 +11374,8 @@ msgid "" "Density of internal sparse infill, 100% turns all sparse infill into solid " "infill and internal solid infill pattern will be used" msgstr "" -"İç seyrek dolgunun yoğunluğu, %100 tüm seyrek dolguyu katı dolguya " -"dönüştürür ve iç katı dolgu modeli kullanılacaktır" +"İç seyrek dolgunun yoğunluğu, %100 tüm seyrek dolguyu katı dolguya dönüştürür " +"ve iç katı dolgu modeli kullanılacaktır" msgid "Sparse infill pattern" msgstr "Dolgu deseni" @@ -11367,23 +11423,22 @@ msgid "" "Connect an infill line to an internal perimeter with a short segment of an " "additional perimeter. If expressed as percentage (example: 15%) it is " "calculated over infill extrusion width. Orca Slicer tries to connect two " -"close infill lines to a short perimeter segment. If no such perimeter " -"segment shorter than infill_anchor_max is found, the infill line is " -"connected to a perimeter segment at just one side and the length of the " -"perimeter segment taken is limited to this parameter, but no longer than " -"anchor_length_max. \n" +"close infill lines to a short perimeter segment. If no such perimeter segment " +"shorter than infill_anchor_max is found, the infill line is connected to a " +"perimeter segment at just one side and the length of the perimeter segment " +"taken is limited to this parameter, but no longer than anchor_length_max. \n" "Set this parameter to zero to disable anchoring perimeters connected to a " "single infill line." msgstr "" "Bir dolgu hattını, ek bir çevrenin kısa bir bölümü ile bir iç çevreye " -"bağlayın. Yüzde olarak ifade edilirse (örnek: %15) dolgu ekstrüzyon " -"genişliği üzerinden hesaplanır. Orca Slicer iki yakın dolgu hattını kısa bir " -"çevre segmentine bağlamaya çalışıyor. infill_anchor_max'tan daha kısa böyle " -"bir çevre segmenti bulunamazsa, dolgu hattı yalnızca bir taraftaki bir çevre " +"bağlayın. Yüzde olarak ifade edilirse (örnek: %15) dolgu ekstrüzyon genişliği " +"üzerinden hesaplanır. Orca Slicer iki yakın dolgu hattını kısa bir çevre " +"segmentine bağlamaya çalışıyor. infill_anchor_max'tan daha kısa böyle bir " +"çevre segmenti bulunamazsa, dolgu hattı yalnızca bir taraftaki bir çevre " "segmentine bağlanır ve alınan çevre segmentinin uzunluğu bu parametreyle " "sınırlıdır, ancak çapa_uzunluk_max'tan uzun olamaz.\n" -"Tek bir dolgu hattına bağlı sabitleme çevrelerini devre dışı bırakmak için " -"bu parametreyi sıfıra ayarlayın." +"Tek bir dolgu hattına bağlı sabitleme çevrelerini devre dışı bırakmak için bu " +"parametreyi sıfıra ayarlayın." msgid "0 (no open anchors)" msgstr "0 (açık bağlantı yok)" @@ -11398,23 +11453,22 @@ msgid "" "Connect an infill line to an internal perimeter with a short segment of an " "additional perimeter. If expressed as percentage (example: 15%) it is " "calculated over infill extrusion width. Orca Slicer tries to connect two " -"close infill lines to a short perimeter segment. If no such perimeter " -"segment shorter than this parameter is found, the infill line is connected " -"to a perimeter segment at just one side and the length of the perimeter " -"segment taken is limited to infill_anchor, but no longer than this " -"parameter. \n" +"close infill lines to a short perimeter segment. If no such perimeter segment " +"shorter than this parameter is found, the infill line is connected to a " +"perimeter segment at just one side and the length of the perimeter segment " +"taken is limited to infill_anchor, but no longer than this parameter. \n" "If set to 0, the old algorithm for infill connection will be used, it should " "create the same result as with 1000 & 0." msgstr "" "Bir dolgu hattını, ek bir çevrenin kısa bir bölümü ile bir iç çevreye " -"bağlayın. Yüzde olarak ifade edilirse (örnek: %15) dolgu ekstrüzyon " -"genişliği üzerinden hesaplanır. Orca Slicer iki yakın dolgu hattını kısa bir " -"çevre segmentine bağlamaya çalışıyor. Bu parametreden daha kısa bir çevre " -"segmenti bulunamazsa, dolgu hattı sadece bir kenardaki bir çevre segmentine " -"bağlanır ve alınan çevre segmentinin uzunluğu infill_anchor ile sınırlıdır " -"ancak bu parametreden daha uzun olamaz.\n" -"0'a ayarlanırsa dolgu bağlantısı için eski algoritma kullanılacaktır; 1000 " -"ve 0 ile aynı sonucu oluşturmalıdır." +"bağlayın. Yüzde olarak ifade edilirse (örnek: %15) dolgu ekstrüzyon genişliği " +"üzerinden hesaplanır. Orca Slicer iki yakın dolgu hattını kısa bir çevre " +"segmentine bağlamaya çalışıyor. Bu parametreden daha kısa bir çevre segmenti " +"bulunamazsa, dolgu hattı sadece bir kenardaki bir çevre segmentine bağlanır " +"ve alınan çevre segmentinin uzunluğu infill_anchor ile sınırlıdır ancak bu " +"parametreden daha uzun olamaz.\n" +"0'a ayarlanırsa dolgu bağlantısı için eski algoritma kullanılacaktır; 1000 ve " +"0 ile aynı sonucu oluşturmalıdır." msgid "0 (Simple connect)" msgstr "0 (Basit bağlantı)" @@ -11432,8 +11486,8 @@ msgid "" "Acceleration of top surface infill. Using a lower value may improve top " "surface quality" msgstr "" -"Üst yüzey dolgusunun hızlandırılması. Daha düşük bir değerin kullanılması " -"üst yüzey kalitesini iyileştirebilir" +"Üst yüzey dolgusunun hızlandırılması. Daha düşük bir değerin kullanılması üst " +"yüzey kalitesini iyileştirebilir" msgid "Acceleration of outer wall. Using a lower value can improve quality" msgstr "" @@ -11443,8 +11497,8 @@ msgid "" "Acceleration of bridges. If the value is expressed as a percentage (e.g. " "50%), it will be calculated based on the outer wall acceleration." msgstr "" -"Köprülerin hızlandırılması. Değer yüzde olarak ifade edilirse (örn. %50), " -"dış duvar ivmesine göre hesaplanacaktır." +"Köprülerin hızlandırılması. Değer yüzde olarak ifade edilirse (örn. %50), dış " +"duvar ivmesine göre hesaplanacaktır." msgid "mm/s² or %" msgstr "mm/s² veya %" @@ -11481,8 +11535,7 @@ msgid "accel_to_decel" msgstr "Accel_to_decel" #, c-format, boost-format -msgid "" -"Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" +msgid "Klipper's max_accel_to_decel will be adjusted to this %% of acceleration" msgstr "" "Klipper'ın max_accel_to_decel değeri ivmenin bu %%'sine göre ayarlanacak" @@ -11515,8 +11568,8 @@ msgid "Initial layer height" msgstr "Başlangıç katman yüksekliği" msgid "" -"Height of initial layer. Making initial layer height to be thick slightly " -"can improve build plate adhesion" +"Height of initial layer. Making initial layer height to be thick slightly can " +"improve build plate adhesion" msgstr "" "İlk katmanın yüksekliği. İlk katman yüksekliğini biraz kalın yapmak, baskı " "plakasının yapışmasını iyileştirebilir" @@ -11564,10 +11617,9 @@ msgid "" msgstr "" "Fan hızı, \"close_fan_the_first_x_layers\" katmanında sıfırdan " "\"ful_fan_speed_layer\" katmanında maksimuma doğrusal olarak artırılacaktır. " -"\"full_fan_speed_layer\", \"close_fan_the_first_x_layers\" değerinden " -"düşükse göz ardı edilecektir; bu durumda fan, " -"\"close_fan_the_first_x_layers\" + 1 katmanında izin verilen maksimum hızda " -"çalışacaktır." +"\"full_fan_speed_layer\", \"close_fan_the_first_x_layers\" değerinden düşükse " +"göz ardı edilecektir; bu durumda fan, \"close_fan_the_first_x_layers\" + 1 " +"katmanında izin verilen maksimum hızda çalışacaktır." msgid "layer" msgstr "katman" @@ -11638,6 +11690,9 @@ msgid "" "(in mm). This setting applies to top, bottom and solid infill and, if using " "the classic perimeter generator, to wall gap fill. " msgstr "" +"Belirtilen eşikten (mm cinsinden) daha küçük bir uzunluğa sahip boşluk " +"dolgusunu yazdırmayın. Bu ayar üst, alt ve katı dolgu için ve klasik çevre " +"oluşturucu kullanılıyorsa duvar boşluğu dolgusu için geçerlidir." msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " @@ -11666,11 +11721,11 @@ msgid "" "Enable this to get a G-code file which has G2 and G3 moves. The fitting " "tolerance is same as the resolution. \n" "\n" -"Note: For klipper machines, this option is recomended to be disabled. " -"Klipper does not benefit from arc commands as these are split again into " -"line segments by the firmware. This results in a reduction in surface " -"quality as line segments are converted to arcs by the slicer and then back " -"to line segments by the firmware." +"Note: For klipper machines, this option is recomended to be disabled. Klipper " +"does not benefit from arc commands as these are split again into line " +"segments by the firmware. This results in a reduction in surface quality as " +"line segments are converted to arcs by the slicer and then back to line " +"segments by the firmware." msgstr "" "G2 ve G3 hareketlerine sahip bir G kodu dosyası elde etmek için bunu " "etkinleştirin. Montaj toleransı çözünürlükle aynıdır. \n" @@ -11707,8 +11762,8 @@ msgid "" "The metallic material of nozzle. This determines the abrasive resistance of " "nozzle, and what kind of filament can be printed" msgstr "" -"Nozulnin metalik malzemesi. Bu, nozulun aşınma direncini ve ne tür " -"filamentin basılabileceğini belirler" +"Nozulnin metalik malzemesi. Bu, nozulun aşınma direncini ve ne tür filamentin " +"basılabileceğini belirler" msgid "Undefine" msgstr "Tanımsız" @@ -11760,8 +11815,8 @@ msgid "Best auto arranging position in range [0,1] w.r.t. bed shape." msgstr "Yatak şekline göre [0,1] aralığında en iyi otomatik düzenleme konumu." msgid "" -"Enable this option if machine has auxiliary part cooling fan. G-code " -"command: M106 P2 S(0-255)." +"Enable this option if machine has auxiliary part cooling fan. G-code command: " +"M106 P2 S(0-255)." msgstr "" "Makinede yardımcı parça soğutma fanı varsa bu seçeneği etkinleştirin. G-code " "komut: M106 P2 S(0-255)." @@ -11804,8 +11859,8 @@ msgid "" msgstr "" "Soğutma fanını başlatmak için hedef hıza düşmeden önce bu süre boyunca " "maksimum fan hızı komutunu verin.\n" -"Bu, düşük PWM/gücün fanın durma noktasından dönmeye başlaması veya fanın " -"daha hızlı hızlanması için yetersiz olabileceği fanlar için kullanışlıdır.\n" +"Bu, düşük PWM/gücün fanın durma noktasından dönmeye başlaması veya fanın daha " +"hızlı hızlanması için yetersiz olabileceği fanlar için kullanışlıdır.\n" "Devre dışı bırakmak için 0'a ayarlayın." msgid "Time cost" @@ -11851,8 +11906,7 @@ msgid "Pellet Modded Printer" msgstr "Pelet Modlu Yazıcı" msgid "Enable this option if your printer uses pellets instead of filaments" -msgstr "" -"Yazıcınız filament yerine pellet kullanıyorsa bu seçeneği etkinleştirin" +msgstr "Yazıcınız filament yerine pellet kullanıyorsa bu seçeneği etkinleştirin" msgid "Support multi bed types" msgstr "Çoklu tabla" @@ -11866,21 +11920,20 @@ msgstr "Nesneleri etiketle" msgid "" "Enable this to add comments into the G-Code labeling print moves with what " -"object they belong to, which is useful for the Octoprint CancelObject " -"plugin. This settings is NOT compatible with Single Extruder Multi Material " -"setup and Wipe into Object / Wipe into Infill." +"object they belong to, which is useful for the Octoprint CancelObject plugin. " +"This settings is NOT compatible with Single Extruder Multi Material setup and " +"Wipe into Object / Wipe into Infill." msgstr "" "G-Code etiketleme yazdırma hareketlerine ait oldukları nesneyle ilgili " "yorumlar eklemek için bunu etkinleştirin; bu, Octoprint CancelObject " -"eklentisi için kullanışlıdır. Bu ayarlar Tek Ekstruder Çoklu Malzeme " -"kurulumu ve Nesneye Temizleme / Dolguya Temizleme ile uyumlu DEĞİLDİR." +"eklentisi için kullanışlıdır. Bu ayarlar Tek Ekstruder Çoklu Malzeme kurulumu " +"ve Nesneye Temizleme / Dolguya Temizleme ile uyumlu DEĞİLDİR." msgid "Exclude objects" msgstr "Nesneleri hariç tut" msgid "Enable this option to add EXCLUDE OBJECT command in g-code" -msgstr "" -"G koduna EXCLUDE OBJECT komutunu eklemek için bu seçeneği etkinleştirin" +msgstr "G koduna EXCLUDE OBJECT komutunu eklemek için bu seçeneği etkinleştirin" msgid "Verbose G-code" msgstr "Ayrıntılı G kodu" @@ -11920,10 +11973,10 @@ msgstr "Dolgu/Duvar örtüşmesi" #, no-c-format, no-boost-format msgid "" -"Infill area is enlarged slightly to overlap with wall for better bonding. " -"The percentage value is relative to line width of sparse infill. Set this " -"value to ~10-15% to minimize potential over extrusion and accumulation of " -"material resulting in rough top surfaces." +"Infill area is enlarged slightly to overlap with wall for better bonding. The " +"percentage value is relative to line width of sparse infill. Set this value " +"to ~10-15% to minimize potential over extrusion and accumulation of material " +"resulting in rough top surfaces." msgstr "" "Daha iyi yapışma için dolgu alanı duvarla örtüşecek şekilde hafifçe " "genişletilir. Yüzde değeri seyrek dolgunun çizgi genişliğine göredir. Aşırı " @@ -11936,8 +11989,8 @@ msgstr "Üst/Alt katı dolgu/Duvar örtüşmesi" #, no-c-format, no-boost-format msgid "" "Top solid infill area is enlarged slightly to overlap with wall for better " -"bonding and to minimize the appearance of pinholes where the top infill " -"meets the walls. A value of 25-30% is a good starting point, minimising the " +"bonding and to minimize the appearance of pinholes where the top infill meets " +"the walls. A value of 25-30% is a good starting point, minimising the " "appearance of pinholes. The percentage value is relative to line width of " "sparse infill" msgstr "" @@ -11955,12 +12008,12 @@ msgstr "Arayüz kabukları" msgid "" "Force the generation of solid shells between adjacent materials/volumes. " -"Useful for multi-extruder prints with translucent materials or manual " -"soluble support material" +"Useful for multi-extruder prints with translucent materials or manual soluble " +"support material" msgstr "" "Bitişik malzemeler/hacimler arasında katı kabuk oluşumunu zorlayın. Yarı " -"saydam malzemelerle veya elle çözülebilen destek malzemesiyle çoklu " -"ekstruder baskıları için kullanışlıdır" +"saydam malzemelerle veya elle çözülebilen destek malzemesiyle çoklu ekstruder " +"baskıları için kullanışlıdır" msgid "Maximum width of a segmented region" msgstr "Bölümlere ayrılmış bir bölgenin maksimum genişliği" @@ -11982,8 +12035,7 @@ msgstr "" "Bölümlere ayrılmış bir bölgenin birbirine kenetlenen derinliği. " "“mmu_segmented_region_max_width” sıfırsa veya " "“mmu_segmented_region_interlocking_length”, “mmu_segmented_region_max_width” " -"değerinden büyükse göz ardı edilecektir. Sıfır bu özelliği devre dışı " -"bırakır." +"değerinden büyükse göz ardı edilecektir. Sıfır bu özelliği devre dışı bırakır." msgid "Use beam interlocking" msgstr "Işın kilitlemeyi kullanın" @@ -12027,8 +12079,7 @@ msgid "" "structure, measured in cells. Too few cells will result in poor adhesion." msgstr "" "Hücrelerde ölçülen, birbirine kenetlenen yapıyı oluşturmak için filamentler " -"arasındaki sınırdan mesafe. Çok az hücre yapışmanın zayıf olmasına neden " -"olur." +"arasındaki sınırdan mesafe. Çok az hücre yapışmanın zayıf olmasına neden olur." msgid "Interlocking boundary avoidance" msgstr "Birbirine kenetlenen sınırdan kaçınma" @@ -12129,8 +12180,8 @@ msgstr "" "G kodu tadı Klipper olarak ayarlandığında bu seçenek göz ardı edilecektir." msgid "" -"This G-code will be used as a code for the pause print. User can insert " -"pause G-code in gcode viewer" +"This G-code will be used as a code for the pause print. User can insert pause " +"G-code in gcode viewer" msgstr "" "Bu G kodu duraklatma yazdırması için bir kod olarak kullanılacaktır. " "Kullanıcı gcode görüntüleyiciye duraklatma G kodunu ekleyebilir" @@ -12261,8 +12312,8 @@ msgid "Maximum acceleration for travel (M204 T), it only applies to Marlin 2" msgstr "Seyahat için maksimum ivme (M204 T), yalnızca Marlin 2 için geçerlidir" msgid "" -"Part cooling fan speed may be increased when auto cooling is enabled. This " -"is the maximum speed limitation of part cooling fan" +"Part cooling fan speed may be increased when auto cooling is enabled. This is " +"the maximum speed limitation of part cooling fan" msgstr "" "Otomatik soğutma etkinleştirildiğinde parça soğutma fanı hızı artırılabilir. " "Bu, parça soğutma fanının maksimum hız sınırlamasıdır" @@ -12282,8 +12333,8 @@ msgid "Extrusion rate smoothing" msgstr "Ekstrüzyon hızını yumuşatma" msgid "" -"This parameter smooths out sudden extrusion rate changes that happen when " -"the printer transitions from printing a high flow (high speed/larger width) " +"This parameter smooths out sudden extrusion rate changes that happen when the " +"printer transitions from printing a high flow (high speed/larger width) " "extrusion to a lower flow (lower speed/smaller width) extrusion and vice " "versa.\n" "\n" @@ -12294,12 +12345,11 @@ msgid "" "A value of 0 disables the feature. \n" "\n" "For a high speed, high flow direct drive printer (like the Bambu lab or " -"Voron) this value is usually not needed. However it can provide some " -"marginal benefit in certain cases where feature speeds vary greatly. For " -"example, when there are aggressive slowdowns due to overhangs. In these " -"cases a high value of around 300-350mm3/s2 is recommended as this allows for " -"just enough smoothing to assist pressure advance achieve a smoother flow " -"transition.\n" +"Voron) this value is usually not needed. However it can provide some marginal " +"benefit in certain cases where feature speeds vary greatly. For example, when " +"there are aggressive slowdowns due to overhangs. In these cases a high value " +"of around 300-350mm3/s2 is recommended as this allows for just enough " +"smoothing to assist pressure advance achieve a smoother flow transition.\n" "\n" "For slower printers without pressure advance, the value should be set much " "lower. A value of 10-15mm3/s2 is a good starting point for direct drive " @@ -12321,13 +12371,13 @@ msgstr "" "\n" "0 değeri özelliği devre dışı bırakır. \n" "\n" -"Yüksek hızlı, yüksek akışlı doğrudan tahrikli bir yazıcı için (Bambu lab " -"veya Voron gibi) bu değer genellikle gerekli değildir. Ancak özellik " -"hızlarının büyük ölçüde değiştiği bazı durumlarda marjinal bir fayda " -"sağlayabilir. Örneğin, çıkıntılar nedeniyle agresif yavaşlamalar olduğunda. " -"Bu durumlarda 300-350mm3/s2 civarında yüksek bir değer önerilir çünkü bu, " -"basınç ilerlemesinin daha yumuşak bir akış geçişi elde etmesine yardımcı " -"olmak için yeterli yumuşatmaya izin verir.\n" +"Yüksek hızlı, yüksek akışlı doğrudan tahrikli bir yazıcı için (Bambu lab veya " +"Voron gibi) bu değer genellikle gerekli değildir. Ancak özellik hızlarının " +"büyük ölçüde değiştiği bazı durumlarda marjinal bir fayda sağlayabilir. " +"Örneğin, çıkıntılar nedeniyle agresif yavaşlamalar olduğunda. Bu durumlarda " +"300-350mm3/s2 civarında yüksek bir değer önerilir çünkü bu, basınç " +"ilerlemesinin daha yumuşak bir akış geçişi elde etmesine yardımcı olmak için " +"yeterli yumuşatmaya izin verir.\n" "\n" "Basınç avansı olmayan daha yavaş yazıcılar için değer çok daha düşük " "ayarlanmalıdır. Doğrudan tahrikli ekstruderler için 10-15mm3/s2 ve Bowden " @@ -12421,8 +12471,8 @@ msgid "" "Orca Slicer can upload G-code files to a printer host. This field must " "contain the kind of the host." msgstr "" -"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. " -"Bu alan ana bilgisayarın türünü içermelidir." +"Orca Slicer, G kodu dosyalarını bir yazıcı ana bilgisayarına yükleyebilir. Bu " +"alan ana bilgisayarın türünü içermelidir." msgid "Nozzle volume" msgstr "Nozul hacmi" @@ -12463,8 +12513,8 @@ msgid "" "Distance of the extruder tip from the position where the filament is parked " "when unloaded. This should match the value in printer firmware." msgstr "" -"Ekstruder ucunun, boşaltıldığında filamentin park edildiği konumdan " -"uzaklığı. Bu ayar yazıcı ürün yazılımındaki değerle eşleşmelidir." +"Ekstruder ucunun, boşaltıldığında filamentin park edildiği konumdan uzaklığı. " +"Bu ayar yazıcı ürün yazılımındaki değerle eşleşmelidir." msgid "Extra loading distance" msgstr "Ekstra yükleme mesafesi" @@ -12491,8 +12541,8 @@ msgstr "Dolguda geri çekmeyi azalt" msgid "" "Don't retract when the travel is in infill area absolutely. That means the " -"oozing can't been seen. This can reduce times of retraction for complex " -"model and save printing time, but make slicing and G-code generating slower" +"oozing can't been seen. This can reduce times of retraction for complex model " +"and save printing time, but make slicing and G-code generating slower" msgstr "" "Hareket kesinlikle dolgu alanına girdiğinde geri çekilmeyin. Bu, sızıntının " "görülemeyeceği anlamına gelir. Bu, karmaşık model için geri çekme sürelerini " @@ -12536,11 +12586,11 @@ msgid "Make overhangs printable - Hole area" msgstr "Yazdırılabilir çıkıntı delik alanı oluşturun" msgid "" -"Maximum area of a hole in the base of the model before it's filled by " -"conical material.A value of 0 will fill all the holes in the model base." +"Maximum area of a hole in the base of the model before it's filled by conical " +"material.A value of 0 will fill all the holes in the model base." msgstr "" -"Modelin tabanındaki bir deliğin, konik malzemeyle doldurulmadan önce " -"maksimum alanı. 0 değeri, model tabanındaki tüm delikleri dolduracaktır." +"Modelin tabanındaki bir deliğin, konik malzemeyle doldurulmadan önce maksimum " +"alanı. 0 değeri, model tabanındaki tüm delikleri dolduracaktır." msgid "mm²" msgstr "mm²" @@ -12550,11 +12600,11 @@ msgstr "Çıkıntılı duvarı algıla" #, c-format, boost-format msgid "" -"Detect the overhang percentage relative to line width and use different " -"speed to print. For 100%% overhang, bridge speed is used." +"Detect the overhang percentage relative to line width and use different speed " +"to print. For 100%% overhang, bridge speed is used." msgstr "" -"Çizgi genişliğine göre çıkıntı yüzdesini tespit edin ve yazdırmak için " -"farklı hızlar kullanın. %%100 çıkıntı için köprü hızı kullanılır." +"Çizgi genişliğine göre çıkıntı yüzdesini tespit edin ve yazdırmak için farklı " +"hızlar kullanın. %%100 çıkıntı için köprü hızı kullanılır." msgid "Filament to print walls" msgstr "Duvarları yazdırmak için filament" @@ -12579,8 +12629,8 @@ msgid "" "This setting adds an extra wall to every other layer. This way the infill " "gets wedged vertically between the walls, resulting in stronger prints. \n" "\n" -"When this option is enabled, the ensure vertical shell thickness option " -"needs to be disabled. \n" +"When this option is enabled, the ensure vertical shell thickness option needs " +"to be disabled. \n" "\n" "Using lightning infill together with this option is not recommended as there " "is limited infill to anchor the extra perimeters to." @@ -12601,11 +12651,10 @@ msgid "" "argument, and they can access the Orca Slicer config settings by reading " "environment variables." msgstr "" -"Çıktı G-kodunu özel komut dosyaları aracılığıyla işlemek istiyorsanız, " -"mutlak yollarını burada listeleyin. Birden fazla betiği noktalı virgülle " -"ayırın. Betiklere ilk argüman olarak G-code dosyasının mutlak yolu aktarılır " -"ve ortam değişkenlerini okuyarak Orca Slicer yapılandırma ayarlarına " -"erişebilirler." +"Çıktı G-kodunu özel komut dosyaları aracılığıyla işlemek istiyorsanız, mutlak " +"yollarını burada listeleyin. Birden fazla betiği noktalı virgülle ayırın. " +"Betiklere ilk argüman olarak G-code dosyasının mutlak yolu aktarılır ve ortam " +"değişkenlerini okuyarak Orca Slicer yapılandırma ayarlarına erişebilirler." msgid "Printer type" msgstr "Yazıcı türü" @@ -12626,8 +12675,7 @@ msgid "Raft contact Z distance" msgstr "Raft kontak Z mesafesi" msgid "Z gap between object and raft. Ignored for soluble interface" -msgstr "" -"Nesne ve raft arasındaki Z boşluğu. Çözünür arayüz için göz ardı edildi" +msgstr "Nesne ve raft arasındaki Z boşluğu. Çözünür arayüz için göz ardı edildi" msgid "Raft expansion" msgstr "Raft genişletme" @@ -12656,8 +12704,8 @@ msgid "" "Object will be raised by this number of support layers. Use this function to " "avoid wrapping when print ABS" msgstr "" -"Nesne bu sayıdaki destek katmanı tarafından yükseltilecektir. ABS " -"yazdırırken sarmayı önlemek için bu işlevi kullanın" +"Nesne bu sayıdaki destek katmanı tarafından yükseltilecektir. ABS yazdırırken " +"sarmayı önlemek için bu işlevi kullanın" msgid "" "G-code path is genereated after simplifing the contour of model to avoid too " @@ -12672,8 +12720,7 @@ msgid "Travel distance threshold" msgstr "Seyahat mesafesi" msgid "" -"Only trigger retraction when the travel distance is longer than this " -"threshold" +"Only trigger retraction when the travel distance is longer than this threshold" msgstr "" "Geri çekmeyi yalnızca hareket mesafesi bu eşikten daha uzun olduğunda " "tetikleyin" @@ -12681,8 +12728,7 @@ msgstr "" msgid "Retract amount before wipe" msgstr "Temizleme işlemi öncesi geri çekme miktarı" -msgid "" -"The length of fast retraction before wipe, relative to retraction length" +msgid "The length of fast retraction before wipe, relative to retraction length" msgstr "" "Geri çekme uzunluğuna göre, temizlemeden önce hızlı geri çekilmenin uzunluğu" @@ -12773,8 +12819,8 @@ msgid "Traveling angle" msgstr "Seyahat açısı" msgid "" -"Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results " -"in Normal Lift" +"Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results in " +"Normal Lift" msgstr "" "Eğim ve Spiral Z atlama tipi için ilerleme açısı. 90°’ye ayarlamak normal " "kaldırmayla sonuçlanır" @@ -12909,13 +12955,13 @@ msgid "Seam gap" msgstr "Dikiş boşluğu" msgid "" -"In order to reduce the visibility of the seam in a closed loop extrusion, " -"the loop is interrupted and shortened by a specified amount.\n" -"This amount can be specified in millimeters or as a percentage of the " -"current extruder diameter. The default value for this parameter is 10%." +"In order to reduce the visibility of the seam in a closed loop extrusion, the " +"loop is interrupted and shortened by a specified amount.\n" +"This amount can be specified in millimeters or as a percentage of the current " +"extruder diameter. The default value for this parameter is 10%." msgstr "" -"Kapalı döngü ekstrüzyonda dikişin görünürlüğünü azaltmak için döngü " -"kesintiye uğrar ve belirli bir miktarda kısaltılır.\n" +"Kapalı döngü ekstrüzyonda dikişin görünürlüğünü azaltmak için döngü kesintiye " +"uğrar ve belirli bir miktarda kısaltılır.\n" "Bu miktar milimetre cinsinden veya mevcut ekstruder çapının yüzdesi olarak " "belirtilebilir. Bu parametrenin varsayılan değeri %10'dur." @@ -12924,8 +12970,8 @@ msgstr "Atkı birleşim dikişi (beta)" msgid "Use scarf joint to minimize seam visibility and increase seam strength." msgstr "" -"Dikiş görünürlüğünü en aza indirmek ve dikiş mukavemetini arttırmak için " -"atkı birleşimini kullanın." +"Dikiş görünürlüğünü en aza indirmek ve dikiş mukavemetini arttırmak için atkı " +"birleşimini kullanın." msgid "Conditional scarf joint" msgstr "Koşullu atkı birleşimi" @@ -12943,9 +12989,9 @@ msgstr "Koşullu açı eşiği" msgid "" "This option sets the threshold angle for applying a conditional scarf joint " "seam.\n" -"If the maximum angle within the perimeter loop exceeds this value " -"(indicating the absence of sharp corners), a scarf joint seam will be used. " -"The default value is 155°." +"If the maximum angle within the perimeter loop exceeds this value (indicating " +"the absence of sharp corners), a scarf joint seam will be used. The default " +"value is 155°." msgstr "" "Bu seçenek, koşullu bir atkı eklem dikişi uygulamak için eşik açısını " "ayarlar.\n" @@ -12960,8 +13006,8 @@ msgstr "Koşullu çıkıntı eşiği" msgid "" "This option determines the overhang threshold for the application of scarf " "joint seams. If the unsupported portion of the perimeter is less than this " -"threshold, scarf joint seams will be applied. The default threshold is set " -"at 40% of the external wall's width. Due to performance considerations, the " +"threshold, scarf joint seams will be applied. The default threshold is set at " +"40% of the external wall's width. Due to performance considerations, the " "degree of overhang is estimated." msgstr "" "Bu seçenek, atkı bağlantı dikişlerinin uygulanması için sarkma eşiğini " @@ -12975,22 +13021,22 @@ msgstr "Atkı birleşim hızı" msgid "" "This option sets the printing speed for scarf joints. It is recommended to " -"print scarf joints at a slow speed (less than 100 mm/s). It's also " -"advisable to enable 'Extrusion rate smoothing' if the set speed varies " -"significantly from the speed of the outer or inner walls. If the speed " -"specified here is higher than the speed of the outer or inner walls, the " -"printer will default to the slower of the two speeds. When specified as a " -"percentage (e.g., 80%), the speed is calculated based on the respective " -"outer or inner wall speed. The default value is set to 100%." +"print scarf joints at a slow speed (less than 100 mm/s). It's also advisable " +"to enable 'Extrusion rate smoothing' if the set speed varies significantly " +"from the speed of the outer or inner walls. If the speed specified here is " +"higher than the speed of the outer or inner walls, the printer will default " +"to the slower of the two speeds. When specified as a percentage (e.g., 80%), " +"the speed is calculated based on the respective outer or inner wall speed. " +"The default value is set to 100%." msgstr "" "Bu seçenek, atkı bağlantılarının yazdırma hızını ayarlar. Atkı " "bağlantılarının yavaş bir hızda (100 mm/s'den az) yazdırılması tavsiye " "edilir. Ayarlanan hızın dış veya iç duvarların hızından önemli ölçüde farklı " -"olması durumunda 'Ekstrüzyon hızı yumuşatma' seçeneğinin etkinleştirilmesi " -"de tavsiye edilir. Burada belirtilen hız, dış veya iç duvarların hızından " -"daha yüksekse, yazıcı varsayılan olarak iki hızdan daha yavaş olanı " -"seçecektir. Yüzde olarak belirtildiğinde (örn. %80), hız, ilgili dış veya iç " -"duvar hızına göre hesaplanır. Varsayılan değer %100 olarak ayarlanmıştır." +"olması durumunda 'Ekstrüzyon hızı yumuşatma' seçeneğinin etkinleştirilmesi de " +"tavsiye edilir. Burada belirtilen hız, dış veya iç duvarların hızından daha " +"yüksekse, yazıcı varsayılan olarak iki hızdan daha yavaş olanı seçecektir. " +"Yüzde olarak belirtildiğinde (örn. %80), hız, ilgili dış veya iç duvar hızına " +"göre hesaplanır. Varsayılan değer %100 olarak ayarlanmıştır." msgid "Scarf joint flow ratio" msgstr "Atkı birleşimi akış oranı" @@ -13004,8 +13050,8 @@ msgstr "Atkı başlangıç ​​yüksekliği" msgid "" "Start height of the scarf.\n" -"This amount can be specified in millimeters or as a percentage of the " -"current layer height. The default value for this parameter is 0." +"This amount can be specified in millimeters or as a percentage of the current " +"layer height. The default value for this parameter is 0." msgstr "" "Atkı başlangıç yüksekliği.\n" "Bu miktar milimetre cinsinden veya geçerli katman yüksekliğinin yüzdesi " @@ -13024,8 +13070,8 @@ msgid "" "Length of the scarf. Setting this parameter to zero effectively disables the " "scarf." msgstr "" -"Atkının uzunluğu. Bu parametrenin 0 a ayarlanması atkıyı dolaylı yoldan " -"devre dışı bırakır." +"Atkının uzunluğu. Bu parametrenin 0 a ayarlanması atkıyı dolaylı yoldan devre " +"dışı bırakır." msgid "Scarf steps" msgstr "Atkı kademesi" @@ -13066,15 +13112,15 @@ msgid "Wipe before external loop" msgstr "Harici döngüden önce silin" msgid "" -"To minimise visibility of potential overextrusion at the start of an " -"external perimeter when printing with Outer/Inner or Inner/Outer/Inner wall " -"print order, the deretraction is performed slightly on the inside from the " -"start of the external perimeter. That way any potential over extrusion is " -"hidden from the outside surface. \n" +"To minimise visibility of potential overextrusion at the start of an external " +"perimeter when printing with Outer/Inner or Inner/Outer/Inner wall print " +"order, the deretraction is performed slightly on the inside from the start of " +"the external perimeter. That way any potential over extrusion is hidden from " +"the outside surface. \n" "\n" -"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall " -"print order as in these modes it is more likely an external perimeter is " -"printed immediately after a deretraction move." +"This is useful when printing with Outer/Inner or Inner/Outer/Inner wall print " +"order as in these modes it is more likely an external perimeter is printed " +"immediately after a deretraction move." msgstr "" "Dış/İç veya İç/Dış/İç duvar baskı sırası ile yazdırırken, dış çevrenin " "başlangıcında olası aşırı çıkıntının görünürlüğünü en aza indirmek için, " @@ -13083,8 +13129,8 @@ msgstr "" "yüzeyden gizlenir. \n" "\n" "Bu, Dış/İç veya İç/Dış/İç duvar yazdırma sırası ile yazdırırken " -"kullanışlıdır, çünkü bu modlarda, bir geri çekilme hareketinin hemen " -"ardından bir dış çevrenin yazdırılması daha olasıdır." +"kullanışlıdır, çünkü bu modlarda, bir geri çekilme hareketinin hemen ardından " +"bir dış çevrenin yazdırılması daha olasıdır." msgid "Wipe speed" msgstr "Temizleme hızı" @@ -13150,8 +13196,7 @@ msgid "Skirt loops" msgstr "Etek sayısı" msgid "Number of loops for the skirt. Zero means disabling skirt" -msgstr "" -"Etek için ilmek sayısı. Sıfır, eteği devre dışı bırakmak anlamına gelir" +msgstr "Etek için ilmek sayısı. Sıfır, eteği devre dışı bırakmak anlamına gelir" msgid "Skirt speed" msgstr "Etek hızı" @@ -13202,8 +13247,8 @@ msgid "Filament to print solid infill" msgstr "Katı dolguyu yazdırmak için filament" msgid "" -"Line width of internal solid infill. If expressed as a %, it will be " -"computed over the nozzle diameter." +"Line width of internal solid infill. If expressed as a %, it will be computed " +"over the nozzle diameter." msgstr "" "İç katı dolgunun çizgi genişliği. % olarak ifade edilirse Nozul çapı " "üzerinden hesaplanacaktır." @@ -13217,8 +13262,8 @@ msgid "" "generated model has no seam" msgstr "" "Spiralleştirme, dış konturun z hareketlerini yumuşatır. Ve katı bir modeli, " -"katı alt katmanlara sahip tek duvarlı bir baskıya dönüştürür. Oluşturulan " -"son modelde dikiş yok." +"katı alt katmanlara sahip tek duvarlı bir baskıya dönüştürür. Oluşturulan son " +"modelde dikiş yok." msgid "Smooth Spiral" msgstr "Pürüzsüz spiral" @@ -13243,12 +13288,11 @@ msgstr "" msgid "" "If smooth or traditional mode is selected, a timelapse video will be " "generated for each print. After each layer is printed, a snapshot is taken " -"with the chamber camera. All of these snapshots are composed into a " -"timelapse video when printing completes. If smooth mode is selected, the " -"toolhead will move to the excess chute after each layer is printed and then " -"take a snapshot. Since the melt filament may leak from the nozzle during the " -"process of taking a snapshot, prime tower is required for smooth mode to " -"wipe nozzle." +"with the chamber camera. All of these snapshots are composed into a timelapse " +"video when printing completes. If smooth mode is selected, the toolhead will " +"move to the excess chute after each layer is printed and then take a " +"snapshot. Since the melt filament may leak from the nozzle during the process " +"of taking a snapshot, prime tower is required for smooth mode to wipe nozzle." msgstr "" "Düzgün veya geleneksel mod seçilirse her baskı için bir hızlandırılmış video " "oluşturulacaktır. Her katman basıldıktan sonra oda kamerasıyla anlık görüntü " @@ -13343,10 +13387,9 @@ msgid "No sparse layers (beta)" msgstr "Seyrek katman yok (beta)" msgid "" -"If enabled, the wipe tower will not be printed on layers with no " -"toolchanges. On layers with a toolchange, extruder will travel downward to " -"print the wipe tower. User is responsible for ensuring there is no collision " -"with the print." +"If enabled, the wipe tower will not be printed on layers with no toolchanges. " +"On layers with a toolchange, extruder will travel downward to print the wipe " +"tower. User is responsible for ensuring there is no collision with the print." msgstr "" "Etkinleştirilirse, silme kulesi araç değişimi olmayan katmanlarda " "yazdırılmayacaktır. Araç değişimi olan katmanlarda, ekstruder silme kulesini " @@ -13371,16 +13414,16 @@ msgid "" "triangle mesh slicing. The gap closing operation may reduce the final print " "resolution, therefore it is advisable to keep the value reasonably low." msgstr "" -"Üçgen mesh dilimleme sırasında 2x boşluk kapatma yarıçapından küçük " -"çatlaklar doldurulmaktadır. Boşluk kapatma işlemi son yazdırma çözünürlüğünü " +"Üçgen mesh dilimleme sırasında 2x boşluk kapatma yarıçapından küçük çatlaklar " +"doldurulmaktadır. Boşluk kapatma işlemi son yazdırma çözünürlüğünü " "düşürebilir, bu nedenle değerin oldukça düşük tutulması tavsiye edilir." msgid "Slicing Mode" msgstr "Dilimleme modu" msgid "" -"Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to " -"close all holes in the model." +"Use \"Even-odd\" for 3DLabPrint airplane models. Use \"Close holes\" to close " +"all holes in the model." msgstr "" "3DLabPrint uçak modelleri için \"Çift-tek\" seçeneğini kullanın. Modeldeki " "tüm delikleri kapatmak için \"Delikleri kapat\"ı kullanın." @@ -13404,10 +13447,9 @@ msgid "" "print bed, set this to -0.3 (or fix your endstop)." msgstr "" "Bu değer, çıkış G-kodu içindeki tüm Z koordinatlarına eklenir (veya " -"çıkarılır).Bu, kötü Z endstop konumunu telafi etmek için kullanılır: " -"örneğin, endstop sıfır noktanız aslında nozulu baskı tablasından 0.3mm " -"uzakta bırakıyorsa, bu değeri -0.3 olarak ayarlayın (veya endstop'unuzu " -"düzeltin)." +"çıkarılır).Bu, kötü Z endstop konumunu telafi etmek için kullanılır: örneğin, " +"endstop sıfır noktanız aslında nozulu baskı tablasından 0.3mm uzakta " +"bırakıyorsa, bu değeri -0.3 olarak ayarlayın (veya endstop'unuzu düzeltin)." msgid "Enable support" msgstr "Desteği etkinleştir" @@ -13461,8 +13503,7 @@ msgid "" "Only create support for critical regions including sharp tail, cantilever, " "etc." msgstr "" -"Yalnızca keskin kuyruk, konsol vb. gibi kritik bölgeler için destek " -"oluşturun." +"Yalnızca keskin kuyruk, konsol vb. gibi kritik bölgeler için destek oluşturun." msgid "Remove small overhangs" msgstr "Küçük çıkıntıları kaldır" @@ -13499,8 +13540,7 @@ msgstr "Taban için arayüz filamentini azaltın" msgid "" "Avoid using support interface filament to print support base if possible." msgstr "" -"Destek tabanını yazdırmak için destek arayüzü filamentini kullanmaktan " -"kaçının" +"Destek tabanını yazdırmak için destek arayüzü filamentini kullanmaktan kaçının" msgid "" "Line width of support. If expressed as a %, it will be computed over the " @@ -13575,8 +13615,8 @@ msgstr "Arayüz deseni" msgid "" "Line pattern of support interface. Default pattern for non-soluble support " -"interface is Rectilinear, while default pattern for soluble support " -"interface is Concentric" +"interface is Rectilinear, while default pattern for soluble support interface " +"is Concentric" msgstr "" "Destek arayüzünün çizgi deseni. Çözünmeyen destek arayüzü için varsayılan " "model Doğrusaldır, çözünebilir destek arayüzü için varsayılan model ise " @@ -13605,12 +13645,11 @@ msgid "" "into a regular grid will create more stable supports (default), while snug " "support towers will save material and reduce object scarring.\n" "For tree support, slim and organic style will merge branches more " -"aggressively and save a lot of material (default organic), while hybrid " -"style will create similar structure to normal support under large flat " -"overhangs." +"aggressively and save a lot of material (default organic), while hybrid style " +"will create similar structure to normal support under large flat overhangs." msgstr "" -"Destek stil ve şekli. Normal destek için, destekleri düzenli bir ızgara " -"içine projelendirmek daha stabil destekler oluşturacaktır (varsayılan), aynı " +"Destek stil ve şekli. Normal destek için, destekleri düzenli bir ızgara içine " +"projelendirmek daha stabil destekler oluşturacaktır (varsayılan), aynı " "zamanda sıkı destek kuleleri malzeme tasarrufu sağlar ve nesne üzerindeki " "izleri azaltır.\n" "Ağaç destek için, ince ve organik tarz, dalları daha etkili bir şekilde " @@ -13659,8 +13698,8 @@ msgid "Tree support branch angle" msgstr "Ağaç desteği dal açısı" msgid "" -"This setting determines the maximum overhang angle that t he branches of " -"tree support allowed to make.If the angle is increased, the branches can be " +"This setting determines the maximum overhang angle that t he branches of tree " +"support allowed to make.If the angle is increased, the branches can be " "printed more horizontally, allowing them to reach farther." msgstr "" "Bu ayar, ağaç desteğinin dallarının oluşmasına izin verilen maksimum çıkıntı " @@ -13692,11 +13731,10 @@ msgstr "Dal Yoğunluğu" #. TRN PrintSettings: "Organic supports" > "Branch Density" msgid "" -"Adjusts the density of the support structure used to generate the tips of " -"the branches. A higher value results in better overhangs but the supports " -"are harder to remove, thus it is recommended to enable top support " -"interfaces instead of a high branch density value if dense interfaces are " -"needed." +"Adjusts the density of the support structure used to generate the tips of the " +"branches. A higher value results in better overhangs but the supports are " +"harder to remove, thus it is recommended to enable top support interfaces " +"instead of a high branch density value if dense interfaces are needed." msgstr "" "Dalların uçlarını oluşturmak için kullanılan destek yapısının yoğunluğunu " "ayarlar. Daha yüksek bir değer daha iyi çıkıntılarla sonuçlanır, ancak " @@ -13708,8 +13746,8 @@ msgid "Adaptive layer height" msgstr "Uyarlanabilir katman yüksekliği" msgid "" -"Enabling this option means the height of tree support layer except the " -"first will be automatically calculated " +"Enabling this option means the height of tree support layer except the first " +"will be automatically calculated " msgstr "" "Bu seçeneğin etkinleştirilmesi, ilki hariç ağaç destek katmanının " "yüksekliğinin otomatik olarak hesaplanacağı anlamına gelir " @@ -13764,8 +13802,8 @@ msgstr "Çift duvarlı dal çapı" #. TRN PrintSettings: "Organic supports" > "Branch Diameter" msgid "" "Branches with area larger than the area of a circle of this diameter will be " -"printed with double walls for stability. Set this value to zero for no " -"double walls." +"printed with double walls for stability. Set this value to zero for no double " +"walls." msgstr "" "Bu çaptaki bir dairenin alanından daha büyük alana sahip dallar, stabilite " "için çift duvarlı olarak basılacaktır. Çift duvar olmaması için bu değeri " @@ -13792,8 +13830,7 @@ msgstr "Sıcaklık kontrolünü etkinleştirin" msgid "" "Enable this option for automated chamber temperature control. This option " -"activates the emitting of an M191 command before the " -"\"machine_start_gcode\"\n" +"activates the emitting of an M191 command before the \"machine_start_gcode\"\n" " which sets the chamber temperature and waits until it is reached. In " "addition, it emits an M141 command at the end of the print to turn off the " "chamber heater, if present. \n" @@ -13802,6 +13839,16 @@ msgid "" "either via macros or natively and is usually used when an active chamber " "heater is installed." msgstr "" +"Otomatik hazne sıcaklığı kontrolü için bu seçeneği etkinleştirin. Bu seçenek, " +"“yazıcı başlangıç kodu”ndan önce bir M191 komutunun yayınlanmasını " +"etkinleştirir\n" +" oda sıcaklığını ayarlar ve bu sıcaklığa ulaşılıncaya kadar bekler. Ayrıca " +"baskı sonunda M141 komutu vererek varsa hazne ısıtıcısının kapatılmasını " +"sağlar. \n" +"\n" +"Bu seçenek, M191 ve M141 komutlarını makrolar aracılığıyla veya yerel olarak " +"destekleyen bellenime dayanır ve genellikle aktif bir oda ısıtıcısı " +"kurulduğunda kullanılır." msgid "Chamber temperature" msgstr "Bölme sıcaklığı" @@ -13820,11 +13867,29 @@ msgid "" "If enabled, this parameter also sets a gcode variable named " "chamber_temperature, which can be used to pass the desired chamber " "temperature to your print start macro, or a heat soak macro like this: " -"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may " -"be useful if your printer does not support M141/M191 commands, or if you " -"desire to handle heat soaking in the print start macro if no active chamber " -"heater is installed." +"PRINT_START (other variables) CHAMBER_TEMP=[chamber_temperature]. This may be " +"useful if your printer does not support M141/M191 commands, or if you desire " +"to handle heat soaking in the print start macro if no active chamber heater " +"is installed." msgstr "" +"ABS, ASA, PC ve PA gibi yüksek sıcaklıktaki malzemeler için daha yüksek bir " +"oda sıcaklığı, bükülmenin bastırılmasına veya azaltılmasına yardımcı olabilir " +"ve potansiyel olarak daha yüksek katmanlar arası bağlanma mukavemetine yol " +"açabilir. Ancak aynı zamanda daha yüksek oda sıcaklığı, ABS ve ASA için hava " +"filtreleme verimliliğini azaltacaktır. \n" +"\n" +"PLA, PETG, TPU, PVA ve diğer düşük sıcaklıktaki malzemeler için, ısı " +"kırılmasında malzemenin yumuşamasından kaynaklanan ekstrüderin tıkanmasını " +"önlemek için oda sıcaklığının düşük olması gerektiğinden bu seçenek devre " +"dışı bırakılmalıdır (0’a ayarlanmalıdır).\n" +"\n" +"Etkinleştirilirse, bu parametre aynı zamanda istenen oda sıcaklığını yazdırma " +"başlatma makronuza veya şuna benzer bir ısı emme makrosuna iletmek için " +"kullanılabilecek Chamber_temperature adlı bir gcode değişkenini de ayarlar: " +"PRINT_START (diğer değişkenler) CHAMBER_TEMP=[chamber_temperature]. Yazıcınız " +"M141/M191 komutlarını desteklemiyorsa veya aktif oda ısıtıcısı takılı değilse " +"yazdırma başlatma makrosunda ısı bekletme işlemini gerçekleştirmek " +"istiyorsanız bu yararlı olabilir." msgid "Nozzle temperature for layers after the initial one" msgstr "İlk katmandan sonraki katmanlar için nozul sıcaklığı" @@ -13881,11 +13946,11 @@ msgid "" "The number of top solid layers is increased when slicing if the thickness " "calculated by top shell layers is thinner than this value. This can avoid " "having too thin shell when layer height is small. 0 means that this setting " -"is disabled and thickness of top shell is absolutely determained by top " -"shell layers" +"is disabled and thickness of top shell is absolutely determained by top shell " +"layers" msgstr "" -"Üst kabuk katmanları tarafından hesaplanan kalınlık bu değerden daha ince " -"ise dilimleme sırasında üst katı katmanların sayısı artırılır. Bu, katman " +"Üst kabuk katmanları tarafından hesaplanan kalınlık bu değerden daha ince ise " +"dilimleme sırasında üst katı katmanların sayısı artırılır. Bu, katman " "yüksekliği küçük olduğunda kabuğun çok ince olmasını önleyebilir. 0, bu " "ayarın devre dışı olduğu ve üst kabuğun kalınlığının kesinlikle üst kabuk " "katmanları tarafından belirlendiği anlamına gelir" @@ -13908,12 +13973,11 @@ msgid "Wipe Distance" msgstr "Temizleme mesafesi" msgid "" -"Discribe how long the nozzle will move along the last path when " -"retracting. \n" +"Discribe how long the nozzle will move along the last path when retracting. \n" "\n" "Depending on how long the wipe operation lasts, how fast and long the " -"extruder/filament retraction settings are, a retraction move may be needed " -"to retract the remaining filament. \n" +"extruder/filament retraction settings are, a retraction move may be needed to " +"retract the remaining filament. \n" "\n" "Setting a value in the retract amount before wipe setting below will perform " "any excess retraction before the wipe, else it will be performed after." @@ -13921,9 +13985,9 @@ msgstr "" "Geri çekilirken nozulun son yol boyunca ne kadar süre hareket edeceğini " "açıklayın. \n" "\n" -"Silme işleminin ne kadar sürdüğüne, ekstruder/filament geri çekme " -"ayarlarının ne kadar hızlı ve uzun olduğuna bağlı olarak, kalan filamanı " -"geri çekmek için bir geri çekme hareketine ihtiyaç duyulabilir. \n" +"Silme işleminin ne kadar sürdüğüne, ekstruder/filament geri çekme ayarlarının " +"ne kadar hızlı ve uzun olduğuna bağlı olarak, kalan filamanı geri çekmek için " +"bir geri çekme hareketine ihtiyaç duyulabilir. \n" "\n" "Aşağıdaki silme ayarından önce geri çekme miktarına bir değer ayarlamak, " "silme işleminden önce aşırı geri çekme işlemini gerçekleştirecektir, aksi " @@ -13973,8 +14037,8 @@ msgid "" "Angle at the apex of the cone that is used to stabilize the wipe tower. " "Larger angle means wider base." msgstr "" -"Silme kulesini stabilize etmek için kullanılan koninin tepe noktasındaki " -"açı. Daha büyük açı daha geniş taban anlamına gelir." +"Silme kulesini stabilize etmek için kullanılan koninin tepe noktasındaki açı. " +"Daha büyük açı daha geniş taban anlamına gelir." msgid "Maximum wipe tower print speed" msgstr "Maksimum silme kulesi yazdırma hızı" @@ -14036,8 +14100,8 @@ msgid "" "volumes below." msgstr "" "Bu vektör, silme kulesinde kullanılan her bir araçtan/araca geçiş için " -"gerekli hacimleri kaydeder. Bu değerler, aşağıdaki tam temizleme " -"hacimlerinin oluşturulmasını basitleştirmek için kullanılır." +"gerekli hacimleri kaydeder. Bu değerler, aşağıdaki tam temizleme hacimlerinin " +"oluşturulmasını basitleştirmek için kullanılır." msgid "" "Purging after filament change will be done inside objects' infills. This may " @@ -14061,13 +14125,13 @@ msgstr "" msgid "" "This object will be used to purge the nozzle after a filament change to save " -"filament and decrease the print time. Colours of the objects will be mixed " -"as a result. It will not take effect, unless the prime tower is enabled." +"filament and decrease the print time. Colours of the objects will be mixed as " +"a result. It will not take effect, unless the prime tower is enabled." msgstr "" -"Bu nesne, filamentten tasarruf etmek ve baskı süresini azaltmak için " -"filament değişiminden sonra nozulu temizlemek için kullanılacaktır. Sonuç " -"olarak nesnelerin renkleri karıştırılacaktır. Prime tower " -"etkinleştirilmediği sürece etkili olmayacaktır." +"Bu nesne, filamentten tasarruf etmek ve baskı süresini azaltmak için filament " +"değişiminden sonra nozulu temizlemek için kullanılacaktır. Sonuç olarak " +"nesnelerin renkleri karıştırılacaktır. Prime tower etkinleştirilmediği sürece " +"etkili olmayacaktır." msgid "Maximal bridging distance" msgstr "Maksimum köprüleme mesafesi" @@ -14076,8 +14140,8 @@ msgid "Maximal distance between supports on sparse infill sections." msgstr "" "Bu nesne, filamentten tasarruf etmek ve baskı süresini azaltmak için bir " "filament değişiminden sonra nozulu temizlemek için kullanılacaktır. Sonuç " -"olarak nesnelerin renkleri karıştırılacaktır. Prime tower " -"etkinleştirilmediği sürece etkili olmayacaktır." +"olarak nesnelerin renkleri karıştırılacaktır. Prime tower etkinleştirilmediği " +"sürece etkili olmayacaktır." msgid "Wipe tower purge lines spacing" msgstr "Silme kulesi temizleme hatları aralığı" @@ -14090,8 +14154,8 @@ msgstr "Temizleme için ekstra akış" msgid "" "Extra flow used for the purging lines on the wipe tower. This makes the " -"purging lines thicker or narrower than they normally would be. The spacing " -"is adjusted automatically." +"purging lines thicker or narrower than they normally would be. The spacing is " +"adjusted automatically." msgstr "" "Silme kulesindeki temizleme hatları için ekstra akış kullanılır. Bu, " "temizleme hatlarının normalde olduğundan daha kalın veya daha dar olmasına " @@ -14132,8 +14196,8 @@ msgid "" "assembling issue" msgstr "" "Nesnenin konturu XY düzleminde yapılandırılan değer kadar büyütülür veya " -"küçültülür. Pozitif değer konturu büyütür. Negatif değer konturu küçültür. " -"Bu fonksiyon, nesnenin montaj sorunu olduğunda boyutu hafifçe ayarlamak için " +"küçültülür. Pozitif değer konturu büyütür. Negatif değer konturu küçültür. Bu " +"fonksiyon, nesnenin montaj sorunu olduğunda boyutu hafifçe ayarlamak için " "kullanılır" msgid "Convert holes to polyholes" @@ -14157,14 +14221,14 @@ msgstr "Çokgen delik tespiti marjı" msgid "" "Maximum defection of a point to the estimated radius of the circle.\n" "As cylinders are often exported as triangles of varying size, points may not " -"be on the circle circumference. This setting allows you some leway to " -"broaden the detection.\n" +"be on the circle circumference. This setting allows you some leway to broaden " +"the detection.\n" "In mm or in % of the radius." msgstr "" "Bir noktanın dairenin tahmini yarıçapına göre maksimum sapması.\n" "Silindirler genellikle farklı boyutlarda üçgenler olarak ihraç edildiğinden, " -"noktalar daire çevresinde olmayabilir. Bu ayar, algılamayı genişletmeniz " -"için size biraz alan sağlar.\n" +"noktalar daire çevresinde olmayabilir. Bu ayar, algılamayı genişletmeniz için " +"size biraz alan sağlar.\n" "inc mm cinsinden veya yarıçapın %'si cinsinden." msgid "Polyhole twist" @@ -14187,8 +14251,8 @@ msgid "Format of G-code thumbnails" msgstr "G kodu küçük resimlerinin formatı" msgid "" -"Format of G-code thumbnails: PNG for best quality, JPG for smallest size, " -"QOI for low memory firmware" +"Format of G-code thumbnails: PNG for best quality, JPG for smallest size, QOI " +"for low memory firmware" msgstr "" "G kodu küçük resimlerinin formatı: En iyi kalite için PNG, en küçük boyut " "için JPG, düşük bellekli donanım yazılımı için QOI" @@ -14209,11 +14273,11 @@ msgstr "" msgid "" "Classic wall generator produces walls with constant extrusion width and for " -"very thin areas is used gap-fill. Arachne engine produces walls with " -"variable extrusion width" +"very thin areas is used gap-fill. Arachne engine produces walls with variable " +"extrusion width" msgstr "" -"Klasik duvar oluşturucu sabit ekstrüzyon genişliğine sahip duvarlar üretir " -"ve çok ince alanlar için boşluk doldurma kullanılır. Arachne motoru değişken " +"Klasik duvar oluşturucu sabit ekstrüzyon genişliğine sahip duvarlar üretir ve " +"çok ince alanlar için boşluk doldurma kullanılır. Arachne motoru değişken " "ekstrüzyon genişliğine sahip duvarlar üretir" msgid "Classic" @@ -14240,20 +14304,19 @@ msgstr "Duvar geçiş filtresi oranı" msgid "" "Prevent transitioning back and forth between one extra wall and one less. " "This margin extends the range of extrusion widths which follow to [Minimum " -"wall width - margin, 2 * Minimum wall width + margin]. Increasing this " -"margin reduces the number of transitions, which reduces the number of " -"extrusion starts/stops and travel time. However, large extrusion width " -"variation can lead to under- or overextrusion problems. It's expressed as a " -"percentage over nozzle diameter" +"wall width - margin, 2 * Minimum wall width + margin]. Increasing this margin " +"reduces the number of transitions, which reduces the number of extrusion " +"starts/stops and travel time. However, large extrusion width variation can " +"lead to under- or overextrusion problems. It's expressed as a percentage over " +"nozzle diameter" msgstr "" -"Fazladan bir duvar ile bir eksik arasında ileri geri geçişi önleyin. Bu " -"kenar boşluğu, [Minimum duvar genişliği - kenar boşluğu, 2 * Minimum duvar " +"Fazladan bir duvar ile bir eksik arasında ileri geri geçişi önleyin. Bu kenar " +"boşluğu, [Minimum duvar genişliği - kenar boşluğu, 2 * Minimum duvar " "genişliği + kenar boşluğu] şeklinde takip eden ekstrüzyon genişlikleri " "aralığını genişletir. Bu marjın arttırılması geçiş sayısını azaltır, bu da " "ekstrüzyonun başlama/durma sayısını ve seyahat süresini azaltır. Bununla " -"birlikte, büyük ekstrüzyon genişliği değişimi, yetersiz veya aşırı " -"ekstrüzyon sorunlarına yol açabilir. Nozul çapına göre yüzde olarak ifade " -"edilir" +"birlikte, büyük ekstrüzyon genişliği değişimi, yetersiz veya aşırı ekstrüzyon " +"sorunlarına yol açabilir. Nozul çapına göre yüzde olarak ifade edilir" msgid "Wall transitioning threshold angle" msgstr "Duvar geçiş açısı" @@ -14265,11 +14328,11 @@ msgid "" "this setting reduces the number and length of these center walls, but may " "leave gaps or overextrude" msgstr "" -"Çift ve tek sayıdaki duvarlar arasında geçişler ne zaman oluşturulmalıdır? " -"Bu ayardan daha büyük bir açıya sahip bir kama şeklinin geçişleri olmayacak " -"ve kalan alanı dolduracak şekilde ortada hiçbir duvar basılmayacaktır. Bu " -"ayarın düşürülmesi, bu merkez duvarların sayısını ve uzunluğunu azaltır " -"ancak boşluklara veya aşırı çıkıntıya neden olabilir" +"Çift ve tek sayıdaki duvarlar arasında geçişler ne zaman oluşturulmalıdır? Bu " +"ayardan daha büyük bir açıya sahip bir kama şeklinin geçişleri olmayacak ve " +"kalan alanı dolduracak şekilde ortada hiçbir duvar basılmayacaktır. Bu ayarın " +"düşürülmesi, bu merkez duvarların sayısını ve uzunluğunu azaltır ancak " +"boşluklara veya aşırı çıkıntıya neden olabilir" msgid "Wall distribution count" msgstr "Duvar dağılım sayısı" @@ -14285,9 +14348,9 @@ msgid "Minimum feature size" msgstr "Minimum özellik boyutu" msgid "" -"Minimum thickness of thin features. Model features that are thinner than " -"this value will not be printed, while features thicker than the Minimum " -"feature size will be widened to the Minimum wall width. It's expressed as a " +"Minimum thickness of thin features. Model features that are thinner than this " +"value will not be printed, while features thicker than the Minimum feature " +"size will be widened to the Minimum wall width. It's expressed as a " "percentage over nozzle diameter" msgstr "" "İnce özellikler için minimum kalınlık. Bu değerden daha ince olan model " @@ -14304,28 +14367,27 @@ msgid "" "\n" "NOTE: Bottom and top surfaces will not be affected by this value to prevent " "visual gaps on the ouside of the model. Adjust 'One wall threshold' in the " -"Advanced settings below to adjust the sensitivity of what is considered a " -"top-surface. 'One wall threshold' is only visibile if this setting is set " -"above the default value of 0.5, or if single-wall top surfaces is enabled." +"Advanced settings below to adjust the sensitivity of what is considered a top-" +"surface. 'One wall threshold' is only visibile if this setting is set above " +"the default value of 0.5, or if single-wall top surfaces is enabled." msgstr "" "Yazdırma süresini artırabilecek kısa, kapatılmamış duvarların yazdırılmasını " "önlemek için bu değeri ayarlayın. Daha yüksek değerler daha fazla ve daha " "uzun duvarları kaldırır.\n" "\n" -"NOT: Modelin dış kısmında görsel boşluk kalmaması için alt ve üst yüzeyler " -"bu değerden etkilenmeyecektir. Üst yüzey olarak kabul edilen şeyin " -"hassasiyetini ayarlamak için aşağıdaki Gelişmiş ayarlarda 'Tek duvar " -"eşiği'ni ayarlayın. 'Tek duvar eşiği' yalnızca bu ayar varsayılan değer olan " -"0,5'in üzerine ayarlandığında veya tek duvarlı üst yüzeyler " -"etkinleştirildiğinde görünür." +"NOT: Modelin dış kısmında görsel boşluk kalmaması için alt ve üst yüzeyler bu " +"değerden etkilenmeyecektir. Üst yüzey olarak kabul edilen şeyin hassasiyetini " +"ayarlamak için aşağıdaki Gelişmiş ayarlarda 'Tek duvar eşiği'ni ayarlayın. " +"'Tek duvar eşiği' yalnızca bu ayar varsayılan değer olan 0,5'in üzerine " +"ayarlandığında veya tek duvarlı üst yüzeyler etkinleştirildiğinde görünür." msgid "First layer minimum wall width" msgstr "İlk katman minimum duvar genişliği" msgid "" -"The minimum wall width that should be used for the first layer is " -"recommended to be set to the same size as the nozzle. This adjustment is " -"expected to enhance adhesion." +"The minimum wall width that should be used for the first layer is recommended " +"to be set to the same size as the nozzle. This adjustment is expected to " +"enhance adhesion." msgstr "" "İlk katman için kullanılması gereken minimum duvar genişliğinin nozul ile " "aynı boyuta ayarlanması tavsiye edilir. Bu ayarlamanın yapışmayı artırması " @@ -14350,8 +14412,8 @@ msgstr "Dar iç katı dolguyu tespit et" msgid "" "This option will auto detect narrow internal solid infill area. If enabled, " -"concentric pattern will be used for the area to speed printing up. " -"Otherwise, rectilinear pattern is used defaultly." +"concentric pattern will be used for the area to speed printing up. Otherwise, " +"rectilinear pattern is used defaultly." msgstr "" "Bu seçenek dar dahili katı dolgu alanını otomatik olarak algılayacaktır. " "Etkinleştirilirse, yazdırmayı hızlandırmak amacıyla alanda eşmerkezli desen " @@ -14397,8 +14459,7 @@ msgstr "Yönlendirme Seçenekleri" msgid "Orient options: 0-disable, 1-enable, others-auto" msgstr "" -"Yönlendirme seçenekleri: 0-devre dışı bırak, 1-etkinleştir, diğerleri-" -"otomatik" +"Yönlendirme seçenekleri: 0-devre dışı bırak, 1-etkinleştir, diğerleri-otomatik" msgid "Rotation angle around the Z axis in degrees." msgstr "Z ekseni etrafında derece cinsinden dönüş açısı." @@ -14443,13 +14504,13 @@ msgstr "" "ettiğini bilmesi için bu değişkene yazması gerekir." msgid "" -"Retraction state at the beginning of the custom G-code block. If the custom " -"G-code moves the extruder axis, it should write to this variable so " -"PrusaSlicer deretracts correctly when it gets control back." +"Retraction state at the beginning of the custom G-code block. If the custom G-" +"code moves the extruder axis, it should write to this variable so PrusaSlicer " +"deretracts correctly when it gets control back." msgstr "" "Özel G kodu bloğunun başlangıcındaki geri çekilme durumu. Özel G kodu " -"ekstruder eksenini hareket ettirirse, Slicer'ın kontrolü geri aldığında " -"doğru şekilde geri çekme yapması için bu değişkene yazması gerekir." +"ekstruder eksenini hareket ettirirse, Slicer'ın kontrolü geri aldığında doğru " +"şekilde geri çekme yapması için bu değişkene yazması gerekir." msgid "Extra deretraction" msgstr "Ekstra deretraksiyon" @@ -14550,18 +14611,18 @@ msgid "" "Weight per extruder extruded during the entire print. Calculated from " "filament_density value in Filament Settings." msgstr "" -"Baskının tamamı boyunca ekstrüzyon yapılan ekstruder başına ağırlık. " -"Filament Ayarlarındaki filaman yoğunluğu değerinden hesaplanır." +"Baskının tamamı boyunca ekstrüzyon yapılan ekstruder başına ağırlık. Filament " +"Ayarlarındaki filaman yoğunluğu değerinden hesaplanır." msgid "Total weight" msgstr "Toplam ağırlık" msgid "" -"Total weight of the print. Calculated from filament_density value in " -"Filament Settings." +"Total weight of the print. Calculated from filament_density value in Filament " +"Settings." msgstr "" -"Baskının toplam ağırlığı. Filament Ayarlarındaki filaman yoğunluğu " -"değerinden hesaplanır." +"Baskının toplam ağırlığı. Filament Ayarlarındaki filaman yoğunluğu değerinden " +"hesaplanır." msgid "Total layer count" msgstr "Toplam katman sayısı" @@ -14610,8 +14671,8 @@ msgstr "" "cinsindendir." msgid "" -"The vector has two elements: x and y dimension of the bounding box. Values " -"in mm." +"The vector has two elements: x and y dimension of the bounding box. Values in " +"mm." msgstr "" "Vektörün iki öğesi vardır: sınırlayıcı kutunun x ve y boyutu. Değerler mm " "cinsindendir." @@ -14623,8 +14684,8 @@ msgid "" "Vector of points of the first layer convex hull. Each element has the " "following format:'[x, y]' (x and y are floating-point numbers in mm)." msgstr "" -"Birinci katmanın dışbükey gövdesinin noktalarının vektörü. Her öğe şu " -"formata sahiptir:'[x, y]' (x ve y, mm cinsinden kayan noktalı sayılardır)." +"Birinci katmanın dışbükey gövdesinin noktalarının vektörü. Her öğe şu formata " +"sahiptir:'[x, y]' (x ve y, mm cinsinden kayan noktalı sayılardır)." msgid "Bottom-left corner of first layer bounding box" msgstr "İlk katman sınırlayıcı kutusunun sol alt köşesi" @@ -14691,8 +14752,8 @@ msgid "Number of extruders" msgstr "Ekstruder sayısı" msgid "" -"Total number of extruders, regardless of whether they are used in the " -"current print." +"Total number of extruders, regardless of whether they are used in the current " +"print." msgstr "" "Geçerli baskıda kullanılıp kullanılmadığına bakılmaksızın ekstrüderlerin " "toplam sayısı." @@ -14830,8 +14891,7 @@ msgstr "Sağlanan dosya boş olduğundan okunamadı" msgid "Unknown file format. Input file must have .3mf or .zip.amf extension." msgstr "" -"Bilinmeyen dosya formatı. Giriş dosyası .3mf veya .zip.amf uzantılı " -"olmalıdır." +"Bilinmeyen dosya formatı. Giriş dosyası .3mf veya .zip.amf uzantılı olmalıdır." msgid "Canceled" msgstr "İptal edildi" @@ -14953,8 +15013,7 @@ msgstr "yeni ön ayar oluşturma başarısız oldu." msgid "" "Are you sure to cancel the current calibration and return to the home page?" msgstr "" -"Mevcut kalibrasyonu iptal edip ana sayfaya dönmek istediğinizden emin " -"misiniz?" +"Mevcut kalibrasyonu iptal edip ana sayfaya dönmek istediğinizden emin misiniz?" msgid "No Printer Connected!" msgstr "Yazıcı Bağlı Değil!" @@ -14969,16 +15028,16 @@ msgid "The input value size must be 3." msgstr "Giriş değeri boyutu 3 olmalıdır." msgid "" -"This machine type can only hold 16 history results per nozzle. You can " -"delete the existing historical results and then start calibration. Or you " -"can continue the calibration, but you cannot create new calibration " -"historical results. \n" +"This machine type can only hold 16 history results per nozzle. You can delete " +"the existing historical results and then start calibration. Or you can " +"continue the calibration, but you cannot create new calibration historical " +"results. \n" "Do you still want to continue the calibration?" msgstr "" "Bu makine tipi, püskürtme ucu başına yalnızca 16 geçmiş sonucu tutabilir. " -"Mevcut geçmiş sonuçları silebilir ve ardından kalibrasyona " -"başlayabilirsiniz. Veya kalibrasyona devam edebilirsiniz ancak yeni " -"kalibrasyon geçmişi sonuçları oluşturamazsınız.\n" +"Mevcut geçmiş sonuçları silebilir ve ardından kalibrasyona başlayabilirsiniz. " +"Veya kalibrasyona devam edebilirsiniz ancak yeni kalibrasyon geçmişi " +"sonuçları oluşturamazsınız.\n" "Hala kalibrasyona devam etmek istiyor musunuz?" msgid "Connecting to printer..." @@ -14992,9 +15051,9 @@ msgstr "Akış Dinamiği Kalibrasyonu sonucu yazıcıya kaydedildi" #, c-format, boost-format msgid "" -"There is already a historical calibration result with the same name: %s. " -"Only one of the results with the same name is saved. Are you sure you want " -"to override the historical result?" +"There is already a historical calibration result with the same name: %s. Only " +"one of the results with the same name is saved. Are you sure you want to " +"override the historical result?" msgstr "" "Aynı ada sahip geçmiş bir kalibrasyon sonucu zaten var: %s. Aynı ada sahip " "sonuçlardan yalnızca biri kaydedilir. Geçmiş sonucu geçersiz kılmak " @@ -15005,8 +15064,8 @@ msgid "" "This machine type can only hold %d history results per nozzle. This result " "will not be saved." msgstr "" -"Bu makine türü püskürtme ucu başına yalnızca %d geçmiş sonucunu tutabilir. " -"Bu sonuç kaydedilmeyecek." +"Bu makine türü püskürtme ucu başına yalnızca %d geçmiş sonucunu tutabilir. Bu " +"sonuç kaydedilmeyecek." msgid "Internal Error" msgstr "İç hata" @@ -15025,10 +15084,10 @@ msgstr "Akış Dinamiği Kalibrasyonuna ne zaman ihtiyacınız olur" msgid "" "We now have added the auto-calibration for different filaments, which is " -"fully automated and the result will be saved into the printer for future " -"use. You only need to do the calibration in the following limited cases:\n" -"1. If you introduce a new filament of different brands/models or the " -"filament is damp;\n" +"fully automated and the result will be saved into the printer for future use. " +"You only need to do the calibration in the following limited cases:\n" +"1. If you introduce a new filament of different brands/models or the filament " +"is damp;\n" "2. if the nozzle is worn out or replaced with a new one;\n" "3. If the max volumetric speed or print temperature is changed in the " "filament setting." @@ -15050,10 +15109,10 @@ msgid "" "\n" "Usually the calibration is unnecessary. When you start a single color/" "material print, with the \"flow dynamics calibration\" option checked in the " -"print start menu, the printer will follow the old way, calibrate the " -"filament before the print; When you start a multi color/material print, the " -"printer will use the default compensation parameter for the filament during " -"every filament switch which will have a good result in most cases.\n" +"print start menu, the printer will follow the old way, calibrate the filament " +"before the print; When you start a multi color/material print, the printer " +"will use the default compensation parameter for the filament during every " +"filament switch which will have a good result in most cases.\n" "\n" "Please note that there are a few cases that can make the calibration results " "unreliable, such as insufficient adhesion on the build plate. Improving " @@ -15069,9 +15128,9 @@ msgstr "" "Genellikle kalibrasyon gereksizdir. Baskı başlatma menüsünde \"akış " "dinamikleri kalibrasyonu\" seçeneği işaretliyken tek renkli/malzemeli bir " "baskı başlattığınızda, yazıcı eski yolu izleyecek, baskıdan önce filamenti " -"kalibre edecektir; Çok renkli/malzemeli bir baskı başlattığınızda, yazıcı " -"her filament değişimi sırasında filament için varsayılan telafi " -"parametresini kullanacaktır ve bu da çoğu durumda iyi bir sonuç verecektir.\n" +"kalibre edecektir; Çok renkli/malzemeli bir baskı başlattığınızda, yazıcı her " +"filament değişimi sırasında filament için varsayılan telafi parametresini " +"kullanacaktır ve bu da çoğu durumda iyi bir sonuç verecektir.\n" "\n" "Yapı plakası üzerinde yetersiz yapışma gibi kalibrasyon sonuçlarını " "güvenilmez hale getirebilecek birkaç durum olduğunu lütfen unutmayın. " @@ -15121,10 +15180,10 @@ msgstr "" msgid "" "Flow Rate Calibration measures the ratio of expected to actual extrusion " "volumes. The default setting works well in Bambu Lab printers and official " -"filaments as they were pre-calibrated and fine-tuned. For a regular " -"filament, you usually won't need to perform a Flow Rate Calibration unless " -"you still see the listed defects after you have done other calibrations. For " -"more details, please check out the wiki article." +"filaments as they were pre-calibrated and fine-tuned. For a regular filament, " +"you usually won't need to perform a Flow Rate Calibration unless you still " +"see the listed defects after you have done other calibrations. For more " +"details, please check out the wiki article." msgstr "" "Akış Hızı Kalibrasyonu, beklenen ekstrüzyon hacimlerinin gerçek ekstrüzyon " "hacimlerine oranını ölçer. Varsayılan ayar, önceden kalibre edilmiş ve ince " @@ -15139,13 +15198,12 @@ msgid "" "directly measuring the calibration patterns. However, please be advised that " "the efficacy and accuracy of this method may be compromised with specific " "types of materials. Particularly, filaments that are transparent or semi-" -"transparent, sparkling-particled, or have a high-reflective finish may not " -"be suitable for this calibration and can produce less-than-desirable " -"results.\n" +"transparent, sparkling-particled, or have a high-reflective finish may not be " +"suitable for this calibration and can produce less-than-desirable results.\n" "\n" -"The calibration results may vary between each calibration or filament. We " -"are still improving the accuracy and compatibility of this calibration " -"through firmware updates over time.\n" +"The calibration results may vary between each calibration or filament. We are " +"still improving the accuracy and compatibility of this calibration through " +"firmware updates over time.\n" "\n" "Caution: Flow Rate Calibration is an advanced process, to be attempted only " "by those who fully understand its purpose and implications. Incorrect usage " @@ -15156,8 +15214,8 @@ msgstr "" "kullanarak kalibrasyon modellerini doğrudan ölçer. Ancak, bu yöntemin " "etkinliğinin ve doğruluğunun belirli malzeme türleriyle tehlikeye " "girebileceğini lütfen unutmayın. Özellikle şeffaf veya yarı şeffaf, parlak " -"parçacıklı veya yüksek yansıtıcı yüzeye sahip filamentler bu kalibrasyon " -"için uygun olmayabilir ve arzu edilenden daha az sonuçlar üretebilir.\n" +"parçacıklı veya yüksek yansıtıcı yüzeye sahip filamentler bu kalibrasyon için " +"uygun olmayabilir ve arzu edilenden daha az sonuçlar üretebilir.\n" "\n" "Kalibrasyon sonuçları her kalibrasyon veya filament arasında farklılık " "gösterebilir. Zaman içinde ürün yazılımı güncellemeleriyle bu kalibrasyonun " @@ -15166,8 +15224,8 @@ msgstr "" "Dikkat: Akış Hızı Kalibrasyonu, yalnızca amacını ve sonuçlarını tam olarak " "anlayan kişiler tarafından denenmesi gereken gelişmiş bir işlemdir. Yanlış " "kullanım, ortalamanın altında baskılara veya yazıcının zarar görmesine neden " -"olabilir. Lütfen işlemi yapmadan önce işlemi dikkatlice okuyup " -"anladığınızdan emin olun." +"olabilir. Lütfen işlemi yapmadan önce işlemi dikkatlice okuyup anladığınızdan " +"emin olun." msgid "When you need Max Volumetric Speed Calibration" msgstr "Maksimum Hacimsel Hız Kalibrasyonuna ihtiyaç duyduğunuzda" @@ -15189,15 +15247,15 @@ msgid "We found the best Flow Dynamics Calibration Factor" msgstr "En iyi Akış Dinamiği Kalibrasyon Faktörünü bulduk" msgid "" -"Part of the calibration failed! You may clean the plate and retry. The " -"failed test result would be dropped." +"Part of the calibration failed! You may clean the plate and retry. The failed " +"test result would be dropped." msgstr "" "Kalibrasyonun bir kısmı başarısız oldu! Plakayı temizleyip tekrar " "deneyebilirsiniz. Başarısız olan test sonucu görmezden gelinir." msgid "" -"*We recommend you to add brand, materia, type, and even humidity level in " -"the Name" +"*We recommend you to add brand, materia, type, and even humidity level in the " +"Name" msgstr "*İsme marka, malzeme, tür ve hatta nem seviyesini eklemenizi öneririz" msgid "Failed" @@ -15786,8 +15844,8 @@ msgid "" "name. Do you want to continue?" msgstr "" "Oluşturduğunuz %s Filament adı zaten mevcut.\n" -"Oluşturmaya devam ederseniz oluşturulan ön ayar tam adıyla " -"görüntülenecektir. Devam etmek istiyor musun?" +"Oluşturmaya devam ederseniz oluşturulan ön ayar tam adıyla görüntülenecektir. " +"Devam etmek istiyor musun?" msgid "Some existing presets have failed to be created, as follows:\n" msgstr "Aşağıdaki gibi bazı mevcut ön ayarlar oluşturulamadı:\n" @@ -15903,15 +15961,15 @@ msgid "" "You have not yet chosen which printer preset to create based on. Please " "choose the vendor and model of the printer" msgstr "" -"Hangi yazıcı ön ayarının temel alınacağını henüz seçmediniz. Lütfen " -"yazıcının satıcısını ve modelini seçin" +"Hangi yazıcı ön ayarının temel alınacağını henüz seçmediniz. Lütfen yazıcının " +"satıcısını ve modelini seçin" msgid "" "You have entered an illegal input in the printable area section on the first " "page. Please check before creating it." msgstr "" -"İlk sayfadaki yazdırılabilir alan kısmına geçersiz bir giriş yaptınız. " -"Lütfen oluşturmadan önce kontrol edin." +"İlk sayfadaki yazdırılabilir alan kısmına geçersiz bir giriş yaptınız. Lütfen " +"oluşturmadan önce kontrol edin." msgid "The custom printer or model is not inputed, place input." msgstr "Özel yazıcı veya model girilmedi lütfen giriş yapın." @@ -15928,8 +15986,7 @@ msgstr "" "Oluşturduğunuz yazıcı ön ayarının zaten aynı ada sahip bir ön ayarı var. " "Üzerine yazmak istiyor musunuz?\n" "\tEvet: Aynı adı taşıyan yazıcı ön ayarının üzerine yazın; aynı ön ayar adı " -"taşıyan filaman ve proses ön ayarları yeniden oluşturulacak ve aynı ön " -"ayar \n" +"taşıyan filaman ve proses ön ayarları yeniden oluşturulacak ve aynı ön ayar \n" "adı olmayan filament ve işlem ön ayarları rezerve edilecektir.\n" "\tİptal: Ön ayar oluşturmayın, oluşturma arayüzüne dönün." @@ -15975,8 +16032,7 @@ msgstr "" msgid "" "You have not yet selected the printer to replace the nozzle, please choose." -msgstr "" -"Hala nozulu değiştirmek için yazıcı seçmediniz, lütfen bir seçim yapın." +msgstr "Hala nozulu değiştirmek için yazıcı seçmediniz, lütfen bir seçim yapın." msgid "Create Printer Successful" msgstr "Yazıcı Oluşturma Başarılı" @@ -16059,8 +16115,8 @@ msgstr "Dışa aktarma başarılı" #, c-format, boost-format msgid "" -"The '%s' folder already exists in the current directory. Do you want to " -"clear it and rebuild it.\n" +"The '%s' folder already exists in the current directory. Do you want to clear " +"it and rebuild it.\n" "If not, a time suffix will be added, and you can modify the name after " "creation." msgstr "" @@ -16099,8 +16155,8 @@ msgid "" "Only printer names with user printer presets will be displayed, and each " "preset you choose will be exported as a zip." msgstr "" -"Yalnızca kullanıcı yazıcı ön ayarlarına sahip yazıcı adları görüntülenecek " -"ve seçtiğiniz her ön ayar zip olarak dışa aktarılacaktır." +"Yalnızca kullanıcı yazıcı ön ayarlarına sahip yazıcı adları görüntülenecek ve " +"seçtiğiniz her ön ayar zip olarak dışa aktarılacaktır." msgid "" "Only the filament names with user filament presets will be displayed, \n" @@ -16108,13 +16164,13 @@ msgid "" "exported as a zip." msgstr "" "Yalnızca kullanıcı filamenti ön ayarlarına sahip filament adları \n" -"görüntülenecek ve seçtiğiniz her filament adındaki tüm kullanıcı filamenti " -"ön ayarları zip olarak dışa aktarılacaktır." +"görüntülenecek ve seçtiğiniz her filament adındaki tüm kullanıcı filamenti ön " +"ayarları zip olarak dışa aktarılacaktır." msgid "" "Only printer names with changed process presets will be displayed, \n" -"and all user process presets in each printer name you select will be " -"exported as a zip." +"and all user process presets in each printer name you select will be exported " +"as a zip." msgstr "" "Yalnızca işlem ön ayarları değiştirilen yazıcı adları görüntülenecek \n" "ve seçtiğiniz her yazıcı adındaki tüm kullanıcı işlem ön ayarları zip olarak " @@ -16138,8 +16194,8 @@ msgid "Filament presets under this filament" msgstr "Bu filamentin altındaki filament ön ayarları" msgid "" -"Note: If the only preset under this filament is deleted, the filament will " -"be deleted after exiting the dialog." +"Note: If the only preset under this filament is deleted, the filament will be " +"deleted after exiting the dialog." msgstr "" "Not: Bu filamentin altındaki tek ön ayar silinirse, diyalogdan çıkıldıktan " "sonra filament silinecektir." @@ -16257,8 +16313,7 @@ msgstr "Aygıt sekmesinde yazdırma ana bilgisayarı web arayüzünü görüntü msgid "Replace the BambuLab's device tab with print host webui" msgstr "" -"BambuLab’ın aygıt sekmesini yazdırma ana bilgisayarı web arayüzüyle " -"değiştirin" +"BambuLab’ın aygıt sekmesini yazdırma ana bilgisayarı web arayüzüyle değiştirin" msgid "" "HTTPS CA file is optional. It is only needed if you use HTTPS with a self-" @@ -16278,8 +16333,8 @@ msgid "" "On this system, %s uses HTTPS certificates from the system Certificate Store " "or Keychain." msgstr "" -"Bu sistemde %s, sistem Sertifika Deposu veya Anahtar Zincirinden alınan " -"HTTPS sertifikalarını kullanıyor." +"Bu sistemde %s, sistem Sertifika Deposu veya Anahtar Zincirinden alınan HTTPS " +"sertifikalarını kullanıyor." msgid "" "To use a custom CA file, please import your CA file into Certificate Store / " @@ -16429,31 +16484,30 @@ msgstr "" "Hata: \"%2%\"" msgid "" -"It has a small layer height, and results in almost negligible layer lines " -"and high printing quality. It is suitable for most general printing cases." +"It has a small layer height, and results in almost negligible layer lines and " +"high printing quality. It is suitable for most general printing cases." msgstr "" "Küçük bir katman yüksekliğine sahiptir ve neredeyse ihmal edilebilir katman " "çizgileri ve yüksek baskı kalitesi sağlar. Çoğu genel yazdırma durumu için " "uygundur." msgid "" -"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds " -"and acceleration, and the sparse infill pattern is Gyroid. So, it results in " -"much higher printing quality, but a much longer printing time." +"Compared with the default profile of a 0.2 mm nozzle, it has lower speeds and " +"acceleration, and the sparse infill pattern is Gyroid. So, it results in much " +"higher printing quality, but a much longer printing time." msgstr "" "0,2 mm’lik nozülün varsayılan profiliyle karşılaştırıldığında daha düşük hız " -"ve ivmeye sahiptir ve seyrek dolgu deseni Gyroid’dir. Böylece çok daha " -"yüksek baskı kalitesi elde edilir, ancak çok daha uzun baskı süresi elde " -"edilir." +"ve ivmeye sahiptir ve seyrek dolgu deseni Gyroid’dir. Böylece çok daha yüksek " +"baskı kalitesi elde edilir, ancak çok daha uzun baskı süresi elde edilir." msgid "" "Compared with the default profile of a 0.2 mm nozzle, it has a slightly " "bigger layer height, and results in almost negligible layer lines, and " "slightly shorter printing time." msgstr "" -"0,2 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, " -"biraz daha büyük katman yüksekliğine sahiptir ve neredeyse ihmal edilebilir " -"düzeyde katman çizgileri ve biraz daha kısa yazdırma süresi sağlar." +"0,2 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, biraz " +"daha büyük katman yüksekliğine sahiptir ve neredeyse ihmal edilebilir düzeyde " +"katman çizgileri ve biraz daha kısa yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.2 mm nozzle, it has a bigger layer " @@ -16491,8 +16545,8 @@ msgid "" "shorter printing time." msgstr "" "Varsayılan 0,2 mm püskürtme ucu profiliyle karşılaştırıldığında, daha küçük " -"katman yüksekliğine sahiptir ve minimum katman çizgileri ve daha yüksek " -"baskı kalitesi sağlar, ancak daha kısa yazdırma süresi sağlar." +"katman yüksekliğine sahiptir ve minimum katman çizgileri ve daha yüksek baskı " +"kalitesi sağlar, ancak daha kısa yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.2 mm nozzle, it has a smaller layer " @@ -16543,12 +16597,12 @@ msgstr "" msgid "" "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and higher printing " -"quality, but longer printing time." +"height, and results in less apparent layer lines and higher printing quality, " +"but longer printing time." msgstr "" "0,4 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, daha " -"küçük bir katman yüksekliğine sahiptir ve daha az görünür katman çizgileri " -"ve daha yüksek baskı kalitesi sağlar, ancak daha uzun yazdırma süresi sağlar." +"küçük bir katman yüksekliğine sahiptir ve daha az görünür katman çizgileri ve " +"daha yüksek baskı kalitesi sağlar, ancak daha uzun yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " @@ -16586,8 +16640,7 @@ msgstr "" msgid "" "Compared with the default profile of a 0.4 mm nozzle, it has a smaller layer " -"height, and results in almost negligible layer lines and longer printing " -"time." +"height, and results in almost negligible layer lines and longer printing time." msgstr "" "0,4 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, " "katman yüksekliği daha küçüktür ve neredeyse göz ardı edilebilecek düzeyde " @@ -16622,8 +16675,8 @@ msgstr "" msgid "" "Compared with the default profile of a 0.6 mm nozzle, it has a bigger layer " -"height, and results in much more apparent layer lines and much lower " -"printing quality, but shorter printing time in some printing cases." +"height, and results in much more apparent layer lines and much lower printing " +"quality, but shorter printing time in some printing cases." msgstr "" "0,6 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, daha " "büyük bir katman yüksekliğine sahiptir ve çok daha belirgin katman çizgileri " @@ -16642,16 +16695,16 @@ msgstr "" msgid "" "Compared with the default profile of a 0.6 mm nozzle, it has a smaller layer " -"height, and results in less apparent layer lines and higher printing " -"quality, but longer printing time." +"height, and results in less apparent layer lines and higher printing quality, " +"but longer printing time." msgstr "" "0,6 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, daha " -"küçük bir katman yüksekliğine sahiptir ve daha az görünür katman çizgileri " -"ve daha yüksek baskı kalitesi sağlar, ancak daha uzun yazdırma süresi sağlar." +"küçük bir katman yüksekliğine sahiptir ve daha az görünür katman çizgileri ve " +"daha yüksek baskı kalitesi sağlar, ancak daha uzun yazdırma süresi sağlar." msgid "" -"It has a very big layer height, and results in very apparent layer lines, " -"low printing quality and general printing time." +"It has a very big layer height, and results in very apparent layer lines, low " +"printing quality and general printing time." msgstr "" "Çok büyük bir katman yüksekliğine sahiptir ve çok belirgin katman " "çizgilerine, düşük baskı kalitesine ve genel yazdırma süresine neden olur." @@ -16663,8 +16716,8 @@ msgid "" msgstr "" "0,8 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, daha " "büyük bir katman yüksekliğine sahiptir ve çok belirgin katman çizgileri ve " -"çok daha düşük baskı kalitesiyle sonuçlanır, ancak bazı yazdırma " -"durumlarında daha kısa yazdırma süresi sağlar." +"çok daha düşük baskı kalitesiyle sonuçlanır, ancak bazı yazdırma durumlarında " +"daha kısa yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.8 mm nozzle, it has a much bigger " @@ -16673,8 +16726,8 @@ msgid "" msgstr "" "0,8 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, çok " "daha büyük bir katman yüksekliğine sahiptir ve son derece belirgin katman " -"çizgileri ve çok daha düşük baskı kalitesiyle sonuçlanır, ancak bazı " -"yazdırma durumlarında çok daha kısa yazdırma süresi sağlar." +"çizgileri ve çok daha düşük baskı kalitesiyle sonuçlanır, ancak bazı yazdırma " +"durumlarında çok daha kısa yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.8 mm nozzle, it has a slightly " @@ -16682,10 +16735,10 @@ msgid "" "lines and slightly higher printing quality, but longer printing time in some " "printing cases." msgstr "" -"0,8 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, " -"biraz daha küçük bir katman yüksekliğine sahiptir ve biraz daha az ama yine " -"de görünür katman çizgileri ve biraz daha yüksek baskı kalitesi sağlar, " -"ancak bazı yazdırma durumlarında daha uzun yazdırma süresi sağlar." +"0,8 mm’lik püskürtme ucunun varsayılan profiliyle karşılaştırıldığında, biraz " +"daha küçük bir katman yüksekliğine sahiptir ve biraz daha az ama yine de " +"görünür katman çizgileri ve biraz daha yüksek baskı kalitesi sağlar, ancak " +"bazı yazdırma durumlarında daha uzun yazdırma süresi sağlar." msgid "" "Compared with the default profile of a 0.8 mm nozzle, it has a smaller layer " @@ -16757,8 +16810,7 @@ msgid "" msgstr "" "Sandviç modu\n" "Modelinizde çok dik çıkıntılar yoksa hassasiyeti ve katman tutarlılığını " -"artırmak için sandviç modunu (iç-dış-iç) kullanabileceğinizi biliyor " -"muydunuz?" +"artırmak için sandviç modunu (iç-dış-iç) kullanabileceğinizi biliyor muydunuz?" #: resources/data/hints.ini: [hint:Chamber temperature] msgid "" @@ -16820,14 +16872,14 @@ msgid "" "3D scene operations." msgstr "" "Klavye kısayolları nasıl kullanılır?\n" -"Orca Slicer'ın çok çeşitli klavye kısayolları ve 3B sahne işlemleri " -"sunduğunu biliyor muydunuz?" +"Orca Slicer'ın çok çeşitli klavye kısayolları ve 3B sahne işlemleri sunduğunu " +"biliyor muydunuz?" #: resources/data/hints.ini: [hint:Reverse on odd] msgid "" "Reverse on odd\n" -"Did you know that Reverse on odd feature can significantly improve " -"the surface quality of your overhangs?" +"Did you know that Reverse on odd feature can significantly improve the " +"surface quality of your overhangs?" msgstr "" "Tersine çevir\n" "Tersine çevir özelliğinin çıkıntılarınızın yüzey kalitesini önemli " @@ -16850,8 +16902,8 @@ msgid "" "problems on the Windows system?" msgstr "" "Modeli Düzelt\n" -"Windows sisteminde birçok dilimleme sorununu önlemek için bozuk bir 3D " -"modeli düzeltebileceğinizi biliyor muydunuz?" +"Windows sisteminde birçok dilimleme sorununu önlemek için bozuk bir 3D modeli " +"düzeltebileceğinizi biliyor muydunuz?" #: resources/data/hints.ini: [hint:Timelapse] msgid "" @@ -16984,9 +17036,9 @@ msgstr "" #: resources/data/hints.ini: [hint:Fine-tuning for flow rate] msgid "" "Fine-tuning for flow rate\n" -"Did you know that flow rate can be fine-tuned for even better-looking " -"prints? Depending on the material, you can improve the overall finish of the " -"printed model by doing some fine-tuning." +"Did you know that flow rate can be fine-tuned for even better-looking prints? " +"Depending on the material, you can improve the overall finish of the printed " +"model by doing some fine-tuning." msgstr "" "Akış hızı için ince ayar\n" "Baskıların daha da iyi görünmesi için akış hızına ince ayar yapılabileceğini " @@ -17020,8 +17072,8 @@ msgstr "" msgid "" "Support painting\n" "Did you know that you can paint the location of your supports? This feature " -"makes it easy to place the support material only on the sections of the " -"model that actually need it." +"makes it easy to place the support material only on the sections of the model " +"that actually need it." msgstr "" "Destek boyama\n" "Desteklerinizin yerini boyayabileceğinizi biliyor muydunuz? Bu özellik, " @@ -17169,9 +17221,9 @@ msgstr "" #~ "değeri biraz azaltın (örneğin 0,9)" #~ msgid "" -#~ "This value governs the thickness of the internal bridge layer. This is " -#~ "the first layer over sparse infill. Decrease this value slightly (for " -#~ "example 0.9) to improve surface quality over sparse infill." +#~ "This value governs the thickness of the internal bridge layer. This is the " +#~ "first layer over sparse infill. Decrease this value slightly (for example " +#~ "0.9) to improve surface quality over sparse infill." #~ msgstr "" #~ "Bu değer iç köprü katmanının kalınlığını belirler. Bu, seyrek dolgunun " #~ "üzerindeki ilk katmandır. Seyrek dolguya göre yüzey kalitesini " @@ -17209,8 +17261,7 @@ msgstr "" #~ "Filamenti değiştirdiğinizde yeni filament yükleme zamanı. Yalnızca " #~ "istatistikler için" -#~ msgid "" -#~ "Time to unload old filament when switch filament. For statistics only" +#~ msgid "Time to unload old filament when switch filament. For statistics only" #~ msgstr "" #~ "Filamenti değiştirdiğinizde eski filamenti boşaltma zamanı. Yalnızca " #~ "istatistikler için" @@ -17226,13 +17277,13 @@ msgstr "" #~ "eklenir." #~ msgid "" -#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload " -#~ "a filament during a tool change (when executing the T code). This time is " +#~ "Time for the printer firmware (or the Multi Material Unit 2.0) to unload a " +#~ "filament during a tool change (when executing the T code). This time is " #~ "added to the total print time by the G-code time estimator." #~ msgstr "" -#~ "Yazıcı ürün yazılımının (veya Çoklu Malzeme Ünitesi 2.0'ın) takım " -#~ "değişimi sırasında (T kodu yürütülürken) filamenti boşaltma süresi. Bu " -#~ "süre, G kodu süre tahmincisi tarafından toplam baskı süresine eklenir." +#~ "Yazıcı ürün yazılımının (veya Çoklu Malzeme Ünitesi 2.0'ın) takım değişimi " +#~ "sırasında (T kodu yürütülürken) filamenti boşaltma süresi. Bu süre, G kodu " +#~ "süre tahmincisi tarafından toplam baskı süresine eklenir." #~ msgid "Filter out gaps smaller than the threshold specified" #~ msgstr "Belirtilen eşikten daha küçük boşlukları filtrele" @@ -17250,22 +17301,22 @@ msgstr "" #~ "Higher chamber temperature can help suppress or reduce warping and " #~ "potentially lead to higher interlayer bonding strength for high " #~ "temperature materials like ABS, ASA, PC, PA and so on.At the same time, " -#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, " -#~ "TPU, PVA and other low temperature materials,the actual chamber " -#~ "temperature should not be high to avoid cloggings, so 0 which stands for " -#~ "turning off is highly recommended" +#~ "the air filtration of ABS and ASA will get worse.While for PLA, PETG, TPU, " +#~ "PVA and other low temperature materials,the actual chamber temperature " +#~ "should not be high to avoid cloggings, so 0 which stands for turning off " +#~ "is highly recommended" #~ msgstr "" #~ "Daha yüksek hazne sıcaklığı, eğrilmeyi bastırmaya veya azaltmaya yardımcı " #~ "olabilir ve ABS, ASA, PC, PA ve benzeri gibi yüksek sıcaklıktaki " #~ "malzemeler için potansiyel olarak daha yüksek ara katman yapışmasına yol " #~ "açabilir Aynı zamanda, ABS ve ASA'nın hava filtrasyonu daha da " -#~ "kötüleşecektir. PLA, PETG, TPU, PVA ve diğer düşük sıcaklıktaki " -#~ "malzemeler için, tıkanmaları önlemek için gerçek hazne sıcaklığı yüksek " -#~ "olmamalıdır, bu nedenle kapatma anlamına gelen 0 şiddetle tavsiye edilir" +#~ "kötüleşecektir. PLA, PETG, TPU, PVA ve diğer düşük sıcaklıktaki malzemeler " +#~ "için, tıkanmaları önlemek için gerçek hazne sıcaklığı yüksek olmamalıdır, " +#~ "bu nedenle kapatma anlamına gelen 0 şiddetle tavsiye edilir" #~ msgid "" -#~ "Different nozzle diameters and different filament diameters is not " -#~ "allowed when prime tower is enabled." +#~ "Different nozzle diameters and different filament diameters is not allowed " +#~ "when prime tower is enabled." #~ msgstr "" #~ "Ana kule etkinleştirildiğinde farklı nozul çaplarına ve farklı filament " #~ "çaplarına izin verilmez." @@ -17278,11 +17329,10 @@ msgstr "" #~ "Height of initial layer. Making initial layer height to be thick slightly " #~ "can improve build plate adhension" #~ msgstr "" -#~ "İlk katmanın yüksekliği. İlk katman yüksekliğini biraz kalın yapmak, " -#~ "baskı plakasının yapışmasını iyileştirebilir" +#~ "İlk katmanın yüksekliği. İlk katman yüksekliğini biraz kalın yapmak, baskı " +#~ "plakasının yapışmasını iyileştirebilir" -#~ msgid "" -#~ "Interlocking depth of a segmented region. Zero disables this feature." +#~ msgid "Interlocking depth of a segmented region. Zero disables this feature." #~ msgstr "" #~ "Bölümlere ayrılmış bir bölgenin birbirine kenetlenen derinliği. 0 bu " #~ "özelliği devre dışı bırakır." @@ -17360,12 +17410,11 @@ msgstr "" #~ "the print start menu, the printer will follow the old way, calibrate the " #~ "filament before the print; When you start a multi color/material print, " #~ "the printer will use the default compensation parameter for the filament " -#~ "during every filament switch which will have a good result in most " -#~ "cases.\n" +#~ "during every filament switch which will have a good result in most cases.\n" #~ "\n" #~ "Please note there are a few cases that will make the calibration result " -#~ "not reliable: using a texture plate to do the calibration; the build " -#~ "plate does not have good adhesion (please wash the build plate or apply " +#~ "not reliable: using a texture plate to do the calibration; the build plate " +#~ "does not have good adhesion (please wash the build plate or apply " #~ "gluestick!) ...You can find more from our wiki.\n" #~ "\n" #~ "The calibration results have about 10 percent jitter in our test, which " @@ -17376,12 +17425,11 @@ msgstr "" #~ "bulabilirsiniz.\n" #~ "\n" #~ "Genellikle kalibrasyon gereksizdir. Yazdırma başlat menüsündeki \"akış " -#~ "dinamiği kalibrasyonu\" seçeneği işaretliyken tek renkli/malzeme " -#~ "baskısını başlattığınızda, yazıcı eski yöntemi izleyecek, yazdırmadan " -#~ "önce filamenti kalibre edecektir; Çok renkli/malzeme baskısını " -#~ "başlattığınızda, yazıcı her filament değişiminde filament için varsayılan " -#~ "dengeleme parametresini kullanacaktır ve bu çoğu durumda iyi bir sonuç " -#~ "verecektir.\n" +#~ "dinamiği kalibrasyonu\" seçeneği işaretliyken tek renkli/malzeme baskısını " +#~ "başlattığınızda, yazıcı eski yöntemi izleyecek, yazdırmadan önce filamenti " +#~ "kalibre edecektir; Çok renkli/malzeme baskısını başlattığınızda, yazıcı " +#~ "her filament değişiminde filament için varsayılan dengeleme parametresini " +#~ "kullanacaktır ve bu çoğu durumda iyi bir sonuç verecektir.\n" #~ "\n" #~ "Kalibrasyon sonucunun güvenilir olmamasına yol açacak birkaç durum " #~ "olduğunu lütfen unutmayın: kalibrasyonu yapmak için doku plakası " @@ -17389,14 +17437,14 @@ msgstr "" #~ "yıkayın veya yapıştırıcı uygulayın!) ...Daha fazlasını wiki'mizden " #~ "bulabilirsiniz.\n" #~ "\n" -#~ "Testimizde kalibrasyon sonuçlarında yaklaşık yüzde 10'luk bir titreşim " -#~ "var ve bu da sonucun her kalibrasyonda tam olarak aynı olmamasına neden " +#~ "Testimizde kalibrasyon sonuçlarında yaklaşık yüzde 10'luk bir titreşim var " +#~ "ve bu da sonucun her kalibrasyonda tam olarak aynı olmamasına neden " #~ "olabilir. Yeni güncellemelerle iyileştirmeler yapmak için hâlâ temel " #~ "nedeni araştırıyoruz." #~ msgid "" -#~ "Only one of the results with the same name will be saved. Are you sure " -#~ "you want to overrides the other results?" +#~ "Only one of the results with the same name will be saved. Are you sure you " +#~ "want to overrides the other results?" #~ msgstr "" #~ "Aynı ada sahip sonuçlardan yalnızca biri kaydedilecektir. Diğer sonuçları " #~ "geçersiz kılmak istediğinizden emin misiniz?" @@ -17404,11 +17452,11 @@ msgstr "" #, c-format, boost-format #~ msgid "" #~ "There is already a historical calibration result with the same name: %s. " -#~ "Only one of the results with the same name is saved. Are you sure you " -#~ "want to overrides the historical result?" +#~ "Only one of the results with the same name is saved. Are you sure you want " +#~ "to overrides the historical result?" #~ msgstr "" -#~ "Aynı ada sahip geçmiş bir kalibrasyon sonucu zaten var: %s. Aynı ada " -#~ "sahip sonuçlardan yalnızca biri kaydedilir. Geçmiş sonucu geçersiz kılmak " +#~ "Aynı ada sahip geçmiş bir kalibrasyon sonucu zaten var: %s. Aynı ada sahip " +#~ "sonuçlardan yalnızca biri kaydedilir. Geçmiş sonucu geçersiz kılmak " #~ "istediğinizden emin misiniz?" #~ msgid "Please find the cornor with perfect degree of extrusion" @@ -17431,11 +17479,11 @@ msgstr "" #~ "Order of wall/infill. When the tickbox is unchecked the walls are printed " #~ "first, which works best in most cases.\n" #~ "\n" -#~ "Printing walls first may help with extreme overhangs as the walls have " -#~ "the neighbouring infill to adhere to. However, the infill will slighly " -#~ "push out the printed walls where it is attached to them, resulting in a " -#~ "worse external surface finish. It can also cause the infill to shine " -#~ "through the external surfaces of the part." +#~ "Printing walls first may help with extreme overhangs as the walls have the " +#~ "neighbouring infill to adhere to. However, the infill will slighly push " +#~ "out the printed walls where it is attached to them, resulting in a worse " +#~ "external surface finish. It can also cause the infill to shine through the " +#~ "external surfaces of the part." #~ msgstr "" #~ "Duvar/dolgu sırası. Onay kutusunun işareti kaldırıldığında ilk olarak " #~ "duvarlar yazdırılır ve bu çoğu durumda en iyi sonucu verir.\n" @@ -17450,9 +17498,9 @@ msgstr "" #~ msgstr "V" #~ msgid "" -#~ "Orca Slicer is based on BambuStudio by Bambulab, which is from " -#~ "PrusaSlicer by Prusa Research. PrusaSlicer is from Slic3r by Alessandro " -#~ "Ranellucci and the RepRap community" +#~ "Orca Slicer is based on BambuStudio by Bambulab, which is from PrusaSlicer " +#~ "by Prusa Research. PrusaSlicer is from Slic3r by Alessandro Ranellucci " +#~ "and the RepRap community" #~ msgstr "" #~ "Orca Slicer, Prusa Research'ün PrusaSlicer'ından Bambulab'ın " #~ "BambuStudio'sunu temel alıyor. PrusaSlicer, Alessandro Ranellucci ve " @@ -17523,16 +17571,15 @@ msgstr "" #~ "değer) korumak ister misiniz?" #~ msgid "" -#~ "You have previously modified your settings and are about to overwrite " -#~ "them with new ones." +#~ "You have previously modified your settings and are about to overwrite them " +#~ "with new ones." #~ msgstr "" -#~ "Ayarlarınızı daha önce değiştirdiniz ve bunların üzerine yenilerini " -#~ "yazmak üzeresiniz." +#~ "Ayarlarınızı daha önce değiştirdiniz ve bunların üzerine yenilerini yazmak " +#~ "üzeresiniz." #~ msgid "" #~ "\n" -#~ "Do you want to keep your current modified settings, or use preset " -#~ "settings?" +#~ "Do you want to keep your current modified settings, or use preset settings?" #~ msgstr "" #~ "\n" #~ "Geçerli değiştirilen ayarlarınızı korumak mı yoksa önceden ayarlanmış " @@ -17552,8 +17599,8 @@ msgstr "" #~ "Choose an AMS slot then press \"Load\" or \"Unload\" button to " #~ "automatically load or unload filiament." #~ msgstr "" -#~ "Filamenti otomatik olarak yüklemek veya çıkarmak için bir AMS yuvası " -#~ "seçin ve ardından \"Yükle\" veya \"Boşalt\" düğmesine basın." +#~ "Filamenti otomatik olarak yüklemek veya çıkarmak için bir AMS yuvası seçin " +#~ "ve ardından \"Yükle\" veya \"Boşalt\" düğmesine basın." #~ msgid "MC" #~ msgstr "MC" @@ -17593,8 +17640,8 @@ msgstr "" #~ "The 3mf file version is in Beta and it is newer than the current Bambu " #~ "Studio version." #~ msgstr "" -#~ "3mf dosya sürümü Beta aşamasındadır ve mevcut Bambu Studio sürümünden " -#~ "daha yenidir." +#~ "3mf dosya sürümü Beta aşamasındadır ve mevcut Bambu Studio sürümünden daha " +#~ "yenidir." #~ msgid "If you would like to try Bambu Studio Beta, you may click to" #~ msgstr "Bambu Studio Beta’yı denemek isterseniz tıklayabilirsiniz." @@ -17621,9 +17668,9 @@ msgstr "" #~ "Green means that AMS humidity is normal, orange represent humidity is " #~ "high, red represent humidity is too high.(Hygrometer: lower the better.)" #~ msgstr "" -#~ "Yeşil, AMS neminin normal olduğunu, turuncu nemin yüksek olduğunu, " -#~ "kırmızı ise nemin çok yüksek olduğunu gösterir.(Higrometre: ne kadar " -#~ "düşükse o kadar iyidir.)" +#~ "Yeşil, AMS neminin normal olduğunu, turuncu nemin yüksek olduğunu, kırmızı " +#~ "ise nemin çok yüksek olduğunu gösterir.(Higrometre: ne kadar düşükse o " +#~ "kadar iyidir.)" #~ msgid "Desiccant status" #~ msgstr "Kurutucu durumu" @@ -17633,14 +17680,14 @@ msgstr "" #~ "inactive. Please change the desiccant.(The bars: higher the better.)" #~ msgstr "" #~ "İki çubuktan daha düşük bir kurutucu durumu, kurutucunun etkin olmadığını " -#~ "gösterir. Lütfen kurutucuyu değiştirin.(Çubuklar: ne kadar yüksek olursa " -#~ "o kadar iyidir.)" +#~ "gösterir. Lütfen kurutucuyu değiştirin.(Çubuklar: ne kadar yüksek olursa o " +#~ "kadar iyidir.)" #~ msgid "" #~ "Note: When the lid is open or the desiccant pack is changed, it can take " #~ "hours or a night to absorb the moisture. Low temperatures also slow down " -#~ "the process. During this time, the indicator may not represent the " -#~ "chamber accurately." +#~ "the process. During this time, the indicator may not represent the chamber " +#~ "accurately." #~ msgstr "" #~ "Not: Kapak açıkken veya kurutucu paketi değiştirildiğinde, nemin emilmesi " #~ "saatler veya bir gece sürebilir. Düşük sıcaklıklar da süreci yavaşlatır. " @@ -17738,14 +17785,14 @@ msgstr "" #~ msgid "" #~ "Please go to filament setting to edit your presets if you need.\n" #~ "Please note that nozzle temperature, hot bed temperature, and maximum " -#~ "volumetric speed have a significant impact on printing quality. Please " -#~ "set them carefully." +#~ "volumetric speed have a significant impact on printing quality. Please set " +#~ "them carefully." #~ msgstr "" -#~ "İhtiyacınız olursa ön ayarlarınızı düzenlemek için lütfen filament " -#~ "ayarına gidin.\n" +#~ "İhtiyacınız olursa ön ayarlarınızı düzenlemek için lütfen filament ayarına " +#~ "gidin.\n" #~ "Lütfen püskürtme ucu sıcaklığının, sıcak yatak sıcaklığının ve maksimum " -#~ "hacimsel hızın yazdırma kalitesi üzerinde önemli bir etkiye sahip " -#~ "olduğunu unutmayın. Lütfen bunları dikkatlice ayarlayın." +#~ "hacimsel hızın yazdırma kalitesi üzerinde önemli bir etkiye sahip olduğunu " +#~ "unutmayın. Lütfen bunları dikkatlice ayarlayın." #~ msgid "Studio Version:" #~ msgstr "Stüdyo Sürümü:" @@ -17790,8 +17837,8 @@ msgstr "" #~ msgstr "Depolama Yüklemesini Test Etme" #~ msgid "" -#~ "The speed setting exceeds the printer's maximum speed " -#~ "(machine_max_speed_x/machine_max_speed_y).\n" +#~ "The speed setting exceeds the printer's maximum speed (machine_max_speed_x/" +#~ "machine_max_speed_y).\n" #~ "Orca will automatically cap the print speed to ensure it doesn't surpass " #~ "the printer's capabilities.\n" #~ "You can adjust the maximum speed setting in your printer's configuration " @@ -17799,8 +17846,8 @@ msgstr "" #~ msgstr "" #~ "Hız ayarı yazıcının maksimum hızını aşıyor (machine_max_speed_x/" #~ "machine_max_speed_y).\n" -#~ "Orca, yazıcının yeteneklerini aşmadığından emin olmak için yazdırma " -#~ "hızını otomatik olarak sınırlayacaktır.\n" +#~ "Orca, yazıcının yeteneklerini aşmadığından emin olmak için yazdırma hızını " +#~ "otomatik olarak sınırlayacaktır.\n" #~ "Daha yüksek hızlar elde etmek için yazıcınızın yapılandırmasındaki " #~ "maksimum hız ayarını yapabilirsiniz." @@ -17826,8 +17873,8 @@ msgstr "" #~ "Add solid infill near sloping surfaces to guarantee the vertical shell " #~ "thickness (top+bottom solid layers)" #~ msgstr "" -#~ "Dikey kabuk kalınlığını garanti etmek için eğimli yüzeylerin yakınına " -#~ "katı dolgu ekleyin (üst + alt katı katmanlar)" +#~ "Dikey kabuk kalınlığını garanti etmek için eğimli yüzeylerin yakınına katı " +#~ "dolgu ekleyin (üst + alt katı katmanlar)" #~ msgid "Further reduce solid infill on walls (beta)" #~ msgstr "Duvarlardaki katı dolguyu daha da azaltın (deneysel)" @@ -17881,8 +17928,8 @@ msgstr "" #~ "are not specified explicitly." #~ msgstr "" #~ "Daha iyi katman soğutması için yavaşlama etkinleştirildiğinde, yazdırma " -#~ "çıkıntıları olduğunda ve özellik hızları açıkça belirtilmediğinde " -#~ "filament için minimum yazdırma hızı." +#~ "çıkıntıları olduğunda ve özellik hızları açıkça belirtilmediğinde filament " +#~ "için minimum yazdırma hızı." #~ msgid "No sparse layers (EXPERIMENTAL)" #~ msgstr "Seyrek katman yok (DENEYSEL)" @@ -17908,8 +17955,8 @@ msgstr "" #~ msgstr "wiki" #~ msgid "" -#~ "Relative extrusion is recommended when using \"label_objects\" option." -#~ "Some extruders work better with this option unckecked (absolute extrusion " +#~ "Relative extrusion is recommended when using \"label_objects\" option.Some " +#~ "extruders work better with this option unckecked (absolute extrusion " #~ "mode). Wipe tower is only compatible with relative mode. It is always " #~ "enabled on BambuLab printers. Default is checked" #~ msgstr "" @@ -18039,8 +18086,8 @@ msgstr "" #~ "Bir Parçayı Çıkar\n" #~ "Negatif parça değiştiriciyi kullanarak bir ağı diğerinden " #~ "çıkarabileceğinizi biliyor muydunuz? Bu şekilde örneğin doğrudan Orca " -#~ "Slicer'da kolayca yeniden boyutlandırılabilen delikler " -#~ "oluşturabilirsiniz. Daha fazlasını belgelerde okuyun." +#~ "Slicer'da kolayca yeniden boyutlandırılabilen delikler oluşturabilirsiniz. " +#~ "Daha fazlasını belgelerde okuyun." #~ msgid "Filling bed " #~ msgstr "Yatak doldurma " @@ -18056,8 +18103,7 @@ msgstr "" #~ msgstr "" #~ "Doğrusal desene geçilsin mi?\n" #~ "Evet - otomatik olarak doğrusal desene geçin\n" -#~ "Hayır - yoğunluğu otomatik olarak %100 olmayan varsayılan değere " -#~ "sıfırlayın" +#~ "Hayır - yoğunluğu otomatik olarak %100 olmayan varsayılan değere sıfırlayın" #~ msgid "Please heat the nozzle to above 170 degree before loading filament." #~ msgstr "" @@ -18298,8 +18344,8 @@ msgstr "" #~ "load uptodate process/machine settings from the specified file when using " #~ "uptodate" #~ msgstr "" -#~ "güncellemeyi kullanırken belirtilen dosyadan güncel işlem/" -#~ "yazıcıayarlarını yükle" +#~ "güncellemeyi kullanırken belirtilen dosyadan güncel işlem/yazıcıayarlarını " +#~ "yükle" #~ msgid "Output directory" #~ msgstr "Çıkış dizini" @@ -18346,8 +18392,8 @@ msgstr "" #~ "OrcaSlicer configuration file may be corrupted and is not abled to be " #~ "parsed.Please delete the file and try again." #~ msgstr "" -#~ "OrcaSlicer yapılandırma dosyası bozulmuş olabilir ve ayrıştırılması " -#~ "mümkün olmayabilir. Lütfen dosyayı silin ve tekrar deneyin." +#~ "OrcaSlicer yapılandırma dosyası bozulmuş olabilir ve ayrıştırılması mümkün " +#~ "olmayabilir. Lütfen dosyayı silin ve tekrar deneyin." #~ msgid "Online Models" #~ msgstr "Çevrimiçi Modeller" @@ -18361,8 +18407,8 @@ msgstr "" #~ msgid "" #~ "There are currently no identical spare consumables available, and " #~ "automatic replenishment is currently not possible. \n" -#~ "(Currently supporting automatic supply of consumables with the same " -#~ "brand, material type, and color)" +#~ "(Currently supporting automatic supply of consumables with the same brand, " +#~ "material type, and color)" #~ msgstr "" #~ "Şu anda aynı yedek sarf malzemesi mevcut değildir ve otomatik yenileme şu " #~ "anda mümkün değildir.\n" @@ -18394,8 +18440,7 @@ msgstr "" #~ "daha sıcak olamaz" #~ msgid "Enable this option if machine has auxiliary part cooling fan" -#~ msgstr "" -#~ "Makinede yardımcı parça soğutma fanı varsa bu seçeneği etkinleştirin" +#~ msgstr "Makinede yardımcı parça soğutma fanı varsa bu seçeneği etkinleştirin" #~ msgid "" #~ "This option is enabled if machine support controlling chamber temperature" @@ -18423,8 +18468,7 @@ msgstr "" #~ "katmanları etkilemez" #~ msgid "Empty layers around bottom are replaced by nearest normal layers." -#~ msgstr "" -#~ "Alt kısımdaki boş katmanların yerini en yakın normal katmanlar alır." +#~ msgstr "Alt kısımdaki boş katmanların yerini en yakın normal katmanlar alır." #~ msgid "The model has too many empty layers." #~ msgstr "Modelde çok fazla boş katman var." @@ -18442,9 +18486,8 @@ msgstr "" #~ "Bed temperature when high temperature plate is installed. Value 0 means " #~ "the filament does not support to print on the High Temp Plate" #~ msgstr "" -#~ "Yüksek sıcaklık plakası takıldığında yatak sıcaklığı. 0 değeri, " -#~ "filamentin Yüksek Sıcaklık Plakasına yazdırmayı desteklemediği anlamına " -#~ "gelir" +#~ "Yüksek sıcaklık plakası takıldığında yatak sıcaklığı. 0 değeri, filamentin " +#~ "Yüksek Sıcaklık Plakasına yazdırmayı desteklemediği anlamına gelir" #~ msgid "" #~ "Klipper's max_accel_to_decel will be adjusted to this % of acceleration" @@ -18464,8 +18507,7 @@ msgstr "" #~ msgstr "" #~ "Desteğin stili ve şekli. Normal destek için, desteklerin düzenli bir " #~ "ızgaraya yansıtılması daha sağlam destekler oluşturur (varsayılan), rahat " -#~ "destek kuleleri ise malzemeden tasarruf sağlar ve nesne izlerini " -#~ "azaltır.\n" +#~ "destek kuleleri ise malzemeden tasarruf sağlar ve nesne izlerini azaltır.\n" #~ "Ağaç desteği için, ince stil, dalları daha agresif bir şekilde " #~ "birleştirecek ve çok fazla malzeme tasarrufu sağlayacak (varsayılan), " #~ "hibrit stil ise büyük düz çıkıntılar altında normal desteğe benzer yapı " From 3638c05270d909a2c8a4fdebaa43b1b877d8bfee Mon Sep 17 00:00:00 2001 From: Dylan <331506+macdylan@users.noreply.github.com> Date: Sun, 1 Sep 2024 22:31:11 +0800 Subject: [PATCH 30/35] update User-Agent in http request header (#6599) * Update Http.cpp `SLIC3R_APP_NAME + SoftFever_VERSION` is used in Gcode, but `SLIC3R_VERSION` is used incorrectly here. --- src/slic3r/Utils/Http.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/slic3r/Utils/Http.cpp b/src/slic3r/Utils/Http.cpp index 77a44e699b..bfd9eab2f0 100644 --- a/src/slic3r/Utils/Http.cpp +++ b/src/slic3r/Utils/Http.cpp @@ -184,7 +184,7 @@ Http::priv::priv(const std::string &url) set_timeout_max(DEFAULT_TIMEOUT_MAX); ::curl_easy_setopt(curl, CURLOPT_DEBUGFUNCTION, log_trace); ::curl_easy_setopt(curl, CURLOPT_URL, url.c_str()); // curl makes a copy internally - ::curl_easy_setopt(curl, CURLOPT_USERAGENT, SLIC3R_APP_NAME "/" SLIC3R_VERSION); + ::curl_easy_setopt(curl, CURLOPT_USERAGENT, SLIC3R_APP_NAME "/" SoftFever_VERSION); ::curl_easy_setopt(curl, CURLOPT_ERRORBUFFER, &error_buffer.front()); #ifdef __WINDOWS__ ::curl_easy_setopt(curl, CURLOPT_SSLVERSION, CURL_SSLVERSION_MAX_TLSv1_2); From 3e6d2d0f4532224fff3467b70fb2f4b921982e64 Mon Sep 17 00:00:00 2001 From: SoftFever Date: Sun, 1 Sep 2024 22:22:21 +0800 Subject: [PATCH 31/35] hide adaptive_bed_mesh and thumbnails parameters for bbl machines --- src/slic3r/GUI/Tab.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/slic3r/GUI/Tab.cpp b/src/slic3r/GUI/Tab.cpp index 8b6477fc4b..8d9d7209ba 100644 --- a/src/slic3r/GUI/Tab.cpp +++ b/src/slic3r/GUI/Tab.cpp @@ -4457,7 +4457,7 @@ void TabPrinter::toggle_options() toggle_line(el, is_BBL_printer); // SoftFever: hide non-BBL settings - for (auto el : {"use_firmware_retraction", "use_relative_e_distances", "support_multi_bed_types", "pellet_modded_printer"}) + for (auto el : {"use_firmware_retraction", "use_relative_e_distances", "support_multi_bed_types", "pellet_modded_printer", "bed_mesh_max", "bed_mesh_min", "bed_mesh_probe_distance", "adaptive_bed_mesh_margin", "thumbnails"}) toggle_line(el, !is_BBL_printer); } From a1e2267fdfde15c27aec7aa23019e2d005078aaf Mon Sep 17 00:00:00 2001 From: George Peden Date: Tue, 3 Sep 2024 07:58:11 -0700 Subject: [PATCH 32/35] case insensitive sort for filament vendor list (#6594) * case insensitive sort for filament vendor list * Merge branch 'main' into case-insensitive-filament-vendor-sort --- src/slic3r/GUI/CreatePresetsDialog.cpp | 25 +++++++++++++++++++++---- 1 file changed, 21 insertions(+), 4 deletions(-) diff --git a/src/slic3r/GUI/CreatePresetsDialog.cpp b/src/slic3r/GUI/CreatePresetsDialog.cpp index d40b1343a0..5a86572be6 100644 --- a/src/slic3r/GUI/CreatePresetsDialog.cpp +++ b/src/slic3r/GUI/CreatePresetsDialog.cpp @@ -143,6 +143,15 @@ static bool str_is_all_digit(const std::string &str) { return true; } +// Custom comparator for case-insensitive sorting +static bool caseInsensitiveCompare(const std::string& a, const std::string& b) { + std::string lowerA = a; + std::string lowerB = b; + std::transform(lowerA.begin(), lowerA.end(), lowerA.begin(), ::tolower); + std::transform(lowerB.begin(), lowerB.end(), lowerB.begin(), ::tolower); + return lowerA < lowerB; +} + static bool delete_filament_preset_by_name(std::string delete_preset_name, std::string &selected_preset_name) { BOOST_LOG_TRIVIAL(info) << __FUNCTION__ << boost::format("select preset, name %1%") % delete_preset_name; @@ -692,11 +701,19 @@ wxBoxSizer *CreateFilamentPresetDialog::create_vendor_item() optionSizer->SetMinSize(OPTION_SIZE); horizontal_sizer->Add(optionSizer, 0, wxEXPAND | wxALL | wxALIGN_CENTER_VERTICAL, FromDIP(5)); - wxArrayString choices; - for (const wxString vendor : filament_vendors) { - choices.push_back(vendor); + // Convert all std::any to std::string + std::vector string_vendors; + for (const auto& vendor_any : filament_vendors) { + string_vendors.push_back(std::any_cast(vendor_any)); + } + + // Sort the vendors alphabetically + std::sort(string_vendors.begin(), string_vendors.end(), caseInsensitiveCompare); + + wxArrayString choices; + for (const std::string &vendor : string_vendors) { + choices.push_back(wxString(vendor)); // Convert std::string to wxString before adding } - choices.Sort(); wxBoxSizer *vendor_sizer = new wxBoxSizer(wxHORIZONTAL); m_filament_vendor_combobox = new ComboBox(this, wxID_ANY, wxEmptyString, wxDefaultPosition, NAME_OPTION_COMBOBOX_SIZE, 0, nullptr, wxCB_READONLY); From 328f74ed8134bd7d2f7175d632e79cd7abdd8197 Mon Sep 17 00:00:00 2001 From: George Peden Date: Tue, 3 Sep 2024 07:58:54 -0700 Subject: [PATCH 33/35] Treat linuxmint the same as ubuntu. fixes #6591 (#6592) * Treat linuxmint the same as ubuntu. fixes #6591 * Merge branch 'SoftFever:main' into buildlinuxmint --- BuildLinux.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/BuildLinux.sh b/BuildLinux.sh index abb81ca737..28d84fb046 100755 --- a/BuildLinux.sh +++ b/BuildLinux.sh @@ -80,7 +80,7 @@ fi DISTRIBUTION=$(awk -F= '/^ID=/ {print $2}' /etc/os-release) # treat ubuntu as debian -if [ "${DISTRIBUTION}" == "ubuntu" ] +if [ "${DISTRIBUTION}" == "ubuntu" ] || [ "${DISTRIBUTION}" == "linuxmint" ] then DISTRIBUTION="debian" fi From 9e3969b61cbb5171593e02376b38630721169454 Mon Sep 17 00:00:00 2001 From: gatosardina Date: Tue, 3 Sep 2024 17:44:27 +0200 Subject: [PATCH 34/35] Update OrcaSlicer_es.po (#6381) * Update OrcaSlicer_es.po * Update OrcaSlicer_es.po * Upodate OrcaSlicer_es.po * Update OrcaSlicer_es.po * Update OrcaSlicer_es.po * Add new translations and update existin from merged PR 6543 * Small fix in new msgid in OrcaSlicer_es.po * Fix string start and termination quotes * Fix string length? * Update check_locale.yml * testing with turkish translation * test format * fix format issues --- localization/i18n/es/OrcaSlicer_es.po | 2420 +++++++++++++------------ 1 file changed, 1305 insertions(+), 1115 deletions(-) diff --git a/localization/i18n/es/OrcaSlicer_es.po b/localization/i18n/es/OrcaSlicer_es.po index 0f8f804cfb..d36c911b28 100644 --- a/localization/i18n/es/OrcaSlicer_es.po +++ b/localization/i18n/es/OrcaSlicer_es.po @@ -103,10 +103,10 @@ msgid "Support Generated" msgstr "Soportes Generados" msgid "Gizmo-Place on Face" -msgstr "Situación-Gizmo enfrente" +msgstr "Herramienta de selección de faceta como base" msgid "Lay on face" -msgstr "Tumbar boca abajo" +msgstr "Seleccionar faceta como base" #, boost-format msgid "" @@ -118,10 +118,10 @@ msgstr "" "herramienta de pintura." msgid "Color Painting" -msgstr "Pintura en Color" +msgstr "Pintar colores" msgid "Pen shape" -msgstr "Forma de lápiz" +msgstr "Forma del pincel" msgid "Paint" msgstr "Pintar" @@ -185,16 +185,16 @@ msgid "Move" msgstr "Mover" msgid "Gizmo-Move" -msgstr "Movimiento-Gizmo" +msgstr "Herramienta de traslación" msgid "Rotate" msgstr "Rotar" msgid "Gizmo-Rotate" -msgstr "Rotación-Gizmo" +msgstr "Herramienta de rotación" msgid "Optimize orientation" -msgstr "Optimizar orientación" +msgstr "Optimizar orientación" msgid "Apply" msgstr "Aplicar" @@ -203,7 +203,7 @@ msgid "Scale" msgstr "Escalar" msgid "Gizmo-Scale" -msgstr "Reescalar-Gizmo" +msgstr "Ejes de escalado" msgid "Error: Please close all toolbar menus first" msgstr "" @@ -225,7 +225,7 @@ msgid "Rotation" msgstr "Rotación" msgid "Scale ratios" -msgstr "Ratios de escala" +msgstr "Ratios de escalado" msgid "Object Operations" msgstr "Operaciones con objetos" @@ -249,16 +249,20 @@ msgid "Set Scale" msgstr "Establecer Escala" msgid "Reset Position" -msgstr "Posición de reinicio" +msgstr "Reiniciar posición" msgid "Reset Rotation" msgstr "Reiniciar rotación" msgid "World coordinates" -msgstr "Coordenadas cartesianas" +msgstr "Coordenadas globales" msgid "Object coordinates" -msgstr "Coordenadas del objeto" +msgstr "Coordenadas de objeto" +#. Check with softfever +#. Coordenadas del objeto estaría mal. +#. Este mensaje informa de unas coordenadas en base de las coordenadas locales del objeto +#. Coordenadas del objeto significaria las coordenadas del objeto en base a otros ejes de coordenadas msgid "°" msgstr "°" @@ -277,7 +281,7 @@ msgid "Planar" msgstr "Plano" msgid "Dovetail" -msgstr "Cola de milano" +msgstr "Cola de milano o pato" msgid "Auto" msgstr "Automático" @@ -299,6 +303,7 @@ msgstr "Prisma" msgid "Frustum" msgstr "Cono" +#. ? check with softfever msgid "Square" msgstr "Cuadrado" @@ -310,7 +315,7 @@ msgid "Keep orientation" msgstr "Mantener la orientación" msgid "Place on cut" -msgstr "Colocar en la posición de corte" +msgstr "Apoyar el plano de corte" msgid "Flip upside down" msgstr "Dar la vuelta" @@ -377,10 +382,10 @@ msgid "Change cut mode" msgstr "Cambiar modo de corte" msgid "Tolerance" -msgstr "Toleráncia" +msgstr "Tolerancia" msgid "Drag" -msgstr "Soltar" +msgstr "Arrastrar" msgid "Draw cut line" msgstr "Dibujar línea de corte" @@ -471,16 +476,16 @@ msgid "Reset cutting plane and remove connectors" msgstr "Reajustar el plano de corte y retirar los conectores" msgid "Upper part" -msgstr "Parte alta" +msgstr "Parte superior" msgid "Lower part" -msgstr "Parte baja" +msgstr "Parte inferior" msgid "Keep" msgstr "Mantener" msgid "Flip" -msgstr "Girar" +msgstr "Voltear" msgid "After cut" msgstr "Después del corte" @@ -492,7 +497,7 @@ msgid "Perform cut" msgstr "Realizar corte" msgid "Warning" -msgstr "Peligro" +msgstr "Advertencia" msgid "Invalid connectors detected" msgstr "Conectores inválidos detectados" @@ -513,7 +518,7 @@ msgid "Some connectors are overlapped" msgstr "Algunos conectores están solapados" msgid "Select at least one object to keep after cutting." -msgstr "Selecciona al menos un objeto para conservarlo después de cortarlo." +msgstr "Selecciona al menos un objeto que conservar después del corte." msgid "Cut plane is placed out of object" msgstr "El plano de corte se sitúa fuera del objeto" @@ -525,18 +530,18 @@ msgid "Connector" msgstr "Conector" msgid "Cut by Plane" -msgstr "Corte en Plano" +msgstr "Corte por Plano" msgid "non-manifold edges be caused by cut tool, do you want to fix it now?" msgstr "" -"Los bordes no plegados son causados por la herramienta de corte, ¿quieres " -"arreglarlo ahora?" +"La operación de corte ha resultado en bordes no plegados, ¿Desea " +"repararlos ahora?" msgid "Repairing model object" -msgstr "Reparación de un objeto modelo" +msgstr "Raparando modelo" msgid "Cut by line" -msgstr "Corte en Línea" +msgstr "Corte por Línea" msgid "Delete connector" msgstr "Borrar Conector" @@ -599,7 +604,7 @@ msgid "%1%" msgstr "%1%" msgid "Can't apply when process preview." -msgstr "No se puede aplicar cuando la vista previa del proceso." +msgstr "No se puede aplicar en la vista previa del proceso." msgid "Operation already cancelling. Please wait few seconds." msgstr "Operación ya cancelada. Por favor, espere unos segundos." @@ -659,7 +664,7 @@ msgstr "" "Integrada" msgid "Input text" -msgstr "Texto de entrada" +msgstr "Insertar texto" msgid "Surface" msgstr "Superficie" @@ -668,7 +673,7 @@ msgid "Horizontal text" msgstr "Texto horizontal" msgid "Shift + Mouse move up or down" -msgstr "Shift + Mover ratón arriba u abajo" +msgstr "Shift + Mover ratón arriba o abajo" msgid "Rotate text" msgstr "Rotar texto" @@ -678,23 +683,27 @@ msgstr "Forma de texto" #. TRN - Title in Undo/Redo stack after rotate with text around emboss axe msgid "Text rotate" -msgstr "Rotar texto" +msgstr "Texto rotado" +#. Aqui, texto rotado está bien dicho porque se refiere a una operación ya ha realizada +#. Alternativamente, Rotción de texto p.e. #. TRN - Title in Undo/Redo stack after move with text along emboss axe - From surface msgid "Text move" -msgstr "Mover texto" +msgstr "Text desplzado" +#. Leer arriba msgid "Set Mirror" msgstr "Configurar Espejo" +#. ? msgid "Embossed text" msgstr "Texto en relieve" msgid "Enter emboss gizmo" -msgstr "Entrar herramienta de relieve" +msgstr "Abrir la herramienta de relieve" msgid "Leave emboss gizmo" -msgstr "Abandonar herramienta de relieve" +msgstr "Cerrar la herramienta de relieve" msgid "Embossing actions" msgstr "Acciones de relieve" @@ -730,8 +739,8 @@ msgid "" "The text cannot be written using the selected font. Please try choosing a " "different font." msgstr "" -"El texto no puede escribirse con la fuente seleccionada. Por favor, intente " -"elegir una fuente diferente." +"El texto no puede escribirse con la fuente seleccionada. Por favor, intentelo " +"de nuevo eligiendo una fuente diferente." msgid "Embossed text cannot contain only white spaces." msgstr "El texto en relieve no puede contener sólo espacios en blanco." @@ -773,7 +782,7 @@ msgid "Operation" msgstr "Operación" msgid "Join" -msgstr "Ingresar" +msgstr "Juntar" msgid "Click to change text into object part." msgstr "Haga clic para cambiar el texto en la parte del objeto." @@ -821,6 +830,7 @@ msgstr "No se puede renombrar el estilo temporal." msgid "First Add style to list." msgstr "Primero Añadir estilo a la lista." +#. ? #, boost-format msgid "Save %1% style" @@ -869,7 +879,7 @@ msgstr "No se puede eliminar el estilo temporal \"%1%\"." #, boost-format msgid "Modified style \"%1%\"" -msgstr "Estilo modificado \"%1%\"" +msgstr "Estilo \"%1%\" modificado" #, boost-format msgid "Current style is \"%1%\"" @@ -1082,7 +1092,7 @@ msgstr "Desde la superficie" #. TRN - Input label. Be short as possible #. Keep vector from bottom to top of text aligned with printer Y axis msgid "Keep up" -msgstr "Mantener" +msgstr "Mantener verticalidad" #. TRN - Input label. Be short as possible. #. Some Font file contain multiple fonts inside and @@ -1099,10 +1109,10 @@ msgid "SVG move" msgstr "Mover SVG" msgid "Enter SVG gizmo" -msgstr "Introducir el objeto SVG" +msgstr "Abrir herramienta de SVG" msgid "Leave SVG gizmo" -msgstr "Abandonar el objeto SVG" +msgstr "Cerrar la herramienta SVG" msgid "SVG actions" msgstr "Acciones SVG" @@ -1129,13 +1139,16 @@ msgstr "Gradiente radial" msgid "Open filled path" msgstr "Abrir camino de relleno" +#. ? msgid "Undefined stroke type" -msgstr "Tipo de golpe indefinido" +msgstr "Tipo de pincelda indefinido" +#. ? msgid "Path can't be healed from selfintersection and multiple points." msgstr "" -"El camino no puede curarse de la auto-intersección y los puntos múltiples." +"El trazo no puede ser reparado debido a auto-intersección y múltiples " +"puntos." msgid "" "Final shape constains selfintersection or multiple points with same " @@ -1163,7 +1176,7 @@ msgid "Stroke of shape (%1%) contains unsupported: %2%." msgstr "Trazo de forma (%1%) contiene no soportado: %2%." msgid "Face the camera" -msgstr "De cara a la cámara" +msgstr "Alinear con la cámara" #. TRN - Preview of filename after clear local filepath. msgid "Unknown filename" @@ -1174,7 +1187,7 @@ msgid "SVG file path is \"%1%\"" msgstr "La ruta del archivo SVG es \"%1%\"." msgid "Reload SVG file from disk." -msgstr "Vuelva a cargar el archivo SVG desde el disco." +msgstr "Recargar el archivo SVG desde el disco." msgid "Change file" msgstr "Cambiar archivo" @@ -1189,7 +1202,7 @@ msgid "" "Do NOT save local path to 3MF file.\n" "Also disables 'reload from disk' option." msgstr "" -"NO guarda la ruta local al archivo 3MF. \n" +"NO guarda la ruta local al archivo en el archivo 3MF. \n" "También desactiva la opción 'recargar desde disco'." #. TRN: An menu option to convert the SVG into an unmodifiable model part. @@ -1198,7 +1211,7 @@ msgstr "Hornear" #. TRN: Tooltip for the menu item. msgid "Bake into model as uneditable part" -msgstr "Horneado en el modelo como parte no editable" +msgstr "Hornear en el modelo como parte no editable" msgid "Save as" msgstr "Guardar como" @@ -1245,10 +1258,10 @@ msgstr "" "encima de la superficie." msgid "Mirror vertically" -msgstr "Espejo vertical" +msgstr "Simetria vertical" msgid "Mirror horizontally" -msgstr "Espejo horizontal" +msgstr "Simetria horizontal" #. TRN: This is the name of the action that shows in undo/redo stack (changing part type from SVG to something else). msgid "Change SVG Type" @@ -1276,7 +1289,7 @@ msgstr "El analizador Nano SVG no puede cargar desde el archivo (%1%)." #, boost-format msgid "SVG file does NOT contain a single path to be embossed (%1%)." -msgstr "El archivo SVG NO contiene una ruta única para el relieve (%1%)." +msgstr "El archivo SVG NO contiene ninguna ruta para el relieve (%1%)." msgid "Vertex" msgstr "Vértice" @@ -1324,7 +1337,8 @@ msgid "Unselect" msgstr "Deseleccionar" msgid "Measure" -msgstr "Medida" +msgstr "Medir" +#. ? msgid "Edit to scale" msgstr "Editar a escala" @@ -1340,7 +1354,7 @@ msgid "Diameter" msgstr "Diámetro" msgid "Length" -msgstr "Largo" +msgstr "Longitud" msgid "Selection" msgstr "Selección" @@ -1375,7 +1389,7 @@ msgstr "%1% fue reemplazado por %2%" msgid "The configuration may be generated by a newer version of OrcaSlicer." msgstr "" -"La configuración puede ser generada por una versión más reciente de " +"La configuración podría haber sido generada por una versión más reciente de " "OrcaSlicer." msgid "Some values have been replaced. Please check them:" @@ -1406,8 +1420,8 @@ msgid "" "OrcaSlicer will terminate because of running out of memory.It may be a bug. " "It will be appreciated if you report the issue to our team." msgstr "" -"OrcaSlicer terminará porque se está quedando sin memoria. Le agradeceremos " -"que comunique el problema a nuestro equipo." +"OrcaSlicer se cerrará por falta de memoria. Le agradeceremos que comunique " +"el suceso a nuestro equipo." # msgid "OrcaSlicer will terminate because of running out of memory.It may be # a bug. It will be appreciated if you report the issue to our team." @@ -1420,7 +1434,7 @@ msgid "" "OrcaSlicer will terminate because of a localization error. It will be " "appreciated if you report the specific scenario this issue happened." msgstr "" -"OrcaSlicer se cerrará debido a un error de posición. Le agradeceremos que " +"OrcaSlicer se cerrará debido a un error de traducción. Le agradeceremos que " "nos informe del escenario específico en el que se ha producido este problema." # msgid "OrcaSlicer will terminate because of a localization error. It will be @@ -1441,10 +1455,10 @@ msgstr "Sin título" # msgid "OrcaSlicer got an unhandled exception: %1%" # msgstr "OrcaSlicer obtuvo una excepción no manejada: %1%" msgid "Downloading Bambu Network Plug-in" -msgstr "Descargando el complemento de Red Bambú" +msgstr "Descargando el plug-in de Red de Bambu Lab" msgid "Login information expired. Please login again." -msgstr "Los datos de acceso han caducado. Por favor, inicie sesión de nuevo." +msgstr "La sesión ha caducado. Por favor, inicie sesión de nuevo." msgid "Incorrect password" msgstr "Contraseña incorrecta" @@ -1458,12 +1472,12 @@ msgid "" "features.\n" "Click Yes to install it now." msgstr "" -"Orca Slicer requiere el tiempo de ejecución de Microsoft WebView2 para " -"operar ciertas características.\n" +"Orca Slicer requiere de la librería Microsoft WebView2 Runtime para la " +"funcianolidad de ciertas características.\n" "Haga clic en Sí para instalarlo ahora." msgid "WebView2 Runtime" -msgstr "Tiempo de ejecución de WebView2" +msgstr "WebView2 Runtime" #, c-format, boost-format msgid "" @@ -1471,7 +1485,7 @@ msgid "" "Do you want to continue?" msgstr "" "%s\n" -"¿Quieres continuar?" +"¿Desea continuar?" msgid "Remember my choice" msgstr "Recordar mi selección" @@ -1509,28 +1523,28 @@ msgid "Rebuild" msgstr "Reconstruir" msgid "Loading current presets" -msgstr "Carga de los perfiles actuales" +msgstr "Cargando los perfiles actuales" msgid "Loading a mode view" msgstr "Cargar un modo de vista" msgid "Choose one file (3mf):" -msgstr "Elija un archivo (3mf):" +msgstr "Escoja un archivo (3mf):" msgid "Choose one or more files (3mf/step/stl/svg/obj/amf/usd*/abc/ply):" msgstr "Escoja uno o más archivos (3mf/step/stl/svg/obj/amf/usd*/abc/ply):" msgid "Choose one or more files (3mf/step/stl/svg/obj/amf):" -msgstr "Elige uno o más archivos (3mf/step/stl/svg/obj/amf):" +msgstr "Escoja uno o más archivos (3mf/step/stl/svg/obj/amf):" msgid "Choose ZIP file" -msgstr "Escoger archivo ZIP" +msgstr "Escoja archivo ZIP" msgid "Choose one file (gcode/3mf):" -msgstr "Elegir un archivo (gcode/3mf):" +msgstr "Escoja un archivo (gcode/3mf):" msgid "Some presets are modified." -msgstr "Algunos perfiles se modificaron." +msgstr "Algunos perfiles fueron modificados." msgid "" "You can keep the modifield presets to the new project, discard or save " @@ -1564,18 +1578,18 @@ msgid "" "The number of user presets cached in the cloud has exceeded the upper limit, " "newly created user presets can only be used locally." msgstr "" -"El número de perfiles de usuario almacenados en caché en la nube ha superado " -"el límite superior, los perfiles de usuario recién creados sólo pueden " -"utilizarse localmente." +"El número de perfiles de usuario almacenados en la nube ha superado el número " +"permitido, los perfiles de usuario adicionales sólo podrán utilizarse " +"localmente." msgid "Sync user presets" msgstr "Sincronizar perfiles de usuario" msgid "Loading user preset" -msgstr "Cargando la preselección del usuario" +msgstr "Cargando perfil de usuario" msgid "Switching application language" -msgstr "Cambio de idioma de la aplicación" +msgstr "Cambiando el idioma de la aplicación" msgid "Select the language" msgstr "Seleccionar el idioma" @@ -1590,7 +1604,7 @@ msgid "The uploads are still ongoing" msgstr "Las subidas aún están en curso" msgid "Stop them and continue anyway?" -msgstr "¿Pararlos y continuar de todas maneras?" +msgstr "¿Detenerlas y continuar de todos modos?" msgid "Ongoing uploads" msgstr "Cargas en curso" @@ -1641,7 +1655,7 @@ msgid "Support" msgstr "Soportes" msgid "Flush options" -msgstr "Opciones de flujo" +msgstr "Opciones de purgado de filamento" msgid "Speed" msgstr "Velocidad" @@ -1665,7 +1679,7 @@ msgid "Ironing" msgstr "Alisado" msgid "Fuzzy Skin" -msgstr "Piel Difusa" +msgstr "Superficie Rugosa" msgid "Extruders" msgstr "Extrusores" @@ -1692,7 +1706,7 @@ msgid "Add support blocker" msgstr "Añadir bloqueo de soportes" msgid "Add support enforcer" -msgstr "Añadir refuerzo de soportes" +msgstr "Añadir forzado de soportes" msgid "Add text" msgstr "Añadir texto" @@ -1714,6 +1728,8 @@ msgstr "Añadir modificador SVG" msgid "Select settings" msgstr "Seleccionar los ajustes" +#. ? Ajustes de selección? + msgid "Hide" msgstr "Ocultar" @@ -1743,7 +1759,7 @@ msgid "Disc" msgstr "Disco" msgid "Torus" -msgstr "Torus" +msgstr "Toroide" msgid "Orca Cube" msgstr "Cubo Orca" @@ -1752,16 +1768,16 @@ msgid "3DBenchy" msgstr "3DBenchy" msgid "Autodesk FDM Test" -msgstr "Prueba Autodesk FDM" +msgstr "Prueba FDM de Autodesk" msgid "Voron Cube" -msgstr "Cubo de Vorón" +msgstr "Cubo Voron" msgid "Stanford Bunny" msgstr "Conejito Stanford" msgid "Orca String Hell" -msgstr "Infierno de cadena Orca" +msgstr "Test de hilos de Orca \" String Hell\"" msgid "" "This model features text embossment on the top surface. For optimal results, " @@ -1770,12 +1786,12 @@ msgid "" "Yes - Change these settings automatically\n" "No - Do not change these settings for me" msgstr "" -"Este modelo presenta texto en relieve en la superficie superior. Para " +"Este modelo contiene texto en relieve en la superficie superior. Para " "obtener resultados óptimos, es aconsejable establecer el \"Umbral de " "perímetro (min_width_top_surface)\" a 0 para que \"Sólo un perímetro en las " "superficies superiores\" funcione mejor. \n" "Sí - Cambiar estos ajustes automáticamente \n" -"No - No cambiar estos ajustes para mí" +"No - No cambiar estos ajustes" msgid "Text" msgstr "Texto" @@ -1785,15 +1801,16 @@ msgstr "Modificador de rango de Altura" msgid "Add settings" msgstr "Añadir ajustes" +#. ? Ajustes de añadido? msgid "Change type" msgstr "Cambiar tipo" msgid "Set as an individual object" -msgstr "Ajustar como objeto individual" +msgstr "Cambiar a objeto individual" msgid "Set as individual objects" -msgstr "Ajustar como objetos individuales" +msgstr "Cambiar a objetos individuales" msgid "Fill bed with copies" msgstr "Llenar la cama de copias" @@ -1829,7 +1846,7 @@ msgid "Change filament" msgstr "Cambiar el filamento" msgid "Set filament for selected items" -msgstr "Ajustar el filamento para los elementos seleccionados" +msgstr "Cambiar el filamento para los elementos seleccionados" msgid "Default" msgstr "Por defecto" @@ -1842,13 +1859,13 @@ msgid "current" msgstr "actual" msgid "Scale to build volume" -msgstr "Escala para la impresión del volumen" +msgstr "Escalar al volumen de impresión" msgid "Scale an object to fit the build volume" msgstr "Escalar un objeto para que se ajuste al volumen de impresión" msgid "Flush Options" -msgstr "Opciones de Flujo" +msgstr "Opciones de purgado" msgid "Flush into objects' infill" msgstr "Purgar en el relleno de objetos" @@ -1863,13 +1880,13 @@ msgid "Edit in Parameter Table" msgstr "Editar en la Tabla de Parámetros" msgid "Convert from inch" -msgstr "Convertir desde pulgadas" +msgstr "Convertir de pulgadas" msgid "Restore to inch" msgstr "Restaurar a pulgadas" msgid "Convert from meter" -msgstr "Convertir desde metros" +msgstr "Convertir de metros" msgid "Restore to meter" msgstr "Restaurar a metros" @@ -1881,34 +1898,37 @@ msgid "Assemble the selected objects to an object with multiple parts" msgstr "Ensamblar los objetos seleccionados en un objeto con múltiples piezas" msgid "Assemble the selected objects to an object with single part" -msgstr "Ensamblar los objetos seleccionados en un objeto con una sola pieza" +msgstr "Ensamblar los objetos seleccionados en un objeto de una sola pieza" msgid "Mesh boolean" -msgstr "Malla booleana" +msgstr "Operaciones booleanas de malla" msgid "Mesh boolean operations including union and subtraction" -msgstr "Las operaciones de malla booleana incluidas en la unión y resta" +msgstr "Operaciones booleanas de malla incluyendo la unión y substracción" msgid "Along X axis" msgstr "A lo largo del eje X" msgid "Mirror along the X axis" -msgstr "Espejo a lo largo del eje X" +msgstr "Reflejar a lo largo del eje X" +#. Alternativamente, Simetria a lo largo del eje X msgid "Along Y axis" msgstr "A lo largo del eje Y" msgid "Mirror along the Y axis" -msgstr "Espejo a lo largo del eje Y" +msgstr "Reflejar a lo largo del eje Y" +#. Alternativamente, Simetria a lo largo del eje Y msgid "Along Z axis" msgstr "A lo largo del eje Z" msgid "Mirror along the Z axis" -msgstr "Espejo a lo largo del eje Z" +msgstr "Reflejar a lo largo del eje Z" +#. Alternativamente, Simetria a lo largo del eje Z msgid "Mirror object" -msgstr "Objeto reflejado" +msgstr "Reflejar objeto" msgid "Edit text" msgstr "Editar texto" @@ -1978,7 +1998,7 @@ msgid "Arrange" msgstr "Organizar" msgid "arrange current plate" -msgstr "Ordenar la bandeja actual" +msgstr "Organizar la bandeja actual" msgid "Reload All" msgstr "Recargar todo" @@ -1996,7 +2016,7 @@ msgid "Delete Plate" msgstr "Borrar Bandeja" msgid "Remove the selected plate" -msgstr "Retirar la bandeja seleccionada" +msgstr "Eliminar la bandeja seleccionada" msgid "Clone" msgstr "Clonar" @@ -2008,10 +2028,11 @@ msgid "Center" msgstr "Centrar" msgid "Drop" -msgstr "" +msgstr "Soltar" +#. ? drop on plate? discard? msgid "Edit Process Settings" -msgstr "Editar Ajustes de Procesado" +msgstr "Editar Ajustes de Proceso" msgid "Edit print parameters for a single object" msgstr "Editar los parámetros de impresión de un solo objeto" @@ -2020,7 +2041,7 @@ msgid "Change Filament" msgstr "Cambiar el Filamento" msgid "Set Filament for selected items" -msgstr "Ajustar el filamento para los elementos seleccionados" +msgstr "Cambiar el filamento para los elementos seleccionados" msgid "Unlock" msgstr "Desbloquear" @@ -2046,8 +2067,8 @@ msgstr[1] "%1$d errores reparados" #, c-format, boost-format msgid "Error: %1$d non-manifold edge." msgid_plural "Error: %1$d non-manifold edges." -msgstr[0] "Error: %1$d contorno no moldeado." -msgstr[1] "Error: %1$d contornos no moldeados." +msgstr[0] "Error: %1$d contorno con geometría incorrecta." +msgstr[1] "Error: %1$d contornos con geometría incorrecta." msgid "Remaining errors" msgstr "Errores restantes" @@ -2055,13 +2076,12 @@ msgstr "Errores restantes" #, c-format, boost-format msgid "%1$d non-manifold edge" msgid_plural "%1$d non-manifold edges" -msgstr[0] "%1$d contorno no moldeado" -msgstr[1] "%1$d contornos no moldeados" +msgstr[0] "%1$d contorno con geometría incorrecta" +msgstr[1] "%1$d contornos con geometría incorrecta" msgid "Right click the icon to fix model object" msgstr "" -"Haga clic con el botón derecho del ratón en el icono para reparar el objeto " -"del modelo" +"Haga clic con el botón derecho del ratón en el icono para reparar el objeto" msgid "Right button click the icon to drop the object settings" msgstr "" @@ -2073,18 +2093,18 @@ msgstr "Haga clic en el icono para restablecer todos los ajustes del objeto" msgid "Right button click the icon to drop the object printable property" msgstr "" -"Haga clic con el botón derecho en el icono para descartar la característica " -"imprimible del objeto" +"Haga clic con el botón derecho en el icono para descartar la propiedad " +"de imprimible del objeto" msgid "Click the icon to toggle printable property of the object" msgstr "" -"Haga clic en el icono para alternar la característica imprimible del objeto" +"Haga clic en el icono para alternar la propiedad de imprimible del objeto" msgid "Click the icon to edit support painting of the object" -msgstr "Haga clic en el icono para editar la pintura de apoyo del objeto" +msgstr "Haga clic en el icono para editar el pintado de apoyos del objeto" msgid "Click the icon to edit color painting of the object" -msgstr "Haga clic en el icono para editar la pintura de color del objeto" +msgstr "Haga clic en el icono para editar el pintado de colores del objeto" msgid "Click the icon to shift this object to the bed" msgstr "Presionar el icono para desplazar este objeto a la cama" @@ -2106,18 +2126,19 @@ msgstr "Añadir modificador" msgid "Switch to per-object setting mode to edit modifier settings." msgstr "" -"Cambia al modo de ajuste por objeto para editar los ajustes de los " -"modificadores." +"Cambia al modo de ajuste a modo por objeto para editar los ajustes de " +"los modificadores." msgid "" "Switch to per-object setting mode to edit process settings of selected " "objects." msgstr "" -"Cambiar al modo de ajuste por objeto para editar los ajustes de proceso de " -"los objetos." +"Cambiar al modo de ajuste a modo por objeto para editar los ajustes de " +"proceso de los objetos." msgid "Delete connector from object which is a part of cut" msgstr "Borrar conector del objeto el cual es parte del corte" +#. ? de un corte generico o del corte espcifico? msgid "Delete solid part from object which is a part of cut" msgstr "Borrar la parte sólida del objeto la cual es parte del corte" @@ -2139,7 +2160,7 @@ msgid "" "To manipulate with solid parts or negative volumes you have to invalidate " "cut infornation first." msgstr "" -"La acción interrumpirá la correspondencia de corte.\n" +"La acción interrumpirá la correspondencia de un corte.\n" "Después de esto la consistencia no podrá ser garantizada.\n" "\n" "Para manipular partes sólidas o volúmenes negativos tienes que invalidar la " @@ -2155,7 +2176,7 @@ msgid "The target object contains only one part and can not be splited." msgstr "El objeto de destino sólo contiene una pieza y no se puede dividir." msgid "Assembly" -msgstr "Montaje" +msgstr "Ensamblaje" msgid "Cut Connectors information" msgstr "Información de Conectores de Corte" @@ -2167,13 +2188,13 @@ msgid "Group manipulation" msgstr "Manipulación de grupo" msgid "Object Settings to modify" -msgstr "Ajustes de objeto modificables" +msgstr "Ajustes de objeto a modificar" msgid "Part Settings to modify" -msgstr "Ajustes de pieza modificables" +msgstr "Ajustes de pieza a modificar" msgid "Layer range Settings to modify" -msgstr "Ajustes de capa modificables" +msgstr "Ajustes de capa a modificar" msgid "Part manipulation" msgstr "Manipulación de piezas" @@ -2216,7 +2237,7 @@ msgid "Support Blocker" msgstr "Bloqueador de soporte" msgid "Support Enforcer" -msgstr "Refuerzo de Soportes" +msgstr "Forzado de Soportes" msgid "Type:" msgstr "Tipo:" @@ -2404,7 +2425,7 @@ msgid "Delete Filament Change" msgstr "Borrar Cambio de Filamento" msgid "No printer" -msgstr "Sin impresión" +msgstr "Sin impresora" msgid "..." msgstr "..." @@ -2423,20 +2444,20 @@ msgstr "Error al conectar con el servicio en la nube" msgid "Please click on the hyperlink above to view the cloud service status" msgstr "" -"Haga clic en el hipervínculo anterior para ver el estado del servicio en la " +"Haga clic en el hipervínculo anterior para ver el estado del servicio de la " "nube" msgid "Failed to connect to the printer" msgstr "No se ha podido conectar a la impresora" msgid "Connection to printer failed" -msgstr "Connection to printer failed" +msgstr "Conexión fallida con la impresora" msgid "Please check the network connection of the printer and Orca." msgstr "Compruebe la conexión de red de la impresora y Orca." msgid "Connecting..." -msgstr "Conectando…" +msgstr "Conectando..." msgid "?" msgstr "?" @@ -2558,7 +2579,7 @@ msgid "" "Arranging is done but there are unpacked items. Reduce spacing and try again." msgstr "" "El posicionamiento está hecho, pero hay artículos sin empaquetar. Reduzca el " -"espacio y vuelva a intentarlo." +"espaciado y vuelva a intentarlo." msgid "Arranging done." msgstr "Organización terminada." @@ -2627,7 +2648,7 @@ msgid "Login failed" msgstr "Fallo en el inicio de sesión" msgid "Please check the printer network connection." -msgstr "Por favor, compruebe la conexión de área local." +msgstr "Por favor, compruebe la conexión de red de la impresora." msgid "Abnormal print file data. Please slice again." msgstr "Datos de archivo de impresión anormales. Vuelva a laminar." @@ -2666,7 +2687,7 @@ msgstr "" msgid "" "Check the current status of the bambu server by clicking on the link above." msgstr "" -"Compruebe el estado actual del servidor Bambú haciendo clic en el enlace " +"Compruebe el estado actual del servidor Bambu haciendo clic en el enlace " "anterior." msgid "" @@ -2727,7 +2748,7 @@ msgstr "Enviando el archivo de G-Code a la tarjeta SD" #, c-format, boost-format msgid "Successfully sent. Close current page in %s s" -msgstr "Envío exitoso. Cierre la página actual en %s s" +msgstr "Envío exitoso. Cerrando la página actual en %s s" msgid "An SD card needs to be inserted before sending to printer." msgstr "Se necesita insertar una tarjeta SD antes de enviar a la impresora." @@ -2740,7 +2761,7 @@ msgid "" "printer preset first before importing that SLA archive." msgstr "" "El SLA importado no contiene ningún perfil. Por favor active algunos " -"perfiles de la impresora primero antes de importar ese archivo SLA." +"perfiles de impresora SLA antes de importar ese archivo SLA." msgid "Importing canceled." msgstr "Importación cancelada." @@ -2784,6 +2805,8 @@ msgstr "Instalación fallida" msgid "Portions copyright" msgstr "Porciones del copyright" +#. ? + msgid "Copyright" msgstr "Copyright" @@ -2925,7 +2948,7 @@ msgstr "" "filamento." msgid "Nozzle Diameter" -msgstr "Diámetro" +msgstr "Diámetro de boquilla" msgid "Bed Type" msgstr "Tipo de Cama" @@ -3020,9 +3043,9 @@ msgid "" "temperatures also slow down the process." msgstr "" "Cambie el desecante cuando esté demasiado húmedo. El indicador puede no ser " -"preciso en los siguientes casos: cuando la tapa está abierta o al paquete de " -"desecante. Este tarda horas en absorber la humedad, y las bajas temperaturas " -"también ralentizan el proceso." +"preciso en los siguientes casos: cuando la tapa está abierta o se cambia el " +"paquete de desecante. Este tarda horas en absorber la humedad, y las bajas " +"temperaturas también ralentizan el proceso." msgid "" "Config which AMS slot should be used for a filament used in the print job" @@ -3068,8 +3091,8 @@ msgstr "La impresora no soporta auto recarga actualmente." msgid "" "AMS filament backup is not enabled, please enable it in the AMS settings." msgstr "" -"La copia de seguridad de filamento AMS no está activada, por favor actívela " -"en la configuración AMS." +"La auto-reemplazo de filamento de AMS no está activada, por favor actívela " +"en la configuración de AMS." msgid "" "If there are two identical filaments in AMS, AMS filament backup will be " @@ -3077,9 +3100,9 @@ msgid "" "(Currently supporting automatic supply of consumables with the same brand, " "material type, and color)" msgstr "" -"Si hay dos filamentos idénticos en AMS, se habilitará la copia de seguridad " +"Si hay dos filamentos idénticos en AMS, se habilitará el auto-reemplazo " "de filamentos AMS. \n" -"(Actualmente admite el suministro automático de consumibles con la misma " +"(Actualmente admite el reemplazo automático de consumibles con la misma " "marca, tipo de material y color)." msgid "DRY" @@ -3099,7 +3122,7 @@ msgid "" "new Bambu Lab filament. This takes about 20 seconds." msgstr "" "El AMS leerá automáticamente la información del filamento al insertar un " -"nuevo filamento de Bambu Lab. Esto tardara unos 20 segundos." +"nuevo filamento de Bambu Lab. Esto tardará unos 20 segundos." msgid "" "Note: if a new filament is inserted during printing, the AMS will not " @@ -3149,7 +3172,7 @@ msgstr "" "será actualizada automáticamente." msgid "AMS filament backup" -msgstr "Copia de Seguridad del Filamento AMS" +msgstr "Auto reemplazo de Filamento AMS" msgid "" "AMS will continue to another spool with the same properties of filament " @@ -3159,13 +3182,13 @@ msgstr "" "automáticamente cuando el filamento se termine" msgid "Air Printing Detection" -msgstr "Detección de Aire en Impresión" +msgstr "Detección de \"Impresión en el aire\"" msgid "" "Detects clogging and filament grinding, halting printing immediately to " "conserve time and filament." msgstr "" -"Detecta los atascos y el rascado de filamento, deteniendo la impresión " +"Detecta los bloquos y el rascado de filamento, deteniendo la impresión " "inmediatamente para ahorrar tiempo y filamento." msgid "File" @@ -3189,7 +3212,7 @@ msgstr "" "o borrado por un antivirus." msgid "click here to see more info" -msgstr "presiona aquí para mostrar más información" +msgstr "Presiona aquí para mostrar más información" msgid "Please home all axes (click " msgstr "Por favor, mandar a inicio todos los ejes (presione " @@ -3227,13 +3250,13 @@ msgid "Illegal instruction" msgstr "Instrucción ilegal" msgid "Divide by zero" -msgstr "Dividir entre cero" +msgstr "División entre cero" msgid "Overflow" -msgstr "Desbordamiento" +msgstr "Desbordamiento de búfer" msgid "Underflow" -msgstr "Sin flujo" +msgstr "Subdesbordamiento de búfer" msgid "Floating reserved operand" msgstr "Operando reservado flotante" @@ -3327,7 +3350,7 @@ msgid "Device" msgstr "Dispositivo" msgid "Task Sending" -msgstr "Envío de tareas" +msgstr "Envíando tarea" msgid "Task Sent" msgstr "Tarea enviada" @@ -3385,7 +3408,7 @@ msgid "Idle" msgstr "Inactivo" msgid "Printing" -msgstr "Imprimendo" +msgstr "Imprimiendo" msgid "Upgrading" msgstr "Actualizando" @@ -3403,7 +3426,7 @@ msgid "Printing Failed" msgstr "Impresión fallida" msgid "Printing Pause" -msgstr "Pausa de Impresión" +msgstr "Impresión Pausada" msgid "Prepare" msgstr "Preparar" @@ -3424,13 +3447,13 @@ msgid "Sending Cancel" msgstr "Envío Cancelado" msgid "Sending Failed" -msgstr "Envío fallido" +msgstr "Envío Fallido" msgid "Print Success" -msgstr "Impresión exitosa" +msgstr "Impresión Exitosa" msgid "Print Failed" -msgstr "Error de impresión" +msgstr "Error de Impresión" msgid "Removed" msgstr "Eliminado" @@ -3559,7 +3582,7 @@ msgid "" "Diameter of the print bed. It is assumed that origin (0,0) is located in the " "center." msgstr "" -"Diámetro de la cama de impresión. Se supone que el origen (0,0) está ubicado " +"Diámetro de la cama de impresión. Se asume que el origen (0,0) está ubicado " "en el centro." msgid "Rectangular" @@ -3639,7 +3662,8 @@ msgid "" msgstr "" "La boquilla puede bloquearse cuando la temperatura está fuera del rango " "recomendado.\n" -"Por favor, asegúrese de utilizar la temperatura para imprimir.\n" +"Por favor, asegúrese de que es seguro utilizar esta temperatura para " +"imprimir.\n" "\n" #, c-format, boost-format @@ -3647,7 +3671,7 @@ msgid "" "Recommended nozzle temperature of this filament type is [%d, %d] degree " "centigrade" msgstr "" -"La temperatura recomendada de la boquilla de este tipo de filamento es de " +"La temperatura recomendada de la boquilla para este tipo de filamento es de " "[%d, %d] grados centígrados" msgid "" @@ -3655,7 +3679,7 @@ msgid "" "Reset to 0.5" msgstr "" "Velocidad volumétrica máxima demasiado baja.\n" -"Reajustar a 0.5" +"Restableciendo a 0,5" #, c-format, boost-format msgid "" @@ -3672,21 +3696,21 @@ msgid "" "Reset to 0.2" msgstr "" "Altura de la capa demasiado pequeña.\n" -"Reajustar a 0,2" +"Restableciendo a 0,2" msgid "" "Too small ironing spacing.\n" "Reset to 0.1" msgstr "" -"Espacio de colocación de la plancha demasiado pequeño.\n" -"Reajustar a 0,1" +"Espaciado del alisado demasiado pequeño.\n" +"Restableciendo a 0,1" msgid "" "Zero initial layer height is invalid.\n" "\n" "The first layer height will be reset to 0.2." msgstr "" -"La altura de primera capa cero no es válida.\n" +"Una altura 0 en la primera capa no es válida.\n" "\n" "La altura de la primera capa se restablecerá a 0,2." @@ -3725,8 +3749,8 @@ msgid "" "Alternate extra wall does't work well when ensure vertical shell thickness " "is set to All. " msgstr "" -"El perímetro adicional alternativo no funciona bien cuando el grosor de la " -"cubierta vertical se establece en Todos. " +"Perímetro adicional alternado no funciona bien cuando \"Garantizar el " +"grosor vertical de las cubiertas\" se establece en Todos. " msgid "" "Change these settings automatically? \n" @@ -3735,9 +3759,9 @@ msgid "" "No - Dont use alternate extra wall" msgstr "" "¿Cambiar estos ajustes automáticamente?\n" -"Sí - Cambie el grosor de la cubierta vertical a Moderado y active el " -"perímetro adicional alternativo\n" -"No - No utilizar el perímetro adicional alternativo" +"Sí - Cambiar \"Garantizar el grosor vertical de las cubiertas\" a Moderado y " +"activar Perímetro adicional alternado\n" +"No - No utilizar Perímetro adicional alternado" msgid "" "Prime tower does not work when Adaptive Layer Height or Independent Support " @@ -3746,11 +3770,11 @@ msgid "" "YES - Keep Prime Tower\n" "NO - Keep Adaptive Layer Height and Independent Support Layer Height" msgstr "" -"La torre de purga no funciona cuando la altura de la capa adaptable o la " -"altura de la capa de soporte independiente están activadas.\n" +"La torre de purga no funciona cuando la altura de la capa adaptativa y la " +"altura de capa de soportes independiente están activadas.\n" "¿Qué desea mantener?\n" "SÍ - Mantener la torre de purga\n" -"NO - Mantener la altura de capa adaptable y la altura de capa de soporte " +"NO - Mantener la altura de capa adaptativa y la altura de capa de soportes " "independiente" msgid "" @@ -3761,9 +3785,9 @@ msgid "" msgstr "" "La torre de purga no funciona cuando la altura de capa adaptativa está " "activada.\n" -"¿Qué quieres mantener?\n" +"¿Qué desea mantener?\n" "SÍ - Mantener la torre de purga\n" -"NO - Mantener la altura de capa adaptable" +"NO - Mantener la altura de capa adaptativa" msgid "" "Prime tower does not work when Independent Support Layer Height is on.\n" @@ -3771,17 +3795,17 @@ msgid "" "YES - Keep Prime Tower\n" "NO - Keep Independent Support Layer Height" msgstr "" -"La torre de purga no funciona cuando la altura de la capa de soporte " +"La torre de purga no funciona cuando la altura de capa de soportes " "independiente está activada.\n" -"¿Qué quieres mantener?\n" +"¿Qué desea mantener?\n" "SÍ - Mantener la torre de purga\n" -"NO - Mantener la altura de la capa de soporte independiente" +"NO - Mantener la altura de capa de soportes independiente" msgid "" "While printing by Object, the extruder may collide skirt.\n" "Thus, reset the skirt layer to 1 to avoid that." msgstr "" -"Mientras se imprime por objeto, el extrusor puede chocar contra la falda.\n" +"Cuando se imprime por objeto, el extrusor puede chocar contra la falda.\n" "En ese caso, reinicie la capa de falda a 1 para evitarlo." msgid "" @@ -3789,14 +3813,14 @@ msgid "" "Reset to 0." msgstr "" "seam_slope_start_height debe ser menor que layer_height.\n" -"Reiniciar a 0." +"Restableciendo a 0." msgid "" "Spiral mode only works when wall loops is 1, support is disabled, top shell " "layers is 0, sparse infill density is 0 and timelapse type is traditional." msgstr "" -"El modo espiral sólo funciona cuando los bucles de perímetro son 1, el " -"soporte está desactivado, las capas superiores de cubierta son 0, la " +"El modo espiral sólo funciona cuando el número de bucles de perímetro es 1, " +"los soportes están desactivados, las capas superiores de cubierta son 0, la " "cantidad de relleno de baja densidad es 0 y el tipo de timelapse es " "tradicional." @@ -3860,7 +3884,7 @@ msgid "Checking extruder temperature" msgstr "Comprobando la temperatura del extrusor" msgid "Printing was paused by the user" -msgstr "El usuario ha interrumpido la impresión" +msgstr "El usuario ha pausado la impresión" msgid "Pause of front cover falling" msgstr "Pausa al caer la cubierta frontal" @@ -3884,7 +3908,7 @@ msgid "Filament unloading" msgstr "Descarga de filamento" msgid "Skip step pause" -msgstr "Saltar paso pausa" +msgstr "Pausa por salto de paso del motor" msgid "Filament loading" msgstr "Carga de filamento" @@ -3903,7 +3927,7 @@ msgid "Paused due to chamber temperature control error" msgstr "Pausado debido a un error en el control de temperatura de cámara" msgid "Cooling chamber" -msgstr "Cámara de ventilación" +msgstr "Enfriando cámara" msgid "Paused by the Gcode inserted by user" msgstr "Pausado debido a un G-Code de usuario" @@ -3912,16 +3936,16 @@ msgid "Motor noise showoff" msgstr "Ruido notable del motor" msgid "Nozzle filament covered detected pause" -msgstr "Pausa de detección de filamento de boquilla cubierta" +msgstr "Pausa por detección de acumulación de filamento en boquilla" msgid "Cutter error pause" -msgstr "Pausa de error de cortador" +msgstr "Pausa por error de cortador" msgid "First layer error pause" -msgstr "Pausa de error de primera capa" +msgstr "Pausa por error en la primera capa" msgid "Nozzle clog pause" -msgstr "Pausa de obstrucción de boquilla" +msgstr "Pausa por obstrucción de boquilla" msgid "Unknown" msgstr "Desconocido" @@ -3930,7 +3954,7 @@ msgid "Fatal" msgstr "Fatal" msgid "Serious" -msgstr "En serio" +msgstr "Grave" msgid "Common" msgstr "Común" @@ -3953,25 +3977,25 @@ msgid "" "TPU) is not allowed to be loaded." msgstr "" "La temperatura actual de la cámara o la temperatura objetivo de la cámara " -"excede en 45℃. Para evitar la obstrucción del extrusor,no se permite cargar " -"filamento de baja temperatura(PLA/PETG/TPU)." +"excede los 45℃. Para evitar la obstrucción del extrusor, no se permite " +"cargar filamento de baja temperatura (PLA/PETG/TPU)." msgid "" "Low temperature filament(PLA/PETG/TPU) is loaded in the extruder.In order to " "avoid extruder clogging,it is not allowed to set the chamber temperature " "above 45℃." msgstr "" -"El filamento de baja temperatura (PLA/PETG/TPU) se carga en el extrusor y, " -"para evitar que se atasque, no se permite ajustar la temperatura de la " -"cámara por encima de 45℃." +"Filamento de baja temperatura (PLA/PETG/TPU) ha sido cargado en el extrusor. " +"Para evitar obstrucciones, no se permite ajustar la temperatura de la cámara " +"por encima de los 45℃." msgid "" "When you set the chamber temperature below 40℃, the chamber temperature " "control will not be activated. And the target chamber temperature will " "automatically be set to 0℃." msgstr "" -"Cuando usted fija la temperatura de la cámara debajo de 40℃, el control de " -"la temperatura de la cámara no será activado. Y la temperatura objetivo de " +"Cuando se ajusta la temperatura de la cámara por debajo de 40℃, el control " +"de la temperatura de la cámara no será activado. La temperatura objetivo de " "la cámara se ajustará automáticamente a 0℃." msgid "Failed to start printing job" @@ -3984,13 +4008,13 @@ msgstr "" "actualmente" msgid "Current flowrate cali param is invalid" -msgstr "El parámetro de flujo actual no es válido" +msgstr "El parámetro actual de calibración de flujo no es válido" msgid "Selected diameter and machine diameter do not match" msgstr "El diámetro seleccionado y el diámetro de la máquina no coinciden" msgid "Failed to generate cali gcode" -msgstr "Fallo al generar el G-Code cali" +msgstr "Fallo al generar el G-Code de calibración" msgid "Calibration error" msgstr "Error de calibración" @@ -4005,8 +4029,8 @@ msgid "" "Damp PVA will become flexible and get stuck inside AMS,please take care to " "dry it before use." msgstr "" -"El PVA húmedo se hará más flexible y se atascará dentro del AMS, por favor, " -"tenga cuidado de secarlo antes de usar." +"Un PVA húmedo se vuelve flexible y se atascará dentro del AMS, por favor, " +"asegurese de secarlo antes de usarlo." msgid "" "CF/GF filaments are hard and brittle, It's easy to break or get stuck in " @@ -4077,7 +4101,7 @@ msgid "Filament settings" msgstr "Ajustes del filamento" msgid "SLA Materials settings" -msgstr "SLA Configuración de los Materiales" +msgstr "Configuración de los Materiales SLA" msgid "Printer settings" msgstr "Ajustes de la impresora" @@ -4125,7 +4149,7 @@ msgid "Input value is out of range" msgstr "Valor de entrada fuera de rango" msgid "Some extension in the input is invalid" -msgstr "Alguna extensión de la entrada no es válida" +msgstr "Alguna extensión en la entrada no es válida" #, boost-format msgid "Invalid format. Expected vector format: \"%1%\"" @@ -4135,7 +4159,7 @@ msgid "Layer Height" msgstr "Altura de la capa" msgid "Line Width" -msgstr "Ancho de extrusión" +msgstr "Ancho de línea" msgid "Fan Speed" msgstr "Velocidad del ventilador" @@ -4177,7 +4201,7 @@ msgid "Temperature: " msgstr "Temperatura: " msgid "Loading G-codes" -msgstr "Carga de G-Codes" +msgstr "Cargando G-Codes" msgid "Generating geometry vertex data" msgstr "Generación de datos de vértices de la geometría" @@ -4190,6 +4214,7 @@ msgstr "Estadísticas de todas las Bandejas" msgid "Display" msgstr "Pantalla" +#. ? Display as in a screen, or as in to show something? msgid "Flushed" msgstr "Descargado" @@ -4234,7 +4259,7 @@ msgid "Layer Height (mm)" msgstr "Altura de la capa (mm)" msgid "Line Width (mm)" -msgstr "Ancho de extrusión (mm)" +msgstr "Ancho de línea (mm)" msgid "Speed (mm/s)" msgstr "Velocidad (mm/s)" @@ -4249,28 +4274,30 @@ msgid "Volumetric flow rate (mm³/s)" msgstr "Tasa de flujo volumétrico (mm³/seg)" msgid "Travel" -msgstr "Recorrido" +msgstr "Desplazamientos" +#. I think this is referring to the visualization of the travel moves msgid "Seams" msgstr "Costuras" msgid "Retract" -msgstr "Plegar" +msgstr "Retracciones" msgid "Unretract" -msgstr "Desplegar" +msgstr "Des-retracción" msgid "Filament Changes" msgstr "Cambios de filamento" msgid "Wipe" -msgstr "Limpiar" +msgstr "Purgas" msgid "Options" msgstr "Opciones" msgid "travel" msgstr "recorrido" +#. ? Here? Same as above? msgid "Extruder" msgstr "Extrusor" @@ -4307,9 +4334,11 @@ msgstr "Filamento total" msgid "Model Filament" msgstr "Modelo Filamento" +#. ? Filamento del modelo? msgid "Prepare time" msgstr "Tiempo estimado" +#. ? Tiempo de preparación? msgid "Model printing time" msgstr "Tiempo de impresión del modelo" @@ -4360,7 +4389,7 @@ msgid "Shift + Right mouse button:" msgstr "Shift + Botón derecho del ratón:" msgid "Smoothing" -msgstr "Suavidad" +msgstr "Suavizado" msgid "Mouse wheel:" msgstr "Rueda del ratón:" @@ -4372,7 +4401,7 @@ msgid "Sequence" msgstr "Secuencia" msgid "Mirror Object" -msgstr "Espejar Objeto" +msgstr "Reflejar Objeto" msgid "Tool Move" msgstr "Herramienta Mover" @@ -4426,7 +4455,7 @@ msgid "Arrange all objects" msgstr "Ordenar todos los objetos" msgid "Arrange objects on selected plates" -msgstr "Colocar los objetos en las bandejas seleccionadas" +msgstr "Organizar los objetos en las bandejas seleccionadas" msgid "Split to objects" msgstr "Separar en objetos" @@ -4438,7 +4467,7 @@ msgid "Assembly View" msgstr "Vista de Emsamblado" msgid "Select Plate" -msgstr "Seleccione la Bandeja" +msgstr "Seleccionr Bandeja" msgid "Assembly Return" msgstr "Volver a agrupar" @@ -4498,13 +4527,13 @@ msgstr "" "Un objeto está colocado en el límite de la bandeja o excede el límite de " "altura.\n" "Por favor solucione el problema moviéndolo totalmente fuera o dentro de la " -"bandeja, y confirme que la altura está entre el volumen de construcción." +"bandeja, y confirme que la altura está dentro del volumen de impresión." msgid "Calibration step selection" msgstr "Seleccionar paso de calibración" msgid "Micro lidar calibration" -msgstr "Calibración Micro Lidar" +msgstr "Calibración de Micro Lidar" msgid "Bed leveling" msgstr "Nivelación de Cama" @@ -4586,7 +4615,7 @@ msgstr "" "en la impresora, como se muestra en la figura:" msgid "Invalid input." -msgstr "Introducción inválida." +msgstr "Entrada inválida." msgid "New Window" msgstr "Nueva Ventana" @@ -4598,7 +4627,7 @@ msgid "Application is closing" msgstr "La aplicación se está cerrando" msgid "Closing Application while some presets are modified." -msgstr "Cerrando la aplicación mientras se modifican algunos perfiles." +msgstr "Cerrando la aplicación tras haber modificado algunos perfiles." msgid "Logging" msgstr "Registrando" @@ -4838,7 +4867,7 @@ msgid "Deletes all objects" msgstr "Borra todos los objetos" msgid "Clone selected" -msgstr "Clon seleccionado" +msgstr "Clonar la selección" msgid "Clone copies of selections" msgstr "Clonar copias de selecciones" @@ -4865,7 +4894,7 @@ msgid "Show &G-code Window" msgstr "Mostrar Ventana &G-Code" msgid "Show g-code window in Previce scene" -msgstr "Mostrar ventana de G-Code en escena previa" +msgstr "Mostrar ventana de G-Code en Vista previa" msgid "Show 3D Navigator" msgstr "Mostrar Navegador 3D" @@ -4913,16 +4942,16 @@ msgid "Flow rate test - Pass 2" msgstr "Test de Flujo - Paso 2" msgid "YOLO (Recommended)" -msgstr "" +msgstr "YOLO (recomendado)" msgid "Orca YOLO flowrate calibration, 0.01 step" -msgstr "" +msgstr "Calibración de flujo YOLO de Orca, incrementos de 0,01" msgid "YOLO (perfectionist version)" -msgstr "" +msgstr "YOLO (versión perfeccionista)" msgid "Orca YOLO flowrate calibration, 0.005 step" -msgstr "" +msgstr "Calibración de flujo YOLO de Orca, incrementos de 0,005" msgid "Flow rate" msgstr "Test de Flujo" @@ -5037,10 +5066,10 @@ msgid_plural "" "There are %d configs imported. (Only non-system and compatible configs)" msgstr[0] "" "Hay %d configuración exportada. (solo configuraciones que no sean del " -"sistema y compatibles)" +"sistema y que sean compatibles)" msgstr[1] "" -"Hay %d configuraciones importadas. (Solo las configuraciones compatibles y " -"no-del-sistema)" +"Hay %d configuraciones importadas. (solo configuraciones que no sean del " +"sistema y que sean compatibles)" msgid "" "\n" @@ -5070,7 +5099,7 @@ msgid "" "2. The Filament presets\n" "3. The Printer presets" msgstr "" -"¿Quiere sincronizar sus datos personales desde Bambú Cloud? \n" +"¿Quiere sincronizar sus datos personales desde Bambu Cloud? \n" "Esta contiene la siguiente información:\n" "1. Los Perfiles de Proceso\n" "2. Los Perfiles de Filamento\n" @@ -5196,10 +5225,10 @@ msgid "Switch to timelapse files." msgstr "Cambiar a archivos de timelapse." msgid "Video" -msgstr "Video" +msgstr "Vídeo" msgid "Switch to video files." -msgstr "Cambiar a archivos de video." +msgstr "Cambiar a archivos de vídeo." msgid "Switch to 3mf model files." msgstr "Cambiar a archivos de modelos 3mf." @@ -5217,7 +5246,7 @@ msgid "Select" msgstr "Seleccionar" msgid "Batch manage files." -msgstr "Arhivos de proceso por lotes." +msgstr "Procesado de archivo por lotes." msgid "Refresh" msgstr "Actualizar" @@ -5242,7 +5271,7 @@ msgid "Load failed" msgstr "Carga fallida" msgid "Initialize failed (Device connection not ready)!" -msgstr "Error de inicialización (conexión del dispositivo no preparada)." +msgstr "Error de inicialización (conexión del dispositivo no lista)." msgid "" "Browsing file in SD card is not supported in current firmware. Please update " @@ -5297,12 +5326,12 @@ msgid "" "The .gcode.3mf file contains no G-code data.Please slice it with Orca Slicer " "and export a new .gcode.3mf file." msgstr "" -"El archivo .gcode. 3mf no contiene datos de G-Code. Por favor, lamine con " +"El archivo .gcode .3mf no contiene datos de G-Code. Por favor, lamine con " "Orca Slicer y exporte un nuevo archivo .gcode.3mf." #, c-format, boost-format msgid "File '%s' was lost! Please download it again." -msgstr "¡El archivo '%s' se perdió!\" Por favor, vuelva a descargárselo." +msgstr "¡El archivo '%s' se perdió!\" Por favor, vuelva a descargárlo." #, c-format, boost-format msgid "" @@ -5367,7 +5396,7 @@ msgid "Translation/Zoom" msgstr "Conversión/Zoom" msgid "3Dconnexion settings" -msgstr "Ajustes de conexión 3D" +msgstr "Ajustes de 3DConnexion" msgid "Swap Y/Z axes" msgstr "Intercambiar los ejes Y/Z" @@ -5454,6 +5483,7 @@ msgstr "Aux" msgid "Cham" msgstr "Costura" +#. ? Chamber - Cámara? msgid "Bed" msgstr "Cama" @@ -5481,7 +5511,7 @@ msgstr "Laminado en la Nube..." #, c-format, boost-format msgid "In Cloud Slicing Queue, there are %s tasks ahead." -msgstr "Hay %s tareas por delante, en la Cola de Laminado en la Nube." +msgstr "En Cola de Laminado en la Nube, hay %s tareas por delante, " #, c-format, boost-format msgid "Layer: %s" @@ -5518,7 +5548,7 @@ msgid "This only takes effect during printing" msgstr "Esto solo tendrá efecto durante la impresión" msgid "Silent" -msgstr "Silencio" +msgstr "Silencioso" msgid "Standard" msgstr "Estándar" @@ -5527,7 +5557,7 @@ msgid "Sport" msgstr "Deportivo" msgid "Ludicrous" -msgstr "Lúdico" +msgstr "Rídiculamente rápido" msgid "Can't start this without SD card." msgstr "No puede iniciarse sin una tarjeta SD." @@ -5620,7 +5650,7 @@ msgid "" msgstr "" "\n" "\n" -"¿Desea redirigir a la página web de valoración?" +"¿Desea redirigir a la página web para la valoración?" msgid "" "Some of your images failed to upload. Would you like to redirect to the " @@ -5687,10 +5717,10 @@ msgstr "" "actual de OrcaSlicer." msgid "If you would like to try Orca Slicer Beta, you may click to" -msgstr "Si desea probar Orca Slicer Beta, puede hacer clic en" +msgstr "Si desea probar Orca Slicer Beta, puede hacer clic para" msgid "Download Beta Version" -msgstr "Descargar versión beta" +msgstr "Descargar la versión beta" msgid "The 3mf file version is newer than the current Orca Slicer version." msgstr "" @@ -5699,7 +5729,7 @@ msgstr "" msgid "Update your Orca Slicer could enable all functionality in the 3mf file." msgstr "" -"Actualice su Orca Slicer podría habilitar toda la funcionalidad en el " +"Actualizar Orca Slicer podría habilitar toda la funcionalidad en el " "archivo 3mf." msgid "Current Version: " @@ -5805,7 +5835,7 @@ msgid "Model file downloaded." msgstr "Archivo de modelo descargado." msgid "Serious warning:" -msgstr "Seria advertencia:" +msgstr "Advertencia grave:" msgid " (Repair)" msgstr " (Reparación)" @@ -5828,7 +5858,7 @@ msgid "Support painting" msgstr "Soporte pintado" msgid "Color painting" -msgstr "Pintura en color" +msgstr "Pintado de color" msgid "Cut connectors" msgstr "Cortar Conectores" @@ -6054,7 +6084,7 @@ msgid "" "Orca Slicer or restart Orca Slicer to check if there is an update to system " "presets." msgstr "" -"Hay algunos filamentos desconocidos mapeados en el perfil genérico. Por " +"Hay algunos filamentos desconocidos mapeados al perfil genérico. Por " "favor actualice o reinicie Orca Slicer para comprobar si hay una " "actualización de perfiles del sistema." @@ -6067,7 +6097,7 @@ msgid "" "Successfully unmounted. The device %s(%s) can now be safely removed from the " "computer." msgstr "" -"Desmontado correctamente. El dispositivo %s(%s) ahora puede ser eliminado de " +"Desmontado correctamente. El dispositivo %s(%s) ahora puede ser extraído de " "forma segura." #, c-format, boost-format @@ -6097,7 +6127,7 @@ msgid "" msgstr "" "La dureza de la boquilla requerida por el filamento es más alta que la " "dureza de la boquilla por defecto de la impresora. Por favor, reemplace la " -"boquilla endurecida y el filamento, de otra forma, la boquilla se atascará o " +"boquilla endurecida o el filamento, de otra forma, la boquilla se atascará o " "se dañará." msgid "" @@ -6118,7 +6148,7 @@ msgid "Loading file: %s" msgstr "Cargando archivo: %s" msgid "The 3mf is not supported by OrcaSlicer, load geometry data only." -msgstr "El 3mf no es de Orca Slicer, cargar datos de geometría solo." +msgstr "El 3mf no es de Orca Slicer, cargando sólo datos de geometría." msgid "Load 3mf" msgstr "Cargar 3mf" @@ -6238,8 +6268,8 @@ msgid "" "Your object appears to be too large, Do you want to scale it down to fit the " "heat bed automatically?" msgstr "" -"Tu objeto parece demasiado grande, ¿Deseas disminuirlo para que quepa en la " -"cama caliente automáticamente?" +"Su objeto parece demasiado grande, ¿Desea reducir el tamaño automáticamente " +"para que quepa en la cama caliente?" msgid "Object too large" msgstr "Objeto demasiado grande" @@ -6332,10 +6362,10 @@ msgstr "Laminado Cancelado" #, c-format, boost-format msgid "Slicing Plate %d" -msgstr "Bandeja de corte %d" +msgstr "Laminando bandeja %d" msgid "Please resolve the slicing errors and publish again." -msgstr "Por favor, resuelve los errores de corte y publica de nuevo." +msgstr "Por favor, resuelva los errores de corte y publique de nuevo." msgid "" "Network Plug-in is not detected. Network related features are unavailable." @@ -6379,13 +6409,13 @@ msgid "prepare 3mf file..." msgstr "Preparar el archivo 3mf..." msgid "Download failed, unknown file format." -msgstr "Download failed; unknown file format." +msgstr "Descarga fallida; formato de archivo desconocido." msgid "downloading project ..." msgstr "Descargando proyecto..." msgid "Download failed, File size exception." -msgstr "Download failed; File size exception." +msgstr "Descarga fallida; error de tamaño de archivo." #, c-format, boost-format msgid "Project downloaded %d%%" @@ -6445,10 +6475,10 @@ msgid "G-code loading" msgstr "Carga del G-Code" msgid "G-code files can not be loaded with models together!" -msgstr "¡Los archivos de G-Code no pueden cargarse con los modelos juntos!" +msgstr "¡Los archivos de G-Code no pueden cargarse junto con modelos!" msgid "Can not add models when in preview mode!" -msgstr "No se pueden añadir modelos en el modo de vista previa!" +msgstr "¡No se pueden añadir modelos en el modo de vista previa!" msgid "All objects will be removed, continue?" msgstr "Todos los objetos serán eliminados, ¿desea continuar?" @@ -6485,7 +6515,7 @@ msgid "" "on the printer." msgstr "" "El archivo %s ha sido mandado al almacenamiento de la impresora y puede ser " -"visto en la impresora." +"visualizado en la impresora." msgid "" "Unable to perform boolean operation on model meshes. Only positive parts " @@ -6501,11 +6531,11 @@ msgstr "Razón: la parte \"%1%\" está vacía." #, boost-format msgid "Reason: part \"%1%\" does not bound a volume." -msgstr "Motivo: La pieza \"%1%\" no tiene volumen." +msgstr "Motivo: La pieza \"%1%\" no contiene volumen." #, boost-format msgid "Reason: part \"%1%\" has self intersection." -msgstr "Razón: la parte \"%1%\" se ha intersecado." +msgstr "Razón: la parte \"%1%\" se ha auto-intersecado." #, boost-format msgid "Reason: \"%1%\" and another part have no intersection." @@ -6518,7 +6548,7 @@ msgid "" msgstr "" "¿Está seguro que quiere almacenar SVGs originales con sus rutas locales " "dentro del archivo 3MF?\n" -"Si pulsa 'NO', todos los SVGs en el proyecto no serán editables nunca más." +"Si pulsa 'NO', todos los SVGs en el proyecto dejarán de ser editables." msgid "Private protection" msgstr "Protección privada" @@ -6535,7 +6565,8 @@ msgid "" "Suggest to use auto-arrange to avoid collisions when printing." msgstr "" "Imprimir por objeto: \n" -"Sugiere utilizar el auto-posicionamiento para evitar colisiones al imprimir." +"Se aconseja utilizar el auto-posicionamiento para evitar colisiones al " +"imprimir." msgid "Send G-code" msgstr "Enviar G-Code" @@ -6545,7 +6576,7 @@ msgstr "Enviar a la impresora" msgid "Custom supports and color painting were removed before repairing." msgstr "" -"Los soportes personalizados y la pintura de color se eliminaron antes de la " +"Los soportes personalizados y el pintado de color se eliminaron antes de la " "reparación." msgid "Optimize Rotation" @@ -6575,7 +6606,7 @@ msgstr "Nombre del objeto: %1%\n" #, boost-format msgid "Size: %1% x %2% x %3% in\n" -msgstr "Tamaño: %1% x %2% x %3% en\n" +msgstr "Tamaño: %1% x %2% x %3% pulg\n" #, boost-format msgid "Size: %1% x %2% x %3% mm\n" @@ -6602,8 +6633,9 @@ msgid "" "\"Fix Model\" feature is currently only on Windows. Please repair the model " "on Orca Slicer(windows) or CAD softwares." msgstr "" -"La característica \"Arreglar Modelo\" está actualmente solo en Windows. Por " -"favor, repare el modelo en Orca Slicer(windows) o el programas CAD." +"La característica \"Arreglar Modelo\" está actualmente disponible sólo en " +"Windows. Por favor, repare el modelo en Orca Slicer (windows) o en un " +"programa CAD." #, c-format, boost-format msgid "" @@ -6611,9 +6643,9 @@ msgid "" "still want to do this printing, please set this filament's bed temperature " "to non zero." msgstr "" -"Bandeja% d: %s no está sugerido para ser usado para imprimir filamento " -"%s(%s). Si usted aún quiere imprimir, por favor, seleccione 0 en la " -"temperatura de Bandeja." +"Bandeja% d: %s no es recomendable ser usada para imprimir el filamento " +"%s(%s). Si desea imprimir de todos modos, por favor, indique una temperatura " +"de bandeja distinta a 0 en la configuración del filamento." msgid "Switching the language requires application restart.\n" msgstr "El cambio de idioma requiere el reinicio de la aplicación.\n" @@ -6632,7 +6664,7 @@ msgid "Changing application language" msgstr "Cambiar el idioma de la aplicación" msgid "Changing the region will log out your account.\n" -msgstr "Si cambias de región, saldrás de tu cuenta.\n" +msgstr "Si cambias de región, se cerrará la sesión de tu cuenta.\n" msgid "Region selection" msgstr "Selección de región" @@ -6650,7 +6682,7 @@ msgid "Associate" msgstr "Asociar" msgid "with OrcaSlicer so that Orca can open models from" -msgstr "porque OrcaSlicer así que no puede abrir modelos desde" +msgstr "con OrcaSlicer para que pueda abrir modelos desde" msgid "Current Association: " msgstr "Asociación actual:" @@ -6751,8 +6783,9 @@ msgid "" "Touchpad: Alt+move for rotation, Shift+move for panning." msgstr "" "Selecciona el estilo de navegación de la cámara:\n" -"Por defecto: LMB+mover para rotación, RMB/MMB+mover para paneo.\n" -"Panel táctil: Alt+mover para rotación, Shift+mover para paneo." +"Por defecto: Botón izquiero del ratón + mover para rotación, botón derecho o " +"central del ratón+mover para desplazar.\n" +"Panel táctil: Alt+mover para rotación, Shift+mover para desplazar." msgid "Zoom to mouse position" msgstr "Hacer zoom en la posición del ratón" @@ -6785,7 +6818,7 @@ msgid "Show the splash screen during startup." msgstr "Muestra la página de bienvenida al iniciar." msgid "Show \"Tip of the day\" notification after start" -msgstr "Mostrar la notificación \"Consejo del Día\" después de empezar" +msgstr "Mostrar la notificación \"Consejo del Día\" al iniciar" msgid "If enabled, useful hints are displayed at startup." msgstr "Si está activado, las sugerencias útiles serán mostradas al inicio." @@ -6922,7 +6955,7 @@ msgid "Enable Dark mode" msgstr "Activar Modo Oscuro" msgid "Develop mode" -msgstr "Modo de desarrollo" +msgstr "Modo de desarrollador" msgid "Skip AMS blacklist check" msgstr "Evitar la comprobación de lista negra de AMS" @@ -6935,6 +6968,7 @@ msgstr "Mostrar la página de inicio en el arranque" msgid "Sync settings" msgstr "Ajustes de sincronización" +#. ? Sincronizar ajustes? msgid "User sync" msgstr "Sincronización del usuario" @@ -7112,14 +7146,14 @@ msgstr "Desconectarse" msgid "Slice all plate to obtain time and filament estimation" msgstr "" -"Lamina todas las piezas para obtener una estimación del tiempo y del " +"Laminar todas las piezas para obtener una estimación del tiempo y del " "filamento" msgid "Packing project data into 3mf file" msgstr "Empaquetar los datos del proyecto en un archivo 3mf" msgid "Uploading 3mf" -msgstr "Carga de 3mf" +msgstr "Cargando 3mf" msgid "Jump to model publish web page" msgstr "Ir a la página web de publicación de modelos" @@ -7136,6 +7170,7 @@ msgstr "La publicación fue cancelada" msgid "Slicing Plate 1" msgstr "Bandeja de Laminado 1" +#. ? Laminando bandeja 1? msgid "Packing data to 3mf" msgstr "Empaquetando datos a 3mf" @@ -7186,7 +7221,7 @@ msgstr "La impresora \"%1%\" está seleccionada con el perfil \"%2%\"" #, boost-format msgid "Please choose an action with \"%1%\" preset after saving." -msgstr "Por favor, elija una acción con \"%1%\" perfil después de guardar." +msgstr "Por favor, elija una acción con el perfil \"%1%\" después de guardar." #, boost-format msgid "For \"%1%\", change \"%2%\" to \"%3%\" " @@ -7274,7 +7309,7 @@ msgstr "Sincronizando la información del dispositivo" msgid "Synchronizing device information time out" msgstr "" -"Finalización del tiempo de sincronización de la información del dispositivo" +"Error de tiempo de espera de sincronización de la información del dispositivo" msgid "Cannot send the print job when the printer is updating firmware" msgstr "" @@ -7302,7 +7337,7 @@ msgid "" "Filament exceeds the number of AMS slots. Please update the printer firmware " "to support AMS slot assignment." msgstr "" -"El %s del filamento excede el número de ranuras AMS. Por favor actualice el " +"El filamento excede el número de ranuras AMS. Por favor actualice el " "firmware para que soporte la asignación de ranuras AMS." msgid "" @@ -7324,7 +7359,7 @@ msgid "" "Filament %s does not match the filament in AMS slot %s. Please update the " "printer firmware to support AMS slot assignment." msgstr "" -"El filamento %s no coincide con el filamento la ranura AMS %s. Por favor " +"El filamento %s no coincide con el filamento en la ranura AMS %s. Por favor " "actualice el firmware de la impresora para que soporte la asignación de " "ranuras AMS." @@ -7332,7 +7367,7 @@ msgid "" "Filament does not match the filament in AMS slot. Please update the printer " "firmware to support AMS slot assignment." msgstr "" -"El %s del filamento excede el número de ranuras AMS. Por favor actualice el " +"El filamento excede el número de ranuras AMS. Por favor actualice el " "firmware de la impresora para que soporte la asignación de ranuras AMS." msgid "" @@ -7351,7 +7386,7 @@ msgid "" "the slicer (%s)." msgstr "" "La impresora seleccionada (%s) es incompatible con el perfil de impresora " -"elegido en la cortadora (%s)." +"elegido en Orca (%s)." msgid "An SD card needs to be inserted to record timelapse." msgstr "Es necesario insertar una tarjeta SD para guardar el timelapse." @@ -7364,10 +7399,10 @@ msgstr "" "necesita una actualización de firmware." msgid "Cannot send the print job for empty plate" -msgstr "No es posible enviar el trabajo de impresión a una bandeja vacía" +msgstr "No es posible enviar un trabajo de impresión con una bandeja vacía" msgid "This printer does not support printing all plates" -msgstr "Esta impresora no soporta la impresión en todas las bandejas" +msgstr "Esta impresora no soporta la impresión de todas las bandejas" msgid "" "When enable spiral vase mode, machines with I3 structure will not generate " @@ -7403,10 +7438,8 @@ msgid "" "start printing." msgstr "" "Hay algunos filamentos desconocidos en los mapeados AMS. Por favor, " -"compruebe si son los filamentos requeridos. Si lo son, presione " -"\"Confirmar\" para empezar a imprimir. Por favor, compruebe si son los " -"filamentos requeridos. Si lo son, presione \"Confirmar\" para empezar a " -"imprimir." +"compruebe si son los filamentos requeridos. Si lo son, presione \"Confirmar" +"\" para empezar a imprimir." #, c-format, boost-format msgid "nozzle in preset: %s %s" @@ -7430,7 +7463,7 @@ msgid "" "Printing high temperature material(%s material) with %s may cause nozzle " "damage" msgstr "" -"La impresión de material de alta temperatura (%s material) con %s puede " +"La impresión de material de alta temperatura (material %s) con %s puede " "causar daños en la boquilla" msgid "Please fix the error above, otherwise printing cannot continue." @@ -7441,8 +7474,7 @@ msgstr "" msgid "" "Please click the confirm button if you still want to proceed with printing." msgstr "" -"Por favor, presione el botón de confirmar si aún quieres proceder con la " -"impresión." +"Por favor, presione el botón de confirmar si desea proceder con la impresión." msgid "" "Connecting to the printer. Unable to cancel during the connection process." @@ -7452,8 +7484,8 @@ msgid "" "Caution to use! Flow calibration on Textured PEI Plate may fail due to the " "scattered surface." msgstr "" -"¡Precaución! La calibración del flujo en la bandeja PEI texturizada puede " -"fallar debido a la superficie dispersa." +"¡Precaución! La calibración del flujo en una bandeja de PEI texturizada puede " +"fallar debido a la superficie irregular." msgid "Automatic flow calibration using Micro Lidar" msgstr "Calibración Automática de Flujo usando Micro Lidar" @@ -7516,7 +7548,7 @@ msgid "Failed to parse login report reason" msgstr "Error al analizar el motivo del informe de inicio de sesión" msgid "Receive login report timeout" -msgstr "Tiempo de espera para recibir el informe de inicio de sesión" +msgstr "Tiempo de espera excedido para recibir el informe de inicio de sesión" msgid "Unknown Failure" msgstr "Error Desconocido" @@ -7653,15 +7685,15 @@ msgid "" "Prime tower is required for smooth timeplase. There may be flaws on the " "model without prime tower. Are you sure you want to disable prime tower?" msgstr "" -"Se requiere la torre de purga para un timelapse suave. Puede haber defectos " -"modelos sin torre de purga.¿Está seguro de que quiere deshabilitar la torre " -"principal?" +"Se requiere una torre de purga para un timelapse suave. Puede haber defectos " +"en los modelos si no se usa una torre de purga. ¿Está seguro de que quiere " +"deshabilitar la torre de purgado?" msgid "" "Prime tower is required for smooth timelapse. There may be flaws on the " "model without prime tower. Do you want to enable prime tower?" msgstr "" -"La torre de purga es necesaria para que el timelapse sea fluido. Puede haber " +"La torre de purga es necesaria para que el timelapse sea suave. Puede haber " "defectos en el modelo sin torre de purga. ¿Desea activar la torre de purga?" msgid "Still print by object?" @@ -7691,7 +7723,7 @@ msgid "" "settings: at least 2 interface layers, at least 0.1mm top z distance or " "using support materials on interface." msgstr "" -"Para \"Árboles fuertes\" y \"Árboles Híbridos\", recomendamos lo siguiente " +"Para \"Árboles fuertes\" y \"Árboles Híbridos\", recomendamos los siguientes " "ajustes: al menos 2 capas de interfaz, al menos 0.1mm de distancia superior " "en z o usar materiales de soporte en la interfaz." @@ -7703,7 +7735,7 @@ msgid "" msgstr "" "Cuando se use material de soporte para las interfaces de soporte, " "recomendamos los siguientes ajustes:\n" -"distancia z0, separación de interfaz 0, patrón concéntrico y desactivar " +"distancia z 0, separación de interfaz 0, patrón concéntrico y desactivar " "altura de soporte independiente de altura de capa" msgid "" @@ -7711,8 +7743,8 @@ msgid "" "precise dimensions or is part of an assembly, it's important to double-check " "whether this change in geometry impacts the functionality of your print." msgstr "" -"Al activar esta opción modificará la forma del modelo. Si la impresión " -"requiere dimensiones precisas o forma parte de un ensamblado, es importante " +"Al activar esta opción se modificará la forma del modelo. Si la impresión " +"requiere dimensiones precisas o forma parte de un ensamblaje, es importante " "comprobar si este cambio en la geometría afecta a la funcionalidad de la " "impresión." @@ -7731,7 +7763,7 @@ msgid "" "height limits ,this may cause printing quality issues." msgstr "" "La altura de la capa excede el límite en Ajustes de la Impresora -> Extrusor " -"-> Limite de Altura de Capa ,esto puede causar problemas de calidad de " +"-> Limite de Altura de Capa, esto puede causar problemas de calidad de " "impresión." msgid "Adjust to the set range automatically? \n" @@ -7750,9 +7782,9 @@ msgid "" "printing complications." msgstr "" "Característica experimental: Retraer y cortar el filamento a mayor distancia " -"durante los cambios de filamento para minimizar el flujo. Aunque puede " -"reducir notablemente el flujo, también puede elevar el riesgo de atascos de " -"boquillas u otras complicaciones de impresión." +"durante los cambios de filamento para minimizar el descarte. Aunque puede " +"reducir notablemente el descarte, también puede elevar el riesgo de atascos " +"de boquillas u otros problemas en la impresión." msgid "" "Experimental feature: Retracting and cutting off the filament at a greater " @@ -7761,9 +7793,9 @@ msgid "" "complications.Please use with the latest printer firmware." msgstr "" "Característica experimental: Retraer y cortar el filamento a mayor distancia " -"durante los cambios de filamento para minimizar el flujo. Aunque puede " -"reducir notablemente el flujo, también puede elevar el riesgo de atascos de " -"boquilla u otras complicaciones de impresión. Por favor, utilícelo con el " +"durante los cambios de filamento para minimizar el descarte. Aunque puede " +"reducir notablemente el descarte, también puede elevar el riesgo de atascos de " +"boquilla u otros problemas en la impresión. Por favor, utilícelo con el " "último firmware de la impresora." msgid "" @@ -7773,12 +7805,12 @@ msgid "" "Primitive\"->\"Timelapse Wipe Tower\"." msgstr "" "Cuando se graba un timelapse sin cabezal, se recomienda añadir una \"Torre " -"de Purga de Timelapse\" haciendo clic con el botón derecho del ratón en la " -"posición vacía de la bandeja de impresión y seleccionando \"Añadir " -"Primitivo\"->Torre de Purga de Timelapse\"." +"de Purga de Timelapse\" haciendo clic con el botón derecho del ratón en una " +"posición vacía de la bandeja de impresión y seleccionando \"Añadir Primitivo" +"\"->Torre de Purga de Timelapse\"." msgid "Line width" -msgstr "Ancho de extrusión" +msgstr "Ancho de linea" msgid "Seam" msgstr "Costura" @@ -7857,7 +7889,7 @@ msgid "Filament for Features" msgstr "Filamento para Características" msgid "Ooze prevention" -msgstr "Optimizar rezumado" +msgstr "Prevención de rezumado" msgid "Skirt" msgstr "Falda" @@ -7888,18 +7920,18 @@ msgid_plural "" "estimation." msgstr[0] "" "La siguiente línea %s contiene palabras clave reservadas.\n" -"Por favor, elimínela, o vencerá la visualización del G-Code y la estimación " +"Por favor, elimínela, o afectará la visualización del G-Code y la estimación " "del tiempo de impresión." msgstr[1] "" "Las siguientes líneas %s contienen palabras clave reservadas.\n" -"Por favor, elimínelas, o vencerá la visualización del G-Code y la estimación " +"Por favor, elimínelas, o afectará la visualización del G-Code y la estimación " "del tiempo de impresión." msgid "Reserved keywords found" msgstr "Palabras clave utilizadas y encontradas" msgid "Setting Overrides" -msgstr "Anulaciones de configuración" +msgstr "Sobreescribir Ajustes de impresora" msgid "Retraction" msgstr "Retracción" @@ -7913,7 +7945,7 @@ msgstr "Temperatura recomendada de la boquilla" msgid "Recommended nozzle temperature range of this filament. 0 means no set" msgstr "" "Rango de temperatura de boquilla recomendado para este filamento. 0 " -"significa que no se ajusta" +"significa sin especificar" msgid "Flow ratio and Pressure Advance" msgstr "Ratio de flujo y Avance de Presión Lineal" @@ -8011,10 +8043,10 @@ msgid "" "than the setting value" msgstr "" "La velocidad del ventilador de la pieza será máxima cuando el tiempo de capa " -"estimado sea inferior al valor ajustado" +"estimado sea inferior al valor especificado" msgid "Auxiliary part cooling fan" -msgstr "Ventilador de parte auxiliar" +msgstr "Ventilador auxiliar de refrigeración de piezas" msgid "Exhaust fan" msgstr "Ventilador de extracción" @@ -8023,13 +8055,13 @@ msgid "During print" msgstr "Durante la impresión" msgid "Complete print" -msgstr "Completar impresión" +msgstr "Después de la impresión" msgid "Filament start G-code" msgstr "G-Code de inicio de filamento" msgid "Filament end G-code" -msgstr "Final del G-Code de filamento" +msgstr "G-Code de fin de filamento" msgid "Wipe tower parameters" msgstr "Parámetros de torre de purga" @@ -8077,7 +8109,7 @@ msgid "Machine start G-code" msgstr "G-Code de inicio" msgid "Machine end G-code" -msgstr "G-Code final" +msgstr "G-Code de fin" msgid "Printing by object G-code" msgstr "G-Code de impresión por objeto" @@ -8086,22 +8118,22 @@ msgid "Before layer change G-code" msgstr "G-Code para antes del cambio de capa" msgid "Layer change G-code" -msgstr "Cambiar el G-Code tras el cambio de capa" +msgstr "G-Code tras el cambio de capa" msgid "Time lapse G-code" -msgstr "Timelapse G-Code" +msgstr "G-Code de timelapse" msgid "Change filament G-code" msgstr "G-Code para el cambio de filamento" msgid "Change extrusion role G-code" -msgstr "Cambiar el rol de extrusión Código G" +msgstr "G-Code de cambio de rol de extrusión" msgid "Pause G-code" msgstr "G-Code de pausa" msgid "Template Custom G-code" -msgstr "G-Code para el cambio de plantilla" +msgstr "Plantilla para G-Code de usuario" msgid "Motion ability" msgstr "Capacidad de movimiento" @@ -8168,7 +8200,7 @@ msgstr "" "La opción Wipe no está disponible cuando se utiliza el modo Retracción de " "Firmware.\n" "\n" -"Debo desactivarla para activar la retracción de firmware?" +"¿Desea desactivarla y activar el modo Retracción de Firmware?" msgid "Firmware Retraction" msgstr "Retracción de firmware" @@ -8195,7 +8227,7 @@ msgstr[1] "Los siguientes perfiles heredan de este otro." #. TRN Remove/Delete #, boost-format msgid "%1% Preset" -msgstr "%1% Preestablecido" +msgstr "Perfil %1%" msgid "Following preset will be deleted too." msgid_plural "Following presets will be deleted too." @@ -8272,8 +8304,7 @@ msgid "Keep the selected options." msgstr "Mantener las opciones seleccionadas." msgid "Transfer the selected options to the newly selected preset." -msgstr "" -"Transfiere las opciones seleccionadas a la nueva preselección seleccionada." +msgstr "Transferir las opciones seleccionadas al nuevo perfil." #, boost-format msgid "" @@ -8288,12 +8319,12 @@ msgid "" "Transfer the selected options to the newly selected preset \n" "\"%1%\"." msgstr "" -"Transfiere las opciones seleccionadas al nuevo perfil seleccionado \n" +"Transferir las opciones seleccionadas al nuevo perfil seleccionado \n" "\"%1%\"." #, boost-format msgid "Preset \"%1%\" contains the following unsaved changes:" -msgstr "La preselección \"%1%\" contiene los siguientes cambios no guardados:" +msgstr "El perfil \"%1%\" contiene los siguientes cambios no guardados:" #, boost-format msgid "" @@ -8320,7 +8351,7 @@ msgid "" "You can save or discard the preset values you have modified." msgstr "" "\n" -"Puede guardar o descartar los perfiles que haya modificado." +"Puede guardar o descartar los parámetros del perfil que haya modificado." msgid "" "\n" @@ -8328,8 +8359,8 @@ msgid "" "transfer the values you have modified to the new preset." msgstr "" "\n" -"Puede guardar o descartar los valores perfiles que ha modificado, o elegir " -"transferir los valores que ha modificado al nuevo perfil." +"Puede guardar o descartar los parámetros del perfil que haya modificado, o " +"elegir el transferir los valores que ha modificado al nuevo perfil." msgid "You have previously modified your settings." msgstr "Ha modificado previamente su configuración." @@ -8340,11 +8371,11 @@ msgid "" "the modified values to the new project" msgstr "" "\n" -"Puede descartar los valores perfiles que haya modificado, o elegir " +"Puede descartar los parámetros del perfil que haya modificado, o elegir el " "transferir los valores modificados al nuevo proyecto" msgid "Extruders count" -msgstr "Contador de extrusores" +msgstr "Número de extrusores" msgid "General" msgstr "General" @@ -8368,7 +8399,7 @@ msgid "" "Note: New modified presets will be selected in settings tabs after close " "this dialog." msgstr "" -"Transfiera las opciones seleccionadas del perfil izquierdo al derecho. \n" +"Transferir las opciones seleccionadas del perfil izquierdo al derecho. \n" "Nota: Los nuevos perfiles modificados se seleccionarán en las pestañas de " "configuración después de cerrar este cuadro de diálogo." @@ -8379,8 +8410,8 @@ msgid "" "If enabled, this dialog can be used for transfer selected values from left " "to right preset." msgstr "" -"Si se activa, este cuadro de diálogo se puede utilizar para convertir los " -"valores seleccionados de izquierda a derecha perfiles." +"Si se activa, este cuadro de diálogo se puede utilizar para transferir los " +"valores seleccionados de los perfiles de la izquierda a la los de la derecha." msgid "Add File" msgstr "Añadir archivo" @@ -8399,7 +8430,7 @@ msgid "Basic Info" msgstr "Información Básica" msgid "Pictures" -msgstr "Fotos" +msgstr "Imágenes" msgid "Bill of Materials" msgstr "Lista de materiales" @@ -8424,7 +8455,7 @@ msgid "Configuration update" msgstr "Actualización de configuración" msgid "A new configuration package available, Do you want to install it?" -msgstr "Un nuevo paquete de configuración disponible, ¿quieres instalarlo?" +msgstr "Un nuevo paquete de configuración disponible, ¿desea instalarlo?" msgid "Description:" msgstr "Descripción:" @@ -8460,7 +8491,7 @@ msgid "The configuration is up to date." msgstr "La configuración está actualizada." msgid "Obj file Import color" -msgstr "Archivo Obj Importar color" +msgstr "Importar color de archivo OBJ" msgid "Specify number of colors:" msgstr "Especifique el número de colores:" @@ -8479,10 +8510,10 @@ msgid "Quick set:" msgstr "Configurar rápido:" msgid "Color match" -msgstr "Combinación de colores" +msgstr "Coincidencia de colores" msgid "Approximate color matching." -msgstr "Coincidencia de color aproximada." +msgstr "Coincidencia aproximada de colores." msgid "Append" msgstr "Añadir" @@ -8494,7 +8525,7 @@ msgid "Reset mapped extruders." msgstr "Restablecer extrusoras mapeadas." msgid "Cluster colors" -msgstr "Colores de grupos" +msgstr "Agrupar colores" msgid "Map Filament" msgstr "Mapear Filamento" @@ -8503,7 +8534,7 @@ msgid "" "Note:The color has been selected, you can choose OK \n" " to continue or manually adjust it." msgstr "" -"Nota: Una vez seleccionado el color, puede elegir OK\n" +"Nota: el color ha sido seleccionado, puede elegir OK\n" "para continuar o ajustarlo manualmente." msgid "" @@ -8511,8 +8542,6 @@ msgid "" " current extruders exceeds 16." msgstr "" "Advertencia: El recuento de extrusores recién añadidos y \n" -"actuales es superior a 16.Advertencia: El recuento de extrusores recién " -"añadidos y \n" "actuales es superior a 16." msgid "Ramming customization" @@ -8530,7 +8559,7 @@ msgid "" "jams, extruder wheel grinding into filament etc." msgstr "" "El moldeado de extremo se refiere a una extrusión rápida justo antes del " -"cambio de cabezal en la impresora MM de extrusor único. Su propósito es dar " +"cambio de cabezal en impresorad MM de extrusor único. Su propósito es dar " "una forma adecuada al final del filamento descargado para no impedir la " "inserción del nuevo filamento, y que pueda ser reinsertada por si misma " "posteriormente." @@ -8551,35 +8580,35 @@ msgid "Ramming line spacing" msgstr "Separación de línea de moldeado de extremo" msgid "Auto-Calc" -msgstr "Auto-Calc" +msgstr "Calculado automático" msgid "Re-calculate" msgstr "Recalcular" msgid "Flushing volumes for filament change" -msgstr "Volúmenes de limpieza para el cambio de filamentos" +msgstr "Volúmenes de purgado para el cambio de filamentos" msgid "" "Orca would re-calculate your flushing volumes everytime the filaments color " "changed. You could disable the auto-calculate in Orca Slicer > Preferences" msgstr "" -"Orca volverá a calcular sus volúmenes de descarga cada vez que se cambie el " +"Orca volverá a calcular sus volúmenes de purgado cada vez que se cambie el " "color de los filamentos. Puedes desactivar el cálculo automático en Orca " "Slicer > Preferencias." msgid "Flushing volume (mm³) for each filament pair." -msgstr "Volumen de limpieza (mm³) para cada par de filamentos." +msgstr "Volumen de purgado (mm³) para cada par de filamentos." #, c-format, boost-format msgid "Suggestion: Flushing Volume in range [%d, %d]" -msgstr "Sugerencias: Volumen de Flujo en rango [%d, %d]" +msgstr "Sugerencia: Volumen de purgado en rango [%d, %d]" #, c-format, boost-format msgid "The multiplier should be in range [%.2f, %.2f]." -msgstr "El multiplicador debería estar en el rango [%.2f, %.2f]." +msgstr "El multiplo debería estar en el rango [%.2f, %.2f]." msgid "Multiplier" -msgstr "Multiplicador" +msgstr "Multiplo" msgid "unloaded" msgstr "Descargado" @@ -8634,7 +8663,7 @@ msgstr "" "o gstreamer1.0-libav y, a continuación, reinicia Orca Slicer...)." msgid "Bambu Network plug-in not detected." -msgstr "Plugin Red Bambú no detectado." +msgstr "Plugin Red Bambu no detectado." msgid "Click here to download it." msgstr "Presione aquí para descargarlo." @@ -8683,13 +8712,13 @@ msgid "Rotate View" msgstr "Rotar Vista" msgid "Pan View" -msgstr "Vista Panorámica" +msgstr "Desplazar vista" msgid "Mouse wheel" msgstr "Rueda de ratón" msgid "Zoom View" -msgstr "Vista de Zoom" +msgstr "Hacer Zoom" msgid "Shift+A" msgstr "Shift+A" @@ -8704,7 +8733,7 @@ msgid "" msgstr "" "Orienta automáticamente los objetos seleccionados o todos los objetos. Si " "hay objetos seleccionados, sólo orienta los seleccionados. En caso " -"contrario, orientará todos los objetos actuales." +"contrario, orientará todos los objetos de la placa actual." msgid "Shift+Tab" msgstr "Shift+Tab" @@ -8713,19 +8742,19 @@ msgid "Collapse/Expand the sidebar" msgstr "Ocultar/Expandir barra lateral" msgid "⌘+Any arrow" -msgstr "" +msgstr "⌘+Cualquier flecha" msgid "Movement in camera space" msgstr "Movimiento en el espacio de la cámara" msgid "⌥+Left mouse button" -msgstr "Botón de ratón ⌥+Left" +msgstr "⌥+Botón izquierdo de ratón" msgid "Select a part" msgstr "Seleccionar una pieza" msgid "⌘+Left mouse button" -msgstr "⌘+botón izquierdo de ratón" +msgstr "⌘+Botón izquierdo de ratón" msgid "Select multiple objects" msgstr "Seleccionar varios objetos" @@ -8740,7 +8769,7 @@ msgid "Ctrl+Left mouse button" msgstr "Ctrl+Botón izquierdo de ratón" msgid "Shift+Left mouse button" -msgstr "Shift+Left+Botón izquierdo de ratón" +msgstr "Shift+Botón izquierdo de ratón" msgid "Select objects by rectangle" msgstr "Seleccionar objetos por rectángulo" @@ -8782,7 +8811,7 @@ msgid "Camera view - Default" msgstr "Vista de la cámara - Por defecto" msgid "Camera view - Top" -msgstr "Vista de la cámara Superior" +msgstr "Vista de la cámara - Parte Superior" msgid "Camera view - Bottom" msgstr "Vista de la cámara - Parte inferior" @@ -8803,28 +8832,28 @@ msgid "Select all objects" msgstr "Seleccionar todos los objetos" msgid "Gizmo move" -msgstr "Movimiento Gizmo" +msgstr "Herramienta de movimiento" msgid "Gizmo scale" -msgstr "Escala Gizmo" +msgstr "Herramienta de escala" msgid "Gizmo rotate" -msgstr "Rotación Gizmo" +msgstr "Herramienta de rotación" msgid "Gizmo cut" -msgstr "Corte Gizmo" +msgstr "Herramienta de corte" msgid "Gizmo Place face on bed" -msgstr "Situar cara en cama en modo Gizmo" +msgstr "Herramienta de situar cara en cama" msgid "Gizmo SLA support points" -msgstr "Puntos de soporte SLA Gizmo" +msgstr "Herramienta de puntos de soporte SLA" msgid "Gizmo FDM paint-on seam" -msgstr "Costura de pintura Gizmo FDM" +msgstr "Herramienta de pintado de costuras FDM" msgid "Gizmo Text emboss / engrave" -msgstr "Gizmo Texto en relieve / grabado" +msgstr "Herramienta de Texto en relieve / grabado" msgid "Zoom in" msgstr "Acercar" @@ -8833,7 +8862,7 @@ msgid "Zoom out" msgstr "Alejar" msgid "Switch between Prepare/Preview" -msgstr "Cambiar entre Preparar/Previsualizar" +msgstr "Cambiar entre Preparar/Previsualizar" msgid "Plater" msgstr "Bandeja" @@ -8845,7 +8874,7 @@ msgid "⌘+Mouse wheel" msgstr "⌘+Rueda del ratón" msgid "Support/Color Painting: adjust pen radius" -msgstr "Soporte/Pintado en color: ajuste del radio de la pluma" +msgstr "Soporte/Pintado en color: ajuste del radio del pincel" msgid "⌥+Mouse wheel" msgstr "⌥+Rueda del ratón" @@ -8860,7 +8889,7 @@ msgid "Alt+Mouse wheel" msgstr "Alt+Rueda del ratón" msgid "Gizmo" -msgstr "Artilugio" +msgstr "Herramienta" msgid "Set extruder number for the objects and parts" msgstr "Ajustar el número de extrusor para los objetos y las piezas" @@ -8885,6 +8914,7 @@ msgstr "Lista de Objetos" msgid "Vertical slider - Move active thumb Up" msgstr "Control deslizante vertical - Mover el pulgar activo hacia Arriba" +#. ? Preview view layer/gcode sliders? msgid "Vertical slider - Move active thumb Down" msgstr "Control deslizante vertical - Mover el pulgar activo hacia Abajo" @@ -8916,7 +8946,7 @@ msgid "Horizontal slider - Move to last position" msgstr "Deslizador horizontal - Desplazarse a la última posición" msgid "Release Note" -msgstr "Notas de lanzamiento" +msgstr "Notas de versión" #, c-format, boost-format msgid "version %s update information :" @@ -8961,6 +8991,7 @@ msgstr "Dejar de imprimir" msgid "Check Assistant" msgstr "Asistente de Pruebas" +#. ? msgid "Filament Extruded, Continue" msgstr "Filamento extruido, Continuar" @@ -8972,7 +9003,7 @@ msgid "Finished, Continue" msgstr "Terminado, Continuar" msgid "Load Filament" -msgstr "Cargar" +msgstr "Cargar filamento" msgid "Filament Loaded, Resume" msgstr "Filamento cargado, reanudar" @@ -8989,7 +9020,7 @@ msgstr "Conexión de red fallida (Mandando archivo de impresión)" msgid "" "Step 1, please confirm Orca Slicer and your printer are in the same LAN." msgstr "" -"Paso 1, por favor confirmar que Orca Slicer y tu impresora se encuentran en " +"Paso 1, por favor verifique que Orca Slicer y la impresora se encuentran en " "la misma red local." msgid "" @@ -8997,7 +9028,7 @@ msgid "" "on your printer, please correct them." msgstr "" "Paso 2, si la IP y el Código de Acceso de abajo son diferentes de los " -"valores actuales en su impresora, por favor, corríjalos." +"valores presentes en su impresora, por favor, corríjalos." msgid "IP" msgstr "IP" @@ -9017,7 +9048,7 @@ msgid "Test" msgstr "Test" msgid "IP and Access Code Verified! You may close the window" -msgstr "¡Ip y Código de Acceso Verificadas! ¡Debería cerrar esta ventana" +msgstr "¡Ip y Código de Acceso Verificadas! Puede cerrar esta ventana" msgid "Connection failed, please double check IP and Access Code" msgstr "" @@ -9052,7 +9083,7 @@ msgid "Updating" msgstr "Actualizando" msgid "Updating failed" -msgstr "Fallo Actualizando" +msgstr "Actualización fallida" msgid "Updating successful" msgstr "Actualización exitosa" @@ -9170,7 +9201,7 @@ msgid "" "Maybe parts of the object at these height are too thin, or the object has " "faulty mesh" msgstr "" -"Tal vez las piezas del objeto a esa altura son demasiado finas, o el objeto " +"Tal vez detalles del objeto a esa altura son demasiado finos, o el objeto " "tiene una malla defectuosa" msgid "No object can be printed. Maybe too small" @@ -9180,14 +9211,14 @@ msgid "" "Your print is very close to the priming regions. Make sure there is no " "collision." msgstr "" -"Su huella está muy cerca de las regiones de imprimación. Asegúrese de que no " -"hay colisión." +"Las piezas se encuentran muy cerca de las regiones de purgado. Asegúrese " +"de que no hay colisión." msgid "" "Failed to generate gcode for invalid custom G-code.\n" "\n" msgstr "" -"La generación ha fallado del G-Code por un G-Code personalizado no válido.\n" +"La generación del G-Code ha fallado por un G-Code personalizado no válido.\n" "\n" msgid "Please check the custom G-code or use the default custom G-code." @@ -9230,7 +9261,8 @@ msgid "Support interface" msgstr "Interfaz de soporte" msgid "Support transition" -msgstr "Apoyo a la transición" +msgstr "Transición de soporte" +#. ? Not sure what support transition actually is msgid "Multiple" msgstr "Múltiple" @@ -9238,14 +9270,14 @@ msgstr "Múltiple" #, boost-format msgid "Failed to calculate line width of %1%. Can not get value of \"%2%\" " msgstr "" -"Ha fallado el cálculo del ancho de extrusión de %1%. No se puede obtener el " +"Ha fallado el cálculo del ancho de línea de %1%. No se puede obtener el " "valor de \"%2%\". " msgid "" "Invalid spacing supplied to Flow::with_spacing(), check your layer height " "and extrusion width" msgstr "" -"Separación no válido suministrado a Flow::with_spacing(), comprueba la " +"Espaciado no válido suministrado a Flow::with_spacing(), comprueba la " "altura de su capa y el ancho de extrusión." msgid "undefined error" @@ -9417,7 +9449,7 @@ msgid "" "While the object %1% itself fits the build volume, its last layer exceeds " "the maximum build volume height." msgstr "" -"Mientras que el objeto %1% se ajusta al volumen de construcción, su última " +"Aunque el objeto %1% se ajusta al volumen de construcción, su última " "capa excede la altura máxima del volumen de construcción." msgid "" @@ -9444,7 +9476,7 @@ msgid "" "The Wipe Tower is currently only supported with the relative extruder " "addressing (use_relative_e_distances=1)." msgstr "" -"Actualmente, la torre de limpieza sólo es compatible con el direccionamiento " +"Actualmente, la torre de purga sólo es compatible con el direccionamiento " "relativo del extrusor (use_relative_e_distances=1)." msgid "" @@ -9458,8 +9490,8 @@ msgid "" "The prime tower is currently only supported for the Marlin, RepRap/Sprinter, " "RepRapFirmware and Repetier G-code flavors." msgstr "" -"Actualmente, la torre de purga sólo es compatible con las versiones Marlin, " -"RepRap/Sprinter, RepRapFirmware y Repetier G-Code." +"Actualmente, la torre de purga sólo es compatible para los firmwares Marlin, " +"RepRap/Sprinter, RepRapFirmware y Repetier." msgid "The prime tower is not supported in \"By object\" print." msgstr "La torre de purga no es compatible con la impresión \"Por objeto\"." @@ -9475,6 +9507,7 @@ msgid "The prime tower requires \"support gap\" to be multiple of layer height" msgstr "" "La torre de purga requiere que el \"hueco de apoyo\" sea múltiplo de la " "altura de la capa" +#. ? Hueco de apoyo? msgid "The prime tower requires that all objects have the same layer heights" msgstr "" @@ -9486,14 +9519,14 @@ msgid "" "of raft layers" msgstr "" "La torre de purga requiere que todos los objetos se impriman sobre el mismo " -"número de capas de balsa( base de impresión)" +"número de capas de balsa (base de impresión)" msgid "" "The prime tower requires that all objects are sliced with the same layer " "heights." msgstr "" -"La torre de purga requiere que todos los objetos se corten con las mismas " -"alturas de capa." +"La torre de purga requiere que todos los objetos se laminen con la misma " +"altura de capa." msgid "" "The prime tower is only supported if all objects have the same variable " @@ -9503,30 +9536,30 @@ msgstr "" "de capa variable" msgid "Too small line width" -msgstr "Ancho de extrusión demasiado pequeño" +msgstr "Ancho de línea demasiado pequeño" msgid "Too large line width" -msgstr "Ancho de extrusión demasiado grande" +msgstr "Ancho de línea demasiado grande" msgid "" "The prime tower requires that support has the same layer height with object." msgstr "" -"La torre de purga requiere que el soporte tenga la misma altura de capa con " +"La torre de purga requiere que el soporte tenga la misma altura de capa que " "el objeto." msgid "" "Organic support tree tip diameter must not be smaller than support material " "extrusion width." msgstr "" -"El diámetro de la punta del árbol de soporte orgánico no debe ser menor que " -"el ancho de extrusión del material de soporte." +"El diámetro de la punta del árbol de soporte orgánico no puede ser menor que " +"el ancho de línea del material de soporte." msgid "" "Organic support branch diameter must not be smaller than 2x support material " "extrusion width." msgstr "" "El diámetro de la rama de soporte orgánico no debe ser menor que 2x el ancho " -"de extrusión del material de soporte." +"de línea del material de soporte." msgid "" "Organic support branch diameter must not be smaller than support tree tip " @@ -9538,8 +9571,8 @@ msgstr "" msgid "" "Support enforcers are used but support is not enabled. Please enable support." msgstr "" -"Se utilizan las herramientas de aplicación de soporte pero el soporte no " -"está habilitado. Por favor, active el soporte." +"Se utilizan las herramientas de forzado de soporte pero los soportes no " +"están habilitados. Por favor, active la generación de soportes." msgid "Layer height cannot exceed nozzle diameter" msgstr "La altura de la capa no puede superar el diámetro de la boquilla" @@ -9551,21 +9584,21 @@ msgid "" msgstr "" "El direccionamiento de extrusión relativa requiere reiniciar la posición del " "extrusor en cada capa para evitar perdidas de precisión de punto flotante. " -"Añade \"G92 E0\" al código de capa." +"Añade \"G92 E0\" al g-code de antes de cambio de capa." msgid "" "\"G92 E0\" was found in before_layer_gcode, which is incompatible with " "absolute extruder addressing." msgstr "" -"Se ha encontrado \"G92 E0\" en before_layer_gcode, el cual es incompatible " -"con el direccionamiento de extrusión absoluta." +"Se ha encontrado \"G92 E0\" en before_layer_change_gcode, lo cual es " +"incompatible con el direccionamiento de extrusión absoluta." msgid "" "\"G92 E0\" was found in layer_gcode, which is incompatible with absolute " "extruder addressing." msgstr "" -"Se ha encontrado \"G92 E0\" en layer_gcode, el cual es incompatible con el " -"direccionamiento de extrusión absoluta." +"Se ha encontrado \"G92 E0\" en after_layer_change_gcode, lo cual es " +"incompatible con el direccionamiento de extrusión absoluta." #, c-format, boost-format msgid "Plate %d: %s does not support filament %s" @@ -9586,9 +9619,9 @@ msgid "" "get higher speeds." msgstr "" "El ajuste de jerk supera el jerk máximo de la impresora (machine_max_jerk_x/" -"machine_max_jerk_y). Orca limitará automáticamente la velocidad de tirón " +"machine_max_jerk_y). Orca limitará automáticamente la velocidad de jerk " "para garantizar que no supere las capacidades de la impresora. Puede ajustar " -"el ajuste de jerk máximo en la configuración de la impresora para obtener " +"el ajuste de jerk máximo en la configuración de la impresora para usar " "velocidades más altas." msgid "" @@ -9603,7 +9636,7 @@ msgstr "" "(machine_max_acceleration_extruding). Orca limitará automáticamente la " "velocidad de aceleración para garantizar que no supere las capacidades de la " "impresora. Puede ajustar el valor machine_max_acceleration_extruding en la " -"configuración de la impresora para obtener velocidades superiores." +"configuración de la impresora para usar velocidades superiores." msgid "" "The travel acceleration setting exceeds the printer's maximum travel " @@ -9618,7 +9651,7 @@ msgstr "" "Orca limitará automáticamente la velocidad de aceleración de desplazamiento " "para garantizar que no supere las capacidades de la impresora.\n" "Puede ajustar el valor de machine_max_acceleration_travel en la " -"configuración de la impresora para obtener velocidades más altas." +"configuración de la impresora para usar velocidades más altas." msgid "Generating skirt & brim" msgstr "Generando falda y borde de adherencia" @@ -9655,17 +9688,17 @@ msgid "Bed custom model" msgstr "Modelo personalizado de cama" msgid "Elephant foot compensation" -msgstr "Compensación del pata de elefante" +msgstr "Compensación de Pata de elefante" msgid "" "Shrink the initial layer on build plate to compensate for elephant foot " "effect" msgstr "" -"Contraer la primera capa en la bandeja de impresión para compensar el efecto " -"de la pata de elefante" +"Contracción de la primera capa en la bandeja de impresión para compensar el " +"efecto de Pata de elefante" msgid "Elephant foot compensation layers" -msgstr "Capas de compensación de la pata de elefante" +msgstr "Capas de compensación de Pata de elefante" msgid "" "The number of layers on which the elephant foot compensation will be active. " @@ -9673,10 +9706,10 @@ msgid "" "the next layers will be linearly shrunk less, up to the layer indicated by " "this value." msgstr "" -"El número de capas en las que estará activa la compensación de pata de " -"elefante. La primera capa se encogerá por el valor de compensación de pata " -"de elefante, luego las siguientes capas se encogerán linealmente menos, " -"hasta la capa indicada por este valor." +"El número de capas en las que estará activa la compensación de Pata de " +"elefante. La primera capa se encogerá por el valor de compensación de Pata " +"de elefante, en las siguientes capas se disminuirá linealmente el efecto de " +"encogimiento, hasta la capa indicada por este parámetro." msgid "layers" msgstr "capas" @@ -9724,10 +9757,10 @@ msgid "" msgstr "" "OrcaSlicer puede subir archivos G-Code a una impresora. Este campo debería " "contener el nombre de host, la dirección IP o la URL de la instancia de la " -"impresora. Se puede acceder a la impresora detrás de un proX-Y con la " +"impresora. Se puede acceder a la impresora detrás de un proxy con la " "autenticación básica activada por un nombre de usuario y contraseña en la " -"URL en el siguiente formato: https://nombredeusuario:" -"contraseña@tudirecciondeoctopi/" +"URL en el siguiente formato: " +"https://nombredeusuario:contraseña@tudirecciondeoctopi/" msgid "Device UI" msgstr "IU de dispositivo" @@ -9860,7 +9893,7 @@ msgid "Initial layer" msgstr "Capa inicial" msgid "Initial layer bed temperature" -msgstr "Temperatura inicial de la cama en la capa" +msgstr "Temperatura de la cama durante la primera capa" msgid "" "Bed temperature of the initial layer. Value 0 means the filament does not " @@ -9888,8 +9921,8 @@ msgid "" "Bed temperature of the initial layer. Value 0 means the filament does not " "support to print on the Textured PEI Plate" msgstr "" -"Temperatura del lecho de la primera capa. El valor 0 significa que el " -"filamento no es compatible para imprimir en la Bandeja PEI Texturizada" +"Esta es la temperatura de la cama de la primera capa. Un valor de 0 significa " +"que el filamento no admite la impresión en la Bandeja PEI Texturizada" msgid "Bed types supported by the printer" msgstr "Tipos de cama que admite la impresora" @@ -9973,7 +10006,37 @@ msgid "" "between perimeters, a better option would be to switch to the arachne wall " "generator and use this option to control whether the cosmetic top and bottom " "surface gap fill is generated" -msgstr "" +msgstr "Activa el relleno de huecos para las superficies solidas " +"seleccionadas. La longitud mínima a rellenar puede ser ajustada en el campo " +"'Filtrar pequeños huecos' más abajo.\n" +"\n" +"Opciones:\n" +"1. Siempre: Utilizar el relleno de huecos en las superficies sólidas " +"inferior, superior e internas para una máxima resistencia.\n" +"2. Superficies Superior e Inferior: Utilizar el relleno de huecos sólo en las " +"superficies superior e inferior, resultando en un equilibrio entre la " +"velocidad de impresión, reducción de la posibilidad de sobreextrusión en " +"rellenos sólidos y reduciendo la probabilidad de aparición de huecos de ojal " +"en las superficies superior e inferior.\n" +"3. Nunca: Deshabilita el relleno de huecos en todas las áreas de relleno " +"sólido. \n" +"\n" +"Nótese que si se utiliza el generador de perímetros clásico (ancho de línea " +"constante), el relleno de huecos puede ser aplicado entre perímetros, en los " +"casos en los que una línea de extrusión completa no pueda caber entre estos. " +"Ese relleno de huecos entre perímetros es independiente de este parámetro y " +"no se verá afectado por estos asjustes. \n" +"\n" +"Si desea desactivar todos los rellenos de huecos, incluidos aquellos " +"asociados al generador de perímetros Clásico, ajuste el parámetro 'Filtrar " +"pequeños huecos' a un número muy elevado, por ejemplo 999999. \n" +"\n" +"Se desaconseja encare no desactivar completamente el relleno de huecos, ya " +"que el relleno de huecos entre perímetros contribuye significativamente a la " +"resistencia de las piezas. Para modelos que resulten en un uso excesivo del " +"relleno de heucos, una alternativa puede ser usar el generador de perímetros " +"Arachne, y usar 'Aplicar relleno de huecos' con fines cosméticos para " +"controlar el acabado de las superficies superior e inferior." msgid "Everywhere" msgstr "En todas partes" @@ -9985,31 +10048,31 @@ msgid "Nowhere" msgstr "En ninguna parte" msgid "Force cooling for overhang and bridge" -msgstr "Refrigeración forzada para el voladizo y el puente" +msgstr "Refrigeración forzada para voladizos y puentes" msgid "" "Enable this option to optimize part cooling fan speed for overhang and " "bridge to get better cooling" msgstr "" "Habilite esta opción para optimizar la velocidad del ventilador de " -"refrigeración de la pieza para el voladizo y el puente para obtener una " +"refrigeración de la pieza para voladizos y puentes para obtener una " "mejor refrigeración" msgid "Fan speed for overhang" -msgstr "Velocidad del ventilador para el voladizo" +msgstr "Velocidad del ventilador para voladizos" msgid "" "Force part cooling fan to be this speed when printing bridge or overhang " "wall which has large overhang degree. Forcing cooling for overhang and " "bridge can get better quality for these part" msgstr "" -"Forzar el ventilador de la pieza a esta velocidad cuando se imprime el " -"puente o el perímetro del voladizo que tiene un gran grado de voladizo. Al " +"Forzar el ventilador de la pieza a esta velocidad cuando se imprimen " +"puentes o perímetros en voladizo que tiene un gran ángulo de voladizo. Al " "forzar la refrigeración de los voladizos y puentes se puede obtener una " "mejor calidad para estas piezas" msgid "Cooling overhang threshold" -msgstr "Umbral del voladizo de refrigeración" +msgstr "Umbral de refiregeación para voladizos" #, c-format msgid "" @@ -10019,10 +10082,10 @@ msgid "" "all outer wall no matter how much overhang degree" msgstr "" "Fuerza al ventilador de refrigeración a una velocidad específica cuando el " -"grado de voladizo de la pieza impresa excede este valor. Expresado como " +"ángulo de voladizo de la pieza impresa excede este valor. Expresado como " "porcentaje, indica la anchura de la línea sin soporte de la capa inferior. " -"0% m significa forzar la refrigeración de todo el perímetro exterior sin " -"importar el grado de voladizo" +"Un 0%% significa forzar la refrigeración de todo el perímetro exterior sin " +"importar el ángulo de voladizo" msgid "Bridge infill direction" msgstr "Ángulo del relleno en puente" @@ -10032,7 +10095,7 @@ msgid "" "calculated automatically. Otherwise the provided angle will be used for " "external bridges. Use 180°for zero angle." msgstr "" -"Anulación del ángulo de puenteo. Si se deja a cero, el ángulo de puente se " +"Control del ángulo de puentes. Si se deja a cero, el ángulo de puente se " "calculará automáticamente. De lo contrario, se utilizará el ángulo " "proporcionado para los puentes externos. Utilice 180° para el ángulo cero." @@ -10054,6 +10117,12 @@ msgid "" "The actual bridge flow used is calculated by multiplying this value with the " "filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Disminuya este valor ligeramente (por ejemplo 0,9) para reducir la cantidad " +"de material extruido en puentes, para mejorar o evitar el hundimiento. \n" +"\n" +"El valor final de flujo para puentes es calculado multiplicando este valor " +"por el valor de flujo del filamento, y en su caso, por el factor de flujo " +"del objeto." msgid "Internal bridge flow ratio" msgstr "Ratio de flujo de puentes internos" @@ -10067,6 +10136,14 @@ msgid "" "with the bridge flow ratio, the filament flow ratio, and if set, the " "object's flow ratio." msgstr "" +"Este valor regula el grosor de la capa puente interna. Es la primera capa " +"sobre el relleno de baja densidad. Disminuya ligeramente este valor (por " +"ejemplo a 0,9) para mejorar la calidad de la superficie sobre el relleno de " +"baja densidad. \n" +"\n" +"El valor final de flujo para puentes internos es calculado multiplicando " +"este valor por el valor de flujo del filamento, y en su caso, por el factor " +"de flujo del objeto." msgid "Top surface flow ratio" msgstr "Ratio de flujo en superficie superior" @@ -10078,6 +10155,14 @@ msgid "" "The actual top surface flow used is calculated by multiplying this value " "with the filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Este factor afecta a la cantidad de material extruido en la superficie sólida " +"superior. Puede disminuirlo ligeramente para obtener un acabado más suave de " +"superficie \n" +"\n" +"El valor final de flujo para superficies superiores es calculado " +"multiplicando este valor por el valor de flujo del filamento, y en su caso, " +"por el factor de flujo del objeto." + msgid "Bottom surface flow ratio" msgstr "Ratio de flujo en superficie inferior" @@ -10088,6 +10173,11 @@ msgid "" "The actual bottom solid infill flow used is calculated by multiplying this " "value with the filament flow ratio, and if set, the object's flow ratio." msgstr "" +"Este factor controla la cantidad de material extruido para el relleno sólido " +"de las superficies superior e inferior. \n" +"\n" +"El valor final de flujo es el producto de este valor, el factor de flujo del " +"filamente y, si procede, el factor de flujo del objeto." msgid "Precise wall" msgstr "Perímetro preciso" @@ -10099,8 +10189,8 @@ msgid "" "to Inner-Outer" msgstr "" "Mejore la precisión de la cubierta ajustando la separación entre perímetros " -"exteriores. Esto también mejora la consistencia de la capa. \n" -"Nota: Este ajuste sólo tendrá efecto si la secuencia de el perímetro está " +"exteriores. Esto también mejora la consistencia de las capas. \n" +"Nota: Este ajuste sólo tendrá efecto si la secuencia de perímetros está " "configurada como Interior-Exterior" msgid "Only one wall on top surfaces" @@ -10110,8 +10200,8 @@ msgid "" "Use only one wall on flat top surface, to give more space to the top infill " "pattern" msgstr "" -"Sólo un perímetro en la capas superiores, para dar más espacio al patrón de " -"relleno superior" +"Sólo un perímetro en la capas superiores planas, para dar más espacio al " +"patrón de relleno superior" msgid "One wall threshold" msgstr "Umbral para generar un solo perímetro" @@ -10128,11 +10218,11 @@ msgid "" "artifacts." msgstr "" "Si una superficie superior debe ser impresa y está parcialmente cubierta por " -"otra capa, no será considerada una capa superior donde su anchura esté por " +"otra capa, no será considerada una capa superior cuando su anchura esté por " "debajo ese valor. Esto puede ser de utilidad para que no se active el ajuste " -"perímetro en la parte superior' en las capas que solo deberían ser cubiertas " -"por perímetros. Este valor puede ser en mm o un % o del perímetro de " -"extrusión.\n" +"'Sólo un perímetro en las capas superiores' en las capas que solo deberían ser " +"cubiertas por perímetros. Este valor puede ser en mm o un % o grosor del " +"perímetro de extrusión.\n" "Advertencia: Si se activa, se pueden crear imperfecciones si tiene alguna " "característica fina en la siguiente capa, como letras. Ajuste a 0 esta " "opción para borrar esas imperfecciones." @@ -10154,8 +10244,8 @@ msgid "" "Create additional perimeter paths over steep overhangs and areas where " "bridges cannot be anchored. " msgstr "" -"Crear caminos de perímetros adicionales sobre voladizos pronunciados y áreas " -"donde los puentes no pueden ser anclados. " +"Crear perímetros adicionales sobre voladizos pronunciados y áreas donde los " +"puentes no pueden ser anclados." msgid "Reverse on odd" msgstr "Invertir en impar" @@ -10171,9 +10261,9 @@ msgid "" "This setting can also help reduce part warping due to the reduction of " "stresses in the part walls." msgstr "" -"Extruya los perímetros que tienen una parte sobre un voladizo en sentido " -"inverso en las capas impares. Este patrón alterno puede mejorar " -"drásticamente los voladizos pronunciados.\n" +"Extruir los perímetros que tienen una parte sobre un voladizo en sentido " +"inverso en las capas impares. Este patrón alterno puede mejorar drásticamente " +"los voladizos pronunciados.\n" "\n" "Este ajuste también puede ayudar a reducir la deformación de la pieza debido " "a la reducción de tensiones en los perímetros de la pieza." @@ -10195,15 +10285,15 @@ msgid "" "Reverse Threshold to 0 so that all internal walls print in alternating " "directions on odd layers irrespective of their overhang degree." msgstr "" -"Aplique la lógica de perímetros inversos sólo en los perímetros internos. \n" +"Aplicar la lógica de perímetros inversos sólo en los perímetros internos. \n" "\n" "Esta configuración reduce en gran medida las tensiones de la pieza, ya que " -"ahora se distribuyen en direcciones alternas. Esto debería reducir " -"deformaciones de la pieza mientras se mantiene la calidad de el perímetro " -"externo. Esta característica puede ser muy útil para materiales propensos a " +"ahora se distribuyen en direcciones alternas. Esto debería reducir las " +"deformaciones de la pieza, manteniendo la calidad de los perímetros " +"externos. Esta función puede ser muy útil para materiales propensos a " "deformarse, como ABS/ASA, y también para filamentos elásticos, como TPU y " "Silk PLA. También puede ayudar a reducir deformaciones en regiones flotantes " -"en soportes.\n" +"sobre soportes.\n" "\n" "Para que este ajuste sea más eficaz, se recomienda establecer el Umbral " "Inverso en 0 para que todos los perímetros internos se impriman en " @@ -10211,7 +10301,7 @@ msgstr "" "de voladizo." msgid "Bridge counterbore holes" -msgstr "Agujeros del contrafuerte del puente" +msgstr "Crear puentes en agujeros con avellanado" msgid "" "This option creates bridges for counterbore holes, allowing them to be " @@ -10257,7 +10347,7 @@ msgid "Enable this option to use classic mode" msgstr "Activar esta opción para usar el modo clásico" msgid "Slow down for overhang" -msgstr "Disminución de velocidad de voladizo" +msgstr "Disminuir velocidad en voladizos" msgid "Enable this option to slow printing down for different overhang degree" msgstr "" @@ -10265,9 +10355,8 @@ msgstr "" "voladizo" msgid "Slow down for curled perimeters" -msgstr "Reducir velocidad para perímetros curvados" +msgstr "Reducir velocidad en perímetros curvados" -#, c-format, boost-format msgid "" "Enable this option to slow down printing in areas where perimeters may have " "curled upwards.For example, additional slowdown will be applied when " @@ -10287,6 +10376,26 @@ msgid "" "100% overhanging, with no wall supporting them from underneath, the " "100% overhang speed will be applied." msgstr "" +"Active está opción para bajar la velocidad de impresión en las áreas donde " +"potencialmente podrían formarse perímetros curvados hacía arriba. Por " +"ejemplo, se disminuirá la velocidad cuando se impriman voladizos en " +"esquinas afiladas, como la proa del modelo Benchy, reduciendo la " +"deformación que puede ser acumulada en múltiples capas.\n" +"\n" +"Se recomienda usar esta función a menos que la ventilación de la impresora " +"sea lo suficientemente alta o imprima a una velocidad lo suficientemente " +"reducida como para que no se produzca el curvado de perimetros. Si se " +"imprime con una velcidad de perímetro elevada, esta función puede resultar " +"en artefactos o defectos, a causa de la gran variación de velocidad. Si " +"nota la presencia de artefactos, asegúrese de que tiene correctamente " +"calibrado el avance de presión lineal.\n" +"\n" +"Nota: Cuando esta opción está activada, los perímetros en voladizo son " +"procesados como voladizos, lo que significa que serán impresos a la " +"velocidad de voladizos, incluso si el perímetro forma parte de un puente. " +"Por ejemplo, cuando un perímetro se encuentra en voladizo en su totalidad, " +"sin ningún perímetro o soporte por debajo, se aplicará la velocidad de " +"100%% de voladizo." msgid "mm/s or %" msgstr "mm/s o %" @@ -10301,7 +10410,12 @@ msgid "" "overhang mode is enabled, it will be the print speed of overhang walls that " "are supported by less than 13%, whether they are part of a bridge or an " "overhang." -msgstr "" +msgstr "Velocidad de las extrusiones de puentes exteriormente visibles. \n" +"\n" +"Adicionalmente, si se desactiva la función 'Reducir velocidad en perímetros " +"curvados' o se usa el método Clásico de voladizos, también se utilizará esta " +"velocidad para perímetros en voladizo con menos de un 13% de soporte, ya sean " +"parte de un puento o de un voladizo." msgid "mm/s" msgstr "mm/s" @@ -10313,6 +10427,8 @@ msgid "" "Speed of internal bridges. If the value is expressed as a percentage, it " "will be calculated based on the bridge_speed. Default value is 150%." msgstr "" +"Velocidad de los puntes internos. Si se expresa como un porcentaje, será " +"Calculado en base a la velocidad de puente. El valor por defecto es 150%." msgid "Brim width" msgstr "Ancho del borde de adherencia" @@ -10327,12 +10443,12 @@ msgid "" "This controls the generation of the brim at outer and/or inner side of " "models. Auto means the brim width is analysed and calculated automatically." msgstr "" -"Esto controla la generación del borde de adherencia en el lado exterior y/o " -"interior de los modelos. Auto significa que el ancho de borde de adherencia " +"Contro de la generación del borde de adherencia en el lado exterior y/o " +"interior de los modelos. Auto significa que el ancho de lborde de adherencia " "es analizado y calculado automáticamente." msgid "Brim-object gap" -msgstr "Espacio borde de adherencia-objeto" +msgstr "Espaciado borde de adherencia-objeto" msgid "" "A gap between innermost brim line and object can make brim be removed more " @@ -10345,23 +10461,23 @@ msgid "Brim ears" msgstr "Orejas de borde" msgid "Only draw brim over the sharp edges of the model." -msgstr "Solo dibujar bordes sobre los bordes afilados del modelo." +msgstr "Solo dibujar bordes en los bordes afilados del modelo." msgid "Brim ear max angle" -msgstr "Máximo ángulo del borde de la oreja" +msgstr "Ángulo máximo de las Orejas de borde" msgid "" "Maximum angle to let a brim ear appear. \n" "If set to 0, no brim will be created. \n" "If set to ~180, brim will be created on everything but straight sections." msgstr "" -"Máximo ángulo para dejar que el borde de oreja aparezca.\n" +"Ángulo máxima para el que generar Orejas de borde.\n" "Si se ajusta a 0, no se creará ningún borde.\n" -"Si se ajusta a ~180, se creará el borde en todo menos en las secciones " +"Si se ajusta a ~180, se creará el borde en todas las secciones menos en las " "rectas." msgid "Brim ear detection radius" -msgstr "Radio de detección de borde de oreja" +msgstr "Radio de detección de Orejas de borde" msgid "" "The geometry will be decimated before dectecting sharp angles. This " @@ -10377,18 +10493,19 @@ msgstr "Máquina compatible" msgid "upward compatible machine" msgstr "máquina compatible ascendente" +#. ? msgid "Compatible machine condition" -msgstr "Condición de máquina compatible" +msgstr "Condición compatibilidad de máquina" msgid "Compatible process profiles" msgstr "Perfiles de proceso compatibles" msgid "Compatible process profiles condition" -msgstr "Condición de los perfiles de proceso compatibles" +msgstr "Condición de compatibilidad de los perfiles de proceso" msgid "Print sequence, layer by layer or object by object" -msgstr "Imprimir la secuencia, capa por capa u objeto por objeto" +msgstr "Secuencia de impresión, capa a capa u objeto por objeto" msgid "By layer" msgstr "Por capa" @@ -10400,14 +10517,14 @@ msgid "Intra-layer order" msgstr "Orden dentro de la capa" msgid "Print order within a single layer" -msgstr "Orden de impresión en una sola capa" +msgstr "Orden de impresión dentro de cada capa" msgid "As object list" msgstr "Como lista de objetos" msgid "Slow printing down for better layer cooling" msgstr "" -"Reducir la velocidad de impresión para mejorar el refrigeración de las capas" +"Reducir la velocidad de impresión para mejorar la refrigeración de las capas" msgid "" "Enable this option to slow printing speed down to make the final layer time " @@ -10416,10 +10533,10 @@ msgid "" "quality for needle and small details" msgstr "" "Active esta opción para reducir la velocidad de impresión para que el tiempo " -"de la capa final no sea inferior al umbral de tiempo de la capa en \"Umbral " +"final de la capa no sea inferior al umbral de tiempo de la capa en \"Umbral " "de velocidad máxima del ventilador\", de modo que la capa pueda enfriarse " -"durante más tiempo. Esto puede mejorar la calidad del refrigeración para las " -"agujas y los detalles pequeños" +"durante más tiempo. Esto puede mejorar la calidad del refrigeración para los " +"detalles pequeños y esquirlas." msgid "Normal printing" msgstr "Impresión normal" @@ -10429,7 +10546,7 @@ msgid "" "layer" msgstr "" "La aceleración por defecto tanto de la impresión normal como del " -"desplazamiento excepto la primera capa" +"desplazamiento excepto para la primera capa" msgid "mm/s²" msgstr "mm/s²" @@ -10477,8 +10594,8 @@ msgid "" "layer used to be closed to get better build plate adhesion" msgstr "" "Desactivar todos los ventiladores de refrigeración en las primeras capas. El " -"ventilador de la primera capa debe estar apagado para conseguir una mejor " -"adhesión de la bandeja de impresión" +"ventilador de la primera capa suele estar apagado para conseguir una mejor " +"adhesión con la superficie de impresión" msgid "Don't support bridges" msgstr "No soportar puentes" @@ -10498,9 +10615,9 @@ msgid "" "look worse. If disabled, bridges look better but are reliable just for " "shorter bridged distances." msgstr "" -"Si están activados, los puentes son más fiables, pueden salvar distancias " -"más largas, pero pueden tener peor aspecto. Si están desactivados, los " -"puentes se ven mejor pero son fiables sólo para distancias más cortas." +"Si se activa, los puentes son más fiables, pueden salvar distancias " +"más largas, pero pueden tener peor acabado. Si se desactiva, los puentes se " +"ven mejor pero son fiables sólo para distancias más cortas." msgid "Thick internal bridges" msgstr "Puentes gruesos internos" @@ -10510,9 +10627,9 @@ msgid "" "have this feature turned on. However, consider turning it off if you are " "using large nozzles." msgstr "" -"Si está activada, se utilizarán puentes internos gruesos. Normalmente se " -"recomienda tener esta función activada. Sin embargo, considera desactivarla " -"si utilizas boquillas grandes." +"Si se activa, se utilizarán puentes internos gruesos. Normalmente se " +"recomienda tener esta función activada. Sin embargo, considere desactivarla " +"si utilizas boquillas de diámetros elevados." msgid "Don't filter out small internal bridges (beta)" msgstr "No filtrar los pequeños puentes internos (beta)" @@ -10575,7 +10692,7 @@ msgstr "" "innecesarios." msgid "Disabled" -msgstr "Deshabilitados" +msgstr "Desactivado" msgid "Limited filtering" msgstr "Filtrado limitado" @@ -10584,14 +10701,14 @@ msgid "No filtering" msgstr "Sin filtro" msgid "Max bridge length" -msgstr "Distancia máxima de puentes" +msgstr "Distancia máxima de puentes sin soporte" msgid "" "Max length of bridges that don't need support. Set it to 0 if you want all " "bridges to be supported, and set it to a very large value if you don't want " "any bridges to be supported." msgstr "" -"Esta es la longitud máxima de los puentes que no necesitan soporte. Ajústalo " +"Esta es la longitud máxima para imprimir puentes sin soportes. Ajústalo " "a 0 si quieres que todos los puentes sean soportados, y ajústalo a un valor " "muy grande si no quieres que ningún puente sea soportado." @@ -10599,23 +10716,23 @@ msgid "End G-code" msgstr "G-Code final" msgid "End G-code when finish the whole printing" -msgstr "Finalizar el G-Code cuando termine la impresión completa" +msgstr "G-Code ejecutado en el final de la impresión completa" msgid "Between Object Gcode" -msgstr "Entre Objetos G-Code" +msgstr "G-Code ejecutado entre Objetos" msgid "" "Insert Gcode between objects. This parameter will only come into effect when " "you print your models object by object" msgstr "" -"Insertar G-Code entre objetos. Este parámetro sólo tendrá efecto cuando " +"G-Code insertado entre objetos. Este parámetro sólo tendrá efecto cuando " "imprima sus modelos objeto por objeto" msgid "End G-code when finish the printing of this filament" -msgstr "Terminar el G-Code cuando se termine de imprimir este filamento" +msgstr "G-Code ejecutado cuando se termine de imprimir con este filamento" msgid "Ensure vertical shell thickness" -msgstr "Detección de perímetros delgados" +msgstr "Garantizar el grosor vertical de las cubiertas" msgid "" "Add solid infill near sloping surfaces to guarantee the vertical shell " @@ -10628,18 +10745,18 @@ msgid "" "Default value is All." msgstr "" "Añadir relleno sólido cerca de superficies inclinadas para garantizar el " -"grosor vertical del perímetro (capas sólidas superior+inferior)\n" +"grosor vertical de las cubiertas (capas sólidas superior+inferior)\n" "Ninguno: No se añadirá relleno sólido en ninguna parte.\n" "Precaución: Utilice esta opción con cuidado si su modelo tiene superficies " "inclinadas\n" -"Sólo crítico: Evite añadir relleno sólido en perímetros\n" +"Sólo críticos: Evite añadir relleno sólido en perímetros\n" "Moderado: Añadir relleno sólido sólo para superficies muy inclinadas \n" "Todas: Añadir relleno sólido para todas las superficies inclinadas " "adecuadas\n" "El valor por defecto es Todas." msgid "Critical Only" -msgstr "Sólo Críticos" +msgstr "Sólo críticos" msgid "Moderate" msgstr "Moderado" @@ -10660,16 +10777,16 @@ msgid "Monotonic" msgstr "Monotónico" msgid "Monotonic line" -msgstr "Línea Contínua" +msgstr "Líneas monotónicas" msgid "Aligned Rectilinear" -msgstr "Alineación Rectilinea" +msgstr "Rectilineo alineado" msgid "Hilbert Curve" -msgstr "Curva Hilbert" +msgstr "Curva de Hilbert" msgid "Archimedean Chords" -msgstr "Acordes de Arquímedes" +msgstr "Espiral de Arquímedes" msgid "Octagram Spiral" msgstr "Octograma en Espiral" @@ -10689,24 +10806,24 @@ msgid "" "Line pattern of internal solid infill. if the detect narrow internal solid " "infill be enabled, the concentric pattern will be used for the small area." msgstr "" -"Patrón lineal de relleno sólido interno, si se activa la detección de " -"relleno sólido interno nattow, se utilizará el patrón concéntrico para el " -"área pequeña." +"Patrón lineal de relleno sólido interno. Si se activa la detección de " +"relleno sólido interno delgado, se utilizará el patrón concéntrico para las " +"áreas pequeñas." msgid "" "Line width of outer wall. If expressed as a %, it will be computed over the " "nozzle diameter." msgstr "" -"Ancho de extrusión del perímetro externo. Si se expresa cómo %, se calculará " +"Ancho de línea del perímetro externo. Si se expresa cómo %, se calculará " "sobre el diámetro de la boquilla." msgid "" "Speed of outer wall which is outermost and visible. It's used to be slower " "than inner wall speed to get better quality." msgstr "" -"Velocidad del perímetro exterior, que es el más externo y visible. Se " -"utiliza para ser más lento que la velocidad del perímetro interior para " -"obtener una mejor calidad." +"Velocidad del perímetro exterior, que es el más externo y visible. Usar una " +"velocidad menor que la del perímetro interior paraobtener un mejor acabado " +"superficial." msgid "Small perimeters" msgstr "Perímetros pequeños" @@ -10719,16 +10836,16 @@ msgid "" msgstr "" "Este ajuste independiente afectará a la velocidad de los perímetros con " "radio <= small_perimeter_threshold (normalmente orificios). Si se expresa " -"como porcentaje (por ejemplo: 80%) se calculará sobre el ajuste de velocidad " -"del perímetro exterior anterior. Póngalo a cero para auto." +"como un porcentaje (por ejemplo: 80%) se calculará en base al ajuste de " +"velocidad del perímetro exterior anterior. Póngalo a cero para auto." msgid "Small perimeters threshold" -msgstr "Umbral Perímetral Pequeño" +msgstr "Umbral de Perímetros pequeños" msgid "" "This sets the threshold for small perimeter length. Default threshold is 0mm" msgstr "" -"Esto configura el umbral para longitud de perímetro pequeño. El umbral por " +"Esto configura el umbral de longitud de perímetros pequeños. El umbral por " "defecto es 0mm" msgid "Walls printing order" @@ -10758,8 +10875,7 @@ msgid "" "\n" " " msgstr "" -"Imprima la secuencia de los perímetros internos (interiores) y externos " -"(exteriores). \n" +"Secuencia de impresión de los perímetros internos y externos. \n" "\n" "Utilice Interior/Exterior para obtener los mejores voladizos. Esto se debe a " "que los perímetros salientes pueden adherirse a un perímetro vecino durante " @@ -10769,7 +10885,7 @@ msgstr "" "\n" "Utilice Interior/Exterior/Interior para obtener el mejor acabado de " "superficie exterior y precisión dimensional, ya que el perímetro exterior se " -"imprime sin perturbaciones desde un perímetro interior. Sin embargo, el " +"imprime sin perturbaciones por un perímetro interior. Sin embargo, el " "rendimiento del voladizo se reducirá al no haber un perímetro interno contra " "el que imprimir el perímetro externo. Esta opción requiere un mínimo de 3 " "perímetros para ser efectiva, ya que imprime primero los perímetros " @@ -10779,19 +10895,19 @@ msgstr "" "\n" "Utilice Exterior/Interior para obtener la misma calidad en los perímetros " "exteriores y la misma precisión dimensional que con la opción Interior/" -"Exterior/Interior. Sin embargo, las uniones Z parecerán menos consistentes " -"ya que la primera extrusión de una nueva capa comienza en una superficie " -"visible.\n" +"Exterior/Interior. Sin embargo, las costuras Z tendrán un peor acabado ya que " +"la primera extrusión de cada capa comienza en una superficie visible.\n" +"\n" " " msgid "Inner/Outer" -msgstr "Interno/Externo" +msgstr "Interior/Exterior" msgid "Outer/Inner" -msgstr "Externo/Interno" +msgstr "Exterior/Interior" msgid "Inner/Outer/Inner" -msgstr "Interno/Externo/Interno" +msgstr "Interior/Exterior/Interior" msgid "Print infill first" msgstr "Imprimir relleno primero" @@ -10807,13 +10923,13 @@ msgid "" "external surfaces of the part." msgstr "" "Orden de los perímetros/relleno. Cuando la casilla no está marcada, los " -"muros se imprimen primero, lo que funciona mejor en la mayoría de los " +"perímetros se imprimen primero, lo que funciona mejor en la mayoría de los " "casos.\n" "\n" "Imprimir primero el relleno puede ayudar con voladizos extremos ya que los " -"muros tienen el relleno vecino al que adherirse. Sin embargo, el relleno " -"empujará ligeramente hacia fuera los perímetros impresos donde se une a " -"ellos, lo que resulta en un peor acabado de la superficie exterior. También " +"perímetros tienen un relleno cercano al que adherirse. Sin embargo, el " +"relleno empujará ligeramente hacia fuera los perímetros impresos donde se une " +"a ellos, lo que resulta en un peor acabado de la superficie exterior. También " "puede hacer que el relleno brille a través de las superficies externas de la " "pieza." @@ -10836,8 +10952,8 @@ msgstr "" "Por defecto, todos los muros se extruyen en el sentido contrario a las " "agujas del reloj, a menos que esté activada la opción Invertir en impares. " "Establecer esta opción a cualquier opción que no sea Auto forzará la " -"dirección de el perímetro independientemente de la opción Invertir en " -"impar.\n" +"dirección del perímetro, independientemente de si se activa la opción " +"Invertir en impar.\n" "\n" "Esta opción se desactivará si se activa el modo jarrón en espiral." @@ -10865,14 +10981,14 @@ msgid "" "object printing." msgstr "" "Distancia de la punta de la boquilla a la tapa. Usado para evitar la " -"colisión con la impresión por objeto." +"colisión en la impresión por objeto." msgid "" "Clearance radius around extruder. Used for collision avoidance in by-object " "printing." msgstr "" -"El radio de claridad alrededor del extrusor. Se utiliza para evitar la " -"colisión con la impresión por objeto." +"El radio de exclusión alrededor del extrusor. Se utiliza para evitar la " +"colisión en la impresión por objeto." msgid "Nozzle height" msgstr "Altura de la boquilla" @@ -10881,7 +10997,7 @@ msgid "The height of nozzle tip." msgstr "La altura de la punta de la boquilla." msgid "Bed mesh min" -msgstr "Malla de cama mínimo" +msgstr "Punto mínimo para el mallado de superficie" msgid "" "This option sets the min point for the allowed bed mesh area. Due to the " @@ -10894,18 +11010,18 @@ msgid "" "means there are no limits, thus allowing probing across the entire bed." msgstr "" "Esta opción establece el punto mínimo para el área de malla de la cama " -"permitida. Debido al desplazamiento XY de la sonda, la mayoría de las " -"impresoras no pueden sondear toda la cama. Para garantizar que el punto de " -"la sonda no salga del área de la cama, los puntos mínimo y máximo de la " -"malla de la cama deben establecerse adecuadamente. OrcaSlicer se asegura de " -"que los valores de madaptive_bed_mesh_min/adaptive_bed_mesh_max no superen " -"estos puntos mínimo/máximo. Esta información normalmente se puede obtener " -"del fabricante de la impresora. La configuración por defecto es (-99999, " -"-99999), lo que significa que no hay límites, lo que permite el sondeo a " -"través de toda la cama." +"permitida. Debido a la distancia XY de la sonda respecto a la boquilla, la " +"mayoría de las impresoras no pueden sondear toda la cama. Para garantizar que " +"el punto de mdeición no excede el área de la cama, los puntos mínimo y máximo " +"de la malla de la cama deben establecerse adecuadamente. OrcaSlicer se " +"asegura de que los valores de adaptive_bed_mesh_min/adaptive_bed_mesh_max no " +"superen estos puntos mínimo/máximo. Esta información normalmente se puede " +"obtener del fabricante de la impresora. La configuración por defecto es " +"(-99999, -99999), lo que significa que no hay límites, lo que permite el " +"sondeo en todo el área de la cama." msgid "Bed mesh max" -msgstr "Malla de cama máxima" +msgstr "Punto máximo para el mallado de superficie" msgid "" "This option sets the max point for the allowed bed mesh area. Due to the " @@ -10918,25 +11034,25 @@ msgid "" "means there are no limits, thus allowing probing across the entire bed." msgstr "" "Esta opción establece el punto máximo para el área de malla de la cama " -"permitida. Debido al desplazamiento XY de la sonda, la mayoría de las " -"impresoras no pueden sondear todo el lecho. Para garantizar que el punto de " -"la sonda no salga del área de la cama, los puntos mínimo y máximo de la " -"malla de la cama deben establecerse adecuadamente. OrcaSlicer se asegura de " -"que los valores de daptive_bed_mesh_min/adaptive_bed_mesh_max no superen " -"estos puntos mínimo/máximo. Esta información normalmente se puede obtener " -"del fabricante de la impresora. La configuración por defecto es (99999, " -"99999), lo que significa que no hay límites, lo que permite el sondeo a " -"través de toda la cama." +"permitida. Debido a la distancia XY de la sonda respecto a la boquilla, la " +"mayoría de las impresoras no pueden sondear toda la cama. Para garantizar que " +"el punto de mdeición no excede el área de la cama, los puntos mínimo y máximo " +"de la malla de la cama deben establecerse adecuadamente. OrcaSlicer se " +"asegura de que los valores de adaptive_bed_mesh_min/adaptive_bed_mesh_max no " +"superen estos puntos mínimo/máximo. Esta información normalmente se puede " +"obtener del fabricante de la impresora. La configuración por defecto es " +"(-99999, -99999), lo que significa que no hay límites, lo que permite el " +"sondeo en todo el área de la cama." msgid "Probe point distance" -msgstr "Distancia de punto de sonda" +msgstr "Distancia entre puntos de medición" msgid "" "This option sets the preferred distance between probe points (grid size) for " "the X and Y directions, with the default being 50mm for both X and Y." msgstr "" -"Esta opción establece la distancia preferida entre puntos de sonda (tamaño " -"de cuadrícula) para las direcciones X e Y, siendo el valor predeterminado 50 " +"Esta opción establece la distancia preferida entre puntos de medición (tamaño " +"de cuadrícula) para las direcciones X e Y, siendo el valor predeterminado 50" "mm tanto para X como para Y." msgid "Mesh margin" @@ -10947,7 +11063,7 @@ msgid "" "mesh area should be expanded in the XY directions." msgstr "" "Esta opción determina la distancia adicional en la que debe expandirse el " -"área de malla del lecho de adaptación en las direcciones XY." +"área de malla adaptativa en las direcciones XY." msgid "Extruder Color" msgstr "Color del extrusor" @@ -10959,7 +11075,7 @@ msgid "Extruder offset" msgstr "Offset del extrusor" msgid "Flow ratio" -msgstr "Proporción de flujo" +msgstr "Ratio de flujo" msgid "" "The material may have volumetric change after switching between molten state " @@ -10968,12 +11084,12 @@ msgid "" "and 1.05. Maybe you can tune this value to get nice flat surface when there " "has slight overflow or underflow" msgstr "" -"El material puede tener un cambio volumétrico después de cambiar entre " -"estado fundido y estado cristalino. Este ajuste cambia proporcionalmente " -"todo el flujo de extrusión de este filamento en G-Code. El rango de valores " -"recomendado es entre 0.95 y 1.05. Tal vez usted puede ajustar este valor " -"para obtener una superficie plana adecuada cuando hay un ligero sobre flujo " -"o infra flujo" +"El material puede sufrir un cambio volumétrico tras cambiar entre el estado " +"fundido y estado cristalino. Este ajuste cambia proporcionalmente todo el " +"flujo de extrusión de este filamento en el G-Code. El rango de valores " +"recomendado es entre 0.95 y 1.05. Puede ajustar ligeramente este valor para " +"obtener una mejor superficie plana cuando hay una ligera sobre-extrusión o " +"infra-extrusión" msgid "" "The material may have volumetric change after switching between molten state " @@ -10985,6 +11101,15 @@ msgid "" "The final object flow ratio is this value multiplied by the filament flow " "ratio." msgstr "" +"El material puede sufrir un cambio volumétrico tras cambiar entre el estado " +"fundido y estado cristalino. Este ajuste cambia proporcionalmente todo el " +"flujo de extrusión de este filamento en el G-Code. El rango de valores " +"recomendado es entre 0.95 y 1.05. Puede ajustar ligeramente este valor para " +"obtener una mejor superficie plana cuando hay una ligera sobre-extrusión o " +"infra-extrusión.\n" +"\n" +"El factor de flujo final del objeto es este valor multiplicado por el factor " +"de flujo del filamento." msgid "Enable pressure advance" msgstr "Activar Avance de Presión Lineal" @@ -11000,7 +11125,7 @@ msgid "Pressure advance(Klipper) AKA Linear advance factor(Marlin)" msgstr "Pressure Advance(Klipper) AKA Factor de avance lineal(Marlin)" msgid "Enable adaptive pressure advance (beta)" -msgstr "Activar Avance de Presión Lineal" +msgstr "Activar Avance de Presión Lineal Adaptativo (beta)" #, c-format, boost-format msgid "" @@ -11025,11 +11150,11 @@ msgid "" msgstr "" "Al aumentar la velocidad de impresión (y, por tanto, el flujo volumétrico a " "través de la boquilla) y las aceleraciones, se ha observado que el valor PA " -"efectivo suele disminuir. Esto significa que un único valor de PA no siempre " -"es óptimo al 100% opara todas las características y que se suele utilizar un " -"valor de compromiso que no provoque demasiado abombamiento en los perfiles " -"con velocidades de flujo y aceleraciones más bajas y que, al mismo tiempo, " -"no provoque fallos en los perfiles más rápidos.\n" +"efectivo suele disminuir. Esto significa que un único valor de PA no es " +"siempre 100% optimo para todas las características y que se suele utilziar " +"un valor de compromiso que no provoque demasiado abombamiento en las " +"características con velocidades de flujo y aceleraciones más bajas y que, al " +"mismo tiempo, no provoque fallos en las características más rápidas.\n" "\n" "Esta función pretende abordar esta limitación modelando la respuesta del " "sistema de extrusión de su impresora en función de la velocidad de flujo " @@ -11040,11 +11165,11 @@ msgstr "" "\n" "Cuando se activa, el valor de avance de presión anterior se anula. Sin " "embargo, se recomienda encarecidamente un valor predeterminado razonable que " -"actúe como un alternativa y para los cambios de cabezal.\n" +"actúe como una alternativa de resguardo y para los cambios de cabezal.\n" "\n" msgid "Adaptive pressure advance measurements (beta)" -msgstr "Medidas adaptativas de avance presión (beta)" +msgstr "Medidas de avance lineal de presión adaptativo (beta)" msgid "" "Add sets of pressure advance (PA) values, the volumetric flow speeds and " @@ -11084,25 +11209,25 @@ msgstr "" "0,026,7,91,10000\n" "\n" "Cómo calibrar: \n" -"Ejecute la prueba de avance de presión durante al menos 3 velocidades por " -"valor de aceleración. Se recomienda que la prueba se ejecute para al menos " -"la velocidad de los perímetros externos, la velocidad de los perímetros " +"1. Ejecute la prueba de avance lineal de presión para al menos 3 velocidades por " +"cada valor de aceleración. Se recomienda que la prueba se ejecute para al " +"menos la velocidad de los perímetros externos, la velocidad de los perímetros " "internos y la velocidad de impresión de características más rápida en su " "perfil (por lo general es el relleno de baja densidad o sólido). A " "continuación, ejecútelos para las mismas velocidades para las aceleraciones " "de impresión más lentas y más rápidas, y no más rápido que la aceleración " -"máxima recomendada según lo dado por el \"input shaper\" de Klipper. 2. Tome " -"nota del valor óptimo de PA para el perfil. Tome nota del valor óptimo de PA " -"para cada velocidad de flujo volumétrico y aceleración. Puede encontrar el " -"número de flujo seleccionando flujo en el desplegable del esquema de colores " -"y moviendo el deslizador horizontal sobre las líneas del patrón PA. El " -"número debería ser visible en la parte inferior de la página. El valor ideal " -"de PA debería disminuir cuanto mayor sea el caudal volumétrico. Si no es " -"así, confirme que su extrusor funciona correctamente. Cuanto más lento y con " -"menos aceleración imprimas, mayor será el rango de valores PA aceptables. Si " -"no se aprecia ninguna diferencia, utilice el valor PA de la prueba más " -"rápida. Introduzca los trios de valores PA, Flujo y Aceleraciones en el " +"máxima recomendada según lo dado por el \"input shaper\" de Klipper.\n" +"2. Tome nota del valor óptimo de PA para cada velocidad de flujo volumétrico y " +"aceleración. Puede encontrar el valor de flujo seleccionando flujo en el " +"desplegable del esquema de colores y moviendo el deslizador horizontal sobre las " +"líneas del patrón PA. El valor númerico debería ser visible en la parte inferior de " +"la página. El valor ideal de PA debería disminuir cuanto mayor sea el flujo " +"volumétrico. Si no es así, confirme que su extrusor funciona correctamente. " +"Cuanto más lento y con menos aceleración imprimas, mayor será el rango de valores " +"PA aceptables. Si no se aprecia ninguna diferencia, utilice el valor PA de la prueba " +"más rápida. 3. Introduzca los trios de valores PA, Flujo y Aceleraciones en el " "cuadro de texto que aparece aquí y guarde su perfil de filamento.\n" +"\n" msgid "Enable adaptive pressure advance for overhangs (beta)" msgstr "Activación del Avance de Presión Adaptativo para Voladizos (beta)" @@ -11114,7 +11239,7 @@ msgid "" "before and after overhangs.\n" msgstr "" "Habilitar PA adaptable para voladizos, así como cuando el flujo cambia " -"dentro de la misma característica. Se trata de una opción experimental, ya " +"dentro de una misma característica. Se trata de una opción experimental, ya " "que si el perfil PA no se ajusta con precisión, causará problemas de " "uniformidad en las superficies externas antes y después de los voladizos.\n" @@ -11131,17 +11256,17 @@ msgid "" msgstr "" "Valor de Avance de Presión para puentes. Establecer a 0 para desactivar.\n" "\n" -" Un valor de PA más bajo al imprimir puentes ayuda a reducir la aparición de " +"Un valor de PA más bajo al imprimir puentes ayuda a reducir la aparición de " "una ligera sub-extrusión inmediatamente después de los puentes. Esto es " -"causado por la caída de presión en la boquilla cuando se imprime en el aire " -"y un PA más bajo ayuda a contrarrestar esto." +"causado por la caída de presión en la boquilla cuando se imprime en el aire, " +"y un PA más bajo ayuda a contrarrestar este efecto." msgid "" "Default line width if other line widths are set to 0. If expressed as a %, " "it will be computed over the nozzle diameter." msgstr "" -"Ancho de extrusión por defecto si otros anchos de línea no están a 0. Si se " -"expresa cómo %, se calculará sobre el diámetro de la boquilla." +"Ancho de línea por defecto si otros anchos de línea están a 0. Si se expresa " +"cómo %, se calculará en base al diámetro de la boquilla." msgid "Keep fan always on" msgstr "Mantener el ventilador siempre encendido" @@ -11154,7 +11279,7 @@ msgstr "" "menos a la velocidad mínima para reducir la frecuencia de arranque y parada" msgid "Don't slow down outer walls" -msgstr "No frenar en los perímetros externos" +msgstr "No reducir la velocidad en los perímetros externos" msgid "" "If enabled, this setting will ensure external perimeters are not slowed down " @@ -11172,11 +11297,11 @@ msgstr "" "no se ralenticen para cumplir el tiempo de capa mínimo. Esto es " "especialmente útil en los siguientes escenarios:\n" "\n" -" 1. Para evitar cambios de brillo al imprimir filamentos brillantes\n" -"2. Para evitar cambios en la velocidad de el perímetros externo que pueden " -"crear ligeros artefactos de perímetro que aparecen como z banding\n" +"1. Para evitar cambios de brillo al imprimir filamentos brillantes\n" +"2. Para evitar cambios en la velocidad del perímetro externo que pueden " +"crear ligeros artefactos con apariencia de z banding\n" "3. Para evitar imprimir a velocidades que provoquen VFA (artefactos finos) " -"en las perímetros externas\n" +"en los perímetros externos\n" "\n" msgid "Layer time" @@ -11189,8 +11314,8 @@ msgid "" msgstr "" "El ventilador de refrigeración de la pieza se activará para las capas cuyo " "tiempo estimado sea inferior a este valor. La velocidad del ventilador se " -"interpola entre las velocidades mínima y máxima del ventilador según el " -"tiempo de impresión de las capas" +"interpola entre las velocidades mínima y máxima del ventilador en función del " +"tiempo de impresión de la cada capa" msgid "Default color" msgstr "Color por defecto" @@ -11202,7 +11327,7 @@ msgid "Filament notes" msgstr "Anotaciones de filamento" msgid "You can put your notes regarding the filament here." -msgstr "Puede colocar sus anotaciones acerca del filamento aquí." +msgstr "Puede escribir sus notas sobre el filamento aquí." msgid "Required nozzle HRC" msgstr "HRC de boquilla requerido" @@ -11211,18 +11336,18 @@ msgid "" "Minimum HRC of nozzle required to print the filament. Zero means no checking " "of nozzle's HRC." msgstr "" -"HRC mínimo de boquilla requerido para imprimir el filamento. Cero significa " -"no comprobar el HRC de la boquilla." +"Dureza HRC mínima de boquilla requerida para imprimir el filamento. Cero " +"significa que no se comprobará el valor HRC de la boquilla." msgid "" "This setting stands for how much volume of filament can be melted and " "extruded per second. Printing speed is limited by max volumetric speed, in " "case of too high and unreasonable speed setting. Can't be zero" msgstr "" -"Este ajuste representa la cantidad de volumen de filamento puede ser " -"derretido extruido por segundo. La velocidad de impresión está limitado por " -"cuanta velocidad, en caso de velocidad demasiado alta o no razonable. No " -"puede ser cero" +"Este ajuste representa la cantidad de volumen de filamento que puede ser " +"derretido y extruido por segundo. La velocidad de impresión se verá limitada " +"por esta velocidad volumétrica, en caso de velocidades demasiado altas o poco " +"razonables. No puede ser cero" msgid "mm³/s" msgstr "mm³/s" @@ -11235,6 +11360,10 @@ msgid "" "single-extruder multi-material machines. For tool changers or multi-tool " "machines, it's typically 0. For statistics only" msgstr "" +"Tiempo que se tarda en cargar un nuevo filamento cuando se cambia de " +"filamento. Generalmente sólo aplicable a multi-material con un único " +"extrusor. Típicamente 0 para máquinas multi-herramienta. Sólo usado " +"para elaborar estadísticas." msgid "Filament unload time" msgstr "Tiempo de descarga del filamento" @@ -11244,15 +11373,22 @@ msgid "" "for single-extruder multi-material machines. For tool changers or multi-tool " "machines, it's typically 0. For statistics only" msgstr "" +"Tiempo que se tarda en descargar un nuevo filamento cuando se cambia de " +"filamento. Generalmente sólo aplicable a multi-material con un único " +"extrusor. Típicamente 0 para máquinas multi-herramienta. Sólo usado para " +"elaborar estadísticas." msgid "Tool change time" -msgstr "" +msgstr "Tiempo de cambio de herramienta" msgid "" "Time taken to switch tools. It's usually applicable for tool changers or " "multi-tool machines. For single-extruder multi-material machines, it's " "typically 0. For statistics only" msgstr "" +"Tiempo que se tarda en cambiar cabezal. Aplciable sólo a máquinas multi-" +"herramientas. Para máquinas mono-herramientas, es 0. Sólo usado para " +"elaborar estadísticas." msgid "" "Filament diameter is used to calculate extrusion in gcode, so it's important " @@ -11279,7 +11415,7 @@ msgstr "" "Internamente se convierte a filament_diameter. Todos los demás cálculos de " "volumen siguen siendo los mismos.\n" "\n" -"diámetro_filamento = sqrt( (4 * coeficiente_flujo_pellets) / PI )" +"filament_diameter = sqrt( (4 * coeficiente_flujo_pellets) / PI )" msgid "Shrinkage" msgstr "Contracción" @@ -11292,24 +11428,25 @@ msgid "" "Be sure to allow enough space between objects, as this compensation is done " "after the checks." msgstr "" -"Introduzca el porcentaje de encogimiento que tendrá el filamento después de " +"Introduzca el factor de contracción que sufrirá el filamento después de " "enfriarse ('94% i' si mide 94mm en lugar de 100mm). La pieza se escalará en " "X-Y para compensar. Sólo se tiene en cuenta el filamento utilizado para el " -"perímetro.\n" +"perímetro exterior.\n" "Asegúrese de dejar suficiente espacio entre los objetos, ya que esta " "compensación se realiza después de las comprobaciones." +#. ? 94% i? msgid "Loading speed" msgstr "Velocidad de carga" msgid "Speed used for loading the filament on the wipe tower." -msgstr "Velocidad usada para cargar el filamento de la torre de purga." +msgstr "Velocidad usada para cargar el filamento en la torre de purga." msgid "Loading speed at the start" msgstr "Velocidad inicial de carga" msgid "Speed used at the very beginning of loading phase." -msgstr "Velocidad usada en la fase de carga temprana." +msgstr "Velocidad usada al comenzar la fase de carga." msgid "Unloading speed" msgstr "Velocidad de descarga" @@ -11338,9 +11475,9 @@ msgid "" "toolchanges with flexible materials that may need more time to shrink to " "original dimensions." msgstr "" -"Tiempo de espera después de la descarga de filamento. Esto debería ayudar a " -"cambios de cabezal confiables con materiales flexibles que necesitan más " -"tiempo para encogerse a las dimensiones originales." +"Tiempo de espera después de la descarga de filamento. Esto debería resultar " +"en cambios de cabezal más seguros con materiales flexibles que necesitan más " +"tiempo para recuperar sus dimensiones originales." msgid "Number of cooling moves" msgstr "Cantidad de movimientos de refrigeración" @@ -11353,15 +11490,15 @@ msgstr "" "de refrigeración. Especifique la cantidad de movimientos." msgid "Stamping loading speed" -msgstr "Velocidad de Descarga" +msgstr "Velocidad de carga de \"Stamping\"" msgid "Speed used for stamping." msgstr "Velocidad utilizada para \"Stamping\"." msgid "Stamping distance measured from the center of the cooling tube" msgstr "" -"Distancia del punto central del tubo de refrigeración a la punta del " -"extrusor." +"Distancia de \"Stamping\", medida desde del punto central del tubo de " +"refrigeración a la punta del extrusor." msgid "" "If set to nonzero value, filament is moved toward the nozzle between the " @@ -11370,7 +11507,7 @@ msgid "" msgstr "" "Si se establece en un valor distinto de cero, el filamento se mueve hacia la " "boquilla entre los movimientos de enfriamiento individuales (\"Stamping\"). " -"Esta opción configura cuánto tiempo debe durar este movimiento antes de que " +"Esta opción configura la distancia mínima de este movimiento antes de que " "el filamento se retraiga de nuevo." msgid "Speed of the first cooling move" @@ -11378,7 +11515,8 @@ msgstr "Velocidad del primer movimiento de refrigeración" msgid "Cooling moves are gradually accelerating beginning at this speed." msgstr "" -"Los movimiento de refrigeración van acelerando gradualmente a esta velocidad." +"Los movimiento de refrigeración van acelerando gradualmente partiendo desde " +"esta velocidad." msgid "Minimal purge on wipe tower" msgstr "Purga mínima en la torre de purga" @@ -11393,7 +11531,7 @@ msgstr "" "Tras un cambio de cabezal, es posible que no se conozca la posición exacta " "del filamento recién cargado dentro de la boquilla y que la presión del " "filamento aún no sea estable. Antes de purgar el cabezal de impresión en un " -"relleno o un objeto de sacrificio, OrcaSlicer siempre cebará esta cantidad " +"relleno o en un objeto de sacrificio, OrcaSlicer siempre cebará esta cantidad " "de material en la torre de purga para producir sucesivas extrusiones de " "relleno u objetos de sacrificio de forma fiable." @@ -11402,7 +11540,7 @@ msgstr "La velocidad del último movimiento de refrigeración" msgid "Cooling moves are gradually accelerating towards this speed." msgstr "" -"Los movimientos de refrigeración se aceleran gradualmente hacía esta " +"Los movimientos de refrigeración se aceleran gradualmente hasta alcanzar esta " "velocidad." msgid "Ramming parameters" @@ -11412,8 +11550,8 @@ msgid "" "This string is edited by RammingDialog and contains ramming specific " "parameters." msgstr "" -"El Moldeado de ExtremoDialog edita esta cadena y contiene los parámetros " -"específicos de moldeado de extremo." +"Esta cadena es editada por RammingDialog y contiene parámetros específicos de " +"moldeado de extremo." msgid "Enable ramming for multitool setups" msgstr "Activar moldeado de extremo para configuraciones multicabezal" @@ -11463,8 +11601,8 @@ msgstr "Material soluble" msgid "" "Soluble material is commonly used to print support and support interface" msgstr "" -"El material soluble se utiliza habitualmente para imprimir el soporte y la " -"interfaz de soporte" +"El material soluble se utiliza habitualmente para imprimir soportes y la " +"interfaz de los soportes" msgid "Support material" msgstr "Material de soporte" @@ -11472,8 +11610,8 @@ msgstr "Material de soporte" msgid "" "Support material is commonly used to print support and support interface" msgstr "" -"El material de soporte se utiliza habitualmente para imprimir el soporte e " -"interfaces de soporte" +"El material de soporte se utiliza habitualmente para imprimir soportes y la " +"interfaz de los soportes" msgid "Softening temperature" msgstr "Temperatura de ablandado" @@ -11494,7 +11632,7 @@ msgid "Filament price. For statistics only" msgstr "Precio del filamento. Sólo para las estadísticas" msgid "money/kg" -msgstr "dinero/kg" +msgstr "moneda/kg" msgid "Vendor" msgstr "Fabricante" @@ -11526,10 +11664,10 @@ msgstr "" "dirección principal de la línea" msgid "Rotate solid infill direction" -msgstr "Cambiar la dirección del relleno sólido" +msgstr "Rotar la dirección del relleno sólido" msgid "Rotate the solid infill direction by 90° for each layer." -msgstr "Cambiar 90° la dirección del relleno sólido para cada capa." +msgstr "Rotar 90° la dirección del relleno sólido en cada capa." msgid "Sparse infill density" msgstr "Densidad de relleno de baja densidad" @@ -11578,6 +11716,7 @@ msgstr "Soporte Cúbico" msgid "Lightning" msgstr "Rayo" +#. Ramificado mejor? Relámpago? msgid "Cross Hatch" msgstr "Rayado Cruzado" @@ -11605,19 +11744,18 @@ msgstr "" "de relleno se conecta a un segmento de perímetro en un solo lado y la de " "relleno se conecta a un segmento de perímetro en un solo lado y la longitud " "del ancho de segmento de perímetro escogido se limita a este parámetro, pero " -"no más largo que anclage_longitud_max. \n" -"Configure este parámetro a cero para deshabilitar los perímetros de anclaje " +"no más largo que anclaje_longitud_max. \n" "Configure este parámetro a cero para deshabilitar los perímetros de anclaje " "conectados a una sola línea de relleno." msgid "0 (no open anchors)" -msgstr "0 (no abrir anclajes)" +msgstr "0 (no anclar)" msgid "1000 (unlimited)" msgstr "1000 (ilimitada)" msgid "Maximum length of the infill anchor" -msgstr "Máxima longitud de relleno del anclaje" +msgstr "Máxima longitud del anclaje de relleno" msgid "" "Connect an infill line to an internal perimeter with a short segment of an " @@ -11635,7 +11773,7 @@ msgstr "" "un perímetro adicional. Si se expresa como porcentaje (por ejemplo: 15%) " "este se calcula sobre el ancho de relleno de extrusión. OrcaSlicer intenta " "conectar dos líneas de relleno cercanas a un segmento de perímetro corto. Si " -"no hay ningún segmento más corto que este parámetro, esta líena de relleno " +"no hay ningún segmento más corto que este parámetro, esta línea de relleno " "se conecta a un segmento de perímetro solamente a un lado y la longitud del " "segmento de perìmetro escogida se limita a relleno_anclaje, pero no más alto " "que este parámetro. \n" @@ -11652,7 +11790,7 @@ msgid "Acceleration of inner walls" msgstr "Aceleración de los perímetros internos" msgid "Acceleration of travel moves" -msgstr "Aceleración de movimiento de viaje" +msgstr "Aceleración de los movimientos de desplazamiento" msgid "" "Acceleration of top surface infill. Using a lower value may improve top " @@ -11663,7 +11801,7 @@ msgstr "" msgid "Acceleration of outer wall. Using a lower value can improve quality" msgstr "" -"Aceleración del perímetro externo. Usando un valor menor puede mejorar la " +"Aceleración del perímetro externo. Usar un valor menor puede mejorar la " "calidad" msgid "" @@ -11680,7 +11818,7 @@ msgid "" "Acceleration of sparse infill. If the value is expressed as a percentage (e." "g. 100%), it will be calculated based on the default acceleration." msgstr "" -"Aceleración de relleno de baja densidad. Si el valor se expresa en " +"Aceleración del relleno de baja densidad. Si el valor se expresa en " "porcentaje (por ejemplo 100%), se calculará basándose en la aceleración por " "defecto." @@ -11689,7 +11827,7 @@ msgid "" "percentage (e.g. 100%), it will be calculated based on the default " "acceleration." msgstr "" -"Aceleración de relleno sólido interno. Si el valor se expresa como " +"Aceleración del relleno sólido interno. Si el valor se expresa como " "porcentaje (por ejemplo 100%), este se calculará basándose en la aceleración " "por defecto." @@ -11698,7 +11836,7 @@ msgid "" "adhesive" msgstr "" "Aceleración de la primera capa. El uso de un valor más bajo puede mejorar la " -"adherencia de la bandeja de impresión" +"adherencia con la bandeja de impresión" msgid "Enable accel_to_decel" msgstr "Activar acel_a_decel" @@ -11724,20 +11862,20 @@ msgid "Jerk for top surface" msgstr "Jerk de la superficie superior" msgid "Jerk for infill" -msgstr "Jerk de relleno" +msgstr "Jerk del relleno" msgid "Jerk for initial layer" msgstr "Jerk de la primera capa" msgid "Jerk for travel" -msgstr "Jerk de viaje" +msgstr "Jerk de desplazamiento" msgid "" "Line width of initial layer. If expressed as a %, it will be computed over " "the nozzle diameter." msgstr "" -"Ancho de extrusión de la primera capa. Si se expresa como %, se calculará " -"sobre el diámetro de la boquilla." +"Ancho de línea de la primera capa. Si se expresa como %, se calculará en base " +"al diámetro de la boquilla." msgid "Initial layer height" msgstr "Altura de la primera capa" @@ -11747,7 +11885,7 @@ msgid "" "can improve build plate adhesion" msgstr "" "Altura de la primera capa. Hacer que la altura de la primera capa sea " -"ligeramente gruesa puede mejorar la adherencia de la bandeja de impresión" +"ligeramente gruesa puede mejorar la adherencia con la bandeja de impresión" msgid "Speed of initial layer except the solid infill part" msgstr "Velocidad de la primera capa excepto la parte sólida de relleno" @@ -11759,10 +11897,10 @@ msgid "Speed of solid infill part of initial layer" msgstr "Velocidad de la parte de relleno sólido de la primera capa" msgid "Initial layer travel speed" -msgstr "Velocidad de la primera capa" +msgstr "Velocidad de desplazamiento en la primera capa" msgid "Travel speed of initial layer" -msgstr "Velocidad de viaje de primera capa" +msgstr "Velocidad de movimientos de desplazamiento en la primera capa" msgid "Number of slow layers" msgstr "Número de capas lentas" @@ -11772,7 +11910,7 @@ msgid "" "increased in a linear fashion over the specified number of layers." msgstr "" "Las primeras capas se imprimen más lentamente de lo normal. La velocidad se " -"incrementa gradualmente de una forma lineal sobre un número específico de " +"incrementa gradualmente de una forma lineal sobre el número específicado de " "capas." msgid "Initial layer nozzle temperature" @@ -11793,17 +11931,18 @@ msgid "" "than \"close_fan_the_first_x_layers\", in which case the fan will be running " "at maximum allowed speed at layer \"close_fan_the_first_x_layers\" + 1." msgstr "" -"La velocidad de ventilador se incrementará linealmente de cero a " -"\"close_fan_the_first_x_layers\" al máximo de capa \"full_fan_speed_layer\". " +"La velocidad de ventilador se incrementará linealmente de cero desde la capa " +"\"close_fan_the_first_x_layers\" al máximo en la capa " +"\"full_fan_speed_layer\". " "\"full_fan_speed_layer\" se ignorará si es menor que " "\"close_fan_the_first_x_layers\", en cuyo caso el ventilador funcionará al " -"máximo permitido de capa \"close_fan_the_first_x_layers\" + 1." +"máximo permitido en la capa \"close_fan_the_first_x_layers\" + 1." msgid "layer" msgstr "Capa" msgid "Support interface fan speed" -msgstr "Velocidad de ventilador de interfaz de soporte" +msgstr "Velocidad de ventilador en la interfaz de los soportes" msgid "" "This fan speed is enforced during all support interfaces, to be able to " @@ -11811,16 +11950,18 @@ msgid "" "Set to -1 to disable this override.\n" "Can only be overriden by disable_fan_first_layers." msgstr "" -"La velocidad de ventilador se fuerza durante todas interfaces de soporte, " -"será capaz de debilitar sus uniones con una velocidad de ventilador más alta." -"Solo puede ser sobreescrita deshabilitando disable_fan_first_layers." +"Esta velocidad de ventilador se fuerza cuando se imprimen todas las " +"interfaces de soporte, con el objetivo de debilitar la unión con la pieza." +"Sólo puede ser anulado por disable_fan_first_layers." msgid "" "Randomly jitter while printing the wall, so that the surface has a rough " "look. This setting controls the fuzzy position" msgstr "" -"Se puede imprimir el perímetro de forma aleatoria, de modo que la superficie " -"tenga un aspecto rugoso. Este ajuste controla la posición difusa" +"Sacudir ligeramente el cabezal de forma aleatoria cuando se imprime el " +"perímetro externo, de modo que la superficie tenga un aspecto rugoso. Este " +"ajuste controla la posición difusa" +#. ? fuzzy position? what does it mean? msgid "Contour" msgstr "Contorno" @@ -11832,17 +11973,17 @@ msgid "All walls" msgstr "Todas los perímetros" msgid "Fuzzy skin thickness" -msgstr "Distancia del punto de piel difusa" +msgstr "Espesor de superficie rugosa" msgid "" "The width within which to jitter. It's adversed to be below outer wall line " "width" msgstr "" -"La anchura dentro de la cual se va a jitear. Se aconseja que esté por debajo " -"de la anchura de la línea del perímetro exterior" +"La anchura dentro de la cual se va a sacudir el cabezal. Se aconseja que esté " +"por debajo del ancho de línea del perímetro exterior" msgid "Fuzzy skin point distance" -msgstr "Distancia al punto de superficie irregular" +msgstr "Distancia entre puntos de superficie rugosa" msgid "" "The average diatance between the random points introducded on each line " @@ -11852,10 +11993,10 @@ msgstr "" "de línea" msgid "Apply fuzzy skin to first layer" -msgstr "Aplicar piel difusa a la primera capa" +msgstr "Aplicar superficie difusa en la primera capa" msgid "Whether to apply fuzzy skin on the first layer" -msgstr "Si se aplica piel difusa en la primera capa" +msgstr "Aplicar o no superficie difusa en la primera capa" msgid "Filter out tiny gaps" msgstr "Filtrar pequeños huecos" @@ -11868,13 +12009,16 @@ msgid "" "(in mm). This setting applies to top, bottom and solid infill and, if using " "the classic perimeter generator, to wall gap fill. " msgstr "" +"Filtra los huecos menores que el umbral especificado (en mm). Este ajuste " +"afecta los rellenos superior, inferior e interno, así como al relleno de " +"huecos entre perímetros cuando se usa el generador Clásico." msgid "" "Speed of gap infill. Gap usually has irregular line width and should be " "printed more slowly" msgstr "" -"Velocidad de relleno del hueco. El hueco suele tener una anchura de línea " -"irregular y debe imprimirse más lentamente" +"Velocidad de relleno de huecos. Un hueco suele tener un ancho de línea " +"irregular y debería imprimirse más lentamente" msgid "Precise Z height" msgstr "Altura Z Precisa (Experimental)" @@ -11884,8 +12028,8 @@ msgid "" "precise object height by fine-tuning the layer heights of the last few " "layers. Note that this is an experimental parameter." msgstr "" -"Habilite esta opción para obtener la altura Z precisa del objeto después del " -"corte. Obtendrá la altura precisa del objeto ajustando las alturas de las " +"Habilite esta opción para obtener una altura Z precisa del objeto después del " +"laminado. Esta altura precisa se obtiene ajustando las alturas de las " "últimas capas. Tenga en cuenta que se trata de un parámetro experimental." msgid "Arc fitting" @@ -11904,11 +12048,12 @@ msgstr "" "Habilite esta opción para obtener un archivo de G-Code con los movimientos " "G2 y G3. La tolerancia de ajuste es la misma que la resolución.\n" "\n" -"Nota: Para máquinas klipper, se recomienda desactivar esta opción. Klipper " -"no se beneficia de los comandos de arco ya que estos son divididos de nuevo " -"en segmentos de línea por el firmware. El resultado es una reducción de la " -"calidad de la superficie, ya que los segmentos de línea son convertidos en " -"arcos por la cortadora y de nuevo en segmentos de línea por el firmware." +"Nota: Para impresoras con firmware Klipper, se recomienda desactivar esta " +"opción. Klipper no se beneficia de los comandos de arco ya que estos son " +"divididos de nuevo en segmentos de línea por el firmware. El resultado es una " +"reducción de la calidad de la superficie, ya que los segmentos de línea son " +"convertidos en arcos por el laminador y de nuevo en segmentos de línea por el " +"firmware." msgid "Add line number" msgstr "Añadir número de línea" @@ -11925,8 +12070,8 @@ msgid "" "Enable this to enable the camera on printer to check the quality of first " "layer" msgstr "" -"Active esta opción para que la cámara de la impresora pueda comprobar la " -"calidad de la primera capa" +"Active esta opción para que la cámara de la impresora compruebe la calidad de " +"la primera capa" msgid "Nozzle type" msgstr "Tipo de boquilla" @@ -11936,7 +12081,7 @@ msgid "" "nozzle, and what kind of filament can be printed" msgstr "" "El material metálico de la boquilla. Esto determina la resistencia a la " -"abrasión de la boquilla, y qué tipo de filamento se puede imprimir" +"abrasión de la boquilla, y con qué tipos de filamento puede imprimir" msgid "Undefine" msgstr "Indefinido" @@ -11951,13 +12096,13 @@ msgid "Brass" msgstr "Latón" msgid "Nozzle HRC" -msgstr "HRC Boquilla" +msgstr "Dureza HRC de la boquilla" msgid "" "The nozzle's hardness. Zero means no checking for nozzle's hardness during " "slicing." msgstr "" -"La dureza de la boquilla. Cero significa no comprobará la dureza de la " +"La dureza de la boquilla. Cero significa que no se comprobará la dureza de la " "boquilla durante el laminado." msgid "HRC" @@ -12007,14 +12152,14 @@ msgid "" "gcode' is activated.\n" "Use 0 to deactivate." msgstr "" -"Inicia el ventilador un número de segundos antes que el tiempo de inicio " -"objetivo (puede usar segundos fraccionales). Se asume aceleración infinita " -"para esta estimación de tiempo, y solo se tendrán en cuenta los movimientos " -"G1 y G0 (no soporta el ajuste de arco).\n" +"Arranca el ventilador este número de segundos antes que su tiempo de arranque " +"objetivo (se pueden usar fracciones de segundo). Se asume una aceleración " +"infinita para esta estimación de tiempo, y solo se tendrán en cuenta los " +"movimientos G1 y G0 (no compatible con ajuste de arco).\n" "Esto no moverá comandos de ventilador desde G-Codes personalizados (estos " "actúan como un tipo de 'barrera').\n" -"Esto no moverá comandos de ventilador en el G-Code inicial si el 'único G-" -"Code inicial personalizado' está activado\n" +"Esto no moverá comandos de ventilador en el G-Code inicial si 'usar sólo " +"G-Code inicial personalizado' está activado\n" "Usar 0 para desactivar." msgid "Only overhangs" @@ -12022,7 +12167,7 @@ msgstr "Solo voladizos" msgid "Will only take into account the delay for the cooling of overhangs." msgstr "" -"Solo se tomará dentro de la cuenta el retraso para enfriar los voladizos." +"Solo se tomará en la cuenta el retraso para enfriar los voladizos." msgid "Fan kick-start time" msgstr "Tiempo de arranque de ventilador" @@ -12043,7 +12188,7 @@ msgstr "" "Ajústelo a 0 para desactivarlo." msgid "Time cost" -msgstr "Coste dinerario por hora" +msgstr "Coste monetario por hora" msgid "The printer cost per hour" msgstr "El coste por hora de la impresora" @@ -12052,7 +12197,7 @@ msgid "money/h" msgstr "dinero/hora" msgid "Support control chamber temperature" -msgstr "Soporte de control de temperatura de cámara" +msgstr "Función de control de temperatura de cámara" msgid "" "This option is enabled if machine support controlling chamber temperature\n" @@ -12062,7 +12207,7 @@ msgstr "" "la cámara" msgid "Support air filtration" -msgstr "Soportar filtración de aire" +msgstr "Función de filtración de aire" msgid "" "Enable this if printer support air filtration\n" @@ -12081,14 +12226,14 @@ msgid "Klipper" msgstr "Klipper" msgid "Pellet Modded Printer" -msgstr "Impresora Pellet Modificada" +msgstr "Impresora Modificada para Pellets" msgid "Enable this option if your printer uses pellets instead of filaments" msgstr "" "Active esta opción si su impresora utiliza pellets en lugar de filamentos" msgid "Support multi bed types" -msgstr "Admite varios tipos de cama" +msgstr "Usar tipos de cama múltiples" msgid "Enable this option if you want to use multiple bed types" msgstr "Active esta opción si desea utilizar varios tipos de cama" @@ -12104,7 +12249,7 @@ msgid "" msgstr "" "Habilite esta opción para añadir comentarios en el G-Code etiquetando los " "movimientos de impresión con el objeto al que pertenecen, lo cual es útil " -"para el plugin Octoprint CancelObject. Esta configuración NO es compatible " +"para el plugin CancelObject deOctoprint. Esta configuración NO es compatible " "con la configuración de Extrusor Único Multi Material y Limpiar en Objeto / " "Limpiar en Relleno." @@ -12122,9 +12267,9 @@ msgid "" "descriptive text. If you print from SD card, the additional weight of the " "file could make your firmware slow down." msgstr "" -"Activar esto para escoger un archivo de G-Code comentado, con cada línea " -"explicado por un texto descriptivo. Si imprime desde la tarjeta SD, el peso " -"adicional del archivo podría hacer que tu firmware se ralentice." +"Activar esta opción para generar archivos de G-Code comentados, con cada " +"línea explicada por un texto descriptivo. Si se imprime desde la tarjeta SD, " +"el tamaño adicional del archivo podría hacer que el firmware se ralentice." msgid "Infill combination" msgstr "Combinación de relleno" @@ -12133,9 +12278,9 @@ msgid "" "Automatically Combine sparse infill of several layers to print together to " "reduce time. Wall is still printed with original layer height." msgstr "" -"Combine automáticamente el relleno de baja densidad de varias capas para " -"imprimirlas juntas y reducir el tiempo. La perímetro se sigue imprimiendo " -"con la altura original de la capa." +"Combinar automáticamente el relleno de baja densidad de varias capas para " +"imprimirlas juntas y reducir el tiempo de impresión. El perímetro externo se " +"sigue imprimiendo con la altura de capa original." msgid "Filament to print internal sparse infill." msgstr "Filamento para imprimir el relleno interno de baja densidad." @@ -12144,11 +12289,11 @@ msgid "" "Line width of internal sparse infill. If expressed as a %, it will be " "computed over the nozzle diameter." msgstr "" -"Ancho de extrusión de la densidad de relleno interna. Si se expresa como %, " -"se calculará sobre el diámetro de la boquilla." +"Ancho de línea del relleno interno interno de baja densidad. Si se expresa " +"como un %, se calculará en base al diámetro de la boquilla." msgid "Infill/Wall overlap" -msgstr "Superposición de relleno/perímetros" +msgstr "Solape de relleno/perímetro" #, no-c-format, no-boost-format msgid "" @@ -12158,13 +12303,13 @@ msgid "" "material resulting in rough top surfaces." msgstr "" "El área de relleno se amplía ligeramente para solaparse con el perímetro y " -"mejorar la adherencia. El valor porcentual es relativo a la anchura de línea " -"del de baja densidad. Ajuste este valor a ~10-15% para minimizar la " -"sobreextrusión potencial y la acumulación de material que resulta en " -"superficies superiores ásperas." +"mejorar la adherencia. El valor porcentual es relativo al ancho de línea " +"del relleno de baja densidad. Ajuste este valor a ~10-15% para minimizar una " +"potencial sobreextrusión y/o una acumulación de material que resulte en " +"artefactos en las superficies superiores." msgid "Top/Bottom solid infill/wall overlap" -msgstr "Relleno sólido superior/inferior/solapamiento de perímetros" +msgstr "Solape de relleno sólido superior/inferior y perímetro" #, no-c-format, no-boost-format msgid "" @@ -12174,12 +12319,12 @@ msgid "" "appearance of pinholes. The percentage value is relative to line width of " "sparse infill" msgstr "" -"El área de relleno sólido de cubierta superior se amplía ligeramente para " -"solaparse con el perímetro y mejorar la adherencia y minimizar la aparición " -"de agujeros de alfiler donde el relleno de cubierta superior se une a las " -"perímetros. Un valor del 25-30% es un buen punto de partida para minimizar " -"la aparición de agujeros. El valor porcentual es relativo a la anchura de la " -"línea de relleno de baja densidad" +"El área de relleno sólido de cubierta superior/inferior se amplía ligeramente " +"para solaparse con el perímetro, mejorando la adherencia y minimizando la " +"aparición de agujeros cuando el relleno de cubierta superior/inferior se une " +"a los perímetros. Un valor alrededor de 25-30% es un buen punto de partida " +"para minimizar la aparición de agujeros. El valor porcentual es relativo al " +"ancho de línea del relleno de baja densidad." msgid "Speed of internal sparse infill" msgstr "Velocidad del relleno interno de baja densidad" @@ -12192,16 +12337,17 @@ msgid "" "Useful for multi-extruder prints with translucent materials or manual " "soluble support material" msgstr "" -"Fuerza la generación de perímetro sólidos entre materiales/volúmenes " +"Furzar la generación de perímetro sólidos entre materiales/volúmenes " "adyacentes. Útil para impresiones con varios extrusores, con materiales " -"translúcidos o material de soporte soluble manualmente" +"translúcidos o material soluble de soportes manuales." +#. Not completely sure this is the correct translation, but it's much better than before msgid "Maximum width of a segmented region" msgstr "Máximo ancho de una región segmentada" msgid "Maximum width of a segmented region. Zero disables this feature." msgstr "" -"Máximo ancho de una región segmentada. Cero desactiva está característica." +"Ancho máximo de una región segmentada. Cero desactiva está característica." msgid "Interlocking depth of a segmented region" msgstr "Profundidad de entrelazado de una región segmentada" @@ -12227,19 +12373,19 @@ msgid "" msgstr "" "Genera una estructura de vigas de entrelazado en los lugares donde se tocan " "los distintos filamentos. Esto mejora la adherencia entre filamentos, " -"especialmente en modelos impresos en distintos materiales." +"especialmente en modelos impresos con múltiples materiales." msgid "Interlocking beam width" msgstr "Ancho de viga de entrelazado" msgid "The width of the interlocking structure beams." -msgstr "El ancho de estructura de vigas de entrelazado." +msgstr "El ancho de las vigas de la estructura de entrelazado." msgid "Interlocking direction" msgstr "Dirección de entrelazado" msgid "Orientation of interlock beams." -msgstr "Orientación de vigas entrelazadas." +msgstr "Orientación de vigas de entrelazado." msgid "Interlocking beam layers" msgstr "Capas de vigas de entrelazado" @@ -12258,7 +12404,7 @@ msgid "" "The distance from the boundary between filaments to generate interlocking " "structure, measured in cells. Too few cells will result in poor adhesion." msgstr "" -"La distancia desde el límite entre filamentos para generar estructura " +"La distancia desde la frontera entre filamentos para generar la estructura " "entrelazada, medida en celdas. Un número demasiado bajo de celdas dará lugar " "a una adhesión deficiente." @@ -12279,18 +12425,18 @@ msgid "" "Ironing is using small flow to print on same height of surface again to make " "flat surface more smooth. This setting controls which layer being ironed" msgstr "" -"El alisado es el uso de un pequeño flujo para imprimir en la misma altura de " -"la superficie de nuevo para hacer la superficie plana más suave. Este ajuste " -"controla la capa que se alisa" +"El alisado es el uso de un flujo muy bajo para realizar una segunda pasada de " +"impresión a la misma altura de una superficie superior para obtener un " +"acabado más liso. Este ajuste controla la capa que se alisa." msgid "No ironing" msgstr "Sin alisado" msgid "Top surfaces" -msgstr "Superficies superiores" +msgstr "Todas las superficies superiores" msgid "Topmost surface" -msgstr "Superficie superior" +msgstr "Sólo la superficie superior" msgid "All solid layer" msgstr "Todas la capas sólidas" @@ -12299,7 +12445,7 @@ msgid "Ironing Pattern" msgstr "Patrón de Alisado" msgid "The pattern that will be used when ironing" -msgstr "Patrón que se usará al alisar" +msgstr "Patrón que se usará duante el alisado" msgid "Ironing flow" msgstr "Flujo de alisado" @@ -12313,7 +12459,7 @@ msgstr "" "sobreextrusión en la superficie" msgid "Ironing line spacing" -msgstr "Espacio entre líneas de alisado" +msgstr "Espaciado entre líneas de alisado" msgid "The distance between the lines of ironing" msgstr "La distancia entre las líneas de alisado" @@ -12331,7 +12477,7 @@ msgid "" "The angle ironing is done at. A negative number disables this function and " "uses the default method." msgstr "" -"El planchado en ángulo se realiza en. Un número negativo desactiva esta " +"El ángulo en el que se realiza el alisado. Un número negativo desactiva esta " "función y utiliza el método por defecto." msgid "This gcode part is inserted at every layer change after lift z" @@ -12345,8 +12491,8 @@ msgid "" "Whether the machine supports silent mode in which machine use lower " "acceleration to print" msgstr "" -"Si la máquina admite el modo silencioso en el que la máquina utiliza una " -"menor aceleración para imprimir" +"Si la máquina admite el modo silencioso en el que la se utiliza una menor " +"aceleración para imprimir" msgid "Emit limits to G-code" msgstr "Emitir límites al G-Code" @@ -12358,8 +12504,8 @@ msgid "" "If enabled, the machine limits will be emitted to G-code file.\n" "This option will be ignored if the g-code flavor is set to Klipper." msgstr "" -"Si está activada, los límites de la máquina se emitirán en un archivo G-" -"Code. \n" +"Si está activada, los límites de la máquina se emitirán en el archivo G-" +"Code.\n" "Esta opción se ignorará si el tipo de G-Code es Klipper." msgid "" @@ -12367,16 +12513,16 @@ msgid "" "pause G-code in gcode viewer" msgstr "" "Este G-Code se usará como código para la pausa de impresión. El usuario " -"puede insertar una pausa en el visor de G-Code" +"puede insertar un comando de pausa de G-Code en el visor de G-Code." msgid "This G-code will be used as a custom code" -msgstr "Este G-Code se usará para el código personalizado" +msgstr "Este G-Code se usará como un código personalizado" msgid "Small area flow compensation (beta)" msgstr "Compensación de flujo en áreas pequeñas (beta)" msgid "Enable flow compensation for small infill areas" -msgstr "Permitir la compensación de flujo en zonas con poco relleno" +msgstr "Activar la compensación de flujo en zonas de relleno pequeñas" msgid "Flow Compensation Model" msgstr "Modelo de compensación de flujo" @@ -12388,45 +12534,46 @@ msgid "" "\"1.234,5.678\"" msgstr "" "Modelo de compensación del flujo, utilizado para ajustar el flujo en zonas " -"de relleno pequeñas. El modelo se expresa como un par de valores separados " -"por comas para la longitud de extrusión y los factores de corrección del " -"flujo, uno por línea, en el siguiente formato: \"1.234,5.678\"" +"de relleno pequeñas. El modelo se expresa como una serie de parejas de " +"valores separados por comas para las longitudes de extrusión y los factores " +" de corrección del flujo, una pareja por línea, con el siguiente formato: " +"\"1.234,5.678\"" msgid "Maximum speed X" -msgstr "Velocidad máxima X" +msgstr "Velocidad máxima en X" msgid "Maximum speed Y" -msgstr "Velocidad máxima Y" +msgstr "Velocidad máxima en Y" msgid "Maximum speed Z" -msgstr "Velocidad máxima Z" +msgstr "Velocidad máxima en Z" msgid "Maximum speed E" -msgstr "Velocidad máxima E" +msgstr "Velocidad máxima en E" msgid "Maximum X speed" -msgstr "Velocidad máxima X" +msgstr "Velocidad máxima en X" msgid "Maximum Y speed" msgstr "Velocidad máxima en Y" msgid "Maximum Z speed" -msgstr "Velocidad máxima de Z" +msgstr "Velocidad máxima en Z" msgid "Maximum E speed" -msgstr "Velocidad máxima E" +msgstr "Velocidad máxima en E" msgid "Maximum acceleration X" -msgstr "Máxima aceleración X" +msgstr "Aceleración máxima en X" msgid "Maximum acceleration Y" -msgstr "Máxima aceleración Y" +msgstr "Aceleración máxima en Y" msgid "Maximum acceleration Z" -msgstr "Máxima aceleración Z" +msgstr "Aceleración máxima en Z" msgid "Maximum acceleration E" -msgstr "Máxima aceleración E" +msgstr "Aceleración máxima en E" msgid "Maximum acceleration of the X axis" msgstr "Máxima aceleración en el eje X" @@ -12441,19 +12588,19 @@ msgid "Maximum acceleration of the E axis" msgstr "Máxima aceleración en el eje E" msgid "Maximum jerk X" -msgstr "Máximo jerk X" +msgstr "Máximo jerk en X" msgid "Maximum jerk Y" -msgstr "Máximo jerk Y" +msgstr "Máximo jerk en Y" msgid "Maximum jerk Z" -msgstr "Máximo jerk Z" +msgstr "Máximo jerk en Z" msgid "Maximum jerk E" -msgstr "Máximo jerk E" +msgstr "Máximo jerk en E" msgid "Maximum jerk of the X axis" -msgstr "Maximo jerk del eje Y" +msgstr "Maximo jerk del eje X" msgid "Maximum jerk of the Y axis" msgstr "Maximo jerk del eje Y" @@ -12462,7 +12609,7 @@ msgid "Maximum jerk of the Z axis" msgstr "Maximo jerk del eje Z" msgid "Maximum jerk of the E axis" -msgstr "Maximo jerk del eje E" +msgstr "Maximo jerk del eje E (extrusor)" msgid "Minimum speed for extruding" msgstr "Velocidad mínima de extrusión" @@ -12500,9 +12647,9 @@ msgid "" "Part cooling fan speed may be increased when auto cooling is enabled. This " "is the maximum speed limitation of part cooling fan" msgstr "" -"La velocidad del ventilador de refrigeración de la pieza puede aumentarse " +"La velocidad del ventilador de refrigeración de pieza puede aumentarse " "cuando la refrigeración automática está activada. Esta es la limitación de " -"velocidad máxima del ventilador de refrigeración parcial" +"velocidad máxima del ventilador de refrigeración de pieza." msgid "Max" msgstr "Max" @@ -12511,8 +12658,8 @@ msgid "" "The largest printable layer height for extruder. Used tp limits the maximum " "layer hight when enable adaptive layer height" msgstr "" -"La mayor altura de capa imprimible para el extrusor. Se utiliza para limitar " -"la altura máxima de la capa cuando se habilita la altura de capa adaptativa" +"La altura de capa máxima imprimible por el extrusor. Se utiliza para limitar " +"la altura máxima de capa cuando se habilita la altura de capa adaptativa" msgid "Extrusion rate smoothing" msgstr "Suavizado de la tasa de extrusión" @@ -12625,7 +12772,7 @@ msgid "" "layer hight when enable adaptive layer height" msgstr "" "La menor altura de capa imprimible para el extrusor. Se utiliza para limitar " -"la altura mínima de la capa cuando se activa la altura de capa adaptable" +"la altura mínima de la capa cuando se activa la altura de capa adaptativa." msgid "Min print speed" msgstr "Velocidad de impresión mínima" @@ -12637,7 +12784,7 @@ msgid "" msgstr "" "La velocidad mínima de impresión a la que la impresora reducirá la velocidad " "para intentar mantener el tiempo mínimo de capa anterior, cuando la " -"ralentización para un mejor ventilación de la capa está activada." +"ralentización para un mejor enfriamiento de la capa está activada." msgid "Diameter of nozzle" msgstr "Diámetro de boquilla" @@ -12650,7 +12797,7 @@ msgid "" "header comments." msgstr "" "Puede añadir sus notas personales aquí. Este texto será añadido a los " -"comentarios de G-Code de cabecera." +"comentarios de cabcera del archivo de G-Code." msgid "Host Type" msgstr "Tipo de host" @@ -12660,7 +12807,7 @@ msgid "" "contain the kind of the host." msgstr "" "Orca Slicer puede cargar archivos G-Code a un host de impresora. Este campo " -"puede contener el tipo de host." +"debe contener el tipo de host." msgid "Nozzle volume" msgstr "Volumen de la boquilla" @@ -12681,21 +12828,22 @@ msgstr "Longitud del tubo de refrigeración" msgid "Length of the cooling tube to limit space for cooling moves inside it." msgstr "" -"Longitud del tubo de refrigeración para limitar el espacio de refrigeración " -"de los movimientos en su interior." +"Longitud del tubo de refrigeración para limitar el espacio para los " +"movimientos de refrigeración en su interior." msgid "High extruder current on filament swap" -msgstr "Aumentar el flujo de extrusión en el cambio de filamento" +msgstr "Aumentar la corriente del motor de extrusión durante el cambio de " +"filamento" msgid "" "It may be beneficial to increase the extruder motor current during the " "filament exchange sequence to allow for rapid ramming feed rates and to " "overcome resistance when loading a filament with an ugly shaped tip." msgstr "" -"Puede ser beneficioso para incrementar el flujo de extrusión durante la " -"secuencia de intercambio de filamento, para permitir ratios rápidos de " -"moldeado de extremos y superar resistencias durante la carga de filamentos " -"con puntas deformadas." +"Puede ser beneficioso incrementar la corriente del motor de extrusión durante " +"el proceso de cambio de filamento, para permitir velocidades altas de cebado " +"durante el moldeado de extremo y superar la resistencia de carga de " +"filamentos con puntas deformadas." msgid "Filament parking position" msgstr "Posición de parada de filamento" @@ -12704,9 +12852,9 @@ msgid "" "Distance of the extruder tip from the position where the filament is parked " "when unloaded. This should match the value in printer firmware." msgstr "" -"Distancia de la punta del extrusor desde la posición donde el filamento se " -"detiene cuando se descarga. Debería coincidir con el valor del firmware de " -"la impresora." +"Distancia entre la punta del extrusor y la posición donde el filamento se " +"\"estaciona\" cuando se descarga. Debe coincidir con el valor en el firmware " +"de la impresora." msgid "Extra loading distance" msgstr "Distancia extra de carga" @@ -12718,13 +12866,13 @@ msgid "" "than unloading." msgstr "" "Cuando se ajusta a cero, la distancia que el filamento se mueve desde la " -"posición de estacionamiento durante la carga es exactamente la misma que se " -"movió hacia atrás durante la descarga. Cuando es positivo, se carga más " -"lejos, si es negativo, el movimiento de carga es más corto que el de " +"posición de \"estacionamiento\" durante la carga es exactamente la misma que " +"se retrajo durante la descarga. Cuando es positivo, el movimiento de carga es " +"mayor. Si es negativo, el movimiento de carga es más corto que el de " "descarga." msgid "Start end points" -msgstr "Puntos de inicio fin" +msgstr "Puntos de inicio y fin" msgid "The start and end points which is from cutter area to garbage can." msgstr "Los puntos de inicio y fin, desde la zona de corte al cubo de basura." @@ -12737,10 +12885,12 @@ msgid "" "oozing can't been seen. This can reduce times of retraction for complex " "model and save printing time, but make slicing and G-code generating slower" msgstr "" -"No retrae cuando el viaje está totalmente en el área de relleno. Eso " -"significa que el rezume no se pueda ver. Puede reducir los tiempos de " -"retracción para modelos complejos y ahorrar tiempo de impresión, pero hacer " -"que el corte y la generación de G-Code sea más lento" +"Desactiva la retracción cuando el desplazamiento se realiza en su totalidad " +"dentro de un área de relleno, donde los artefactos causados por un rezumado " +"no son visibles. Puede reducir el número de retracciones y por ende el tiempo " +"total de retracción al imprimir modelos complejos, reduciendo el tiempo total " +"de impresión. Sin embargo, puede que las operaciones de laminado y de " +"generación del archivo G-Code sean más lentas." msgid "" "This option will drop the temperature of the inactive extruders to prevent " @@ -12750,74 +12900,77 @@ msgstr "" "el rezumado." msgid "Filename format" -msgstr "Formato de los archivos" +msgstr "Formato de los nombres de archivo" msgid "User can self-define the project file name when export" msgstr "" -"El usuario puede definir por sí mismo el nombre del archivo del proyecto al " -"exportarlo" +"El usuario puede definir un nombre de archivo personalizado al exportar el " +"proyecto" msgid "Make overhangs printable" -msgstr "Voladizos imprimibles sin soporte" +msgstr "Imprimir voladizos sin soportes" msgid "Modify the geometry to print overhangs without support material." msgstr "Modificar la geometría para imprimir voladizos sin soportes." msgid "Make overhangs printable - Maximum angle" -msgstr "Máximo ángulo de impresión de voladizos imprimibles sin soporte" +msgstr "Imprimir voladizos sin soportes - Ángulo máximo" msgid "" "Maximum angle of overhangs to allow after making more steep overhangs " "printable.90° will not change the model at all and allow any overhang, while " "0 will replace all overhangs with conical material." msgstr "" -"Máximo ángulo de voladizos para permitir voladizos más pronunciados. 90º no " -"cambiará el modelo del todo y permitirá cualquier voladizo, mientras que 0 " -"reemplazará todos lo voladizos con material cónico." +"Máximo ángulo permitido de voladizo tras modificar los voladizos con mayor " +"pendiente para imprimir sin soportes. 90° no modificará ningún voladizo del " +"modelo, manteniendo todos los voladizo. 0° reemplazará todos los voladizos " +"con material cónico." +#. ? conical material? msgid "Make overhangs printable - Hole area" -msgstr "Área hueca del voladizo imprimible sin soporte" +msgstr "Imprimir voladizos sin soportes - Área de orificios" msgid "" "Maximum area of a hole in the base of the model before it's filled by " "conical material.A value of 0 will fill all the holes in the model base." msgstr "" -"Máxima área hueca en la base del modelo antes de que se lleno por material " -"cónico. El valor 0 llenará todos los huecos en la base del modelo." +"Máxima área de un orificio en la base del modelo antes de que se rellene de " +"material cónico. El valor 0 llenará todos los orificios en la base del " +"modelo." msgid "mm²" msgstr "mm²" msgid "Detect overhang wall" -msgstr "Detectar el voladizo del perímetro" +msgstr "Detectar perímetros en voladizo" #, c-format, boost-format msgid "" "Detect the overhang percentage relative to line width and use different " "speed to print. For 100%% overhang, bridge speed is used." msgstr "" -"Detecta el porcentaje de voladizo en relación con el ancho de la línea y " +"Detecta el porcentaje de voladizo en relación con el ancho de línea y " "utiliza diferentes velocidades para imprimir. Para el 100%% de voladizo, se " "utiliza la velocidad de puente." msgid "Filament to print walls" -msgstr "" +msgstr "Filamento usado para imprimir perímetros" msgid "" "Line width of inner wall. If expressed as a %, it will be computed over the " "nozzle diameter." msgstr "" "Ancho de extrusión del perímetro interno. Si se expresa cómo %, se calculará " -"sobre el diámetro de la boquilla." +"en base al diámetro de la boquilla." msgid "Speed of inner wall" -msgstr "Velocidad del perímetro interior" +msgstr "Velocidad del perímetro interno" msgid "Number of walls of every layer" msgstr "Número de perímetros de cada capa" msgid "Alternate extra wall" -msgstr "Perímetro adicional alternativo" +msgstr "Perímetro adicional alternado" msgid "" "This setting adds an extra wall to every other layer. This way the infill " @@ -12829,15 +12982,15 @@ msgid "" "Using lightning infill together with this option is not recommended as there " "is limited infill to anchor the extra perimeters to." msgstr "" -"Este ajuste añade una perímetro adicional a cada dos capas. De este modo, el " -"relleno queda encajado verticalmente entre los perímetros, lo que da como " -"resultado impresiones más resistentes.\n" +"Este ajuste alterna el añadir un perímetro adicional cada dos capas. De este " +"modo, el relleno queda encajado verticalmente entre los perímetros, lo que da " +"como resultado impresiones más resistentes.\n" "\n" "Cuando esta opción está activada, es necesario desactivar la opción de " "asegurar el grosor del perímetro vertical.\n" "\n" "No se recomienda utilizar el relleno rayo junto con esta opción, ya que el " -"relleno es limitado para anclar los perímetros adicionales." +"hay una cantidad limitada de relleno donde anclar los perímetros adicionales." msgid "" "If you want to process the output G-code through custom scripts, just list " @@ -12847,16 +13000,16 @@ msgid "" "environment variables." msgstr "" "Si desea procesar el G-Code de salida a través de scripts personalizados, " -"simplemente enumere sus rutas absolutas aquí. Separe varios scripts con " +"simplemente enumere sus rutas absolutas aquí. Separe diferentes scripts con " "punto y coma. A los scripts se les pasará la ruta absoluta al archivo G-Code " "como primer argumento, y pueden acceder a los ajustes de configuración de " "OrcaSlicer leyendo variables de entorno." msgid "Printer type" -msgstr "" +msgstr "Tipo de impresora" msgid "Type of the printer" -msgstr "" +msgstr "El tipo de impresora" msgid "Printer notes" msgstr "Anotaciones de la impresora" @@ -12865,35 +13018,35 @@ msgid "You can put your notes regarding the printer here." msgstr "Puede colocar sus notas acerca de la impresora aquí." msgid "Printer variant" -msgstr "" +msgstr "Variante de la impresora" msgid "Raft contact Z distance" -msgstr "Distancia Z de contacto de la balsa(base de impresión)" +msgstr "Distancia Z de contacto de la balsa (base de impresión)" msgid "Z gap between object and raft. Ignored for soluble interface" msgstr "" -"Espacio Z entre el objeto y la balsa(base de impresión). Se ignora para la " +"Espacio Z entre el objeto y la balsa (base de impresión). Se ignora con una " "interfaz soluble" msgid "Raft expansion" -msgstr "Expansión de la balsa(base de impresión)" +msgstr "Expansión de la balsa (base de impresión)" msgid "Expand all raft layers in XY plane" -msgstr "Expandir todas las capas de la balsa(base de impresión) en el plano XY" +msgstr "Expandir todas las capas de la balsa (base de impresión) en el plano XY" msgid "Initial layer density" msgstr "Densidad de la primera capa" msgid "Density of the first raft or support layer" -msgstr "Densidad de la balsa(base de impresión)" +msgstr "Densidad de la balsa (base de impresión) o capa de soporte" msgid "Initial layer expansion" msgstr "Expansión de la primera capa" msgid "Expand the first raft or support layer to improve bed plate adhesion" msgstr "" -"Expandir la primera base de impresión o capa de soporte base para mejorar la " -"adherencia de la cama de la bandeja" +"Expandir la primera capa de la base de impresión o de soportes para mejorar " +"la adherencia con la superficie de impresión" msgid "Raft layers" msgstr "Capas de balsa (base de impresión)" @@ -12903,16 +13056,17 @@ msgid "" "avoid wrapping when print ABS" msgstr "" "El objeto será elevado por este número de capas de soporte. Utilice esta " -"función para evitar deformaciones al imprimir ABS" +"función para evitar deformaciones al imprimir u otros materiales sensibles a " +"las variaciones de temperatura" msgid "" "G-code path is genereated after simplifing the contour of model to avoid too " "much points and gcode lines in gcode file. Smaller value means higher " "resolution and more time to slice" msgstr "" -"La ruta del G-Code se genera después de simplificar el contorno del modelo " -"para evitar demasiados puntos y líneas de código en el archivo de G-Code. Un " -"valor más pequeño significa una mayor resolución y más tiempo para cortar" +"El G-Code se genera después de simplificar el contorno del modelo para evitar " +"demasiados puntos y líneas de código en el archivo de G-Code. Un valor más " +"pequeño significa una mayor resolución y tiempo de laminado." msgid "Travel distance threshold" msgstr "Umbral de distancia de desplazamiento" @@ -12921,16 +13075,16 @@ msgid "" "Only trigger retraction when the travel distance is longer than this " "threshold" msgstr "" -"Sólo se activa la retracción cuando la distancia de recorrido es superior a " -"este umbral" +"Sólo se activa la retracción cuando la distancia de desplazamiento es " +"superior a este umbral" msgid "Retract amount before wipe" -msgstr "Retrae cantidad antes de limpiar" +msgstr "Longitud de retracción antes de purgado" msgid "" "The length of fast retraction before wipe, relative to retraction length" msgstr "" -"La longitud de la retracción rápida antes de la limpieza, en relación con la " +"La longitud de la retracción rápida antes de la purga, en relación con la " "longitud de la retracción" msgid "Retract when change layer" @@ -12946,8 +13100,8 @@ msgid "" "Some amount of material in extruder is pulled back to avoid ooze during long " "travel. Set zero to disable retraction" msgstr "" -"Una cierta cantidad de material en el extrusor se extrae para evitar el " -"rezumado durante el recorrido largo. Ajustar el cero para desactivar la " +"Una pequeña cantidad de material se retrae del extrusor para evitar el " +"rezumado durante desplazamientos largos. Ajustar a cero para desactivar la " "retracción" msgid "Long retraction when cut(experimental)" @@ -12959,10 +13113,10 @@ msgid "" "significantly, it may also raise the risk of nozzle clogs or other printing " "problems." msgstr "" -"Característica experimental. Retraer y cortar el filamento a mayor distancia " -"durante los cambios para minimizar la purga. Si bien esto reduce " -"significativamente la purga, también puede aumentar el riesgo de atascos de " -"boquillas u otros problemas de impresión." +"Función experimental. Retraer y cortar el filamento una mayor distancia " +"durante los cambios para minimizar el purgado. Si bien esto reduce " +"significativamente el purgado, también puede aumentar el riesgo de bloqueos " +"de boquillas u otros problemas de impresión." msgid "Retraction distance when cut" msgstr "Distancia de retracción al cortar" @@ -12971,21 +13125,21 @@ msgid "" "Experimental feature.Retraction length before cutting off during filament " "change" msgstr "" -"Característica experimental. Longitud de retracción antes del corte durante " -"el cambio de filamento" +"Función experimental. Longitud de retracción antes del corte durante el " +"cambio de filamento" msgid "Z hop when retract" -msgstr "Salto en Z al retraerse" +msgstr "Salto en Z al retraer" msgid "" "Whenever the retraction is done, the nozzle is lifted a little to create " "clearance between nozzle and the print. It prevents nozzle from hitting the " "print when travel move. Using spiral line to lift z can prevent stringing" msgstr "" -"Cada vez que se realiza la retracción, la boquilla se levanta un poco para " -"crear un espacio libre entre la boquilla y la impresión. Esto evita que la " -"boquilla golpee la impresión cuando se desplaza. El uso de la línea espiral " -"para levantar z puede evitar el encordado" +"Cada vez que se realiza una retracción, la boquilla se levanta un poco para " +"crear un pequeño margen entre la boquilla y la impresión. Esto evita que la " +"boquilla golpee la pieza cuando se desplaza. El uso de la línea espiral " +"para levantar z puede evitar la aparción de hilos" msgid "Z hop lower boundary" msgstr "Límite inferior de salto Z" @@ -12994,8 +13148,8 @@ msgid "" "Z hop will only come into effect when Z is above this value and is below the " "parameter: \"Z hop upper boundary\"" msgstr "" -"Z hop sólo entrará en vigor cuando Z esté por encima de este valor y se " -"encuentre por debajo del parámetro: \"Límite superior del salto Z\"" +"El salto en Z sólo se usará cuando Z esté por encima de este valor y se " +"encuentre por debajo del parámetro: \"Límite superior de salto Z\"" msgid "Z hop upper boundary" msgstr "Límite superior de salto Z" @@ -13004,9 +13158,8 @@ msgid "" "If this value is positive, Z hop will only come into effect when Z is above " "the parameter: \"Z hop lower boundary\" and is below this value" msgstr "" -"Si este valor es positivo, Z hop sólo entrará en vigor cuando Z esté por " -"encima del parámetro \"Límite inferior de salto Z\" y esté por debajo de " -"este valor" +"Si este valor es positivo, Z hop sólo se usará cuando Z esté por encima del " +"parámetro \"Límite inferior de salto Z\" y por debajo de este valor" msgid "Z hop type" msgstr "Tipo de salto Z" @@ -13024,7 +13177,7 @@ msgid "" "Traveling angle for Slope and Spiral Z hop type. Setting it to 90° results " "in Normal Lift" msgstr "" -"Ángulo de desplazamiento para el tipo de salto de Pendiente y Espiral Z. Si " +"Ángulo de desplazamiento para el tipo de salto Z de Pendiente y Espiral. Si " "se ajusta a 90°, se obtiene una elevación normal." msgid "Only lift Z above" @@ -13034,7 +13187,7 @@ msgid "" "If you set this to a positive value, Z lift will only take place above the " "specified absolute Z." msgstr "" -"Si lo ajusta a un valor positivo, la elevación de Z sólo tendrá lugar por " +"Si se ajusta a un valor positivo, la elevación de Z sólo tendrá lugar por " "encima de la Z absoluta especificada." msgid "Only lift Z below" @@ -13076,16 +13229,16 @@ msgid "" "When the retraction is compensated after the travel move, the extruder will " "push this additional amount of filament. This setting is rarely needed." msgstr "" -"Cuando la retracción se compensa después de un movimiento de viaje, el " -"extrusor expulsará esa cantidad de filamento adicional. Este ajuste " -"raramente se necesitará." +"Cuando la retracción se compensa después de un desplazamiento, el extrusor " +"expulsará esta cantidad adicional de filamento. Esta función no suele ser " +"necesaria." msgid "" "When the retraction is compensated after changing tool, the extruder will " "push this additional amount of filament." msgstr "" "Cuando se compensa la retracción después de cambiar de cabezal, el extrusor " -"empujará esta cantidad adicional de filamento." +"expulsará esta cantidad adicional de filamento." msgid "Retraction Speed" msgstr "Velocidad de retracción" @@ -13094,17 +13247,17 @@ msgid "Speed of retractions" msgstr "Velocidad de las retracciones" msgid "Deretraction Speed" -msgstr "Velocidad de Desretracción" +msgstr "Velocidad de De-retracción" msgid "" "Speed for reloading filament into extruder. Zero means same speed with " "retraction" msgstr "" "Velocidad de recarga del filamento en el extrusor. Cero significa la misma " -"velocidad con la retracción" +"velocidad que la retracción" msgid "Use firmware retraction" -msgstr "Usar retracción de firmware" +msgstr "Usar retracción de firmware (experimental)" msgid "" "This experimental setting uses G10 and G11 commands to have the firmware " @@ -13130,7 +13283,8 @@ msgid "Seam position" msgstr "Posición de la costura" msgid "The start position to print each part of outer wall" -msgstr "La posición inicial para imprimir cada parte del perímetro exterior" +msgstr "Estrategia de posicionado del inicio de impersión de cada perímetro " +"exterior" msgid "Nearest" msgstr "Más cercano" @@ -13169,7 +13323,7 @@ msgstr "" "diámetro actual del extrusor. El valor por defecto de este parámetro es 10%." msgid "Scarf joint seam (beta)" -msgstr "Costura de unión de bufanda (beta)" +msgstr "Unión de bufanda en costuras (beta)" msgid "Use scarf joint to minimize seam visibility and increase seam strength." msgstr "" @@ -13184,10 +13338,10 @@ msgid "" "conceal the seams at sharp corners effectively." msgstr "" "Aplique juntas de bufanda sólo en perímetros lisos en los que las juntas " -"tradicionales no oculten eficazmente las juntas en esquinas afiladas." +"tradicionales no oculten eficazmente las juntas en vértices pronunciados." msgid "Conditional angle threshold" -msgstr "Umbral angular condicional" +msgstr "Umbral angular para union de bufanda condicional" msgid "" "This option sets the threshold angle for applying a conditional scarf joint " @@ -13201,9 +13355,10 @@ msgstr "" "Si el ángulo máximo dentro del bucle perimetral supera este valor (indicando " "la ausencia de esquinas afiladas), se utilizará una costura de junta de " "bufanda. El valor por defecto es 155°." +#. ? Absence or presence? msgid "Conditional overhang threshold" -msgstr "Umbral de voladizo condicional" +msgstr "Umbral de voladizo para unión de bufanda condicional" #, no-c-format, no-boost-format msgid "" @@ -13213,10 +13368,11 @@ msgid "" "at 40% of the external wall's width. Due to performance considerations, the " "degree of overhang is estimated." msgstr "" -"Esta opción establece el ángulo umbral para aplicar una costura de unión de " -"bufanda condicional. Si el ángulo máximo dentro del bucle perimetral supera " -"este valor (indicando la ausencia de esquinas finas), se utilizará una " -"costura de unión de bufanda. El valor por defecto es 155°." +"Esta opción establece el umbral de voladizo para aplicar una costura de unión " +"de bufanda condicional. Si el área sin soporte del perémetro es menor a este " +"valor se utilizará una costura de unión de bufanda. El valor por defecto está " +"configurado como un 40% del grosor del perímetro exterior. El ángulo de " +"voladizo es estimado automáticamente por razones de optimización." msgid "Scarf joint speed" msgstr "Velocidad de unión de bufanda" @@ -13234,12 +13390,12 @@ msgstr "" "Esta opción ajusta la velocidad de impresión para las uniones de bufanda. Se " "recomienda imprimir las uniones de bufanda a una velocidad lenta (inferior a " "100 mm/s). También es aconsejable activar la opción \"Suavizado de la " -"velocidad de extrusión\" si la velocidad ajustada varía significativamente " +"velocidad de extrusión\" si la velocidad configurada varía significativamente " "de la velocidad de los perímetros exteriores o interiores. Si la velocidad " "especificada aquí es superior a la velocidad de los perímetros exteriores o " "interiores, la impresora utilizará por defecto la velocidad más lenta de las " "dos. Si se especifica como porcentaje (por ejemplo, 80%), la velocidad se " -"calcula en función de la velocidad de el perímetro exterior o interior. El " +"calcula en función de la velocidad del perímetro exterior o interior. El " "valor predeterminado es 100%." msgid "Scarf joint flow ratio" @@ -13258,14 +13414,14 @@ msgid "" "current layer height. The default value for this parameter is 0." msgstr "" "Altura inicial de la bufanda . Esta cantidad puede especificarse en " -"milímetros o como porcentaje de la altura actual de la capa. El valor por " +"milímetros o como porcentaje de la altura de la capa actual. El valor por " "defecto de este parámetro es 0." msgid "Scarf around entire wall" -msgstr "Espiga alrededor de toda el perímetro" +msgstr "Bufanda en todo el perímetro" msgid "The scarf extends to the entire length of the wall." -msgstr "La bufanda se extiende a lo largo de toda el perímetro." +msgstr "La bufanda se extiende a lo largo de todo el perímetro." msgid "Scarf length" msgstr "Largo de la bufanda" @@ -13284,26 +13440,26 @@ msgid "Minimum number of segments of each scarf." msgstr "Número mínimo de segmentos de cada bufanda." msgid "Scarf joint for inner walls" -msgstr "Junta de bufanda para perímetros interiores" +msgstr "Unión de bufanda para perímetros interiores" msgid "Use scarf joint for inner walls as well." -msgstr "Utilice también una junta de bufanda para perímetros internos." +msgstr "Utilice también una unión de bufanda para perímetros internos." msgid "Role base wipe speed" -msgstr "Velocidad de limpieza según tipo de línea" +msgstr "Velocidad de purga según tipo de línea" msgid "" "The wipe speed is determined by the speed of the current extrusion role.e.g. " "if a wipe action is executed immediately following an outer wall extrusion, " "the speed of the outer wall extrusion will be utilized for the wipe action." msgstr "" -"La velocidad de limpieza viene determinada por la velocidad de extrusión " -"actual. Por ejemplo, si se ejecuta una acción de limpieza inmediatamente " +"La velocidad de purga viene determinada por la velocidad de extrusión " +"actual. Por ejemplo, si se ejecuta una acción de purga inmediatamente " "después de una extrusión del perímetro exterior, se utilizará la velocidad " -"de la extrusión del perímetro exterior para la acción de limpieza." +"de la extrusión del perímetro exterior para la acción de purgado." msgid "Wipe on loops" -msgstr "Limpieza en contornos curvos" +msgstr "Purgado en contornos curvos" msgid "" "To minimize the visibility of the seam in a closed loop extrusion, a small " @@ -13314,7 +13470,7 @@ msgstr "" "la curva." msgid "Wipe before external loop" -msgstr "Limpiar antes del bucle externo" +msgstr "Purgado antes del bucle externo" msgid "" "To minimise visibility of potential overextrusion at the start of an " @@ -13329,7 +13485,7 @@ msgid "" msgstr "" "Para minimizar la visibilidad de una posible sobreextrusión al inicio de un " "perímetro externo al imprimir con el orden de impresión de perímetro " -"Exterior/Interior o Interior/Exterior/Interior, la desretracción se realiza " +"Exterior/Interior o Interior/Exterior/Interior, la de-retracción se realiza " "ligeramente en el interior desde el inicio del perímetro externo. De esta " "forma, cualquier posible sobreextrusión queda oculta desde la superficie " "exterior.\n" @@ -13337,10 +13493,10 @@ msgstr "" "Esto es útil cuando se imprime con orden de impresión Exterior/Interior o " "Interior/Exterior/Interior ya que en estos modos es más probable que se " "imprima un perímetro exterior inmediatamente después de un movimiento de " -"desretracción." +"de-retracción." msgid "Wipe speed" -msgstr "Velocidad de limpieza" +msgstr "Velocidad de purgado" msgid "" "The wipe speed is determined by the speed setting specified in this " @@ -13348,11 +13504,10 @@ msgid "" "be calculated based on the travel speed setting above.The default value for " "this parameter is 80%" msgstr "" -"La velocidad de limpieza es determinada por el ajuste de velocidad La " -"velocidad de limpieza es determinada por el ajuste de velocidad especificado " -"en esta configuración. Si el valor se expresa en porcentaje (por ejemplo, " -"80%), se calculará en función del ajuste de velocidad de desplazamiento " -"anterior. El valor por defecto de este parámetro es 80%" +"La velocidad de purgado es determinada por este parámetro. Si el valor se " +"expresa como un porcentaje (por ejemplo, 80%), se calculará en función del " +"ajuste de velocidad de desplazamiento anterior. El valor por defecto de este " +"parámetro es 80%." msgid "Skirt distance" msgstr "Distancia de falda" @@ -13364,7 +13519,7 @@ msgid "Skirt height" msgstr "Altura de falda" msgid "How many layers of skirt. Usually only one layer" -msgstr "C capas de falda. Normalmente sólo una capa" +msgstr "Cantidad de capas de falda. Normalmente sólo una capa" msgid "Draft shield" msgstr "Protector contra corrientes de aire" @@ -13384,8 +13539,8 @@ msgid "" msgstr "" "Un protector contra corrientes de aire es útil para proteger una impresión " "en ABS o ASA de la deformación y el desprendimiento de la cama de impresión " -"debido a los flujos de aire. Suele ser necesario solo en impresoras de " -"bastidor abierto, es decir, sin cerramiento.\n" +"debido a las corrientes de aire. Suele ser necesario sólo en impresoras de " +"abiertas, es decir, sin encapsular.\n" "\n" "Opciones:\n" "Activado = la falda es tan alta como el objeto impreso más alto.\n" @@ -13394,11 +13549,8 @@ msgstr "" "\n" "Nota: Con el protector contra corrientes de aire activo, la falda se " "imprimirá a la distancia especificada en \"Distancia de falda\" del objeto. " -"Por lo tanto, si los bordes están activos, puede cruzarse con ellos. Para " +"Por lo tanto, si se usan bordes de adherencia, puede cruzarse con ellos. Para " "evitarlo, aumente el valor de la \"Distancia de falda\".\n" -"imprimirá a la distancia especificada en \"Distancia de falda\" del objeto. " -"Por lo tanto, si los bordes están activos, puede cruzarse con ellos. Para " -"evitarlo, aumente el valor de la \"Distancia de la falda\".\n" msgid "Limited" msgstr "Limitado" @@ -13407,10 +13559,10 @@ msgid "Enabled" msgstr "Activado" msgid "Skirt loops" -msgstr "Contorno de la falda" +msgstr "Bucles de la falda" msgid "Number of loops for the skirt. Zero means disabling skirt" -msgstr "Número de bucles de la falda. Cero significa desactivar el faldón" +msgstr "Número de bucles de la falda. Cero significa desactivar la falda" msgid "Skirt speed" msgstr "Velocidad de falda" @@ -13445,49 +13597,49 @@ msgstr "" "mejor refrigeración de estas capas" msgid "Minimum sparse infill threshold" -msgstr "Área umbral de relleno sólido" +msgstr "Umbral de área mínima de relleno de baja densidad" msgid "" "Sparse infill area which is smaller than threshold value is replaced by " "internal solid infill" msgstr "" -"El área de relleno de baja densidad que es menor que el valor del umbral se " +"El área de relleno de baja densidad que es menor que este valor de umbral se " "sustituye por un relleno sólido interno" msgid "Solid infill" -msgstr "" +msgstr "Relleno sólido interno" msgid "Filament to print solid infill" -msgstr "" +msgstr "Filamento para imprimir relleno sólido interno" msgid "" "Line width of internal solid infill. If expressed as a %, it will be " "computed over the nozzle diameter." msgstr "" -"Ancho de extrusión del relleno sólido interno. Si se expresa cómo %, se " -"calculará sobre el diámetro de la boquilla." +"Ancho de línea del relleno sólido interno. Si se expresa cómo %, se " +"calculará en base al diámetro de la boquilla." msgid "Speed of internal solid infill, not the top and bottom surface" msgstr "" -"Velocidad del relleno sólido interno, no la superficie superior e inferior" +"Velocidad del relleno sólido interno, no de la superficie superior o inferior" msgid "" "Spiralize smooths out the z moves of the outer contour. And turns a solid " "model into a single walled print with solid bottom layers. The final " "generated model has no seam" msgstr "" -"Spiralize suaviza los movimientos z del contorno exterior. Y convierte un " -"modelo sólido en una impresión de una soel perímetro con capas inferiores " -"sólidas. El modelo final generado no tiene costura" +"El modo espiral suaviza los movimientos z del contorno exterior. Convierte un " +"modelo sólido en una impresión de un solo perímetro con capas inferiores " +"sólidas. El modelo final generado no tiene costuras." msgid "Smooth Spiral" -msgstr "Suavizar Espiral" +msgstr "Espiral Suave" msgid "" "Smooth Spiral smoothes out X and Y moves as wellresulting in no visible seam " "at all, even in the XY directions on walls that are not vertical" msgstr "" -"Suavizar Espiral suaviza también los movimientos X e Y, con lo que no se " +"Espiral Suave suaviza también los movimientos en X e Y, con lo que no se " "aprecia ninguna costura, ni siquiera en las direcciones XY en perímetros que " "no son verticales" @@ -13499,8 +13651,8 @@ msgid "" "expressed as a %, it will be computed over nozzle diameter" msgstr "" "Distancia máxima a desplazar los puntos en XY para intentar conseguir una " -"espiral suave, si se expresa en %, se calculará sobre el diámetro de la " -"tobera" +"espiral suave. Si se expresa en %, se calculará en base al diámetro de la " +"boquilla" msgid "" "If smooth or traditional mode is selected, a timelapse video will be " @@ -13516,10 +13668,10 @@ msgstr "" "lapse para cada impresión. Después de imprimir cada capa, se toma una " "instantánea con la cámara. Todas estas instantáneas se componen en un vídeo " "time-lapse cuando finaliza la impresión. Si se selecciona el modo suave, el " -"cabezal se moverá a la rampa de exceso después de cada capa se imprime y " -"luego tomar una instantánea. Dado que el filamento fundido puede gotear de " -"la boquilla durante el proceso de tomar una instantánea, la torre de purga " -"es necesaria para el modo suave de limpiar la boquilla." +"cabezal se moverá a la rampa de exceso después de imprimir cada capa y " +"luego toma una instantánea. Dado que el filamento fundido puede rezumar de " +"la boquilla durante el proceso de toma de la instantánea, una torre de purga " +"es necesaria para el modo suave para limpiar la boquilla." msgid "Traditional" msgstr "Tradicional" @@ -13547,32 +13699,32 @@ msgid "" "the tool in advance." msgstr "" "Para reducir el tiempo de espera tras el cambio de cabezal, Orca puede " -"precalentar lel siguiente cabezal mientras el cabezal actual todavía está en " +"precalentar el siguiente cabezal mientras el cabezal actual todavía está en " "uso. Este ajuste especifica el tiempo en segundos para precalentar la " "siguiente herramienta. Orca insertará un comando M104 para precalentar el " "cabezal por adelantado." msgid "Preheat steps" -msgstr "Pasos precalentamiento" +msgstr "Pasos de precalentamiento" msgid "" "Insert multiple preheat commands(e.g. M104.1). Only useful for Prusa XL. For " "other printers, please set it to 1." msgstr "" "Insertar múltiples comandos de precalentamiento (por ejemplo, M104.1). Sólo " -"útil para Prusa XL. Para otras impresoras, por favor ajústelo a 1." +"útil para Prusa XL. Para otras impresoras, por favor ajústar a 1." msgid "Start G-code" msgstr "G-Code inicial" msgid "Start G-code when start the whole printing" -msgstr "Inicie el G-Code cuando comience la impresión completa" +msgstr "G-Code de inicio cuando se comienza la impresión del archivo" msgid "Start G-code when start the printing of this filament" -msgstr "Inicie el G-Code al comenzar la impresión de este filamento" +msgstr "G-Code de inicio cuando se comienza la impresión de este filamento" msgid "Single Extruder Multi Material" -msgstr "Extrusor Único Multi Material" +msgstr "Multi Material con Extrusor Único" msgid "Use single nozzle to print multi filament" msgstr "Usa una único boquilla para imprimir multifilamento" @@ -13587,7 +13739,7 @@ msgid "" "printing, where we use M600/PAUSE to trigger the manual filament change " "action." msgstr "" -"Active esta opción para omitir el G-Code personalizado Cambiar filamento " +"Active esta opción para omitir el G-Code personalizado de Cambiar filamento " "sólo al principio de la impresión. El comando de cambio de cabezal (por " "ejemplo, T0) se omitirá durante toda la impresión. Esto es útil para la " "impresión manual multi-material, donde utilizamos M600/PAUSE para activar la " @@ -13623,8 +13775,8 @@ msgid "" "If enabled, all printing extruders will be primed at the front edge of the " "print bed at the start of the print." msgstr "" -"Sí está activada, todos los extrusores serán purgados en el lado delantero " -"de la cama de impresión al inicio de la impresión." +"Sí se activa, todos los extrusores serán purgados en el frontal de la cama de " +"impresión al inicio de la impresión." msgid "Slice gap closing radius" msgstr "Radio de cierre de laminado" @@ -13634,10 +13786,10 @@ msgid "" "triangle mesh slicing. The gap closing operation may reduce the final print " "resolution, therefore it is advisable to keep the value reasonably low." msgstr "" -"Las grietas más pequeñas que el radio de cierre 2x se rellenan durante el " -"corte de la malla triangular. La operación de cierre de huecos puede reducir " -"la resolución de impresión final, por lo que es aconsejable mantener el " -"valor razonablemente bajo." +"Las grietas más pequeñas que 2x el radio de cierre se rellenan durante el " +"laminado de la malla triangular. La operación de cierre de huecos puede " +"reducir la resolución de impresión final, por lo que es aconsejable mantener " +"el valor razonablemente bajo." msgid "Slicing Mode" msgstr "Modo de laminado" @@ -13668,9 +13820,10 @@ msgid "" "print bed, set this to -0.3 (or fix your endstop)." msgstr "" "Este valor se sumará (o restará) de todas las coordenadas Z en el G-Code de " -"salida. Se utiliza para compensar el desfase de Z del “Endstop Z”.\n" -"Por ejemplo, si tu “Endstop cero” deja la boquilla a distancia 0.3mm de la " -"cama de impresión, establecer este valor a -0,3 compensará este desfase." +"salida. Se utiliza para compensar el desfase de Z del interruptor de final de " +"carrera de Z.\n" +"Por ejemplo, si tu fin de carrera deja la boquilla a una distancia de 0.3mm " +"de la cama de impresión, establecer este valor a -0,3 compensará este desfase." msgid "Enable support" msgstr "Habilitar los soportes" @@ -13683,21 +13836,21 @@ msgid "" "normal(manual) or tree(manual) is selected, only support enforcers are " "generated" msgstr "" -"normal(auto) y Árbol(auto) se utilizan para generar los soportes " -"automáticamente. Si se selecciona normal(manual) o árbol(manual), sólo se " -"generan los refuerzos de apoyo" +"normal (auto) y Árbol (auto) se utilizan para generar los soportes " +"automáticamente. Si se selecciona normal (manual) o árbol (manual), sólo se " +"generan los soportes forzados" msgid "normal(auto)" -msgstr "Normal(auto)" +msgstr "Normal (auto)" msgid "tree(auto)" -msgstr "Árbol(auto)" +msgstr "Árbol (auto)" msgid "normal(manual)" -msgstr "Normal(manual)" +msgstr "Normal (manual)" msgid "tree(manual)" -msgstr "Árbol(manual)" +msgstr "Árbol (manual)" msgid "Support/object xy distance" msgstr "Distancia soporte/objeto X-Y" @@ -13710,7 +13863,7 @@ msgstr "Ángulo del patrón" msgid "Use this setting to rotate the support pattern on the horizontal plane." msgstr "" -"Utilice este ajuste para girar el patrón de soporte en el plano horizontal." +"Utilice este ajuste para rotar el patrón de soporte en el plano horizontal." msgid "On build plate only" msgstr "Sólo en la bandeja de impresión" @@ -13726,8 +13879,8 @@ msgid "" "Only create support for critical regions including sharp tail, cantilever, " "etc." msgstr "" -"Cree soportes sólo para las regiones críticas, como la cola afilada, el " -"voladizo, etc." +"Cree soportes sólo para las regiones críticas, como puntas afiladas, " +"voladizos, etc." msgid "Remove small overhangs" msgstr "Eliminar voladizos pequeños" @@ -13759,7 +13912,7 @@ msgstr "" "utiliza el filamento actual" msgid "Avoid interface filament for base" -msgstr "Evitar el interfaz de filamento para la base" +msgstr "Evitar usar filamento de interfaz para la base" msgid "" "Avoid using support interface filament to print support base if possible." @@ -13771,8 +13924,8 @@ msgid "" "Line width of support. If expressed as a %, it will be computed over the " "nozzle diameter." msgstr "" -"Ancho de extrusión de los soportes Si se expresa cómo %, se calculará sobre " -"el diámetro de la boquilla." +"Ancho de línea de los soportes. Si se expresa como %, se calculará en base " +"al diámetro de la boquilla." msgid "Interface use loop pattern" msgstr "Uso de la interfaz en forma de bucle" @@ -13810,19 +13963,18 @@ msgid "Same as top" msgstr "Lo mismo que la superior" msgid "Top interface spacing" -msgstr "Distancia de la interfaz superior" +msgstr "Espaciado de la interfaz superior" msgid "Spacing of interface lines. Zero means solid interface" msgstr "" -"Espacio de las líneas de interfaz. Cero significa que la interfaz es sólida" +"Espaciado de las líneas de interfaz. Cero significa que la interfaz es sólida" msgid "Bottom interface spacing" -msgstr "Distancia de la interfaz inferior" +msgstr "Espaciado de la interfaz inferior" msgid "Spacing of bottom interface lines. Zero means solid interface" msgstr "" -"Espacio entre las líneas de la interfaz inferior. Cero significa interfaz " -"sólida" +"Espaciado de las líneas de interfaz. Cero significa que la interfaz es sólida" msgid "Speed of support interface" msgstr "Velocidad de la interfaz de soporte" @@ -13831,7 +13983,7 @@ msgid "Base pattern" msgstr "Patrón de base" msgid "Line pattern of support" -msgstr "Patrón lineal de apoyo" +msgstr "Patrón de líneas de soportes" msgid "Rectilinear grid" msgstr "Rejilla rectilínea" @@ -13855,16 +14007,16 @@ msgid "Rectilinear Interlaced" msgstr "Entrelazado rectilíneo" msgid "Base pattern spacing" -msgstr "Separación del patrón base" +msgstr "Espaciado del patrón base" msgid "Spacing between support lines" -msgstr "Espacio entre las líneas de apoyo" +msgstr "Espaciado entre las líneas de apoyo" msgid "Normal Support expansion" msgstr "Expansión de Soporte Normal" msgid "Expand (+) or shrink (-) the horizontal span of normal support" -msgstr "Ampliar (+) o reducir (-) la expansión horizontal del soporte normal" +msgstr "Ampliar (+) o reducir (-) la expansión horizontal del soporte Normal" msgid "Speed of support" msgstr "Velocidad en soportes" @@ -13878,20 +14030,20 @@ msgid "" "style will create similar structure to normal support under large flat " "overhangs." msgstr "" -"Estilo y forma del soporte. Para el soporte normal, proyectar los soportes " +"Estilo y forma del soporte. Para el soporte Normal, proyectar los soportes " "en una cuadrícula regular creará soportes más estables (por defecto), " "mientras que las torres de soporte ajustadas ahorrarán material y reducirán " "las cicatrices del objeto.\n" -"Para el soporte arbóreo, el estilo esbelto y orgánico fusionará las ramas de " -"forma más agresiva y ahorrará mucho material (orgánico por defecto), " -"mientras que el estilo híbrido creará una estructura similar a la del " -"soporte normal bajo grandes voladizos planos." +"Para el soporte Árbol, los estilos Esbelto y Orgánico fusionarán las ramas de " +"forma más agresiva y ahorrará mucho material (Orgánico por defecto), " +"mientras que el estilo Híbrido creará una estructura similar a la del " +"soporte Normal bajo grandes voladizos planos." msgid "Snug" msgstr "Ajustado" msgid "Tree Slim" -msgstr "Árbol Delgado" +msgstr "Árbol Esbelto" msgid "Tree Strong" msgstr "Árbol Fuerte" @@ -13911,7 +14063,8 @@ msgid "" "when the prime tower is enabled." msgstr "" "La capa de soporte utiliza una altura de capa independiente de la capa del " -"objeto. Esta opción no será válida si la torre de purga está activada." +"objeto. Esto permite la personalización de la distancia Z y ahorra tiempo de " +"impresión. Esta opción es compatible con la torre de purga." msgid "Threshold angle" msgstr "Pendiente máxima" @@ -13924,15 +14077,15 @@ msgstr "" "inferior al umbral." msgid "Tree support branch angle" -msgstr "Ángulo de la rama de soporte del árbol" +msgstr "Ángulo de las rama de soporte Árbol" msgid "" "This setting determines the maximum overhang angle that t he branches of " "tree support allowed to make.If the angle is increased, the branches can be " "printed more horizontally, allowing them to reach farther." msgstr "" -"Este ajuste determina el ángulo máximo de voladizo que pueden hacer las " -"ramas del soporte del árbol. Si se aumenta el ángulo, las ramas pueden " +"Este ajuste determina el ángulo máximo de voladizo que pueden tener las " +"ramas del soporte de Árbol. Si se aumenta el ángulo, las ramas pueden " "imprimirse más horizontalmente, permitiendo que lleguen más lejos." msgid "Preferred Branch Angle" @@ -13954,8 +14107,8 @@ msgstr "Distancia de la rama de soporte del árbol" msgid "" "This setting determines the distance between neighboring tree support nodes." msgstr "" -"Este ajuste determina la distancia entre los nodos de soporte del árbol " -"vecinos." +"Este ajuste determina la distancia entre los nodos de soporte vecinos de un " +"árbol." msgid "Branch Density" msgstr "Densidad de ramas" @@ -13975,7 +14128,7 @@ msgstr "" "de rama alto si se necesitan interfaces densas." msgid "Adaptive layer height" -msgstr "Altura de capa adaptable" +msgstr "Altura de capa adaptativa" msgid "" "Enabling this option means the height of tree support layer except the " @@ -13992,7 +14145,7 @@ msgid "" "automatically calculated" msgstr "" "Si activa esta opción, se calculará automáticamente la anchura del borde de " -"adherencia para el soporte del árbol" +"adherencia para el soporte de Árbol" msgid "Tree support brim width" msgstr "Anchura del borde de adherencia" @@ -14001,6 +14154,7 @@ msgid "Distance from tree branch to the outermost brim line" msgstr "" "Distancia desde la rama del árbol hasta la línea más externa del borde de " "adherencia" +#. ? branch or trunk? msgid "Tip Diameter" msgstr "Tamaño de la punta" @@ -14032,7 +14186,7 @@ msgstr "" "estabilidad del soporte orgánico." msgid "Branch Diameter with double walls" -msgstr "Baja densidad de ramas" +msgstr "Diámetro de ramas con perímetro doble" #. TRN PrintSettings: "Organic supports" > "Branch Diameter" msgid "" @@ -14042,7 +14196,7 @@ msgid "" msgstr "" "Las ramas con un área mayor que el área de un círculo de este diámetro se " "imprimirán con doble perímetro para mayor estabilidad. Establezca este valor " -"en cero para no tener doble perímetro." +"en cero para no usar doble perímetro." msgid "Support wall loops" msgstr "Bucles de perímetro de apoyo" @@ -14051,14 +14205,14 @@ msgid "This setting specify the count of walls around support" msgstr "Este ajuste especifica el número de perímetros alrededor del soporte" msgid "Tree support with infill" -msgstr "Soporte de árbol con relleno" +msgstr "Soporte de Árbol con relleno" msgid "" "This setting specifies whether to add infill inside large hollows of tree " "support" msgstr "" -"Este ajuste especifica si se añade relleno dentro de los grandes huecos del " -"soporte del árbol" +"Este ajuste especifica si se añade relleno dentro de los grandes huecos de " +"los soportes de Árbol" msgid "Activate temperature control" msgstr "Activar control de temperatura" @@ -14074,7 +14228,18 @@ msgid "" "This option relies on the firmware supporting the M191 and M141 commands " "either via macros or natively and is usually used when an active chamber " "heater is installed." -msgstr "" +msgstr "Habilite esta función para usar un control automático de la " +"temperatura de la cámara. Cuando está habilitada, se emitirá un comando M191 " +"antes de \"machine_start_gcode\".\n" +"Este comando especifica la temperatura objetivo de la cámara y mantendrá la " +"impresora en espera hasta que se alcance dicha temperatura. Adicionalmente, " +"se emite un comando M141 al finalizar la impresión para apagar el sistema de " +"calentamiento de cámara, en caso de existir. \n" +"\n" +"Esta función requiere de que el firmware de la impresora sea compatible con " +"los comandos M191 y M141, ya sea nativamente o mediante el uso de macros. " +"Esta función se usa generalmente con impresoras con sistema de calentamiento " +"de cámara activo." msgid "Chamber temperature" msgstr "Temperatura de cámara" @@ -14098,6 +14263,24 @@ msgid "" "desire to handle heat soaking in the print start macro if no active chamber " "heater is installed." msgstr "" +"Una mayor temperatura de la cámara puede ayudar a suprimir o reducir la " +"deformación y potencialmente conducir a una mayor resistencia de unión entre " +"capas para materiales de alta temperatura como ABS, ASA, PC, PA, etc. Al " +"mismo tiempo, la filtración de aire de ABS y ASA empeorará. \n" +"\n" +"Por otro lado, materiales como PLA, PETG, TPU, PVA y otros materiales de baja " +"temperatura, la temperatura real de la cámara no debe ser alta para evitar " +"obstrucciones causadas por reblandecimiento del filamento en el disipador.\n" +"\n" +"Cuando se activa, este parámetro crea una variable de G-Code llamada " +"chamber_temperature, que puede ser utilizada en macros personalizados, por " +"ejemplo el macro de PRINT_START, para controlar el precalentamiento en " +"impresoras encapsuladas que cuenten con un sensor de temperatura de cámara. " +"Ejemplo de uso: \n" +"PRINT_START (otras variables) CHAMBER_TEMP=[chamber_temperature] \n" +"Esta funciuón es útil para imrpesoras no compatibles con los comandos M141 " +"o M191, o si prefiere realizar un precalentamiento usando un macro si no " +"dispone de un sistema de calentamiento activo de cámara." msgid "Nozzle temperature for layers after the initial one" msgstr "Temperatura de la boquilla después de la primera capa" @@ -14127,8 +14310,8 @@ msgid "" "Line width for top surfaces. If expressed as a %, it will be computed over " "the nozzle diameter." msgstr "" -"Ancho de extrusión de las capas superiores. Si se expresa cómo %, se " -"calculará sobre el diámetro de la boquilla." +"Ancho de línea de las capas superiores. Si se expresa cómo %, se " +"calculará en base al diámetro de la boquilla." msgid "Speed of top surface infill which is solid" msgstr "Velocidad del relleno de la superficie superior que es sólida" @@ -14147,7 +14330,7 @@ msgstr "" "incrementarán" msgid "Top solid layers" -msgstr "Capas solidas arriba" +msgstr "Capas solidas superiores" msgid "Top shell thickness" msgstr "Espesor mínimo de la cubierta superior" @@ -14161,7 +14344,7 @@ msgid "" msgstr "" "El número de capas sólidas superiores se incrementa al laminar si el espesor " "calculado por las capas de la cubierta es más delgado que este valor. Esto " -"puede evitar tener una capa demasiado fina cuando la altura de la capa es " +"puede evitar tener una cubierta demasiado fina cuando la altura de la capa es " "pequeña. 0 significa que este ajuste está desactivado y el grosor de la capa " "superior está absolutamente determinado por las capas de la cubierta superior" @@ -14169,18 +14352,18 @@ msgid "Speed of travel which is faster and without extrusion" msgstr "Velocidad de desplazamiento más rápida y sin extrusión" msgid "Wipe while retracting" -msgstr "Limpiar mientras se retrae" +msgstr "Purgar mientras se retrae" msgid "" "Move nozzle along the last extrusion path when retracting to clean leaked " "material on nozzle. This can minimize blob when print new part after travel" msgstr "" "Mueva la boquilla a lo largo de la última trayectoria de extrusión cuando se " -"retraiga para limpiar el material filtrado en la boquilla. Esto puede " +"retraiga para limpiar el material rezumado en la boquilla. Esto puede " "minimizar las manchas cuando se imprime una nueva pieza después del recorrido" msgid "Wipe Distance" -msgstr "Distancia de limpieza" +msgstr "Distancia de purgado" msgid "" "Discribe how long the nozzle will move along the last path when " @@ -14193,15 +14376,15 @@ msgid "" "Setting a value in the retract amount before wipe setting below will perform " "any excess retraction before the wipe, else it will be performed after." msgstr "" -"Describa cuánto tiempo se moverá la boquilla a lo largo de la última " +"Describa cuánto distancia se moverá la boquilla a lo largo de la última " "trayectoria al retraerse. \n" "\n" -"Dependiendo de la duración de la operación de barrido y de la velocidad y " +"Dependiendo de la duración de la operación de purgado y de la velocidad y " "longitud de los ajustes de retracción del extrusor/filamento, puede ser " "necesario un movimiento de retracción para retraer el filamento restante. \n" "\n" -"Fijando un valor en la cantidad de retracción antes del barrido se realizará " -"cualquier exceso de retracción antes del barrido, de lo contrario se " +"Fijando un valor en la cantidad de retracción antes del purgado se realizará " +"cualquier exceso de retracción antes del purgado, de lo contrario se " "realizará después." msgid "" @@ -14211,7 +14394,7 @@ msgid "" msgstr "" "La torre de purga puede utilizarse para limpiar los residuos de la boquilla " "y estabilizar la presión de la cámara en el interior de la boquilla, con el " -"fin de evitar defectos de aspecto al imprimir objetos." +"fin de evitar defectos de visuales al imprimir objetos." msgid "Purging volumes" msgstr "Volúmenes de purga" @@ -14223,17 +14406,17 @@ msgid "" "The actual flushing volumes is equal to the flush multiplier multiplied by " "the flushing volumes in the table." msgstr "" -"El volumen de flujo real es igual al multiplicador de flujo multiplicado por " +"El volumen de flujo real es igual al producto del multiplicador de flujo y " "los volúmenes de flujo de la tabla." msgid "Prime volume" -msgstr "Tamaño de purga" +msgstr "Volumen de purga" msgid "The volume of material to prime extruder on tower." -msgstr "El volumen de material para cebar la extrusora en la torre." +msgstr "El volumen de material para purgar la extrusora en la torre." msgid "Width of prime tower" -msgstr "Anchura de la torre de purga" +msgstr "Ancho de la torre de purga" msgid "Wipe tower rotation angle" msgstr "Ángulo de rotación de torre de purga" @@ -14248,7 +14431,7 @@ msgid "" "Angle at the apex of the cone that is used to stabilize the wipe tower. " "Larger angle means wider base." msgstr "" -"Ángulo del vértice del cono que se usa para estabilidad la torre de purga. " +"Ángulo del vértice del cono que se usa para estabilizar la torre de purga. " "Un angulo mayor significa una base más ancha." msgid "Maximum wipe tower print speed" @@ -14276,18 +14459,18 @@ msgid "" "regardless of this setting." msgstr "" "La velocidad máxima de impresión al purgar en la torre de purga e imprimir " -"las capas dispersas de la torre de purga. Al purgar, si la velocidad de " -"relleno de baja densidad o la velocidad calculada a partir de la velocidad " +"las capas de baja densidad de la torre de purga. Al purgar, si la velocidad " +"de relleno de baja densidad o la velocidad calculada a partir de la velocidad " "volumétrica máxima del filamento es inferior, se utilizará la velocidad más " "baja.\n" "\n" -"Al imprimir las capas dispersas, si la velocidad del perímetro interno o la " -"velocidad calculada a partir de la velocidad volumétrica máxima del " +"Al imprimir las capas de baja densidad, si la velocidad del perímetro interno " +"o la velocidad calculada a partir de la velocidad volumétrica máxima del " "filamento es inferior, se utilizará la velocidad más baja.\n" "\n" "Aumentar esta velocidad puede afectar a la estabilidad de la torre, así como " -"aumentar la fuerza con la que la boquilla colisiona con las manchas que se " -"hayan podido formar en la torre de purga.\n" +"aumentar la fuerza con la que la boquilla colisiona con las acummulaciones " +"que se hayan podido formar en la torre de purga.\n" "\n" "Antes de aumentar este parámetro más allá del valor por defecto de 90mm/seg, " "asegúrese de que su impresora puede puentear de forma fiable a las " @@ -14302,10 +14485,10 @@ msgid "" "use the one that is available (non-soluble would be preferred)." msgstr "" "Extrusor usado para imprimir el perímetro de la torre de purga. Ajuste a 0 " -"para usar el único disponible. (no soluble preferentemente)." +"para usar el único disponible (no soluble preferentemente)." msgid "Purging volumes - load/unload volumes" -msgstr "Volumenes de purga - carga/descarga de volúmenes" +msgstr "Volúmenes de purga - carga/descarga de volúmenes" msgid "" "This vector saves required volumes to change from/to each tool used on the " @@ -14313,7 +14496,7 @@ msgid "" "volumes below." msgstr "" "Este vector guarda los volúmenes necesarios para cambiar de/a cada cabezal " -"utilizada en la torre de purga. Estos valores se utilizan para simplificar " +"utilizado en la torre de purga. Estos valores se utilizan para simplificar " "la creación de los volúmenes de purga completos a continuación." msgid "" @@ -14352,14 +14535,14 @@ msgstr "Distancia máxima de puenteado" msgid "Maximal distance between supports on sparse infill sections." msgstr "" -"Distancia máxima entre los soportes en las sección de relleno de baja " +"Distancia máxima entre los soportes en las secciones de relleno de baja " "densidad." msgid "Wipe tower purge lines spacing" -msgstr "Separación de las líneas de la torre de purga" +msgstr "Espaciado de las líneas de la torre de purga" msgid "Spacing of purge lines on the wipe tower." -msgstr "Separación de las líneas de la torre de purga." +msgstr "Espaciado de las líneas de purga de la torre de purga." msgid "Extra flow for purging" msgstr "Caudal adicional para purgar" @@ -14369,12 +14552,12 @@ msgid "" "purging lines thicker or narrower than they normally would be. The spacing " "is adjusted automatically." msgstr "" -"Flujo extra utilizado para las líneas de purga en la torre de limpieza. Esto " -"hace que las líneas de purga sean más gruesas o más estrechas de lo normal. " +"Flujo extra utilizado para las líneas de purga en la torre de purga. Esto " +"hace que las líneas de purga sean más gruesas o más delgadas de lo normal. " "La separación se ajusta automáticamente." msgid "Idle temperature" -msgstr "Temperatura en Espera" +msgstr "Temperatura de Espera" msgid "" "Nozzle temperature when the tool is currently not used in multi-tool setups." @@ -14382,10 +14565,12 @@ msgid "" "0 to disable." msgstr "" "Temperatura de la boquilla cuando el cabezal no se está utilizando en " -"configuraciones multicabezal. Póngalo a 0 para desactivarlo." +"configuraciones multicabezal. Este parámetro sólo es utilizado cuando la " +"'Prevención de rezumado' está activada en los ajustes de proceso. Póngalo a 0 " +"para desactivarlo." msgid "X-Y hole compensation" -msgstr "Compensación de huecos X-Y" +msgstr "Compensación en X-Y de huecos" msgid "" "Holes of object will be grown or shrunk in XY plane by the configured value. " @@ -14399,7 +14584,7 @@ msgstr "" "de ensamblaje" msgid "X-Y contour compensation" -msgstr "Compensación de contornos X-Y" +msgstr "Compensación de contornos en X-Y" msgid "" "Contour of object will be grown or shrunk in XY plane by the configured " @@ -14421,13 +14606,13 @@ msgid "" "compute the polyhole.\n" "See http://hydraraptor.blogspot.com/2011/02/polyholes.html" msgstr "" -"Busque orificios casi circulares que abarquen más de una capa y convierta la " -"geometría en poliorificios. Utilice el tamaño de la boquilla y el diámetro " -"(mayor) para calcular el poliorificio.\n" +"Orca buscará los orificios casi circulares que abarquen más de una capa y " +"convierte la geometría en poliorificios. Utiliza el tamaño de la boquilla y " +"el orificio de mayor diámetro para calcular el poliorificio.\n" "Véase http://hydraraptor.blogspot.com/2011/02/poliorificios.html" msgid "Polyhole detection margin" -msgstr "Margen de detección del poliorificio" +msgstr "Margen de detección de poliorificios" #, no-c-format, no-boost-format msgid "" @@ -14447,16 +14632,16 @@ msgid "Polyhole twist" msgstr "Giro de poliorificio" msgid "Rotate the polyhole every layer." -msgstr "Rotar el poliorificio en todas las capas." +msgstr "Rotar el poliorificio en cada capa." msgid "G-code thumbnails" -msgstr "Tamaño de miniaturas de G-Code" +msgstr "Miniaturas de G-Code" msgid "" "Picture sizes to be stored into a .gcode and .sl1 / .sl1s files, in the " "following format: \"XxY, XxY, ...\"" msgstr "" -"Los tamaños de las imágenes se almacenan en archivos .gcode y .sl1 / .sl1s, " +"Los tamaños de las imágenes para almacenar en archivos .gcode y .sl1 / .sl1s, " "en el siguiente formato: \"XxY, XxY, ...\"" msgid "Format of G-code thumbnails" @@ -14470,7 +14655,7 @@ msgstr "" "tamaño más pequeño, QOI para firmware de baja memoria" msgid "Use relative E distances" -msgstr "Usar distancias relativas E" +msgstr "Usar distancias E relativas" msgid "" "Relative extrusion is recommended when using \"label_objects\" option.Some " @@ -14480,18 +14665,18 @@ msgid "" msgstr "" "Se recomienda la extrusión relativa cuando se utiliza la opción " "\"label_objects\". Algunos extrusores funcionan mejor con esta opción " -"desactivada (modo de extrusión absoluta). La torre de borrado sólo es " +"desactivada (modo de extrusión absoluta). La torre de purga sólo es " "compatible con el modo relativo. Se recomienda en la mayoría de las " -"impresoras. Por defecto está marcada" +"impresoras. Por defecto está activada." msgid "" "Classic wall generator produces walls with constant extrusion width and for " "very thin areas is used gap-fill. Arachne engine produces walls with " "variable extrusion width" msgstr "" -"El generador de perímetros clásico produce perímetros con anchura de " +"El generador de perímetros clásico produce perímetros con ancho de " "extrusión constante y para zonas muy finas se utiliza rellenar-espacio. El " -"motor Arachne produce perímetros con anchura de extrusión variable." +"motor Arachne produce perímetros con ancho de extrusión variable." msgid "Classic" msgstr "Clásico" @@ -14507,8 +14692,8 @@ msgid "" "thinner, a certain amount of space is allotted to split or join the wall " "segments. It's expressed as a percentage over nozzle diameter" msgstr "" -"Cuando se pasa de un número de perímetros a otro a medida que la pieza se " -"vuelve más fina, se asigna una determinada cantidad de espacio para dividir " +"Cuando se pasa de un número de perímetros a otro, a medida que la pieza se " +"vuelve más fina se asigna una determinada cantidad de espacio para dividir " "o unir los segmentos de perímetro. Se expresa como un porcentaje sobre el " "diámetro de la boquilla" @@ -14546,7 +14731,7 @@ msgstr "" "forma de cuña con un ángulo mayor que este ajuste no tendrá transiciones y " "no se imprimirán perímetros en el centro para rellenar el espacio restante. " "La reducción de este ajuste reduce el número y la longitud de estos " -"perímetros centrales, pero puede dejar huecos o sobresalir" +"perímetros centrales, pero puede dejar huecos o sobreextruir." msgid "Wall distribution count" msgstr "Recuento de la distribución del perímetro" @@ -14557,10 +14742,10 @@ msgid "" msgstr "" "El número de perímetros, contados desde el centro, sobre los que debe " "repartirse la variación. Los valores más bajos significan que los perímetros " -"exteriores no cambian de anchura" +"exteriores no cambian de ancho" msgid "Minimum feature size" -msgstr "Tamaño mínimo del elemento" +msgstr "Tamaño mínimo de la característica" msgid "" "Minimum thickness of thin features. Model features that are thinner than " @@ -14568,11 +14753,11 @@ msgid "" "feature size will be widened to the Minimum wall width. It's expressed as a " "percentage over nozzle diameter" msgstr "" -"Espesor mínimo de los elementos finos. Las características del modelo que " +"Espesor mínimo de los detalles finos. Las características del modelo que " "sean más finas que este valor no se imprimirán, mientras que las " -"características más gruesas que el Tamaño mínimo del elemento se ensancharán " -"hasta el Ancho mínimo de perímetro. Se expresa en porcentaje sobre el " -"diámetro de la boquilla" +"características más gruesas que el Tamaño mínimo de la característica se " +"ensancharán hasta el Ancho mínimo de perímetro. Se expresa en porcentaje " +"sobre el diámetro de la boquilla." msgid "Minimum wall length" msgstr "Longitud mínima de perímetro" @@ -14593,11 +14778,11 @@ msgstr "" "\n" "NOTA: Las superficies inferior y superior no se verán afectadas por este " "valor para evitar huecos visuales en el exterior del modelo. Ajuste \"Umbral " -"de Perímetro\" en la configuración avanzada para ajustar la sensibilidad de " -"lo que se considera una superficie superior. El \"Umbral de un Solo " -"Perímetro\" sólo es visible si este valor es superior al valor " -"predeterminado de 0,5, o si las superficies superiores de un solo perímetro " -"están activados." +"para generar un solo perímetro\" en la configuración avanzada para ajustar la " +"sensibilidad de lo que se considera una superficie superior. El \"Umbral para " +"generar un solo perímetro\" sólo es visible si este valor es superior al " +"valor predeterminado de 0,5, o si las superficies superiores de un solo " +"perímetro están activados." msgid "First layer minimum wall width" msgstr "Ancho mínimo del perímetro de la primera capa" @@ -14623,7 +14808,7 @@ msgstr "" "Anchura del perímetro que sustituirá a los elementos finos (según el tamaño " "mínimo del elemento) del modelo. Si la anchura mínima del perímetro es menor " "que el grosor de la característica, el perímetro será tan grueso como la " -"propia característica. Se expresa en porcentaje sobre el diámetro de la " +"propia característica. Se expresa en porcentaje en base al diámetro de la " "boquilla" msgid "Detect narrow internal solid infill" @@ -14646,19 +14831,20 @@ msgid "Invalid value when spiral vase mode is enabled: " msgstr "Valor no válido cuando está activado el modo jarrón espiral: " msgid "too large line width " -msgstr "demasiada anchura de línea " +msgstr "ancho de línea excesivo " msgid " not in range " msgstr " fuera de rango " msgid "Minimum save" msgstr "Salvado mínimo" +#. ? msgid "export 3mf with minimum size." msgstr "exportar 3mf con el tamaño mínimo." msgid "No check" -msgstr "No comprobado" +msgstr "No comprobar" msgid "Do not run any validity checks, such as gcode path conflicts check." msgstr "" @@ -14666,12 +14852,12 @@ msgstr "" "conflictos de ruta de G-Code." msgid "Ensure on bed" -msgstr "Asegurar en la cama" +msgstr "Auto-ajustar a la cama" msgid "" "Lift the object above the bed when it is partially below. Disabled by default" msgstr "" -"Eleva el objeto sobre la cama cuando está parcialmente bajo. Deshabilitado " +"Eleva el objeto sobre la cama cuando está parcialmente debajo. Deshabilitado " "por defecto" msgid "Orient Options" @@ -14730,15 +14916,14 @@ msgid "" msgstr "" "Estado de retracción al comienzo del bloque de G-Code personalizado. Si el G-" "Code personalizado mueve el eje del extrusor, debe escribir en esta variable " -"para que OrcaSlicer se retraiga correctamente cuando recupere el control." +"para que OrcaSlicer se de-retraiga correctamente cuando recupere el control." msgid "Extra deretraction" -msgstr "Extra deretraction" +msgstr "Deretraction extra" msgid "Currently planned extra extruder priming after deretraction." msgstr "" -"Actualmente está previsto un purgado adicional del extrusor después de la " -"desretracción." +"Purgado adicional previsto del extrusor después de la deretracción." msgid "Absolute E position" msgstr "Posición E absoluta" @@ -14780,7 +14965,7 @@ msgid "" "initial_tool." msgstr "" "Índice de base cero del primer extrusor utilizado en la impresión. Igual que " -"cabezal inicial." +"cabezal_inicial." msgid "Initial tool" msgstr "Herramienta inicial" @@ -14793,11 +14978,11 @@ msgstr "" "extrusor_inicial." msgid "Is extruder used?" -msgstr "¿Se utiliza extrusora?" +msgstr "¿Se utiliza el extrusor?" msgid "Vector of bools stating whether a given extruder is used in the print." msgstr "" -"Vector de bools que indica si un determinado extrusor se utiliza en la " +"Vector de buleanos que indica si un determinado extrusor se utiliza en la " "impresión." msgid "Has single extruder MM priming" @@ -14809,7 +14994,7 @@ msgstr "" "impresión?" msgid "Volume per extruder" -msgstr "Volumen por extrusora" +msgstr "Volumen por extrusor" msgid "Total filament volume extruded per extruder during the entire print." msgstr "" @@ -14933,7 +15118,7 @@ msgid "Timestamp" msgstr "Marca de tiempo" msgid "String containing current time in yyyyMMdd-hhmmss format." -msgstr "Cadena que contiene la hora actual en formato aaaammdd-hhmmss." +msgstr "Cadena que contiene la hora actual en formato aaaaMMdd-hhmmss." msgid "Day" msgstr "Día" @@ -14948,7 +15133,7 @@ msgid "Print preset name" msgstr "Imprimir nombre de perfil" msgid "Name of the print preset used for slicing." -msgstr "Nombre del perfil de impresión utilizado para el corte." +msgstr "Nombre del perfil de impresión utilizado para el laminado." msgid "Filament preset name" msgstr "Nombre del perfil de filamento" @@ -14991,7 +15176,7 @@ msgstr "" "número 1)." msgid "Layer z" -msgstr "Capa Z" +msgstr "Z de capa" msgid "" "Height of the current layer above the print bed, measured to the top of the " @@ -15001,7 +15186,7 @@ msgstr "" "superior de la capa." msgid "Maximal layer z" -msgstr "Capa máxima z" +msgstr "Z máxima de capa" msgid "Height of the last layer above the print bed." msgstr "Altura de la última capa sobre la cama de impresión." @@ -15028,7 +15213,7 @@ msgid "Detect overhangs for auto-lift" msgstr "Detección de voladizos para autoelevación" msgid "Generating support" -msgstr "Generar soporte" +msgstr "Generación de soportes" msgid "Checking support necessity" msgstr "Comprobación de la necesidad de soporte" @@ -15037,7 +15222,7 @@ msgid "floating regions" msgstr "regiones flotantes" msgid "floating cantilever" -msgstr "voladizo flotante" +msgstr "voladizos flotantes" msgid "large overhangs" msgstr "voladizos grandes" @@ -15048,13 +15233,13 @@ msgid "" "generation." msgstr "" "Parece que el objeto %s tiene %s. Por favor, reoriente el objeto o active la " -"generación de soporte." +"generación de soportes." msgid "Optimizing toolpath" msgstr "Optimización de la trayectoria de cabezal" msgid "Slicing mesh" -msgstr "Malla de corte" +msgstr "Laminando malla" msgid "" "No layers were detected. You might want to repair your STL file(s) or check " @@ -15074,43 +15259,43 @@ msgstr "" #, c-format, boost-format msgid "Support: generate toolpath at layer %d" -msgstr "Soporte: generar trayectoria en la capa %d" +msgstr "Soporte: generando trayectoria en la capa %d" msgid "Support: detect overhangs" -msgstr "Soporte: detectar voladizos" +msgstr "Soporte: detectando voladizos" msgid "Support: generate contact points" -msgstr "Soporte: generar puntos de contacto" +msgstr "Soporte: generando puntos de contacto" msgid "Support: propagate branches" msgstr "Soporte: propagación de ramas" msgid "Support: draw polygons" -msgstr "Soporte: dibujar polígonos" +msgstr "Soporte: dibujando polígonos" msgid "Support: generate toolpath" -msgstr "Soporte: herramienta de generación de trayectoria" +msgstr "Soporte: generación de trayectoria" #, c-format, boost-format msgid "Support: generate polygons at layer %d" -msgstr "Soporte: generar polígonos en la capa %d" +msgstr "Soporte: generando polígonos en la capa %d" #, c-format, boost-format msgid "Support: fix holes at layer %d" -msgstr "Soporte: arreglar huecos en la capa %d" +msgstr "Soporte: arreglando huecos en la capa %d" #, c-format, boost-format msgid "Support: propagate branches at layer %d" -msgstr "Soporte: propagar ramas en la capa %d" +msgstr "Soporte: propagando ramas en la capa %d" msgid "" "Unknown file format. Input file must have .stl, .obj, .amf(.xml) extension." msgstr "" "Formato de archivo desconocido: el archivo de entrada debe tener extensión ." -"stl, .obj o .amf(.xml)." +"stl, .obj o .amf (.xml)." msgid "Loading of a model file failed." -msgstr "Error en la carga del fichero modelo." +msgstr "Error en la carga del fichero de modelo." msgid "The supplied file couldn't be read because it's empty" msgstr "El archivo proporcionado no puede ser leído debido a que está vacío" @@ -15154,13 +15339,13 @@ msgid "Manual Calibration" msgstr "Calibración Manual" msgid "Result can be read by human eyes." -msgstr "El resultado puede leerse con ojos humanos." +msgstr "El resultado puede ser leído por humanos." msgid "Auto-Calibration" msgstr "Auto-Calibración" msgid "We would use Lidar to read the calibration result" -msgstr "Deberíamos usar Lidar para leer resultados de calibración" +msgstr "Se usará el Lidar para leer los resultados de calibración" msgid "Prev" msgstr "Ant" @@ -15179,7 +15364,7 @@ msgstr "¿Cómo usar el resultado de la calibración?" msgid "" "You could change the Flow Dynamics Calibration Factor in material editing" -msgstr "Deberías cambiar el Factor de Calibración de Dinámicas de Flujo" +msgstr "Podrías cambiar el Factor de Calibración de Dinámicas de Flujo" msgid "" "The current firmware version of the printer does not support calibration.\n" @@ -15218,23 +15403,23 @@ msgstr "" "Valor inicial: >= %.1f\n" "Valor final <= %.1f\n" "Valor final: > Valor inicial\n" -"Valor de paso: >= %.3f)" +"Valor de incremento: >= %.3f)" msgid "The name cannot be empty." msgstr "El nombre no puede estar vacío." #, c-format, boost-format msgid "The selected preset: %s is not found." -msgstr "El perfil seleccionado: %s no encontrado." +msgstr "El perfil seleccionado: %s no ha sido encontrado." msgid "The name cannot be the same as the system preset name." -msgstr "El nombre no puede ser el mismo que el nombre de perfil del sistema." +msgstr "El nombre no puede ser el mismo que un nombre de perfil del sistema." msgid "The name is the same as another existing preset name" msgstr "El nombre coincide con el de otro perfil" msgid "create new preset failed." -msgstr "crear un nuevo perfil fallido." +msgstr "la creación un nuevo perfil ha fallado." msgid "" "Are you sure to cancel the current calibration and return to the home page?" @@ -15261,21 +15446,20 @@ msgid "" "historical results. \n" "Do you still want to continue the calibration?" msgstr "" -"This machine type can only hold 16 historical results per nozzle. You can " -"delete the existing historical results and then start calibration. Or you " -"can continue the calibration, but you cannot create new calibration " -"historical results. \n" -"Do you still want to continue the calibration?" +"Esta impresora sólo puede almacenar 16 registros por boquilla. Puede borrar " +"registros existentes y después comenzar la calibración. También puede elegir " +"continuar con la calibración, pero no podrá guardar los registros. \n" +"¿Desea continuar con la calibración?" msgid "Connecting to printer..." -msgstr "Conectando a la impresora." +msgstr "Conectando a la impresora..." msgid "The failed test result has been dropped." -msgstr "El resultado del test fallido se ha descartado." +msgstr "El resultado del test fallido ha sido descartado." msgid "Flow Dynamics Calibration result has been saved to the printer" msgstr "" -"El resultado de la Calibración de Dinámicas de Flujo se ha salvado en la " +"El resultado de la Calibración de Dinámicas de Flujo se ha guardado en la " "impresora" #, c-format, boost-format @@ -15304,13 +15488,13 @@ msgstr "Por favor, selecciona al menos un filamento por calibración" msgid "Flow rate calibration result has been saved to preset" msgstr "" -"El resultado de la calibración del ratio de flujo se ha guardado en los " -"perfiles" +"El resultado de la calibración del ratio de flujo se ha guardado en el " +"perfil" msgid "Max volumetric speed calibration result has been saved to preset" msgstr "" "El resultado de la calibración de velocidad volumétrica máxima se ha salvado " -"en los perfiles" +"en el perfil" msgid "When do you need Flow Dynamics Calibration" msgstr "Cuando necesita la Calibración de Dinámicas de Flujo" @@ -15540,6 +15724,7 @@ msgstr "Perfil" msgid "Record Factor" msgstr "Factor de guardado" +#. Guardar factor? msgid "We found the best flow ratio for you" msgstr "Hemos encontrado el mejor ratio de flujo para usted" @@ -15600,7 +15785,7 @@ msgid "" "A test model will be printed. Please clear the build plate and place it back " "to the hot bed before calibration." msgstr "" -"Se imprimirá n modelo de test. Por favor limpie la bandeja y póngala de " +"Se imprimirá un modelo de prueba. Por favor limpie la bandeja y póngala de " "nuevo en la cama caliente antes de calibrar." msgid "Printing Parameters" @@ -15653,7 +15838,7 @@ msgid "To k Value" msgstr "Al valor k" msgid "Step value" -msgstr "Valor del paso" +msgstr "Valor de incremento" msgid "The nozzle diameter has been synchronized from the printer Settings" msgstr "" @@ -15757,16 +15942,17 @@ msgid "PA Pattern" msgstr "Modelo PA" msgid "Start PA: " -msgstr "Iniciar PA: " +msgstr "PA inicial: " msgid "End PA: " -msgstr "Finalizar PA: " +msgstr "PA final: " msgid "PA step: " -msgstr "Paso PA: " +msgstr "Incremento de PA: " msgid "Print numbers" msgstr "Imprimir números" +#. ? msgid "" "Please input valid values:\n" @@ -15775,9 +15961,9 @@ msgid "" "PA step: >= 0.001)" msgstr "" "Por favor, introduzca valores válidos:\n" -"Iniciar PA: >=0.0\n" -"Finalizar PA:> Iniciar PA\n" -"Paso PA:>=0.001)" +"PA inicial: >=0.0\n" +"PA final:> Iniciar PA\n" +"Incremento de PA:>=0.001)" msgid "Temperature calibration" msgstr "Calibración de temperatura" @@ -15813,7 +15999,7 @@ msgid "End temp: " msgstr "Temperatura final: " msgid "Temp step: " -msgstr "Paso temperatura: " +msgstr "Incremento temperatura: " msgid "" "Please input valid values:\n" @@ -15836,7 +16022,7 @@ msgid "End volumetric speed: " msgstr "Velocidad volumétrica final: " msgid "step: " -msgstr "Paso: " +msgstr "Incremento: " msgid "" "Please input valid values:\n" @@ -15846,7 +16032,7 @@ msgid "" msgstr "" "Por favor, introduzca valores válidos:\n" "inicio > 0\n" -"paso >=0\n" +"incremento >=0\n" "final > inicio + paso)" msgid "VFA test" @@ -15866,7 +16052,7 @@ msgid "" msgstr "" "Por favor, introduzca valores válidos:\n" "inicio > 10\n" -"paso >=0\n" +"incremento >=0\n" "final > inicio + paso)" msgid "Start retraction length: " @@ -15882,7 +16068,8 @@ msgid "Send G-Code to printer host" msgstr "Enviar G-Code al host de impresión" msgid "Upload to Printer Host with the following filename:" -msgstr "Subido al Host de Impresión con el siguiente nombre de archivo:" +msgstr "Subir al Host de Impresión con el siguiente nombre de archivo:" +#. ? msgid "Use forward slashes ( / ) as a directory separator if needed." msgstr "Use barras oblicuas como separador de directorio si es necesario." @@ -15902,7 +16089,7 @@ msgid "Upload" msgstr "Cargar" msgid "Print host upload queue" -msgstr "Imprimir cola de carga del host" +msgstr "Cola de carga del host de impresión" msgid "ID" msgstr "ID" @@ -15912,6 +16099,7 @@ msgstr "Progreso" msgid "Host" msgstr "Host" +#. Mantener en inglés o reemplazar por "anfitrión"? msgctxt "OfFile" msgid "Size" @@ -15940,10 +16128,10 @@ msgstr "Error al subir al host de impresión" msgid "Unable to perform boolean operation on selected parts" msgstr "" -"No es posible realizar la operación booleana en las partes selecionadas" +"No es posible realizar la operación buleana en las partes selecionadas" msgid "Mesh Boolean" -msgstr "Malla Booleana" +msgstr "Operación buleana de malla" msgid "Union" msgstr "Unión" @@ -15976,7 +16164,7 @@ msgid "Part 2" msgstr "Parte 2" msgid "Delete input" -msgstr "Borrado de entrada" +msgstr "Borrar original" msgid "Network Test" msgstr "Prueba de Red" @@ -16064,11 +16252,11 @@ msgstr "Crear" msgid "Vendor is not selected, please reselect vendor." msgstr "" -"El fabricante no ha sido seleccionado, por favor, seleccione otro fabricante." +"El fabricante no ha sido seleccionado, por favor, seleccione el fabricante." msgid "Custom vendor is not input, please input custom vendor." msgstr "" -"El fabricante personalizado no ha sido introducido, vuelva a seleccionarlo." +"El fabricante personalizado no ha sido introducido, por favor introdúzcalo." msgid "" "\"Bambu\" or \"Generic\" can not be used as a Vendor for custom filaments." @@ -16179,13 +16367,13 @@ msgid "Printable Space" msgstr "Espacio Imprimible" msgid "Hot Bed STL" -msgstr "Cama Caliente STL" +msgstr "STL de Cama Caliente" msgid "Load stl" msgstr "Cargar stl" msgid "Hot Bed SVG" -msgstr "Cama Caliente SVG" +msgstr "SVG de Cama Caliente" msgid "Load svg" msgstr "Cargar svg" @@ -16204,18 +16392,18 @@ msgstr "" msgid "Preset path is not find, please reselect vendor." msgstr "" -"No se encuentra la ruta preestablecida, vuelva a seleccionar el fabricante." +"No se encuentra la ruta del perfil, vuelva a seleccionar el fabricante." msgid "The printer model was not found, please reselect." msgstr "No se ha encontrado el modelo de impresora, vuelva a seleccionarlo." msgid "The nozzle diameter is not found, place reselect." msgstr "" -"El diámetro de la boquilla no es adecuado, vuelva a seleccionar el lugar." +"El diámetro de la boquilla no se ha encontrado, vuelva a seleccionarlo." msgid "The printer preset is not found, place reselect." msgstr "" -"El perfil de impresora se ha encontrado, por favor, vuelva a seleccionarlo." +"El perfil de impresora no se ha encontrado, por favor, vuelva a seleccionarlo." msgid "Printer Preset" msgstr "Perfil de Impresora" @@ -16236,8 +16424,8 @@ msgid "" "You have not yet chosen which printer preset to create based on. Please " "choose the vendor and model of the printer" msgstr "" -"Aún no ha elegido el perfil de impresora que desea crear. Por favor, elija " -"el fabricante y el modelo de la impresora" +"Aún no ha elegido el perfil base de la impresora que desea crear. Por favor, " +"elija el fabricante y el modelo de la impresora" msgid "" "You have entered an illegal input in the printable area section on the first " @@ -16275,10 +16463,10 @@ msgid "You need to select at least one process preset." msgstr "Necesita seleccionar al menos un perfil de proceso." msgid "Create filament presets failed. As follows:\n" -msgstr "Fallo crenado perfiles de filamento de la siguiente manera:\n" +msgstr "Fallo creando perfiles de filamento:\n" msgid "Create process presets failed. As follows:\n" -msgstr "Fallo crenado perfiles de proceso de la siguiente manera:\n" +msgstr "Fallo crenado perfiles de proceso:\n" msgid "Vendor is not find, please reselect." msgstr "Fabricante no encontrado, por favor seleccione uno." @@ -16337,8 +16525,8 @@ msgid "" "volumetric speed has a significant impact on printing quality. Please set " "them carefully." msgstr "" -"Por favor, vaya a la configuración de filamento para editar sus ajustes " -"perfiles si es necesario.\n" +"Por favor, vaya a la configuración de filamento para editar sus perfiles si " +"es necesario.\n" "Tenga en cuenta que la temperatura de la boquilla, la temperatura de la cama " "caliente y la velocidad volumétrica máxima tienen un impacto significativo " "en la calidad de impresión. Por favor, configúrelos con cuidado." @@ -16432,7 +16620,7 @@ msgstr "" msgid "Only display the filament names with changes to filament presets." msgstr "" "Mostrar sólo los nombres de impresora con cambios en los perfiles de " -"impresora, filamento y proceso." +"filamento." msgid "" "Only printer names with user printer presets will be displayed, and each " @@ -16467,23 +16655,24 @@ msgid "Please select a type you want to export" msgstr "Seleccione el tipo que desea exportar" msgid "Failed to create temporary folder, please try Export Configs again." -msgstr "Failed to create temporary folder, please try Export Configs again." +msgstr "Error creando un directorio temporal. Por favor, vuelva a intentar la " +"operación de exportado de configuración." msgid "Edit Filament" msgstr "Editar Filamento" msgid "Filament presets under this filament" -msgstr "Perfiles de filamento bajo este filamento" +msgstr "Perfiles de filamento basados en este filamento" msgid "" "Note: If the only preset under this filament is deleted, the filament will " "be deleted after exiting the dialog." msgstr "" -"Nota: Si el único perfil bajo este filamento es borrado, el filamento se " +"Nota: Si el único perfil basado en este filamento es borrado, el filamento se " "borrará después de salir del diálogo." msgid "Presets inherited by other presets can not be deleted" -msgstr "Los perfiles heredados de otros perfiles no pueden borrarse" +msgstr "Los perfiles heredados por otros perfiles no pueden borrarse" msgid "The following presets inherits this preset." msgid_plural "The following preset inherits this preset." @@ -16564,26 +16753,26 @@ msgid "Need select printer" msgstr "Necesario seleccionar impresora" msgid "The start, end or step is not valid value." -msgstr "El inicio, el final o el paso no tienen un valor válido." +msgstr "El inicio, el final o el incremento no tienen un valor válido." msgid "" "Unable to calibrate: maybe because the set calibration value range is too " "large, or the step is too small" msgstr "" "No es posible calibrar debido a que el valor del rango de calibración es muy " -"grande, o el paso es muy pequeño" +"grande, o el incremento es muy pequeño" msgid "Physical Printer" msgstr "Impresora física" msgid "Print Host upload" -msgstr "Carga de Host de Impresión" +msgstr "Carga al Host de Impresión" msgid "Could not get a valid Printer Host reference" msgstr "No se ha podido obtener una referencia de host de impresora válida" msgid "Success!" -msgstr "¡Exitoso!" +msgstr "¡Éxito!" msgid "Are you sure to log out?" msgstr "¿Estás seguro de cerrar la sesión?" @@ -16592,10 +16781,11 @@ msgid "Refresh Printers" msgstr "Refrescar Impresoras" msgid "View print host webui in Device tab" -msgstr "Ver el host de impresión webui en la pestaña Dispositivo" +msgstr "Ver la interfaz web del host de impresión en la pestaña Dispositivo" msgid "Replace the BambuLab's device tab with print host webui" -msgstr "Sustituir la pestaña de dispositivos de BambuLab por print host webui" +msgstr "Sustituir la pestaña de dispositivos de BambuLab por la interfaz web " +"del host de impresión" msgid "" "HTTPS CA file is optional. It is only needed if you use HTTPS with a self-" @@ -16783,7 +16973,7 @@ msgid "" msgstr "" "En comparación con el perfil predeterminado de una boquilla de 0,2 mm, tiene " "velocidades y aceleraciones más bajas, y el patrón de relleno de baja " -"densidad es Gyroide. Esto da como resultado una calidad de impresión mucho " +"densidad es Giroide. Esto da como resultado una calidad de impresión mucho " "mayor, pero un tiempo de impresión mucho más largo." msgid "" @@ -17111,7 +17301,7 @@ msgid "" "Did you know that OrcaSlicer supports chamber temperature?" msgstr "" "Temperatura de la cámara \n" -"¿Sabía que OrcaSlicer admite la temperatura de cámara?" +"¿Sabía que OrcaSlicer tiene la función de control de temperatura de cámara?" #: resources/data/hints.ini: [hint:Calibration] msgid "" @@ -17356,7 +17546,7 @@ msgid "" "Did you know that you can print a model even faster, by using the Adaptive " "Layer Height option? Check it out!" msgstr "" -"Acelere su impresión con la altura de capa adaptable\n" +"Acelere su impresión con la altura de capa adaptativa\n" "¿Sabías que puedes imprimir un modelo aún más rápido utilizando la opción " "Altura de capa adaptable? ¡Compruébalo!" @@ -17663,8 +17853,8 @@ msgstr "" #~ "Associate OrcaSlicer with prusaslicer:// links so that Orca can open " #~ "models from Printable.com" #~ msgstr "" -#~ "Asociar OrcaSlicer con prusaslicer:// enlaces para que Orca puede abrir " -#~ "modelos de Printables.com" +#~ "Asociar OrcaSlicer con enlaces prusaslicer:// para que Orca puede abrir " +#~ "modelos desde Printables.com" #~ msgid "Associate bambustudio://" #~ msgstr "Asociar bambustudio://" @@ -17673,8 +17863,8 @@ msgstr "" #~ "Associate OrcaSlicer with bambustudio:// links so that Orca can open " #~ "models from makerworld.com" #~ msgstr "" -#~ "Asociar OrcaSlicer con bambustudio:// enlaces para que Orca puede abrir " -#~ "modelos de makerworld.com" +#~ "Asociar OrcaSlicer con enlaces bambustudio:// para que Orca puede abrir " +#~ "modelos desde makerworld.com" #~ msgid "Associate cura://" #~ msgstr "Asociar cura://" @@ -17697,7 +17887,7 @@ msgstr "" #~ msgstr "Por favor, introduzca un valor válido (K en 0~0.3)" #~ msgid "Please input a valid value (K in 0~0.3, N in 0.6~2.0)" -#~ msgstr "Por favor, introduzca un valor válido (K en 0~0.3, N en 0.6~2.0))" +#~ msgstr "Por favor, introduzca un valor válido (K en 0~0.3, N en 0.6~2.0)" #~ msgid "Select connected printetrs (0/6)" #~ msgstr "Seleccionar impresoras conectadas (0/6)" From c179a577250323eb9f7862d73d77b7f20536aaac Mon Sep 17 00:00:00 2001 From: SoftFever Date: Wed, 4 Sep 2024 00:12:56 +0800 Subject: [PATCH 35/35] update sponsor list --- README.md | 5 ----- .../sponsor_logos/peopoly-standard-logo.png | Bin 10127 -> 0 bytes 2 files changed, 5 deletions(-) delete mode 100644 SoftFever_doc/sponsor_logos/peopoly-standard-logo.png diff --git a/README.md b/README.md index da42312e32..49f8e43d83 100644 --- a/README.md +++ b/README.md @@ -119,11 +119,6 @@ Thank you! :) -
    - - Peopoly - - QIDI diff --git a/SoftFever_doc/sponsor_logos/peopoly-standard-logo.png b/SoftFever_doc/sponsor_logos/peopoly-standard-logo.png deleted file mode 100644 index 8ad90ab5f9b0ef59227ee2a974ecc840cbdf9b4b..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 10127 zcmeHLc|26@+aLSB@4Kd=2s2|Fds#!aEF(*dF*J{5hGC3t7$s|35F&}hlWawVmOt1AD`804d5?Ow-{*ZlpZD{8KJWYAGjqWk_G=79)tCB_f@m?JF~SN0qeu96e(p3@S0rFUsjA%r_-6K2Tct@3Dx&r~m! z)jbv>s_#_cJ`{c_;K~zO(ha`uZyycT?+-@`?(!U3V$8@)dSDRy1y^{NO~G!siL15o+yn1v?%N;`-6f2Xk*&Fr(I4&rPUJ;j*E`*IQnKCSeKJ^xi6a^A zU209RJDygYY*J-A#9pqQ?Y6~aC4NIt#O!%3mD=g`+w=Bw2o}UC-W^a70e3d!I{$u_ zpvwy)Zscm%x^&nw=q-jNM+(AlkENwBb``-w29qJ+ZAi6Cb?^)8WMWyQQYc-e2-e&gva5a+i}Ft-w|G{&3PjM>57 zAM8#E34?2XxtD$VJ!z!PV0OcP`o=3qy2G9Hzt|qqBGC*sM$6CT2f(qu^pBTu+ zj=2~7R<*c{8VHtHb}_Woo!q}Q>>4Rk!gKOwgG)0VH#hkeKe{rqsj;%LE~d9;dz-Ef65Q%{czFUy zI|2qsFK4SW+9+&*GSVCCg;pj8;DEdXfpiUsI3&ss9U|+6_QeG1ftMRwz_J)`JupJu z3SxybLSMj~jtEBEM_4*DWh-lh4MxkVDXS?%luU>i0t~FrE~^{t?W29x*z|V@;7JdBAtVH+t)dbZ z7N#7gs*DZxRe@@0X{kV9DlnK5Afbd04-7#Pl>+gH4yvhBPy`vi(!zfC67k z0PcqtK=yw~hG2aDBI`eFJLvi0&fg6I)c?f&59vRA{~-)WSy^ctV^N_8=9wGofe*&l z_Qs+x-r7HI)!;C+7F-pn`5g5Ew0Qv?f{|g;w)X^Zpx@c_2On8Hhq3 zKmp*&7yw5d?F03JX{jn{!k|7%YHI2bB{&*_R#MeKs;R=g)O=tXsJ}tj1Y>}#MEd{T zssku*0Ln`ZuHmHxMJs7~!?cvt&{_~BFE4eJlDdW}90r4E02kN~C~uUuDKPH-~xSrbQ}<_eahBc4-8X={MBOXj|}kv6o5H^3G~K>;s5G#zyzS}Ly!l2LN%c< zs0LI`O9KX1)zDJ^OUMZwj0bY@02K;RR@L~?a}XG9z#V{EN zumcwBuLnLbO7=kW&u%MVLU|)YkjBUmGyn>LscAzF4hINC8@N~3P=vs>A%By{dSiUT z|2OG_=_9NAGw7!=cwqeSA5A~!ls!7==hM$ef6R}`BrE%4T4*CtKV85h3Fw~@2e5v2 zp)Mc;ebGSu_&s6&Xvh2y$pFMj)mu{)qNL%Y1|$PS9jb)%Qb#L!`KYTxATS6Dru8!! z{zS)PeL}*J!RS-I0FMAyK!X0@O7__Ap*sG9wLj&6XpKU_6;s0|8S=oOF`A7WzOV_`2 z{UZkck?_CS^)Frjh=G43{BL&spV7ts*JcVG2&{m@fUT0w4vG=jW-)tNni+%k555J@ zO45NAHr(lRco2v~;NYYK-O3XM8d*ZjtxQgpj?xYxgEhZeTd90gLDz(P`?{!c*54D=I1;cqm~V zpD`sD9!o9^iDJLSC?$b<-9vd!;q^p$9*1y<@{Ak?cdKVQY*-}lM%vRQw~;;Q#vkAo zTq!HyRpPG6a7?{M4Xp{%COao8(xdbpL$G zC`qXKo#EOz!=7RD`%2XUnp@oVUS^fAtyQ-HpTUS5-YveeQ1iYDPV=o+=YSeRkx7S; z>oZkaGG#DtvX7&l$KcBYt;$x9T$6Fpq~^%9%H#C%DW|h1bE+xbTJ63f)ZjPKLVH7J zVn;V_h7+dk$Jx=PobEOaZKJt++o8nWnPEjee9wX%dR#~F20okru>|!AI=03t!KpP$;9Z9 zHP2dJVvh;n+cT#)a$j_dAAJystVq+`p%JNPAI6Vm?jn8Zu?;ubg-B*1yAc%0hjo%7 zO+1ov;NF^7EE`Az>iHYn3>U7Lu{K55c-Na;iLC83=Qi0_fYiS+=HVq`jotTJbl8Ki z?(fQ4m*>l)57Y2w&)=%sa%h(zfTK>#!k}DIj^NS`cn)Jo{vOfN>1w$w(t~Tx0iMrz`8~=V z=NTM5W!oZn{fiUM-~=^+iDmK*k7Sa&a9;f36(gm}wE2hTwyO2cjH+zx0}jX6ZWmT; z+IqV7pLw-85lJy1n~`-`o1Qu*8oc1CY!_E9D;D|gA8VVE%-(XiI;LYTg_3P75wPb< zYxEKsCql#grFXd)lskB^%u)2qZ5b;%BBD9fuNO;N2P#NrpJ&5Zn9-cGOAhW)!0VJ+tuB1eplR=pw?d3*~HN}J0rdIa3`R2-PCWSjgMWwWbWGPks z7~kany#&hfw8>Gn4MkFYP~19qk+#Q9#d{08i2=@G?LT7|D#f_ zu^>8f*hi5Hm#~qTR-QYp5!^jP+ZX!3d{9om(X@SAewnVNjA%xEbEHx8w%45D)Ob16t-<`5r$tA+4k9DyXD5O0G;Mc1~Tual;~XGDct_P|>n(Q`r+v zu7jCqwy0d2fj{J7Z8~?0tPoWkvC_*-crJ~%z0YVfUBj;c{cw;s{MrG z$M%*)iVoj`^|pAyjkys-bqaQipEyuL%906WlFWs6OsT&gDX=7Dsw;lBZsoD*a2ct4 zuKmI7ie5mNspH<-ey(Em`G_*K7{pE$DCPB)pya{dq5}~dn-eQyo!>zMtWCXY={04Q z9~ek*UQNd%ZdVs;F zyaSyL4P)}+zM7r`a|YZaXWO9zLCc?*Q|Ws;%8hz`JTuZ30qTOG8pyiwKIsI!*@lmDUCxxaB+Cr7v2; z0(G4BS$D7HFim;DAK>rPyklojOEyKv^|39GWWMOz9or}9m(RRuegf22se}mCL?xy) zd0GdiAIMCH-izKkrG-j43}5aRA|@2iRgd|~lwQo<6B@iui8NQWYTQbeu%^2Vk{IwD z8KXB9APT7E*0du=o@_09+C0cX7*%gc!eurtC!de6oR;4cA(JWPi@LKOjBe~}hiN@2 z)-*dH#M8(2!YO?l6HJsOirw_%ixrZp)g`NAr>W5oa_+VwhMMV#3~(+3U4cOnI9!~) z{s~=En)->cB3BF$jztHMV)a;{JT)Qy!ZC>8pirY(j6?wxd4Z$4WYL;Mj=@HNi1h=P z(K3fB7?ZDGDB0gvcNO!G8!gS_Z(%2B@_%z=a2tJ04`C+_I$z3XYjbvwwMik@!LwMm zCbmwB6lgWn%#M4#Zb8Q=QXb4wTyw(WDk6LCwchZmmUzqh@C#!Kg6TZo)#n#`d;7c2 zCj$A4UHt^f?eT^a?}Mf~)a!hasguv-7M%pyUA}zTv2L6c8MMgPER)Z) z!#sZr_HdJ;I*7_&I$HK}r^-gKzfLmRk1v~5(un#d>}DLPp03J(7ER5iI8m}(M*28+ zSRxtw?J2vAV>(*GL(gMDuJ@xt#2{Q761bwo*M1D-09HpzdE78Ls1jEHxL@X4%8g~&F$uK}aPB#W39Rk~QaE$Y;r@-_T zu^<#{Q<50tw-Z&7+@JLFDH2O3X}jddvG+4Fz4?f&^@)_+>3Z360Y{jgDs!!1JtONX zyrft3u@X)WcftJVNAWilA{ERRuAe}(Vjw8ID#Iqd%#a-WO(>gb4HFc8h-Sr?lYVF< zlpF&Z&T{yyllbzXx`>5M_vk=h*f$307d$bD;?n+Z^EJ@+gpGnXZxmvOwodV*R6DMv zvQr?y5_P$qM-#shprg&JN71HeQQmiC=W}yxH*{oI+bz!}W)ynZpXXt`FNz9GiQuf5 ze1cAzADI4)me(~=z~9H<57OmLs&ffE!KY^@rdObL$aVE-r%aeI3H~H`uHl-@9ez$F zr{i1A6mKf0S7u6!*M+*Q6l&!U~y+d(njp=FELG6Zmp ztr zi&>h%WuciQTs#_6SmVkvNbk4iSKe98E_w(&rFw7lJ0%rn;C>v8TD5J4`q+E^lB2vY z9@zom3qNuSzFUav%Irl`c=^JsXWDz%rijX9O_k^MJG#^wSPOxL#J*$GQ4^6yk@$H3 z+asAkdfma~`8%LJR$T{zMjHEUf>+5WuI=5Zd|QQxI`>`5b{<7X3a&Yu#uqvu_Slr-TIAFy`89Tz zt!bH$DBx8BVW>P!wUVQyJr}3mZ@;vD)YI+56lTHDS@3#fQNHWbl{xF{*V2=l1t1lM zHgi(cZSbQziMnpqYj#byOpXX%zyDJ9yUQ8kXlx@)ykp2{rHE=F-YM4-z3 zH5N5>|L|AQDGyQfXAyR8(x9zJmx?sg7pbpPiWFtW^9`SRDckZ@X7T-xHE}^Y!Y@8i z?s$>L)J<&V1zMOCL1is=QR`-g2^^@&sUhzJ& ztRp|cGWJ=t$V9}mt>G1yfq$w3)XSeMlApNjlw;Z*E5oqfJ`yBJf)_}&=v!ZtIO@MR z(5XzX*l9@_1H)P@uAk_z{-h_4?-oV9p8X(GV(PvZEa{cH>1Zy#%(0^}yH`hUGxl~I zW*g_%bbs$=Ce|ld+gyBt?y>+;MypizD!os~ba(IY%J9^Eg>>tS(h?|nXI9B0;5%sl zLkQ23@-gMF_`{IIRW!8A7}A^Al*X z8KrNv79(pzShl8|vb(x-juZ!4m!RL2kw0Cxs)}8)VX{u$ ze9A%t69P=MDo!`l6+FM|tkKScWw1_qI+d?&v9EWm1;4^gk2U9BZag%*^;SbLN(A+~ zx9ala;P*|vNiVnA;*wLomS=Y4iPdY(Zt;H3csUs6__{a9o@PT|A|Gw`E_}z2)`o_* z2vzAkXLb}Fjyajx&1<>AP09{Y4%foTkk?NNEhptlhr>&nNNQ-^cflD@pE~xI^~BZ6 zcZNClwv`DNrfMRO&2DLyVo7|(#aYxbrz_#VvG1FS8BF>zj?HoNqb%PAXzKABNLo?d zGgtMVp(krT0xVDkDnVRzbNDU2{zmg{iYx$^818iKBbpD6MKzg6zht{U{|MoCa` zsE*_7^3bC7uO66#Lws;Chxc)zwFKZA{9TK3GZcS6d)o#oE#c;Z&yu` zbOM`y;(LF^k4K;0nw}&JPC2XJSoONLq9a?k&LvCY{KJANTJpkOUtcpm*Esh#-%sEW z+_`65p46MWjusE*TuOgH?CpdOw2(tpW{D6%jgCR(**d%DF7dYmbD7V8mV~b#6;rr! zmYt#zK6pA6D$(w63vUPGXc1XS(PZyasCh!Yd7;R1>_q_MCPBHi?tQ|{>ZC_ntAS8G zOnHA&<0af$=W0}HQP6wBzEilb2uU^I%kd|-H_hA_jCQtm&u}4Lha#HClELqsHbq3{ z)@`js8tz_{UQ(#)tXYYVTn?t0a4?>}N1cV(aA~-T(ba&jd7dC$ZQ__l^ zTiSD*9I%w(bi4DaI#EWN!%Z5CI(Fvaz`c~6x=y7&{T@;LxsLulhlja!!8`88`F->c zTYFnKGdzTt2`t0og}0+HjN?aFyJHw;H0jG3O&u5Mn+R}@4ajWW9SPKuMn}}qV(I|2 z!_EC}tDB+JQafT|;CxvNs~<5%hudEiB48jXpe0d$WP^DJ$M_vys;V#&E=SfZ8cVk} z)^F7o$5g!a+scB@UYchtu!vjsPsOxav*bHZ^!I^bt{j02Ar+4|zPIwMSFC;%qBy*h zUJ@hrP9_v3j%zm})$ViB+RS3-Vl~M&)uxS=UYaj=K!Y`zb)&{q_kKI}tVCV^RIPGD zj%Vk*EuRjGeod5`q{$IxrW@>rxLWgRA8tjiDjH9BNa`0|h02wCTymsXf>)oik8?!| zEbqYBWT**ktWBSex5uESx#qgEm$aNa#SWK_<3K2v7jdcBsAMQFf z&uXvY9SOWMC7iA(GIaJNUyeh{=A$Q}-!zL|T0rEm&<~5fsNJ2TgKcU~VK0nDuBTM7 z)YhLj@L=o_xNg^{{LH101ybSU9;=>V{<5Ai&~i0uobrI@4X5sN>C}l|IQI_Wc**PC zc?eUDf!K}x)NeggzZ_p|98CA=shm*zobH);!-U5K(W-(dn6oEMndC=VkaACqz4V6i zG$9J1+pip23}S*lbj6HTSH^wJ7%$XL7njx6^^zszVrnI>>9;jxO3Q+k5gI+oUAHZT zd0QqF14g=L{Cs|DD6x{HWKWUxLp2t$r8g+cYl^RWJHFVFpSt#vm}=U(bHo zj9EuMqf_cSZk>R#u@0_|Coejy*&EYCpx66XPQCSgxbr!!q=~fm;Czc zueK+I>zKEYJd5+i

    ^XT7;f+E9s~gXt%$Y2DAlWoX=#2%^y!ZVeEgz(7hkO#Gz_ zAfxf!vzK*LhIypY#bsbEb*R6PVsFaSmS2qUNco`o_4Bkv8O^Iy)uKEkb!gvdfs)#! zP&o81|0KLwK_YKOg&|jvc+2AKiuL_zUw3#SuNDj6mJ()5-@6T+(swtd5EP5#8MG(y zwhDZ&x>11{n_VM*Xg2>Qi(^*&FSYdR2xeX`C?FZp@Nf%ezMYEHQjXQL8-L74EY4GxLqcD-@H~Amr zAALw#27~haSGsK;mQ7H(!yPX{pRWcY(FsZof~?u`bJg}#-Gi@!kn(lHt=V@9Sc!jF zb)@9ec(ACsh8qv?F^rXvQIMjkby}t8(~Pl9lk*G=q5lpU-$g_H>yEgK^#f#xR-Qm- z?JS{0sj5DUl#GJ(J6;bPjEHKYCkC03So-Ddl?XAT@2D6T6V&#Kv7z zDndS?j<|xfYO4?UIzX^LdRiF4GK3Fx_v?Wu%)H20{+2}^LWUG#xf{;Xi~jEM;$K{e zHwaBlbdZ9q$$v)(D-8z2Wo!bGPngx0EsW=&(f@>Bg-aNdACk)+``z09u{nJp+~c=Y z(YgW^x-=#M6|tw@*nQ}B?d~S_E&DU3v}CwzTSW=XAl#%ut#L=MoD*WKT+k8`8u#Q_ zK+B=pZIHUJnEz*N)b3E53;iZ~$2=QW`=Hsr?%Nos;1zziN&%LFTFvtDL6kl5+^I+) zUzVsR$JGf(Uc_NeZBz8dOomw^@nwX&R}BfNFW#%|p{|A@F9lwcIP%o4i;Ex$JdptU z=lWav%XEq7iT(?St2Fx17QVVkOd@M}#jM-F$gI#el?XEuHp9uWRL=Uw>YFChWOhN~ zAG1|99Cs7M?!SYz^(GxTr9E z=t4saRmbVGvfljhm01Hqck)zHZd!cdQ5DuOSHG7F=RAF|7Lk#mTBW1^fH|u&ZmokN z+~=pe&`e?!x_9^vCsm@AD#p1s(V7>*FC*Nix`t`*-%S3}^iTRBHsbV>$h@`E5qxcn zuNVCZ9I*8&ZcZM4h&mZ!|8^+7{TmoBG@n_RniIXqv=#4QnUlJ{9xSQ843#jdkbd2v za?EXS0QW7`;y0uN6Nd0Vl*yZyH4Uf~w4axzn<)|WQgVlI+~qTit~#QS_ZT-5rDxHp zv3cTd-rvEP`-p5KWQ(cEkV^kF>^5)w*aF=JQp9lkLsDrkFDGNDZn#bjRy;ptitvQa zR?@fknl6-YQ)*>eP0v*mS7yxlSat)8G4A~m;EQ+8gSBPIT@?}^PPiakzH~OYLSa08 z4Hy#oVTaH_H0&B&?7-E)Dl$)xp=uHXIDSt=BqQ{b6?n(>u3hypl38B7CkVfIHD)h7M!Ojh7qu{$->{XCf8z zu4yqdN8&k9gWahS zzBAo-(HoNt_|P@+GDhz!<;4h{htvj|uLC+G4cu_HVJB6@)GE0Gi!IJ35n@Idpx#7A z^TJs~ia5Vh-om@pe$%itmP9({k7IG~bESwoBv6oy77L<$%Ze!*6Y$vujf;a2B@kwR z1WeZ-QTyEPT%>FsKBh!Hmfi({i!)J1!oj_F`|!L;#qWy_rLp zwjKweZxBjKdoAWHN|zS_jtW~{qt3*rCjjUIwcH)N+cXw-s%*_DHv1)50-NHH_mj@I zxoyp|qxRJ5n`6R>&ql@}7wmGd<42-|)9z za>VLieSt6LLNCeQLi(0q0!OJyf3=tfjl-Hz_-TGc;*ZmTTtH^QCSm>hdMv@!ch2Z9 zg%VKkq8L`iMi2^KY}XYSg_wtmBx}_>zgI5Uo5>Ry9Q{EI9@c)%^U$qAb`KuQd0`U( z66-&BF(O`-lZ|fF}{g zP@M(PAkR%tFt6Gc8_kzysQcihp#K~<{I*WiRc_c?e5MRxv*Jvz>m3g_Pye~*I>SxtifJwUIZi-0)<}~ zL43BDHb>I<_NRPvZ}sRKYT}aZO7Ym;wl~o7CGO9o2){08?tqxm6=}AbJyg>F1_8c# zE|^{Ef`^$UA$b=8dy-V-AJ;2morl!MrndG8mKX2 z?sV}4>@$dgYMafxZQZn~-Wm6F`QpsIgfLKJy3;dzVDIy9Yr#@m9E$+IH{m~jvxV*kq!tt$ zCMR^FtzrSwbi!=Go7#H?xe=qmzf(36=o*h2}TS~>?aT$ zL-mrR$2B&1ptFJ7tU%qI4de=d1{0$|NJ#4$f}k5#K{--xqi)t}ZutR{^WecZ7?mHU zMWbXoKHm8fRAr7PMljpT7zEAj#Bm9)|4!N&Tq4DF_ICt8)&jQ;cn`b_SB8Re^0$W< z^W4trYs@&O^ZrpSI?=)qwBd^WwgXj>Y2Ftt5Y?Uj&bqD$%;b zY+N7LR=e^RRvQaMa?mT`9dHzZ^Q(;&@D6$(50=XviZV7h!4w8w@UKQofQ?N~tjai4 z{VMir`FhS|8NXVpIHAs2+i$ir7mIlTPQ>~q`svZ6nzva4K(b$QAwv(<6Wfw6iu z(*C;f^Bv17!GtC_5xtVEJ<>$GVXU>shRL8vnw0f8J1TB}to4f77Nl7$@ocLmWNDSX zrw3Do9m{5-9fMHmIm`^b1Jw;#6R}Kvwn$uFA*?S-1Gb+sI@;i{En;{~IR5Spi(A6L zSlx8B^{^bnxM=D)8CLc8fbh0sVC=#lShKI%oZ$dxdAT-SEeCX`lXNLa7-W&*K!qbe ztV~RbW$}}wrIk$%2^%~L;RTtFx8|G7+Xv)XY-s(BDq6KheMNZ+h|iY=t#-Ah%M6Mn z_AA71bGdElx9B5>DHX-OV4&qy+5_g_@~5*o^20gWZ@w{F94N&JZI>z0k@4&JXe;8( zI#Didm0$7tAtY^t!Un-ATYGx(nV^#{R`O31(}4F7OHf^>!*p#fB-u&A;9Q3hC8P+L z=w{inaoHI>uOfRKLD^N8qdF1jKbGL39}-7fS4pqzR4up`#pSDL(#G2!+8JQ9p0_Zmro9G@3;A<#uKA#`gAIEm=6^^alr z8ldBk!y@}Uu>p+$uW!_UuJ+q$#{V&IlDgCmkUJh8XUn*waziDSbm87@gqpG@ zd2A__7KnUJp*;5c1H8Op21$r8UGkZe^+*wC=FQar|Z7z9s{jJXAI|m}(-D zB>qt$Qm48xx*WLQzwF6+Pt~xA>wJ&L6bVMG-eKM94uf9D`?^+Cc3|0z^L+Nu=7aI~ zDv`~{1}8-9#?^HO$4P854b`^AJPqyq@)m!&PGz(&&WAX?_6oCtO>C-SmmjDfSZ&AK zH1Ym&C7V*!?J^isq6iAL~u_l0d5j3$1a9Yurd%Ft0*_--3!S{^v+F;aoAugRtf}0<|o6;mz_g0^9iSX*JZ(kKcE^)av2BV-!A+8nhBG2l67~r)CiDHmuYva zY{;n9f7a|)fCb(-(54i4UTqTljp)tuDU=8F4C1{1AtfFuBBY&)uF1hnn&fp6OmNzg zT}mhU%wO{r6tjL*VI$ZKY+*THuAeg-heCr)mjMs>bEF#}NS#I62)6*ZcFHE)8A#Nj zKvQ8cH%mYP<`6=7grXrIcvGfU`lgd{c4g5$*yUPGd&R94q1T`mmA@iYLP+Ayj8kf+ z^b@Zf&qmg_11)nR+8!Gv5YA(JeK3FOZ&IlWkggm!uR z2MFbppNVR6VRRT~=1N_er{)fz0sC^5T^)|~Et*e2FW59^#=yUjsr4KT1D1%j8m=*maH~Hn|eRzW|ciKeZ-aUz3|Wm89E`o`Bb;`*4}pB5Zk}=@ut@&NB;zu$gK;q>g|M zw$+2d*gKkcz&-3XDlTb$gb%xXy}*n!TcP7BZbIad-ek8jE?!^kG_-kHC6{@%147Xh z6r!{kVBd}==vm@^^b|$te3-d>2x)Ht3MaSy@%hm8s10Z=`G#pN@HHAC?3!%9;2j~c z`GENnsdXM|?rQ(IcAjYU0Ocuz^~=X380g!!N?ALa`Q;ojoCDh8Q!#AlV`k9?bG?fp zJdkK-#;<*yaT4eIFoICzT{-NXn|l)fj7^uGX_F%gvItF>#i_+q5N{c=5361g_nXwK zMo>e)BF~Lat>0B&if5!%_u37bOe$(UY{}Ytg9d^QxJ4)&jdPo*R6nwU$j7bR13M^V zJyez*40~ryx@LmRUs56!lXYWI$=mB&%Wtvmoy^?%6BW6V2rOz%*xjNUfnIhozU+;n z9WO8-w~F14gNK^&7ASCYhCpV(vM|fC$^S}diP=@ZT-UJ4SZT2>u9v@}Q9y6$@pUv= zib*X6T=(+gUF?zvh6w_|V@(Y|tY`-nKm_n8K4`)WbtX>QG-v%X4uWOoZTnd<>Hhq# zhTU97Yvdu#u6}5%{8lnb*t#8-j<9BMhUaGvZ( zd<+FSIKn+JQ`gIFM$E|Bm(i5EZc|ZLU?|9JuM(5q^%tvu#1gk*PjBRl{vLB!P2*<$ ziK)l4MC(nSIz{II1?gI#y_NQT_OdgZF6$@M#T4Fg-+pS^=hzq){-($u4z378ytU;D z?@ViJ$}a0pY~6M#zPn+p#x+@-25{@Ta%Rcwhx|_A&Mr~$(@$;IIXI097F~t=`mJD! zu=zl_sV;mSy1-%;)5?qPGW(a_iS3$mF&=w3y292I;Xu-0il~+=3HEU8`D96u@ucQ5 z&KdG)V@j~G=1t|nlJ17?Y`FsvS3WU?rN&C4+#@=>oi`x0KFR#Iw)<>W13t_I&vMoy ze(fxL9+t0v4Q*v+DfrP7`CtxUo|0*X?2nbtPbUQfX4JLDu_^)1olZ z6sPXu8{W@psfq6cXj`)$$*-K{)?DIlPMhbF>&sBHVMBn4L+uo~7~W9vsjgEO!-&Zi z4>uYlGdDmv5X7H#>6y*GmBA!ty8)Fp?G1Lv#Vg+KM$WY!>P*q zO!3sRAzBOZkeYTkE{c!=z8ui#h7w1>G~Fc37&%pLk%;duR2}#{+4cIm_BTt{ZgSYwP|lJXiG3RP}k6@NcB-?J=lE z{imlJs1A{;^XALdkl63T%|FmAQRkc0V{=1TV*YL>;M2^ZSF^`GD9myWKnVNll@-k3R-N62ZnndMC7ScZV~!k zN0|&xnj?4i*#uXXPaafEOlusv*?a8+8nXDck~C4e_c$^Rdl58u-y*gIC-wIO(zm`3 zYy%1+!Y!pi$)kS?PECrxlm5>7W9;Q4`v|>%b*=FM)8S@WhTs@QXgXYxgJ&x;XxCU| zMHt!WlhgRgZN(3D6`tk&WzE+(3FhcV7iq0_kcz^Kqz|8tWYN`p4Hf=L*5uKklwMN2 zDM#`>84BU0;PSls1}3uZzZs+Cw^X{l^rA!hgWz+H7gYggBpHCrY`{|KkyQ_5 ztv#cF(~pT-Uz!=pt00{hc!Pe(&Ak)+(zkp^NYdpQy&$Uyy` zs$V~?5=#dGqPq$-zpY2-Xv?Hc#+JT1SdT18V++>@^px-2a$RSor)XA3zLocIJW?v> zS8Hu^9|AB6gw#P2xp$zz&#H7rQGg7*nYl67hK>l%&ORL>5I zh?Y`Vqr_U*Uo=6B7`YcXm$c&K>a_~=IAc&=-c&wPdMZzqoe3WTS^ zjR4c1=rv+JHg(NucHR46;w0?&OjXN|7)Bq3PhF1^Y~Jnn-I3z%`kIcCr#}{-Hf=6( zUMn{Th&AW05JHB+K7Lr7{?g@g<6+6eae5&N38pqlyz8G3w3t0>e(V(UHjyu0H-qHg zuRD*`R6M5yGb)4n|UJHs)+jKKgg*?j^iqr-M zE>lO`jNjH`Y8OnBVJi1d7_B}oBMy!F`2EZw+Hi&BM1G*~+$pYJyKbU!sH@6kJim7& znZssW8cIJ-iwGEsA{>#xs2qwcDYn^gUK4QkKgO}+TW=V+Zid_i_WfG57~h^+3&Yc| zqMql!!>Ho8QQW**%f^UxqaE`!z5U&wnqUJDLe_hiHq;k> z*S7`D9#t{MK^R^$+YRXNSdorYd>B-y#uKL0VX-V1Uwsa$<+7ZDTkUV|z2>?k!X$QS zxbyJKJA=DKrIQ@VYlxsnmJ-mQick;|J?3U)8(bLdAp3}%fF15PxZyT*kVlP6_qyuR zu^xYa+8hhJXS2m#sMW4iQJqi00W(DVLEG&o`}~3&(92VBi~ z^#S@YKhvMHM@EMI%vrZrKMT|Tem8oV<=f%7=2NpoZFisrd9J(s;#$yeHeT zt$rN#zQ-Hw5qtheP8uE+xThBO(S?Y0$)y3+Rlrit;t~654P$NcQ3S`}`w4NjSTmlz z;HSOFe?SL8346(j4Q%cyjxL1VKokC|i=6Qd&+nV@SV31oFKj+kj5@5oE#^m4^22y4 z4b1cyL9RpQ@oY#?LNN%GyhosBUj4&2OO6pI?4(JmlR;Y-ECn9`1 zD8t)|Rw(tQMk!oZN?$|^V?;+O$A#t0dtb!qV0Bik%3b`=pt86cPHjIplVtBGnlrFs zRn-cVYx)hO-z#-Ufg&K^bs4%C3g`uc7xNPwA>np-vozo#Zed>91l(xXCJ>!M|7k5N z0px(7P70d)F;KFFmNpZ@Px14bLFbLGM~t+x+LrrapH3CAz_CR|27&@UagfS+Bnf#m z+a!U}d1ft3SlY;x=Y>c*iL(U@g_^mS(V@7wbSb?QpnIxR%8XuYSQv`s`3Ejf^#W62XLZhpsHp((R^Xp zAgXoZvy)c?{dow3X%93H)v`&?%(pCtZai)N7u|Vjl^}Y{d-!oqhAMfA5oK%5PI~{i zw=y3sw~^;88cEeSufB`m;9*}5aeon^fK>Zen4XEXERxJ%Gph4nCO9svOZWxjPJLT> z@NP$-BRuGAl8X^j_a(c6S95y)HS?vhd1#q5vNgaIl5B`~J)=vIa_9e6nT=$-$zlin zi15~`%>y~mzJ-3nJsvj%ZzV|v&r*Xt+hPL=EVfF4wu90KvDG)Z${?EhH>2G&Td&%P zM#3O?A%+c;db#LZq)m>?U_L5o0sU-yEEm1Un9=6U$}e1JlX}Hqn*wgTbmPFiFTU6D zo0Enh{a0m$_Wd{MOYJna1?5ObOP@TCG=}~F*Y_;~OW@eR zmD+7c`aG&fO4?_AI%Z{BQpvk8nJlowB!TT0s`N2S8>wmZe0@@=Kv*g@;BuB$*~`%! zSzhyAQXaRN?F#_Z1ugI~Lkr=(V}Ml3g+$5){0bH7|Kd%qcd8C z-LB?o9azB(yd60dy*I9@+EYs(O!s_7fbS@{bV??^*%fEgf|8zXGLTfd^dQ_V0oR@Ff8 z9x=M8DP}+a?l~ETWv_27u~iwrmHe)w?ya4lRY-|phNZ+T??@N`Gq_4(_O2-uu$Y`) z>>7`LKzfWxX`|rN2RgMz%iTJS!#`O?e&!t6o*hC>>@?L$JjFGp(P?Yw#FUBNy?T0E zOAVRpOWi~O#3qJsA;^<{Fh}=(A1}IhM;S}(9aYW)O^1g#s0d|FE7BEd=}f|w)u!K+ z>@dDFepyZR7TeK(WL3+!2z$BbY{tY$9OD+{#$_jgV_bi^%rw~&VSM7C%f7s%_?6J@ z0c^QIry8u)WKXY(+enqHsWAoDq<^mtJHg?-=G%b2%~6_h#fD5HkwXP|ZeWzUI(2pM zP-*XxGg~NB9q3D;tpg!794+*kAM8@=P?)Q6?nryYSI~nexdvWVi*9<-V+2kRmLlKG zVhT|*_5qt&Dh=L;YN~p*iuz@%R)44o+)KU^#Isjux1l}tkUZ1iC2gG?Ga7aAg%)#M zvWwcF>}L%sV>nTS4j9Rb%f>5*src+&k)Lv66Y!abj_<45iS-H*gcWw`Sr-p?%;h_+ zU~|rA+@kebSze8T6+rV-5H3ZCg&eGSOTkdpg12 z%fkJaj~THB!d%6ce;B+1jWa-xIko>U;0v1jE+7%t9zr1^U*s>mj@Zj7;6z`3`iQ0< zKiK4D-SCvZ%WtK|=($ZMW)Y5Zp+tFkQOC@yRKvwRj|e-8XQ0rijyUw?sV=;c6#W#@%um6&*bq!B^PPASEZUtz zhI$)e6QJ7dDX0QJ56w`MVyj$73t>=&Y9+VK#1fX}R}v}-Ew5HhNq24N3Xuv^#{O=a z=^;UxvW#At_EUg@s8CLCCq?I5K4wvk0+c!Ympe=hsOe;S&CtWniRx!}&er?NG{qJ3 z$fge(+Y^i8#%h|!)Og1aOx$y@Bwh}rh?$R=I8dm>NV^^#|9Fyat1q`yYol@ShkRW5 z=QfAc5VPcelAk4G7F~RKXLSJe-=o*MF*MQL8X7bgT}O=^Ni&frQ{P=Lr4_U~AOAE| zWb}JSjTF=BKkaH71^jr;M6Z7;0w!jmJn6}D>8Q{*?xjUz`_oNGmO8!98}NrZcmHk3 zpHXdryMU*)9{~BPDI{geThXuK-|>&3 zhlI0$Slt`(Q^T3;ac~)HcNPfhSXkaN#9_zl{%NyB(%<0>>Ktb?wa^kIjjY05?g>CSm{ zvq-wWQyKkE30HElbWOlz5OldH@}@$223?L6VCCyNfh#B&sgIA!`qcExO+#}Oh4Q&c z>mZBFcnaGnc%z{4*Pj6?R}jar%`MKf0dhn)jiCb+;S%+aWAr}n$3NzH!`7upb>peI zbnT%GuTradQuY4&HqdKkjS5=npVm1;USuhkw`RcM6{1rRUlQKX&@b1uV}Qs?;VD=U zDB6jbNeWnIiurDS!F}}Bq!^;?#(?oEWoZUbTS;>*or#-vqdA2WTeNR&#gnK!dM%f zZlq_+boxKL|1xX%Z_6a(_5XL+f5%hb(sgvT`t{#0sxVIc+c&?cKhQ7mKP}Q9h1>oe z@Bhb^zxGNhMrP^#_v`=I0^L!{tg+sM41~4bfrMMpu9`JVeNTt*A6x#JBZ<}j?V&&F zDxqQsy8rc`xkmb)d!qad|BpkU^PkqZ;yl-g)c0If`8(VHn%eNs+{6FZ59(OC|KpSY zJM$AGtN+vOeSpaM+fQxtHJ*qssDN?u<+$<4Qt9L@ctKtM*BI*pWX5< zr>>U_9hB=4qeA(IZjST5V+N5)d4JM`4{y(Mu*Y65moRdN>u74z)1awZV5w6WuZQCw z3K_nj;S!-MeHM?PdzUmG{~(=05E)yAf{k3u4b6jCM>FB9^B0O#@?)gb)h?V-L(ovS zv};iD2(gkO71DlNDVLdwTR>NE)L2CQ;YLJ9 zBvHOk(UN;HhrA2ZqV)N*_P&Lc4kF!`I_(1|cx1+w57otb4wx<4jORt8&}|-xszLa9 zh8AcmI++@2nxUK5%=6D3(&=>+xU!|*5uWqc7im2*?sEi=s2a*Ib$eYV&*E<$6~qe` z#I?Kja0*ZoQ7w{O1s)@nX}Bbv2VY@|Kph3%IJMukkt`9EX_&=grwz`^G4v@e63U}; z`x_xl`8BY#%nQlU)AC@HcIh&(sm!E$ zTDaUDcsM5ShzBj@se7qhHwmcB%H^(_PNhu)N%M=p^4Ol*`e(l1)^C$WLv@28F=Vr+xWB)qwrP3jk+QiT(GnfiJCqBqVBC<#cWfQwu0%M7}_iIzkk{yHL zV7T%TAH=0-&1mnQKKq+sBDMJ7GIX^ADmqGs%E{lPhjhg+_wvu9Y1)KM;VDHzLEWr z<5PYU8>m%lO}`0!QW(AWg65YJ(wXc?vbNLTNO;V{=_b`CEFL0A|KsVbj*;Sx%t)ZQ zSy+n7i`EcViD{b>L1AEoP1hrfte<-n_5P<4nQrU5(_}uCY*Gi1;~lwTGi7aSB^^h# z_697U&A0)PhV(~?SwKv5;k>lP33{xvhQVinc&jX);n*wz@nTcoJ{0t%64TZ`6bG6Q z=suM}hIvI&yIEe{iza;ISyOdb}8925`R)TP#}nW~9(~xokXw>J<_SLSh?R zdIdqe(X{h0IX#S=@(UHtwEMp^o)bE=ds?Ut7r|Wo_p}o*c`eH6jF@XJ$`6tLWZF}y zbWZaKmV7mtFs`RMhizhL%zbT0h)*doU zgLE=Os?7j(vRHJ|b$j%F3prEv5y(b3d6F&C^6=9~Fr?l(RxMi6dLmifE#JLKiWph> zujzWFBjSogrg@FwIR|9l?&+=LD|KjWp$2BYml5sdgqJ{Wr*b4-QjrKtT!vS?!m((L zCl+$K<^d;a5D+*l5H263G+32wb7`29ynGDZG(*3c$zeSePL!JlDLh|ILt|YtopGJPqPr6+4BVf-v~Jt|5NH+T z+K3&QnW-J9yWpLinQ15naEPwXECBfsiBCaW`R3V^NC6!%86{k ziw;SIFoiwh*GyS4&HV&|!YM_tB(2FfHNFypdP#uk^^Q?*FJLdygoCnPL_yE=eIg(O z%<<$R$(szYcFY`^Vj=?o%{wxi6EMD3!L_8{`t->~9}S7rc*ajb zzORYIGbQ6H9VzUynF=_=Bx1?7U)cg-qrG^Dx@Tm*6J@zu`cF?ol#PSd>*ZNHM9)ymH2a!(o<( zt=hyR@YdW|lG`$4s63yj$zmdXU|~$J*ryJTkUw$JpT#baSF$ zcz8EpeGFz@9i$VC6x1DOlALh1M3nE@U_1R!-f3^GrRdt=L(^o{PVCXUE^x7G$a&>B}u$islz6o_8tz1y`I$M*pt zi9t?Zd!-}A#|dr#;Cugsg=YX{d9Z%O;XzAAozfPDD|o2?8(`g_%A0@GDXooG0>Nym1Cu7F!{35yJ3AH(FMIv!8d|z>l05`R!Jek> zge&z0lei)tqm2m2d=t0&XgTPp>oguVu$6E4wrEW`O|+tMomTw}h_LR@ty%L@m8+G) zb@>QT!VxaArK~seEO96n)JqIjgcy4797Pr5;|%tX5;^p(wM5g+0^XMzsqE@p4}2K6 zQY)fHAXc(N<_s{KeQVo%_O^l)F(&hZhus!|t6x22q1v(JW1{zL5HiBV&$;}0tjS|( z8$oMP3BtDB_$7GSkp9Of7pMvcL1Iik)=V6_-rt!7L>s(}q!Cs4p@U`F>t%RCGFw=L zU^O%UlcXOC+bc&G0Yqj8NoJxaK2?wBP|lj?Zxt`qwe}04tVzl`C6c-JvBfK zzq)wQ=K2Lmx~R?$jl>rj5jmc(V3c2GM)zrZ!K!+> zw}3~zy=ho1Q;51#-Ym3=;=r=!Vhpd&^jp!vohC%FgUW7EytHq z>?ahGXir!5cSl-pNZmsKC-sKt076D@pOWN-k3=iQ`~2-UtT+_<^OlqcZk8Z=ln#6W z@oaC{&JkUfG+%)sJ7-$2fY^~?eSsk|Pg=0Ah2?y*dfO3N1!U6EC ze&_a0c-M}UEGT@;Z%hI2%sm8=-A)D>#F#u}Cd4!*F}_NX5DhlCd3*lgUHiFf5=nr! z-b9#qVejx=j`;hom7>*E{I1I6lF2R44OAA}x&bmfT?c7Umno-oLmOL%S-r|+qw@Q7 zEPF4nmMEpD{5L2^0lW^OEm)d-De1-o9`@PtAbo!K?+*0A%B+H9QE+e}0szuCR_~x~ ziNyp$Eogkh2#tN|s9(U9_fDm|vmM_ulq3~0iTfaprutk7WxEF^~7Crb)zD*f%QNddfC z+E3q|fb!x2ZIx$Tm7|z$PTujK*`UYC=uI13hxcdqE%02D!tSdAL>E=%Ffoc{^24H{I>e+}Y(INgV}EWZ;fjJ%En9QJ1qk-)eD$gIw^ zHlvY=S0uR|mf6M6i`=K9qUu%zg$oo3pQmAniWHI-xAD#CCTT2QgB^OM5YxE{b901Q zZ}55&1R@b)r66GT`U!JpQ7h{t9|7>d4Pn?wjnP70*>-!+86ggjvQ#|Ja}Qh{WY>3m z$1m;JaN;SciCP_9la%5AH(skOVa;38kw#@aO0{q@OLB8*48g$+Pg{wmQ7Nm$XdZ@j zGFgFfhKqa_y`f;`DLRWZCkOw(Tr6plMnx>?@?A@k%68b2AKXgW`Fu1-0B~k_6blMU;onwP0FrZ6=Cs1h>fbaERFKmtl%b z7^QUM`9}nT8TW%QUOlkLFCW2j3xvuFN`Lp^L$U?|&jFg7k=k>9^$L!L_`pX7Ggx=j=U z;9@}Pg9DQoO>0W0v@cByA}=H^j}{?N91QPd8FZeASr{WIhm>&(2LxbNKMwZy_tUNN zwpB!N&cdb3WQDl3+Ur1}i{5Bi2#TE)4;en_&e(e60`b+3nx7Xd4*a#_)~G*5r!Q7e z*3md+_*HcSlfpgxjXcF_Q>SAvlVuj*ZN}cl;}f!*&hT~*CRIHZFn_Y{F9KkJ&HGUT z#p?p2aXE(o##WN~98STE|8r}ri6_HB~znOvLb zW%GXwnxfE`*d&+nccoeS8`nupgy|2~l8)6ZGZA#gD!jsY<%ViBcgSKlb80fRjAU-K zhV|;WbF|eW0Gc_uSX;`#_~U)VR%4wNkp47yImgJI>2IHa6hccokNi}=0Q)4pqA~QF z*V>nD+NG!ja?>!;$p@%9R~1=yjPMV^-mi#IP~%Qec%~YsB5&ckJEK=|N1-_g7jvI* z18sF1VC~r(4bSZr4o+pERo7b1+niPgbw_}q(86SyySdslFh_e`!O?J2I3HepZ7lxU z8(_k=3vmOT(kXKgHMk5Ul@z_OBayjd?pe5|LRsS?6bDdnS=6oRWZwe#8V$PBkgiUB zXz}$2?OvzDO+%mZgl0Jp)g6_m)KOZs!fAYUfD1N{(H*RiRuGA%+u4Nd zEM+3{GVmstZi~b1*0CDZHrzWITZ+dk6-ex9XuR_Tpj)RJJ??G;Vq0}5)Z;GlR9+p7 zJ>8@HY%ZGQu68n)MR(B^0Q)~nAMIG*e zqB10$q^ln2UTNZ7q{>=;t$FH_=ycom|nRT~P{m2AOwX^LtWMi~utTKQd4eB_W=sjzY0NuBeH9wAM79n081RdsHIc zlNWpMy;_&io0Mdok-A15FpNHr4n2&~a13|2sGc6yv}$ZqrkhTnv~nbCs14T=lA=e6 zUgcSu_^VSUyR*dvcKa_hl=R zVq6^S$#8hZ{QEa7@w!Vv9?;la{AGMir;;R2wIukwx%=A8#}Cqajjn9u_OZSsXGN!wV3nki`eg5)hL zY2h9M9{^BtSD@Jwcph`cB)>^Mp}D@`Xer+(8rN`my#C@1a4kTha)MSL1)c{({Ww{P zj^}U$MGheL9*w)SA@_UAr~?~S_^Tb?7tBw7kOUs*ik>sCMo8AoJ-RiHYD6a&mNa7y zu3nFq<9zTpsP zG{~3YYxAS7zz|7!HF55%mhSLCMH$A7bW!J+=GU^dL?VrMlr6KKCs)N5qDdK8tQ9o; zS@Ul)kp=j#yVPz}QPF6lDj6axeyEvzX@l3;LvlQKW|$TVNB)&gafejFX<1`yrrbAw zh^MF16z>yDywS!4C2(`3HRS5zprpUy-O^I6c_j*{#9DllQVNOq9d{L~q)88$@3s;& zL#)m623(O4Z<+mhYwa1N%1$=#Sh55)=R1#bK7DK{OaCE`udX^Qu0PW(Jw9%}JdQshrLY{bf+cWxL2TjXwM-UT?q z81m8_sk^=GMEyw$Tbwi<{Sq$edf}76E+UWmGZbVN>!>UbCKMZ%cH=1CY@yxND#s=O zAHc;cJx4XO;MUc_vIRT zBLt*m>=M2cSv;vmY}@e8zk50w{UjGe1jFK0__fkFNVCC)0XD4Fue^wV`ZGD9c>^6W z^afSG)Xsag_yv_;bPrbPG9J)?`7(v`D|sUs+-2fa!4f5dz%3FNt^bUAEf1T~MMz)HBK) zGwkzrP)<4ExTN^OO39w;(8kpQQS8l!7Frc!Kks)!z@tK^Y0!o3ZvFjle zw(WfWj2{Qp{D(EgJ^rUx*RRA?*ZmCLqAts_t4L-0=+rQ!)I3t0L)@Bi*nRN ztD~6dx+UHH(U*~#b32;jO|7-z$gLauCxX!=cKCL@MQH{_Os$3t(pPnpQTDGL?}LWTPQ<)Z>#+ilnJ7gtz6~47|H@m{u&M zBR|2BSl3lCA?YG06S=7wvbORwRVja#u3eL@m8&4la|ReE?9JL96OAm92mB6=;x?URDGB=b zQpm54`51iiKXCJG(+V$)Dt6LUGRYYI#WO3A=4P}~#m?ETK?K|=`nd8>-vzf8xlu+UgqMfU(F@Tlqt4kfpB=ZDrDQVYRnYh$US z4?hJkLt1pW(e}fTCW6Adu*WyeoH_Hal-5e>04FmvYzJL*9B*H>h$xaN)kt`DC?btA z1K?8=O}3^p>*PPJT#favNdtdP7)?_4)Im;ko$>KHJ4r48!>!Rt1@jw4;j&|r9S>le zP6-NSn|8@2z#+-S;lc27G{M4V83yAiiN+DJ8Atve-F>yen!hSJD*5QaDpW0?Qo);A zr1VuzSQk3s>#PrVq>`t=+$VUWO?_n9Bbhd=z>*5CFnL-e7d9fdRma>FQv|$H4C7>4By(! zF8H?eU^6C3it)l)=wu24Z3XJ|EP^g(2B!BW@hdU;=nbFZ&Gu)!nJwU^y zK|iu3DrDss@pSdb_Qv$_(@cKU2mpY!Y>(VTWkN@e1;Q~mN712|n3IF6kqUzy$mz!1 z;Xn^{bYN9-Qb!Wg8t1E-^BjzxUfzK)ktuCWFS>X?Quw=;;W92j-VrZma@w66g7htV zmoof83rgf*lfH&N`AXprHmXYg25-Rhgz{8TMkFY-+R7eho%)-ji|7tJnqw;Sa(gt> zds|qap{N{f=IA=~s)MV4J!NE+^>q)@%rq{zg_srwi~BV81#=s1r`6U`u4l433ep#@ z-to6gksgiz&P?ztnaiyufq64{o*?wTf8@~GB@enxT0?Q5ZypmEmmDvHk_6|*te$LSr*W^+8Z_XsCd>b?>(V6K*2VZJMFyVFahQ6P4MX3KDv zZvy3+jgQlI2&H%4run4M`P6WD?2*I?$hru#w%_{jEJ5jtmMf1iIK zfaM=fvmA#k&^|=}SmsY+zKIuJk`$^v>K?@%W>kEoMuYCqT=?E?K7Vv&*d2@NgBXTu zk0*(|wa#6w+WSQWxnFF>fQ$xCuG$J8U@U8l{9n!?ci|@RTLOOuvpK~mDmHo#&wKDE ziW!~`;K;G+Xk+DZr1WT4BOz;ThkUS#xkkgx>@|P#JZ;Sm3P4&H3u3n35MsE?8eML* z3fXW0#XRG&_0g8-4=!V;!qf@x*U0%jMHPShd5gZcJz|;3=sKgA5qQU+r-rf5-zKDR z6VyGuCbMP=DHTW(UYc%KdiwywA)w3hpoW{Di1f?<1_^U8S!C9_IL@cu$3k-I&yq|u zqFgi?k4j5fGUwO17kyFDRp|rW6gtarehdc6A97fL|8dkG}brV0ZlCHwu z0^!}~kFwem9y73FB;-HZ4KLz+{OMs_r~%sB19nQ{eGQ1 z)ZV(Gd|AJoT;r0vskB{DXPSn5AZf?Fm(9Tj6g=Pi;US9MPZE5X(U;Vv<7>dNk;rLp zZHNM1sy8rT_yOJ8DNo(>f1J$=e0(N*`E@4zyaRV$F%GzhG4{JVITLx_>A89BdA$A6 z^OC15@}%)X`}$hB`4TxRY#ewKaTfS`kZ%0C>lyg8DH8ZPTl(53dpo=N8v1(qDDv|6 zz!QE`Y2f30&C8WY!2Jzok9SXi>t?{yZp7Wo)9&r_4-vns=aY*qp1f+2m)(e?t668i zA1Z%o*exqxu2)5#{vLpOo*o|D@k&PFjxi4hzeJvIBN7^3B9sFkQU7lFv>k3P8b1Sc zWAz`8UV|5r{PA9;K{S<0Q5|ag)J1~KKLn_C|JsFN@62MR>Ep_E^4(cgn}lK4eCf&j z%aD=;O2mGo2316-JnlrP(O_&a^bjtI(+LwG?WX9@S``!>E8tbDge##IUpM^)n?{Ix zL%FkFcVEO-+}HWX2E3bhnO|wGQI6WbY9sSCbb3so zu6$i0v_}gtBxPAEoDE)a$?ytfU2(DSF-~Y{bNzGuW4%B6p?eK;tu`8=_LH`J*`p2a z2&Ei%W6AHzV#)pTTW9t=^GcnbDIp^r+k13V)P8Q-f5ltwMepy)R+WDrOjFEU4~z0O z9@lZP=oOF@qSNjuGR$T^<2s7c)#znT1*vVQmPF^Lcrv|E*R45zPY+`MJF%)up#(t# z=@+CZjinHTqxnNsFuDj+Od)hT-fv%fz3nBNQ=(RLf~VfIsV5oG&_$7KHz3ObUF=FJ ze`61dNiWI)`#z(N?hm7k(p~%QbJ78IdY5h4lvD@=R9fbl`#PLCO|vl1@n znZ!+)Wz$)WM0UtJIU&0bO?G#ePw4`Q(v{{7FesllA@uW3^gCdrnrxp=8YPiJk}E9` zOqL5z##|b=-KbV1Odts)lQ1wKat3}n*3paT1b2NUkR2M;UwIN6{gT9beKdD6-oYPJqYj*GrQ9zMgwlI)NvoZN27iDErcOf1}_to_jO>(ilOPyQ&G^(^#-(v~ET?Gv!AszCrG%v0sfbIpVrk z6SS@jleDhp@C)oM_pP1KasvAWe#q5WL5M$VQL$S?fv{Ep^WGk{l=|4YV&j#df&v|c z0(Y#SM~N;1c;@{VtX6_kLT5Q5W24;v5PI3@@n(lLEJJMwrWwEyt{u8Ux1+oA*G|s+ zw&2Q1;CWJPA#2d4O zJI55H=g`oqqYsMy+!Ry{7u?ySHo%E?ez}tpnSYQ>Wa~7on4V3*q+n*a<~$E^S`N2T z+D)AeV`#=y&S;*VfLZnM#!^_D|Lwj0EW*QZCo0EMb7x1bXBre zH)UDw@tZzV@7=%)3-3?1>~A$E=lPV_#dsMP;1U#4r}#n%O=Hztl3ump#C`0WhcwhKDzh3u5Q8q-~f(!TfyV4oE~laD>ezw=4( zUzrO0JBd^LIC&CBf~driA}Q?VTj-|AmOJyZdvqDlRb%>VZ|D1-oA-j(iqg`oO8e$o z+pYwcw*$?kn3qHbb@nTDxQvN+MX2y~DB=%+`zn=%Z@j z0|ei8Y)j;?k+P&=d>(s0WyLZm?Dce1N5&Q)%*=v@Zzmke_81m|G6||#L@%ahApK#p z`jO^q)}|w-U|S>h;}>W_w$7mJKcF;Ag$TZ`CV==!{n%{K|t2R3WE2W9lX3 zI_WK2Up^b~f@w!q64CmbpYxseafjCD) z&);8>cJOF0(xyoMLS@@)3NXv1*aOSWy3e2wIy?khpi) z>OjR-yliA_Uy@KAb)fK>|HROYF2jFqcU`s3!_NZqIIPO8q%oD2D&3!`!NWZlPO~$5 zpSsX!s#o`&It1CE##j0&HG-Zy?sBhwqVw{uI8P=2xBgUjwK7$R;Ptn=!BZgVBD+XD zO@F?+XXjvuTuC7J2nKnP88uZ0_;z$UIS<-)cKy+DjK%P@Xn;9u?Piexni*!wsWvv) zl)Z%0cU$s9YyTRn{IUJgdOEgmLI(}6YD~j6*R3uZ^Y2?2Yc77DS zLu7P29XBV$AIEyEW$uT(k-yT9?_9I9H^04lFc_!t8jA`)ZEM7lgZz6u8nSKw2M$9? zVD@3$LS1`13I_rEqEFj|GD;azTEXJWVQoTf_-kiEYM`19v+-X=+4~FsyCwXelB`XM zL_ss1$H|3pVqeO$A!zlw2;aJqW^nz7-l}=lpE)`L6k@Grb*Z`kM51|Sh4*8#j=1Rw z%vU`B=|PV9By`4l1ddYk%EelO7`-XRuR2L&zt%|G4uy_@gRr%9;UO%C%!hsn6kDg# zph})6%d>soLM2y@L-{p+`%@8-!Id>mmacdBjVhI5;?3r>^6b~(%h-NwhhsMynn3X|I>bddQuFRw1=pOjEy!GFr)EamE|DBG6s8L@dwe zbXQRLjO~b=9b6Col{t=FXJIj+3SnYKfbPn#p@&(OfTzi`?q?^w2~V=q+TL~63*+vG zqj0z)ul$M$_)o91H3H|{h{!|w&unD&+oMSxKNyXyTSS*hrNSVyV7#yqB`;G75|xz;p$z?uiC1)gf?D)}^M?(la3UPSMc4eYs+=Z$ zq`?E{bL-5JX0k0%e68pU%X{m|<61PoXV%f8eDZ! zZ|!3EU1kiSEC%%9el5k>*)U|6IvPwv%&G0a76^c)>Ptv0tbtc7bLN4q;_PdRbH$Zqc&@11Yekh**ujZ7gXT_YD(^FgsNut_K+GWz0Q3SXUw7bsg zgP>ioJ+_gsuL(eUi+Ig;hUDVxv{OTA0DhyXJJodbiKT~1dyBbI$P!xMB^89qm5WzD z=3pJ%Im}HK$;-MZ>U%`PBZiZ&H{Ll(@GFXzQbOy!WodZ*TiZepMj_m;MYPrYe|$4i z{`cN_sS{MHP!-B7^~LCE*@`zFrrT&`x^D(Y%4L*Cxjcgj+TV@c$j_h?rJPVK3U&{2 zN>qNW_~HpgMjza*%fMk+5&eM(FVrZa#_;s8OwzVd1Mj)mOwvX9(5#RCTT|=ElQ(18 zrCFM7S;cUG>I3NXB5pi-RB>{QLN#PzdZa3vs8O0+>zwMePuW&0EGtY^bc@;jDkG@c zC>)d1`t;qz2lXIic%f-y$k3*wam7546iC-__3yUc5a&9d@kV2VF0(Er7m$l55>n}s(exyw4SXCO zi+&8mY!nq^Zkt!-S_EP4udNp%qIYC2iisnej(BzK!fC&D@(RRsyy;rmJ>@291uTlQ z#6-lI59o=LBUJ}FiLF`jm0<&Jda`BicpY`^cBs`C_=B!=I-8Wp5&F#_so0;6)PyS* z3-6K}^Df z01aerCk3Bpdz+53fZ*IWI9t(Dah?^e7}Z_QrqMJ3sI%Fp)VDGBU*uBcczDhVZOCb( zAgk>Cd2H1SmuJJAxsqb?~7dMtltNl%b1w5uh$aeya2BXL#zo$F2*K`t}P!lhGaj`5SbvhCr(BpEyeG_8Coe3u!j z{eH3Af|Mc_E%-0qP+PG;>upCE<50=*XDV)Rc;e+J>7ns06ALvW4~}(-Bdm6niLA*! z$&X1`9hrl=?-y0=EeRoXof?UEoz1(`S@9-mM^rCb_yS3MLxNLMd;2T*YeeN$ad5zc znnEz&oKas-tqHAu`Evhb?Gn}8A-#hongF^(E-A|qXA`?mnr>}s*b0in?Z@|SXtvt4 zG^ql}Wc3=_+a1TQZYMETk~ZV(Ui<44t%bvq0ir@QIOO$%==L6z6n71S@n6&xP_{;d zxsHd>d+1s{q^Jwo8B?Vm2a(Bb_wj!=xn@qJvFn+U01^d4qi_KRz6;`{3U^;e7$%6z z6FFBSzh=T?XP~mq={1kdmldhZ$@sS&+KrtoTf=vU}_?wboStzL9Plgz{5;;9>wK50OgUVx@-*daTyLC7J{JnP=Qa2g$ zj;l?3P#W`euq=&d+{ZadsnIHZZAf`#rUee|xVim}(yiXgkZxp$S$$ocK6FW0y=mkY zwB>#0<5~XXmGN2o6c4?yUSPhZ8yNC^LC7DNM+Tc_ndA(#Q@>k^?E5;Zk%Rys;S>hzUhear}BXY?-9*kgk6L&0QZ%4sZ8DIW^(Vv`QkYFG|CxZ`1@<}*;*}2C(KRv}&~Pvf%uvH(A)wU(K0rPU823WF{aN>hS@9mteT3q#-eSvdE5oq_W6l1yv) zhVgvRw?;Z&VwfAt1@{Zo0Rv9jQ%~m4dL>B~1a}&Ss+i?;QnYn}k8`@CJZ1XJGV>(y z4E7wb_k3j{x)pbE7MZlhTe5tU1;}6pV#(F(kVD@eW4>$g_IiXuOqYASxZhyE>i`Zu zY<$2?RqY?+)o5q`GT__rM?;XCygufWDpjkDtt(Fykw1eAT;iCu_GyIhk~gtGPh&K~ z!6x;5F(|1B64yOio{yl`!%5d}*v35uh|)6HOVuxh*iet6lTAG+9goIXiV@cwTJy(x zf&W6GzN2td8mWcH?YMXOLqV|5GP_S59dt7lU!WjIn=VkwZLaE!+OhytZz&^Dq_C;V zC3MbBbiBVWK)v1|^DJ21TDHJ;P=x?!AWVkzrT%9^m&4h3AOJv5cpA{9apCZ_(03vX zsO}wcMziMN9#DD=;`T3vK+ZDiAB5QXTJ39^XSP$2-L8>cN#8HVY5NZ&yj#~vhBGWO zhx0!6_M)e92eqHUUDW=`I|3_S_S?M38$-%O{0r3`%cZmbc95xuhLixOXXOiQ;22+f z0*^+%`Ppgbhdv*Bi+qpbwlYvdX*H-g)xEhJZ1BB1XW9y#H=n{b%LmZ_Tg9JME0(u6 z?`|B<04`bRdlV}YD3g~K=?8GUI_{5PpOjomY!)SlmkgJ79+0L`UfMVFNGhSE_iNU$ zdq)bfpTAp?%v<`fZ`}~r;OVxMWRqT%DmPl2D)(#jeH@bjzx{z$Y@+%KM9#Z(xHQR0 zHerXaXu?Orp6gik)i=X0^`D;XP4Ag7AB7Gnel1^n$G^>eUmMA@#$oWC}u6@eN>At=W z1CIts#GiK)tuD5>JYmYt2j3b!qZV0$y`8>XFo&F8M%u3SZ-2d3OmcH`yq73PKP-Y= z?Q_6+EaV!Z-3Ki>X*j!vk$mk9r`;m7Gw~osqr4DB(n1IYrm0XffGFjU4Io)$x`iA? zA`I4s>6q0mN5e(FC0?dM^FQ0J$wf78kRUNTIMV6g1xHp+R8)P{UO@ z(Q&m)?l9&D>710o|Jo^=e%UD|9~MbRPOVzzujtW7_jxpsRfCc`3NkI_sLGvdiwfuD zIPi~XncWKq@TQrK=cntG^z|$y>vCPxGS?hZ3kFgtM<4x+duiJwuV?fs;LvmhwDZHv z{#dF$Jx@2@5#kD5FpohVE9Na3`ZI;vu(XKL{&%@a`ZY}fO zd-=(XA$>t$g&t?+I;T0!*4h=hv}X2CZT0%sqfUuU`J?d+i6ub&QX4ba*uFSZ2%|&C z9nnDlz?O&(ok%1Ka95v01)Ml6gGkUg=5;`hs@|L}Z+Epq;~Uq4C|7c(1i4|BAN8$i zX~Zynr%Be9#_)h+C5ys}uNymUm6Zy9FQx}OAJPK{N<3zZ_^&hon@{Km7 zm3D%=l`tg*0!k z-5GxbEtT<~oL{Ib4=$p60W(_d=+KoKjihsW^z0GEd4?j&32C19l=6M(}~ixf6g?xk!VSCNKs6N@z5!cH*N<@qB7tx4Zik%t>!R| zQ>ZHYY@O9fU!wW;krJ)c&Xm(3?OE5(M6!-{go}I`wKQ*@{uPgtn{-1YODT*}8to^; z%7PZL)39zDrMbT(FrRkn2 zLA)ET(iuf4J}eg~6}unGSR*^szF|2}Y=Z}Ps0e0GU7Q|*P`rkJ3#k}XtS--P`*h|s z%LQ-cWbW_VDDtyVgIzvJCxtpJP}=OT@rF=xmS3ZDST2<3h>l8|TrJaowol*Z^@P^--Z+uM+l@`A6z&l%c5h+l-1s(05+u$QwB$erib`q~Nva`EABgT~*FOlyp zOj{ZAKe1FqZ%1U#sfyv4xE9vrghs1j;Vh&!M6kcLZTAdWKtz3KOztr8?a$Bc;5X>e zrh>nT-VQ8Tg*TVHordwWxh9`Gbnqi^Hv!QriKy7Qk;WgSOV3O=q<-Kjz2B=?GE1%u zQJjdJS9!u1&3sGNQnqO{<0=Cd>MJ?$i1?8y!C5PZW}4PNXMRLHIrH;F zXB0nCGbnOfYZ=nm6yjQ$f~_e#{c|_;wK{7ShqpzJj$G*b)f?>!apnI6qtDnLZP`0q ze$jrwtYxrrT;l)C%8;c)ai&^xQftl2v|da9<(K{XPj~X-_Z~P-zh%4ToyxG!a1BaX z5Ii*h({oK``^N5MY0Rz!`{040T~}AOIq9OkS;Qx&M3=p)jx@*4+Lz_nB_mh<{VHLp zZvG2j${RVA?`^fX&Toib(JgYQwxglVsUOwVy`7+HTJg3<=JfRpm^W?oq@; zAq`}4#M4oqoS9nJv_EA+9}Qp_X3x@O`&>0&J7gpnBQwrjbwQ8|6)^p6kx5qHcNiLG zsAk`!o7$VB%`iOI-pOB)b}~I z`n_}~CY<h`K*?+J{Zzl$%~SVl7Rc4M5pc;hPtmRFF|Y}~FkolTc%$jgQqd?T9?5A%FM3fL#aQSew;ZN%+>C|2Ox&H){F_&_0hxSp&=S?efcrprY- z$mK4CEZj2%=`<0D?O%d(5}E92Z(MUTE?Vg!_UnzXc^PLpC)#Z3dA&}5U3h&xT@`tG2o!!k zSHFimy~5))Qn(WT|F@qXgd!61US4RPS~g!VhLw9BA1XzjS8D=p@?O99p5AO--E_bH zojkdHz5=h-1U_%^^t?2JHvN3o0=@iRDYW)Qz92pU{cZwZ&bLZ?oH5jPZ2pKgV}el9 zUe6Ce#t5$)7l^E{2g@pgX+(jFdFO~b&c1S)UZ{yFWoqB}W>Kj&IOqG5!mt+yg?UqR z)JYY)#iMM+g$UsvuHs(mf-Bzds8V~xM|s!?na4oFEvs;#<*_jYhO#noMve~*pvpoGsxG563d}&RpHG^dOI<{# z2@1kCfAt28ql75Y2UCpEixmyO7h#p79$Z=n8-B-p8~8mOU}J?xW22PJKwTOYjvF^& z9?Ii;E70P3x{>u0Q+1xA_*;7GW;O3up2QDq6JtsRv7E+{9Vxxqdgi-k5!Un%8@s zdndFan`|3})Td`K9NO?%r~L!zLfg%+xboX;iL}fyr?f-z2Z5F&k|ziRxKA z)iNLZP7ls=Ry{N$rH7*$v|#T;+L{JGBSIb->?qHTG-;v^lRP5u#ReSHfP<|zq%IQV zVm4sJ*7)|QS-mCsC^hHx=#_#nN!AO_Y1^@83-uB1C0xz|?>m8i_e(Y7D4y+~ew!*x zE$39T$+egZqCTxExu%2^rmwiv?|CC7cjyrSO3E2NTTFGD6lf>1S~t8IOU&l)ZDKsL z&7#CPo?D!{ugodCM!sw^xI?=5#LK`x`eJ?VbQZ_U4cY?Qg!hd_|@5>j#dg=#2f!n8^B|4}d$p-YIguf8(lFN%> zP(p&W&FEy28JNTD6VP05iW7ey|M-%LDf+GSJ#aw4JYD_QTOi_7_JH!>acFiCTlg18 z|55s%$`jN*K1Aael@R*UA_;rs1KuKKU_>IIs5i1ACkbNl>fi4>>&#tt7unQG<7TP}QpG+LjGuYg*Ssz*=@iXNw`4 ziIh?-US=|Zsn=0*?pii@Y9x}KS2e}P{(r{gatX-~PAv`q^@JTY)($@Y(g<+x5v=*)4r&*!(Z&x^`wt-Y@@x|IGx%rCNBi#u zG_uYe7y(|1*UtXk`-nT*HRmW=@l4N$&K+I4nPM~Owmyc-msD!@qVYwtZ!U(GkY@IF z?!EeiFDh9w!n-`9uDv#l>gqmx2d(Dt3^6ADne%s*Oz2kOXp!?7ywX|cU0gL>%wv8! z+`4REe=jqT*llj3js0uVh!kY-mal!ly{;aiX2O{a>UKB8|ID z`vTQ97m|Lm2&$}x9DE)yeW5q=Xkths1iAHbZPh{}mlAWr>e;GVTliF(r1ZBH~WJqHLu&HHbcR<~z4bl|0eE9g5?D zF(z)9EJVI!^ZfRQG`;x5_kS6jw~j&BjXFnR(&YN?)_-lnl+n%Xb-ESVhDabZZNB($ zbmStD#fprP@aLjM>N{K9;QjAU1Vg=2r1Hf0Uc!&T6@{Ljk`sPL<6B3M@#%+IJT|%Q z3t9@xo7#UJc>kPuRSi*3m^evEdP=6qR3m5H?TE6Xf_#jsJr%4Mj^Uior*q#FFF>TG zU3?^pU^RL4GSSyN@NnkVj)xmTunrUW4nnp9`HRcMwzVM%wd7caunmjnM9?hVYLLLd?8l zOVaIoJ5#hRx0M-h|EoJXjbvf0NsDefFWW=HnO$)0rsXz84Wh7Qt9V75aV7Px{}7gC z^vgFT?-@-^>G9LEc3cQnsiG}exmOX{ zKMQ4NpZ`Q=kam)Sw1$~^$=OA;C#WkP&DAd34}*HK>8S1cJ5kK1LVjC)$Nh*T2qoDF zrTa{;@OgOA)&4D=R#FVbI-X78osiXUol1&Y=9k0F>z_47i{X_#(z|;S+O{(kFWzG; zSfA-)Wfd=ER>^7=UbkHJuhtldlN3vfuCiT5oN}<&T*tmbJ>*J$(M1?+&^e2g#&(i% zx~))VsAIG$;>WtIJiWK!ox?s@8dvh(Zu@DzDD1H2rDmTT z8tPQYa`8d!wva_7oLE^ObIo70n*M-Uv};!Wzu0=~xGK7ae^*pmkd)kjba#V@ zq;z*lZ(6#$q`N`7+2p3Al&%eIy1P511oVve{harCf4_77;WHg;uUTuDx#s%Dx!}`E zL-5_EQgseYA(9ACOzA1_m+MU|b zI%8+!g-5n2@e<^h+-|`!k$mB_$uxb=9e20)6)%YgP=sk{TYe7tQ=H4vHLO! zGi_br`kNSOM=YnA9C5eP=wU9sbiArHg9pqkNrnVfiHn$TKgKN`qM?t(3fXsutc=ub zMqZHs@RHal=;Hfm37wZCU28SJA*JNkN}9%mfKaR`bd{pF&Z-Wi@=Q*FmPJwuT&kwo zMCFdCO4cBF66K|d9q& z7Znfdh75#i?4z-|2Id4!Cpcb$>?|Uu=CFq_(}+Gq`^q@J^H=Kb(`EaLmM>w1^s)kO z=<966!m}y?%8wlTKSL-O>7fy|>pibuY55AFY#MO{>s%Sj33A0^d&p*1T1i<)bJ4&I zOk^{K3g{YBG`LjNba-fBOqCWzCH2;_nOd3(GFQVDMCIjGnTfmqnNP*@zXrZeYihzi zDwxkiPpkhkkV5zFY~LYG?Y~q0ndPafr^ECAS@Zwgy4qxW{cw^=Qy4$#$Om;_6Dki! zJu+uhTUse!6t`TCYn|m(%bo9y_|K_~Vqa-PM^(Q zGqqc_Rco?x5qUUB>dc3UDC;#cvez#(m+_j62j14SzK;q~Zl8VGxwcwq?vVQbvjf~k za#BaBNRu2bvsU)Ww^;r^Zcu_$8kzdF%n06$6xP~$6a-=a?)fyV@)V1BqDs1}iDm6i za&Y1}a8Z=2B&e2z?I9I;xFxTkHo46IHF@XA3iOzaXZ4ex=x08rpOp3C`nz&SaBf0D zWwVpisM>(w9Z(B^@y!1YcqmyPty>nA0E-L8){vtCHsun`)uhG$F7ZF>{I5lUE&sdD z-(4KE&f-P&)B$VN(^LN4-T&JBKP%rBHT`=u|Fce42viFOR^X%JaXmK@i(DSmMt=Wy z_^Zoa#c zd8Yp%F8UwxhF4a!$M!d{m>Ik@Hi#mW+H-{C)hHZ{_p)&AnUF8u$V!^fBtN*b^u-%L7HW*dBza-p3>*;d#~=IjdAj|*_6#z9_ixQcXo7KkMmOkG3;bI|(K@tA!( zWchw9EZ{%z#dsJAL~Z4hPC|byzIM&h9^z3(GB*zZV_Y<$6-}wgdKmO4Vxp$vqxvfb z%uIPYIVG5j-nM`6@k;3$(@Gjjx&OL-dv6tT89Gmt-1K~o$^ri$oB<*0vz@Xae(UaG z9NpSrjPjMRYp~`x*K7Q%Br}NemApnU;6vM`vU&5C`$K4^<+mZpi9>(nmqRV8Qh?p$ zN|mq`Mb{ucC4ormFiD>&IW85J$IT8&X+sCLF6vD83M|~yKW#xPdNPBNc^gD1nLbin zb$>P|f+c!I>qJp$#MP6HLOgg_x%2+(~kX(VZ6IZG@_>=+mzLfHW|$YKX-A>F~F1#gKQ33ZU~d zMg%49nfM=`agk6Ge2cP>Oy=QZejlUEMS@mVBDf8dl}8pso(1o89*;#vxad}(94wL| zAOnMkUP!wS_o_>}vpmP^5Sd*UiMo&Lm0Al`6~N=lRR0 z&?F-BNAUg=5`cF;;!qd%X9 zPYCms{(h}RIE|6+orsIt8+?p)S;ki0)y6AM32I6{{T>-OS;%ne=_7S;h zz1UusMBDUMEuy!eW`CdpYnFK$bC7AjLhz7N=;krBx1CsS*hCmYf^9uJi_5Dg#^bbn zK5aOW*ZMl7QTsDSwl=)kqT^*+eMN0GS=Ha@CT2@ssPU7@IAGX3tT|!*bSBg3AUN*%~(lp z=)~u!AYh5WCbKLVQFsM$0^{5)tVU$)~PMCxHN zr+C`SA6lN3?1R5%SX%kfG-@zgL)H30^6(*ka!eCVTEECQ(d05$f-S#<>A*y(WDF5Z znrSm*-xKCJxkUVMw!Rls2&7P69#IC-rdukRDWj1+N1m?J5P315$}$A{szt86j06j{ zn-FB=a7ac0p2@Z}h0Fk)Ri>~$iYSWj59;SBOd-!m_S(2?U0~l286%3!WeFl3F|6xQn~#8rD}5pPxJ;H4i8b$m>|MAV z(V`LbrNZK%_Mp_bIT98#8&66IuV{a=<>e16(e&#uaenX6WeDPPm$=b?^s=4U7QN}k zPR}Z*Y-Q6RWp~F@55{l8I93HC^h2;y8fCWNPYezi3Z8T*80r)}33m}8FURLSlSomU z2KfVEsU`zq=--l!mS(FyHN5!7V|y*Of{`UFk401cslk{@qoa3kTE7bTzkC3zN3%47(WVmV5d%y&Tmsfza}@o;O31-yZw z*e9{Ks>3A%meHKy^$LvSdL!NNX&R7rOjz(t!DTbPG&|0BI>r2eG5-M6Xcxo4!`@lN z##o$p$-Px1$S%=D_P0zo&|X#I?M?0@3=oW!PKH7+(%xwW`un?+#uVDAU;_RMS8aRBoGKX{u$njLM;u}^dtsa6%iT#CZA*nj z(JaIj3K@?S9R_<{O4-DHjK6P$s_fdRRrmwb%AIn0r2 z5v-^m>WlSUrTdT!UsUWD^UqIMpu1?prMp}%vgGu2q`i$NB8Vmztp#gIZWnQ0AFs2= zEUfliTwxV5E`5P}>oAuqy#La{o?Td$X{b|y2}VhU*0N~voo1%&qaCPm>-Ccn=@}F# z!Hv_x{MzOxCa_6HzZ#|KwfP?-FVl@s!^twYcRx`=BdkE6uQ0ndfwOasq;qA?A~5>| zZB`*KzKcX6&B%aAp4=2v`LTM{S_;dL(S&<^Y)%}Zzx7Lj4OM+MxtrB|j(1Q*iBOB+ zVE0Yk9ellIki$}bM>g^hbZnV{bsR+X#({t(ppq&BVs-tVqk4Yj_{{b5bwOy1?FCcC zpttO?*Vaj=iLl#>1peVnVvC7;rwS*cmJ)A%KyG9#)0@(6=Y9)Mvw+L3X0<4I@O_#`FA1_c7QF#*Q^sj1I_i zegpYj9M0;6Uvjx^X%RvC4>?4Ug_IU^I1!-5<6Jj@ma>?SRndEl?A=$>xjMw^8X&gL z=PWaJjB+1K4@~i8xRD^JNFvs}MWey7;S!6sG14uI$LT7FY+tkDlZm$JDm=0jo9LvP zb$yL5kLMyUBTuc4--{Y!iJ*tVss5`V;^ib6-_C&$OJ8$#YK& zI@(`EHdqJ+%ugzXG2uU=6~UrI25lRvDPh`ga<*T5syz7KW0vn=nX``=I2%J2p|%m& z7%xRGq^r**b($Fh!U%UgMH-2rd%_e^sDtIbamTxCZs@D8YaVx?#tV6jLRN%j1zwGE%wj1;dfUR z{7Yea`QrAb_p#Mm@9n>jJWRpyq-rV4T}ECZ&SC0mn2 zUUZlc7u zf-BymKOKM7TlZnN?qWduh4(!G@DTCrtZr%a zL_-0s^C5j)AX&6cUH4n4_(8AYf^9}m=m@Fm$j`r+OuVQFvnM;M zQhSKio)q**nmM-zJ~gJzZ);YF*CyG-aqejwQ+mnh_k4%iw^ZXi`H)n1l{5;@=QR_+ znm#;CC^s(NZ8=p;PbRH{WQk9Cm7^I>CX?6=k6xYed=mMo!Yx z{E!aAfKMlTpowunH3h|YtFso$x1R;rH$*&OOL;bi#TRZVv7721fbIvlnK~L#9sEen z&D4(o7zmj2t{L?ciVAj8$~&nrE7Bb|>%7EO+6&Eg*hvU~-5})LLa8_d_0BZ|&QOr@$=Xx5;G11${4k~f4JrmF?UCSj3uKA&(a}?N}8x+ z6&YR41H1^;Hy)yMcPC!D3E%%swp=E-3|d^T$$I_Ke(9>WI+3;>)>CknxUDunD}kb5vGCe*zb zH>nY;G^qNDk>u^7Ic}YhOS)%DX9C}8ZIz+9g=`CV+u#bkMAT6xWwI9j1!v*A6GH$Q;ch~M8x0NL;JhZr39mWfl@(?H6hpP_HDL>D+kIr7q8jJ~{ zom`YyH5SVZY=&*dwZpJO{|dGQw#Ad!4yoNJF_REM6UHDebfG&1G7@K4k9yzh{o3M; zP*A3#%&BPB3J{6OF>A{~y2y%kCfZPHfnAVqdNqHu*>Z9UZeS-crJ57UGoF@D^Zy(W_WGdp+A;fN5YJZV_8G zL_iY(uui-eKOyJUObC*J>Zh|L^Uuc6t+k z%sK*`BdI0NZoffBMk*QiGkfO}uq%Ru%rmoC-`-4GbyZi~AzM_S#<m3W4 zya2+vki)--kgrMT00;pWH0FOpl!^b{?%K(J}pO> zzD2st$!34%fFP9}RIEX|AM@?6R}^6PZ=}_Gq0Cf2VA% zz#p*zUUP+!6e@!Tb>miBoe?x&Qfnu$Fvfs9jVJR7)woPr$lCul*!r}fnzGDpJ=~Vx zbLrMj{V`D;Se|Q@m^LETTP@Xs3&ss(k#y^MI}SIQmOM$T+Rg2Xi*ksxOeO^lq3yzh0q0D7Fk z$Oht~d6;)UoAB(87m2QUcd|Ew+QP(c$+xfN>XTaSF#}DnY{c7E@?tGMVW0Vg%{h0N zF+c@^x$;b142JEkMj{ehIto))REgRrEO>iXNPm5j*;Rly^0`1q?k=FB8-N#4Z|J+I z3^fjo&TtSfbVsE;;_0hiY2Y;TCEGUF`_5kdrEMr2c zXSO429OA*2Poy2fi`{w^tMfy)q#keY3*R^WlC!~$6UJs0rW~X!tr^3rZ&}H}6~t^y zGp8r(N#9&aY4c8D$4qSRYCctZb!+}kH^xmo3%995N+`Ci@`edM6i{uts7v#0cxZZf zS+E1gKsqjh*Bkz;#E%Hv+-bXC@AA?Cf;Oc&>#D0GD2wy+2+!cbN1VLcu;BzGiMVS# z8*ri?D0*mB&8bU*OlpvFtju(U0#_6#Rk`r0GGoD{!6?Grt8-Y z_xmhPD$qP&{3fB*`nnb)+HI*JBzjhy7m(G?{1iDk&+uGm%J<>&pv139)c4lV9BnW- zErn!)8`m>y1}tQyGU+VZCVUxS;T+0K<*p}JZtD|S{ZyY^BzM|wMCQmcL)OYZH@qQ| z5TAt_(VHr*?s6o8+c>H2LaqW|naGO30vtEgXczkSG} zL6~5kX}|H9O`44@Lv!RPO+;NWQYqJ>heo9#=ISZ!LSdn4vCU;>co+%LrF~oEy-pGg z2j8xdRqN7>QE)@sId>FzMlKr(0H=>jm;J{vdf&Z^hc8TQi*`NX8RDQHT!8p-WoV#o?4FX<=d0~(*ZyacnO)VS5}R%Vn#aK>*-(LEnkPmdFF*{|tZFQ^#K zW{1PZq)!Vq*anVOZc&Tddz4H>Jkq_qeVK@>42!d3R9CrMbcs}^^iiCkUJvOu!_OJc zGMVTt5|NybY!&DPg;`ug49Os~t%V8>U#`0J^7xiy8Dj-ioM|E=Y;`qb_hG*%W|&=a z9!N_Bjn))_R{p9|Cu};W$c&O%W3VKXTv@ty=k-WzNnt6Z zXtTHNS96r@FU<*#H+o0htATD*GQCNhMYSpRw)=o!_4>zPLu1*21s9xc1S<85*O}b) zxfOdshkzB_L}Ty7LKYr10< zJuvGr39l}dtYS1!Y`@}fkz^WKu@qgCf1|!8n_IKB1IyNcyMhr7ynA3~4uFJqQSzZ8 z>5?i@=yqOjy9?RnYYlOAU?p~UqbgwF!Z@KWf2uEY(l|wk8BCXGdS|`4q(DI{DiL=! zufOl)PaxQCPr9Wp^_~ZxikH)+ZGqIlVA!BnlT{;$n&&68?Bqo2LfbDB@$W0KTK3

    ?t#dT_l^Z;sM#DC+_gGr6l~lo+nAW_(H}Z;gX4As1Qy`rRN|j=~33bhP z`IewhpZ%h*#jGw7(iRl9hYcH3GnJF*^Z+(>jjXEjWzXm*;1MKupFDuA63<$GkApvn zR9_I}R2rU;Dzg3!5YPHUG>XvVk7hE}*}{CO_vQyu)azryw=U{Q$?xr_HRr}HD(8XI z9JIhL)%<`aJq7|=9F=X$zIwla)Kp~%L}8bw+bZ0-Ri5+uW*JNs=uIU~S{#XLvzsYY zh>3iy9pyG9PuuJo1QR+=l;$%B#FVRFiOCf>L0gFCusxfBM}FET%j-YGb6bjp;gK=2 z%%vk89Hr#(fpP4mu=;))*%aaI);zvm7!ciNw?BV5Bw!fvJMimVcR1KZW-sf~s;7n` z#y&~jlNDAUMG@o;+|@c6n`3V%Xh;*fMg793PqDxB%zcFPG!i^w56H-tI9h%$sZJvz z8C0;i9{mJ;YC$=!U@d-v+FftJ4rC5y8?T?S!f&rr$IdE-i4IndsS%s(S2KapS&3ekp&F(30=;b(zJnPw8!b&*6ma%WViY&xSQ|4 zyEl`fykB{O!%+uVT|8SUz%Rrr9?yzPd2^+RLUFog2UOntc0!#g3|}0%{J}g2@oFTo zZhIYgTZz_E)jX#mQS)}n7MfHcbEa7FCDJi-0ecYUY+E=;=mVQKOlxJbqi6(oClZ;& zvFU~@w(C)x3UHL~|EF~gN9(x6Y6&lEYzi5UYTm|`DB-$lbj{x2H? zgQMW|q;WLULZ=x~=njY(nAk@BZ6kp0%CulCdY_oFJc3Ci;5+(`6iSqc|MOJ45g4Vx z^9nMT6D2PJ;u4+buBA1?l&8<1uFZ~j9L#XV7PYKSff?P`ycz))km~)T#{nsTcOYvbMA}0mNl=f1NMzwGbx*D zeT{mK_+x_)jNT4bZD8{h=?IJ`W_O~x%ZxVbM8y^QpK8|%Bx(a@Hb6_MCmmke{oxLH z4)U->ON9?LUo;^%hd5g2SUGJonpkFg7{4u%n&_A4E)mAQLb z-A5C7V)qd4^@!fGUxCfQu0AW`WcA}TzAiY_wjY9P;LGl;iZD?bkN>t!P-a86X8Dbt-OPS#~P>TeMqjRp783L z{weN^>9Zp8%h-girOJ73FLv#EQUO-YY=K9GrYd`8!sAy`O`w(t#aCG4 zzT#5Oz3A)UWt*SgK2)!so?GxL*dRCuZvCOV_es*mAF`lm>7xoDdT<-iN}#<^D?){@yNhXFzacw_I%?OO zhHpm3d_lWhPhon~3aLfymP#qRydXWU)v7mrWMLuZ-1|cV6vm+tff5nXM^EdL3pY>n zv^HcSo}W5)Mw;nw##RQ+z9w2w?e9nRTlO<6&mDi`fEJx@8aip8x9{6n<2^F zk0p5QTzyg#OCeEWe)O=l*P!^)%-~~!;{H`%9uO;6$s6a1Cj>0E3>w%x&)HIk(I!Ir z*a&??k3SDx43Nt2;X^l$7GX-<-=%lrYZ3i=V(sYp)$;efu-i_=+@AoQ9*+2F!y%lVlVTgHD(=~ka?)=yc{NFA5Z~>Yl;J681=v|+N2OFr` z5DuJOq+fFbM+rRzSOrsb_8iiflFXligG>7-k?Vj2++Z49HkoX56ilruc2fT{p#~d- zg)~k`y-gkUG;BYFzt*A)@3GRqDi*`Wv38$U4~?t>RONn2u?Lz7BRbaF@K zd+$0)#15j3O~3AC-6vB9+#uGfTV^K61Yfdf zt6z016pun|4_NoRe$Am*TfRZZ^&&O=TKb^7EZl6WGT`htFfZXKh)8RhUY%N}UpnH0 z6laS_MTX*qY^0E{ENEj?4m4^1Sm&Ge5tc9Zs!LaI0^1fm! zy?UMU0$6NF%Bgb{dH#SGFx53~AdrBO)_-=vxya$iWY^mSN@*v4se?^y7%%&-pQ36G z-KXf+4;KXHb?soF*XqP+lc>V57E5lgsoc`2wo$i*wIn8D0cYRCIl?mZ<575%D8u|3)lY3Kk@v({ExH) zfmd=VfKKv=A&(ONH21s57NhY_fWg;E^mK)I4HXD_U}``qt1=;>Ru+C{$t{oGv=LdW z#r;4q1D9+4<5m$pXGkHA96L@lIv96cX~4sl`1u7kG0&vhiOFDWbr@^)Lk=frvOzO$ zU;g@`R)a?`3%lrRs%aU9Wy`Omx8s#xnVncn?!*aI;Cr6>6dFSG`q~OgKOa>Q+*9OH zDWJUqz^j7=RIbqv+Ipvxafn#HQYq^gAJ>bhTqDtFBE>y}LbJk#c(1>2x3nWV-8}!$ z2n6XBn&!MJRKcb4EAqf=9_w|5ZcG=h3ZzDP>sd;Q#{!Z|2q`C9Mp0dXlT81G5VAVL zS+P__%t_OBEZ(Y?+Kn*3dFAs=2w27-V|D zWBl3|Jge$e^R_@4S|F9s`Lc@h3J&yNT$*JtK$CmX-Tg>P9^~s zou9Gor@m><2gR%nq6dLN=iCxj11?$|z?1Ji>i+fzmb0GVuG=`OD)g!ZK$zTrdvs;t zkB&?|el4!EK`3KQ|LX(iT6~q5A3hqJOaO3JiY8# z!GrtbTn}xst?+Ro>3Y)kGshMm?bkPA93I8W>jsaa~!rkzd!9J8aKeook zA{AQ15$*Ji!qWDyaZV zbn3sx(Si84?-GP9u{$i(8OZ|ipU>D3ENpBB5`q5A<(?)JSufy-N8QD(BaNq-bU z$Gt{GMNwtrV4Dwa`9r5%15U%58)$~86zjTH8O_80YD zi$$~b&z>M00ppFvk5am}-P-TT!hgu6LoqYmlqkBH^N#juiH?{s_797T&Kfr`SLMpvBk5`h-vIkf4|xrR8Z#BR?!AU2qDQ ztOTe;>Monj%D3tMuD}*@T-xcY(fJP%G6_@tM_3e33;!O{y$R#{D6| zbQMr-cOP%~RM6w_jyzmZToi1*p7K!5{E}vxXkot;V6;-ymOB>|#swQPkZf4N*R-b# zvT{tjh-(GweARh`7K7*HTl6U)Q;GgH3ru^2TKxkBiyYWzeC4>cHiMwRDr@2t?98J$ zmvd&hm(Nl9E)dZ~f8IN(}sC@x->gJ8f&Ym=}@>aB$5GNv&z5 zOrSdo74U!7+$$Gx@cTg$H46vkR$S^c z4cOLeoGjb@MsL_uBL4@YL`t15>9ad8tZ_LIr-Myo7g%_jUL1>(ylDu3rJ7e?}J^LPd^U1fbqw}!#BT?r4ZF}@yW&f~m zPDyX}4cfaP9*CZgmih)TxoH6{Xt%b|PKqB*$^F@83T&vc4v(Ebr%+(i+$=imMjiHi?@7{ z4-tqiNSgWIIUHh9E5ha48h~h`30MSk;=8qHx{cO?t0x&~m*(rQpO-9Nkot9@)KnE@ zI8|qCWm*^w9SU?S6J|X;z|k^rG|tYETSv?bkv~t+zGlTDvRuNDNal4B%YKpWOhUz? zPTUpq$+A!hrPMANo^C9Wx}S5b#vCVy@B8=iWWD^*VwIs69 z1El0K=db^!9Rj|Xejxa1q5^p3P4S+>gP($_b`0n?_3-E{AZSpOlw<;wE#$y+jFbM| z-ejqS1oQK*ai_flhs<-1>vHPh!`EN(&bvOAySV9XzA;&+fea}ahskQhlSt~2mkj9` zTa<*OP$DA^Fwx7Rfcr!x`Eh2SIe6-YW8cBG_aggQ=9WEHy5%O0C(b3Nw686rFMZDI zb*^=H$$NV{f>((7H4RAUqzQ@X9k(BR#>h*xUtV4PeD3d$&B)Y#5SeHfscrp3ZX#1a zmgp4n#`h|wJS3-Xr@{M!1wS#3$(BRw4O`%JMTUCHPrp}u9Kl~A5)zniBE+@+o))$C zbuVgGZxSV#6&hw_`Yjdx5I$$f3A}n(%|KlY45c4($8C_m7LvNNg@`c z6Z(I^p7CGL@34$`jCGKS4t_dKzxQ-+?9=xGP>G!YR|sdDDon|#Sh90*@YW)-bRv_M za;X^a7c4@;2ck5!?9fn?#uG#&?!S`*N+of3D$((kvW6tw3{fAJSE zBV6SO4xiH-Rz^rY2&Y%G?%1cR*DV47B3X47bGIwM22f4eBhVC~VI* z6rAiD$~bSqB_}Z3xq1xyCn*1L$(o4Zv~y8Y&m;0tNZNFn?Mt3exUZfppT%QmUNXe1O-V#;GZ5z zsyVb}EnT2nw7}|!HmI(WB+PcPg7tW4N`f}vO3?4k>MGU07ToCl1KWn7%9mGK)rx|a z<_#yARlYOwTbk>g0lDE;#O zy00s`4ZGx)6gxP0rkqZfRWC;Z5N^mK zTp#fKeTJQ4=wn8v9j8GISv`4=D#@pd%MNSnm2|#-8o6bP*)5XKz&{$+o3dJ!7dPe{ zmMr*jetNij$M$7v`QumcoQq3nc`)=Q9>HG zKtBihn9VlmyRiWoGe+U(*3fyIXXMfzM$ExAJ&P%wL8T!?nq|wOzc;f1DQ~lOKSddS zy|14@1;*v9>ZeXHPZ}9Nf>GX#fHXfT=A74zCY!>qu4DnzRIooLNL5?<@>>M4S^H8P zerxH!$ru&{(>*38oGUjJdGCa^wq!<1@lQ|Sy}f=%7q@86k;!`Ti4K6=*(AhzgoRDnLZQq zZCG+>U=ROuT2xuqa+JNt?u%YOT;_D6bWlYXC3VU>Hjs~mfZZQ%9F8w9f>TOA2S5H8V>*2=1dT-CL!wmZ7@avKi%SOepQ z^7c+y?K{RCcMW6UjeRMZkW&7J^)S(JkpcTox9@iyTT6nM_fMh9QN~Jf-^A@7-Fxbg zN+Ffk1xbaqst$BCMf&ZWx5#vufc6Sdpap#%)jkXPg>C?jj{`C+zXj{hJKW3AIc9%Y zIL1s;IqK4|xFZ_yh*zw2Ok{0+F1&p<=?ZJOdD0G>b2-99WuvLt8vf8XTd%E8^^(+hu;1=Qaxd2!Id9NkZMxUyowqQ33j66u z8pbu9^m~bq#}mxJ5*$03aQs$DrXLB5*IiC2ip4e`jn`kiYwyzjVdA@i(a-a-8Hpg= za{7V!SZWP_|M3#GxxSMT53z62=R%R?%7GyrvV{mAk7Ld0r}+DJw}iR++w1FDwK1+H z_rlIy*B8Oa;4|GU=}$G;qL};D4w}iDvPw!<_+OmliXw#Ix`!qs^Mn4j{y5@XLPW(E zVTOLf^=Xi<>v$ZG&uQD(Dwu;lJb$v>i(E~baRLx#=5E#9D)v%O^=l!`?$CMvo5m%{ z-(M;IK9a57ZyqT<8G6GHj2jnslS5mu?jG4(m@Siuq6g)IOC4;0)X#! zZyfTjcf2v>BXGYueGAv?ogOI0v~-;j7#WDcZ|L;W-RZ7x+$@VrwVhe&^sBvs`kgJ* z9oTvL+pf$VFF7^O4L^oTLmN(>Lazb2H!2Y2;Hprah+L!;^{f{Jall=BY zk?V(4g%>H$ipnkdW8NA~FdML2cuBD`wLhp@{p=lVNjCLvh&?vOUO6c)#zKM_bLMb! z!zfqszVyQREECo!#STf$!^0S2(^tYr}ZX@!Nse0Y$lT(RJ(#^OyHdb+dZoWRrXF@(zlx1hT$* zbe2p>mR~k*L->ei@T1;%F28Nbw|_d)t0#jr$m%Fm*nE9O)bh>CM6I)ML=4E6o_=SI~%JTo>QsG|SW^MPX6|P<`STR^$wv2cfW>8c!)aNxK;<|!+ zD(1qxtoB>}DrXoeINcN*xswxPdO%&r+%{&-a1?jt+qa-;grCdz(W_9h8pRx7A0~yo z<}}60Sv7e-WDVKpTcv50s8{>lA!qp72G!Ye<%= zjbPq^zsPp3pgwHz?wllqdi&|WN?R4|I}SOEHUa@xSReAyi{>rx?}dvT~d~ z@Y=t_lvBIvhoLnnySxQ))(;zn_cln;8<(Ep=UO{?NF|5fB>s7Tw`0U}{g%*HAgi?X zB@S|N+U)iPQbrNab3J5L+bh5)u<>_y!Vx2*TTaQuS28HbvDC>!jK1t&Wc_Eu%$>#> zlNOds2Kt%p<21kH_2IDjis@hXPW%;IQUV??w|}9KnLj@97-E(e`q{}m!1Czhr*7ug zs&_EuNt}zUYPSJDEDaS_69d?d|q#%*__m3R&P1;Mko1g5(U#gU4SqB-Cx5#ej+SKl@g+lb7 zOWL})xr_Er>9&YUm=5Z3Ja7meCxO~VN$9ToTD}xcA7`%@D_8kgsoz*YA>(MCX-pEx z6&_FS#;aihaSv^nU9#LCehZ!Xh*AC($bt=usc;ra zsq%bh)jE>tDN7P6*X$Wl&O)im@N z8QQ#xTU%`mdpj4=it&|vd4EovSB9YZ%XH`KiiU>SY+}0@_7J?#0(_uWGNFg|zuF8TaS>t_PQ0L0(!f z06Zl2f5nu0R{7)=uHtSl`z*wQ`}`Y5PkLsXGAj6ILvhU8TkSjc|HHSGIpp7GJ>tTRvWVl0cg8)Zh4$xoXd8~Z;vEkmjAY;X)FnB5Wc^0MS&*V@wDdK^2)K`#bS z90npu#rd!AS%{Fc-?I@>73jxsn>KbLhFHWd+|Gp zA_K!RXc1B75~@5T>~R|oRATjtg$eKyGMUzxbCn%;@pTa!Z_bkt4!e!Cygj#t6LYzL zJFsnP#EVM`8V=%Ymn{lz$m`-j3_1xOX&1^7kag>#uGxro?XK9hFe{jp<+UoOUfaK?VhDui z$ZO|`uLZ*sQpU62hA?O)W)l0a(tJjBS!LcEiy4xckb0GRS~C=(beJ3S*b&)slBG`m zA>)KSA_B`ZaOX>U^+69CUZ07TvAba8EL2t_bAV4|FGp2(GESL;w^9;c^kyq&XnHqHWgTEAhxc6@;(wG<>l#n!{90IAtlI0v&~KtKiOjM7aJwD8g+Fvmo8wl1qbtbO}p$cX#Rk^8DWS1MJj2=giEhJ9p-cM~n>b zgBgh8G1U#ves541T#+=b{f163Z)f}{-6`d{jN#6Slk8$d(%F*~EYhHXsWt9D|ISf+ zFct{PSfK1E+}E*UgQb{3;iY-057VCW4A)bep?3c}suw=AoKQ7n(J{Nuy)WG56Zi$g zO(bi9OIbQ(MNGL$QGuOS#I-DK3Bf!$fM~fXYD(Uimd;qJ!w^>OjIdk7Z?R2>#~R%j z3vXQ~5H^%;#CyyadBxec@%B%AIT?2UM+AWjitK-H)`K%|IXq~XVQ6yTzKN-X?5&W* zs*=tMDpiMD@EDE$G{o4WSCX6QjcCFzcx#U}8GT)VAL1aYg5Y|^(Zj+mRbp83pl6S|?PD-Hn%bOh zyvXNz`0H$~r^?Bg8x|y7*F*{u%}w~S`R%9;22_2I`WcnS@2)8Xw6?CYGcRD*HfPg1 zJe7)6-_kO`cbB)$PSi>oXxR0q5B)G)Q7i|V5c7o}GbliNNfP)f>wxACamUI=rq`}m zGg^`ybDI!#pQ{cRyq$8cI+4t(;fZUW`#brIx&O(6YxH`_cWGC`XLRR7Epn6NRQlpu zOE#pN6?iIw!_&+a)$45v%csc$tfFD9yBQx1@o0ZtWfHIeyf@KS`5K9PP8JO#XNnWN z`?|cN#%jTC9Zg8cVrH;<m&e2hm`T7gnk)8pJu`GA9! zWAhu*CDT$2#@fJ+ifsCUK8MbmjKyqdOHs!_5wz%JIeu*`_CPA@$nQyDc!*3gLZ5F{ zv*ELbxC&dZzn15S2fwcHwQ zMf>eA5PK}fPEv8%2PJYMQQ;&(WP|3pZ6zfw#CdBxh#>;{$J|QeVKcmF|8ip*A9%{N zA7e~ZHkaWu>mAH8EZhXGCgpgOr?-<1_+4@OcB_9EVrVB|8HZMEW`{*q^m%`bPuIQ% zB3rpY3jd6CdtywPjMJV9D5#=pPOeG^jvn&-$jI%;NOydUL67@!)^BH0+Sb1k^F$J6 zUT_M=u|T11M%G$vu+Br7;_$UuiBP63uY)hpHm6ch)lK^)0rA;gOkuOq9ByN(;Fwg5 zDOR*x0I@i?d`)s-E$l}iDO?dsBjvtSnJoV2qd+#>7tc)zOZE%w5oMx$6)+zS?>+#OQf)?QT|8np1E zRo-%Hr+r~)Y6GRB$0#l_?w*>oHm?#55i`gXc=XB46}DYTCo7<7>Y*d#I|R>zM2d>h z?NlB!(Q-7_@WT^>;N9(JlZR9>IHI6QIIO|>-vpHf^U7!$7qx?0-vxdtU*Pj(Ra^pt zo55cEGiTSvTZP8OG>jGlDx8sFV2hz2yt{K6JvGWYLdE%0ik%l~1;g{uAeW#?vT?hdlH(&_iF zXNhd>-)(?tpkJ2wU#|xojK8w1RtoUr;=dwza(5< zHB`I|>owG7{_RbJ6Iku*Zd$WK@!C2MqZ6E0@D$STQANKEK8t?Vyj<}^3U>fSMhxL*1DU3Rcq3+8jzHwWiqLwAV zmBFYZpY)F-heILOYjq`7iDNKT0 zU-_1=_r{bpO{!IwOc5S61lhr_EMeb*&!TAdpiaoGc+zEXI2_4DL zc=IBFbTr^pGIslA!LLE;Ij6BD%UI_~YDj$Q+3Luq+w*h8hnkAh`V>^_KmI(}QXnGf zwiSG8s~`t=%F0kJUWIp=Cm;X#U*m!tsU@L4k%%mG26pl0(^8uuq;!bA(yif=3bJ>3 z;hf$WxOL_}-XS`A#45@v{6YumSS5qkuzj0Je7^^Zf7ATH5fhVIV6jZ=|Gu~-Y*~Im zJ`mnOVT`yWKiYt;<#S(6fP=>x`el{2y0@PnzLI6Dt~ieWrK zLPUQp$JuFT;P1%S`~E)&Qrzj!j);P&iJweVWdb#vLp=9%>*S}Vn z%UN8{(!)%9n$k^o{lK+}{ap(Y@2wY3ai?BHd*?r<-j2`D{+5iUbMOs0CTEi9ocRDp zSLu61Px5o^e{)K0u|q=lEQ)o2m>r);deQ`HQ(Xo1t;vqjuJk*Gn9 z!6T|r@KY4;@lZLruyyr!;O|b@dLDTcwfVzcsIYbF_iyN{5U$YLnbdA>r$P7d{inWi zL20nr!XY^q+1J&*O*A7qzLI|eT=@tc6CXd;`kR_cgF0P8gPxIW5e5S_aD&jx?3U$( zjTK?I3X7>j?oeNUMvT6RS%ooP`ZLwlyFPhsx_Fr)(Vt(qh?{?A4#$UJwP#$Kb4ekY zX8Q=aJtf2R*l>-N!iisOeP>sl82W|KjRv`mi+2dABRESC_a!WywthKfSZcRoS)I=5g}?6(wZ~ zBPay_>%h%8d=bEBq8y4{Q?$t51PfpHG=+yl;(KG#7QY^fd756#-y-`Ldfk46UyH~O z8eMt^;|wWD%qFey8d1EtN0rct?%+(RhfDA`)2i6o3XnxOMv>8@11C3$((pv2m_Fs< zU*pj8Oe7AH6UD;yavS)In14|c4alCeZD!xcp)^6D$iXr-KY9c6)Qc7n=G@1Otk2No zPDL?mQ@2TgJVAl=kAuAyj#F?{xDqDkq}3aVCcK0vZvP@y-=&}bO;O!TG6mMQHill@ zkqdKH*)2u*SPMDUeC#DZmt=!KEuCpgCcfU9+)W=+iox&Mw5te|PomlSe~r!YyZMI% zu~HYl!@wvQBG{c>^jYOMQmi#@h3>q2vvzagCstkb76#tpf`mWH>Wkj5ca)OLYDlU` zhwS5;zk5yTsm0f;*QGqfse;?y2=|0eJH|yMnbl6B54F%fe3#copt=|FGA#F}z4T4W z(}Y=FC%ID7MY2SAAGwSX;$~tfUj>(NDrMDjauMA49MIllw6c+x=V$f%gz6F%Z}O=< z1g?^So^GY(ihz0LW$PQ73q9q56c+BCKx^)r_)i&WOy;#n*~_mT0hEivWUvO6-{0m= z3>^7b1+xthe4W4Y-m5x$nWu5O3)Y@V*c-qLrzw&}^QRajwDk76jilm3ZT(^5Kvf1r zG1^1A)W@WV)ocDO<&Ghan|FIvgp_foaD4KI>FSUKf}O{F_D?51P8hL%V(-DFTa-oc zmT(?NNlIUh${7-(c#tesYqY||8?&_4cl~1*jMJcvHSS3lT3gH<5wgL|2;sNRo}r`o zy1b=*kWn>(*Qqi@XHrc$0K0PfgMjP0$11%Dr!`>R=#qE@W&73x)P8FfB`}X~stjqI z#E%G6eZ)qSv_K{K60k>}=SAo8W1Bz$DsTJOUEZ}DfVGC}~+V@P@P5e--qQ0#$E!<^Q<uRE**N@wmN)38%q8DA@Ue+>C>*T zCtZJd#@4W>l!}>3<$=P!(oFjDXV0WLI?_v#oQd>+O>}byGC2la z^qR?MGS@P^n4}QGQ^F|P>rg_G7wUF{YI(u;{xoB6VXM~(YVO69#5naNk9jO25HGts zD+?Fq344Q8yReK2ewrn~_x0C${2|>y-grl9e4ozy;4{|0q*RlL7Izk!bGI%V!pFRR ztM@$yCbF;*N2u`b+vr(hN0>ew&UXb0k^ZBX(yH5efp#MTk1c`>SW(yZ6nHOZ0|al* z2I@Fcljy|jUsf{K_DXN^gFZTw8K2Wy+TX=pVSZ$a!G7#(_{=`jEQ@_W&x;yB|6{%^efvX`|_yYLk5rQ2!xaNb-#ClMM*QM^lE86Z$7HF4hw!}CXJ@$b2{ z_$V!$EJn%LUcx3l5yw1RV5Ae&^2UJc$xn=$Far1OQ|KrePKCUXz<9FKuXpz-M8=|L zEByq%rbJ1Lo?;1K$n^01JI!~L_3*g9NJHyuK2Biu9qMe_iZ`KO{puy>f>-`vqMy4^ z8jPKQTv)eO>-VD&tAa}Hr)AuAXjnI8RFnELW{ZC|V`v^%(@+2T@$di|dWs5ZNA|%R zJY4a9f-^xedtn$VZ=OE`1hxh9?K+Mk&ms@@NqK~~;|3Jp*HCET9qrO%xXs}&Mk>}} zx8@v0#fi-t`xX79pLWD44R)A_rqEF!3R>hdvw=kJ%o11zGZp#x{kz(L8IYAf~kOWSP`iHw!8_S z3);fr`-LcIy&tg7QgWT8;PktE;2rSgK8dttP7Yb2d^p}KiD9xpCK;#4n&u~we>QT| zjAdE0jKp7tL_DJ@b!!e$BE4v_i-h0vr1ARJE0`}b&&~TqG{e$QoF~{n@cS{CX+tA! zX;92xD*FpR!4($;B;MqQe>MM6N0v@UWdnrmVqTt_-lC{JLiL-~YJ#Vu5TzlYrsE-1 z52fxX6_DaEsx%1_i}Z6r$z!gm0DJ5rFTWCaAs4TiKnPqI^6FP8M?pf-N z*(JGj2`qnOD4lI!4ZjQb)c&})S+b1lvH zrG^=Tg)Gt_XcOk6y+eSOW~z9K8@Dgz=-}Og`1jsKoOp-DP&Lz1YF&_FAFq=^P0Xor z23ElUk3i2sA(VF{fbu1EUf3L8=7-Tt+<=-qh2s(4VLFNXESRkc` zfoN;n#+xYf2g|ijN3Fp`h+H}#7tko`II-nfP&3Ny-pmKO;E}obP^5fW?EZ3_-hXM4 zn)7+R&$DzCB|m)ZGh9b>beo|?y4b{I0tXS?Sx9PYKvYTZO>@YTzk*;Ns_7Mo?fe(E zQBMjlYa8`Qo`(kl-6e?De*5CI==>gjFX!p7iC-4xJM@V|3K%RtwuVd=UzrgbcmjAqlw}x=IYbr*c9yFWj{h zGuKgiM1YH|LH*rFue$w((D3))BYYgcOr%ZtiiXF$Tx2VJ|FZrIw%f(!V&^Qr1%Xr` z+`Ok8cP-0I5C?xpK31X%wt2OnB$lCDbEwHo(bu1ioY#kz0Bi;2|O9*<+89y&0(>f zK4h*_?S3~2&EKXHS42{Imixqbnw&(SY#nGR)`Rs+m9iLhrW2>LSHY!V3u9V04YPCx zgHg11Zou?T?>oFCa6qOm7t4>9PZ~Li8rKZlHB;97uP+6qr{+8)`I$oH0j|U_WJXvE zNqNBXye=Vf?&Q6XjHxN>Wnnk(xc4Th_lHJ0nC6u*S=&>!4fmNkCk{8;kut}E@AXb( z^#pSG%5;1ii?Muk>A$E0F(TKW|I|=@W=LSy(PFud{J?+v$SJ1KKG{)G6$X#1E=-ld z6@RWo*$CxprbMo}Aj&_OC0FEc)MzNzq^{?T529|X=aQ1(%K!6$qPmG=DtYGg%^aq_ zBmrKqc7l;Pro#E0G~)cIIpyuUBBRe8X(hxa7C4Tjsc&F#m}ACZwcRdgY;e4~dDOZP zs7n%Cq-jW59=~{*qr?;HrsBZ3NDwizkY!I;{(UFE zIF{^riT8k3A_XCbshAs5&TI*OOs-b23!CAWGO^O3^jyBKQp7~mT`FL3Mcvg!+&l7? z`Jw`$0+z#@2j+v!ldA=*6Lkv<`}t|+;hj4;;-)Y~C&!%Ow?s5c6~^1d-b4)g;2@)M z1hXA#mgR)~`bt0@_UWPDXf>iT6Srkiga!=`DXi$1H>6^XBkt$6kQ7;>w(#!n{E!S+ zlW(Nhb>Bmpa4S^)rSl;z=A{%i6+D_IIm}kWVwbHvGBT-zgW-Mv*8~om)Ar+owcjw@ z^f!rC--yc%1u4bZ4<%@F=Dsnh$ZQCPHJE4aey0{3*@q%>L}y7~2BTY0YR9D&;iDNV zij89UvuFh#23hq$x!Xo(?K>9i{GQ+1ma${&UApet6g`?{(v#oQ@STrJhS(ovy^YUN zCcBp%Q&57I2&{POu&3JJUsqWc(XAV_CE1kT0PoF`Y_hIF(HHNjOPIXaWq0NGJ7!lP z3c(eljR)Yb*FS<}X`@0`ono5S4nVPvPf&CZ+e=b9SpUBvi7?yZ?@%QAQyXyJE5Aud z3jLeqypzaB3$LDQ414>a2YY55zxFe@gZl}CdH(6%oZPz1hta{>004> zRlqJmGqNdrl8)i8^B4=kPDcc|&zkH8D~G7J)qi00^nZHNUSd?Bs4ZMg2^iE}OiVn9 zwa;h%=wE=zqpa25JGm|5iG{m-^e`f^g&S4gatQLa%f#SdkEw^%g(ivp zEXJjTHvcC$KT=(iJr`1QxNVW!bB;t#Y<)5dS)|bTF2(VWRiq8DyY3+X7^iqRON%jk z6YtzImz}T0{mF2b)gYs-Vc1$4+Snmh4{mbjk265K%0?x+A4bXrbAf(K1N~;fT?YPp47T%(Bibo#Im8P{jJ*C71Nlh! z?<|^5Av}?;1Vb1K>F*%YyFfBh`Lp-t7NQ+4CBFjrzF9K8ZvbP8uI@D6o8|~Jjq!g8 zM7zX1&p{DlpAep*Nzy{aZ>!W-*84y^Y3F!`$iNUD#b=;&bB#(B_aE@k#cSyr%?W-Y zut-k5KsAPs8`bw$xJ#-|GM$-@AaX1And=WC3h^)-o@4wjSAy)~hzvnwvw1+3LkQ2@ zu*cxD(E_4fbuv)-nqVV3jekJs1z>S3Q(vKdBQ0#ebs|YTFAswE4>>=4-Djg#f%HoSDSP|v09zoaY8MO+16AQL+ZJYg=n<_;?tknw{G>T2?#&mWeJhF)%3VycM!5com zjOgsbN2BN*tqcusU*O?1jn-VyLkB$VN#CscZM1=ckAmUFAwMmTtKE6EF-oj7o5qIa^$TN zb!u8=Ja3eQ@;od>(uYq_DfEK{dtV5}v);i6=N=v7=)zr-DZviDvnfQ_EXUS@SH3}9 zwU@kT;yfMFD;F@x&A?778#26+;1;0xRNM=j_u*Y%qGC5d{5W;(wRvq+9c?PMbym__ zBVKX2X9~hq&E*yzaOvSqBre&D8gEdkr;ZViE(tFEpp^LM-j3U2l%P`5Zr>$Udd)4g zlmOJnukWSysVR25#o%g`f4m)e^YVpAk6)slE(tvrDgEGF;;sJ>d^cRopf?pk`NnWQ z3~}AD668Wt4s|CtpX&XbaI+*YY`0Z-^S}ySxbE-sey`tk`N#C-H1f%KKa6EWOTX73 zP<`K*i(wV8i#SPIhDEzB02!>nT>ZL`;3g+EXM>>_OtJA1D5R$NiCRDdNhOP z-MvdKUaeE{h8yWmWD)+EQ7)g!pW$Ef@>PEsT-ld-2Bu8GWN_CZRtEonWZ*8cZIiBh z7_jiuu3Lv^E&hlpPDnylsFl$PXHc=YEzZcNzlPI;&X6R5ZBai{M&wtx$X?3CwtwjA zTuOheGQ7e>r~}c2XE7`BiyKQ4Tt{f{Ez&9y>=*ae9R_)P7MWBDN3tx)L^#@NljytI@F0bWYBnYQy96t<_bJd^$ilj9j&`N|;)Q+6mSUkT~L?_>JyGx|9 zX^(yh0kS~rQ7Coo-Jt!MP;OPn(bwYJYNYhVHi}Q6GoReDj-#L^wFabgp+A60W%Pj? zJ(BUwEyFwcTKrm?zDp57^T$y23WKA@?(}PM@dIFJdF~{%r;=$ES30nqLVs>Hxik4Hu!e@5+Wm{2!a~i z&Q%IWU(bMZ1{M^WV4(_@V_zBkYD48ZB!U7OHo|1^#a-< z&^9mbsnW<^2zj0IG!M=MgT#GksIWAHBUBY0z(yy9 zejl9V7spU)lC2Aq-d!##dMDM>o^W+rbwxLzQ5$cWUs&79FYY9>w^|p{QP*T$bD+aB z5yQgyH8I*HiVExlQ&TP#(t zYXcLXM3bH1fe5%Ia9VGh78!r2yL_y=Wm=EI)Xt zU#POKY((CE8~O3iVQ7-L9qMCWD^7&VPUQ?@R3kqR0?}IN*Y)JHok(c3Jt5)hFdkeB z0Y_O@4t}A^=qM4g*58!PU{kKCaTsOC2p&R0ca=YwL&M_s@g6P~tDpNN2vg)!V5RV; z{(uzp*w{iEqR`BWRE&1iN#@wtzI`=lG4pTQ&!wySc7|K1a=DstyO56sPH^4lL~w|y zzu^LAn31UPi)Wplpt3_F__C#+oXOa>;-T-qiG2|JG7AC_<#i<|xSkH#Gw!rC32QZ} znYy`bsDm28TsoPdnBN@_gqK#bUm&83=Nc)f{>xV`QIFT|9Cyp~Ys-jses5IBYW zMQf!(Ieo^NPR_}uWkWH;UW#&&sQS9?(cHb&am1UIBl6b(e9Nk8B^rgmuqCcyy(WAZP#A)S+( zAB}pYOYjq{)0_f^IZGmFnc49Yqv6j zS1SX-JFmEmj?soP?{(wT$&a0RkM(r#hAd;8WvvrG^+Ug1tdpYq_X;lo%=rw}c52 zk+)tvy_J!vaOAHglYG~T#@8!%JImz|i6?dQA{>gulk#0;Wk+!$lYBqBz4 zw#nnu!v8x2>;rqIe+EnXYp^D^K%Je~oNjfM&bl$c3Y8QxfOdgZxup`)aV2))f6N76V8>eQrUNP=iwx$&;b-Fc19 zES^G3J3s)heYmaZXPy3UA0O$5ovbcRN;Z{uT^h9W_yjvBuAN)hN~$20=%^T^ca|!0 zOExOojWwBMyEEh4qzV(u<{VGnUGu zrr>UpYfqs92T(#njWoYI_dO1~)W@oel`_rZ>1f3qZ=4HeEU;BMpfN)2RF=K&8aH}~ z+Dbo2WWJQ25I6L%TWb|X8^n5Qn3+WQYK7l$T6_}uiJOUD_TB|oYbQ7X3}(}P7myP8 z5nhO$wrc)9-D{Ti{?v3ntm7lCKv^4lK0{s}LqdO>wpnIoC?zwEV)Brla8hw`Q(GTJ z{~Qz;QMDK$oNs5H<58t9!FEamq1x}%q&l+*m?6s051m+G>mq=(JPd{uZ!P(NV+#@O zm*OTy_s&GJ4SQ2SJ@Lk!^CC40ic<6$o!Y5Jo0YE(-q7_&GiXoy?3srvo6l>6FrWNx z#sUlIkwJRw1$C!C1S&i9p<22|Gm_@DGmH?a`+G{ph-~4K=5atwEEq`hU>W8N43QFr z>8C6^-O7$AR_Ncc+eC?e>djC8@bmp5KgDA=zE=b_-_y9&w;5r=_njFLB>{MZ3FncQ zDPx?F*UQ>9sK_IG!F4*|@Y< zEWLM7nM}^~t;kgBcJ{4nf$wU#2;ri1i<_|{q!ARlF z?AM`jiw1UL3MY_8`gpZu?hjL(WJ?9Dlj4(TgMa`5r>nu`bM&nRYn}Py?t4P9Q^9y| z!}v2lulISToK-BS??Y-zsoyZIZ7|C9@BT(`4nLJqAgFOkZL*5v1;W<0j;CR%a@%F2 zxz9CJB;dWw_S2QBn)qvM>G2_EyINwdUXw0mLw5zt^G;2llS_OTj`z3K9kD>PwXGtL za*nYi=jguRa(lXx4Ga8UMaUXjW5SuhU=Ebw0wb;;fpO*0M0ImXN;TC6>E{=Cz^nn# zH_{ew>+d^g|Oy+(`ODqiuwS~T^ax2*)ZgJ{JX}99f)${ zMJX3`lOYfZ&!ro$*y);g%6vCN=Y0T~^+-9RVa&sD+7qjsm~Y9@iLjan=gOUwe_=af&M6VtlnR9s~W z>@)W*>94h@&niz8oFp8J#v>J-n&m9_3i)cGVM2w&CpfeSreQZ9D?pi{nV%u4{yW>k z4wXv`YKQT7;2xKlYh96aTsJ$1nLr zJ~{H)0lKL}*&I($J*{b}G~!tHeR&&XQ+Rfhgi#WR)`7-It-DLJ&#Pr~y_`rln>7HS zko2?>Dw8fxbp;P87H*li&r1q&?lHa>U$bGfp3Gv9OA9>`5Uhvte9FvHbZq}AaMv851)fN=5PJeOe9^s?1&3Go?)?WtZl+r}5)D zQ(mI3vFU2o2#0SK&Em7o92#6@a-I69WT=6%rhKUlVF*_wm~~EK`lw)+%-{ActaSo2 zJ6?@fzN@h*WYKHTE4NgU|2qd{;TLU__Y$~u;@RSs=&{OWYESD`#{i13rONF7lshn0 zwEsNbm?+H1Zj*ZJk?cEf6X&l$+-j@q;7bmBv&nu|j`oU_riwKl51g-K-q;9XOm9ak zRfg@2?63+<|MUkU)y6Ze2GK)?x+P@qM`T$Ubxgr<2MV8 zx;&!370cA$+Ltl*pb_Rlm$?@%1I^TY0KHfa{) zJ}tKfr`DGWd~dxlGTS2R$@$C~*%q9tiV_F{6E^g(s&8UH`psKD1s@(~S=Aq-TOxdV zm!VN}eAK$Tf>>q9ymgF@)%k_Zb!_^AWY20c{qqFfDXJx(#v*drMlSC~jp8zXU*?eA zibk)b{pBE|i#~S!e4p4+aXjr_Z=VRG%bHedvZ4}QtZK9uN8 z4D>dt#-EJ*UtA1C z_mwA{Dd5G=TxC|t8y5z%9%NZ7Nx&vPz`z#VGld8}SuO3JYjzFk9fa18EAp>+p>Y2j zwpjRr+1;diZq&uACPk{^vnfR$5TPj0{(EfNn2hzUU}Osq5)K$F5Ye0#g8Wikqtj{T zt-=5(8}R$z7iD%Lf$?D+ieERb5BPpYFc*U~woZ;R6ErMwl4Evr`4nxRBYXMn#)g%S z=z6E+dRKfY7E(-nhiV0T{_H1)=eiT}Bh|VR&wqAmc+h@oX7eOW&$e!2bh%53aSAgp z6%8QIem6*Zx*GL~=WR;@S!5Ac6{uNi8Go6K>i5GRSr1)|y>B+ScgcTtZTg8kjYPXs zV>rY0re?>ognw*iRyDLjb9hA}q_wm7WP7t_XAmcAlbeZ@-Gu(Q_{_YA{}fIAj56Tz z+wQ%oQ-s`ikVCYN3YC4T8NK77l(W|S{WNLSdn#)Ttj%gFh9yV3wlY7A@E)RG#pM(V zaF2*<;z!(>&(%O=66T1Zyr}p#r8|Y9u~=(d&piGE585Z=3Wz|zgpCy$YCZ;TglhE% z=&nXWVSg=7o<@8`b816-LNZ}P`AyPi5rDUe_*vT-=GS&=- zc!e{f2Crs8a){z`;}F?(zhKSc^fob)EABLQ{FcepX0!LjK_1f(k@{w}>Mo4fca8Og z47LHAC9cS}-P(28et3j%Eu0~3{(9f<&zoB}3YV%q!nGXten_zLsv~Oa0IZ&&fu- zWQ}AkYw^Qx(^9Jh-m*xLqN9A>@R-IC#1rIciCaR|y247l?E{V(DvZ708*=t)Z!sM9 zSj*u06pKoDNaXCvhrg!^s=LTqDqDJOf%4U>tMjS~PG6}qZ`PUQOww^`!6^Y@@-)#+ zWmNG}Y9;1kjO<|_aCb{Q@I46+f7b41qN*bfq<#VEGkN7vcwl3GpwX?8;JDH9h9x=6 zd?XmK2QOwitnHe3RFqXXqA;QX=FW{QFzV{w!&uGDPA^e$g>`9cT%<(93fE&&X(ku5 zg9qg+M8U?O8bfNQjx!CKm%?DYMLuX7pT-K;4>Q~$^QtarEH9Grb3^Ay0$pnD*|LF+3 zT4d{YWy>PZgl^;zojns!K++xD?4H4j#3^c+9)#q4);6ZWV|}&NQ@31=DT)TwE?w7^HS#o zyf4JiWg*+lz9t`ywjOwhBKc9#g7vax3g<9U^CcRZ`+m^^@rosc`#W!Q9S+*fR3*IZwa4dy0MI%oC~@>f>$0e2nj{TGEqO$f61{k0uQ5vuh8_l|M~j% zCh_U7PPsr>(isjJ2WPu6`~_kob5xy1xM_O#7Hcr@b}r$pqS6>M{8?MAwq#!ou)=MdCGS#yc&5MvkAuU~aKz%iUm+Je)CK_< zc{_Zp8b`mrNaA1T=ZkuBP#d=1Ig?Uqj4Vq1#t)0=9rbn=%^kVD8AQ>A{gBoT_Q3ajlEQrakOFFWMoZc z1ktX6g|^#plkFvIxfpxVxD^o~zaoPz9olfw?DI;=8KixI~W5NM`S{lv(On&)3IR;7E0t+2@tv-&-kJT@>$_ z;Q;f(P-Ct|S|Nyw5p1M8#67}S)*H@|_7;+$l*h_`-`SjXT39S}#2h0^{6L9I)adx? zSW@=9&)kK#U(V2`}FiVC5^#-9?y;cy!gEmnKK{L z1E04JAl!JSdZToDgv2u*B_1hS&aZ-DBCn_H2yd0l1%))Xi&PI}@4m?h@U>s+2>PjU zN3=R5QfaO7s_3*Scbi6}R(Mao=p*P7DsBNX#uoJ|ymJlHu2Z717vDmi%u37_$_DUH zrd_2FyYF&4(|!3tWtvzWqbCp}5VY1c!?%Qgf=e3<4Vj#zsyiBsLg)S zj_v;SWus&k;knW=O}r7n#PdTH@OFi7W(=OfT90<@T%~Vb38`?E9Oe%<1lIh;Vm?kg zJ3~(;BaarWLO)U!i#sHw#&zpPxKAxB`qz5YpaX1R`jpBZNI2R*{ff)tJ^B{djSPBQ>pN<`}X@QmQ#%bK*;WL2c$%=ai^0$b7lYg#O}M#>~_d~ zYRd|35fw}xEUiKB*zTm=u+BS8_edwjc&v&6bnZkT3!u7owR+3m%3hHB4Ef6sd+rzU zF_Qf9%c6`6Gih9z*T`|vcF@W=UgJhp#{}IO3`&t3IdH|P(UaM!2sLJ74fR`V0lI)} zT{~q03QUrElnN-UNidiJ!=Ou1E!Ze7rqJ(dYcLX11So4tfVq$@|yA7`pC|Tkh=e z$iI+d96HWSAQUMZW121NWxiO^*BA9oY!ofC0@QtNNuu#9zhIUA*SohzP+8zIE+0EJ zU4p~Bl$MultWp`310Gw`N7YvDQdOH3V#qHef5GA0NKt@?P18voY)vfebyuK#4qt>) z-s;4f%jBwo_o~)bOLd)C95XDdnxxrP%kNlB2sn$T0pmF90cbzk2`*dI&sv`7jRE$K zz=%B0bF+mvrdyLZ*PE&xR@;?C_8kF+4ruw44Jys<_8^8|J$D>xnr;#W@WMx@t{R+z z&i8g|TUpvU36#QRW5io!1;DHv6%AEpK!tK?7nY$sk7_ktVa;n(YPXzS8&L*EK?jGpUE`Ic@?%ylI(<|N(SR4jTRlm-hZ>* z%7`)lL~R-MB(gshJ8Gx$1WS(D4VP|hKb9-*q^5GOxM|q04?(gX3>1Tnl9ja85ZxwTs-Mej#5V#Bg3HLg-!U2pZ*$-h-=(FR_mm8+lamfm7%4cPrvOkpa*R7C^n)~;&5 zvhXZ-otC_XL-MfNQtV7}Y}WOZw^BmyV!5+hdlp2j%nqA3rA78t_ef7?n(>Mh4R(vD zR%ZgL=jpKhW-tRM;hxVB+16SB9i*S>|7udxOl_@g8q!Zm&Xz%J(7fMH`hZh|jaYl3JV8Q%O_6R2JYw^vfZ>u#BADri2K&zE=l_O`76RF`^bKSdOI^ z19ulS4*81EihDHpyZ`y|>NC{QO$^5Ag42}=9bX+AwnV&#+LIenfRmdt!9or5GOqo2 zfxz%cz6&^$Q}>$QPoVa6u1|Yn3(=VmMRt^jGqJD z7)Xy!7JeDX`VKfE%AT9!Ym53Gpu5s(!B=Ssn7M@4sSNt|80}DL|5my+Lj?0> z_Wsnd&9;`{aNaC^G}_JDMy9B!Vx%q&5b2l+0%C1Y-B{7I@^>UhT@h)I^yhLpy2CuX z{s4KtSze{16;(AgTCJrI(`0~>@WVP>UR+DYY-;l7tmiJ3?Zau$VBva^Q$uX@?QzaK z_3`F!F@CISTq#?T4trg|YfE_lx*`ZYz36|nE-Twkjf51u3?DpSp#k4^hO}GdcmK%R zAlGkYcL4{jO;=U36M>p9hf%eFF_{}_s~!9wJh*%`cQe?tewvD+S&unoc|f(5sj7{O zy1Mprm-z_r8b%Sm@`8n5TxRAi0rTEeCE${Bd7Uya%6AWVOLFFhWehkpgX?{ z(MuZ{Xg}RvAx;?p1DxlPvh*V7=xThLu;dzfoEx zUQL%P3L?;MQf3bnLdJ`1&9K3!9BYpKg> zUpv!Mtf3AB8x2HH4}usjRevZy_1z=;StSN;$h>wlkbIVxTCcx|;adU5o%X^p&_Qdq ziYxmGxiu%vM;4~DL2Y_D>R&%AT{5|8aqQ5Pdo-d%=T9~nuPWLSyyXwHfParQFIFY! zucwUL0zicXM5y{tiSzEORl{V!Tx2)4dd6R!O`a36ShN!DI$TKFRqv8k*8XJ7BC|pg zech$MckAEmq^5q_6em?T?-+JU{#pH4W@oyz&0L^=gR}8)B%u6-u1V)$_+c{Fo%b0Z zly2dy&OZnucq@0x`FqDY|B&a`4%$Sx1?6X|^tm-i%4kK(bcCfVGY<&J;Nd>Da_ z#YQ*$3|aQwD=e=2vLem4qo{RA5-qTy5RJ2$?3#Bm`I5*rnNQy|)|5KCMs=Ji)bs_M zrS&MC$XI{|EEzA;w-^GtfR($#DmtuM)kPMwhy8^qg$EFwmgrv80@_oW2dEaoO!(#Uq7ADEEBqH zyCSLm&aM5PQ8_9)db}-!I568;oHjR8^83bmQ8cm8X*x4M2bQKeRdcfh0+UzlX?o@I zB(3}Irz7O5-IdHl=2`GN7tKrVl|e1Xe7*7|L`J(fvg{bq5hw(;!Y~>lK2TV_TiYC2 zLyTi;O07_@Z;sb=VM_GQz5&NuXPd@;fQf{cG_l)eWsNhsW8FPK!*sg~yPLbqbd7_a zoSM8-#6MQ?+I>yKjsyjZ{~~dD zpj!svg@5uuAKhm6QU!$bN_Gdg?DqM>t|PFej=fANq|k}PL_OpFPJBX+mY%i!vvqo7 zI&ubZA=z+NtULb~L+g&T(#bAW5~3&{b|Ct6m^8yZ35XW@T=eaTsciD`2R7jJr>tE7(t~|=kl(Z%5N8yOX7BB?DionvqLg5Pu4&leM2ve?n;`5)+a^- zWI&mL)IPvCMR|)2U)jXrK#R>H>l~;f+B{M(7SIlqqezlYk*kLW#+3)=2|!$eSbIRn z&vzKS5VBlZjn%1N>XMb?q*OGp$%L1oqPc(tbvWdCkCVvTpz1NDVTo+LLX$r^Jla&R ze>+>3!s!$aeANkGuah25qCO|d*$H)sttEW@NY{FXdX&5?t{nA3W+@Z&_;F4h|EM;d zPR~5=O!ISz(V^!r@Z1StvNeegtXZ(6c7S1FzNL)WAxpi|_7~Q@oW|=|0eby%+ZfqQ z!{%#@X1iM&lnt;-{;wI=4!Ph9`$O^soRUE?(k?JVY(bHlm7;S6|D-E@(`b`+sf044 ztA1b8ll0VCCt)0*2m35L5W%gg`>1}YHUdG z_FLleDtCv<5usRvN9Qoi`3af z8S_klZ}aQXQSCjCGoU5!D+%3_K~2xwu*;jHGZld$8fkwneh5kBUFjz$=qx25ZD%5^ z?f6lZ+Q<&MZ-zYduk5D1#nz$#eK{;1gr| z>crAdu)518|J6QOfuD^j_N)-OJU`?MBdBlHD>PAUSnikpu;ccC>ag{6A&(dQUCTSJ zGX1mpe_B}@(OtX^R;!+e%XXLQFk*T~pwBA!bE2L5xTgvT6SAC1u(1PoPuA+};Swrb z=9U)Kuv3pFC8<|5rlfZimne4XUhu5M$yb{8E_ zMd0oBQ)TGM12mpG43~Fe|8xBEEWWn4YwTVC_!FNBk*NU1r_!z9%=wbN-T$BH$a^P; zf5b|UL0|`25ysHh4KNS@0iF$A(^9lB6_>YqM%I})>5ko`99dn3&j7=G|7xgqsc8qW zEg|(8QmNe0UjOR$|A`3dZo+y$`;g94MvZ>KPEY=*WcThSt9?lkVJG`rxEXj{`7XTU zMna4@1_Gfz=5?-DJ@6@$82}^P7<2w40HJ1D467%~0!~o>z&rBzJyxow)6$2G<@r}5 zMRXUFtJGNugy@iP!mxB2`mk2(3*gw}kI3P8Vz_BO3NeTT!AXUbXFd~w6pL1%(YPR! z5Ckw|5Sm6~!ICt7jo?)MHF2dRYI-^mO<=@9;Ktb94TYN&uL-DK%Jj2^`!gp;WQpD* zP#yi9%-!kR7#C}Iw^*?%w2b@7ouJs3pj^5^=u!#GEak?2@JaYdu0)2IQ^N2PnbSLC zbznmT>PeV)z;nP79K|`f_&um<$F<=+ZTFuX5FGshXG+B^7Npzm*jZSr-|-FfuZ~SS zBskFil~o@194_0!!io>$kDmo*S&-TBE1p9CDGn!ACg53h8y_oO<(KfpSqT_k`6P(V zKW_&ECrJ;GC6&HjVa3aHm$d@>e92XPBYEJ7mw%z_3VLK$YXw}s1gD>79pqSCUlOCw zvAI)lFYHc?GV{ohan%u&&gMcKa4Vhr=(LXdGnIw5GbJSxaQ-{5 ze}GXj7zCVj%uk+e#?`>@^DK5!c18tRF5!;QZHR&SShD{~868_#^oSsJ@54q30K`<~-%J?TOAuRE*5llB1+K7_|xXHC_^@CC>4mqJ1H(GVRrdO#vwttagd3wP-W z8!el4P%0N^%PRTkn*)eb2EBlfP&oG8+G${Z&Wr@-pA@L6b-*yX_w#G0fdHV^0rygo zlOY5Fs?*o8Up0lEaRO&^pT;54em(`ltE|+V1yVG6=E~{B@q9$-2w1WY=oLiJKVSHFo{K`SGk6)2PE zKUANKX&8}{B0*?UE}v;`$M_l3FxwoTIK3@aO>fJPmEAfeR_73xjQ@Oykl znJ}+L+sS;ws)NlcFUfQzdOxd7GW6h!g6pg}E>N>^orEl&;E-t9rh4~9o*#o~W6PZ)ib<;eHj0<9QQL#27Yce9^=V*_LpZi#fS2D(D zte|AlFT+!DJi~*Q&&P2~b4$aLT2eFKxgLKw*XIHvp<~@^uel1+jfZ}6Gh|a}b!JJG z=~6-k?gF#1yaV9GgV)Tigq=K#(;{~%P-%)vK`IN4Ajc533e z^HqL}zbR|#S?G#*c2bZ0z?uf6YdinoRL@%qhzX@(P?{ljcCF&6HFNp&={6GER(jR(#Zg`$=b1Q7v(oI97PJfbA%7Q}A@|YaQTXF;n>Ym% zYToOR2kAPseR4Z!$L+VFY!sk3j%V`XDmV>;{8*!Qke1Xfvh7mwES5K&_dL+89H*Qp z!sqofr&T$`nguKciI+T8LNUJzgLAHKk5cBYu26j)LQ}r!(zpzdCQ6>QV$?ZT>0W+B z;_7lNb3MNJ=atq^I;HKO)P%qO;Dt{TsKHDJ9$<8&(ngHq^3?g6%EkeBvAc>a5FGeH z;FB!(G!;{7PUH0jT0ZV0p=HiXGIA$$tGnv>&-_3$h3_u;DTexzo1D(@bGMTs{?RiN z`9*ziuCOBdF)-d+Swt5POq2>6?F0{?uu;u;>K(BL0TwJtj7)wSj~>-f)da0c7kk6$ z^Q79pk*!3Zr|>k9{L>&g7f3P7Y%dhJFnFN+pBP^GBEGf|8unA+WxlKaGdZ0CFwNv5 zF>DkT==j>PVy9=VqL&wWfIcH#VBz_o7b$=gFM+0!)SzaR#b46?0c)-r-9o3>g$SGE zrh<$P`t`rwGrLzYirak2efDOD1`HvHq2BKKrz zQm7(JOvie^nX3q$+x-{1<3}v+*?*danJe2r9g)OG^6y<9ZRVw&^Vp3ZN$<46@aRSp zm{8@A1JE!=)p^#poJvP|=pK$9QvnSsIgw0KV zz?YG#GT&=_e2g`T=biC1Ae@TQF$}5I0%Ko%srGHW^ zsZc0J9(>O2K$W1b=*N`2l;YwZ3HwobFyH@}R0rvWw}7ZD9HsS#aMp?U_f|*RVsyFO zMA23JzZ{F`+Bfz3$D7IVAo`_w_=n>jWAg|Gb|n7nLy{6|2a-8V{2ZABS;b54gV~B8 z-aum&U@Rsxbve{DX4d=s+Ux=+D`>V3+7{}L_=xPV=IgK&S(cr z53IwaM&~Gql?UdpX7r+`(202qp*%dP0(oD=zH$D9r9ZgjL<}MC5vjp&QxbT;mDm55r zFZTWcf8<;GI;6XrtmAAluTbee8?sn<(I-DseOAw0NH>~4hnX8OXik^(MwXat4+ike zHMvXO?jnk{d0!ivsneX*+r_yO+t^fY6O8%NJmwy0==X{B+V#RY{z;RQ{myo^f@y77 zsbF(vl?J;V&}zRIfSU_>@4_#yVU>=pyo`Ivl(aO)!4VdT0_Xu>c4e3C?+QMAxzhbo z4QSrO@~5n^N=KgGCk#v@#bbA7G7d5Xl$H1K__@~WI<;AU?^{^PC(UccKsjho+<33J z*VG!n+5P%!*1+XTAN9T5qHy*a_5`=-4wP;~?q=&~24ypK&P0%mI6xY*65Vw(CY zl*YltX57pSl9Ceb1u#ce$XHD5+Epn4NY2V3m3y9|0<7%g^>f-a(T_+X`_8#7>EOV} zE9|>uH0JL&9`X11qJ0A1L#5WIS2e@zg7{Qm`wA2aV|Qjr&4Osce}Q00=9L}?e&N0o zZQ0tHe=%lt4Zmr}V*)yKT*TX!>f+3sC<`-4-}VwJt!RWWxA}Ma$;xv06{oC}KLy*m zy#{McxRJ$mp1s8`AMhAle&XZd%I>Mf4w)aZQX_ep!!7oe}YAC+c1Xk*SeEk zU*BI%Ow}-R9gq~(|LC}y<0j9DI~w*F4BN2Bs&K3N{j%~gdG@c8X4|}Jm`!U$+Rz^| za&>Q8cV;R&UBtr&wPr3vNkR`w*z8zVOyiXhM0^%1#dgg4N6qD*GTQDGjKop{jZ1h{V43fV{epV5 zZzV^rixn);fe|&lrX<*VtLSxo@i+#05L5YI@ z|Nm1~3JPZSl*ORIRCg+%G>ts!X5w6pu*dUbt(P>*k#N7=S3QYO({+e1b9ad6sN20& z8ikIeZiGg)4hz}Fb4;KSQK^az+47pn_K{hm_JpoL&7bwlct?1Ny!C{IradD`HZ!=M zng>n;#)?~)7Mj!T1JY1h;aN!nc~zWIzVeVepzqzef` zL;;<|MV@r72>KU0ciF|S$CK2##U$?Gvud4*con)7xQ`6R`R*y5#k@@5z0JcxO_wOUnn`Qtl#{pk@Aw%IUX)^tctZurb`YsUSZlc>?;k-2;t!= z;#!-}r~FxtcD&s-NB7t&8F-J?YMUD$QM<6+)MsBsaHOKdG5$jr71%A+G@kE8&@e^C zpuKoiSUAq8klwr56om$a=zDu5L&e5^Z&ea3se`F0a0K=<$Q~zQpv+O3lLd`j-FTVb zs=_}!`*x*{FT}@w{-P^C!o*48&HVQwK&D6}EnG`{ot4+3>RK2>L%P&CQk+aE%VA^% z2U3F9I#?-WNSNS!3CECq=MuQ}843dyDC#i zlk&>@cEhVz7+D|v@U1#eW1w$fJAZSWhgUZ3?hUZuoib}>0j=%x&h14YZdJo&VYb#I zoR7C`(-&7v*o@mWZN zr}GBl?G8c5Z=)tJKS;pywT*@|M5st}JHfeCSh63Wh!i)jUH-PBT!q@b(GV z7`}Ajz;=zCLZC@DJX@C+)lBqJa(EBbIR}XeYFoFDPF~`np~+4Y7NIwP1&x)mr%2d- za1#Z}wan7|eRLAeQIQ8ph;O=q0d5!lmCqwTS&bT?n>YcY&cXD3G zBTS58--qxiNhRTn9h}34er`Lo4z6!K25NB)-QGU*EbB>bFHJA5Y={`#Tj}c^$3@XtOQE*2bQPIB97C9&9MdgkhKWznXjv1x5qf*j& zx0k2t!$Ytme(>-5Zo};t4>Vq3f@Ml zz=qP>lDh}#H}tXyO(hg{Ws!T_Pak`9#SQBc`dWn=2Tf>fLg4mkvw^^bF zIRN_Q=3LwB={-)EYs@%Cd}+9-e2bOPzcKdwtc$gpC_a^aDCWu9KeOtd{6C za~IwI&>&?Ln&c4RW@K{0v28I+QB5D<0duK59Z@0;f85hyONsZT{}EJ!%`Y^s6(Tr` zlL)o{P^Uqvx0>cZG>Hf9L)rB_J-|tRhxA+rEkQMAVX9hcH2Q7s=o8{M!}#SfctZDa zSGr_(ZhGCofl+q05QE%n=Wq24J$@(GJm(_i$q!J)C(U>F8^7p!QUf5mIpH_xEd8KZ zL4Izz+=)IDk@=Vs9#SK%Ru`I&~gBp2j`p*|P_vuR!(aL8+wTNHZ1AW13=0EsdIftLsjF zLFrkBh?ztc@@IXsz~l~-2WIbmWLu!;E}E9h(4uhN+pVg!7hl*1A#Mz%G0e$(vzJz6 z?D0b~jQH?eV|wj~yDdSdt$VJPL9G-IQc;u6s0Xt~BKoMo^8tI9Y(LL* z90b&#(9i+p?Lg4!pm3cXe1AYkp99z;}K4ze{(5eTzMoMBDR5y0m`WwYfGP3f(I9S&DD^Es{1_q~aA^xtR&uy<` zC_5$Ln-MU-vDPF%O8?|EXOmRxu)Jau30e#w71{n&%7abz_HIGG2Y9iwf5hTmJZ5;k z7(qWzrmr@=4JDn&mY#flH(iTbB*N}OgR1Y9DL5vZk_gDClc!QuwAt^ai>$Z+%9(-X zIC30D>itXv9E~v7t*odp7A8v!COWZ(Nli4%b+J3b8+(y0KN%WW>fn-Y&`ekqb0)u( z#-rbS0S~>jkAtQu4GLMw(@=O zK6Tpgh6h(4vQmsS37aD4{@(PS7k)i?GGjd|QLgxKQG-!=v$#eO@3`J}eVFYQY4!ba zfKu*Nnd(AVexjcOdS6l{D+w*@E!%=j4*_O`AH8n*kap|0UJSX9~2t-9e@l6 z?$eiyYM-Is$H8}>q`$>#%D8NVE{40sVu4NWAWc<^^k0L{=rO(4b6KTmNQXGYOG)&v z3G1k`2s(XWSxj?Od@bsxn4EdGw;AH&y0<;H`D<(Gj;@@`CXvy}30{Jy@n1Zpzf$c?^=!62K{oZ)5!su(^PvAd)sWy>1uSb>DOHO~Brt>_9B&8V^)B&67{WRz)+UnKg9v}yC0q2b3pGWyqv?(Jq} zScz@ET}z&eUE7P~Tks9q&>D7*RVQ)(* zFIHt{eU;8i;sUvBVNr9OnHXonB=LgZ^`|=?=r(}E(jS? z>jnirOZN4#a>99Z@H9vL>a6PEE3A;3{w8VEa6S$29lzpf`A}>X-0HuJ*UknxM~)-> zUc4p*7CD(-gYJ8pFb4k+?F3W9}2#*7uOvjGZyI?T;d}LhD5ixuna*^6fcGjz2^E4lJBbpn#0{Co7snxf39vLI<4^C;FvOfsu@S#CLJR~ zg3)=;q1lyKBBqE<+Td&y55Pv_Ql>^?wmeJ{K=I;|856FV2ov0is@6r})-6gk`k@JtfOr>h(P9e9NBUXK6T7)rTTl5%v zoJ>(pzgyi#eUmO^34hzwajZIncyF@-8JjWR^_CA5Je5@~l?&wDmSM$+oW~D7zVbvg+B=V{`#`mm)M73Bu{QaS&xZF(-N7ATX-H4^ryTNyv4E9 zMF5BWbg~S7x6jdMAw5o5LKBWZ_e^OaDlXAJK<$G=MAMXtYlWo{;qva0PupA`aE_bN zDWTd*YP9th+)gNaEm5f)m28vnHtkHSjDhfx=K~PZ_hrkINd)0oVgM(xlPjCHx(dBx zG&olWYBa5xxxFxS+kN~Acp0W*aPigIg8D~{Gd4mQ^C*%t6r{@{A6CxT7lE2mXEa z5U27pUQwJWhUF}rtrT&8FiVQ| zv+~nL;2<*M8{dWDK1PrsG@|mp-}j*6(-lI4#kS=5976rO~hai#cQhFR)X z#&y({<2V_Zz+Ejw?^m~ziA`egd?ND+WOpLKM3dH@Yn5h7T?P$?;g$2-MjeJjwgIVl z>tz+E@LR@41zb(2C4&M40G0WOjDnWFgE)(E>$#Fg9C3XJLZwCX#kzvhP_-WLgJ$1N0&v><3&ikH z@+lYM_l-$I_|B0dM!)IZ*X9JUcz+`c?TnoFvts|l2?zQ0rH|Kz2vJrWJSm%r9!NmtO#yf!yP_0ei+1mTm0m zOI?jOvY~Em$xY!3ZnjR_g?H&6Bu4VhJ0S_lO?7BQu-G0upkw4XzK`bz<|jCM#pxCj zkA%2{8>50`&qtl4fddlQ`;|TF1g1NSdDQThF;%`-+q%X5yY}2z4^sC9?)wp*ur>HG z=K~B0XK&8B6PqF&x$2MUcfcb8A4XXU$XhIy?O@~h3@T6G)cW=5qr6CF5)&|v@sN=X zN>V9CC$9hSEx%kU?JOQSFCuO-rOhRz+*PI`tpq;(M1q^A%FXLu@hpaX$ z?Rq59zDOj9Oc$MlhGu+jv@BfQ2t(ywt{Ao>BVn`30TbVD**NkpzKm;Kr0*8GL>(Ez zyvqBnsJXv`iIv+*;K~lDN|jHek*M&p(tSiV#n>l%r^^o1G`ue&Fr?xlyK|UG)P@bv zMVOx3n=IvPoy#yxpLWWed>fvwD~PtS9JbNZX5hrHw`AF0?mEK3lF4Ml_~g1{KK*}j zM#(-^pvVs3MCc;WaF*jkM3!6c{e{GslW6-g>4yG(_kmzye{fSh$JYfhpr(t;I9OTHO70PNk4R8}B5hpr z1g8W(l19ir{Ci3l4hKV_d*~g4O<;b-KhKND>9dw&oBntk4fbBx5Te-Vg@d^!ySR3j zMK*5CcI3g5Xy2J@Ylzb3jGJUP=UC#uEp z{V&-j7H>N=-VovtCa z#$OYv93zpV#?1*$BaNzWDSS|dzF@k$R5CdpInkEQ(<>8i`w__?R%vL_3~=CufH>g> zdy&5!;<(v3NzU7mKkfnxLT`KQ^Rir;gt2tM^Fz&Z{8^lm-3|CUeGC@eYjZDfnXW)Z z&i3D)wpoPxj}z>Cm=v<{C>cALfz4O72l??E=TT?e`5m;)ewvE4(hRw#i$+4UzC$@t z?_|t~JF>(l6_0UVlygMlVM9TP2F5rbyybVc4M#sR{Qz`9o3t^q@(Wk{PZCQ`2@=Ya z zVl0j8292;>)|00e%q)tF)Jb7%NdA;7T$+6}`)=sA zFu|`Q)_j-Cj^6^0eLS)##pyyCKM_%l*(!O8`A}4^K|?0{m4A-ZauWFp6gQ<7Pf6i4 zN<3ziNVy&yW~4y_BU{KB8v!R&*8>r)Qz_Pv${E)PIM6ytyrDJ8iDrJA*_wPZ4YM*n z7NV~eR~8u0a;o)Ba%;yaJ6cbB`Xr$U0lQ?n96YYGHNm#a|6Mw~&OmbbsgmOE?QJEl z!Y2xcO>QdI-#AWl>D8jtUel3YR;wms0f_ce+fHpTW&_W^p|>S zx-CO2<&!-FVSd|RF`L5W;|;GNB;WgajmZ#jOA439JKor(P&zuwsC6Y+>}bSjy+^>7 zLE`pDT;0CC=VMD$DqYf}AnHP6*-1lhfM>iyqH*`X4#|iPlPfjXu2X3#`&F?O5;?OT zAUnVLdqyTpVn|L-i(OpSE_^OPm{6SX3k`B&Flz7l@t3pa3W}CJseU4?!GM^vCyh8h zaq=&mSiHuMs_`p=>hzX5-nRvf0-|G^H8*vG)o({z{=8*M_=YnjXo97L{Y~;2wd|Ig zCPFl1V|WekOSP3!tw@YETHK%7_(#oS95Vk!J*s#K^`;974ShCQp}0Rh5%X|=dFMON zqH!P&tXY_*Zav{6^_8=gz7{J)qjg9t5}hX}HT zT|*!Ynr+7>U(h2`T&_LNw_WhF{sg$?7nAm5KHl zMZ1Xka?h8j@3Y2_tms!F{Z)-vhJggi>?pp&k18%IT>4{L+c9hq$HWF*!y_`OX2m}g z7JtUUUZ{|LFA+wX5SCY2)_MAtrLTk|=MRYDoO=QR`^_#ybyXC5_kO$v!}pXovjA_J+{WalwX-(D6CsqASovRd=B2fdW3x1J)W;a^>1(Z-$}(!Qv6g7k`(8g!CM9Ed zo*iw(?TAE6lJPJKx=;`8@f3{eB57tFnPh-{a3$-12YUqHbsKoyJiO;N<4!mogsGR? z(%)A^7Igk&bHJqy7F5WHVQfOViR!3;wh0yL92GPeQMIn@5>Yx4!B!byJ6Ff%-(Xpx za&jjWd{2?$G1e?=C99GA#@P#M8~Jse<*oYZ$0?KlLY$r(lXTMI!0JU>*C0`kjV;@! z*(WEkrX$tTfz<{*oY?Efm6*@de@j?qy7dse{u^~WSbu+eo_rej$HtUa9R1|cehEFT zTd!HH?>n{Vnsm66C!9tGO|5Iji}Ls7@HUC4%`1@oiJ-^G^IAPAr$5v-Y_}?^EBp7X zk!DSktd-eclQ96>XIm$m32R(dh=KYxw9cGt_fI&l?3GERl;4Z^{0fQ?zO~^d0QKB0 zB{?`1#G1@u`(qpD=;K&m8a4e08!N?`$PMNPh3#^8axgit$pB@`Db+d^+%Sk)ro@Uc z8PAKIesrD%iut}tVxLV0fXV^@ee8pxy8Zxe9mAMqiVedUZ=WT*AYcEgqf>Jz>E&q% zGY#qo{75%*Q*KJIgXx&JsHsZ#;jfO9W{Iv*%%ez3)ESRT!QG5isyvgSe0SL+V55K@ zM@O~8#8%7^W+K_B>BO)It+9)aV^NF9PQtN*c&@d9x z13`^p9BTc6K02n{e_N+1L6p`V)_Tn4kKq#Z@!a?6o)s~v6vtm*S+hw z-5emQLIJuio*MIvrX+x~jrc%PSQZZ8Y=M}|mpRzAAF9>8?oxfnsEFUqZ#->t{^VbI z3jt|{0ct7`pxNoqTL@+{-E?=FeG0j8wH6jhqj_j$=x z3MHihw3%7SRZ1P=LN5oQVFMc~T^fhRVmyA91RHnVc$ctoCTIJ&VyXl5G_74Az0@Sy zjK*%G?C#>;jgf~evjx_(jQyA{hI`ofaW9aNtWt`qouEYTs(M@xyaD8Ww??6Z;ePZ3 zI06cB-VQw7gdmOk*uMmw`#{t}$G<4x$-6rx_HUp7*3#bx$jreZt~mP<0pc-6m4lE> z49o3sdlKjM=?2L1GjybeY4mdcd1L^<0)u@cgTvw%hBqjU%YEpWhVjcDs8xPZZOLu< z`iWJ$?eNOtvP6;;q)+X22BFP#c+`re-=Q-n984WP;gQhvS+L7JFl?^QU{ zr`zUvpuSWA^~J$PhsLFT20(_5Tvs&$RhY>xEI9L)>rE63uBC;rE=^OEWyxvf+q?Jk z&~tZLxMZsGnD>8fPTNVbTSj6Yj!p$5&BW2GVQyrFE6AB0Hgsq>VYjY_!A$FxfdrbP zoSRRO2ffgCVJEQ5Ekv}u9CBt_Htr<1!MS>EyORp}how7rzm+MiD;{t8ni0_u7Di z{LxIgLf6~RimU#4pp?n#O`H9542Q>$=NNi4*xd0N#HLSkPyP50ew+n9w^yGIfwx27 zDOMloy}O*JLL(7FQb0n(W4^OaA9w6CgI~srzpadEU)|j)*Cl2mu%nC_=KxGfjdR2S z6pMes^SFnMT@o5`b+rXJaM!<7>Aa)B(^S6zPh$hXj?b3?UbX%c8aBj!hm6f$W*hv= ziOnZyfa7`uuSbrLYNW_kGSfdFv{Z^3wbC;3k!=rX%RMx=^$jw+s5b)((tjKZ#(iKW zBtvk4zekowL)veITJy8ExRqrp-WLqKRx==G+jz zEDdK&yDdIM8}0Il+7jszGBB%tOKg}mi2X7C!$f(;K+^euguOyehmrO#m2qST(a8rh zRz10~%_4DrlajX&!(7VWBaxw6yF61TgsY1gbDcbL;^Xm0h_W^>Nsu|NTk3ldt<#`Ao!83YUUI^!W%IJ468JDOHC~@Y?aL<|~@bQvE{Q zQjuaYRT{Ha!Xyp6sc?!k5xWqec--yZZsOy<%}GsW0DF>{t*bX}AQjFq^xftWRc=Yy z8!Jw^G)#KnI z>G?7ihOIB;=`;h zIcMs8xhwDmjhlTz0C2)THUZmA)F`WGK22p;^aDs*4pe0MB*3I<02JZ>4Il#)@-l!z zehIo2Li4Wp$0J9s09pfMH^9hO>e5s{?caa_^Sj{@^zr`+u*_(B1Ca5e10du70syp_ zyBkP%G7jV!=03bZl@%V&}WP|M|#Hdp>w*lmH zwLyu6fhH2bhR8hk4CFAe0T{yj@$i;ELOx~t4)M2cp@7NDG7kD!!v%23k5K^w)7?kq zlp*B5Wg7I6%~!h+{J()Z^B_qL@XvZEfgZpk1{@nm!(N=H_5^UuoWQnNRP)z1ZhtO^ z6kCTH>pV!wD7+50Ulc9-c`ipk=b=Ibf0R`8@o4IwpJE^uEi#!QwT-^nsK%OyST+%Hp|}*|3Xn=(uzkFDLu?HT}ePAOK<`Z^x@lqlK0vN z?H+$~5+OObJw|aCq?!CpC4jX17`O&FUA4fw&WHvcsKF`dqXW-boWhNV*?85zP-;^6 z@LPzL%jtKxq@+t;5?*jRF9{2_o7W|Q1g~tSC0mp9x&i7M1>VdVhpEPup&{yve_^NC zFIz$T_btiP&*ZqB3%{ydl;_IQt-QE19$*Yq8h0&~RAlS(=YE<_)#OMf0Q=sD(B#PI zUf-R`<%(jyk;9}R_`W}=ssOoY@N;vQ(&-jx&#yGh(pOE_vef$it1^`LV>Fb3#eA20 zOv{qsd+Ac?x{!ftI&UlsEik2XVh5hKne-Cf<3xVSfvo0(nrwj^QMu_paJmTm;w@%v z&KIt?KX`}0a$_wj^yu6AoDOs*K7e43K&rX5T1$VfQo;Gmrc)vu zRK^ySso&BOzkca1c?$ z=P3WCD$=M$9|9F~EdQVq%&yYul_OyPJ|a?Xx;~ta?>L01YG!PkvP-qM+vk<#gW784 z->BEVhBq^(5!eocj39CM_t=p+#wU8JeTo-cO1hb${gjW_Q+Tvw*cvP<9T#CK;_m(p z#jY<94*`HCE#HBtW^E;_reLie6z6%@gv9x3! z)zlcNg_gY{#EFR*efV@46ZXm#g*+5tHLAlB8tR-!NqrhPWA!huh@z;4M#lwEY@4Ja=Q1|a!bA>K2 zn=aD{8#p!quOZOcuZ(RHhJvZ7j8dZYH{So;Ld@FRT+Eu;Sj@U|N`1TX1KHGUc(6fl zro~hPmX~TP$wk4$(8cz13)-x%cxFL=D*uNI)V1|{NahlXN_el}vct9-);xO6@Kk9x zcsGs5lSnz(Z0%lr8F6A~TyfR7>A*a^mU}N>>)-EFkOyCMm;_%`7YzIfD*#JBC>PB; z2G=k$9C9~tNs5Q+R|w%t+MH~Va-$~p?4h+%icu~hUHK;mHhuOx(O+?y9VUAJWN4Q$ z=6qYy!$r1_?nrjd)9XM;#eYp~Wcr~i!Stg|3;+8NHvV_MhXfBEBSpzjqhoHD4iM4Q zDFdC+$#7lF_$4zl%(04@P~%aLUUmzasbx0iPdL0j@KAWlqhpM#1DOK@0Ws$c>xbx2 z&F^kC+VTVU3}FE&Xlg2*2j+zFj`p94QaqP1**-gX5lM>)eJbJN^31_($Q#GdQRtb# zbeb>Hfjw3#&YTUr9BR!Z!wJML`FmT5ac4u7GkpM7Bf5VZv^2lmtIp~@DBGU@np=E%-mBqOtW~gmqs0QfGCwDb!abMq~M)RKxrsnpRu> zy5Ch7&pjZ`a;OWBHe#+RKk}z=jMp`mwHV}s*YB*6@Ld4g6Bk72LE&PTesObVAczUk_+VZP~YHx{4Gc{Bc=M0M?or zdb6x0Fk&;w_Q?8SBC-ob{wn`GqTcVP2Vg6&o4#M1i9KN71kQ9wcIJL$Q)Bxup)i{~ z)Ac_`dh#cf^K7L+B+5}T=UMRwLsh`K63hbD75)ak$V+TZoyu?XUL&drtJi2Syi?Dz zsP3o-L}@rBaf{Jz;NyhYDrUQCGamDmR-HBdj-^m)vlow9x5h}z@w`yDFq%oX$s@$q zBkD!(0^fsWv$~suB-W=PKgOd~B5Grx^PSf=5%vH#t)3}SEq!g8ifH=#1=JH@shjgu zTDa$yT|?G8X~l_NKI9kzFhOS^=g?|<-w}Kmsi|gn0c9ass+d(8B5I(IkL#j!Mnmo5 zt7Nu-mVl=2IO;Uk4<1uP%%zl1XoKzVWDD-p*w;Iy4ttXA>-OP`%Dd}aBHlLmTv3`O z$9#>dhyeKGWUabBW;cvQbFeF0uH* z|56yFRIT3x4Tt&_KYK%#Z;?N!vGV)w9n&5G?*`&61rZwkgJ+u^ol*+CF!KvM^OySj zKu-6GCgGoao>G<5~qVD3QiUa3N@1OWb_->5{018oeG3sw4~Esfl;hY-MFa;ec?j_ zeYzjka-Oo$tet3o{ZWy`sg_=F3O|)(&^gAFuI0K*);fI-DAc$`&fj0J8t}~WyH$B! zAc@?o;wQ92!0K9my*|e^1sNh zcTXa(hq3Yt@YP(e&Yd8A+Eard~)f|p-m11QEUqX$Zimg3nb|2tX#apc=KbD8vwv!2cO zYo^OM+X3b>#At3t9~iZXtHQ8>Y?MUYjjq*eCH*xSBdQU`Vm{8#2N=8dV&Cf2q5gs& ziwXXu)nk9e@e?_ldu&pzr@$VA^4_WKXLcqMcl0@IFmL^h^iAF2JZ6q~63ZaA;@0tF({tzV6_(BI^p?RSf6eZvpv3BPw$9K8l)tW6iyQz`Fj{SrHZQ z$M4~uVSrzt9*6r8(IF?=Kfq)~K#|vkHmw$D0}U9d`0~|<;Jv<%AS|NpF*p409|9or zLHZ-^RVS6V@quVS9^c>)5%Zc1=Jb9lz<}q!?tC6${M`g|3M(04{S#gb8o<|&3(IE( z4G5m+!TkCG$g{;MA3JxYXHL*v=8c#Qi7ZST+Sewufs#1xdgBaY%-I{w1)Iu;#X2{F z5d>`Drg{1`b@(jT#5s$V)s+-gxt-ALzNh?o@zN@$40VvTV(b2r`| zzt+Q-1G{WG8GGK*m~m4_!G(W!7Y*{EWb)_xIGtCc`z_cVCcm+HlQ^ezVO>uU*42up z0;QTk^n6ikt?q&WEQ34Y|X(u5a8;#T`fx&1*q(L@Hav%-TEug>eo!|HU z!*!kaocH8&p69;rb9gs%&iu4*I?wngHk1sMP90nr+HcG6<{_Rebu^vlKUW^^=YyE_ z;a5{gYo1YyzlB>C9zYNA=grydOxrA)rt3L8DlNBqx1RMb_%+L{TPqdY1=XY4Q0m4L z0@WWd?nw{@E|2@}yW9>H{pOvDGp$NaHrBtoSJcA-J)ilzds46WP~bf7+*$rWTS@x9 zjgH0_;*bNzEpXLLtTN>E)@eS}zM}3J?lwRL9eYQg%l;xc;ks;0HRRT|EHLyOVCZD0 z3s$Il4uOX2$*8ReQg4!Ohv%K$)IvktU#UJI%Nfe5*`sKXH-@L1mP~yu?7dtIoH7^A zNUrth7u`%x;*j34*lL5mYmR;B#{SXBU@@-iJ7nm7$G*;E8&so!$?}gTDEX|I%Boq4 z@K^WJ4{?uDw#gdU1KppS#dLc2HN1q^eqos14tlAp6Kud-=L7j0<$6@Kls?C-;kl@T zSm6?Yr#%-a#=)UYx9@@^Z=Jkgj798l)pS`}T*B}VoZv!_6kaFoAdC#`6(2J(o5e8B z#u6Ofq_^eW^p4lrzC$w0`He4V(KM;yrR6OvQ04;kNMN^?FmVhq~?~DbrK|LUxVSump=+CAS#d)~k;v$N`}FVnoXzQ@qbnAE z99xx7p7y+&iD+eMP^I!Uvi=M08IRp*pV8D%`R4WxmiO{^bF14P)O0HG??8C?&;5JD z`Qsh5R^fH@E)DX2GWCAK$=rXwvCNr0eutjO`TWZ6AU{$9Zt&K%F55#hEk#<(Kd%0# zU!+{>9i{rdBTpx)ZaPOJ*LGS(XFeFUD5;^lg;BU=Qn!02=l!KRRHWaMt-||ni(CaJ z%&r_#7;c$Yt{ep+Y{5BB-}_)@QMgQ6rpr3p*AP<*Ke)E+lHm;d5VICvjU4k7wV}z zl+Zm%@6$7_CrQm*aL>2T(yWzP8Zh`hLti?9;;F}7N8-S%zu>eJ4(lRGZrmQpzM zBOm$6n0t$TYCrCh4+P&s;ONpm_Pw%AZOXtr8E^~dGow8p;lF=YvB75s^7RN~R2qz4 zZ<3H9*<1LOwLVRjp;^G!_;SIDb-oQJL?>Rc$pZjyn2fx`uKv1};C+rCe4wKj^?U-p z-0Wwcb$@nU-m2gm5b)o2DX!r}bk|K38VX<@48D@YS%hbN{V>@YhwXF?kcu* zB8y%BO|Ia3&;LLkABF0lhs39}gsmtvoygiUTrf7BL`M1DpHWItf$>@wW!BhE4&L{y zS{e36HPY=+{Fj64wwIw30(tJfDpe1@m_S%Y&|wn$9xPfP(Y7a?s{J@uHK+J?5!T7> zIaQO;+>;a{AE8++97Q%gsLvQnGB_jwf8Pq>KNQ95wiRkh$g{a$8-!%Widie>bw1Y+ zbh@6D=s^3Pm)TpvtJ6PO>TA$xA>ZZ1xik|u;kmRu$q*+`z8kwc>qxvqt^vo`gIh*< zphPRE6WhJhUKJ=P-!i?g!q8h}8pQ-V4anZ|IG>5Xi*G0_+(IRXw4IV!L?@QlEKN zQ74Vp7DUb)zw4ffQ9@Q5tSeEenpGx2Y;xUXZ$Im88_WFSkYyD$x}?k|xT#0Dyw!s0 z2q&w0ot%R^xNiDdC9gT>=c_MP49vO@L-~(61oXb0g*Pe6$tvz8^oM5`AT% zd9(3+1NBQkbQ}2r`+T~RkO+;;sa+ z?Yt7fC)aH7;UoPkNz&g4!d?oBLL5YtVH}rY{BT;#n;s^QMX;M;h7aN+B%X zzfy{4;X{IkQ66#4bu(mc7M#!Qarus-WxR_ANN zWo+v^E)678xfhQQ7NkfvXSC{VwkbU1=>nE)WfR#+I;P5F&bHazW2~tQI;JM;Cmxa5 zkVh3=M>mmkjjBm!0^e03*uU%C$fL0>F+1XEm%CW^a?p#3Te)s^eT^rQV@@=OtMSc9 zUo@vw_=><&9y0%uNwqAMl2}^1w)ln&wCvh9-M*qs&L7(EeV)!n-Y}`Yr((qV>1Qhw zctH#g~Q4wQWa!VS|Y&4qP7Fm z3!J$S{%kU-bwacQC@X#7S}($zyd>|}6Q#UBp)ON3?Lq*CFRjTR4RgrCkiA_N4ct13lVrVy>?@07UX}U8u zVG||pGP5mXyRDVr>h*F;Y*%Ph4MJ|W%Mmz-l;?B_FZ9Q-Et6VXVHcJmVBLs6=6hU0 z8IY$b$tqRf=nZlghiK_Q3?5WTNGbZcpudu)9Dpwl+&;Jc-THL0uNM( z1=?B<6TC(vL%?=On&7rkP?jezV|70h+z4{qvOhpsL68D{(OkJg?soqkVq<_tQKE z$y#1GCJ8RI?eejQLD=!Ev&Ly7on3q7GMBAr5bC-ZY#3%MiUB3*LpHvNe*1Vf5g^!< zO~)nN*_rk24t2C#X#r)0asMZfXJIoRNH+M>NUmXn@fBVB5#@%qEoXv2mVBP0pa4Ex zB)m%*-|g@Fn0_|{6xNLgAiwy-0*zc4u=#mb$EZ_FZytr-Vx_5yiGo zHb?yJ#teD;YGzZ1j8=F8M|=)WC3s0#rPCT8)nnP&Hbf?*DA&lmJtVbFIk%($a}a-( z-!`^+>-2!Vk#X)Wsrb)I{Onxp{a#H1KFz7M6IPM(LDfl2E{~aKkS)H7ofKxP_gJES zor{MdcA#VcyvX)-m4*~=?;&CuHYbteR5$=L5InH2)yTokMSG3=+*1JT;{cA8V$6KM z+PJf>XPWpG_Au|)?dVhEw~MjVv9YrVTETq2Zu^4pV$cXa>fW=jk6JVaqUR{LfT{DB z70*-fCVH3p3)(C;<%Z&3aA@1XA`j@4)8;1>$D?*u7{KjBot(*LmF-03zR#2%P#gpU zC9c1AU-%_pkQmpUGF6mSmLk@A^N4k&Sl zrWkRu6)oWZqYpg1r1E2xCLla-D+_9Tfy`R?i6K(=BmD_hOOP|&_QR~M`srfRf5(u+zU-YF7{)6!4n#KV^ z(NB@;W`wFiDn#QHe=N%?6zrA=9HRy0?IN(E6Ami^zB#q~oa>>0A%L396+uM@Phyo< zUn@V*810swh##@P+h+@s#%;oD=RLcz0$7{?>>;lITaHss_r3igK88;S(lZnn-v&@rAdp{@1EJ!bBGlecz0L9#3W6w`5lbh6cZ&6pNPo z-C?@&xZ!8}K&v1EC*UIw;=PdXf){@{G)$>TXxqwq;ep(YT)A7Q^25?{ z8E%2R-Sn~!L&q#ZfcUNd-uP^Ps@L|%D!;J9BHNguHkDWKD)r-?vkN5Z1mMUlx?ndT#ttDJG)@!3C03ZuSFsDR*i}>;7H}Ea!E!3| z+o;_2fdNNrOuOcj-2Hge&sdnj4pi_>I|jn9DChg}W}0QO0TAVkd_IQ}Ew*j&+*`xH z?CXWEqsZ@yeM7+UKvoJlK~!o%C{ECW3sIU6SW6$Hb?AHm?Z{(>ER8Z=tf%ghs#m0Zu4TxQpA1@)26w>>pm_!paE*b{m@JzXiFZo$)8)S8R=|~8J8+#z z+N=#i{+GSCy@+}2tBg94_CMkBx5}9B63Aftq(+0|tui=#DLv2NdEz{h4-rX|rj!um zrt&u9_`!UTdkZsggdU_JlAR8`AhAWrJ-&1VuQOWh^ARjct@=)%enkgxq1a@D75NhE zkaDMdh?b7>e2KZXSEX@F-jGyGIIueA+{@nxKkJ^Afzf|ScOUwdO@F8+p&_q08me{X z!ETnFK`ld875c@F9Ko+hDqgX1k%;kU;O0j6a2R!+sHj=1;-6BBoB%j3Z`u2X4)BLf zCTq35oG@7)TmD|%a6;DBei70AaAd`g`~;`F+2*aMWb*v z7N*$X4S7G+P!J9BcqKfw3we&#bNdlZ?XXG8%j_o|K7UtWCbmy%ba1Zx#sY13aWY-Z~;lI;j@DA!%D+@ z1p>p2n)60aV++ezZi{ZDRmQ!{m6`sb1h3%`_5JFD!ygi#jO&{ANbTw#VjuaZbk`)VzoLWHKNARrzaIqdV}!p_8uwf7zND^Rj7rzid)*eIu=f zyy;}I*iSI=bY=5CS<|q-#M2%rT#Y(oS@sR37h&k71{=;EHGlRu$krRd1?Klo0~%-V zYKri0+=^cF(#y#SAZ9^^VFnDA<)wq^K=6Dx)X)iw#pbsTxRDh{8eV8Cn1c)D?hJ6= zJ%2F77C#?)8eUoOCmb9uS+*|t5tM-Stq}y}$0|U!&&QA#E?_)d7tzzKA-LmfUb$(N zFUgCtY+hxK-)`&1VKa^o*pDkxc1E}C4A*Uv7CxfaUNN&+)~wCxD&Va)REKPm=7mnx zPz3yq-3$o!0~e$sf9S?8D{<4vt5#)&q7IU+h!x_Vae(8@6IADHnQ~#0u z^_z08V0B>ZV$XUh3vy{Z*(c(6C0OIf{&JVSKz+?&Fj8fXa_;Uo5qUXXP(F2^GX8jW zt?+{ymD+`0prq&?5s+7!v{1unjq@}|c+ zvQ&T6gB{%EugHqLzE=QCH9(rvmiPUo^Q3#>lwF}IAi;lVCy?>*i%M|DO3DP;@((lP zo|vmU>R-y=Vshd8`q!0)Rh+tUth8S-_rC}T3HM}7rp<7#tH-57vJqDM2yos|NLt3k zjnAtQ$9s&Hp54w1BRM z6wyXHH#=<&=#!B*G-E)sX#2>^5-Oin`3@!TUp4hAd3y{eD{&xxi`vB3lS@BqoGK|6o{Wu zcwjAJ0LEb&5q!HAg=6!xFQ|XApoeO3U{!+OwgVhdwXM@d)I4&QbBKCU7u0ljRm`Jm zvP2B{T4g50znKI0S8k@%!PH$n$99J)-_QU{-H`$dg3qb+$K5^aq)$dyxCQwpC$;R1WnupZq?N)$JV$%DsMGXmA+fmtb%=FrT~n zah2?S+=noyfz!eb3d<4yLGQO3I`5;w$O_lsg0>9)E7Q;1)n`s`LTUruSLJXAdP!peD@>@si7|xb4jqvD32Hlt#*rycKQofgtJ{&HM4uq( z-~*#K&b#zSS*G28w_#Q;7QPDjE~Y+5tey+I{C#G_CoaF)JlQibmbV-s zo3r=NT}dknzbMRD4f|!g`6*77(JI(Qm(3P=P%m=U%P#)3D=8$^4(W0pEys*M9F&a5 z?hk|*wwIf#NK~+J=|{(7Gc<4bo;#}S=%?`(6_2l{rE1Z6xVH~FJ#3d_Pqx#pN00d% zxvYqxBuqbjfyMftE=JwsOUE79n~Lv`L8mCkFmvnRh49WLK%6luJ8t&oyIj%0mziWA-%Q+ z^=H0DCEhL@DfibvdD$NBQhM-O3%FWh^+AKPIwI)^1*ElQIar6pqdp0>QN1?07OSv6 zsjW90F{@nmA0-X8WEotUTe#LcvukIi0uWfq=kW{c98-gqO zyH5D=>zmTfnhddN%8j2>KUjeh=|guoAj+njGA;G`ywmHb(bCWA;&0x|s|?FzYB^&R zWHvjjA!)7S6!EQolVup zMW|@0373GLGh^k3Swu`V1-k53s{FX#$Zd=QAM6x}s7s;X8Gp0^xaUuEFjtxA|4t*U zyp);%jrd-860<5|$GjT?4);`Up04nqi;6HDEHtSKnV^7x*O!?p+>Ju2Q=9;`d83rcb@IGv<)}1HGl80zNWj@0Q4))GWJtwty{cJrxz+`wh z!-D)_l{@#eb?sOxwXP{0bhe z&r|?7?{4lrXt0;aJ8yqXbFaOITZ?Rufvx^dlE2QO2Es&81zcw>nD1|s`mn8zu<=XJ zpN0g$?A@|H$&NM@2^kz=!KM0DbD=lAo8J%W+HZael#;k#;wueoXVckB6EB};nGipF z!2VX!Rt>t-vbkLR1xR5ED3GimZ5z6qwyNsDT6>K! zW4sZV+g#kLpQqF=*SL}tVpARsDM6Kqw8#nnAiZe8hSzxr6 z+CSt2gsrpFzO?*%4b)^uSdDNAzR)-fMdnM8Tcxl{nCA8YJo9K{bzXRl@4b(KPh(HC z|LbtFMm`F5-{vfmiv5w~C9HC2Z}UeNiLg}w?8UVi@JO@=LAObaVwkz?i@)e~r`q1Np8lVBy`k+-eX2 zFu&>7u@Oq`|t(IAO1U3nS6F;Cs2CUK&h8}Fm z#jHm|*Bo>cAwq36lf8a#_gAl%xB-!4EQ8P_S~6Fv8`Qa?OTb4YTL-%Y3XVM}Fe*#Z z0$$&ZXM~Stb+*wU=iBg3^T%MvqkDuMhB->HcGsm+;zCOE1SMi86JzSJk(fLj+_GcaM1oL=Mb^s*vjcNwjZj^^qzphLw(1C zr+u&1v5t}f(dHz7nB(dz-F0~&`m!b4HBH?u4#6bF`TYo+Cjpub#48weBx1Yud~j~L zihpP%{AzWeD`c>|Ip*VKt*pJ{n+K73EMU23pT&)20-OB5bG{6Sc zaftXb;{RNe25=-}^|NTOOBHS8ZaVrSWmd4|aM?k1ho*Bi)ReLlAnU+x$Zmk^3%}86 znKO+i0vU8Q^x1ZXkvbPR(UVm-AE*L4*Yr3})McLdfaoEo#Z(8Ta0jwsZRQ)Vp72d$ zGrUSth44FyBY}XSen*>eYNZ+oI<;^>;9lu!D>P{SenBg`H5UZ9b=bod(Tg|-w|>+- zoKct_8=6I`*ROlp-Ul2F5E0$dX+qgubKiL>4+#%RGkW=Sh-rm)nH4|&&EMul z6&&DUvPLTU3r_OyzY5L!yv!+j57?8Y#lB?+C9UTM1kXlbkHW>@ylWeBJ?b5&A7ueR zoLpnGU7LXlDd6sZ_riHj!*_yz%O9%(KG^^0g)}co1y%M8z~0#5)I+BP>PA7|^TKKi z^F4i|Ugh@WAeoFFg4eny;j?faUD|%MRc<6Ot)lcml+{)XYg?LOIrpf+0?`Feqtm!mt+Nm-#-T)o5^Ruc3AIpzzF(sOUxG;A~M-_k1*3~eH-k++7ZySO6e3I z1MI!Wh_(VeXbFjv7iyPPmM0k+y8ZY-zFGLP8%!0H&WZY0pDW^j>)V>tU-#tge|E8g zLfy+_gdT;r4RHglHdBu2nMvdN5EPC}6hhlg@ccGa%IGS1!SAOJ;tA2q8;Y@u_m1|0PbtdLyE_(K{M-$hYyofxUtY;|_g zRKaEtt#cUKgQsL){w2~C%djmj{Fdlm0@xI*{qH~iEb-I3kW4O-Z#vcl9j+LzI!oLv z_6oYC43VN6%22+4GZPN?X`qZ=xuT^k6|6{fhAe)|4V{abIIQ}i^)Jrfg{X*9=<3bg z&LMqr04z=BZaVeWYyj*9IP?IVwWxlIWK^Y@>g=E_9=!lZHA#BslbLrc5m(8t?1uSQ z;w%cE0uWHbU~UlDwho{mRK`a5M8F1^73h_(!P!r63<J5cg;i4KT{`zw_t?#Q?Y9Z;WYu|Aul3FC#<&UZ5MmPr)1D z|C+>Bp1i_!I(QQ_7{|_Q;*d1qw=bS23M}RhFqfQrGRVq3fsL!Fq`MXZjwaDRom?(G*rmln?g^cM zQ(yDW?^8AZc30NM+UyjI~}LdRiLM5^Lx%PqOV)L?UM7<6~gyE|VVb;M{c| z_Z@woRn1QRkcyz}H`3%{&EN?0u+vTStD}UoE93QDGywKd`CNm2-k8f?17%rtAjmi! z!`Huj1H;~^NLt`8fcaUmH4)z3RB&K#sOLo3A6&xqAnOxW~UC zQstL&Bajed((fiPJ$EMwJ_Mu#nw4LWSvCJ2Yy^9Y1nQ;IC%}^i*ecwk`;?ry8lTZ> z5-Qg;hw@KtqSC!`F2q*GWM1=VgId$@`T z0Nz94V=Qd!&b$v*5Q-{$_BZ5d&6S~`RE_yY@}%{&nVcVSH0t>NnL(qoSZ|*K)nz~B zooN@|lKslN-zqq3v<~Z2YEoY4zYr7^%bPt0{@Z?&VW`v1voOo+tf3(*DqJ-J|n!Z(e}@Io3V*V zbG5b#xhiL&!|hGg$ha+hUBEXjeEdqpY)gB1i>0qRXtO$?S4{TTJzav-Hf^J2{#Amz zS_Jr+x=7_GzGDvi-in0qlz3*?_yxwhFaFyYbj3h)dzvXfw%GXHXV@(X($~epa`+u+ zO1Z8_TKSX2*L;2FlUj$`$r^%;O;x^@8`k+R?|lVRd8}4j%FNQf4WE^IBo?qXC%i4h zgfrY}S>eY&z?vQG?0@2f=JUNO??+ioSIg_#yFYm)gYa{n*A}T$=$C;+%)()M%C{eb zV(eV?^<;-HnOlm%C--~FnARU;OlnclAO|Je@oOn{o~J{6P0t=^5{`wJz;R0W7Sp0+ zWihZ9&O!K))UCNF^1SlyK{(m_rIw5c{-$TNj1{thtndTBT!U;6jnm^xkCW$T6~}Qn zr?>}s7s6rAIeI}o?>O(g;%zot!neFfE{Gu z7a^;Q;X#%cj@d)7wCS53<+_17j7@RoaFPx+lxqs*+?sg{XWpjXwhvasQ%FHSSL<{f zuZF5~Bb?zXzwiJ%+(qzJ?p^LDpnMzP4c+t>nSy8OjEU)N2`#NJ0Y$r$sF*4z!hbz( zwiV=)vW%wWWEAax_OTLft=nuH1sP52XE1<_Dii-Qwx{qTaorLr{A`fgw!y>M?L9fG zzWw^oNm93DC|Q-Hlnvm1zrl4sS1+|xV19x{Q!(cwTMDz&>X4qmDd5VaVarRQ7%)9ElHirqPXZVFM|w!G5BgS8x914SdScquR6M3C{Z#}V9Gj8`ERJxJR81WBjBv@qu^Kg&P$TAH8dCv zu4Jw^-Vp=6E`L3}f(}ywKVD9Urxs_h9$O0v8`0J#H{047Lf#=~X*ur@3G+<*GLJz%bHdQJ z>@rhJjwK@u2b(jL!ByWX+tT`l(RxUPv57OYJ^K?u91g5(Z@TXo>oV|ss4y#+#*Vhs zG29vGZa%?K(%iflDSw`g&VB22y%qRrp3n@O(=2|Q6A|2`R2UMs^6V^bDs2&4)Dail zgce8@21q31fAaoRL=^bPSBAeLpVHO)N86}cvKIZhX1fnL&BbTRY zweO?P<@c?zn-3y_kufKMxpLo8gVz-Ch8C0BApJ|H4|l9GAf}Fo;0a#5Q4&6zh)*03 zopd9CyFjB3k%E{@>4U4|LWMS0Ek_IozY~bWVl_1lyW;^zhyHc(I}rc`$z>w~(k;<3 zX{OF(Un}qxEa?=E&fe}@=)l4_p=aDpiN27BQx$N>3AHZ!xS*%1b z-QHqzT}5IjY?f4x;53)(u9sg`vMOxN8pa3*M2aB=nBz*XG+(2B#B}(?y6ZvM@)#e; zs7z-EyXho;>vnjX0RgxJ5MXD_W4saG$FoUPC$x5ncN2~rcZkSw;PHo)#PAK{#JDzh z5k?}&a9$n@IF;H4WQr5UX^WIiatYxmzeOw7q8_j|$z)o0n|WWrJyd{Y<7gWou==o~ z!904?*yx)GFehQg$~;{MW3oQ*h{AmD=9sU^$1WNz!hx(?*b9A`^Ovq-fUX{tK>^$g zVtK1?z)!q=^S{aBAbqV>;Bro|i_>*LZmHp77a!sg-|lF6b{Pk#S37CkGD{0si6ciK z8_hpftL`ZOOSFeu)e&tE(cnhRU3kX$ zfBy=IE6Qc{0t$YCFe;il@Whal{Goo|X9>BFv2uY^x?Sq#+Hds*qUMFLxTnjXbO}h! z_28k8rRj_RrlZE1$N;1j(`u|)OpV9x*iAo| z{kv`(tv4Q-rf4J$lwYlE{kT(i2hc4PgQRgvkN!wq%>JWw8M@s>ogxs=4ONe7vy{FW z%=+q1Ax)$*1MpP&2lw2J#{X0QYDHzQ()ty9xNrrP_|tyQoyP$AsZ2qKg9uMEx2ppF z=_Q2V$XQ@~)c+P-ckZL`D+%-4c12$UfU7^>(uQ>Wd2TYP{8wEO)13gE zh77#+%3n#VPvH@VyK(($u}EQMnal9j{FJ}OE);NRUwHkz;39}@+D!ZH?R+Of+TkLg zEj0DsnlE7-&$0O)O(YS#?3zp~fSCvEJLdu_(r;jb8%IZ7k96douzd7Hmd;?%8L-);&y}Vw(1KUEul0=q2-lJpA?J%_*xxz${1m+Lg zop)g*Zb+vARrqCqL7%7=X`?bBf|>a>YkB=9&`0mJn$06!wZ!uz6n=3M3Ca1{a#KiQ z$QXi^NO4?*TUF6VO=cbejpOS?GA68_A0}Nq_UvQyHnhrj)w-{K+anY1N7@p zpAIvBT7Vr?P6;p;tj5zvl$P>YV|V+UiMnA#<%d$eI;}M8f0A4|t`EUxX7Ify_y2Y< zTBz~cg|}sX$i#yQ$J}(?4_<;6CiCKYvVdOc#Anh!pUOt_o98LeI zO`EXHlLsZY5{Ar34`x_)2OQPSd(@vm_Lii}(SwhVRsf+^tlgItT%8X5puvu1X1ZY)3kE)+|*VRP$cSiH$u% zM=O5wWL8UnP;g#ihyaAW1+7O%#65+*TiRa`{X+*&Hq_!u3|~42CauGTuX8^BqsQ>- zDX;$=QeuHw^@kHJk|GOPNcY|p!gBo#cP*C|tA364uNJ|(lkxy`jf z`o;?xSKl+gp*I2EMp8A`svDe@-7E~c{F>wRKI`Y4^1jhonUln?MNhrLA4^V4C#4TBqR)8#ZB|b5oW0n09 zh&zK&!v~;b(_&A|O(wzU7fH|%bfI_Jy#-~r%d0(hbqOoN?RobvcRvY|al9SZPTh!! zq&hh(t4FfVS2&4aN7DUH>c$6@b4h2a+b>)SpcN*>L+g;RVnz{A16;51 z;>n)8r3)a01s=@-XIt|>-|K;-ZMK#(`lPqQ1u66hD*D)$ky@xWGjJ2<^-pbCv-tZ~ z?!Lls_A-;5R?h2u)8#efR*W}BmASXCwU`^P7+x`i7)bh^C{1^$_j?H3p8f^Vxmv1T zJ26r@pw=AZx&0p>viK66&AqP5`IBIV*g1x7FFfzv7QTZS7}w>Q)MYHg%**FxWofxb znA2d&(r~ITL^3HrTjJ0IKo6Xna>)unfnAI1QY@b^$Y8uQm96?1Xg6odvl&$UykhNK ztD2Y{fpcd}NNVx+RxdXHM*T=Ym@5g{^!9H+2lXy4%42@>ImIyXIjC$C|M#Vz*I~Gu z2;>@U%>_Ook1tmhe&C@IC1nDAX^u{C<)sIR9!!fLSq!5F)zp`9;$y+cQitq151nUN ze&a`?Wn;o1vyRl3`N~QaynbaQAG9aY`lFOC4Q8Kg{E7fl&_S=U)3LYNdTVCIj2t$V zJHrEh#%Jm6`>OFYWCx#JY@r8SKCP_;j;*@@;?E^F59M~ueYpwzq;6`RrN}gGRgJ{Z zWG;GK>(It^s-J6n=BK%?$#BpCldH0HlLVq=avOu*QGg$Qa=C|H?VUZ!kNp6_7uColUi!CcL)dzBzHq-{#XQ7ZcZosw5YIW#m;KK86rd>fp%uVq; z^e7az+ET*ENZuHsLp;*=VV<`VVFZ?lvNd^m+fRbb%67}ot4=}>2*rjBUFuv-g~j8o zok`ghDKFN?ax>h#J3q4NV_2gzNG`O06u4#AtyC{f=+=hz@d@fVX+WLlbvLoznQF~V zNUgO&U*}(;qNN>=rOfuVtXV1?A``!~Osqr0dYLBXMpd<8!4|TNvj!D|q{E=>jQXKH zRoKk5ojr)=cyZJ2_PVBbYW)-MmzE?IjpN_5twlU|U`r1>5K4oGIm&?%6&U^ilt(Dt zGij@gLwN=xwT9BtYiHV=J!j;r#g|;PUvl4}D8`p0E=WEd59LTmtwMIdr zRvj02s#W-`HK2oT(I+sj(B2f2FG?)rI|I=5nTlZH7W_DF?sWTCDY&}>tOTR*YKNol zm+3}y%nT_Ixx27v&E_ZOARN1EnTFa%WN5o|TZYToQk2t#9qA5>>`)Hn;22rEq}C>9 z#M`ohM;EvIdnEWm?wMZjQc#B`?!k^9|4==#yG;sZ!o9iu>4nZV%O;%uIsNcdBqCS7 zK_YZV_zXL}x>t=7`l~Aj4{d8or_?__S&F(9EfZqN7DWHa%78|J;{3}yppHszva2#& zTTvFzSm>{}$N!O}ZwOAOsNvR6y$YmqkpY*eU-wt|uTT#^XV;HB*$-QDgXo2Q;hS%x zkfunlRlM_%}-)dVn4<<-Cb_3 z?@^@Rw>HUV`F!KrYP$Z?MCg@aynI5Y%X)*@<0vaJ_4A`Ul51$LhZw}sG4&JAsZmDt zldvg?PKoek40s#0FmLnl#x;+Dce&Xe*pJ&R0@v0?m8>a8j$C}27(O3GA-)`UYTZ=% znk}!abQW<$4t*ha&G`+ZdN@XVq5Hmvol3B$h-cUxPRPx46Y4#hu;)fbzzhh4Zjt-Y zlDEg#e-qQG?_j$7hTh>}`r+$4@2^ZvOH$Z8)F+*ya}s1H7Kr^jLH5IoQT^!gUC%>) zkC}(T>qQioX#U4b?4+wL6lX=L0@r>JdyTng@>Swfss%--Hj2d8j&#basGo|o03Y_{ z_(&^W#Y0$kkNRqXSSjzd|5jfk3k4t2r;q9HBKRxxkj=*s7()&>5O;#6Cq#ZxkOsTm{J(|A zOP@K}n8*X&I)B028!YMe%2UtUq)+Vc5HPp#_?hzE4lxhV6kB=Vepz81?KSa}4LT>p ze`a!>KKdF4p=ofc+MTEf5Q16Mg)76ZougWa$Ec}T@UX?+}m!3>K$}=l%>MS zD^EcQZ)aJn4ju#1Xbt4ImyJ)OI|1lX+~@pIpdp{+fGn=ns_f1m-=!OHIhRmzD{39z zt=c-y|9naK;c_SHKavqQZBETU4llEv6?1OXQEQkv(JGl&^~HBPXmt= z%zl2~NWma;fz4R5-G7AqsVdo9WQJm;wRBfr}%FjWozFk$i zQc5KlyLkGgd2ClRV|Mw!7=D8l0Y)3!3rRUvx?uOF-LqnA4Z8bj-58Fv&Y+U)a2r;p z*>ia4fE!PqTLrHG3jtpT-PgBu7iH-(cwIJ#1Klp#Gs1dDI#L0x#HBBfH~3dw3u7aw z{tf@g;pIYwt`4l(%j)-nN-zApVxVZq!F)@lF;g(m`ILl<7B|`azErrlxaOu&+GF^Q zfY%inFTXM{Nx{E{jaX~y1#l~ObUf1E=21x@f34kLx`n<<$LQK$dRG9BXGq_&>EJ>0 zu6}8D`4Q%F@j38kj(C_-$Ee$!>X7Dz>~eqZ!bmaW1Er9PS14J!?ZyWg+Od_d8b>L! zZGZVexTZaMeh383nZJj8IMshIzcII0Fqc}qXXNvcb26&2wrs@hWmxfN*#p$S*PfjnvDzZ>$` zxJZB!sjulOCwtqLa#l@L*KHX$XVU^23b`KEz#`rvXXH9mGvz+@Wu-@1ZptzJ?4;g* z`U3L2>V4_V367Jt%AgbI50>Pyt-<+`)knJ9UBKeZ{0)S($Cp4AzYo+sO9#>yfy8O+ zA&(jHzZ~_rRKb`&HcR9BYjKhyPsKRQF-T@(JHVkIyIb@QQB9FqN;8u|(LitUH#CNZ zI>Zxs%W-Z?qx&Jf=iSeLBX-2@+z!h`arFfXUTfA%-=Ph~J;j7vyiR#+kRkbD)gtyw z#&w10&JP0D*k1pk4%)gF(h@T>A*YTVMZBwT)4b`!BtNaVI++Gj9kW*ouKOFIdK&V0 z&i}bN#J~V|w@Yhp&y|yu&CK$e@qeM0A#bb;JR(i2>3@Z7MGYm!sz0Y9Pbl47k`Ly& z=oktuQc6*OKAMjt|H)FrJu3@E*Rhhy%b?-h#Ozfi!E0Uo6E{;hixDEhJe2NDKD@Xa z4#s?P=RB19DR;czg{dXoobXQZxE*0T7(5bUGvZ?wS@*{2?mN$4b`VzGbBvzX=c9@) z{%0BQx+*h@he)R&ra3fMb*bYHKDu`jz_>e~;r-SAVyT-nnC9>;(~ zBMpnu5nKMjI{^)YYeHE(<^P3J%UBM{P;k|I2i$bvku;4@v66X6S+}}H@VFX#tsvvd zr*VlGWU=~lpJW;J$o^Jo(Sz;!<OO+1F*fIDHTq z`z4}Z)XO774Lx3n)XCVnvry9x=``)^Od_GaUbA5~CoZ#OP^EGtud|o~{g$=xfrSpm z?O5mIP+?I;wx1)_%M#lq1bn>rC)F)t2GXbd;T%(B3)_XSUJ^Hd)w}kFx!IVG`zv9V zW3ZOmh$!LDN&gKDQ3?j=a<4uWskMIC7}?XlRf*BhD7iJ2b)mW(i+I~8w@mu<681km&xK?uUZDw0O_3iLknl)6F?1A9@1Sio?QTKzW9#!TI7F%ZuWR_G0 zI=d*njR!n(22f%(PS&AzPTSTusTv~dDO>;1b~xlC%}*0W;lGBLqlImNyOHXd4UBTp zRJiW#(c}*}Tvnegc^Uuc7m7xXt=Zxm$G7*6rYCQTCu`aooLc2RxWN%i<5Mh4vMZ`{ z_^z12!6=QJ=uABHp;Q|@hDeQ`htIs-L+PsIl8&NQfsbc4O~ia>e9$^E2+gsi?yY&z zga|39R{5ezP8k31VU6MAGiT95y=SyQ4NN!212V29k<kjtuq|L=xwz98V$taDU-_d;!4(kqJs zLyLbjT|d$MwNfnHl(WOI0=RLv{*B(U4b@iMm+Ax4cSCHyqsk7KdnEo23(Z%F2{y~O zPK?7<11iHKr}mA~Xjwh8^ieDopQBUMb2o2boCI_4p59lYttfr;p$OQ&9TODt|Ah{GUw*H|n9k3% z=*u==B2^uoul{9)9ssZXA;ItGc|)GDxWrux&D@_#`K}dTpspX&AB-!fY>y}PJC>$j ze)l|0!pcsq!-bHlMx8G44`{|w)#Eik8UGJkXBihq%>DaP++~YPTZ+58ySuxy=t6NX z?(Xi;7MJ3bVhcqVD6Yj@thmD+p67q%#eD&v$s}_o$s{M4f%E%PG;k+JWKeE2CrI*r zp3T|K-@!E^`-M;(a2LuTXLzm{La$X}mle$4#j()jO|#8=Dsd{O*XdKoVd40dp6K)} zPT}7l8^8yvUdLDQoo%4A?tBgs4}GnQ+1MJ`R?2!5lL*5ykN=^Z7zF+<2x^;QcMh~&CVkx)N^rLS z>D>QEs+Ta>tw{XGUw-?a>9mtxi&73Ga5S&2OSKmh3^K&cBJ$ssHo8!{kXM$Nxf|uQ zu6n8^pDArbOuPjJM+BMlXz&<(v3rofYwObJ91CX|!2r$vr6Cec`y~C?dxJ|zPydf8MuOG#(zz~k;87qrkUueU)xe0Hq z+M1W#M%YTk_kPoK3$ly94C4uj+Z6sbg!A$y_4PJ$m)-5M_%8SwXOZsSMZ2$Hu6zG^iZ%`d;xTj_fd*wuQ2C44HxwKIo z%h1qP*p-kI5$F!@_xH<$I-VJhXx$I8MyoUOSkBPzJALEAp{-T)I^ixQrp||N!M6$7 zv0YqE-q!6C8B`KID@M%Jzw?;8def}WfKhk3Q$R)j_>or~OWt>~XSZW{{rRZy`C>@) zVN~>KrtbNw@M$aPrmE+z3dj(BzJojyK0g7POszf7JwcC=qOH&1py$iC&*&z{p`On> z*v}6KfDlv9(@fBP(9=aEa7ED5d7`OB)!pRtmg#BT^TYbnXx;NgXV268i^09;t)RrD z7~P%cr-%Oahk4WIr>ES5yUR=7!adQ4$Mpxe#J#7-t@+7we8!0&YFna-o~KjO7ZZ;s zf!AAJ#wBl1rXT-DA?ls^z39W;`ZLMR^#S2Z$XIOBGxA#4)6U}a*7IZMI{B@&)Wyax z)WRPB<9ifYn%}`*T9z@b(ost{eEhHa&I!8&N0$q{P#{7%ByRY4YiS-Qgr@V6J04U6 zQzc${3lpp+tU^mH>XWo+o5h#peWi*+rb2-mU2u0nkvP_yLP-)5M%AuIxF$U-pVgwY zBt8fw2=dg=_3+(w;X0FwDc^8IvXv?_8cMvMG`^HpeC9IM)XF!~)Vk8r)T%Jl^haZ5 ze-kdL^XA(LM4c>=-{^rg=?3MzEA??QL;rz*jwr%FNg$}#oQz*w`qciEmOi3q_6?d) zn*GP497;+RjJ&d}5;TUs zY}&Fcq)g@*W_Z88m`J^M>SQZU_i&tt?DHu~Xh_i|an#wqxKy|{l%lrsG@5XzTNn{< z6-y=}62$R>X>^t|!n#-ED5&DN3bsd^LJ*2+2;g>gzpq?>;!Q{{|NA(3c-l$z_XHex ze*0PM3!Q2uY3HZzL>B_Omz}eC%7j&M9ZM-K>i^8dtn62pjKkE zB}&8k9=ylZO7(Zi%-$*cCj^NJ$9HpPCW(h9;HNCcEYn*`elMiVoAlrJK#3dE=qKmL zkHuPN4PC z{X6yQMAOC7$NSN1FZo~V-OQs!7f)x8U`3_IYU)s_$L=btq%qBr{91&cLX|7*L`h?* zBjim8sH7`|T!PTIRF($qI~FJF$HVJXhQBH0Htv&|rF$F^%ip1{Lz>EJV90oPff26! zMn}W%icf5nOd?&AVAq=Umu7Hy(RkycxmliauYYde10w1EC#>t(DQfNHCgL2ofk{k5 zkJm&L28JziH0$d*NnJezsfIHYNkGF=JU$`*=MuoyOFOX$zB3j!orFqRkTgm4*;Lbs zm&hm45`XUz{&xIGZhXrfwMBbh8N^z=y?g2~!d?b&0p$7P57+IDG*sY)=qg1FHB`2Q z=xE{fH6~b|t>YC(7SDSkx)IB>Z&>L^`Ra?R&+!Ui6Ym4t<4%J=qS1C>b>Gn1nOY$r*0^K;?D+wzJzCU_nFDBn~bm}jyKgpw$rn%7zQ82~z&Pe<4 z^uTrfFU=Xvg8t~&tVW0W*fKL6?SZ6RmdygX0%rv?J?%k1L}jkEEU)^c6@iTx#vJ6< zDDqHY6^Z$h2ft$#;4oqyuwJ?zGOZk3jVautBQC03pp({w88G>aseC-Lnr;@`X^p2+ zS|=?=DE?!?zgjxt-ltWnpD`&s1?L|zD@OScFvBq)@99%#A=8=9tI{!*4>4wU*EW`-#IP|V7oKbe-L)ELZ36lDbkvJze{u$QhfS&oV?DK4Y%Wn&}04@ zab)rMd&GEo^9&go$!7g8O;wXt)7XDS1NCLwo#oA=UaEgSA~KH1OA__9AS31?>Oayj zznAp8a9-cM?haWm^M7^@w7tyr;INa|x2erY3-El~zbltp9a&FE^E8h?6cTdwwBup% z>X;wtKDUmLrn1ef!vQ62VIXFyK7U<`_A|}Q~ z#@GBd`mF@tA?6WYXShQU`UA~`u5;^o=dHRGOvSS!al87^VwhfHu=yg?glh0S5`tL=)nf$O?;x8gw}A}5N5#f%4j z>uTx>_uj37JYMeiQ0^|*jFLYDw0u7FvjjUnD@(^A&26FHx~H3mO=V2#@`s)XQ zZ&RE35J0@ahjM;hB76T-$<8;Z^&Lj`SRpGoc;CX6CEJb<5<+UpM-HN6zaddOcSh-) zsFj2qa2^ss-cbVkHMJf>?#OaKVK{v$VW-N%r9hoa)`yl^^_Wyy*SnhqJ%q@5#+oIJ_OO$c?F(h zg{qF6^VM~uT%AKq_TpU{uX9m;X$scy8u?`cf7w$Ns%d3B@(L13ym?l(>v2T!nhn}y zTTXE9IU>+$AO;0q;dfnLShD84E56t%Y?}`eY0V(;qb8hqZF?BYE|?&5sAe(`Kf!D& zE@wvmh(%4qzDLw#{x9xEFzw{PTRPgR5c{`+6n=2E3{~Fr?^_=A1mw` zxU1@u%TbSf&0qfcZ6X#!5zgButT$9l-{fOAr-fIMc7hMGHJ65v1Dfx1+uVJnKxrIr zyNPBep{Kct_xy=+g_C}aSBN`4=W9u1qico)*a|`wy!x-dR^Bi`rz4zcSU*Ceo+Z+y z;y47;hd{MS~Fcv}XHe_wSJA>eUE=z;XzC`yQ*MW(kV-V5U;T>s^9CWI|r+6ssOP}X)94RxL9OT6YcNRN5Nv*-64oGjLt4A zB?GIJB;*pNLu*XjOVQ{l5p`zVBic)AkTpGn(K`{y!}^3$Ob;=w7zs7g-vPCToy8=A z)h`C`)z(x^`g*93Tz`kf1cG#1{yoMDkIV~~4N|)$>UAHgOLQ7b)|pa3loDDt)tW(} z`Wlqu?#Di!YMWQnj(bmfo{t|3Y_HH{X3pDM=0dK+rzlcKS(xcf{W4t4NwE$7Oe0b6 z1{)FtL1T`|4)D`L1Fp)1gM0#D_glQC$a~cXPXji+f|I-N?t{&5mJ9?}8pi*Hx>fR2 z1y7myO>I9QR+ZR&i*v|lw_RxvQTu)z7m%fE+(uyokT}qcNPIp(Lg)`NRyTREnKIon ze9Zz{d3k%WCP+o6Egv37pB@N$qGt;&*5jY=-tDx0dB453&8WVYpubSzT)5wB-Z~s* z@nij7x%&6VW?2?|)Nl2hdyzSNT~TJy0K#&S~*7=%+89A$YvX zYn@xP5*3u(bf#H{$2H_^ol>msiYN+HgIA6y4XhQvn6ZM-L|p1!t902cC?GWgA!jjD zj+MG>Nan-G4Xkt!rH2-oUc#8SX8$A&gq*u=C9@nvL<*0s0XN4O%O4OFawbuL1^nxA zNd#M-vmHv>@DJ6VXnnI4>-H8ywLr7ax4C+Z{Ylq!4L(J3n0BV#?>#3)E%W2^O9{5b zqhEO*$72-Oued~;>w+EXc%B8CRS$|dw7#!CVy{Y!>dCkYRzj^kJtBEc zjTdfse|4jLNcQIrt~!Ig+}6|lF*oY3+~bwcYr16p)n(zfpbcG>_^#yCK9G)I=|-Yy zQr-9^nlB=MLAUTH><1A24bKvw7UVeRJZ^7NXu4J}ENwrgWf5vidlih=WN7U7DpvFZ zqzx1)=0mAiJ*%ySWyaFVX@g8XN7m?lV|xg9IL0Ox-E9DTa9oJY`Z4O8nSqn0mJ|q5 zKfm;aSfhpFEn@H3ADiOf)f27Md#hRKvdv>b9_AZ(Nh_Q6j6D>+WrdM#&is0OHe4}o z_ehBuFz|EJXf>z}{`l8_baJR6U$t0^Z27i;91vg@koy?zAyW&}#~CGCn}ASu<}nI* ztK^-p9OAD`2J83iwjxVNRZnO1L}z`<47kW;Kk0YV^{bN0W0aEVw57GI^;y$fIeDZB z+ftFtjknZ~5Z)9XAzd~SUfbktFxot@I`9<1>8&?W!IW+|1(dGKpm8~gk34pe?Zc~G zn$O=llRuBH$9>z-A?t$#)<^T{xKGZLf_lj@$@f+HJkJ~VRhdj$x-gn@;Qxe)EQR9z z1aKcVaXzo7lLMq)Q@7aj>W*gRis{7{7MhyKHa&X;S^1scG8a({uhL!jPvjMs#Yv|yBq2#RWHZx>~lprcb$Fps?Sj}q&&hzJo*B| zfZ$vt?&|Z#!jtltZMyy@Mrh^_=SLd*ufGbjW`C@;3Xx7*T#P&+P}5v?9!Wtg42nG| zhC`f=q&In09mA>wknW%5ZjNS`x<5p+KkmYJ`WX_dKhSW>byqpr>1j@7506)`AVLi+eO# znmuZ)U7Smy93>St8pEUo!`l%1{Z3KKN>+pJ1XOd$>*mf#xiJy_R4mqMWJTla6fND&a4Z`?QkPS3~Zb7bGa3hPi{)2 zYQYXtcZHirfk75Vy&^?dufURZHNxZ%G!mQ@95H6~hBE8qnC2v$HAcS~{XB?Hb1!d* zm+NrBPu=G$WlTep_}0RKwR8ukZsK;($#tn)YgBXvOH{^@B|M$9Z`4e5d&$?dlO}2; z|L3PAO*FCV{?YEkw?}2tFS=-va%@W(avxJz3{vqLFm#s5EFK*svb zUxVqpe_X^Gu7cfo-z*7ZG}Bb0hElKYKz{75b@ER(S~`dEg$>W4=4|xI4-3^K(T}e& zrird8Ly=hfUE8`xJ{*b(|EB0~YA|ozv(ET9#VE6cSUv>{nZ6hanbzwAegMt}HL1Qd zsjW>tdIM)wuL!HXK~@8%qL?-ISNy9p$%ZYTExn+o_rLlqSVbrl44~c*G#XEDtpgig zNA#Xpw~0rO!ZlZhE|QM8wd|sv=5m+M)MR>!+i^9QRQnC8TSPACg_Op5QeN3%lV|fC ziaX8@g`R~T;g7G?n?~@prO#v7v7hG7VevvI0Zi7fHmTo^O(KVMCCwHuXo38QuI7Yk z2Qa{07*v-q$ZMOyVxO~KSh;W5u`ZJ8y=`{8lOdkY$PC82HU(dk_eB5M+9j5b>k_Sh zUVw5OE0m%+&)})yeHG3xlG+(6xRg$Z^9()XJssG0gD^Fv#hS4Hhg?9AR`EX|1n3=; z_1G6zblF^UsUWCpZ@w#{o4wI-ksu!!HS5HA5yu{_VPei7#q(bLXnWW30ZLP~D`|cT zY@dh_-!o6ZDRC?EwM81;K0`*ro#X#siUWdTG+IK(gtxT*{L8cu0OrRRP80Px4=B2V zrfpZzfIamPes#v4z!tu>u}^amSGp{a;RAFdVeQQPQuf^Bmute2%klal6{y6+uDq)UI{2YKKFLq;TDf>);&f) zWBO@w>9s<{v1%XePoh)mx5%Vu$8A;qf^5)NSZ2(aUc+uFsXjqAR4-xDO7C>-A8;34 z2$^2_pR;N?_q|NijZY9V#=iyQoK7FETZ*`B%K?S`>IK<>32Q#DAz&Q2(}_haZ=bc0)?c?br{DUeS{mGe_5n^s^~qlY^*JvOeFZ4q9@{+O8kCI|#rtM%x0`{OI)Yd+hJ1LD_4Ikz8*Yxb@r?4-T ztAK|-^R;~7XZu~nEKre|zkv1Tj*@DK0kAIc)&T2Et`76g_0sRk+$7z!OXXp}6wNkJ z5_A^R_#M>;=r0LixbeOR##C++VcHA{s`~kX${`~4Zous7I$-|#8Zh~IM0dK2Zcp2k za>!fl^VlgKyUulj1bAStP@S}WP`(KC3u5(2qciXcs)rPqAM2Pv|Gea7#UD7M{fe46 zLDE+kQ~pZ`VxqSHb3h0pNc&t=YoeqFurWYPt9yxi>&YJ`x*pTdx4!yz(zoTyb(!fpX{L|2myOdgXQL4= z@PFH6-KC>L-M@YuN|4T5*Rb9IARmB%t%{##()9o!0(VS<5*n1RbnlDn2-Fv$DJ@HI z_GAj^hUou21A94osdI5>cr z(6buc%il57OgjJ%q)7h$P}8dCGQg$|0oV(Hhd=hq&7z;GwcZ$GW{}%e*TDDhhfp6j zSrAvCXON@%)qYz2WvPepU%oW;J~F~(nl7XjxN zQ7Qt8;UZ_s{)I6dLXDr8IsKh*8x$_3#BdA5{SNF@>2;w&S0(vjU)M;G>)m@Xt@byt zn>R)vgX_6jKSfwm3zIm!1RTsE{gtpBRrB#em0(X%LsWGe8UrQ~Sga^`Lq=b@se~VN z!PSUH5>kY|nX@aQ^Ov(j3}*1E#Xm%bUcHyQxY!iMcP5Gq@?>4%tj0Gxp0Zp)LU#?2XwcxpfDPesP?>YaMxenUvS zf4}MIxD>xK*7rJUIJJv_mS3j7A}2}0c{gW`-z-ZgUib|cDHG@2yI$^NU*UXv@f8P#d;^1y}H`aTA1y@)%J~3Xmb1crw$t9p58-KH?Tp|KuF@LP=ObYM&Ns zt+sX2e}N<{&7>oBG;W#+6<4794$=IgQ-sx4x22WX>*&rYjx6Dbsg*LJ!qP9lrsEe% z=({d>Yr==DK^r?>!J*bpU`j%9-XXwoRe-}Ax%@y}XjTNUPYCl_ZiH$oL+?Koopk7< z9*xItS;l_(l@?C(in=r^?hoRlImJ$$>}C%!s(3aarrfC=yWNb#``vSTE|JueMQ2_4~c3ba;<#ZynehU1@h(Eu7pTv!TTI(?c ztt2Ml_0u&%Jj$@Pkvfew61=cPz~O3(tga7N_{5e9)`^rEd`2T#33YJN&x=8v$9g1! z^BqP(X`hoJYT_PQDt5K$OwoopFWFoX{0GDE?G-BKG3*Caix&Vb%pYj?U5WkpB2@ny z3o)(W^&nbI6^TN%4Xd0H53$KNkD*F62@BU)jTevtGD3oRGfvhACSot9+7E!7K55V_ z4@F_l0C{X?sy!4nK~!RMX>3c=a;3o^x6R%pq_ccz!PLC}1-39)LrA*eeCW!pGswr3 z87D}PsO0#mvl}u-J6xyldPJ7vFBIsWn)pTfJ-aP=n%=Q_iWjPm0(4B9PZky0C!$oM zj@5U|7VsuPLvDo(J`d!WQbMAqZZSW`OoM}HInInX8q1jhFcjFwKi9(*Gi<+0ToUIq ze&0qKprpV6h0AX6HnoCZi4U~QkPPH%9S+seKoC`!iWk|H!RL9$nSs5)+`B5iIcyS+ zi2}6F`Dx{qSLu2dB>Anjd4+mT-fyUN6bN4K$R{s7e4x+5@LQVqr~B$r6hNqt$#MMp zFFb`C({JzOR7R~aNbwfJkhLZwTja8h1Zj2TiF8W+_G-Bb5Iwqu7HmU|fe0?qkCG#; zDgPn!x&=p~eQ{tDzZBCY@s;|O7CRP7XPxC+np9$ck~Y~`IVs&ZeCDhtE8F=g2~?*p zi&Z9{59I}VMv)qd#bDg5dh}H9Sk)R2^3l=&?Q^`951)Q^vnR`tGa8V2Gy{Ty%q*e* zX%Cj`{8t=4wqmr@U`qjJBJ_JU{w=s;+#giGvuHkSB?M#{BL!OCw>6_DA1rY2^~WxB zEtT(-@g*$R(_pzSf5HQp6lgA=Izx$A<5g>1$wzsu(cMTlj^9BQzpaY}#)aFE^Zi)e z?}ul6zpd0;#~va60<4J7oaX;x$sZ*T!*=1li_gc_dhHQC9-_8Ph0Stp<^)yT0tu=v zMCyaETzGxA%H7-4q_OF$hC%d)qv5tjB*QVp%{N;Eq`y!*sR3 z!oa1ErIEx#A*v20UYe=NiK?c0LI~Q5$s5NNq_=)&4qrcwYK<#G{yLNBKffNugj)ja zg~V`YS-uf~SiTK?pli_o^UZ^1V1xSt(>PJtC@vxg6p-cL8+J_Yokb<4ka7Tdk}K|} z5&NuK1%NyZZsK>}H;=L@?K{6U5+Y35?(lgXF(j6RX9B4_sVkpOzZ z0wk)Er1BQ9vXua$A2l6FCm2+)5nxc4pjL zQGAryI`#bE^_dd3^qoH*=|y$ZrBgU26k$qbjAcUahJ6sR$I7j0t(ZaLSSnXaPm|2> zOO)f4aocgc&SrPSv7I3LoK)e2#Wzd^oDX5ykvtjiTdzK;v~mn@r@&aa#Z<+?lT@;G72;JrRgm=$ODG7ZSasZq=_m zg)SC)lip8w7_@MtSV;dG_|~rMY*ZX0`Z?7g^urdRv<9>NT-V~{d)|au&$S8!dx=rf zz+YGKmH%>9ycO#dEgG5mXdXd#T$e)dHI(`Nadt0&4@G-e+zK-CEO9{2>mpS0@%T0N zCSo8CimKySF|XrDfVgr^$+S@=>7&6My~i^|ZT#v5C2JpAm~j+6Gn|o^6&?H8fV%4RkISzD z2<;xV*h({?_xfu{;Lu25JCW@3kJ;TqMex)xRqDzK>o359Y1QZ5DCWHEIuuMuO{-A? z-VA0OiO&pE4cE*PK4Ubi6y#NyM7~V$sZR>WOo(_(_@n;@dCqqGM0|&~k8Y1>o1?W? zJh50Qy39MmSFmG9_vr%B*IhrVwwn|i2jn*rVB;?cE5!pk>H%J?YiWQOGN#~9W>y~R zT0r=pDw$VGkpVLSPz;GtrsC5|0mE33o>4z=;%8c!C?X?@n}?niuem*@3UU_CaKBrjoy)E1R@E@TX{d%6I(4ovO`^#g>CcII#R`uF!uO~_bTUMHrhINAz1H+3U9q<=8L$2Q3kd!?MUiCo@^`3tv-GAuSyOUUWh`zh z3WCX8xDEscan|KfsZZu=zDHJ_k%`m395CMvg|8uL>>pFQjj#D7^6n2~p{hJmM?pAw zj^qY)yfdv$i%2mb9p3TVj8f3OZ*%w`5@&9l#bH0IZQA)!Z6UW&eKc z#%XF52^7!)ew#-Ek@j;tWH_k0LBO#kqcKhYW*B|t;eDn^(IR=$w&nC8m+r!R?i{`b zUw{I!`a>Aj(r@Y;n^38*Y{B6RM`rVF5w!y^8oH>0iVvK`fI|Ps#yb(&vBcnB*O%0AKQ#jcyDL%}_j%r9O6H@mb)xr;9W!!$G2bI}CQoLu zJum*){A%wU)5L&n*xCGgxYGP3<%S+xep14?%z#?W>wGJJ*w3X-p`;|Gl$un!tP!=w z>b&mssq^nx!nb2Jdp{4HKBs3)m$$jV%evOPo|e}&A0}R1f3j@!jN{Of9{Skd^tTK4 zs#jPc$1JsV$4)o5a}$4SADQDA%Xu@UPh;7-GT}h_=+*V-Hx1P|l$^>rxb60#aL4`a z#Kvz(49CUg99t}Ix%}KJ*FJcYwWejS2TGKt#t;;AX`%Rv=%*vdt28m?!MZzD-L~KW zml2kbZci`2AVmE~I4~z3kiV134Vw=;&JXNhe#=~Kn6JJ+Q0##}D3&XJs?|&iZpGvQ z6gZR$RFn%;bcEE8eZO)ScXn^GJa>5U`NgjN#$xe-6#Ff0xsyt@k5|<|5)-)fE9=7_t$0o$?L zOp(YetEdk@SK?e1Ocf`>n63kMD?k__ zhiG&v)H4MLgC+@DW_fdoxud17skt1?^E2W_lh-CCzV*p!T_TqXV38cTzO=YBpK6JW z1PEg0;%wX1(OwQOK>`p%dP2qH`(NM8iRHeT;|BtqQ~3naYkO0v)%=H@G$0^=gQ3At znIZ^?ng~`+>s3>|ThsaKlvGp?A-AXpQ=1_Pw7h1xpW^{kd9?Oku5bF{!jQhMLZ-G3 zRRJOj9aB~+r;m;X;CymV0RdJ!8tGhQOal+$qh%(_P>`@P{ppPHX@$jf?{eAl&o8Hd zDgh?HQ0998wh;Y{T7wI7#4P9%Wpz}`M0S}oGDxS)35dms)WYcJsr043;V|73bxxgVSvgeBf(WZxRr)@pDinCxkesud6i~ws#es>Z;|ewZi-VYOeB+aTi;vMIf=Jwg9pmf>RzRRCm+CRikO5=Z60ZU>?;uux?h? zrd#*Z?KeJ^NC(4!I4WN8cz8%A+Irn*ZfBC}JwR`oBo2NeywX_U!T$?izUlz;6a#OM zk}F0}Lpr?EMNQ~zW{mF*OpjjPU18ravBle6DZU4`TR%GJo6FkVF61h4Jsd&%)*)aB zP_}^C9E1Uw6k$jLy0L(X-)Wevcg`X>8`cPN8~d~AL;aU(3d#zqQO+ABoBqw)^06pB ze_w7AztU+RlO}OR?0qYbD@$w!FeKB;j2PszyDqx09Jfcuc!GDz(*WQ&2K$~9d8L0NOKFI zsx@o0Ci=K5DSn61D7v$+p2zdtQGkKGQ&kL$qO0#^XKVj`@G063QJ0WbsA}x8ZmT+Ih>Glq{vMoFrz3VuUuJ zdT??i>x8Zz?_jTfGY-morHOLpv_kS47)sA zTuacjX}MHiQ?h^S2%zedZjsin)fBqIBxU9*JB-)3*;=|?7Vs2zu399OA3{FV> zG~DZm+e&MY-ln_{gSdu7SEH%Q9!2l0IAFQ&xBhEL=H9j@oUMkC?!!*@QadHzzfUMQGkhg3dTyYw&Ik z&6%Cy_RQgDr@0~nXBBYmAZ1~Tv`Bnq(8Ze#~zHH+lIflk11b7 zY%FC2vfK!3*8X`IcI>JDl2Yj`RnN@z-}!&i+PP5F)gu7ijzi?OL>>=~r(X|n`gfe5 zTor>DpxLav?LT5kJUN$XvP(HVUqL@hu@d}OA- zp+N(ivrO(dW7lNaVtKehkBnC*Q^_nMG%qzl$4QaKy>*oGD)c}1QDLB8ulUS!9tS3z z%0sk-fM;Qr5|PHcg5}`--^NTu4g4K?&_VuU;}{u1M01Eg^^r!vj@S%~^!H-6^$l_k zB~>XNu!NT)Bjx%h_UDlV8N(RIbwumvSPVl+$k2l5L>PeOdDX3E|r7rwCfQj}UnH&Vzqb9>TCX9p5H>w0Mh5ehBuk>tx&8DNcsA#zYMqzMI`C zIQmq8K;lyq2eD75?I{XHu6_?2b|`NiC(Bh5xF;FV;=Y98?k$A=H=?jEt2!tS6` zUXwk`4Az;$Sya(=hdJ9M4^y4h21h`H;*YBs8@uQ`3`0qie;VpZZpRu=^?DsIQo50Y z_gzM!+k1Gf6503P#q46#ltdft39F$jwT~zIqNI_B zv}E}ls|o=p(41;#9g)T5U^;mSODj0A@j>gRe&dA**jqlkoYay|9n9v>hHqyXP~MO@ zHPn%Ka0U~c_M)y{(++(N#i8R;(elU1l}Y852omF!E%<3w)Y&Sk1;0})3Y+j!C`Cdm z7L_#IX5OK)`5w%6ZUK4w&G6kH-xR-lRHuX$K3v4GqZ2tr~Gg!8ym$?R^im%9)AB5{+S^rRaaj&Zi);#^8TqB4+vpyd7A zD|A2dfqzx3D#~=*T{sJQNdh_B7^^wvMtXNC)TfBqu|WUyCDUp}_yT#UPnZ4rEg1ha zc12XI{`P}53Ve;dUVMrJe)n#%0eaZelJ3_i(_aSOY?D?W%Velv44Z`b)UUFYum=AL zZFpvZ+Ek0eu^RDcz*V1(v=+U8jDtsg-yT~w$Zar&+j1)KWKy`mJ2fO)@2D5y`iu%m z73rtP>@UoNEm8AOP#YIhkyj2GrSq7-HVADXHUG;A<>}r{&f&yv3vO8uZrmM{1m7r_ zpH~N>b8Q-bLFjC~F3Ot9;0|1kfsfzUlUb${S9Kvma4OdJ-xz>*rUBvd$1X`>$G|ar zdWZ5{H~c*uK~utxA$Gz?mt>f)4!+%_T;eq!vz~r5!`1$xG7TX_S(0Z+6?v*y37eLD$|MgA zh?=FLuYNAbxs1O2Sk!J3)AZ{X4;z#6snemvTJXfBmHixHMn);R!iab-*maksO-Q&@ zTXX2ejK{C=hSy00MllT6!O-OSLk%frHY8NM8j7X@z^wX|@eLihoWOdYCsK|lJ;M}W zLU|2EF6(G`u~-($B~Ig{!5P#i>shh)Bll-Oe1)+=c3@1!{6JX}}N?4my<+Q&DNCvrQ$=~MQkf31uFT z3|1IilH_p|V*<*>EHTz>i`*PsQi_xnL0&j$EdP2+!@G!ODKIkz8MKj>2;TXZC%xNR zUmGNLqn{fMuE3A=BMx`H=WO|0v>HeEEh11QmS9%;kdF)jHKH6TFP2d`6FysL}#UezRNOH*Ea9O$dZ=pNMn2N z^e}!j*OMNGXy-HBSz7fudT4>v>2hUKjB~_P+8PN8tkIYMU}48PM$%Hn&32h33?33*oz*2@QD4fQ3b=1_1KFbt#|vg-c3#cC zEIu#Un+fqfiB2S=7}*k*WBh+S^#{ojfC)OgHS!?>r%1z zf_pHAG#`uIbS0%XMZh!QUmY0%2jydNs2j|d9W?i|4C+E3k?1~vd5z_$^pFJ(8|jr| zc&z($r&-E%5Ob=khUFrZgoXpP)`DdogmyY76Ob24k0>{B-h;~69Eaf6G?oH9U&rV5 zWrEA-f5_Krt2F*x*5_yzAml^_?K5TxWM8To0DnEFJe9;;fh z__|CBBXA7U12X(K3QOgWB9fezp&E#Vil^z-{iI-RU~a4yk_mMBCdbOFX;;-xz82ds z%!8q`fU=a-wk?_y2LS!Y<7D(L9Qc}&)?gdeEXgSX>^qWm2H(*HYzio%!Ge(AKPB*K zI{c~_3&i|9PS*!Un74hPGSG+C*Oo>8`#q5@DHtD+x4ZlLVM+=cHxy(p7^kHI27YI& z?E6=~X;=#;P~RJlC%CGUpt(}a#cm$?9v*2%%bczntMs)}SUH4a2%Ku+Y4=A5oIVzh zlw)!(*WxxT<%(xYoK1tT8AH+|RwZOsl)M?rjq+$?GYN8t5E%d_&U@R8aetS-G44h) z;v8ZQRa^4iutjUFN$ciPEJzXH!h*(oqt6U}>oO^FPn9%&44Z{_X6y||o6 zS7mHQioLL^v?yVfyajcnJTC0iVF1*azOA-0)E~1UXbSh?cq>?<=-e101<2NZSCD3M zl-R4%lG>qZo@UUj*zKWhPAU4r4GXaKm8%kRvF1=eWiSYhEcv8kYWLSX?;XY~pFII0 z_1It?Tsj#kp*94S0V9rzZMdSXJeXt@=uY9edwNKxif8g7Hyywtf|($fNWS=04&>ma zgcyt_Szfsu(pLRW)u_V&KmhDT=?>g*|D1-PA8}*O`(=SyZ`>uJc(Bi5bZ#3Tg)}--b{n zd~n>NZUH=VqaMC4jm?F=H4akF8NuFWOh!Zz;4;(2iGcUcyjVtv>!-4x_e>lpAc5`t zdvUdpf`2B)-w?FF(mEZIGha2N3(llB>n11X!23Mb_sU9jzcFqwV|`Kz(Owbh z&6+v(i_+dEqUCxl8lDbGnW?Y^?Z=FA*bH{T8x3}2#C1=ZNJ9f8X0T)Yi1Ae$gHsd! zclv8$4D?TtvgqfloELwq{WkrYL#J%bX%+Vp=f#0K8)&`p`*Z@7Cm#v}UO+%f(hbO9 zuL}kSZzPi6l>4m<`2Uy?Q~s@&gj8a=FIaz%)FVbWRCk6~`RKkA?OHS#kTP=33f~=b zv+;8IJ=HAKOb~@Jry%NUH>xrtfwo`z)W;-upV-HrzzT|%I7UjzD51X5Nvyux1GpBA zebgopBLuI8azf`NIVJ=d3Mm^c8y6dC<+o@;3VTwj(lUwR-Fe*|^Ho^w<5II?viK|N zBA?|-G%o1cl+H$O05znrx~w~Kfnb&5^ojQ$-t$McKl z0m^9(H(STI7&&WTXq87{=pOfoPu~)F^1}iUt4q$_TC(&em<+~;zwB_*pVJ#mk`UGj zu#}m{m7r9^S$6o>Gr%_lD7{d*vT1l}$DbmBVohX5tydW|7h!k8Fa=eloTgHnz#_>t z`*e;EU_AG5xOIg!DbALJTLtO`+aW~kC0Rc6K$8Nq{i;_VC+El%N22-3?-g{8ey5#L zlOVs{TE5~X&hdLIdh?2zj~IL>zMNU!OfOF6FJ>s0Bq$_0@``ykMQ|oqq*1m2)>r7# zDpH&~Gx9x!HW-!JF_Jb5mD#FqeCC3++)j> zSc{XyXpZ@f$)$Vz0q~5w#Iy_%Ltu0<7IAh#fAq;viyMVv+E5-{U3`90VA~;UVNMZq z7Xv!(d)Tnt|8U=n%KSa$UR?C%6Y%0z;Pv40F$+Ydf)QXfF9?nmC|~%XOQs@b=*?5W z!Ekaywq;dx{&>A#6H@Q9g%GcXr+7|7@8m=WpYK=LCpQr`ak)&I-8C~YACbOVrCVFO znL^Jw1)p1$*7Ij+fe2eHx@gzCHr>wQb}U`Jv3%CF-o6j2SRGyem_EnbyxZ?SVnV+lmCXYEaV>_PJ2XUm^j^G| zR}&BheSNT1Y;u_9#4@P<%X9^i_9BO}UZmI#bCamv^|pWXTNZh^jafjE(?Pa=zgQ}$ zA^+;yr#MtOJHf3Fz9^*#*D+1kz1?A&U_{vovw9&pN7cz{{GO|%9rZ$V-L+l7%V@oS z?;cGMoKuALw3;wV*#G3!X*rQ^?lls?(etpD;6OpGo&=m5)gL54vb-86XVj4H;$KeQ zj1r?#A~Z;D>M*dFCqk+Jtf22YZjFS_^12Jj?)Mj6-|}=3j2=}4AuzW4@hOe_I&*bj zuEiKtW8>qVxJrj_UC9sdW*M@!j_Y8&wu7U3eESGhpAVHDRi)*GtJ55lQC4k$HVA2^ zcgTDHEp19~D6&B(n>>KV3W=)ji+7 z6@B>Ee+~Ix09Zh$zdt{J`#b*q{o611e>@+*+kd`)`}O(TFaP@W;kfVjfBpE={-=Nb z*Wdp3KmYxgKi_U2_m6A2ESLM`y0n)9K9~FY@mijrAFuuXx|TdgI@6VtA-Jhc%l^6C*6aQBabItz$CglO=0hr{*Q4yO^}L*JTjS-jUzX49{8;wZ?B#Z9 zdD2UHBvjh6Oe*_j|G3>w=jDE{O)SsHXZx7j$8vhT9;f!DtykSgLZzt|sa!9Qa(#W& z<=UQ-Y;w6Zxm+*nvfuaf`F?rsr{*#LST45vC7Jznecmsx$5Qv(XCt#c8e8|v^1R&l zb-#U_%YMnoO!9p;68r0VT^^TnlkZ1u6V!U6FQ2E=eczt-`MPD2F%L~{S~}sg&FW>j zzFv(?SzpVo)%q;!^|fvvxBGd0rrb;tetbOcuiNF(=J*?{h zp7vYzQIm-8kL&Z}@@hZ+XiD7rKVO&6^SQLoYr6cre(cwKNyykL8y|H&-}lRXTh{Zv z{rGvW%k6pDmfO8Pn?2mF_f{-!?PaZ{38_3kY9n-hW@IK2Kd-l@tB<|e_VuGl zWWOz+x9zsP_BMa*D(=%>Y)-hDL|mV1y@EdT%j2mk;8000LRS#tmX|NsC0|Nj;M6aYPhmjZjonw#ZTuvPQ@{(j#jT*|Lm~Ej!s~ zkyI!oC1qbLvdb1DB}o};_AN3PX6%D8Gw)~W`Tl?nP%?$vt8G9Ugvq< zPps)xy+dsLY!Cz;GSL6W41)H7xBH;|EZ{Gcpj0#ji9iPbT)ZBdzBG>TvkS=}?j)}5 zi+*R1^(h~)ztg!~f9!mH=-rV;^`$O*_3_LD(OgD&7jaPyW1FLKVp~pbl?VD$e!Ld5 zmv%)%$DZm|avR;hAiC|dUqjN9SE1B$uZ{jBoO~7v8 zwu6do7jZrdB&5Z)efS0ajo3{}I*~*!ZVX-?QDOiigwPht_dVhCcMv22WBmK(p!VOt z(G2_lzLAIid>MjRME-uz@@JahJsX>=lWgPhOc}-23EUZ<1JiutlbcCawuuCQf z%I+z~c4c0JZ=-$ce`k!;+)f3bb_V7E1b3Q_X}*c@#Cy29UIqh~YuZS5s(7)k93iB2 z;&9nR@o7ax#l@wi>(V^tz9v=^F_>4k#JJL4^san8vJtDZU&Sx+ZBG1reBImI+i|y_ zV9)cc^cu+xjHQDG<;uu-dP~g3#@}Z3o@fW&z`<5zDs>PqIgiVvD(-*qX>opD;`eVR zsQfH_K9AntxG_7fTP|8tTjTEM2)|-)E*rN)`>4r(GW>Y!;0|p$9o=dFk4O{a|$2Vg* z1K+WD+;zbx)ybR%BdkY_u}6_fA6c@wp)-IBHHMsS$JZHD(x{QOnD&dP{< zEEN9X_3fDISqxmy}d7$8L;NR(il(2OJCt~$XMQ?b_kj{2DK{_g(zM?T`aaFj*UeJq7#LW4 z0GXjTYu2a(%C0Sva%LdNQkR`z3g-&kgG#5eLg1nLAijGpC4%tq9QV&UV{$@n_{Dv} zd*#9q1qoM;mN?STpk z?vkW}d;rpi1b>FnfqkVI;^r?{*sm6<%c@TsJ2gzt4J)e0!jr)A$k>>B&0F?O(>vX~ z2ZtA-2XPzzrWef)=x;r7^{dBC(IY~uqTWy*}^eg-GbTdNCf%JJOm zTKb!@_Em##H~L3oD($mXyoX=bIAXVy#$r%f?EAol#XAk9ca-9e)AWVeMZhIW&Zumy z*YZP-%&~1wyWgyub0Y}#dbCXp6|>u)7ol{a++=g}b}_<3$^k*S!OVz^xjQO4ph|`o z@%VwE&{ufMA~#5iJL|p@Tq9>Y4KJ|o&Ed)n@7%e{=WKJ}2NvE_QIvRlyZc4+N?SX3 zM$<&IFq_Y_LA?L-Bgn;`rrmixLTC8n$B&6mxJ_7~^>wRs7%5z!A6$8T6D((Zsd`q{ z#R%Kt2_)HDb8E;dXk-4Gl9JLn5JJ|g^I!=|__oq9q9YWkmdc}7_a{xk9e`D`Ce8Ce!e+o?*pBcHyKHH6F(YkXdDRZAsla&cXN67fS>wYjpZ! zfFhZIed_)FlV-F0g>rb$eENO81g<*@7YngJkYJk)FN2G{wmE^fQdbZZ7#i)X@20|v z+=FCi0-A$%w3b62a0HikPyB3H2{VJU2aB8w-_BAx%j;1E{WNORhbegiU#n1;c*x85 z_BBxZ9E#)*CO(n`7bqJ%T~>4w-(E!I_X|1UlH6=7GTMhy|61P8!KQlgt}_z@By|YH zaQ2xx+#VAHhJ{S>FPUVU((08PELu*>T;w>s)Y-t^q8aTgti<;>?c{%ei%f;wjVeeG z3nI#vPu6x{Wk@)*4=NE=xlRTV;tEpxB9S;)c;(f`$ZcA7&nH%;@Ol3@8h7sBcz)aT z&f?Q)z5a$7Eu22aYpDR)q-hUQR_)TDKF_?&)e4!81A-qWSa7iC+*Tm7fsBH+-V--b z;tPzU;e}KEN;TCY&Xf^h!)e`bI(QTC|C=A4g1}na)qtSujPzM~F16BDrjHc)Id@Ec zo8kH>o=~)pVK{C9oFm4l*;6e50VFGA@+DD~=(jt78JC%o-4-`F0q%;+UHNLiJ^Jxt zfQHC%yP+(Q0T+>eiQxEkI$(40>vpu`W8rvTDK0kEJZZ4AaRTH8b0+Be(D(0;baIlK z*E5K(Ym1EF)ZQdU22_n4yYAaEc(Ha%+17hYT{ooJKwH0`P`}>-{KOXX{%ytT`$xhcTm>U`>x7Ul zAjuBuG3k7K2X66d?54bW(T-PVbu)O@}Vo(^xnNai?F6l-NEKDEXYi{ z0Q+E(_`1yS#TUq(PWV~AgL8YT0N?NigClkJzACCpx<O;yh zJFkZ0`js~1YfHE@E4v1&PXEM2!^-9ixJ$a&T>@6XeM`Nab0m+wXWs7Hle_Objs)c=> zU(OVk3DQ1EPhDc%@onej<+E2;{ll6L@oNSpsiN}B8yNsLN#-H4ezkCM@;rIM+AhhB z9a_rOQaD$`DX|Tbc~ArUSeaF)Vg3?R`KLH18%rG;Ssd0T0RrIHpX<)}kci6*0SQ)2 z3I@XLUpJNdc!dl-I)zURrIK#{00(=bNe`R`I^e~>zFuqC_xv50zPX;B-Y^E_?e~A` zJbK_H7n_HpV~c8P#xLPc10G7oOAUWJfM!5UfGdOyZ&5Z>sT;Hm@*pAL1|9i>Lu-DS z+{>B?xIY_!X+@k#qc_=FU78 zQhN;o3;>^N_yn>73j+XoUFN8Wi*R_TL{S^cEZ`#?{6jkSR@>9~1Ir@0Cz3m9U(6CD z@&P_D^-!^(Con0vG>>zSuwknZdwKlc^pn$Z#>RzS^BntH`OO?pD5-z~yzGajg$gi#H z&`3Cafaud?w7M;pk*QwnccFwzr6!{^A?SIaGYkbnBCgtJTuo4QEx*(OVHAbNjHE_e zq-wQfw`CIAE0~AX`@lFY}MrFLP|R&XP70La5K1Da*c9JHn8u5*?1k1^>2!4T@7K z;+y>yzB1ph5#59#Ls`mD3)qg$tspg&P}&Q-U=B3J9}H`@>>6ovc$o?&0$Q`>k(&4- zDujM}8eE8L`CA#XRG2z{OLOfFrvG;*Z18udZ(;Rqrh*iqeRWI#4}rRw{*+-!JNpDP z=9MN+&cJprL?W{;KXmWtGPul39eP@LsSa7w2(~q0>&xMD!?>WnD=Mlc9#LkU?}f8( z3{GXPbFf6yW4sRrWf#%`aolquXlcC4HdPMu=4oHi#`h|00sXG7Ax!#jhw$IEuC+L5 z)U}}=T*YQQ!{YjehWG@i43JXnpFKqo+a$+B%`=)w6pwc{>#|KW%8wgWbM_-2c7nY* zy!(8SfmdeqvMgPk3;}k!DGiCy!I;iR@8rew+(;zVbC}2MaN?tdX}zrl%y%sQ+q2^2 z{E!dpwHw`+I2LwrS-3Y~pswSl%j^I`MP`wUv2KXb-Obv?C^E4pXIc)A+FqWtBt=K` z^9tPvwh>6;D675Lr1>XCm%ZQdgBA|tY)Q3XHpWht&_V|}3Yv=FK8>Z$J29Oy; zY9|W%0^PV1;bs?36t1vBC86{LpA5h>zp(INOAGpE8O9<4Hk|k4l`lN>HgX(##GGvh zAm9rv9MNNFs+w$KVxoxS0FA_-+{zo@);~P_CN1r_rXQ_oL}=vgCVsMM<>%gAwB1Ne zRAfOSv$dtuwQ1qM?8veaGnDN@|K%;v5}(ivzwX;~N6cH=aR(DF3rCtK3TxyC!XlJz zH!7Q!Z0Mqr-AQ1KHvr~WIRRxK{Q1td$Wi`vhI+{2+$-OnVHERy5uApcu?P{y7@gU~kYPZ0niXTWW;s?)it`r0Og@Z?2dj6~%V6^`J{`@=m zpBCgb5H*r&U}W4!{-+MTgQJSI)ay_;rA2Cepe?5Cqf0($Tc0p-0U85Te3-rsxd3v3 z6|h;cMyv1VJ26zI9cUgV$M?lQk=buU7;;p)2^QG&npT!?k9EsHv9HJa9I9%my%YqA z_e5ml`v>nAmWHj)@6Hb1vN@onJW;s2TfD7hlode9C~0C3>Jq9t7z> ztl*ZOmBIoqM&Vb2Ra&m7jDNO-zCJ0-k&j+<|HPpsrL1L%+HHqTP8A7;8I` z1I_7i6^%g-;R|9olu^eup)72XI`M+Sz!_MAsn2ao-8rVxZ^vLr@%lSIPL_v8Uou@){cyBW^q-i+K=bgS)F+c7#! z(TxQczYJKIzXXz@EKj`TU-m0GX!Vz_K`&tHegoR=AWNzYmjaP>yD7c7dHj%H!0s)u zQSMuPsAIvMUON~Ls1lU9AIXGZ91>kH@qrX~1&*|$6ViLEh zMxG(wp23XF?t=)!p%JnZJO^2b*L7GSMv>r0aoLTvqQFRE+@& zMa@d**?FcV0RP_fDn;|)!>+D3a*=4zNxeQtKc+W>k4V{PJx;*#{E!NN&!0%uGsf-z)8P0B|Bzkr}R}b3m@STt8AmUdBn_qvV ztuRwuwo1U1K>-9@hFB3c6<=pmFpDDolnmoSo$ceElC>67UB(f1 zwj@bPY?kce zVm2z!tOShJ=q1}gYIv{;L}swWY^c(ju^MN=UafES6`|gKWJ;6-b66XUXfDG${blXK zD8K7N)`|Nc8XJSMMei!I*+9r;f94S^8o-oIiGO=0%hOwrN!@zSbLj9=@zCJ=;fwlO zWQHYW+z(=teFSM~Zm0*dZT=rGfVTd(^EleW_g-OH>sz6F$t*CkE&x@w8%>Srk?_Ht zw@Xd7d)ClJkV9BNnoH5AwtM_89Rt$|00gOoOTq}DMIuNVO@WF#%>wC2Cga6kW*-6m zhKA{^5YFBu`B0r1YWkP=LB)df3uv#ld&rcTb$&j(+Qjv?n*z0+5crBjKl_Wni%tbn z+w7br^;ELnI5O_)jcP`pIVespn+`%Hj5=BIx^u<$`D8SQBcl6&I1(p zw-Ev@)&%)hI*=L@fGPbnU9P647I60N?U@OgE1WHW&XAA;(JrA~4=6vq954qng7oWZ zoh_!JN&Hr~CB1Sjv0BHBEmJvy5yl~t6b76(m=Vq$<2l}FRKWxQ?`&lmexxA;FKTZt zc^6ayNP7o_p?2n3e=dj8HA$Xc3zTKudA8$^%Q3!NOeL})(*V>i>MFeuz#0+Ua0edK-H*kSX&dP|JJ*|H&9hLL8MtBO2TxAD@E?^1@ z3NuAtiBhaFWtyuoDYclDR?_*qgq#^5Q+}`mNxI9m!>(?;?1WQw!LBi#Wl22`%?PZoH@DUXvUw6W zrBp(uu8j&p1z~Gh26U#j_826>4ffonoF8!0ZFjvlRzALzy(ca8WRDoC19-=h(A?Mf zA0g*;&LUwgidd~8060AZK8|@#A&)u~x9>i)4d*m%WY9Yv4GmUAeRMPh3Iu(*=+t@3 zEv5Hg2Lmb`;kH4+S3&#wleGS)Ns!`P;oWc<*F2qRRACB^Ng$4TF%fm=UIqH7Vb(g4 z{5@|iRQZB046$3pud!l%MG$Z0L&!1!^eM<~o)`Sin((z$L_tZy;Ha3s6D+b2sxgyx zSv3BtcTQ$2=7fOt5)uMHu4^rjdf*Up>l}!dMo;4S?>b`94MYYwjDTtYug|$n7S>k7 z`9bsdn_knlaI|_l@2?8#v19c!4IKQnCpUWx7uCTxT9Idp>Sh4yij|*=c5^$+7pHSE zIw#$v9slMxjZgeMYtSJcl{tINPAb#%yjs!M&-tRNL}y;EnEQ~~X2Ky2Qk9jJ zc4P3Jb2xb24ZfY@LdVTroD{^$JFP^ftboEZky-iy_OnSCC^`R9=jCW{wEQh+z$s;u zvVe-N2CNp)70-?c9>@u>KxH&uM z>EGN;;WweG=NY8&Fy64Vqi33o45NjO0{{qU29>YermIx>AlAwk(=LEbEr^Q&RMj0= zom)@4i`tFuzluRV-iZ8H^kYK?+(seDGe&~Y&|n4;iFQgnbRGdig9gsyS|cowTJQw> zHIeLcI6`&O%vpKCgtENSP3Z2R)+l7Lb@OV8(9cO3=*F)Onw;!pFvrM&B|(dh51AZf zbL7SY!cmhnmNy88l_er)FYT_S-VY6^y9Wq1K!iQLj??IQ^#=z7cFHev4&cnW>iPRR zqdXL2VL+hu{h}?Yv~R?;Cwr3tWrt&P7z?32c&htPL_|EDI3I-NgTfNC=8l11MNmd! z?iN}2Vkqy0B9^4o!Z%*OeEG66f%&|Wk_WCUqhV*xcH{H0Pim?NL#s0CjaMp@%}ax} z|5r0OTvg`2(NRVhRlGi20d&357GmI3r{O&4{^%Pzp!aWoCF&IIG<-%P=Dj zuB9VP23^CylGF1(FSR+xaGlw*TnBa0i^F?>i8R@Xgk(@9lhfi^z3fjXi^egGOK2>j z^)l#9b8Vk@u~Gi3=ba*aO? zj6~N1(3;8lKv7dSIj|nKo3*gC@|$OWp|D~dSEFMGFPVW2Crfy){xdP6wz5|pkz5oY zs)rQ475QVBRD+N!cz}#SA|#dOjab-d=RUQ6=Ke!IrfMkn<0ao-YH`r!OM8(F$cc@O z^X)8*);072gaQD$xMa+eSA8(ms?h0VlXX?Uk4~O;*KJOqh!rK_$Qo-4Z@qA_<4T3gzU zHSzIKLb+4@Xh{|KeTl?^IA*eU&v1Q=>IB||1ojc=K38p<^L2GG6eOXn#_pn% z%>i9EoY@yBnfddot_dIealNlwO5<%hbgB}dnQ=(G2<~tMXqt(eo#$~xt)FEtv{?#n zv4)y$T@@xHmU^H@3M}7Da7IW7k3+moSD`SF?vo9 zwfvsjGs&X9Vd2pDQh}6uL8du}WIsom=@p{oDA-;i#je3xT59@+;S0p@B(P}wt5tWj zB4X_scL3x1FUMFYb;se*vht zI#xV1Z1+X`@qYq`IGW&A1 zNjMXfr|O0B$sG-X>Tf5uMI92;J)NAFFlE5o2g(5Lq#3n@3JxSPe|->9Eo#4Ob}eGb z?XRA4wV0LtJzhhvg}- z@k-IEv;nD9r;l2;8Ul@`<)r z#yO^%gFz41yfuLB>?>bUeC^yd=@Rp3Z>SA3YE~vd(z(`{jXlqw)O z*)K?{40HB3&|nklaYBa<9-I$Bg**jJ;B|@Wnvv9)qyLX;CYreVKQ)tgqR0Wr&q350 z72ux81%;meR#c3gXrj5B1k~%+bS&$ckqCQ0q&<9Vd{#Wn!?s0d%*uFdyl+Ux;;^|G&oxAkvBnOWuVNd z44y}Bc<7!fJP$)zL}?>UEt0v?#nx{F-Yi zNFr(CQ`2n`5?;+FUyi0$mAG#SFr>b|sQ_Aah?8uz3Y(GdJ~$-iR=EL1nJyQClf3a= z5=X6>B<2b4B(bn=y{W~`+}c4ZdH~3g({0&A*%}RBswmSxdYS?9w2p z9e6Bc=(FQH?ho&2-+OigG&SI?_6!XTRg%s_*O}-e%f(>eq_Mz62NdOl*6tIIg-$rX z)1|tLKrc0ysJmj8p*RTx>j|dy*YM!-R~qfYY&8J%W&ww1*~wcL-AX+4G#_B2t9lPl(=U7^M&O69=Q| z8W_QpygWU7yE4@8tpBK;j}^av2asB&4wM>Y-)6*cS*`1j#%drrG(_%P$)J#}(gXYG z$}SFzp<^^~tO}ebHArL0Q9j-L*nxo$o`Pd;PhfbF5K+ z8fo81TsHNy^{h3vA8(~xFVc352V!7cSLT!J;$?$RE2`+cXM3hrv)`n5-`*ZK{e*)x z>1-@6NMCBphwT`ofFAuyF6bR}hi$vk)*pDkp+E})WU*V3!UmPUVjr30D0*|$4#$*_ z+lX`wq$TbC(>viunBXvd+ZqC{J&9O#xtal)O_LeuY-TEoS|~I@K9CXdTR4a?CiS+s zxUZlSW|gsc-O5TFLpvPSBoGwRX}_CAOXZ-?tD$j|DNejp7~kF$Z&$|~@xHdEP#Rxt zl3X6bG9;+FwII|%?ws)&s~xsyLQpPMmV~y=?X8~!9P?6S{LNu>-Wg% zfj90yF#v_pK2&@%xapyv+;Y|AdpiODGr{K+fP(lTlLZ%;sfu{}&*bI1CPW($Sn2~>lsW{e;dNvJ}-5%BqNO=Ti9&!=vhWxQ?$3*JZ5-vbHc&DFtl z$Pw^*)$6Fywx;+GGDWcrj3 za0kJ`jkMpL2N1wE!+%1;D_+gA7I52=&UE+4sryp&)qy4j33| zY#rdES~t9q)VPsR+y0?#A&@OVhI=`fi*f3wg>3Hbsx-ezNI3k?wpO+%(WcfX1F$_n z9og7hKhm__BrL7Uvoe$QeR0v&cOkKM@=b$4DKA+?dT;%ZifAL0%z)mQeNq&Jdk^cU zqi_%~n&cnn2==pLqt@C8L=%WFa{7^13u!Jxb3#8VhG$ee+S2{qHbldGe_Ct_+_+34 zXaaf~$OfPHgNhYI_mZ|O^0396S5!1#d1~{b4exF0Yf?l9^F{Zc#2NsaQAU-7n%j_c zTbMMHp$%`uJOBY2Hkxd5Z2278u(JIGo2uRi&}4sf>^{zZL6s6P5zknamZ2_Xz`ul} z>Q0Z5f&rxqc2v?xlP)U*v6aB|M{wuW`kAL4r~uiGA)HhyEmijG!=9HXk@=vrQ2@o= zI>r`5x1eZu%CpT)FmM77#ZcCWrc;)<)?c?y*H4-qw#j7joP5}??N+(9OI^5B}K zm3EqoCNW~xrUP((Wl3Eimo=aicFv=2P7FB=xm6{uRZU`*!Oc%SF#y|o_Wi6ZrA`wV zVJquzM!;I6%F_F`x|M-oH~?6oRCCDhl6^)sCp0!5p6c*o52?#^O0-!Zp2F3DQ)_S$wC1aP*MR|38 z?j0WA7d1C~813?Et#^i{z)4O!@Kt7}tj9Fq#{NoD&(hyHV5s9B4BC||SRTl0butI2 zX7)ydLk#HN8;hbzW7n1U^9iZ`;-V&VCBlEg2X);O(27c!TH|cAxX}|11U-aB&f+`C~@V zu~b?7urId@KibY&nFc{pzPKZcG$ zwDBLOO<%=LJj)-1)AYc-fJGw;h|`w)fHIcywI3O( z`0ujBks2ckg|fRamUv!OwE&T|!;yU5u~9kc)vqn46fLOym;WISE7Alr+Uz9AEXs0M zOctmd#NNj$6Z#eC$_`8Ep*CbtueKdiUA~Ki zA5e^NSQVeK*N*Zp%=+t?(AdL-!TPMGw{Dq;(w1Ov$FQ18VG;92R1MJ{k^q!9x-x9} znGI#W9cHOFh)ETVV@|oU+NKi*jAFIhL{klagVpT#7B21w^LyMG1D zfrXarKGp)uJtSm{i~_AX=-f{lNRh!bf|lshpkc8yyI9&DHk_*dG~6BQBPMJAbN(q@ z&guQJuhOGP^p`KB>je@uCHLqCCxCNCeqk;NnFL%46{lWjQ z#9BBuINtl^UvK~dw|x!6&sj#w&v1t=@vc`*9W#q)pxbov$uBI6%c^P3a!+fx%GY46P2K4rlN*R5=cbASK@Ug%pLxQmYpLPCVrk}>b#*Puyf01G z8FI9(a(#@XHFY>m_oH@?v@w3mEqA(EVH`*;!%!0&Hh+ecjo91-!3?DGg@ROvUb>PE zc3SlTv_NL~>#enoDLrup-1}8QpPSJ)a#|>u9KDUcHNCz=S8Ng9+vTD%$07Z}Mus5{ zbU>$rv@}i4_FW*glU~I^`UVdBOq5nGFNVZq-?aPu52j4KlgKQ3H1&?llC^=FJXHH# zJjz)1(etoJO(6^-Kv_apdH_UPhTN3OPz}6H4?|3rbA==QN3g+F+O|d;qoM4iGt+n= zm97$o{z`sQ)q3U1m67_uBA@0R9?jLyE$uJHq zH=e$?EqqPfj+gNi0(E6~_W{@AF1o23(2;X)1GghDdomCpKm^vjUg7xj$JnBr%UAmX~ZI&kX?^yFy6^*javFCwy9)9K@CkC{qg3_YqR zo3G#pC*KmAx0!&}FP%)<;;E^v1-UwQF))iPW&a`c8rWhl8mr?$P`9pM*|lzYK%~pA zqXE?Ir+sqxS6HofB$Vbm;`3 zFJOasnVC7)%;LBYEQdv^nY354JqJPo;}iva1N$PRr=HtRbR6_gSVEU|SJ2%e9~MD7 z3b>91`jaB;yt3EHccJVhI;(P!Tn#l^e7q*b0wZy9ZuA<}~@bDKc zEO-PnLe`t~ucsKd=`>$#nT*^_>dMHo*50wU)B!MIo_<5~Pbatoy|PnI?1bHaBAj9X zkQZ=WA%MB7c&p(0BZP?|c(kM`-&*>N0hj^!Gg9ZDclV=6&i?XmAn(04079&U0W8~E zJ8jtHkgA{vY|B6d7?kK<9-vjHg1I#S>(m01@OJhQ25o7cKsCY=`a{#Zfw0CuW{vRm zA8-ktc>g`gzZdj))7Gkt*rrB+Ab;7zE7Xfhqt$>XXNnP$+_!i+fen^d&LN1p*QHKO z!Qwg>Vow53iWFF2zPen7Fmg(Cy7t`)a_$JR*>F4!z|9k5UCvPj~DvpGp3S8@L#0d2tBDoeNEm`xaO;bS5J}VI}*&fwE9H)zI>?jpFs0~0II9rqhNgbmn zw<=UUEPTWLo1EDKNRWgN>s_}{ITEfg^!OoAq@94z-2>Rz7;Ptt0QK^qVMmbomTp*y z*eA}pa=RP_@5-^+jXhA$#SS>y?$N$yO8MyerHH|qB~1p>f4l(0*@Evv7FM2`s4}#m zXoSf-RG%lwg0jHc+V|VZ#^1mUa1zg-yU zRDAl|;(71jGD1pUz?1uk<4#{(d!y07G~q;I(pX;#1cK68VmD)PDtQ92G9zqGY6s5g z4JvH!SPX6Ln!TZ2@5;3A1zp-y3snr3#hq9zrvaW!OMLuz;2&|*-KJN2jqmR4a7d$p zPx(k(LP7#}A2-8`1dusxq%&2%FH1&9#>GUoGd9E{dnb2gvi4yb*UL zB)oJYjQ<{jVeR5$HX_JX(PUL+&dzV4M4$i9AmUi0?kZaESf*{@n!uBg^&Om}n4)Z%Y@?E*PtZdsUczr5^?TH&v~F{5p+Vb055M zS%l=ls*6=cSe}h=Ea{H@)!z*vsb=#?w5h~w&@K?7WG?KV5=|QL?rCc5Cde7AhU&-} zBjFFSBH!*Si|OYSK`1wa26^t9AZobTLADpgQlr4nFa>}|wqdXBW^&c)88I+tV02A-?^`>sPEDyX%4%W(=;ea8znb&gO9;gsh-C`{4xjoFO5ii9 zqIIdY#6U&V|C-s_zGBZ-&QILorX~aDo=SQvW}}RRzp1_3w-Uhhu}uhA3u?~uGtgZS zrZ*S#)~ai3zv69>ioOL|(z8yHk#-pw9q{aL!wOzf)z%k4d;>QVb*}h95aC4I-2*&W zHrOeXPn$N=py^ZsZVyo94R`;n4%@%Z(X)ZT{y_m2U2A;~Mxi>I1L&DMckmhMNE?6? zPMn4n--~eh4xCwKh)s6MKx&Z*ty-GodLfG7k(zYR<#zPPLI%bHqlbqA!2cA*?`5_9@gq9PjKjY)A{0&wbSW1p zFKI0+r^7B|dQ9@tdOjGue1gov|6(k$G77}*5y&AZOo;6H@Osa(&RR?B15(M%O_k6b z$5iC}_?Fk=-j5Hk;^6N~{EcajROq1U{7}ZIJgZEiW_kcQAww?vHcklIN~+z@x6WGL z*flBfT^RlGt6T}x;^-2!aV>PX$=$80N!H%i{XyGxHA_+U@50$D*ZA>zQ!}Tx2~3G| z`cmn~6{*nG*m2_*&-O|Xj@*S;`jijslMqFrTRmxmia)WL?Ts!@5H>HYjlUw)#AL_+ zW!L2Xe9qocUMDc3%LzA`A(l@%vveDn1@_yPTI21QXY#M4=Z_2Qmq$V3Im$m16B8ZV zyEHHGtGRY|9ZrbP3oD4M6lr@?@hUc<%g4Thah+A<0){hN>!HKA?CZ8706*eXAf={*6Ry(vMECr z(K}3BylG!{p9G_D=^^%&u!5(Kkb62jaqF=_z|NQ6$zx&`NqLo(Csw!JzhU){wCJ}p zwy)36bDmM%j?}vM>E;=BNBPQq^!uMN5RP$6wA8H6h%sirRpc4-3~XE5mBI?7o=*G9 z=Rz51DWALR(MFw*w>NiVBAZyS;>AQnU$V6IG{=f{=b4JWB7bC4bi>*C{J!Hx%^O3A z3*IG@A;O_t=qe|bXB$pX`|2zEuNKgc4!3ppHpF%? z@;#DnWrGghzc?@GtbQH;th?7iyi7$p-8`DR%=v z50N=(;q%1sbal`!-zKYHskFAw;BY1`L{kkV-tMFJX7b265_6K`I%eMVpkPKL=i@Ke ziMUP6LN2j+vPxH(UXXqg+Y3oX{l`abPNF}S^H@TT@40RD zYpQv+q{E;E7QX#iU^`SrpLW57>BI1N%3_+*p7!LbuoQ)1Nm{`FXj%|;>o`8uySJUi zHINO`G~?qu8d+Jmu#D%0+ZxQ6yxIYNpz~d2yzx(ws6!3!eHAw+hK96RK80H|pg(qB zJo#ugXB2<`!Gl{G>}=!|M=cw997juX%u==<4*t+U0b$3xNPKZ1@2Pe$al(5@82#u_ zHHu-N`7%1DXubBR)s2%PeT7UOleh~)j~^d;OL`2}_k+{pZB%99$+CiW?88S}>*4oE zLjXHK#J@fD>|jN@Yn)##Tsf+&ob>PP&zriR4%=9k=9-gi{Tf>H{{8zDmy2c6Q*BHS zS*62rhIb_KKgJ%2Oao@C0RKzBE9dHb85hI z*qz09xpDS)>?GAUJ9?@*EF%Nd+gEdiCW*WUcV>_JsqKh&AbsJm+@2THcdi=Y&-g{2 zuph0Bnh87q-Tq#8PxSLE3L?Gx=Qvs%UpVUs#0#-pdNMtIb1V#(F;wS&x_P@za(<-Z z(8rdNNQ_Kh-MG&-MJYDJJ=J~J+(OCXi=X~PjkVMX-uC)+BD-_6SISDm__1SI7nzWh zR}#qWPpB4F;Yjr2qG!spXB}E+IQKh#yvtli-8Gro!Kur0YQ+L_rWt9SEnxF{XrAEw=I05;+HzCIwjWTeE?|V5XJ#&h5D@gA5=Do5A$*Ec6l^>99X#9C>760IG4W%EU>_gLK#O-)S+ISj+A5tZ_a zDAim(@O=Y88CT-WqnTe*+jVu(23^M-%Gy^#-2Yj-q}I$9=;eqMXMBy{n~@H_^(2c& zWck-mj0Z962Yc#0H}I z;Qe5F=p~u%S3~8!R_DOOEWoB5TIb2h%{_7Ybn6F4bza6tyG;9{FDfg`vvSc(R`4dP z2vJInt8-rCa7%xL$|8rOtCz?st3Hp#azOLbGbzJxmZMCTh3hJp=5(~lUk`3alPyMv#&saBwtMbo%9wd+{wC$Ez&k6`G`iYWB>9z*{PT2&QS%47S&^;*bj@kKgc_C#CiJuXN` z?{F)AGyCR*eS?a6ek?4>M?^wKg40}EM5(KzrVEyLIYsVx)DDw8-v}t4mwPU$e;`wo z+$ZZM6h85b=Z%M5SeLwaRU?0>iPQ0nO}C;lCzMbm#vZ_4`Ah9qpUkHpoy7JJ_f>y+ zM@H^jHt~^cNt+su(JBqJ@yiW~dOSrM%nxFFVZirTA6ddL@Pf8(@ADm67_zU}Lw?U7 zUs+YoOmzNRjxX1|sTxwcTuC3exb_)_BOcm!mX|9JG@b~E#qcm)blU%#S#dno%m$L$ zC(pN5&IskXODcoat6r9NSAX0c`+)1_^(4*F$scFfN%O`$y%dIg_MBFj_tRMh?Hi4l z>p1LXDgM(|R4BmTq*+eEZ4Au)yi^{R=>)G{ki?lYyr0JsKlt9{?X&(xKZd2pyGX2G zGkLW^9=mZvg-QEMFp8(~=V`eeo2%npd11f#Lz{$xyeIEJ|9QpfgmRa!{%6O>p>U|u zOz>#!?3S@J)52j$=EZQ*P5Mz(1G_C@7-s`^5mc1<4DDXF(B1y*Y0~B7d$W^~-vXIB z+6)7Bqo{)buDl?zcAI4fY)NKZ<-sX`zu0;IftioE8meXNu>7T#hcNA+`STYNOhlI# zJ3@lys~6M#HDg%KxE4n$u1FZism-}5X*$II+F&i8U=@)G7LK^^J2-ipNjkX7$c#t3 zUD=!EtG@>SoXpXu!3r|>k__TzNP{i-BZWtj?nXVo!_~eXJD3bI~#k8;sM!(T=yKTZ=lk{T^78#L|MJ>!q(jhKhm7T45Rgj6O8q9D~J zR2=sF&%~c>RR#x!V}fu{P^HLcz4dQ3^kt$MMV*MlIKA$-j9!!1=z|w)996lXAr0gz>b&bvG zXUs`><>+gV=qo&RbD27P3F&q+;$2B^uv70(lMz}6_Nxy=#%oT>srrn%q*pSGFRt*E zfD?NUadpS5Bun#JGINp(7XR)ZSPZ3|UO{`ctD`EV55RvtMdfvP!ZICqZBS6oX-D}7g`uA23{Xv=?v16&3Z$~=`jB=wYt~GtU!+}1cTaaSB#BMc zf7{`_z<3e@F%WvpTo{mAp#)B7RCzJ`_%q?-XrK}tYM7&-+MMY>f=O1fr1K)O{x zkOon@VUSLxK|s0`kS=L>&-vZ=^F7~ty#J_&I(o%E_g;JLwf0a@GZoFs`o`g6QYXqA z37t-;ir%^%F8gg^=!=P??JN#7cCmcbfz@7j>m2}#rUosMw&16n+>7+H^_|L^7m|j| zzG2Zvm8`BIsIJqaB$=AE%_p-r46S0bR?O(nO{9YBm->0fS8~(Sn5|Y1 zPRVY*b$36b<-w62ui$xG0r_Ks>ABUVLyR9QVq+2^vBo}Sx0aoifDiFVi--|Uyt=I% zXiblmh$|Rz3xG*VMu#G^0G&AlRWn2au4wub?kx{BmA7gSI}U5!jYwLS7Leb4)mD;C z^{NB(IX*-%hR@c4Hd6iZ-!y`l(`6YpUb3v^YX3Nv=en?7oeMK+e)4y;$>kfZ)rce3 zx_1bCTZ}Vdtg8!8feAa;>vO?q_h(>vvxZr_F@JWB1_Yg{8mn2zpFBJ5_{y6}V}ZeXsQ7!w-{;-cT5phk);E+Z`y;^M|FM)VwhYi0kkmWu_atODX0H=_p7Fhy_j%7%$yQqU>h z3oSAyEXS3KbGN*-o2Fx}zP*Q?>~UPc@oeR1q5*jm=X?t!YO^!MmZ0OzE@Pp~(nI zyfuSAkY?;n5y>0Y$J?`^m#_*cF&$Gpgkf&VK=V-Cb<^*Df8E4&@ZW-VL(wFly%F6p z>+_HaM>>N%5vOz_C%I080=al4?+NX(Wabe>A8b&h%XAUK?iS0xRRAE*(8wr77Tgsm zv!OZR;4*6*=s-V^GB6+7v&9E;#@ZH1IE_P|(t}^_6?aYxqI*@l<;09T^7P~RR$e${ zQdgPrCl552#ZzOg)v<4#3}@-L*-C$^u~+f+Qe_R7MNt;UO$o`9BMtc#myGGp^*DwO zg-SRK;yljy3>wMYTMbgpoZzp>!=4HyZqp9BU3H>dSrNS~D1O3Qy(uC>wRRNBJbML$ zB!`1*$86t;7&b`M5WRSK2l(cccR=}aX4hQZ;Y;$QPSTbIC@OGyN!;H~XGV$IqxvZ2 zNX;msHz<_PIk&iXIBV4QOc@Ht4c*Iab*ONT9k6aanQYPgY$lv*xY&JPI+zZ;k+Pv~ z(R5=CA{=Ww6!YOGp9TlCB0V}>uTkk4_^4;6P-S1CYeeh(??Zj`i#(DpyoSdEqiV4+ zMjg`e>lZ|Un)$J6Nf)pcW&E>CQQL`!IVLvh;muyY*~=(ZvL64uKP@XR;3cwGKzan` zl;oJ}rv%sUu;NL*LKFA1`d%lKboOl-a0lJ?dG_JGnBo>XFVH8PpNPCGX?eFR#4cHl z`uh*3mi&Jt63h&raTkT#z%z>k{UTj+p?jBjT$F&tX7bry)(Q>$9SJQDJ4riH-DFr-~q8s;nvA-W0IpbM|WVxg+ z+$#8)jx@HN-pL|3Uz_2z-v9@oT}Ut;xtO^^iWnVfpkriFnfUjzliKvIRdZBo80;*n zqi?gxAf9jS9WJA`26Yi{nhT>qjp@B~2`3~!!HKpU0u`? z0({2c~2`z!R3U#$QR*q~QQHz9L;EXl2lA@8hz!o7-kvO6`0* z;P6RgN#Ddffd;|C$R@pcPE0sdw=O@GFK!%}P?xBuP)v5W;um|ca8Hp5Xvd|#lM<$(TASnb~4tHq4r^ z5(xJ9>NGc}Ru8PLv8`qy>uxh2l6Z}!JgFVVL9PT(?_*@l>SzES0s1tT0uguPXISyo zh&x+~INXDhRs<)>*J=Lzqsq|KR78G0=jdR!`3g2j{F65e2j*wQ?}c98(vnl}l?S+S zasjF!3r2E|DU*{=?9RXV^nh(vWb?Id3;VdXtiZ{RQ;A zmo!eY5L@-TL-4BV_Sxw6a{b83N01F{OzZK?&PG1my7^Z0L8vkI(Ft}OR!c+mR~>^# zff^sK%^LmxnbaBcN5vRp8Kb&&Zi?3zO7^7DE7I@Ogwe%>07Ov}v~~e2^SI6q zObarGN_aSl4sC?;_)(f_vfhlva@2?2Q=WA_F`tG;^aYychvMI)W+;%1+}iv86&uR5 zozO|eoT4JtP5Ke3P(@j_If`K?ieQs=c6M*5ssnT940cyg@cZ$8TY8{so%scrmsf_D z)om^=B7H`|+uM%)=un?am@3SClp=QVy-~h}d@oLtCUdDy6Hxav} zyFS5=%?|QWghw61Z!GR(qLyeaUGx13&Fu+gAYe)fx(buahipFGi9*p%8?+^U_&g`%ROvMVaEAoA^n z`Cy_63^iy8Losh~sj^n_HBCM*(9fz~9ie`GCT6*KIA__2nQ1P|LeYYJyj~#m03VpRZ~-O6AHD$w49UMBQFuT^a{CIJH}sMnFE$8~cpb#eqsC4g-ps{LPVnJJNCG*HeAYw< zR!jVlkaW3iWb5Sf51%YUDeF*f2B;ZTIRq`q-xVP@Pz@e(kboRLMg(!x@!y&l0kiW9 zZR9IF77E*n(j>l$IuHIoQdq*#Bse%XP=bpuKh{O=98X|6iHG$5k3}FHi6M|4Lki^> zOTDL1+w+n1xT;_cq60b9Uao0l^_y4ula0N7d%EXbI1$ajVw3Mq*LXpI&G-1UN2&xw zw`zUaf?89;Q<^TPFBAbsfwSMZ*Y$Do=Ovc1iojwQPvRp(!#n56 zm-sgqYm6>W+Gz6G$uG(Gb`la+u1)xXn)2jX8lxY@J-Y&{jmmTkkei5ECGIHE*nj&- z6I{$K;y$be@<=}`t7o9A&-`NdW$6|Bzo0;aFRPGLtBZ^D$&e4=S9J3=0og`G{6O2l zfDZ8C3kRppC(Z(<{#)WemUPDh+qmA9%3sB_bF;zVa}l3P_*a|~@>B6pqOi_^g|_o% z?7`RtKs+fw{rTkY&#@)lyQT(wQVg%>Gp4sf=gks#W8r%Y^575m=ohbwq%78WY5#`a zegmkj%Z_;(K{1(_@;#Rp+`ak59(Y^4oQ0-&HgC^PX{-P7Y;>naFqXwc%qwT~Z2nv` zBcMrl!JRBC!~p#r6=aTwBJOUNglHw+R-fOiN|b(JJ4}XMD0SV@6A{J6))kc7pP@=1 zuI0?gdGGsAWhjBJyMCmX{uKkK%^tqs2u!fn;-<2)0K5dAiBzm<0Hnzlv!k^dQL`|ixhwJCd>OKgEC*o2vkDp@qM3b-=ACA~E8^+0W zeSVAJT(iY{&F}}cs^WadBeeSJ9w8P;Oq-m!!9C4!fOo>Q08YDm+B{vv!wWxA*QWf3% zpmmmod|%A-$hr+7LjR^)H;_(r)P>!xZv=}ORMli0RJ^W_kI!!3y+JVOc074G_UC*{ zkTGoffzYt!Bs_*-rB3|Im;AP^PXwj4?4a8i4vcpcw;s2Z51%E|ICID9^gS1@#j9a&IsQhyO zhrn`9tW3}kTur{aO3$C;QgzGop^f=FRFwBB-@Lu`R~GLROY8k+7kqFd+31%7KIdnT zo*r@Zt`>1nrz90P!{_t7tq?)*jg%XP)C(Tyy`J`sA@ODzm;OJa*1jXxkxCaoe_(!- zy@Kksv$R0R_HknQkAvGM%Na6Vz^vkYvbz{X;Y~|i(1Hm{4qD=+%5CkJ{+dKNajHxd z+)BNIQ8VMy69U_9r=AxPxk^1?6DQmR#KfoXglQ4!usEsOT|mAQlag93cSVE#>GS7goR*O95w4Gpk!Od~ z5R@_a7G#t>jSrT}N6+@oHY}vi-iSq+HUtk3|KQo0>N0oPaHx3J7f+8nf>*&PV4M-o z7i;`AWVq?qy|DafTzmWcH?grGjP=p7Ip&zOu4N07;c(73gJF9iux~-Ilq9AYYSd$j2wz0cCi-tjFb$bVOJD-$3A3ouxhLn|+%U@3rfiYfa z>2>FX;8Em#%VVN*T>RCVBMHGh>knToZzryF-yGVys?rlDBgjOfr3BES?d|R02E|>L za5%L;MUl#!K#-vKzV(S;6D4+Kc`Sc8E^2?DL2&EqeT(bCn~Mz_CAv(j@9C&Z2e{B7 zkOUHCEMI#*&EY{8WsG5s(#XRV$%ye%PFdP|7%%zl&ir{{l23}~g0`$N=`wHhm;6CQQ*K;eJ!+KkA~umS zYl%F+HgH)*jZfJYs!ik zV1ZAocArUzde9N)2$F(_ym#t%a)2~x)iuh%haS>9;N7PB(AIqK92?O2AxLGC8OQto zwxuv9uyuh?@vS8-153C6@m%`od~Qx91F1|EGm@5pqPi{PVyr;vn}vaa!T3COG3!-V znna!J(VeTydD*t>@Lmo! zy{#viR~+2-U)v%A1ud;pto`xW1#BP2gtiu;WkPFBN%(EOBU4vLSv7}cRvq4}I~u3s zzI#cW{}6oxbgw5T%l4KIqsudgtH{V5Q;xHsN^ z(z&O4)02cQB>KWu6EwNv5s8kd+>g%wT63@dm(g`DncI!MKL0WabM{-n@oZ z*V>{VnHtz^<+tcmmbruxvU=qCT?#aXg1$9v1O|WZb}0O5wub5Dy!T+X$1CdEf!pV} zjG{=Wa>(iuj8MVD2d&%f)r-F$x}A4d-|mf#UI+V93v@(EJfx-#3HLBS$n-oP1eD& z^V2t3T|S5mr~paMu*<~V#j0*NIRcj9)yG!A>aN}oo0Sdyq#-;`%AGd(TrjGQ9faw@ z^~Lng?l!u)^JDWFjYGh`(Adv@OeZ8aF_00o?DfRo`_7D`XVW}q`=h$dF-!FySP6GS zU2{q*@E_1eZOVW&(aI%zWZQT+q5*Ks4>ff2yUnS3?E7;k-k3k@jAY4lnKKKoefR#o zrN=B^(uaA}Gt&n#w^hvgEj0>=?B->2oZ}NOAbtRBesp<$@7xX{YHlaFuj%TrsV)JI zBOpRR23AUfxP_j7x1Ko@MMm(U)B++xX40)@9X%}-dP3%!bmaGQcEoeKG+g=v*B znPeb~2s-9F72}NPZOc`x*d;X55!8e?BYKr8;P}IYG^ulC-ks`xe-krWSgr)$>p}1t z@#n&h=TpS*`2;H>rXM^y{HMxE^as3XQI9+vELf4zFlbvy?f{7YSLmGEk=G9DFqE^E<)X{ha;!l`i(vS^{5_-I zpro}STL6>aI9rodi;iNd%<}RxOmo)$mQ-r)`AKo@TpJKelP7Y{W`Z@?!H%ep1+&4w zT2rV~!i8wpklm97)k^2ffj|w2-@`Uc@%!Bo zPT_TVWY)HN?q`S(^>=`|t@IWz&lNx`m&W<&xOfUNeHBne<`9B`2jE*{)?NK6j<)Qp?7$ANcm**j$AB`|8n&G@~`K(Q89!SDDW?T zmU-`nt$GQos_s`u zRKm%qG-vc}=hw;}v%OGe237O&ALiDf?vS9XI)LkbGAuPtJ6I4VIe@+zxh67MS`&-|=zxLfOzrR17 zDN<8NJH!v`Rw@7LTbj9*7GJU@f`1Rr`yz=maC6pE@UF+l)Ks#_&InGApPx%gxI)l(we%3lWC)a3IzRa2+l1ZS{st6NLdQ@4sD5_W!#C;Ye7>^W*FGnlyZG4* zrsc#G*2&axI))w>mo%yCfK!b1Q1N1*-kB7)}=Rf3E*yS+w$P( zd3<{z$c{ zWeoSFZNSCeuG*$-=6gPU7@Cn<3QU*}zKd!q6ukjq!)H{ZnTAtgz1PNfie1-YImR>j zm27C5rmbY#zs_sVvT2_1jRg_rf7W=M7@~&xH~UHwwW(KbnvamQfI&{w?FSVjG$M@M zkuNNPgTUt1tLNxYx;Rdv7hQNSxN3fJluu@%VIY`O?xU3ZVn}j{U@7Pm{j@0>Uyf@C z5V%=DK4;wMRsOkT*!r&jQpb(GYt%wJ*i-1-&E#2jU=)uLY#AwV5sl{02D{tq@qEWx zX@J@MH+er)h`DowOY)j|JXXYDh?hvbgx6q*2+b#qnrjNEvHwgV(Hjd?U6r;88R{v% z39p4CpPpN0$b%_5Mji2pk4M|chyh5PqQR5!`u1+u=K;@zYRq!$o{M6R5Kyr3nKV3M zT>Zg)6Fh)Lf`s0n20p~L`HL$k${6tj3(QaqZXvM2*w*4DU_5pn?5Yl{`C-5VC`GF5 zK>*PsE>2f^6M>zFi~vWNlW=6x^t|Pc=Er}}`*&DpSj@T=30velP~)ZRZ8e5FgtuB1b{I$Em=vJY1l)~Fm_BQZ!AdQJAckI!%>`Y} zVJ9Efe`##WaFFXxnKyg$FM7kh*h!5QbwUp`S;Dr6!2fu3IT7`ERmBTB17{qpz$*Ec z2GOt1m3;(kdDtI;QlsKV_nu91Ey1F5-DeLH*y$uLe4F0RTN(u9WC&pVTu%3Qh)l5% zX1ez{rWk4P;p}?f{4Xufo%7{U@2()ApWz^+;A2jg+m3|5$Qg(m!n-#L&6-26_v!~D zaUnwn?GmG4(D6xa*D2^0Xf(xlmHfK-EM|3hI6i92k|%)rHW;Urk;JRwfb^iOtsT4M zugX^Lw*DBrKOuu;llw#()B>6Z_&SnxVB&TAe?p?2hWqnQJoZ)9)wb#vzZdGf)LG%W73LwbEmn6wc4%dQV_ZbGKQ{bnva;fOC!bBj+E5N$N=_nfV+=_1 zwCN|8hzEUgA=mRy`0y&0fB%k__kYi0L%>$U79aLS7BvMM0D=ZRg}%^;)>p|L{LsZ- z?6q2_W3?Ac1vUkfdaTK}|IsV{vTh~bbT#N1+P;Q{jz_eG{C!Adkjo-_GAngBaoMrW z%P~?So(+?MAi{yR2-8;|efgblxRIk!;Lbq=<}PF1coipA0>AD;L(I}Z;A1Ez9XvH< zG*o?n%XovSJtpJgwph*e{K*I1my1Vwmf+JiY4e#Eei-d3kel?UqK#dZd^TUaJW#(w zR5tpuMUWKeJ@@fuw>OUTvhBOY`cpXyH+*z;b(O&sA_PSe>qPz>79D*A&P^6W_IU-6##eZ$jh$UZu}DxBi5}z(xwRDq z53Xvc1#J;Zgu}{;+|{-_(t24Cv3zhdE~C)PtfNrybi4v^z6o4X-hVn9EHJksusbQb z)AdTJ!raZl+^)i$(&Nr?J^E@GKU?TeVmuE)a?K78nHoPG-mZdqhmYnwPmeK zz=Ns#CAAl#Al!gJ;uk#wHo4Caw`~!Qiv9`xW~+1lm~wXTH|xN2}L|cjWUWm94g8R{S}zOVb&;|&2qnT+r*Mz zLbAINn}ol&;EnbC)?IC|e+z9#8-GFe=8;JS6e5pkLLx)yrwCzol1M-w4iDK|qLEEi zdwLxnGUI(OdTK?2EEx5mGCIBJqcVj^EisiOYx!OlcnY6pTRxXqSOq5h9URPE+Fhhm zfdX=vaJ0&4DhR|gE2!(Wp)a^1QruzbmGxHx08T)BuDmH$(_$OD>x8+r!S z5IC?8NUbYD>+biz&C15?$n4taxm_s>rQ%H6_B&8ZIhYGpfdcKV{NI+Ft)Y@J2%a*#72vT-@5JrBuQP~Uh_<@)jxjB-mz2UlfBWpr0k zYlQFlK7M95p4|;%fZ{G-ghUk(EN)!5uT#Z2X@qdqQXOX&FC}BL|N42GLj^{4%8MiZ z7GNqMXTk$d2w?}_jq>7p>t|rA!#obQXn6De1AK12waNamZKvaPO*^%+L=Z$k} z3ff0Bxyu-SO*HH|-m%2tKtlE9fre;UvMj;^!8HZu3Yi>>+uHD6?6{10X}y|>l-SuB zGfD8a_LoUp_$z-YOOEew4PJ8p{&zT8J-A&uw>&ifgtUT4U@r7vFW@>gVI=t$3eG50 zHpneq>?|D{b5rg+!gAWy{zYY6fA^0MNP&{t6j{WT1ulv)A@Y%zq0n@;E*`cyuKx^Mp9Os?fHOG{u+@vo5a5tFr4K2fT6bZ( z`Bs?RTE*7eg&mqw9d`4s9_+Vmu-o}zp0jh%SqG|Mbtb0;o@U* zfZBEOze%@!(Q$$4xI)}RQCq;N*NmOMHf97+OPrtoDys2*>4eqVJ+APqPu4(qD^4Wo z@!RbR%z|BIz=wt=HZA``nemQ|01##u7V^wHedPvEkZ(DO+S`_#&qVd(FrR22TBFDZ zXigDUR^PVBE$jd0Cdi`3Q9x??j}s&|ptxtsY27@%jNc3X6=q_!@-M+ssUpr7iL$KU z{K9c;==gz4(rwCmbL#q_z*FUhiB!$+Z((wC&%jvGM&$k8)sj0h;M;a~NY!n5jsGjW zB>mIRSTU4kHBkaQ646y;I^4K79}Inr4MZT)hB|wgil8_Sws->I+l5wb-X~eZUPRD- z^Jg6%3o&1%KpVRYlK~eF3M***bYfhydpY(&(h;z~gz|Ccs+B#(?EyksF#eo4l|JRc z0ot3x?^vdq8q{gxVmkgeYlSKf&U@@a3MU`3Y^bml3>g0%>UNijCX$jw4^PvO&nKGp zZ5E9#GlG(*cY+OceZYFc2mBn@V}-R(ENca`CfGWs?y8GfCiB6MK~n3aY||%|yunHP zfOYh#43CFa*zYfiiqwd6?6r8@p%7FF(=?-}u{aa3oY)(!yvDzjBJbnR7mrbCZ&c!u z9i>K})>jSn2I(0j8X!?5Pb%P>Zhs#*?)%dXDBo(4%q{<#fAB1J)(<(*l|}K{ICXqj zsz$`rDQ|PI$M@-33LOjHzUiUcS@IFSc?I-(ZTPg{yV0hEvA6>n|f@t>6NBAUeQYDwa} zd}Agr_6c=dAsHg-46;ceReY<3af0n#uT=g#^AWMGK@T12g@<}aVg}Uq=as3zvG0eTBbc52EQQcPRyU^#bPE&%o zzZcK^Rs;H8o#cC=D}Xg{K(aK2gXRi)9L_KC%$YGmxK(4TI^0PQ&&LZ+U-7nhIhpo&w&Ee@M;m7J-@~l8%Jco^P;DZ09jzJd~*-#kcNqz<+9-tOo$k~6Hipo#mkV^f2Q=-yv4C&v zV}bvca=aS2)VEMybqZbr>pK8TWiwBiI$B`*!CwY=$Z*{sm))CUoo;;W)l{-I-LYDm z4Iw~?(r8D0{6AWNaR3GB;(nfDYZ*~kQvq+qSlr)4o0k^F13B#L;G4dHz}S?Jlh)ou zi|tuDP8$5gZt`DX>Z?Eg&yX@Dp2`o3RQWzoyT$K zp&;QMnu1$(T_)8LH-Sbb-`O8um)y0SsHgF{dj*O7Um@%!p5W5B_6`B)2DPUG*H>gE z-3+C#x!teg4uS+tHLnNC4SKb^$^#SHb7(JMRZ&M8(X$Tzcp)zQB3LHkCg1Gp>$dYK z&H&M2IjkKwpUZi0=xDYG7=gBm}Lly=}?(Js-?T2l+ zI^*<&LZ6xzK5&WxCMkTD<;9=K#8t7x|4g=^o;mZUOkH~Fl-tL)6;ukG0NtF(VT|k^ z*3i@!?QV|1P3{C7v&lzA_h*i*@pl5Dq^Pm-0Dw$$H_s0Ij5$3j z@4j`eSuCXM5&dYYQfgXltl4lwo&F-!+cUiD6QDC}lF>a+_O)q_&>jSX;K)Qf?6uxW zmPJYE!w^AFRt0eI-FGXrd2hRsYd+(;0gwp5(puh8BjIlY_+1~ZZ;?DIjyR*~UpeY6 zk#$k60m0QAn);um3IZD1G_ZDJLU_DsD%U%!9kUoJ3kAGpl&M$Op-EuJU zx}hc)?8Z;(V8myoPYCY>a%V6&kobr1jCUBLyVy~3j~a(vPWvJC>p_`tNhDObbtSSn zIubm?FKaLJ2d`bN$|XYO+q-j z?w`rrSfUd!!(=z5P||2+(2t!ke6doh0L>1LaP-mZ7n_o=S>aomS&5<}`7BHk;hi*v zns520ejEPlJz`X)4~u7GS>Mgt(b%}`-56E^K$NqDWGx8GypaHYN$k2#y1UbS{moLS zv&5Qy!}D;>-bOoo*3V5c4huTBoO`Nv}*tA6id0K_EdkK!8Mi~?We))ry7`7rYFSv(jS#8|4VmL!Rp*W(IEsKu{j zP-6G7Un?GHYiY@!3p&|phQFW4BZ4hD>nGuoA)#*-D9b(kOj)!hfWwbEcwPWCL+*_S z1`9trIlmofPsJJ;-e)*zO5idVo{FlX;f#J;#B}$)HWC^U-g8~*ACCV%w|{2sQURE; zv2a+p&>b*xkWJL05)7)6q$9uqCyfx}CQ+R>PmkAO*n zoBv6rs3Ean2H)Bqz#vdzZxDq?XX47sBC{r!IY4cDV5=EG-JPv_dmWZC-Xuw!XCjXa zp%iY!{EHXIP2Rt!I&8|1cpl?c?rCY??)FFVU%jEXFz6q#{G>?c-G-~Fj34_t?q*$5F0^<~YZxQ6IN3d-X10&P9lD;$wrreT|p z2?=~HpE0I!FuUcW1^F{6+F#`j6$^U`KAiq2K7+RtOKn_jv83UjN4v7ZW9(MYN(5(A zJHCH-N0se%73s(M^a?fu!DZ3~91}m6?vi^n1S!DV<1)Bc80q0Uo7Ba$K5)yCqRDI> z2l_@3fD_cM@;`zVhE$!*;Hps-jf%`4EQoxvGBDHxG9a+LYF~{r{Ti%bP_>+BVj@=4 z2eyux5BykUbm_aveNu-AyVZ<2d43+gxQU$0;I(4~&kg#J_px|bFgH)ndj^Q0Y+i^v z=4e#@k^kdg3c&v)sm2vvPo17%97*oYn$ z@&n*3lopF~ld@H#2H%61=D%9&^{;-Q@jDjAx}NT%L5|i^y$H0_zOo(Z^QV~2uHvIs zo%bKK{%-5O%9Apr)Yop?%wJjB+J%>|D}oF8a4CzVjiSTuL}=gfv^w|#&(G`Hx_yr{o6i#Vy37*?B$DRBN5he+N=v(l{;z) zAs1Z3K5kbjTn{MO28=|2zlvMMeM=K^wQ4!6tsmXNR(*Hgvvoz0a`S=Km`#P9HF+55 zHjQIR-0}y^1d0d{3gcr4JNy#2u^RHKW|f+TVH-342Do|WQA{+6X5Io3)Zl()$i1e` zcRZw4R+X)4c+%S@JIc+kEpQ*KKYXlI&4&Z z<3p`qq=R)4fo`i>fM=+i#>f{RD!02dic{;9#HqxR>oPp*aq&x)m0P~>5fKy1r6TO7 zgc6!_>aAPDWKm3Ac+>?0W~2kA+(VuB@2c4X+v?9n-Sm-~QksTD6r=3Q8SgWl%pGkj z&MYzE8`l3LS=>ApLXkUiwHLg1 zrPodT5&qCLA4w-6D4yjr^CXo8_C%uu&%6y!%Fl3(?{EI-4hd;)7B zPj9|O_=lp36hO(`hd0QyOjo4-`S3p1rd+8H`&iCcC6RpJ#Ue>v$wtK*{_CH%{re)t z|Gzd>5XdJ>%L5;$BM$NQ2jsr{~fUXrz^!YtKE3?-t%tg>xkdSR@*a95w%pI|D9*}TSFR_ zhd?R-x^#MmjZS`ja{EIe#qA$^YNh<5`#&X=OCJH%4DiyXk4_BY<356VBESb@t|_;| zF~GIkF6+PD205wQ8gm+)A4cYy;>1~gepW$nB2hqusA!V@4=8Q1SH82Lm^-;&(Y=to zZc_rcvg|c%lgPgW8>$-BZVokmjPRt(Wq$UZ%Wg_BDxk#gznQlPA5j@w%}>h@>lei> zDMa{yQYKeeS!I{0UOJwDgFMp7M0cqIuLTQOw8IT5)^Bf7#%aN_GujD}kOm;Wckz1; zoANrzZ82VarzgydngFKXxT_nW3PY{!_g+_`!hiA$V#+4)`oYR{m@t$Ib^|n=gEOYF?V-yXv4uZf!*0>gJ za+jOqs&~42fV1iSA2BUr?C|YmX;1$C4j_mCi5o%Vq`&!sVwImBj5Bg&3w8wFx*aAP zr^T;hjZDPbU9PX@a$v9MbE1qI6gDG$POA~L5W`B%q-IJ`LAS${}@-XeTLx!&teu)RFsWiKo?Wr6+p z;8L$5!ios$K=5oxA}huBN2|Hi0Z*ZdOG?JSt*EQ$u@oYfx5A%wQU_doEHu}}INmoo zUL{nWU<~F4R=02e)B?R51WcqU76z!Fpj}X<%PS9<_g#3DPsPtxwaKS?i<&CvSjEap z;V~Aw%jt*hlZ`#1ObR5NZhECUF97#ckm8=Cn9g5P1Tysdj!^Zi89mw!EgNZ4N!hi8 z@rA1XS($0QaVRd7r})G$Q&*ulIrC6jPZJA#HG3Ct=}nt)QhR0wZV5%qBLR}ht~d70 zk(E1F)IjP>1k5+_!y3-@#?GxFsj2H=O@?6YBEw1K^hPHZG^k-!t51QX*Td0yvwV^S zzMi0;cdP8^+q4YCK(~iayy62r+}^RI&a$Zc;hdvjl$KcMJ+I`0<-*slCb1EXs#Mzp~&h^|I zW`d#oSTn)QU&UKe6zELB*rk;BeR^09A(-Yho6A`EZTk$k^c8F}s^UI2cGmf+=A)JLtf(C8e(2GPTEfF zZ|D5AR@yAuiZq&ldm8f59A4fa$W;iVWXL757Jg3*M*oSNl2ZXli;1L|Sxwc%5Rh@k z*iXIpFfdhn$!Q{hW~cFhc~0h>85m{41GwJ3qjHAX*d${EGlG=omKx7oxyQBf(q;&j zM2T)9?klPO$7->H+q%BS!=ynky5?8emdfcUD#&AV z>dm14fPKSgmY_v%Gj(pK@4Dy*ew;Wh$us(GN~@P_vqz_XMUXi@&^nYkq&VLycSj>R z9j?`+NE2{=0F1DPc)a(Fp2!-I>93AHyk;usrX4XM0;H*}(v6%*dx>x4>3l#}_-@i* zX#4*_zmy6q?$vE|kvQPfJYxdt4T_I75M)pHA~(+VWgs(?>JqN%=75UTQjbt^_Y=@t zEH$rZzezJAnEfm8%H@3*KMxzNnqbr>{a>(p1{ak+ok5ilnqb|gBbccBY__<2+SUw;~y&k;7uwI(q zaoa04!Ks*T8s?~`#yEjcK(^^D;zpcx8$YsTah|(~Ad@O)S!tfAzT=Za6HM`H3b1{z zn)hzc!ns4$Ac`pmhu7jjSp~jnm10o(fEX~a%PoPQX3*zG;gM(UWjM9dB+boutqYnE z|K7^7hjuVh`7ZFoL|6p^5g;JPF)NTV9=&`9~s_DSGczioI49gPnNokK6QdyTL{Wm!X0MAme<$?OQ~)Hhn@(1 zJNQ*WN?3GsG*K;Sx-wXx)VffVWC@nGK7II5)i=1Ca24(ke%*O+U3D8QUwdR?5{*kl zy>PZ68@QUW1C%%Hz%m!{kxJ5kpy_~_|0WXU)L;7cYc38)33;8mF*i@vl}9}}z2!nn zYx~K_*nb=NfIq4HsE}m|SPaK6(L#qy@>zW3Guz=yD-2nxGtoe)2HaRJTc46WkmRvj z3=_-oZzm!q^u7sEF-b?!MESoI5_m!?K3b*-lY}<8d4oSz5H{D z@87=zY2DD+m}2KYc>alBHs8WTGhN#|AQ_KtkP6niJDXRayy5gGE(1Z`yonY6UP6JN(u_{sSa*QN)5F$7;8K{`~eS+m+Z4}b7yK0 zvuRRDR-qbhgE(h2mz@twFp%v7J$Ul&D0^ba#-6dITvi?#*wc@Ha^w`c+s?((ohBjY z_gagInm;Xe+Nqi32zf-(mwM_hT?2%k27X+2_D*u#Zp4nqiZenR8{*`Wp+K|9ZOp-s z33`XcRvo3N+0)+1tt}!}+T@h6wX={DIE`)T1m?&9;ofkH+jXvQ-WR(&1L;T>Q|-Lu zFyK`K&PSuoDb_)igmY(W9Y2BAg}&gOmi46V^q*gwt+-otB27eB5_a;;f5V&Z(vv9%u!4$Ef#Q^H8I9~E6E{Hgm3 zB>5n+*8>>ETVgFssY{ zr60S|K=1jQD7dtmV9m|%-J#D*2^al3?LZb!wWG$`0=80>mz#2@-4|N`G5Gs@E5CJ5 z8W@to@SB^N|Bv_{Y?T78Jfm7iC3pA5bL+{+SVQCEp|fbu<g0pR(Ee3x29n zq;YeGnzhSBmA$;fBMlOZc#RK74?IEiJZ#IQd0N;-i%>@k+NNaxCOWhV9#?r){J4t3 zUYv1!@lMG$si2@UIcRwm=NJ9CQv_ig9O3U5JLV}klL%xzVf-J6kOwWdK^p}27BQKi z|1B6rzcyGJ6bv@pR42K}Ena8mhsjlzuF~d;#^e@fRN>@*VknZZ7%f>z0U|QcwJ5WL zuY^6gjd3~i20RVrCwwiJ2_!ne+fD~W0hksd4O=WSfx#k3=`6@ta)(*<=m=~Iy9E~X z@HUg$o)!o(bi2kK?f(4QmM`yp%5FlAagT~qNmVJG;o99V^a3c4maK zN208(a_lW-W_0WoviCl|56{>8^ZWfuJ z3&GV|>DFWa_+B@Vp>M&HS1khT(%wyqD9-ttTHJ?Qa?>|dDZL+Mrcn$@XHS~*UFmhA z?pRHaOz*bef$tL^DNkNYk@aUO`s|{0b0LYF4C30RVOvLpreh9(rfznV-6$;cVpqd^ zvu5cfvlxQ}xX>7}6Qe)x6gtX(v;~Ym;Lm{8XmkG0^s&ZySF6ApgD1yLD=)&Nw7e{T z8hcp5V&YF15{w;_OL(QBt?M2$8x$Yc&@OUsHtr_jvl>~?y{uWfTuc zSXp1>K~0@1U_w6zNC06(U+-mH5B&MaKYoblTv_>;ZC(Lv@XFz;HhBD-p$-VQo?o0b zSVz_O0@Qo-kWA9mxsvRej^4R@jr4rWS;4TkpKl z)E=PiOc-z%=<&iWW?8dBw{G3Y{+ffQ`ZUbc^*Zw8O-fgsXl{XaePH%-W0ueGG{}}@ zb6Wy=E^OfGzUaF{)jvV$M@lN8T!U=l`x{efD-9~NZH5oHu)oZic$Rr+>1Un8!quod zw?Bb9)%!jWoo`fjf=>Y#82#PmAlb3p@vh!=r1fS)=5?Tsxp-p?1#KJxefB$l)4O@^ z^S8J8A%fO~WHVp2Q4iQZ9MpzCGsQC<%AZXml#LU*>BbWvBp{=ZZSAU^Mj|V#n^xY_ zMOKNBQ(x16_%JFHXtlwC3p2?)xgOMP1Y9-p$F;en=v(Lf-jQ}>kWQz9L+62_ST1$( zRxp(jV3q=bjY4)n;=2GMIt`8O5MfQVDC?Z-$nQ@{_Bj*K0!M6EKH?uY|f1}Q{?R81i&>}DUr?=tqLH^NU=UdW5gPdXl#V+a036LT2HBHlzd zuV;jV&pI0V|I2XG*4YxqoE;p1TO)e<0`X{Ndu}LG=)v=R#+oT#R&Y1r4qPr6v=Qf( zDPwKNDEvOR<@-BiBeG?*5))g~0~LN8Amn&?EI`lU_{jM+h#(?y(D#qI9*pc~0rqPF zJC8Gaeb%rv<1c~Fw+K_)@owYQj*6?+oR%1uyt01X^u&!5z0s)>OjY_+AulEZAfg~) zpUfp*dGs8lCGC^Q&sfTQ98?i3whi#eqH7S{4NYot=*7z_sZyXDRMM9XUg-1@?uwT=&)&;cEzFDX~{IbA< z=%KA4rE@2EtYyYVtRACi`PUnH1(RqsYG-U&i$BwSK#_7VENs0u_*@3#Bn<+bjIqFG zK#VN2LeuOlQpt^Mp)0HCc7knFG_)8ZtGvEND;Bb(_mmSx&(LHCjaU6fbcJGc`YJ4Wy|F{E;{0ic z@k}Ytl3|BC`VCc1d9ueXT_R=^*>FtwLPJo@H;#c9nia8fvUfG|SZ9Ey4rrmj9se!O`kKR5 zGvO{KlR@UT*KgvI{y;`HNasQnx^&95nResnSQ7Rj{8e4ad5kzZCid^p-$WE+XTj z>#<+r)q+sn1?JH0Fk$f%U*>CoFnlX>?w|jET!4*Q(w1i3E7q{ZvdNk!hW&bqQg%EK zAooX!F>8+%{;7T`*pFa;q|ov9=#}h1Kd(W*bZERPw^L`_nLn7d@Xgg}p@y)--ukFU zvlG)x4J**McaJ^q#^WOAON~(L47O`tn;R7>cOWbcHEThgAIAdKF2r=L{`I_%8Uqv7 zP2DO#Lnoh?{Et{M*E$YN(;X11F0UPtW;mLc8bWZusQJD=S8-ad-bx0u>AJJ1A{^p5 z`HQDo7y@}^$e))LuCHde%_c7Tx`RWm;xQS?l}P;=XH>YuqVeaCfr8XW)xPd%_ElSz zUkOiPa%83uAk{B4iA{c?_wClEed5>G&*x$ZwxAMnfa>(;@F@jwATvMC9-_+6_ zC1!w~hxGEAE5R`2U4=*n6`;3gV>B2+re&o4$;A(_r3_*BM@p%!41R2FiG0*d4f>@m z6S^OZxJeIv^f%h?7ulq;xFKIXF3L~L4;cpDsowWhxr%)$F$%WnRu5h2OrtDLxEykI zv6A`IwVa=*AUAM=KeoZjF92Y+uD(Uj);kNLLHFXTk*Gocne8Xgr2ruQeSWhm0ymE` z2Py8e%9-WMUjz&draw*p(g_7iRcfiyfO7>fkv%%)IJ;Jhl=%$C@=c6ciJSBbu!oBhp7KYId13#DiR~E@!r;uoLvK;*n|V)1`hF> z8RFG(z5j?CGX!hZ7X6v3`8?#it1s8J7;}0NbbE=J|1*W624=+En{nB!a0wiQloqdQ zB7^B?=X;k{+W?#HU)@jA6|59K{5s(VQ;FLkW_2B{X$%QQpqM4JQr~39z8Icwzh97&j`|uZ8C+M+4g!4=6(Uh_amvl5TeC<^JHo7#*sPS-N$5MvGx3!$ zHr`$WuM@{XAf;-&IPEO6XntDfdBo?OcAI&KyWB**eS^Q99rNbP^^T1*UqHW$@(8b= zQa5$Gr2@G0GDkX=?IrXeWVtj}5UwkuGAMc4UR=}L1iU#u%l-x0TetE5IU4iWyjgNN z5K|xKqCfTkckzOvm&{=ye4!smXr(9dtfC1a)2$or~4&|3GHwr=|uZ>>?ZOQwl{8Q#mWr)mCkEq!D6-_2Q`&6aDIdTGE>qqy{xxnuZ>0EoET-lhzBaU85ohIMCNuuXaIN_+(x{>$8F zyjaW?sKBG7k<3Qz>quTC&S>pler+uahdY~Arfl@35E*#zFmpUMHjey1x%bV{MGzRY zkLTO+uT}QgzZy_TAk-zHP6!DAV{-`@U{IdRp6Y9Oh24tT?IpB8_i9*X0V`?5(Rt&J zDM1~W;woN%+ZjO&oB#0F9D6A(lYXi7b1b9XcEDysFo>-}KqkD)UCs&wyMS5~xK0K= zfBxM2crn@SXp!q1a{awM45F@uT`Ez3zSHLo);Hk221ye?r*Lbg$zx>e{`c&LWJYH& zRq^FqYo-}S3O_u@yUZ$Col{;L3WNga;@L%V*KKa3->CwWWemjZ&n%5Okt_f0WqnRS z0th$Nx`zbaH}Zp=qy>Qc^~;xc0h-W1wEOrHApDW^`CBSC`7OY{HD^Nv(($5F+n)ty zUrYX(`O0czf8`l48N1X)gEAs8s-8h=1A)VH>%+I1C!X@1B`kTYS%5B`Pc72Er11mq zNyEF#Vb-^wkM>k%@Y<#Hu}-zEj^*<@tT z;uIeob3c@(^1MDXCae`+-2R|urmXdDJv#e2(9JMki)`L3jlbUuM&mz&aNr>XdQe>g zFf%P7)3e}x?f|eN5*$Fle|&LPqMK4-4fmEBbM>w3=MGcF|7LacaUR2!(5qd%11aeF&IKmX=ekVlJree{aDcF(36aM~qrhXd>+ zP5MyQ7%N`T?wnn7>JSpM4!WY!VQS5xnadmz#K;|S0&)(I^jMKMbywQ$HbJbwtC(*BkGZlZR3sKS}Z_OM!vyy}#s(3(n4ss|)OLvBIe6p@kx@}W)r4FAxRty~3qC?}Iyy$Tp)aXjKYoxM zV=bIu9Yo|xJC@_hU457PpHy04lJXJE|=61wGCvo^PuoaY-?k+*- zv^3@vcAI9JFM{x51~$+22vPy*?qr6>3tX7DeWy@kKr0pE48N$TNaXhIgdK9~??`D( zKui=PqFErRSwX(J7>0xF@=ZB!7z+GFSEIYTdtNx&KQvhn4W?pvT5{c`EUR7+O-P=7 zOC;Qormq^BM?{tGiKc40QpGmeSIspObL3fEC(#^rN1?w6+gLJ)U0iuf!dH_7=d~p= zLwU&U5Q~WWWI9G+pGi-(g=rI<9ZXM-HJtMTua($*{ksaRq#q!QE%KOo;InkX>ex(E zSCi7rizh=Kll$n0)(w$vL;0jpen?Ehm_@HQn+WmgDPi5PUCdK}Hix5$#@<^^3#8(&whTyK`G(I?gFE zh>+7Q;$cqnv-carNJ2vLTeJNB1oBF!8U9S387)rJw+<=^q3ey+Min+E$M{UP8$Fvv zyhAzSMloXFXZT$+|9odHtv_ISCv2`&JEGdLzdB0S%^=QwCNKnM3g$TU)Y5DjRh$m|3TPjNGT=A?nZ*5zb>)ouUZ^TcuWa^K;@^GxcwC#m0# zNQv$_)!cE}*LpUf@m1L3CNnh!crOzZ-ro9i_B1Wt$#$Ui;gXadFqgSD>=OD2Kwn^nILSBzxVPn3xuu3ZKf) zsdP}q>V={5`=Y_Zwfa?bwa6SH>PFMIF%`TE1pYssM?Eq(co>0x-Ly=oSck{iw|Sk! z`ct7(6NSX93?zjf=jcHP@jo3M*QiZWORaeMrJHQND|}$e?RE0CZwp!7q@fnHw`bMS z*`n}#`Lg{~Cm}Si2#TBU(b8)5=xam=Hea8_LGiY{q@2_|hl3#H*Vw62H5e<&R>5SX z6W+%`OH%+~geF8hir!GfVeoh}4c=W}* zksZL7i(u&*RRx{Fbn$W-D7UY?F3BBepg^UbX-lT}O0ui0F<-kD0@mU3GM_B&$a-Z- z%(hp_$SAewH3`P{Eds62cO>y%*^l4%R4dLlR$2E3tZ9akjl4&r+-5($OYi$kTn%B~ zLr!>pFS<>I`oR-GCM_zub<1Eb&cUmy!y?dyJj)_5oG1vM^RXH>eZGN+N8W`~F;rF) zUSVPpppK{O&bjV}m*vUN>TGYX0KCD$W`aQs8X4wM6k>=f<6=I3{#LMI6mH-r8V8)w z!YsAkMnq*=BxegEy1%A8WTW5~tFv?IB-fsuItiQiS5)SE44lpI^^;2Sqaeb&rNFuMNppC+!Yi=Y zw@B>8?__=ctifXNp-80h3mDVF;%>2%JJj+_iZ0Wndk6ROB1rZ0^sam9b8Qn_3`4=a z*MrYs32xUlNMV9oI2ovaZ>-g@!IP$8yLhwXxGNzl@gW3}<#u{<<7G?^$JF#St{S=i zE@%$odfpe>mIGe25p_Xj_t>|qvTIY8?-6kO0Xlqq@C=%0iai4Ibx9QNekStQ%@S}e z#37R`u@tua+*AzWcYkNkto}0zpk$Y|wrmh2y_Bm^T}GXdwLG)oHd z*WafC#fGozPY)jB$?@Jyhb)xlsG5pkL_}d-9B2^&dHP2c*YE!b_gOFh;Opl0sHvn5 z9_flvnL);8)oi|As1?#Ch(ka$+Jl9J@NY=+^9)`RYgZ~_djp3uIULmeW`tYr6}Yyt z2Byg5nOcL6cgqe#3byurP{KS=qVK$IZ(2kw0>|Vv;YJK%#)Ozfa&00i2 z;uP)9HDSdmBr8-|oHVY>TaT_tX*XMSD|Ti~N=Zy5IKebX(K=h$N!Lx|-xH^O5PH1f zJT?*PS2N~@m=>tAf-CPyTj7)A80mkt#}s6?uYDLMuIN^N{P?Z;Ru(c)h$H<)%{Z70 zWgMjR)Uvtpo-i@7xlH(<<5^yPZhrT5eIb)C_DlWY7V-`zP4bFCgbD~>M$&R}?<2F> z;|II&m}qOeb}u*cb>mn5Q`3q}nDD=UZ2o*Y0{|E-R& z?lc66go2sdJ4lxU)@z1bzXAB!+qmnu=38>VMLqMGX_M}4^z~8a`CO`2$KE9NB{~T8 z*26=Wdzm(*QXLZE+$WawUcP$e3Z)MNo8Qp0=6IxSMEREd`WYD8C0lLF-s1M7oE42h zkHixP827Idd}~indhrhwxw*Mhgy9VqCe#lqtB!>wp9&c$;UHovpC4g7>$)Zo4H2-= zb?j~5HbBLknJ~h8_MWfYEBtKg-yBTS95kZTG}57OPp(R$Ajn|FI@VP+{_UmMU&ddp zI~-qH2O~G<{CXI&_jxhftJ7!1$!z+vOGfz`CVspGmRGWxb}edTPYaLF-U}yzm(j@!DNkM1o$6~<9lQ;Llt4-T;P|l2!+^Dl zklJ$A?;T_zKOl4GuI!t8H4N5s+9+UCD>3D}D){YbN!Dg_avSfDAjQj*pfbuT55~dT z*uhHs;2%}le!0FHCMhZECXF0lPTu6-j<9&tD&Etxp=WX~b;I@)s(9R`Nb=T3kt^{; zE@Ji_$@9Uepwu?CRGJ>X5vBuV9n^!!GCcAIA zo#>z|T$hhR>jZ5Y6@B*-v@aT+!x6Iwwx>mX>VZ0oWV;JG%=vGB^k<7vjUcAt;aoq-W&$put!Nr{l2 zHNKy(uP0DWaknr$=66wKX7>7jrW z=gmWds56%)^(dp2`S*JKI%Z}?;~a37ZgNhaxI2~;j=M%XYozM z=gDOvDrExlJK`dL;)H2)7=LbI?|$&uZt>7=Nn2XIDl6trDOfBG_pMsR7?_UwJpB=Y zc3rBX*|I*j%ARy3X-V0uF&JXGUb<)GKT4LEob1j1q`ZU;M55WrG5=m1tNnf8@b3m5 zfqbHIhYZ&LM`<5|z6Lb5gn8duPt&q((f`B4nF!5nnY%9U5_=;JSf~D~#OAjK1^2=s zTyx={w5ZOy^Uy1g*gDTCV&&*N?{oRQuUWoz-+(O0+DWzTkQE#*Z{Gba7CnC@+pVjo z7XlhwH!r#$S87<}lTvh@QaBWiTG_R8PS0D|!6D0Y8N5%QLSU+96gA@Lm@xG<@Ar{NbEEHUya@ zI>iB>x_q1Qom?-+ELo5|nw8zK<%G*&Vr9RaROLv926U>eP1a;0&neKf(5)>&$-OGV zIE384=Gaf<1{)l)Q{G&`5lsQDZC65*jJcqr%FnriXl(+WvN#qn?HuE^%;b{mJBv8c z0cUz3eRGg#V07dPA_Ol(w0AJ>M*{jCHYcBUZkjDlGi22)@(!Gw?bF)z#7>VjeLBL= zYq7e!{T625c>?IZ)53X82pSnrU6?xbiF>d-5aL&s z`HxqW4rbhO(oNGY8Vf6xq{K{W1vUoi;K^~t1CHL{Zw~l_-m)oKVwUxB2=4eDRX4d{ zM19uHn`xgRpYZ~WJt-(hKX-)x7h(8$6WnEGfd~%B@Nqn?ZllfwAgp(g5EU8$2f2fO zF&u@amp?UZR65-_8^`lKWs6*Td3*nO^?|kn!RZI^0V21l?VdlZoT>U;(AQ`^9l++5 zmgj!KCr=8cgB%&0XoeLhT06ufDhU~O*}ybFu5q55-DMI67th`L-BJV#5|m6-{S7{q zV3&BN3S(^jU*x0ssXPF3m3dUPT1*rki=>-Za8mm3Kcb#uqGO#8SXW0kB_rMu{C0Lt z1kDJMm<5R>NAPK)KsnvM7sIa^vm!=>8IEXSKcfiHUKHg# z8N>`8;2ytQMG>IqJFxSA0r53KM1;rvC)#Uop?GjbOHV2F&}HPYC!MNrs6$NXM>q&| zQXwI2luAS%Lx5PF6CDx8ZgqqRkPyWsf)BNP%sLhXfZ#VEfqCQVj~ifGWpwhMZ^^<& z55C$}x;|(DNa@gLqJBmJYG2aPB@Rq^z(7ZV@Zpxx9jplqw7|MpeC-ge)1r!k)&6zUZ^Rp}hIr{!pD%WdMgv6r^ zI_3t^KYrXXc5Pd6yfV6kvRPmQ%ZR38z+xbjD(LacM^`EHN5VnM-g*Y(GYqGgJvj?| z{16k_tZ)Za&}PEPL?iIRiCl7-fX~gAS)!IVcz;kTG4cMmJ0rrfI(YC%pyIMH?`Ug# zzy?4Q5c$8#|FiOSCVZB;FuxCRRbyc>0{!9%9!U-f2te8slH*X)$76DsN%nF?Q?sIq z=rUVm4_}w3yhA2xXP+!g`JQ38{#9)&A-W@3`}*dfcS=p;OVd#zhH$j!@^0)E*>6Qp ztC{v+4&M|d(;@f05x9j7$a(HS-$`^Ux>EC}L*DHZUScKe66){I&AdGJ{o_tXbx4UB z%+H#}J&+`=O$@&?1L`i#lKjFku)<|Y#A}o5K?>@8NCI(t((+7<$rVSSfo*OS6tgF|WC$BUI|=FleU)1Tyim{ z;I@<$*@s^@^iBYJOkLkKLfurBtK%5ioESVFe z!%A|`@)W_d@EFY1WP8g$QegS}poat9LByh13szRki}l-vLCsdZ!G7M{ zmiRPWK_LK!0%*hv`tzyECs<69z3KEZ{R15q8lDeS7o=Bsx|65)>!)oKfl463z z|DrQK!+xU8AQ$naIorPbse@oEMuZ~dTr%;a51axJ8VhntE@k~gL%HJ|Ge!@a6?}oP zoE-e%2>3xYA`}D`fuFb1Nex@nJ*xKh2YhBad7twG4~Z?-eT|I+^rx%v78iLMcwZYC zP)cdf_G_rztvurf&FV6*#5ou^d`Ijb^NJ@z;rPbmcnjwJue}^+#?O|^Jq=x#Wgaj3 zH+?|By;9^eqzt;5I@rb2vu?vj_anfyul;w1 z|6BnKQL~k3uKORWCm_!|7Td2p1JKR?#YB83_@BIoUh}qUV^}v#qj;`P>z&*G+tsGz zgHfw2M4&MS(-9$y&5Ue2!uGDNB*N^zA!jg!rcK$Np7WvNK67DkrEYDuTZ3n~ojvEG zl(_YJm)Nkvp74j_3j@l}MBrYU>8kqBdwJ#$a-dPd_Zqk}4%%N;4$ukQk&wv6U|0zW zJ<3)BjVGO8D@9HX_DUtDApFj`fuc+IKE>Z6O7o524*XQG$P2D@>>2Dyon1@(Y=Pl|1yx}Q~c`v zf;{(VOxq!`&T)rZ=!Mx5NF&Mn5cwxnJF=*|)rnePA1uz|(>^gt5{aq-3K&bDOGzE(PP^SM4i?B2 z8RU?oQXeARvjC@t^``S=_oW!8-Wq@C4+nh0urbCz&ooyA3vRRVqayoC!JB*UXjKN0 z)NW;2mX7c^ERf`n2)kKaWeS4((oRUxJy-wz+c^<=o_b(d=)L&0{e|6B&Pn}5tL?xG zmj@cV`i4J!J{i{P?)nkr7T1&4`%{|Ypi4~AtcvpoFy=f8GZVtT|tFD)!qyjnd;7MoBsK-IqBkBg4|de=jFY!nYn{xAqQ5~u+a=XY`nAgBh- zAV#zc`!YFJN6WoxE?E1SIj$}^!Lo}4y&vC>YF}HqcBP!8q|hl2k0@Zflvk2LiRP+? zeonp*IT+!*+Z{3YF|BpFlYU~_c-1qYy0$V&> z3b$_`O(kcv4`~pk-S<%6J+(WYc#kEz{7i6z0i@D{FX$bIHDloqf81`6jI;=|ob|cx zOeo0mVEyVEvVO0U8S!3+Bjo{rAGu zV4(&sF;AaPk9!4){e3LUyNJPMsIf&2yqNwd9KjoYxr4C#rG-xDcB>J+7`CG+T(bfI zyndg7FOYlItgx3Yd$AB!8t{0WL8sg^Kk+I4j6rqj)hW3+y|uD`L8@=P?E4=B4lV-S zkY~R@KHMaGQ8jD6@DQ)xu<^HzI$gedLg?C>Bd9rN7Zs5WeSG-;suvS?dLk#%n7ibb z6*9hj5ts-t5iK#rPbl3wIhAZsdqUXR z*&piHqA8j~mK8}&&u$;rGm_&3-^sAa{tm$xW{*e0H@=?=nRXub{}lv3H{sD|T4wmu z`^7H9*bjA!iX`PTjF=26nD*7dAKS5VYhE+I^}F;83^^Fg_~%J+fa}hFG!oORB7FAz zxutV6+tWs*;Blq2OwfDdOk^h3`EY!Hntya-$g)yHiQ?nr+#DxB>G3LiB)8^hWcG(l z!8fX5b~aI4@pE{|RF^L%v%81<7N+6~s=%L0KX-^}yNteKmo_b!@k|f;r5_1C2mH=u z6!uG>c3_jL$wTlK|NhVhD6It@eBU`-94bIX_m-GnR{Naa-=za+?R7-d%E^I?U{jUD z=)mMICrBnmQa^GbP{_7Mjl53-8(fGR>o@QjqL{0{(n8F-2`=tC>Zod+l+tx*v z7FHL^89!@~O|)`>K#abumsIPUp1g^qQDWGJfK#JyWLp8gxoJyf$ zA|j$v?mFD~X!|_mA>L2HZ+hwk+}I$+7zP7&TSah1HRA0JM5FoNZ%NZq-GJLSm!_KgJL>rJ=g za)7u119&+HpoZ4Dot%$ut+424KO)Ns4-AR- znleW-!N7pEWo4*f;LpCt)4C&4o5Cv$WMt0m>otN+`wpYD=9sBQiPFj2T9{V%^?xJ; z5zEv}0+OJ@s))MMF}&Hf`kIi)uku?Q@2)J5VN47@1j55#j1Lil3J`$m!TZh^ zW^U}5xv0;Y+zC77m23_Q0o#zC;TADJpf~7NHI-Y}Pg%^`qkT$g1!&6p^@GaGNj;I* z`e_81!r(^^hapRuZP$2khm)tO7_~4@ZR2XDSDbLfg-v@kRIqBG>y88aYKLf>*|O0A zltuy>W3$TbSSjng3EsXGwlyo3T3EPt8I+_$%&&_5 zakViYde2g_Z5=Ig>y!AY1Qgl_IhHpb{vD?@gtrutC(@Fwc^joxw5Khl`Ur^K7z%pj zm^JAfJH|0Hlby@tNqMu{xQ!e{&w_~^M0jy0fiQyMJ45L#zY6a&jO=c%T%TG$M?JD7 zkFEV6muHP%b%I~#4^ll)6Zz`|1JSJ6*6=+LmE|^+V1;R#l>g}oeU@``i@&oS#zP}B zgnTswT3KlwrM|qKSSQPwu4zFJ^2+}UqVL_4n2UH<+)xd{7kGHSmIu0@AyiE=QE*Uu z%9Xvi6HE);RNzBFcgKJMSQk%l{D`r#MSYM<;I@|Gyy0w&i5 zm07J&1?^EgTud#h)q!g@Uo>>bBjS*6CU(H8m)!m5KW74PU&_+-W53?D>?G37M4hyJ z*!dCcF{0R;fbX=P4tDTjnOj}PAtK&25D{yJfiijaJpjkQaYO3y(87Trto z^3#A&t}D)q``5w2z5W-|p%u0P`765$Jlha~K!(wx4&PXc{Qg_SD+!Xz1a~UI;;xdP zBivl?k;kTSV-v^L-tk-HV-BBuDvmD|+|W=oJY1I+T?&XPAO{6iqNn4tHWRF(;;y3` z_a!fS{hktrzTa{3DaJ8OKx z<|UT@a$HR2Uhj>4*GsfzX^Bil?54bZIP*?5bUc^veZRtJ&`~0uaQ6#02f7lzvhHyt zs66I@-$SLCsR$zC!a5`B&NG{L20|uR4!6QR1>yy|79*f{{>haN{PI3Ng&Rt8m0tgj zBB+WgHJTOGv)BX(0%~5x_2T*5U4mWUuH@LK`MD`lFNqYQ|b`z+y{jQ1qw9)t^$jTK8Mj6S-*y7l8MOZqf_dL2=}rX zlW$+`VIS|07`N^jK7Goav{<3^L62zv2N)N zw_$$^zrU=Y0y@tZeST1k85=x`1B{C@98|SWrFPMW%UG)=Byd)Snq0ISd(Sz|huqEjm8FNbgFA0MB9>Oxr)hn!q@S)IYRh7y*fBy99FXJ{hL;~>zwk8$se zQ;BqOr*&&dVA`Bb;G2c?)W$50WK821JA=m*APOD%VjQ^RzTb@ZnF!=>XrAX#5_Z@U ztIEyzqdAE8#WR-K=%(K-$n&Zj+Y3(k0(9fS&p4r&o zjg}T_L7=jM#F*}H)BX3^)YC!pktNj-NJK!nfk$aZIP3}Sm!m5x-c~WIomYvU-s>Bf1O**8_Rq9tjgoABAlu>MO89L`Uf>O*bg2ik=P!!XON@E ztDaCk89VMxfcbX5FAQY9z9X>(t^ZRcaQx&)Ew_LLt`bTj3di^)piImb3=bdNHA;A> zVHA)x(;sWs5}7V zNbl(wluqPG(RWn3IkK|gdqKgE9%D#7$p6A6B#80xT`XVCSv7h5^!YCG!9x^<1DN-C ztbzGP{L_|PsS#o0IO93IaSGx(@|Yj(mUJ*jdnh*dLbZRioYo6Uz<7U(w<=1W#rv_pSE+B`^@8pb#W4e#eY^>(yc*|0Dw~|T? zWf;G_x$-9MK5^6Im_)FIv%6++9}-}qtybc>;1Vum$*Sqgwh!!64pAE-P~fHzun_}* zQU{q>}tTW3Fs?r&aW zI^rGtZ%iz3Fag6c>{t3Nb(lrDGy%aM3K>EW9h=!5K&W5tVLNdB~|V57&i=zT6vnpgQMc|72&U8T~2^7_wXbc5x01D*ubuWi$i|w$iAh!PNU>vljih)aPq9);+L4wR6xe!Fho6$i$EF*1M86jtf3j zK^K8;=R0-PM(&pV_g)7E)&w;u(|4Bjnc##Y=K-}k82oLWE$tVfGEjIHfWHAm_Zk#b zzuEp$f2P%)c#?Fx;F*>B#~P}52iUiZK#pd>Kaz-A%FX9#SEo{Y;KucPtV#J)oFs^k z@CyjX8s&oaId@ZWAo;Jn;}Wkt^!08cL)2MTsdiU&u3+yO4ROJ;m|EpySJjjj_{e%aS8|2V{i=e1Fx4CFeNtq%N zkm*_l+4bK5w_1Lw5Y7%g7I~@uF^9M*A@TtTHZ{K$k#gQu1szzb4}|Onqwfhb&W(9% zdX1>4sEA5QMFRR4XokM=B;9$b>` zUaE%%J9@<=T~qdbOVtnRaQMBCLD_C@xTKa0LaYy#T(=aN1zA?CPrzThK2mY4n11Ka zAl9bG#-K)=2AH74<|}VMh~alZe}D0#?+K57p4PNma&7Z_3VI>7zT>zc>6It;4F~{C zY>tO1g``UMEg!r9xoGWSWv2wq44_tx2;EzzTY>Z->LLpaWlyqjXQkcH*2J!`>M(@z zI+e&by?6t^3UP5QiFp3I)B7f^)!GF0x**es9bMWewwM)({sv!{c_I`FsC!tfbpEvm zfb)EdpK(6JZ$kl0GynzTGZEt^@-u}D7U%2bQo`d{>Fs{1ni=7@ZvjLGnlkYpt(uow z0{l`ExyJOhqJj(eMsB^jyRs*Vl>Z6jU3uz|#(XbK5P`d%;d5XM=^A2`p3Zntq#_CB zmB16g5m|Wa5{YbC$SYu(QK52)G$EG*#Q=8fTIpn;KaM=qUV`lvC|C;^zXqELw7P3} zeX%K=yp5SoCl(>(vhA}RE*c)}1r2YRWls^P_T><&%m3><_L^!yAmWq z_O|;qz=qAZrs$T}r31UW`Q4=ZKOZ?#UXP$Q5U0E3-K(P z?!CV6BrOW4@<1OWxll|p!!JV8!Z)`WUNKNfDDuo z&ZU0iYzQ9HnHRHL;WXYgPH&Hu~6(5mIuKxml$_ ztqeFfEjpJpargpZk~Xx*?neVK{_V9A@jCx0%*-e4Z9?LkLPC7U_-%tTv4?QgwgAPu z*hM<1wBENVcXD!F5+tT+Em)p8fastN1H|J}u){yzq5KKF5??(Qg*5>rYPNs&GL5!Z z(6gW}d~oL+MqnwhSb6zycIb8XGh5rRb^o*Zi&J9I3Ssj1ihoB7xigfbS@u;4)Pf`{YvKI(41%*S_qJfQz-E9@`%|nhEiN=>6 zSiuL*wJ(yx$+OR3IVF?7B1%n*e>;9^Uy_x$Jh0s?_pAj>PPActsQ`U-J{`e(ib1BI z!NNa*Y7^AwNtFxg37M!OyJYyAAX-RC(+(h@Yo$2hMgnLa;O1_pPVFldGg;hnPc52X zcR!nBVC%@V1*t0F5&*zC1l;DX$2(V_f)$L!Tpb`-h6m$=$HjXBfQ$@Mt znFtXFZ@=%Zsu6q(>r=;?f)X*f64n2ERbwbT#j4_u&d%X<8|Xfp&j9gU=0p~*eD^_1 z%|JIU7LYb(qHgW8VjacLCY>G}^NRq{6$Kw9CA}jRC2eQ-?SSx z8eU$r;C-(Hu@icAjNbu9g4DSDIfkwIy8!kF%$RG{g5VeWWTbQ-UT%fdZCQx39vu72 zUUkd|J^&sq0}6-bv0Z_Nv;2z)uxEfH63~K)O8#I{6ok25hTQ-P068zf)L#R#_7efH zN*LC4ycBrIY zZ*)2l9%NbWUFG-mqv^Fn5(d{N0u;ZU4Gb8Co_>q_jZLzyGPbN4zueByCC~YcoeC-a z1N@a}iYn0Hk}zO*{6g-bQ}A!|ht$fJ!5K?kuL-##E=+%BnK`t>&L;@WHYbBmsZ#IB~n|yv0nBJ!2%0a`!KNar3 zIVyUp9|#a5y>%^qJ4QL|8={Ioj^L~TE90_uJ5>a6WEa7X$^-M9I9Xn^u#SyPC5>Qt z!d2l^5a&m*(OT`RtokzQAv6dH|C8{&2cZV2IoxgHXnOWO1{4v>CD+Cju3pZFXsgZq zDYfFu%)+_<#|1e2x?A4@;4B!_R=%CMCXrZ)slf-4Jf0j-*ey`WDP4Qpy)de{=9xZN zY?|DYq>H5>WZm^yGZdck_JA%$%o9QP2IrfdRq7B;V`Bs{b!RM~AW@c-q%@oo|NoKo zCg4!M-~aeC_DB?Iu~v$*wpg+&St@CheJLvYnz5Uq6qU75SqsU&6JxJXiU`9nmXLMq zJ2Ue?Q=jkW`}+0S0zPfmx`?;5MUgw)hH>Ui4Q71c&OLY0;IKKrj~-6;;wM zsjfi>UepzMy0^)jD<6GUSb1XOHV-@vwt_Md;Cx2AAM9n+YS%KH?Ka1Xz`lZf)q^Oi`-$T8uXLn?|5J;L1_6(*70DHFNKk&4)7Fk zV&5YCr!x45=X?F61y#!~LLl`b_Tz2`hoLP&zehAUh|jlZ`cYi_6hPK_v7Dj8Y<0BT3|P!CsK&QwlF8&q_$yn^sWP;geI+7P&pH%ec}ThHbjx4 z$Z>jps8K<`o`F+dLg+3TrJe4YQQkJJOZR+(tdzLLK1P#4W$WO!OAvyL@Vj7BT+V&@ z#8TdHQ10|N$eLFB92hIR4uF4sgZ@!A(-2V5_psbn!qbX9>3Uh-vz!_wZyAs%>2)5y zq%zumLp|20*N%t1+5NGhoDoT)^yW$4_5A&SHucl^{3aZztAUjD(!NtNj9vI0`ydYz ziSDY~;|Ct_`e8MD6JQ_-zq@34Sg2P7o-UrkgB-pMus-(Uvxv3ix@qT~Hg;^UOkBiZ zd;IRN@cdagH_pkhdt;;cMoVOfG2L(0K_1IfuYVTi(|oEZ2u-IMnZ*QGZPq-h7XD!0 zmtpDN6U)z%2BPnPH-jHmBj_{#Djlzxv1e=kw)wXrsb^O{wZMkIW#R^1Wx zsNUME)GP!LjMs{x;Od+z_EMZ=lnA2!2)M`^=Z0&C<~Qgsw|#36p9?y|{l9L_Yaie7 z9;?eY=zi}?W?3iI;tKt@^yU|u1XBwNH~}>;s8oIA{9qQL3N59j?0z~Oce`PP)94@O zLV+?4^l^|g@^4dt8i)YwwWwo(k1CJ;cq8)yT$t#KL%MVuGsSHMR!vt7b8kV>w{feE zFIU;-6tvjw~5RQcIC7e zV4747S-#{Lou-`u58(3L*7pI$yS&@z7`8BQI12^W0a0oal2zjgbS$4hx&_r(MNgF{ z5OCbM6CuQ%0x$guyxzF*svMkzQ2IW;mkc3_ur9ZY0iPjh{z7lL#V2gphPY72Gt3Up zj*hpj_Q^14ECv+H~=;}08HoeINi zf9+92I!dsaH!^$CY68%R;p?K|v{!?DzDaWbQwUQ1ZV#XQCDTjZ?eT zzJ>D!FV()dwF7~cuON8`NfWdGE;ixrTodN(u5XNNK#KMWo-GXI7U$HwUbxI`<48=B z-GSs1*gbWvcBp`H8+OuJ)Ih=*j+Pu|Ieaj_Y&ZhLUEn*e=Q?g?4`M!ssK~2ySZyDG zpJH&JBo;N)E-iI;im3|+H@*BPZTsC2%y!(uXTq(bAb{+H)M2P=n73|5jKEIW<{<@% z(jlPbg)#u`gJ5P965(rANQ8?8#;NEH4TOOZo9}yq9^Mq-GMum7c*48zi@&XL%jF%Dg+I{#X!SG0?^DZA z`A|=--V05mylu6jj?w{!oVduKgv0TVx79w`th9?j>kF`{OLyqte*E|`F+00zNI1u{f%;4vrsLsFzkZ+=urkB|NS-h6f^^$)w>Rw{=Txl(3* z@p=Bb@_n#<01ZF&7T_a4TBr0E?7XLmik`o>2B|8Pty(G@6!4Eg2GZ`- zXtCk<04^??{^~zmjyBQx_eRu957Fb6KHd9n+`wtv94<96S!(O?!suSK+lN4Ibe=qi z5#-{s+AN(;eC0Af^tK?CYh!D1@>i|qeY})3fT9279rSaa@_q z`NTIsZpb8|tr4&3&irczOKs~7`-&pTV^v;)$JB*|0sW*211Hc6y;tm=-{+H$Z#qK? z=^dzJfg}9=k7>wnd7lUhtvM3gy|#__gS!l+0m9|n$}UNb{cuJ`MyFQG->mcy&J}*C z9Dk$C_Af{SnczLRXA#%|C*smyp?93OtZqONezY~snABb%u+v+({V3s`b>_@et$X_k zXwgc+fAdt1I=Ls5&&gDwf#rC9BsKnaYYQW?ta#;Jx(D-P%n}o2F)mxwq(rGz>k?<^ zj-yD(%VXCu*oRNd>+6Oh@7K2{++o{wy~b(1t_zZ5Rwi=v$SjDdmIcUXDNTdhdS{et z&Yy@f_{BSirZoq6Ov(?F@jLb7!;t!}WbMqXtf2q53UBLlP3StWii>`?lk6J-j6w~6e6HFK$czeZQ!Dy+Dwak|3!Ybc5FZ2u+X%rP>W9_&~-pB1Kx6{M!+foZQxaM zifz+G)J4@L5RHqF(`f!7v{u4sTH&_WUB6YRmRxq{yTq%9asv_qb2Q?G%j)NtqP zCtl~I&Q2a_M*=&vVF7Z|6PK-W9$J%9TJHyxBPxy53HpG0?m)Xx*`DXP&ZhS1A@ym3 z>1kHBugqAX(W{I|lx%YtUAgjtXc)WoPkkZr@5m)6Y(WK9W^FTKpHGzs^CrK@5dmF% z-#FwkGOSDXM(|099SCoFrR;5jh~@t&#bv&|rGFSn0ibw)ya2MfsYGA=o%5x&Xb`18 z7IJ30x+J$BG~Pe%y&%v5-8pUR6o8TjTZ3H|sDhzYjD~@M!MXBrPK_#>(?kCk`&5E! zlar0iV?wdK3n`P;3(W?tS~4l1!+CrdtclVLq;x#Gd&X%Hl5$dU5BZ> z1s!*E0K)zQMVF=47azPgW6K~8+t?UraXK*UNH^;p6uMo%f~;iR~0!-{f&!S#s%axC;1seu4Q*<0Fv0IRbbDwBMl}hP8|d z=nXfjO<2P(_ngU0;xrHgp_L2rfp>Zzt4ikm^1hKfl{%bXS&t$t=a>My3o+*N_|*zL*sPnjd*$-3_I**dkVmuo$ zJK6ptK_qis#3@`}ELq)Pqst&Zs-&7SNA3o(3Q)79%Pqr~!-s*_{rT`q^e0f!-5Ap2 z+=TO?&Y+&e;^ktMIMr^Y#=1qH*1Y#fzoF`_+2o14W#9+yoquTItW+Bro@Ve7*gR0D zPcoYLQ}t+Ph|%G+^0wU|+amX z6~}8o#!nL8wg{&5-wKk+z6AobJwV#$_ow((U`n3L>^RI%8_lD@Z4|fm?`)=8d!{_Q(44`!mh{bw5}qi@UZB*ZoyEDvuHz{T`f#LhG=_MDWp-J7+7yrV(>{h6pYEa&zH2L~J0_?>;P8~=Db34?<8`lH*} zi9cDQ60P69HPDovz-$n~Z14;m+}sP*j!$>KKKyF^w7y;I_0Bof9T#ai;>}^6?Q5I` zn|X61z==#Z!+=>Cjtd{gQ0>{EvO+6}K(~>^mxEACIOpoR8&ca=P_`JL4jmDq7nPLk z*xq_|`B;xb`iC6T=WD9#EJ4!8lx2b22uKPbrsXMJEpSw+n7zb;5lKnO1}Wx*o?0pb zpaMPHKiT!)hHsZzqn$=*j1zFS&UQ`g_&Xv)2F)=#uG+3;{vDn=U(?&0zh+Op zM(@)|F{4yh2`8cbr0pjP!javUY5#zi*bSTd-A!W8-l$Nmr}uWV2{Q2R7B5T- z5_%3@As)it?HJ*A=pE?iK|<#^o0O=lHL9sz>QPQy=h8!Aru0))v2%}N%Neg0Sn^%; zr`Tqj<@pgnj@6p95p$?%|1I2`%PizRy5;BWGym9-eLVl^I&sud5xDNO5efVq(eK)! zpW_^LjZ7D-$1_1Kx6pNzA7r?P^%yidS|mf>acgKS3b@qls)-ev$O(;RmvABM*nXzE|G2s$DnJ zRyGv(rZHUcg~f?KErDAJioj$H2Q=C_?}$=3M9O+Ncstj$O#V+QxzjFApXn<#9#du2 zHY?qf=Qm;*_&&BU@LyO$%SG8Z_FlB2XMY5>(>yn7tca3MH2}rTQ_qA#KoJK6+fQX| z+6kh#YX^B*G(cPtau`~zq&fc6XI-UF_KN%z#PIAW2hX!!sX8u(-Ee@Q?=Ito0BXM6 z4o;xf;GL#NOwQZjsgK}_D#C7t-7=+VX1SkDai+fy?XN81mEBRtlEd_Kgu}A9_itk( zHO#tu(B}4z!y7casj&ml0Prq;^{5HZ=gV$?l%vha)ZXrA?G&Uwa*nUa)nt48)-B0h z2bzmhnn3*pW$~BGlRY@acVE1uF^FElkS&|2loWe3%T*^fz+P{Mn>rcA)@o~qcXv3k zJYQvId3=KO_&{>gkgpzEZC-VO7(Ag!(Td3-!px^{5Qj=SjP(Jx9?=RIyKHRs|BwGvj zO)ebttgI`d?Pd_VS&5Ln3qyB|Klt)f9-J<8|s`1=@r zpDI8t+jAJl`WP{Th14f{5qo?l#_f=dj9a;}FP~yU2(PV}O z6xM_vYxunT`^?kP)ni0A5(sxLZ8f@vgF<=-MB2yU9}Gw z{?oK8=obC_|4&))tGK9PAn6{I+WTrs5$KVx<=OTOU}9QH8S&E*$m(>^fIltZ6~9_B zEfpR%^7?+?g4gt}ey@?8&!0c1wb;9+awkZrfo2;*P!zWCUp@E@ciZ|XxQk_Vg%(Wr zIg4G%Wqh(|d}X&f_X0>XXu1h;=xbo{fVy*Oe2Yhje`|FFjthY{?esExsfb<$YZ zEU@^mYvB%ZG9=T&=1*-&zI!}h2AKF%4Z7~38g$i0qK^nCprOcI?Gt0`scu6;&-8}T zOVw~gy?D1CY2IcHD$_wN`EeG6o z)`gU)sOYPQZYH6F{%1kj@$F`=G;N9RKuNS}e*4A8)X_e`Nq3=niqhf;&-O|_e*XLE zwiM87f*-!71nbawP6A=r&1|@FXoKEG)HD<%gxRKLJ(1U48XiWgs@)yCqk5#)@@Nx{ zVSKX(CJw4}6Ehnt{A|-3Qj(JApu3UzlKk%Q5h>oqEv7Bg3RUFv#!eMk>2(PiC<^{l zBtC;D0dxw`4B)vW0Gpnk&gWBU%K_zs`NSdPBN&9Nq0k+%vO%BX20rU5&1bnnuQ2YR zJk2u)#ZN|x&?&6WGGQahGkY(=T7O-9n>NmFsVE@7Lrg@L^ zxF?ls7;m*6#qfblczyJRUZE3FfmRD#U}o_*(S^(JI-KsnEz{5*C%8&)f4W&6Mk7IK zJq|Os{TUI6?Z2g>)gWczjX`ikNzyv=5x8cQ5WM&|QNnl87&vrW+r5Uh&|nPe%@-E5 zcLaqn007lUfXGXr-|$ILkcoaR1Pb+GfW(H?nJ}hH;ysc|*n&Lr-|z4% z+5gG zd#!)a!|4P_o-X%<#YkpE{qt)utbcg=-|V5K%74EV^x0&;k0HIs znh*bvghpY-o~U{AQNZP6T!8YB1CWG#^vmPKgm+{7QZ=>y32{=v7Dq?rUcM zqqXV?$4FN%N{^h2J@fN=6rkTV8v|gnLMezQO2O|R4Ll-M`={d1OIzHZ&vZ3y zm{q(}2XUM_u15{hjh7t;3D_Yqah4$MolpZ3+VdQy$M6F744qVcAGF-@PsRW;gcM`i z&58%7KwBRf$Fc^w-0p$nB)>v4?=s$7rlvF;0YIEYStxGob$_;xd*cV6!HuW=edF^b zNQhN{;xo{vcjO)MrD|(xEFRg_0!?YVx{j7IGHlX6s{QeejEcVPm(KI|yCItrY5$bO z@T4>EY@42iU5N?kfP>_Zd2>F3e9)3WHr3Zy{GKWYJ%$6da>+=2|BK5yxiso|#{0kg zVwx%w3SK9q?_5apr_eY@klq7MV2E%q#LZFI{lgpuAXVH`BaxD;Yn3nE7yK^!*10;L z5#nqV)*O9{$<);J5#XTf&Narg)QR(8Xvig-jSm018v*@&(~$#;*N>dyk!G}K`}u;U zXVWk{jd(SeXW`N2_6uGRfar13en0lT#PzEu@Oesg98XMfGs+uHDDAKEJeY*A4(ayx2I=95>O+c%zRm$XdlLkq4Jo=f!#TNPgtL}Dm-yneQdDzpIo(h*~0 zyZW5NI*F;C%WKMM*P<;7ns5#HuPJ?VOgFRs7#%U8qDt#RS>bRJ z0Ec$yvvB3Ng#Hppg&yGT`St5zwt+|8ZV_xaqmB6l9shQskU z`q2rZ2Axk+74g z9n00{{vR%Y#LvDbZRq0DJhe1>flX_wsAilK!+=hjK!K@c)E72l0i00feq=vwAfAOMpU< zP&9Wy{mF96U7*Xr6L~npG!Tnf!E4F2#uFD~BSA#5>jDVm7-s$`ZbmS$Hy9P6u-w)K zZdA({)LXh+JazMJc$_H5AC4h5o_io|$Zh^wajk3XOM@U*Z{RAZzusx#;BWznSBJ@8 zfCIT!-g`{2*~i$DC$;da#k5it+TG1*6y1%tr#OJP0f<>pvxafhiO?+zcdd{9fSjOB zf2GliJ&;a?I+$svI(o#!Wx}2f8VIOy`i-;)#cT}@&WCKOU?hHai64SqSSbvB?NUH^ zfph$|Uey$-NAK961k{a4ONLl=oKxs@QW11OlCTdw)gr7jOuh;tSUsFEfi91pYaf{l zr8!fVePDV#!;E$NMv^7OT9%=5FvB1L7EPe?o2l?#G!_SF19JT@ll)VqCLbo{5%OO# z(I^@9a{Dq}#K|J)CIH8Kk`c0jhZ&{sIHc^RAj5z2fS?2FkQ-MzD8TUG!X-nbm34P7t!TOKms`^db$&Dzs^3fa9f{IAW$?M9}&t84cL zG_bU1Hf}Bu(%t@viuB;XgQ1_yqv3k8Wpjg(aH2|u0EraqF|3)nyY9e046(ai7E0D0A^&Q#`dZQ4UypSR4 zoW?0xPV7zglrBLmBSpOui|B8{g4IQoOc$X`PM*{9PUsPNdUuPD2 z9Ta>Cng7bdg8^a$JJnMcK)AT`>u zqN4T#)7o-m(=b?jczX^}`M>3T}#60L<@gLuc6Sld|NAmG4NP9hV zoPK-{a{>D)yYrsUl#3$V^Y7-QGx7Mg7)9_OV0$Wkoc(NJq1LHavp>v?pD&)Ldn;JI ztIYY%`J>_@_?UYIy~4N{i30Z7h~jn!-%WlUw6@;K5}b1VR?~#yW~)uwhQyEW;~Vl# zt_5d0@F@{Bn^iT*Yg_z+3i6*=Oo~dU(YSYWs@3SzQf%wP5s$~#w#Jq=qH7wHesk?) zDt%8ecl7qUagmG)=TpubuCuM4-!^BYo119(!g1!Lw-FcDi|DjBZ|q`p>}(8040KD) zr_ZLbvrk{oTH}b&o9MzHek;&KMlEq7$kFBv`X~Meg%T;qlL)?FKj$Z3W$bb)7yI)h zYrWkmRP$ltex>yBT~(qw6{@qzCu%MV^+Ffp!)u0yi*hv**ts=IoOvfml=ZM78cJ^of60ez1{E5WPXSLg};db@qwmWic z*(GvkdLzGHV|3~qjS_wLTrnw$Pj(~PH! zZZR=BV`F2{d6R)p%HDG$@)27Z2k#)F5)6pij(AGok!lKZ{!@m>{MatX-fgU84Mu05 zq#x(fDokTogkH1$ja+u#njGko{;YfFrNY$ugK~Lz3OSRX`kl9?WpB7tKDZ?EOgiVByc!v%x))(*MgOm{p)d`nWulu3cG@)mx&z`Exd&L{2V z!iuoN!>1K`1~M~}9J;R#EhpHQzrCHPsnyn2i6&_}sU3D-VJzn(%JMwfAStT^6 zv;;rfImxi4K&m?&K0i$bpc zJ~hc9eP+9CS51Frpqzz)_l4kZEiE2n-`ZrnH=e@(>YJPARpREJZqHx4mDiNK{&3=0 zgSWN(K3zul@HsEWudI4<5hcDFJu|9$pDQv8<@@uROR;T9Mv!GW4M8zL##f>%WZ4u6k!GW@jIBd|o8Bb=(;ZQj3Gu&-GV4*Q@VL9oO(f z3X0Idm6aTmgECHruSO`Dzj5aEZj?v?3m!{qfq>#Wsl|tW3Nmw18JOV%&hAb^GpXNJ z$Fs7tyC`MElNqQP-6z#=bu#)YiaE{|>1rsDQF|DX*04_=d-t9Y6HDHWe9kco-#S7c zyElAwz^1>4Q#r=U=yq5Fe^}m8u^GerdCdx!#_T1tOZzH)8*Pzs`@?tXGh^rsyS+*{ z&b>!r9rGwiFB9^7g&UiW(z<4~dFwni){G#&y0t*q_ z#_=*awgtU)(pq`WLP=6=Q?iEkifqC~4E8cTc7mWg!a&a{MJx;~t~P%oIjyte5q-~Z z)(CdbmRQ_tqg>9)o zV`Ski#cSAbzOzY-(~b)kix(=;*CJ;!HXb_PEkpCp`r7!A2I3kC9=JOy<+;;)n+P5W zd4F?r(o${Y0ztQNeCaqR%S2&QfSy*k06zRr#u+~O#18vJ1OM56Zz6T* zmPa*OJD}FW%F4=tg8HroR~*@GGKV*LtT&&OQLYrr7OKm>yM9p zr0c)JV>8c=oQ^>H#KriOW1ZKMwL2Y^V%j8h`9;tbogZEO?_qZ6uE@P&JwlnC%b7^_ ztu|j-UQQz~-07ZeA0ZSjW!o~M7TUz0`HmIK>Ar*ZKwqneX3Ul%zES{C3ma{C&Hpl+A-FhKQz- z_MVWbT&(blM3lqE|1)4P3ra|=^o%ujle>z%tZQTB*k>{T;{IF*Q};d zfSy_eKcV20CXyRKXW{QtzR7&W?))bO{eW5b8>uS+N2VKZUuiAf8WE%#Iwyv7>NVvP z7ipeIFMk9|1mIRCCf1JFua#4OIDacTw%i?h*a9c2O&gVub9AZ60UVmX{`4<MlUJ5F zsOEFkp4Z+|7s?N^k#p_rObL}9**?C$T?9hbmuLIhT1ru(PG?XIoS$apDXWkX-M=%d z(k}E?&d2kf0~OE@+aoR0(7R&5f9@S9cF%a7a$7FQ$k4Jk!00$9dzW}Dcema@TM4Ww-d0<3D z=G3W!lk}12a%-0=)0$s=a!(x}PiHHyMsICya$CTm=yM? z+BM`k$0hR-r`p;x{ttR8)L%a%pEb*~3;q-}(!kaptoWjoceD4X+2&A?pM^Ilr{wH9 zD$obmLX-+3rnT_1t=fhOvjmT>n_@~T*Y?ncMh`=KDNNA#?9PPP<8wL)GTCR&_!$H0 ziWk^%ffK7#VE_E+1-aZK_qDnPRrfDFaFK02czbId%;R8Gaq12B*2dJ*hT-`~+W{DL z2Z8HGxK_l{kz8$Dd@ttl6TRvA_K^c&?)2AV;I%mWdkl1|n-Zm^Y{&+fHE8U?pf{CF z8CTV$$4bNtMhfd*F%RECw^~jL%_NH(`>lzKF5E?}9;>4)!Mohid&@0u7#PGax?;AL z16%e^rU~xS(@=c0@5br8p?Mwhh=||?dh8Dl=V)PF^O`+e3~8Ghd$qOvjMN^Gu8_T3 z!HzAf7v`HG+WX+E6TI_QrYpzGYt9@&3gE@v^>FNmf2Vg$a14F+>?WAgN*i=LT}jeOVN9ijB$ByN@fpr z!u^Oh5M)$adVi-}%|cGVIA!a>c3Am?mLGDq8%2Fq1NYnCT`)GOHP-Kvn|h*pu){{pbv?J$z)98`+BMBSrU-K)BKWHEGYhXKZ@5foiO< z|DWR8EHfN>5?T?6e-nAKN+5fNvHKKbu9o-vy@-{-N&NBWk*HL+pEk&>w9}c)HRFCh zK_Koo!mVl&ljtH>2>z8N-I9oP5L|!R%C|W%T{(%TmQq?Gs3r}FTJ+6hM7LtCHNVU& z$pJpP)&BV+d^;GeTLvy`-<=W+>Eyb<=^^WezNs5gCd#Rl3V0su@XxMn!IrtTY1)uB zMV<_94NPyYSWv417JsQmFd!|?m-gEb{g!kq$1izQu1;p;n2qY*y_-HYo2P&G?ors6 zZqN51$k`hf7WtRrRDMDir#-RAcNg6^RhMC|Enr2LT1lB{;#6&YV{|6n5^kJ{ZB1-UY}>Zp*fuAVi6?g6VB(4GysRweaql>R?z}pnMoE_Ym(%AUUbAoc2!LEP;UoV%6qE0Xe-_JJ?Izs zS1GT@=X#~q>uQ(Yptq{X-!!BFFi_4fDFuc*i_~RR%u@kkj*WHFhmEu5dPpfj%FIe39{@j%!%UGe2s2e+KHw*QgreEJ{A1%bD_Z+QBe&ISNWf(G`sPLlQk8m1{(fIVMsiK-zSXcR$&>>*k$Dbn}f zl0~Ki+&6x~!W^SbsxPRTn%t@yY7_|_5i;!~1BXMugpNItm@|7bmHzxY#(6S2S{bu( zNLGPeK2&Sz5+H*3JKWNKgtT(u^8(-Z(EWT#r(f4}CxLpg-=fT3N zz@tf~R)GNB9sl*Q3ERQzWU*2B-Q?KtbE zzn^h$7P>f2wZzWfGIi*mvQ^I5v<2o^BBDSosx>3Uj8{>B#eJ~LNRS}Vz4Y3A$Y za$Fm6Y4BMT@{QxS5Mf&D?@SlZ9aDj&Vinbu^B<;vv`*|^%3%_l%%bC5SCXX8s(_oE zh)hn|yLBLAG2t@+C)28d&KVtRUD?e6ep#S4&a|g>^ApTpjV=g2j zf>yG@F7Fd%YV(nv&xO?d4Wp0O$Uq!7kTRn3+y&yB^yHOv`hnf}oJo;rpl{`C-t#JY zpIz7h=TVLIq+VNN=MLl5i97p1u3QkKF(5?=84G7rrgImO+S<++==|joCh|+eufx_b zsgkT<>kjDO+Wy!beIkJ_2PsEbZ6O;*i?5)im|U5|2whq4tNp|9^%ul}3j}&@pohm! zEuPLY9A0X|MfRHKaKi0`Dx^>u+`i}|p*~*GyTP#6%8x98mX|f?mWV~KJtNnbsErPM zZVL0)&DXv5 zFMF@MbT_EyA_7SK&c+kFT}<$m-bbKVjz@!vVBzmWMgF#cpNtqb={k%T?pXMun$^*F zyzp_uTk5{YPKcs&O?EE@tOinkX1kd?&tu3r4(p$)6jhYFDo%UtGA#-a3Ir}Z-cvI& zGPD4=g?@gVzm9bWQUhp4WnmGJbe=7w={9d_Ia(>b9aK+L>HNnfj0KaeOfl5}R~gS4 zR_&y1Gf;bbX+QEp#?JQ4G;VJ0fw;p{)HX9J z!LpEdN=Ve}v#@7&b4wNbVy|R1i!8gh<2~+luLje|80eOoeo`8_`^(!=5v&Vz_HmD9 zh%S@g^5b5sztp`DLml8C5(+!_onBJ99+*h<72QK{QG*>YdbKek=q3rb(+IkS1lL>X^~C`Rr;_gwulN%t#wn`iKjf=UnO-RooC~7t@Zl zb8s?)n^~z=C(WWUUN0t~VKIWxAGxaYKI2}YGwx)*7@^5$P^}^R>Uw*p(h2^|0v}ZB zPI6fi7eg(0aeVvrc+!6YJDu^{e#C;;0e1VjfT(UP0~CpwkK4JjwY9Z{cZ)vE1>z=R zPqR&Azoh)i7w1L`KuY#DM+064(MG<(w{ty>c?r~AmT&qBFKoSNPlMP5{@=#;xF)n* zsTf`yv>VUn(b~oxrTiMjE@JcU>IC+osM~+V@1NvkGD~(|xlNCzRM0Zs39GP2twGOc z!qScPczLgJ;z;TqMoJT=46}>9YhtzFm;|Yn>mZ_qa}5L$?W%{Zpb2HJ<#~Q3RQAlC zT9=8D280gz%G0E^pY|l~wbTAk$Ub3?4n_D}cvaW()LU`ho&!1JqdP20mo!S5eP2tl-VNEWiRTkej?hWjePT=<*O=cJ539__}>NDzwy^%6GP zDFLRCqm!l;3vVrf2I@)v<#O-)tm8vUdPA7PXM1Ltd#_ZT z%hv%y=Mtz;G}ZjE)LU2aJcT6YBP{beZ>ye{EC=v_=fTULmrE}xO^ArKq`wJ_bX55# z6IZEJ`Dnt$ad6*WtJJ1yv;dYGkzDPl7G)+gYHm2(rG?9Kvto^RTA+z)bD4`)Y=1G=+?5z)g|Drxg*gA% zZ=`Qn<|+Z=8kXX2B<&V@Z%gb@SB^{Agzzw2CCJgb+>uk{7^e6&=B3J2>0WA^Hy(Xh zz3)hEPz=todtI(3$>J~c{!n3m?{!-!^*o64bym zJQUrV-HjCu`UyAGvRc@v2+KO6Aldj8*hAua9AIM4 zfp04a{#{;*Obr&!(-fAWw9bpxFra7QlgW@;A0-G!)L^A?iQ8pOM0a&4-h8k zTxf6}=ln$CFFoPkuMH`&I!x8`>8H5Il&lq7Q!c#7=JY#T@r*+M z&LRCK{0BO&R|_|i&{n@I^~Te18bd?u;YVdZTkaUPQcuwP!*b-=3}|m!B_H0-V4m+8QBoKwAzE;IF9Q_ z+?LgzMvvz@z0M^-J;(zT*L8l~*;0Hi7yRVu7J_o?9&pxDu}qIw!znPUK7^WEG6sVX zjpbz=z*+s4c1;DUfk#srxX@$4J;T* z#KBH~!U}8AjqNxrmzIEe^PZYQCY>7?ujB$0n7GgHqSKm|*U^B;U0cbbz-FHKjI01% zvOO277PcdP#zuoiZx|g6J_yPJ3v%z3<{o=CjNqog+V*Y!V55&r?CPS{GdV+4ij78v z@+n1dZs<^;hisRrNWk9YVLhao1-o7^M+rd*nzzp7Bs->sN+Agb#*FRx%yT@=QV7Y| zJM;5Mmz{;W;=va0%QL3jRAd~)ckqS7LrBrkpq6*;B%vTY8jJ?Go$NH&Vw09otU{Mvw0)X7Sy*_zC$P!WbiG+}%w^526r1V_+oOILklIz}4}?mgUnqF( zd(YCk9>-6Ar(p8$v%~1Qha=M(nloxd=1iaKuYADf+9FSCp7<_t6ON4f0a zy~viEl@1@2x6l9nH8J8-)}J;G3%z1P(+yrttJojggF)N_sYRLby%9!qcJ6ZR)PB-h zBtPoEM2wabv$d})*efV&(GxgWpMxY<-qLpEYCY4zWAbphK1o7&;Kbr86}*E9N@?R5VdJD~5- zFol(TXOqK9-b$@llgS0%E<27n!y2-V2#Gr!f?k+b7~Q)(BY53!g0aWmJdwFi$AgL{ zm-?w`rKOM^8#%(Ea>FmZ54}n=RV3KQ9!|anjgmyLs-S5Cbk!Y)a&=#1x=bsSM&C~h zKC{q*u7`pCj?nxx;q0NDjnthaCTt1MY!^QFgG`D>r7Ha{7)ZXU&lIN^k~DG~^d8(u z>NE#8iGWbKm0t%bi4k?M(XF74$%@E;Z|%$9!?vpBGC~XQ@JzXuC%_?*=uKe_Ey^6{ zmQCM4u7vGSQ&Y;F)-ZSZ*_9FmroMjoc0bN_!W>sYCoI^%Aaqr&_N9Nqp7U2U5ele1 zgn54xd;XKDXfgZZ3khr~KrH)Ugdk>Kc}nc`~Hkk2SI_cvcHLJ6dW_ z13^6QTM+EvwDT~9p0-0Mkz7D4nc1_uC|d_*V%(N{CUy+2tEKw&)HKm0eOr~j{Q2Eu zG9zH;{)_~Qji-aXaXVO4@qSg$C%7RglNerrb~ zoo*L9?k9pHp#bq|=KTJW^`iAhaO$B*2=Qx_U4cU{0U3ptR`S!TXLAEZSTpQ;X`(iL zH}wKz|1fK-6IzHFd{EVW%zTL5Li(RN5FNnnI6*9b<{A&{bG9i>kY&i?Ro5pye^$-r z_6sWnTOdlWaewH~4R%+)HV(5h6c)P1cN1;<+9&Q}LybGbV=knsQYr>d@SQnmbtF1%Tz+awv2eA|fpq*DM&V`v+h zG$9kht{l8TQq(asUN^#mC=7w9(wHD;L3*fPb4}6cSm@`L-~@xmHMwTZInditd2E?y z-+6>Fb41$Fi%9xYq^?2Llo!F_#6yae&mHZCq#!bN8xQe7)Z}GsWq$eK$fr2@?@anz zihOtDg=6oq&Fh;OcF;UGT<*AAT_4a0d7{Rjzy%v|0M=M|U6jF^x9IoD_Zp1PEv}Sl zGyU+hz{)*p?Jk?4(Y+o)Ao^;cYe9U;H<}s2h*k%I?L+-^zKaGz)t9_yyOvdX=f(Vl z(5-!*g~y6t+rPpWFfl9CSHIkT|ozz$xrLvd($N>G>VV13$gLi_S~x_S_9E9t+%Xy&qUU z_1WzrckJ%-0=z~qQ&KmmG_K%nm$_8ePZYM-3lobU-6cBvY${($xY6nFP8bdRr1`}J zY`}UKgn zO}}TgxI@%#T}sOd0Ec|N#ZOS=#uky?7iE4_SehGrrq*YDyF+P?Q#*Bo`=~WT?d8xw z)3^^ONwp>0_(g3|?011(Zt4%g5y>FC8AT(n(>wfXQjrxsffUic77due^YKN0#7Lch znpW+9E>;s-I73e#CUKTt#$Gb*?j7#=Tz*56qXi{6`Ll3NFV6FuBkx4$EI#5V1$Dfh z@v`DZ-O3VT?nH6u15&HeD;q|w+S$C8SUA)lM_bS5KTqc6R0sW$ ziDgrCK$IKZASlq%c_zRZ;3G}r%5L2r<%48y;-+|gG!Y+LIy7of4=uP#Fp(Xne0T0o zrl_qo!OO?TCoeM)e39A}1PNFta+cCXSgk^zEfD>oYjbP!AUz7Y)n4YV#tpXZGBD4=a)s*(HNLdu(^NGE1O*GO&vv z@5ssE?Vd2qB6x1tyA@7+M~Y~+Gj$>-scj;Iou6Zr6$G@B{(v9An+rqMY#6SU9Tfj@ zx*N(y;Bnuy`O}anMEM%dmae(zK_VoQEO0vST+5=~&msuuH?h9av37@!&T|nhQAr`d z(bIC_MK-;(SH;*<0Q(BFyB)Bsthhe-djh*aB`v@0VYK_FRbdJbwc}Y0$TZo(bced& zIxr@t!A|q8un7P&or{Qrfn)h$yd;m;2x}ql+T2?z(WYY6++oZMEB782}5@p=1RS1u3I42H%i3OOWRSRK_h{%e%s-+1rFDm zZ;)o+%joO-en=txTI!So)Mrzi=0U!S`h0Cuz}gJMf02{!t68RR6mCy9Y(>t25{tVD z_yN8SeJ}fv!Tj9_Hqpo(;_gq^T~3|T^JrZr7>CenY`pX}&sP!#q+hZZ8#Ktk+k*?N zv5C<(=<|ETzCep7b4H11<7x9u!b(x1cRiJSUs#npn6#u|SY)^8vT~WV2c^*V`?r>^ z1Z>{VT&wLKXQ=ADB&biP0_LPtKtoiS$Z0UWtK+N1#gA|p*j6nZj*yj^CGSl zr{r;exb@P9aFOrjVIDkPo4fVvv~Gx%f_-OW2e+Y9SR2v|e^wstL0i5Zmc2bhr=F_I0GEn_o)wHfm<2*b|sHlCD&`3&zerJzmC}4c~Y$Kc^UhOOS%q&(X{@z*t z>6fIR{TFTtZ)o3+bS!=OnHC_wt=$htOG~)%+^O`3*QJG|y)&M`o?0ws@i>bE-cZql z(*vQZXz(q1NN8BnFEL1=TC&-ET&Q&BM+1wKlqL(@;=GUs44!=tb>EMp}^MPYyPCz!K&Kwqp2?n7YVZ=VY1{nboHdr2d7(#t2zz*Rx~z+F?ANBLIpHCi&9fBOx|U)Gt4f+v zNa9jxh|r1gn&4EI%ot+T&*xPPJ6Gdlc3coPT%mW7J8@d`WN-og>N#T^othj}nIOC5 z;>jjf-PtLOCZ?;G^umj&^;5AD#b_R#>rvBr;#S+caer~qAOrl0D0O6{#qaXN_Cj|j z_fKvr8b+mz5s*c1lE3IF7dd9eH%z6%vs;gKR;rosqc**M&I40tnNhwU-dt81Z6;!b zc7&8ymPbC^nb4wrL7?Go<>Bo;z}vS2k!_OSRp{ZZ^W)*Jv+~57_~dsX^9JK0r~Btc z&s}}RItt;}M-j2TR3IWG2amTP7lb=3{VV5_*=N^B>KK;OJXWQ4g61rtNd@TETPQsB zF&$f2_e!`C|0csbqocb$tECc2HqOur13mSRXTrqG+$=QjLQo@W$}$v$rE9dB!HVbc zzN%K(Mdkkejw_`jcS6vvVju^G&1ZBz<4LXlm4!@fK2c2Jz$49_R2-yXES5NXzXI z`RXcvZREwQPBLG+BIq5GylPU!a=qx|fUWQiqDE+jJ5c*s8z1%ctk1fgxMYPI2m!0` zImsP{+quHxAc(}M5A!8NO?c*-6WiDlVWqM30N@0QN95sl#)~KQxNNNN&n6tsChgc+ z%jlUc`N62BbLq!Nu{sZ>e#9ceZ*$m5r5blpp?~T^GnvHZ&PBf0ITW;@>H_v;5hCb| zwr?z_=WgcYsOS6;mnIqFVoH}7Cxl;fdt4kT&ez9rQ!9}~@;DNnnPJoSB4{}ESpS{> zi@HZOIFw#x{D}%tR(%M_Lof@>bEmZs?xir!UVy8w zcy^gURJ#TP{u|u= zD9{mM#z~DdwERc^r!Daf-00+PI49@(o9fXTi;!#<@(ct?*Tv8VA42-hr*y8suUgcy zSSe4f`am=8jpb0JQCZ_=Eg~Gj;4D$gK|LKSODH7a7{8lp2+Y1Dn3aARAd#s5b>wAse_v}o z>+6%_S)jHjQuQ%WnQsalS!3cv9v=U`2033fLhlOI%k;Cqo0!!iSA6rkLJ{nj@2Jju zkqE*nx*5LgOadEAv{2{+uOyVNo{Duwq$yRKamy0%V&3o8-9iuAVwn^YiI;PCFr1O@ zAO++Zgl=aa>kwNPz0lo8Tm?@Fn_}=i-@bL)6CE;TtOGFYPurY6RgB70!{G$0nF?*% z>M=^T^gUd6k}@mW^^?ndEP&C|qsqPXzDi$~@`{GJGYMWQ2*wbZBBMWbc(q;9{a!q> zY)>n#yaWuseP1E_aY^<`vz!=s-PNyvNeWg z7@!LSdpCUP($KsY;0mUD<)0<2+fR&J4o7-}hwSu4$w&c^F-%J#WTcGKq+EQmdeq#U zB2n2*@6A#pd)dL2Fd^i>>PgfT6(wj}T#@X1gNXmCpuF$a6>>e!GPT+>7>AAwazE~pANS%kSH{W&7oPxn0 zuZQ~1oBRHFxtLZcBaePf(StK-SK{l5INwRN^)thYenJw@vUhUB$L(|rH`Sr}T;a$M-q}d(A4s30K(3 z1M(v7Z3Kd-!ai;<%=#1+_gl7ENRLnMZr>JcX>~=D!BDVfwwR{U#HTm7X`XJ)(31Sd=0e_ z`SXq%x{A9c0@~fTd6R;&j!Wy>*cM7PgZNAHyD4D}NwcdZl&`Toi^uctb~GOdAaA&8 zrHO+NwxwhQEe_@6Tk!-w7C*Z!f(;)$R1k3Rl=N=6)!pP&JeG z`sRbKcX=3l?1He4G~9ogGhv&?2ch@DV@w+7Fo#02Zo&pv9Q7VBwHBLLj!-L=tf8$~ z4W*&ErzX&YN4d5`Tu;YfJLm2`n4vI|m6u%))53uRgP=)5lt8|7zw=q}Kxq6k{7oP5 zCh5kQ^6)gD4xWWH;I)!IrOe9zwBid$M0D2DOJnWO^((%}2{Kth7^%6b8EBCxw#=2Rm6bV%M;z{WO1-=x2x3(v$ABa!os8052RiL1g^{X#<&(Qf^C zC?$ou$zVui1inec%*J50LYvv}I7*+W&-EN}y#CB+(%R-k4$AzP$9e+~L&v4JrM`q~ zgcm6`9zIGRZ4oFY5QcCoTf9)7s5^976}K89;BA482BNtw9<$9+9gK@(XAT4e<4kHB$DIgW<#7jUXIVZgr*{S;y*%tE^ zci%9K7<_Mq8(N|FR+DJ^+Qc^L*?{?lfaxp&e{qZn6CZ86R76Qi!_0U#U8{Y1A1oZZIuiCs4x;pRxnl(En_(IN1@92(HZ0oX> zZ%@Cl67NNvW(89YO=r!wl-*K9`;Anc+EG{l|+O-$PuHIU$CT>K(@MR07 zls*w99eeKffej>9Jk$8RnvU|@VPf}id@FM><=fVYVY@+Z75axn_x__E82+v??d{Q( z^N(q7$7s#Iu#?yuw9-w{oZ-jtwq3 z(t?BTfdtpLXLsFzTnfZW;=pbWr$DKI-*eP>fsIy|V%bIq9z?hT_fg-iAP?8x!;NoL z+%jsy&U<6Q4^IGfudv()y?Nf8bu?B<#~FbgN1gw9j0&&x548MxxL>I^>V@kA(iDI zp%}ryz&`ys{>XkpP7$D#i4Tj%C%|lZrC;-*|J5a!fyu)v(XB z=sF3_y8W2IS7?WG?`ym*c??%sZ!p}MwHBKh0@5~5KrLkIR`NzYw$;6M!sB-rA{lKg zyzRxuM?J7FroDSevbdry{$85+7*3p-wc$Yv0R0zbWm%oo|E3J#4`oI!=60^kOn=RP zQI!M!H%IgTP?a1vst84jDzT99h*EH`TAzh$if_3y5JJEvqzs{e0hIc=e7F&1A#cG- zVBq5D%spHG5?=NvDHoE-j;I>sG;BtYuuy&F=MUQ!RyKOnU(x4Z#F)!I#avhf05Cm- zk25f-Cbl%s0(lmsS7YZ)NpB?Ax1v>>v}5spm*7xq*L*OXBjN{_wCtr94x>pC(Au-% zt=njwt^&k4{0^2{vHG%0J1n!z1mCJYjNRl@(&ADXJE-6XIVUX( z8HR(o|9r<*#K^X5(F*`qmIH@i1p9w}MEXI;^lws7!3h6(_OE~BU#o25%xq@%j%Ma| zO#hm}!EnK{-bwytr5_9ZkM-Z;zmZ`vbzJ_9jQu~z3g&JAGk_a_+0Dw`-oyc5ZO7!~ zVEGq5jp*MmVx8h|nf=dw{u}>4BjCSx{{M{!-2aJ(zIvE{?f$>P|I=6g8~i^!2lszG z=b_=>pfE5D|8Vp-=YK0u|E&F6{)yCo4fv-2dmZdw3m(mX>wleAmV^G60tE&I_Lu!% I%z}aaAL55o$p8QV literal 0 HcmV?d00001 diff --git a/resources/calib/filament_flow/flowrate-test-pass1.3mf b/resources/calib/filament_flow/flowrate-test-pass1.3mf index 8f1a1b5e6132490f94cef99abbd364df5f25cb31..20c997da020fc8b4d0b3481c04efa44454049c6e 100644 GIT binary patch literal 151525 zcmZs>1yo#3x1dcRNFYFPcWd0;rGW;5B_X&=++M5B+EukrRh_C`*85RcMtaSTfPjDo4+sckO~P|8|Mh!^fRDf{$H{AM?`Upe z$MNs;6~a3N9lZbON*KKQ_noRPqgn<*2l0EcS639I{&`)#pXX}=kwm-Gsih1#oSe_a zP*2ac`-4{Pm&8*t{O&sl8I&q!Ba}t9oxj8;+|tGXHSvKO6^<{HMv_lAdz@+N zyl!97^)ts!v8Tu1*HEg!=gISp=f9)ao8)lC?#F9M|A)hCXj$F{!sE5$X4g|Kr%}M) z?GDdw|GU~Uwe!FZ|NG0n+PuJr$G-H{h{?PSb}GrPm%o#eoi7)=lik6i9oTt+{yu`6 zWq;QF10MD!C137#J6iGr9uLc?B*p!`@BgrSKVO#J`mN1QZayBqG`(D0I|e@9j6nT- zupJ~JFXa*=p-E4=%xAhOIqMVOUpU# zZburQaoWx^D);JhQZmJhqUG!p)yOH8P4FR=O$a=M9^PvIzP^2Vy7?XR_vA((A(ATK z{!y}7hH|7N)&NwSW!19FI8Ehj>3a1^T(xz(>x{&u^*w zCEy_-^ZYzW73tN>1AGAC>dl$Ahb=EWpCgp%$a%rV&NmT{RJqUhD0lvl_0zl-$7k63 z>K~2gd!vhX@hdfJa{u>jYw6obfb`Yo3DNMEEF2}Y?j9-F*lx4Raho(YUFvmn9_yAw ziGd-*DN^c((rm|v8?UjD8IiQfY{!W*PW!K%8k#UD_f_sErl^@4VjGTI{Q5k2u@sP7=74O3mJ~VI3q6Df>K-T?Hi_}`& zGtN4=A(>pa13H6SP3UOn1l ziS!E~MO-p!`lxD(d!tZ&K#-ZL@3 z52rCOqDvjmM=4qTuBKzJW?gCYC^7Q$w4$RpqRBLzzD`vpc?p3AWOtfK?@^uD?@!|` ze++#Eau1f9!OBeRpU+fW;{{JA78Cr_doyF2ej{JyCdc{P9(5s<7AXtejKO@P-8W-e z*Y_Fe^e_B4#X8R=R_z^b3WNah4y9CwY#gP@14W%2tI(N-A-O||xstWCRc^KGB-fGc z=97mp zntIC`og6n0?%j+b379a~s0pt(KRi2CPQ{eDtF+9Xa_8)eC-A7#%Efju@l-?Cw0EDi zt$gMp8*eEv#<$+g*6Y|Ee%Nr_kNqo|z;hics&I_9+kBGJy}#Yu`y1+JE4*?h(byYN z8mD2slfk?200}p8{9Z|^UmLGpm~6eoSC13sF_?y^X;ZMD$T>07Y{v*9Ek=ooA%+`YpjcY-pII&;nHie&n< z^Y_aLTkGj8w}93!*>6~4Fp6(Ugjvh-xoxUh1m6zd>|++WQpQ|*_U{eLD-`+}_s2o@ zh1oH-6$*E<#RWuF1miJVM&4AOj4s(F2)%Z^)_jgagLzHK`(v7X_1@$XQ_ zr5`ctk$*@G|FO(X_bbhcwnTVvZ*o_FB4O)t-(Ebv=Q2uZBUYa?p&svEriKT=9#RU` zizRqV{ycvhy4&pVux|Dk^}SIql(;|+{|hVqI%SKQ@Iu}4t7S4qmC4wI)$ksXoi{GP z+pG4vWu`9}#?Es_Ho^3UePL>s$m%{y9bOoUa~16Lm%VQAh&~2r%UxFymvc%c*~^Gw-pBm_{a3abxlInC_Hv>e)NG$xfx?z$Xr+gG1mxj_Dx1;m)HH z6V7l6>DyU;lt_?_EtI~%c7VQs3QGSwKMEu^qG^_nLz?vQoOYOj{B06nN9{#ccSte% z)NPh!h?3X|Pg>@CQE8V;vc#LRq@uK^0-?lK<)JbmKvL^AD0$HFBGochzI~#DN%*#6 zBvH-!v2vpj}y)^bR48pI(;c3;puO zJG(LHp5FC6_2r?I&DiO9S!^s3+5){N^HSM@bfwhL6+$h6gi679eL5&4M_jW74kl zq7uoIdEG6wdF4B6HEHI3hE1pkb6?O($y=yxIuCiXfl|Uk?F|ior08U)iuq#QTFKi8 zw}|@Z*xSxhk3VJU^39oRqN(W!ZaLc>slPvNme?^C+0JYh;Nu0R*I!DA&5GNY`w376 zzDH`Gw3A=vCp*v-aODK77q!p0h+^!zY%a->cyH82!KYO_Cu=iRr%IU2zFC!5q|Amt zr-gayXc@uRt~x7KTfIU_PdhSfrI_`M^-Wg=r7uS&s;?~Y5Sr!cviScJ-X1pxAn)2q zJh=>7PQEQU)fgl_(iqe_R7Y1!Or3e4XR!IirNn+FS&GVdi9;om`7ETN@n_~waNK6y z`&be^jue6+;o5A$*erWH+c(UBidG3Nb@{=KnQu_DS>i0sjn_ZNGlw$+x$FP5VZ_>z z(*fAanKVz`NmqrEQfF8+SFlQ^)FU*tOJteFq&1b!kJWo^>&kv z8@g!cS4 zIvVx>R;Q)7_(T;);y;BpQYaM^V3qt(iqQ0ufrq@}&P^;kqratdwwBVGHB464_wOt> z%(@cBJM;T>e-LnIdV%NC4uQR|LA(C-Go5qke9H-H{ek}$85rsh}KtemF z@7l#(&zhX3M-^@HsX995AAniq4Zuw8Kr?)UiP<8=G=axK{X{()Wq{IREq|%xEg8OV zs`LL&HdPb1`A;rZ3HbjOfFNcve9_cG={i|vQn)a_LWzl(j`H7=3#BzQM^Fa-^E!{o z&B>`wh-ri-AHV|u{Eq+wZ2zZn0Q2Xv(EVu6Y*vp_#w@c_0ld;St4keA^BigbQ zN+tv#W^rlF1sCdTy++C+CND4dKiW!^*h(t)MaS?h@&~DkFh8Kqg~GP5kHtks&$dAB zV?ARNWV8M&x%kzxqc`8LemCwde{FU(1>tXqN<$(GXKc(RpNjv_khvtlEBMDWn&&MC zA=9KNHkzoaI3Lx1f)eToC~P&YgyoUczMX{}t7)C8H?mHyrS&~_pSM)u(+(0U&0V~! zQg|esA0`OP;n7+^6??w@@W02(9T4_OB()b09^i(4i{KT`G5|RZUkP3Z&)&XPF9bm> zHHE$i9Qdy>ERWd|Zwp)1dQhA0WPFFFi&N~q`A&`f>2#_Q_XCU%UwO4CmVd4&wwjiC zmnMnQ!cVbSHVW(JAW<f&sI5GPpZ_>F8v<% zI2-uUUo3j^zIoW7ju1rU>6#NoieAPta1_RBZ!y)6Dbj0DP`?|*#q$mAS2NE@QYJzR ztjz7}EvwoPN z%w(It@s(#OEbrl=3v02U&WUGB%2Z&x#M7~)e{4f4hKB5t+vZ3nmC%{Vx)e142Teti zkqLeM>_&w3zDt?mjq6+^lU4>ykh&kx5q^=ptR@$MZhXvN22s{kJr1{89*~QE46>B; z?ynuli?t2E+A;WrfShR%cHD)QnG?M>rdy|%6!Rvr%Oa}a@enZ%+37&$>|%i-fc;sn z2APz#QmUNKCGP#tyx2-vvpzxqrbJan@e%VE4Frs z&*u6Rq-4!f*8E`Oxb?7q^HjC-z43pn(oM0#%f*UQ=z+giuM^daZb!+DEb6=vV-EQB zXw#|+c+C`l6UxR-TKM`~xcyICwy;ZUf-xF$MZ2ObyLH04P5keovTW@BE3b$8Oym$E z1|`lAo!n*z8o(_AGfk~A&CZoZ>OOnL)xQ}La}$taqmHU9>A zgoQ6ryqWDbv_mM>0jY+Y=Yb%-?e*Y9rvH49Y165q2+<}0#*Fa2}v$%cd+TArl_} zQRizHuYtw%Je5P@9zxG^)B{R`NulZmz9*o^C>0DoSfaSEV$fjPzU7}VTf1p-y}343 z+Jz-Yb|Z2{bOPIdhN49!S7giX;|xj4+)wk|Zo(7#=wAfcsK=oR*ud;l!4ds53YoWh z=JZ@~XrkEFRy-bC0?HS`?w7LZNM__Lm_4wpD3e`%_VCXojCnfpavoJv$QUN6Jq;?^ zbuq}WmFy5tlXp;DvrJ=E!teI=ewdm<+Eqa;3+poU-mSM>U4}ZZ2e>Ot8|YTuJq!AU z3%`ESBcF-Ic0Y;f0qr=#^e_mIr=!Q6-Eo(5pDbf}y<*l|jiW#gY(LW=zyFYr0X>VG zga7o4yyrN7e8xPoOa15a>RfMiXZ7 z6WIH559)=gSHAm@989>X`~kQ>W`q05>0x}Qxr{oqk`0d(7G3pW zn)13|6$#7C>Ub$27ep)8Tqv#{lYzW`J<*Xr;HNPdPms&}CIWbq1_6b3)HI*~gVt_8 z*fqS)7M4Vb^*>^p@*>9vH~;=Qf!e|i{)zL7=i`Y+D?;r{>VUrWwAyvTUkQ-Mb`meNO~j-AhXBnfq=1)OvgibMOZs- zqSf!asb^spALp&j@vcRx!5LV5>u;JYSk?~~G)jplR+Q&;mqf8%Q$)v32*>mAN8f+!ks|Suc`rrI#xsuV zCPk>^e<;CQ^2}$leB5oH5Fm z`MQ2+?-TCrY+d%a*-0XOnsLUOvtq8_%e2IPGA+A2klynRCB&zv>xB;NgTSD1EU_8c zKYm9djz5U5dm^t2bTC?0wc&O+w(+{%Vf8FJKPt}G=|3v+ABji(A(-)d6@;)e~3lAr4dJR9l4zDuQ;K$@;A(ybXg-g8+qo1|n+gnk}wxcNN zSm8sOLi)f4L9x4v5K|!!k*%RK|KxCxX}@c@sJu>Jd6H=xP2AQ)ge-{#uu>^?ek-C{Bsy zptCpUXsE$~lpK8S;Ws+_^lvuv!pIIE}4Xa96tb1c<5oNt39j#plW$s3>SyI|c) zb-_(faPGNM2s|FyiJF`oO;7;!RIv?byw_%YwnTzn%lX|hYenw&HvBQ2KG8>#60P&G=2Ia_!zN-9F3`74$Y~CjH`hkQl3;AshF&YqMDhiK(LRAL3kJfq` zq?bp1t6HWDo7c886vcV9II$zYTxquDg2hpYD{VOKa;YcXx*^XgW^<~L*^dKS%%Xb% zBlxL5RhTIBxiNvF>DM)I?POkVEs@;DsRm3XYT8G&A7Q{0Z|Ti{v4oPNKq^5(fg z4^ckP)&}w)WaBQSlh7S&b28F}vX=?X^lLRcD~Vis(fS}2 z?@Ycy$Vo($n`swMX-aVXhaYYE{*u0gVQdfMeA?5_jgC{oE8F2*G%Zla+H7rnw9T1m z$hUNy-rEM}zq&AO4g5TR?#+CYIYnGa^ZEQR2*yf6=I`0>!GcIg_Bzuto6V~>;Ki0D z&!%G=yz^kfg>qlEk7CfyC7Jq7-1Fdg-XoM#Ucr{PGXAcbO)YMGo^l=F%{N*&y`N*W zrglW@@!vVac%+eIKHqfFpvE)_K%8?8r?jRS!+yjN>5z}jg8tl4!`k!3kv(Z6pvM%-cuMXLR94& zrrk0Q!M(m`mi+dvywI5BjS5uBG4?K1ChN!Th5Tzh=P2(Pt;zk?&N#v@Xh9(poS*coxK zbCBa|KcMA}&PE0$)0;m3>ElJV-zSm{oZzOTaN#>AlJ47LOf{G)ER9LnExEL@qK#{a zBqbEG9wg_Nqw(R;P9SAj@nJNEveSfp&z(d*){vDCCLgp)$ZtqqrcAiCo$8eoqvr?z zrXn~EU~i^6`5+mK+Te&aZo{T~z|)8=PteasX)sNEo^<}HQQ;i{l#QOmQNgu~;A*1b zokVo16+#msZ!OaKK>U5LGNDFC`*0m{kvZepJN z2X>>tkJa!6wIkn5PvF2V2l#RI-`MujRQ@%7bEE;{1N-H~fljdivORT7wJAPl0L$3f z34;&LgE%Y;wDqYJ_z`^C!m681YdcjVtx;gmDbwL);f?ck7v=PxkYHtiwQ+F9jh1B; zQ)FMb^@Aw+08DQNBn{;?3fU{REE0;Zi}@NU9Nk6aMVO)^O$N9m{FC0hDu6&8RVAyp z&Bx$;L(7r_H!b+imK{y|T9~16RdY_CND>+v^VEQ%1Bv(g+^DB87fmDyYxDy8;V_Ak z{iD%JbpFJhHY@_aQ#WGnPXIX5?TRt@A}yOFW}-e{ku^qU8V+-UJG|(2#tX0{K`pM| z=xJAc8M^aNKlsx)qIhqgrV)MhTU&m4YrpI=)RFI6l?h~A&+Z%_hy#A?KNU<_^+X|Z z*DT1EbZTsG9S~y3*(r9z;g@-N-VFkFd0pZ3Uto70(#@=-{-LJu z$w>*lA3HmyH-FoTWRlQA=m&VFlX;qcQyMgtjz#&wA0xMSwYf3$J8S--8pF z=ng?gmHF;FJ0n7NE)M|0SqqA5h_q#&aH1%t`&G@sQstgzDl53@L2FuvNh=$Z!I|pD zo`+RF9E`=4vg%%V)LEi#4b(r<`{biM+?fBVyrt0fN=WOdsf$*r5EiLyvUKYo5v^z4 zG2|74zwGF&;wvRL+Lb5fp~+qwGhtSi|EZ_;grG#1((Ab8#%n9?tt@b=(b3!`MthgY zu5_F_MNSTlbAzyP^NZ9iHbVYS(>V;+?CLj2T z%YVbq;Gbgwr+6tL*>>DA?M{x_r=vQW^CU!D>B+6)KxQauqzm>}A68wyC1R#)yko?M zme_0f5nvJ1EN*@Q&9c+%r3Nm%u>=d5<)5RRQnC*E*`u|faBfpfT4Sy}>BatC8FD}+ z>{(q%Oj_H3m=vr}M8x#z{wtT5f_pDq5EHqRHC| z#g7Rha+Op3Dq2X+y>b@v#g8e3(G!pCOQi?0*v8W`S_n2|a_}3Wcp8NqP&!Ta$qmg| z3ZsrvpZbFB=^tL@f`5EGr{9WX8&s<*=0si@GmDT7$=7*}4l9@La;;5$r6yn}mAWjy zqQBj7S)D~Z#s`tQRh^^cn9cW_`VNWO{%8x}pv1&HCr>(k?o9MFL|RaW^}|%#TdkEV*B)Ml@X zYHuAxCzWA$xY8gt_)f~i-(q7D{~+hemD`lAYrY*A##=E|{+S*|gH5;jg-Vz(uQ$Fa zDFvY~u`b6AyD>?%C(CiFM1EjMTe!+^sB~I!Ladj3D5;QR=R4Thrm?V#RVv5mJya`B zaFK8uzA1H**CuOM_j>i^{??mWV2olCF%w}v5Xu)w=CaA6zvR083Zd9~C7`M;tR`iO z8lCJV0vm3*w$IQ>6^H*d1eC7y`eh(;NDbIjEp9GPnxc2ECHw#eu9h}m#-}$NsuTTl z4JcB9Hr5&6bQM~3ATTcsy>>`e{DqJQ(Q)d=4RA~lrk6~g@HfmTCfaSw zD4C_x{hR}pn15(g)lUEFJ>mxNEZA@^17k5NXlQkf^;eFr(Rdnu6gbJ7znSeo=uZV0 z!+B6Nx9&qoEhyQ&u!Ak*wf+>XtWsQ-oF3!TBYU_1{^r*6snPS_yyuGuNxz4)*;&UI zi*lJ+t~=t!-Si2$ACvPEyvBr$LHBuPshN!!|RvF`{&WwKqu(V=w?7q;Qh_t z?O8Rr#uZfZ>2ULfU>_9d^?1?eZPfkO#P{Vg3;OK*y!Yt!@|=~>iUocO2+Uqp=p5(V zLC1dBh2}|0JbeWz5|$1j_T>715qpX#>xR5~&UW;C*gwtcz7#V0dmPwv3>%XCBuQN< z6E%{03bs@dk`xqC0JLm7@6TlbrVksO7mhz{Rlf3eB7Y8&`}kpgakg?;IT56UJ`*wodpYd=twPK z-v)E&#Gw=llF$;G_kW1rZ=WTC_31JPpQxu>_eA+hTltQ)Fra+n=II}QMZY{K+9>_e z+z3rDfj;X7`tVyH;C*E>Jgd4);aq$pbzPkyH6db!og^?zpy+=_N!>;7P5npMFS0Qs zTKdTK@4NDl^3vVC*lZ8wUt+Gvd-DGN-xrD|2-tM2qhSVE$v6VVAFp;LGE<}SXMCnNvBTJo68A)$(-p`I` zv6Ihc^H*JQf5tt$+PAn5z0!TsXMl0i0@bq#t{J>Mn?crPdZOgLStr+dcI^qTeP6)=kzT37$w#3%@1U2}PV zPl-#sna#DRT#T*HFjo5Q)y%`G{-S7v4lS?=)}x#pu6X+taB+&uERk+3>lEoG?!>{+ z@$!Ts;KAGf?l9Pe%v0)e4vE`LQjl;kT+w;^X*hmF&WC(oM60bMlu_)a)p21%>|*K( zr71Njpqu@{f!iVSrayzq<10P#rt?&EU|f<6r%um1;+J+T`6dbzV%aY6n^iVecY%vJ zB;GNz+nIw`iz4T#CSOw348-{;p!UFP-Z(LNbX#-&pql`h0W-utA*eO`mzzimo8DO7 zJ(UN0Ne?{kq%E|?knvbqM8^l0J#VB-KjTRQ}|aAoR`+tZ$ZF)I2or9n%#jQ67Zam%Yzg znrp)|XYv{G(OuQ%x6DKgv!65MQTX0uVy;6^8Vx{dm^YHf))K7eHA*q@p@bgy5Y4*; zVOm9Jq$tThttPc@b2URfzb_%vHx)v$WgC}=v384i_wruk7^QxT5$nUsm}bfSIx{Ai zviekRL;hSk<9%vPq2kM5NfzT#hBPoGon8xdyjGkfa1>Q)cc`>D@%n5&Ltfn%AIbjt z&M=-1!k+=AuQFE%c7TX#NuTvAFUR2&{ps#McmI7GRduS ze|X-wY{;9fmMH0X0u5KJrBM#`-cRu}>rg1?E|%E6#ZdB{Og(X9uAOPu{C!F>5|eSM z((((f#BA2rr^z*RW|wZ)0^O(LWMj1hoHOH4>hC7X+1FI* ziY7@36^R1LAobH1G@0RgM(t2fAVkL~R&dhe5`9Px4Pgw3){_)3At}HC@%u7z=PAw( zkCys1>-b{Q^qA4dc{n8ttO`QiJ?RPSmTi#7e+o?NdlKZMPrbEM2r6BMA-?Y*!X4Jq zI24|sfg!IEd@2Uh-{5b>$5-$)6Hlgg3w{2tUG6Lz0(>L2_P&Hn{i)>36W}YjFEBTgt z4K_GaVp&6w8nkW_5&`SNq#rNl+L@zvX4m*3GGey+rQghl)>#&W+u}`os1RJL07$w) z!cxoxnE+}GW(5-O5Yo?Qyhu_{0)vX5r}Oq|2~Rb{!{Gr250+<|;R|Q#3tm@Wr#n&$ zPCHWH8#=kade6+XDPfK0Sp!+2s}8yOs$|-K+jBoJbRs#AYESDfZ_tu{?fOzaj_)1^ z_Sd8u!@t9o^es+*bH^`BPNbdY^`*>k|7_!f?G4Q#D!8 zGr~M(;vBEw7TVzMGF!pf{v;95$ccS&A0LFhbA-7J$nJ_-G!g5iW=ST8B|Zs zAvT{$3{Y^GVM!NiKQ>y=1?`OF5IsR={C^a~oPCOW8TiWG`YD;?jdV_l&Jrqa&3Y|+ zzA5Lc1X6m`InWw7b%KB3#`5@Y@QoF>27tfe*A1V!s}zID8+yI~3LY+gbbGJ<=o!Gt z1l1Ms2pQIWNU-vG@|F>S#GhMW%;Y+U{uI|ND5WgtQcd{SDwpt4sE~1BgP3ykeZUHV z^PN|AU)DKB3jq)FNxS$IDi3}{UA4!Bknv?Hs^-LguLa+BK z)lzPsF)>;xn7VDd)!!qq5uxynGgoK`zGz^R25}3$Hs|l3AL`=etkfO4dex22`$%Hx zPe~Ne))?aE=jaFq50eKurWxWWG*U*ihAGRzUr&+;tCJ08T0d#RQ$X)o^cXsdoh!`~ zJ~k@B6oLPPP|WzXI$2zEnq`@e04~gw0#ONOl`D%GEpX`UzMdpS|5v$i;ostXiwi&1 zE3oJ?{C~o~6{Pby{HqLlAAPo5YC&NO-Z2UpmEOU{lekMv!#pq>IGRr@Mk0CJ`DWd7 zV>yAtjhvL^!yyf1&S0?JT0e|XoIO7gn28LQPLej$AvQR11~Jr?=ZGqe*9c|v>^<-K>^@=>|2E&tSN{1sy;?Y@o?Yl! zc&`s2y)~48`XN4>K*JAw7&FUEeB1^O^)#UBJL3fT4&or*Du!kH6h~qt{cG%SgU8`# zK7Ni278Womm8GV%xgAIcI_nbnPhU`>d|;bZHz3~F{?^KrQb9uv{A4lr)J71Rf);jD zR}BuJa*+eAd`NlMs=zWg#}F4+1e!*~qq2kB0;--*@s_c2!bftu!=&gCc5zMTA0-Mb zSj{(z13iTAS+M^V(kRP?mI^_f*T>iYP36CGc6uVjf9ym zHOMcp9$y#w4`|aHPol`0Wbyb0{UIM6j?i2P+`s(?NUejK?yb2!RQbvb@W6^{aH?$g5@lXQ+)+pe*nr2XB)=V1#n&?;)6XzFPqpO zQjsji)dS=hwlcSa1Fe95k3AB9rD~Qz11-Ghe4=@GimwBCFwFtoML5GpQzwC24-U^d zA`dL6{?xE}#PNv=2x1{G@B78frDkg6{vm z*Jc@!q?pwG^m<(09nkHu9Aas-3)P_mH+Kh$rdaGz@`+MQZjnkiJPpUm`}ad^@`6iH z>T9pAt8o^|mnc{u4(3!r$e(2Z2Bf2I><^T zaJ=Kozd%hm`;-{k-6iB#(@94_>OA}l2*H$GRR{9=u0P@U%_I^^5JKx5Q>B#gbtJR) zgPR4t?5q9H4Ow!uPL#$qD84dZ-m5vf3EVKK?6YO}+%+;b*II?c-8q(B+yXa0C?!v3 zGjNvnAJF4->irBGg3XMS^L~YHv1kvST)QGejSs^XHIt?HDDk(DQ= z6H^>GDU4yON9*M+Z6ZAiB)cde?r1usb;C@uTXnSjiAcBrn{>WDjB5DN97xm|9M)vt z)N|`Pp`WFox_=BqCp62dydTA=;BVs`VYT9J_9rmtc_)#Y!RY}n&psgR9G!4`9unmF zn~iOVz;V&WxG22AYaikzwS1cn4A^j`_o%UYyQ{{&sQoH_i~|7qKAtx;n^bqt%Y}_lP}-m9BtrEp z$OGQ{mUQXc5$oswBbE;R3G-a$h03>)ZlIxIf|rMq%3@&{y?)!HCkx*3!-(+;vpZoc zn%|?{jp}Yb9Y~c#ggFWzID}%_TXbji!+l_h1X-8@>to;zk<~|~HnTsSdoUC>f|1K#r zvpXqK7d|1gh+k?SLjp%UjI%{k{lE46bb5vM+ct_5dS7NdX}9qYE)uFu&NX?ytMO(J zE7V=hSP$}sEMXLJyzeUZDNQoNv;ni0&4ozD& zlW@(cY0@7RNfCsg|AxW$0A;JOmyY~1t5@Dx%F0U;H*L;L-^?NqN0%=!GQ zFlvsPaYCY10io|H`qs2VkFs&BWVESpfJc7zZYZ{KMLNo03foFZUQGjtlvtfrPb-<=AK&_ zB@T50A-A0Y0#!JzPpW}Dwy8g+7aE?c9}e}t#!2d%o1;^XW}#3+f;rUO1WhpQ*3nc| z)vGQSZkycER>~jm+un7th5$X)dvsmQ9ayu)Mr~K91ynV=LQmDFsdm&?-_n1+bGWf| zv+evQ3k*yoTB}xz)CZ0YZ;uufN)FjRFFcy9L|cr@PQ#<$Z_X_gc5;EmuVlUly(M^( zhFqJFrKNtQVKF`aT^S5Cze&yunXj?z@%geBESlU)xb4^RmXHGYp=VE>X~l?TVPA$2 zU519(93Y1hLzq2`fdw(_y}f(AZP$Sw-?wD`@F}q{I1K3_7w(tm-kCo|C+xe+$K^1k zMhVTlzLQ!kgGRMCJ$d|QV_6*dayOxF`Mx`P$0@H8tWgj8z-8!MzlAwq31Zx`-zAmp z;KT%Nm5}Mrzq{se(IbG;>A{)pmRf#_K8!Rq=kP*~%j(s=QzTyDbjS8C4>Vr0>n`i2-2 zV#p@j$OMe+Q-o}D?K?U%=Wg52?r>BnQaI#@ABmA>N72O4&X{%Fx%jO`DsnZ8hM}vX z1>+SZGiM3zWGg*o;3t~zN?Vu4#qB8-+~T0I>+yq+4AZ@Ezw{0*iFizfeF%rFB^ckl z(ZHD`b}(w28I-K>4KorU2PLMRP2bOp(qG84cx6xB@-J;gCg$^$tJw~Q&%LV(P zN@_ommq4;CpTZe3yOssoTULs?4Ju z2K|yj$4OQjOX}vTw+B*boT6>f#1ABhZx@HDT%!3!Svxplm`AC=f?`d?&yi_MMwnY$a_Ja zN!av6*H?}eL1Q~0e&Kopg?MFVL~Zrk)W_HInBKF$QdgDf80*t!ifmR;EQq!|HhJdo!yw z(j@>B%FDX!T_p(=bx97Jo{)TJcJC@_y~YexzmxCtS&m&~qs4e8InfhEugV<5=p{U= z^1?-Mp0WmqH)crrNKofDAf7-H)4v zTcfL{X=AVd)M(3;ayG~nSHGBIsM z_;3S94~(TTMjvVEP z6It3rvW)InHy<{+CA0$Pfqq*(r+E=IPI*c{z}DDcNhgBa2Gh=ztNE^tEiqKGIjw=K z;RT1H@vuQ=&{kW*l54KLLdretNht=gfZl@7YwjaXFRO3E;;U2BrASYmH~5X(KgS?n z$~y-r14BIgD}}4wtbOh0Ab9x02Gcc;+#M5!F#>6Xs6aJf2<&Ugl3g!TdVQdtEAo@v zO)wugF9!H|oHw2E z_XD?#;WTak17gL6)_6ZGqZkh0#V!f-GfZ-TRsn|3_ z=z)hj$BZi{(phIpY$vf(DYU!(>mhi)MC@~8S$nS;lccW5a-GIdoM=LymuWW~)M#yv zq-}WekX9=UUCM8Oa+o5G1Sof|cLNU_q^({I(X>i;1iEITD`YB|b0Vu% ze6h#N{oBHXWpmV^Qw6Ntmb-&!$G=-JnIo~j(*?^nASxsn^#3LQmj}D-Y`81Pa!brI zQ%HSB=9UX0tovl%%>eS-z=0ci&VEi96BeT0ier?g{AzmX{ejpy+nN*Fw43cD2r>L6uzXWcw{qBQQuEx22P)%OdoL@tZd14^A*VhL$K_Aco|n_WVV>)nZBE zx>|qv-vPDpRg2@jO;ddVFcl_C{Z}pCW5^+>6mmFk;Z-FW^Tc@#ow)nZB|GAJ=PU_=J+elfC^lr`7sGVGbSkh>~YPI{j$Za3witWjn3m>WM3%>E>22jV*rQ)V|!=?PF?aOP96;oGx!>=`V9vhYWb z0?iCPdT+B#Hw>{1S#)Df&-u#1)2dOT(;w#aJLfth5o@0;MVP@F-yHsdh<**EYwE*K zG`(&iur&pIFQVh~5_hGnN`Q(Wcyd{;+`Ep$=%1AyQ)gO2xg5=e!C}^OxrWeDI2{hg zLB0_BekD>$54I!`yE>2dIF1}lAF!#Ni@FWnT7?9+=xr$P+~r%x!e*5QXZ9#G)CE;R zAr2H8v__p>sGEgj&gyQjJ~w*8Dm3&ts59BX+*)-@R7Y7h;V5K{Lu!6>`T3`sg^4Zu zOc0v($T)<5ma$_L0yF-YsozsSBd^r7u@}}mVM>86xxM;&C@RnC z0S>)~#SH+-sp>XWnBtpbDrMUI*MF^+#QPEhUZ}I9(8t<6P-ClAp!?7bsZ-fq3Au+ACa{yfgk*kAjJZBI8aDrZX-nTPhS%UlQLo}{ zZK10GD=! zwsnryZXt36;el~y6TD7wZ+&)4CK0G&E0uxl&?AaM-XEQ0T`Nv9Z$+9c zbfx24MF-?ob8=-pG!-`-mcCET4q}YT%h#6y2M0I*j*V<#K>8XLB1kN6iEeP?2>H&? z1e{idX^Mz@*Jigz<)Ep{T(K>Yne(A$oo)stLba|MiF>}6IzNd5xJvR_A6{R7Z12zr zw|&%MG*qF|*iJ2=GW^z2EQ;hHqVMlM-{PTvGegHoP_(Go{Jj-OqUCgGvDR1GRidy& zRA{XzYnY}D@DlH#-;|3pgc!PiOueRUGRa(Zk%&u(v}{up4~^2HZDBA=X-WU6D5y6* z-$ZN|gl<^R;7jr2Xjc%!Dea9i!iS-xaX+*q&d;ne1g z#`mVy1Ao-O!f#7|O3uj(zcpk|d}w*gRKwWtP`pH%a(}Q6rZB;22H0;b zn}CHLd`O!+r;w!~-9Y@V78vpcgXr9QJZ&%PyNOt%E%PtWiSL}Io!guy%lu3RO$7I# zAA^F(u`MG>r$Q@cWd7> z4m^SWG{3NaD=$>5jny8~D_hEHIsH7Um)>DY+!^Qc`u5DC!zEnrcf?3h5AtyGxjC8H zn|&7aWP)Q0onW^$)z>DfO_@aD65g!Z!DzPMpg&`&e#VVa&ADWM0JYm5ag)dJ|KjE6 zi+tZf8pj!r+2w~BU-E0xs)%!_j~5o8hBrd<43PzAdiP&$llqe6Pb~FvPjTVZrgfn= zh(CG@$GlxC$&Z^BV!F&Z-~43lc(bz8pCtRbPBcZ1LmV^R=QXj=d{Gvh?~(Q4*F%23 z>q}mK&z3sTqeKrZuJC1YDeJ-QN%UxZ|0Akh3@{ zdc!p>`RCU2c|BL$Fa3*{SR+T%i_AQx!Qzzckp_)AS(AOVeCOA67kP9NpV(MEIv3zr zq-sq|3(HjqNhqk21<04g9a=PoUqBs!5&{`cXGJmBkmgp5a^F&CEa4h5w4SE1k*+u? zD-;PFp-PqQ+j^Lp-l(!pQF-|FQCPZO4(AAQ%|4agns-`QbjkW8j;BK@xHAibW((Db zjoW^@jDb64Kn&!UEHhp7jBg(oHw|<{W!0J~!A_9Us)R6vC zDSvk!9bcO1PC7(DK9+OV(pqS7yhulMo2m_76gkrC{c$@TfVkzWX?q~?fkgZnzH;B5v0yJ=TKVUcm;+vY?@@=8irHb{1bEgWYK%MnLL}Y zqI&V`hA?JDN5E`}$dF)#fxVdaByok~2PRYY#l;-?Ag)<|1^j;1g1E>{y$)%n4WmI* z{7}sb()!sOBl>Vs;J3hlG7G|%Yy!Kq2A!jJULipX^Hz140q3GfH+|{X=hEu$Hla_pr%J|N;!CvLwMZVH8;TN;*xoo-x zWTFUyFlZ*e`Ft%2TS0H``CUTyv^4`iaysVviB5fyR%wo!Y)=fW{CUCOgPhl4Uu1 zBw`rLyMZE(0Cx$)bQNd;chWIWbFthnaiOuf8@zMGRFo7YxU2H)Q|mP)cs6TLI)Gg; zi$>G?Roc^vR{-6x)1S+!Ki3f-o;O##@^S;7*q`p4*8P9~?#UDNlmA@&`SaDb>?e%> zQwpYd^nXjiA{~DJzG(c}1L`z+``m*)_J03vW!PzYF>bBo3H#|THohm3dFS~b71&Kj z%Uz3pIyDC3)7V^%Nx<_j$nN-`&BGd}K$G*9j+d+3iFLILe@M^ox1Ej&&&fS*=GuS) zyA`G>$YSUxdB;#!AquavO9q8(?Df{7h0^S3zbIVHEC%0Y8Nf_dLp@wFfHMD6BTNp4 zgRPIC3K25sB!-s(c&TZKYE(<#;y^7vy#2iABk6TJie?vjxvDZ}>9f~Ny+Q)^WV=jq zW&V7V_Z4s)*v3EQ9y9n_-aIFiw(b>-GqX%3e_}v2>hZk^2D@2x`U}ppg+l^1Lb~cX zKzubi_-OTVoDy&q3loK%ro1rcKp+BQU9P5qvj|#+WE8Ra?)~&ooh+`_;8_HGM#`4W zd<2DIdWHQt-r;TtRUS;&grl$^U+C^1r{)s~L(jmdK{@4IC5&G0q|TzboI7?2V~D{6 zf-oYGcsHMzSYahOxK**Zw6#NRmn!NBUcMSnUv5h!QO=0?lF{)+YKv)scIkw+ZBm~d zYrJjnVB270AsTH2dWs$=#x-*foDg zY2rxiPsUtThLiXq-YrZsvB{S2E=mJoGby|d5|lU;q}nyIyug9d%fkQ7=J971aWgWI zez*(_rn2Ca1na@jM)rY;w9PQ25nIyu$?LMq#DS(PIU^-;SNYvs%*+i&+t6^@D$@n$ zUtFUG;(lq5y3cH2sW1GIac9%si!PXg>|-ck`sKiZEcb z_+ByEsE?n%m7fI=(;}R^a_)LgbV|~7bTKX#6`yHvyroO>4xp1`n@lLx3rJxm3NlTj zLdG4dxg;a~yOzy+s}FJV%>Mv7gxMah6HVV;;B(nj{&{@oqArv2+`2ROW?U0^@t9UZ zBKP>flPlrNy;5LG2(3*vW$=UWJ9)nsNbc4qAH6<1 z))mX9pMX(daot$M2_LP^N$^Rj(_7&Z*kPxLpMu5P#Ou>~9rb)p*grgMk^SA_3KDJH zN3lzxQ))LBn_LQ@eF^MW3Hxy?e^pv2ie+6aip6AP{1K{;@JsOqk=MzSG3#!CWw)Pj zGhgwL2EQL3avjsT4`To%+rVfc1;^RTCHBv^f=!-`9~u0n6n&OTUNbC<0(sVLp>{wt z5?9ijQ+;AL^RmyF>U?z9W9EhRpcyCjxdD&IGY!7m&dIHh(4mOxWKddtlw`jBUOd(= z9ad0%hD1AL;vNymo$St-#g7QJl$e3oBCVBNBgTqequc!O>AX^^V>#DoM@nu~HdrWe z$DoI9s)ygXV|-EHdpwG-KZf3Cl6w_beJHhxSM)9D+lgCK-dzoo^ue;hikyTk$ z%jQ>sA>Z9bMmy!Fe*1*l3}3?EE|B{Tp5GvWv4z?0Xk7ofTbq^NzM>1$VH%=%6=A0V zJHQV-?gd(1d|AaO!dLMjQYY1BO8ibM{>zJ?xzDQOK+Y0BdSQ>e$`oOdt5xhLwU-g@ z1c&v-kI9Ub$9vjX8Jd!k$K3`Y4u!(E+oo;{Bit7@DMATLbWs1F6vFnGLX0Khe?u#% z3#`%R%-t2azNM2Z-6AKkQhApy zLMnc}Ws6td8-BkM8S*_NWG|J>ZVRr2BLtVAv#I3o`A4$ z+LFfq=9x&nfN@w>uD+RIKS6cZBPuU#T6Smf;#UwNO1-<(@?52VcP-zPMY;Ch?GF{A z0WNTO&mV*wpFk}gMzXn}jd;8SQxw|P^Ufu&P}gA*R$;CrVG0xW`q5i24TXxz_f!rM z8rEg9#D>xu3aSU{Lol|6#PvFU#EMG(upFzk z7e3{5WEB5{fzlTL$+aW~%Kj-~FH7{%C(pg_C|#|8avRaB*(UWT;=xRggrs1de=sV4 zF=*7#E8GEhi~nJB*kYq(#x<<>6{&<4Q2CmRggqp?fL&0NoVyZu5zO|&dJGx7z6d8g zsd@1M5*!4C-v^nTj0{IyicSXe<0rm&N;doI>8#%w?nsv9|FGIZjh6oft1lR21gv3O zCdpU{>q)uq7)$Qt73>+R@4#ISEx9p?GYahU z6)a(oos7lQRZ7Dg^0PY|j`#W;(D@LTS=l9@*j@U?#y(7Vim#laE&#U!tygQBY6=x{ zHbM}Ie~Bptl8l`-k{}aRA!BLZGrd>a3LyokLq5-*`$+LoxVoyQhumBK`2z)%L!(ll zVZ32KRAubewd@Lz2KD=1cqe;;sGM*#P5FSmaP%K$G*+MdM4jP=7l0$h^p)et>zZo+ z6LI1Lsbg>lgxz@n)J1ER*dL~c5FA1Rm;t-oIJ{S z&t2!{YM;JnI6j3o3IJ{zf8*J`)=1*IIop`W0{&AoW>{^3PjK;xwVd2a0sh~0ET^!O zIlQ*>egCB{eh{$|j-&eJ6N3z2Hy$Tnn%NJRjfO=K;lPRWaJ_}Kr`X#8g#GmjhK*#_ zY~?2!Lk&+J+P|4Qe{o!B>2w5{zt~uF4|cl=A-myKCppJBe_T1gx3aFR98q?*ZvMoJ zanw@u1KS>yV#{qyv?4&{)YdLRMePfJM34RYgbKzxBL9hQ;|r+^hXG-jM4*d!w7Uob z=2a^7)uUYdBY+~ux?@OHu))!`XsfRnrG(nZnwP1uxDU_0l98sl9ly_WFRIy7*-N@u z0`~tq7}QCux-!V z8MI*CyAaSKWH+Su`iuH4y00zt!b-G*Si%eZvDjbbYpy(HpR95hc8Ji#vlT799L$$1 zxBvznFm6+L%7#5Wl1LV27s>>vkVwmayj#mnf8$z(JSEjKYGEBgG^?_>5A_|(m-1Ni zq_gVOeLY9lTc#Wt z2C6>)Hd%WH_6;69(6FPbc7oOY3}ZiB%u2~NS1szM5~n+Lghb>0*v=TBXsG;(ViJ@Z9Sp2C;v1qZY z$h*zKG}DYE2}$CSI|ju94<;NIZm#a^15gjUhjtMd}|VG zSczf|JdWFv4;1j6fuG1_s77yQ{>*3>Ue3<(7&$dr%7#WCYQ(MO&plhP^yfRU50YfW z4Z%|`){U^V+66Y^@FZBd7MVQ=#8W^56e%NNG@Xn}thk)%f*Tm>1`ee4)>;_dk8pF} zn$hn0Ss0lNP`&w=REZD~URhxFr(o(_cN2OMn0Oa|VdrgG2d^=!_wUrxbFUljir9QV z4y2K8CPyuXw;`4&`0GM-HQ9-F;aow{h$Gb!sJ!pGW6X6olVMz<+|5WkPlArJ93u<7 zUktugCly=tUJH)Jv&1bZ0n@_p15Lj?iG{DB ztn%9=*eCE4A!0_9=Xss_calwRJ8!lMfDVVz!VcutnXBFM;+L@R(h=)?RtHm9SB zR99yQVmnbwY8Uu^$>kb{ApTGvH1(^l2j3cNWosL5HwKTGNuvdR!WbZ0FrIgSxQl=- zQG+#MJR+^n(LUzGDk*)WlfQ%2744*ws`_4#hcMr7j7w5FRX1P2Hada$5hY{nExtLd zILJ2JW^e!%Vs3sGC9J_3d5t>Z(U3?Z`=d#cHzw@Ys?lIl<=Wu}oX_pf1SA_-lJkAq z)`2y165IK^>jX?jI7!q%PCZ_u!HDGN80N{86?q)pct%)pzs&f{bGgq>>ozFC^!&EHd3=N9liCg4PM(#+dVA0WLtWZIRieJ zkho0DUpjHeU>`q5D72-B5=D|RiE^COr=DXBTa5Kk9huycM}}hUdg`kp#G+)kn0NVv zC9J+CNr10mC$!E^dvcvCI6^484!DP-!Vkol+Gw&@UKX3un};un2s$PngXRGObEGIC z`KEOXGXx79Usimd9r^uF%y*V7#Bk&pbOb#7-nM~X{+Dkr8nV)2F9y}sd)el8a3WU@byrhnAS*HlilHx9JPp6NPS5asC zf1X{N^-q|`CL_RPWP|NK&t1;{sU0Sn(NNL?+YHCXYb^uthUDnI-o3rwTo-Gis9*^q%~hkMTWaM#dyz&t6&6JT>R*7kkctTMfi0C=^@!>xvrJN3@*F>>pgwP zXYkK^I_-f5U!?sRKt16fil>2>paFiYIT)U3K`fpdq)y3zE~)J;@rg*G*PUUy4k%%1 zMHyCDYtjqSi+UdYuq+C)p^T`pV6^5=rcPk|qLnnD^DiE3kJL4QX)W>$zby2GMGC0|F=uPE*VEt8b!3i7g5J8hRF-)iJlxKiv~# z3tucrSgh5t9HzB|-MPRXhCs-op1+P(pr{|EBK}*LLeBGmR?4~33~(mqUu4QaRr6Nz zwdBxN#q=|y4ZkcxM;uM9G15NHq`69{$9_$DB<87f!RYaO`_O12U&ozA`4j&{Ri7^5 z&WFRp$U1D?b++t*fP&9`%N$>}y(7IRs!UI>Eoj5A8P-wB%ASZnpa%&tZY@~w@08s- z^apVPdsWQ0r^oV=omT6N2)lAr0r5?WG3}-XNdYWt@deRN`%iv&Eql~MNZC07`36?c zO2ex;7(~gcU|4Aqo>5m~zga)c8ell8g0rqkW8h7FpdLEA+DW60cavg%OR_C2rbiY_ z^aQs_Xlc%Z`wTysOsN=&V{r#sSI8Q`%1NPCHh;wJ+=|>r|EzF3qUYB`lUf*fNb!l~ zy9{Rf8)BiTSPcJKVh7(7veLq?Z+}q&$Vpe?)oFPs%{wjpH!9N=HKyyjO6&6*{LQw> zN&U9EUBR?MJtC|eZRCu~)?W0SFUmj#?j#>D1O(k9C?qbTmREQ#KUnx7rzq4x&wJ(z&&Cl7=H>A0hkPQNl3BA9w0xITj_>&|mS8P+ zdr%{+Pq;UJTqC-d5Ano|Rz}L6bYDYa9fD~FkO$FynJO&TO*5q?io|_mQ#v>)lB%A? zk86!^4iM8s9t>T<9F4!uHO7Cjvc$ksIZ0-?1nx-5PG4TF;2j<$v`iwQ+eKD#-oxu;fYh z8phg1R*v9w7fxQp>7wTCtN zfjwxWaH~>$-LC(YQE!%`L+4LH^Ra$@y2fKe2)xVm7)Zz~9RY4RkCh`)w$S|C8T5s*sEkUSuP#9BigdQ+~sZX7anc%X+{(F4<-kPZBF(O(a1 zDRX*ny^vq#yA^=Ee`>A1-xwdxN+L@2}C&vt*8u;URyJW&vG-z zG?2X_h>MVVyxrRiZ<#igep)mG(eIp!9_+HLO7R8X+RHQ!PU$$+!#;|0dNO5dqQ6M# z58H9Ko{AJne-`ehhP)IP4z6z8B!{;U2@#wYiM#hq8INY1ZlJDfe20)UCLp`m4^@BT zNx0bycmha%g1wrU<`+9{)^#5Tjjh#pOG|&cC6Nswq&Vh{M`nF4&i6kRjG1`#G~uo> zLp}6(3y0PFWQacY#3n60$4uk@wviIdQS*9+qNi$H`U6f1(i3YJ9r@2`iFM=XL6M=~ zsnm~Jjl<&VP3c|o1Zn<)PMg{Ur^a;XI}LBUtZEo1%n|YnyS{|3Y+D?Am#pb!A|GBP zd7v*J+wWaaEj!qRF&oJ87%w_mjztrS9*B^;iN}<$8qGM8r+%bvtD^0{ci0uUVlo?x z_B1RfC|ZD6GBbl)78f!xmeCvNqtZ({?O?e<>DDLcE_tzhgl&Jv-^Rjf<@MM)(07mL zv2G94H?~QP=3YaJdqrYUn(vPvhRNuC3LTF2baXR(=_t9Cck2_wXj~01?b`ja z9H8Z8sKtKzLareJK}2#msY-l*)yk~@Q@%Ki8N&v{WWd&mED6;|>(+6dru?P+Yx7<7 zJMGlGD_dl@_NrqEJy8AX0fwc8o5rxUsy8q)r#qSdNjs0P;&EqK-bSuiZ&o?Snmdss zMom3@e8JC(foPYD%vp1P@DA(I8-i00)WfvWeC zc)NfULd|EW&mGnBojpJb19E~!Ba^)(OCVFst@#HsFTau*wVA@rD)FaPj>hgruD85p zN7_JM+c4(B2pwXiD%e5FCV5Cby!H%ed<7j)57bu#WflF1dpscXcV>1J_Jo#CCOnUl zc!>Lct{Fcavu(_80T3mak`al=~`rJ_|)7AS?r;$1HD+L{~!FzAKo=WR9kB}*iW`!soy?G%5 z@~JeBUG3?uGNq8)nS9R?sNh5cyb%?NVRt1FhQVo~Hf#j?lrX`jlly9zwyuHIQjs&+ zdqsVDlG>n>^eA)XF$|NuhLohSXLtH&B$af-!FMSs@BRqj;7v*bMVp>5Zk$@B0T(-1 zcJGcv*X1+R3392#zCqrSOYRu!?pBHe&__jPcF(d}AIqV+Ys?RRbr|%HNz$2=xo_9= zsDRw~*-CM))pYdkrD<3{@69&^=AiJh%f3zLs@gJTkJ>;IaFubu_9`*;^ zZM98N-xi+!rGg3Z{IHVZMV54d)36iL`iJ9hIx#@ z^6Y|8%mKdjbhT3*vQZ~SuO9vJK!%32uMDfm{N3;5twZgtNXSd-bxs3^4f)Ez`vkCmRa8ZIJ>h;(-emxja~eu^V?916$@945O`0W|Zu#K`x0yFs2lLCLxS_ zMiaUKDfX~8%njHomH4GUo$mFOUZ;`BraQtI6ho5hkN$ma7V7o|uSC4OZ|6%tk-_+& zagf0?E!tT}{Q4}j6#;8`)DWY7sa&BYE;1fb- zA`sWtvyzRt%v_6y{(J+8dD%@!Q!(_`#Z-2isO^XTl)GcHtL|EzRcU{^uDh`2*3&P> zFT9=G0N^l3vW+W+Mcx$FI+)ETMM`h@O9`_eg@q^jC5%Dy#hxXvA) z8yYm8N)0Zq5WPb0# z_KAOr#!$poqI(ua0=qvhfF+Vifl{yEM-%B(TbhtLccS3>0-VdN`PsMw@06JACj;l| z9EM)k#W)<(2$r7mp$l%Hj7L0@k(J_jPlOAh%?1Ca*tN zUjnYG6ce2QAJ^y?O;3IJRB8ZR@Bs+k-3fyPXKuQ{1t@mczHvYy_4_DlKNs z*33RAm89+zG)Ht9mdOp6j@FsMNU<^F@!CR2NGB6K%{_0NRa7I01P)sa971o*U517( zn6&+R3Emj6Q}~aw1iIzDA=cW=sJpZ z?tTIgxixAKV8ze9-L_a1rZ`#kD0|;dMJ&WmfphrGS9i8o__=-UTJ4*}r=GN0*LZ~f zaYJ&Yoj(2hH#Ih`!C`n0P2<|H&Fp%tmU@qFL);I=iv;~*gm{`?=Ao5mLUro~wR*qt zD_I@VZz3gSZb^xCo$c{DmUhtN9n5u8jJ}zhX>S9UX7->$&if>d2%l+JD{#eVUVaHlQ*cEWfD;pbiQ1{8` zN;j7sRt_ml2V*g4GK978n|;sshbI(TJ`C)ie|?FkgmtYuf4ml`mXV4?I;BZ>c zOYooTf6RJyKkO!aew^$1!~99O=g;rDv-6(b=im2xL7!jtIw`N-QlzG3Q2_#l#(JXIHU}nSu9xnPdQ@Q{A12Ag+$Cgz12a4UAKS&iTG=H>y z$g8NJb{G(ihVrXUHlQGcu3WTomneq<_8cpT-O;9~ji?8Rdy?C}!BNHksT4*`M5TQ9 z2}1eKh%-~5iLQ^lrL#efL##C+3QC}sm8bU1)b_#z2)Cg}6*I6~;YXC?*SW;3-i zF^)(3+e5jwl%Dnk2;`KgQpIh}oRKD4j|xY+@+p#<&rJ%)S4+x;+^XuTTghd0%LP|` zK$5GlRblt@%q_d7QCz^}=b8@TBEJW-G1!NY;_+99Dci3g6iLPch~hRn6G^88MHCRi zWCbNMES`LKmJ)wjQJOl3jOasL;BgYyWyoy5228NxL4ynsVWU%MQO~OvH25;EId@+4 zdQ~OrAGwNOtG`2Fpp?E4ZPZ6*+Nc+PS{H_mj>5!qpK4(%z+t98R2FP0YF5RWC1W~!k*DJuf)?N@2nbNmb<`x=rP?hyE*A z(XznJbEQiP;NCsN(JrjnJyz#y*s-HV&0Xr=(1sb40!=C@mM=)XDQ@TU_@Ye)`1!Hj z0vD1kuCE|Z;<_XYaG;);?WPXq;H)7&Zz%Z6+xT-HQ*oHgf=cKSq{n!u*s+EsrKfXv zpPMhN(lO^BiF>TQ=8_2Dd|GL7kO54gg`s`V!rcwZd{|WQ>dJZYvAPje&)x55!#((b z_jRbNW<}PD9fBnzfHQ(9rsJd^nx4~qJq)5b15J9ZnHyW z@J)$`W5TwP{t*hleDm0YB_^1h!A(0i7H zBzOo6ZN1SUNe^v(p9OG1Th}}E2p-6C5cIeyX8E!2(ubR&LdSgU_x4*Mta%( z(yadNS?M{fF*+^khPRQ1e#83{)E4VGto;!{CyLnE5zaBT%6agvcZBetIS$%}Z}cvoPPGqI-BZfNg^c>I-M4uGjvClJ}Luf6vprS(O=1 z*sX_KfEc723p654v?^Yg7Rc4CX>kz3z7?d!?22|Z;mcK1f$+2V#7c7rUoDbWjISKT zHkyC3*qg{wA$84m;IIwGT`}sk5tJXJ^|1d$lVGyxw3{JxW&nQMTcs#I_o@4PrRr~p z5;;*(2Dh)^xovH8^6R{#JPQWK%T>Hfll0_C#ir`{S$mqjj#n2p7C-agCRF$3$|_fH zBM$g=8qEOD_BK2p6#u{qxO?hz3A_7r+uZ*W?uQD&-fCGFO&Ct+w}mC5I6k$IUy9Tj48i8c~i~lU_ zwr|1ebz)r@$imVvcc%8Ow+>c{E^-@x+PIMIum}=1OUG3{Ry4la%E)dQwv0e)mnLF@ z^|1T8%(_7;#14Gki*dY3el2my?^2m9Ekf#?@)n?r_HPw6(h zMwWd-;~d20!uGg=>Bk9GlHfuuJChie@e@vIFc9Be%WPDarJX@eXG>S{etb`oR{oeP z06N0qOC83`GM>UR^J!D8*gt0Exa!=YO^eT{(4vwq3rs8|*4OaH17=rW&3P4<>5Okdy>XOnp1&1*op*_`iv;8ye@5X0El@!`!AgED&!!&msu z9X4;hxil{$A*=ofUe<ReUrsi6|U&1^Fi~ zzJVTYj-A7UWkw}0;A!I+Igy2l7UC-3j$f5~mM z7aMtpV{hw~rzz>mo-0!6>D9_EDy`~D-lAqbkUIVF)`!U_hr|yMu#OIJ9^t;2m{eAv zg(dlhPOQc=@Fi=(e7D3G(~a=Tzcwl^A*L*#`o@{&+artbXP5_^YCLWz4UydjA4|d6 zM37@cHj7tM=2_Dv%1ebl=5nSxKaS+MDfzCH6+~%Qh70wVt(A;Wdrhyz?`bB zld~Tc?nv~IApIBv6~iI*84W^H_?lj6vt9J^E5$FF;4F23XTu4G0%6d;eK5zI2k z-Y5UKeMVxHvse-0Hh7tK&E^8&cU;8f)%7EK(l2XDFA|g3BD~s-Vl7z)gjh&; z{z1VL27N;n9bgvid?3RVU(_U7Ap%3lD^UN{|E0iU`cG^V0E+WbY5xJkY%F3sgWe=+ zqu2Ygl%`XdVLk&5-3+EeIdx)MCeKyqaivPu4ByK|Fy06kKS-pRBs*s^8^d3s`OS`%VgyY zWS@BGnXsxActt6liDGDr!uU3uR^E+|>$QCkmW=IyrF+Rd@;C@+$$P8BQ&n`l$jx~D z8EcRJ*F}201p$>q0@u7+0$20jGSoD#YgqX`3pui%s1Kcnkt@s?!(_}W7#$EZUo)5$ zJa(8ByxTsQ6+Gj`0{nmc0gUR|Q7afQD|cPBl8noLJJd9ww|y{kcCgET|Ect!n007z zI9dD(6)NLdm^ZdNU58|=(}Um=H0wS5wjsa{`xJ}y(w?8n!8?!c(>rzNjM&dMytU$R zi1Ke}l|cn110z{!Z&d)wpv}-($p7moC~4dc!&A^S<}cv+kE3XO48sZn`s+S)xC=gX zJoUZU4z&4sU^;_yuf8Rbuu+snK}AWcu#$dEqF5ANO?Bc&{Z|{$9OXF*w+JO!a=4W# z;Vx^s&|QVKogqA-n1=U~0y9-fo-!GB))F?ATm?M2ri`l6!7OA$OIuB|9F<9)pGs`` zFd!{IaQW$R)wSmtK{dTwf->wN(*V2OKUOq>9ax!>9yK zw<=yr+(jn6MH-2rsL9D#oSP9gyJ#nqixJ6*buFZ#ISs}270d{?gtTe1&`HPy3|Poy zP+p{~WztaKDYy+-NZ7=CD*+~OuoZ0*{&pmwl?ZHc77Wm9cnpA$yU-p|fNcwUDy*zwd;FEE~lvHl7leI%}-YUo>9BlC74> z46FPH*eP7zD%c+^AwXEGG17;%4_!hPK%3!Mh%qqX%pC}8Ie(p)_#f9;GoJo?ggcsX z0_{U9X{&dZi268w0+mp-`A_f+kiGx-$YhxO?`Z#yFBW&$HkldYzb}-qss1NvtaP_4 zSO5CZX>2e36W{-lmcP?$ps+K3`S0a_rv(;JBjgs^$6oj;12~qiuiy*ZjOFU7cm6vq zf8}u!@Lv(Y?wHm{#cQH1;OUj+ioe=0Z)l&0{#e$KNUmfQbIYDw2$ zc^Aq4?{e_D|JVILa&CUk)bT%V`>#w-Yb^iol>c2jtaNPLlmELYf6?rEtp|8dUUguf zCvN#q-Lsp#cs%VcbSk8)o>5Epp~QnIjXxZ^$ZX9;X2ZMOh3f4k^f=y2r4mF<44kwu zzd@~&%8(5oU=X1)N^CVXg-4WNamn}uJ5gULXYZ~YC>B{FjtiekU=z>*&j>$Zu`GG< zt)4nAoGCGyTCvEZoRo!mcCilLhORzTgqvXIyQzNC&lR0pana34^hF$?o)9~`HcjbpLeRZ7+k83-=Y!ZI)kAOIL3sbX zETh1W=)&VxA=f|hCcIHj)FR4)jE$<=<7VLaaNlAB;*JRhV(IjOqNgAKu~|K>sA6XTJjdS3kXp9q8?W%&#A|j+XJCO@D>H7RFFu0V>>ww_@71 z>flf`0XtQMHleEc8~P3%@5IDR+I+(*Lu>U}P{t8Aur&jZBEu_MF{iEA#6rU1Ks}o- zGH7ZAtG0@t9Mo=2d15qg5EUjgwG8@bc-JZOr&cXUA;t*Re(qEcFC=F!Ssp=qlNxjm zavxu1IXf(t!{N(M(UuiP`}Z|H^JuGmns^eE)M?u5G4A(D=JrY%YA}DBs9j3>R@)}4 z+)(=j9*oFwbUSWX;&fdR&CC6ORWfrB+}2=?zTW0~mcyescNss95(hV5ThAdVgoCo%n~r5pOnYWdr&hfPhV%h7k!7`ujj zz4n{P9}cWhpr%X0RsoB(_C#t83^2W!5p4-QiG`K5U-B~ico55WrMTnH_$w}?IZ_qV zbYY}9aurj&4D%5?%pG{vT_w^y{{5k$&F6%TReJA(jn~~mj7+IS(i9DBb90UOZ6Q~a z30d0F_~iDL69n^74f`jZNrFRUh9pT3@ak!uOa?ro#A!GfD`fJ(V6 zPCE3d?yS`MbhEe=VO4Wt)fkjOH;jU^^R(Xe$IKY=%87yaS#hW=X+sl_nZ3{h3gI%P zK(F{e;x`KJ^%Y-h7x-b)B=PzHsKC7Mmnv@kj3uQGqTvXjbQ08oI@r_SI+(_)sG&!j zh?9eZV*qKh-VAmedI@)y)1c-H>O@99c+RP-0+iI-)HjpfjR;|7 zrVW-qxPAI$XzM7ne7T4f9NNaVGmDs{Fok@k861p}FtnD_B65`{<8M8#39cEPJOv9L zXugxH9#78v$hdG+ijR+HO$}>tiI4xnOBZ!96JM>;&ItgzGMj!)39>YY+14xNBj$W@ zoH4!8GSai~o;#+M&sT<5&PEp$&SGfRY$H8)*2TMhKj}V!!(B7H$P=_L}sI{dX zR01C}ygQ9{#xHgz0_RJ9*sWpPg~`L>}ZL6O~h>eC8qYz>TEK4I_`1 zcaqXutfyKqdGjU7_smi2gDiv6pGx`rT!`S9uyLZg_t6p$Tdv5fZ^;Q_+#DG9vEtSH zPt>>D1Ix`E6Xvec1|mg)o<~i7No!isVw3k@rAQqv@bo$>+Th~Z`nonkufF)33o^Wq z{_%}~Q)0>zPvx904H;j@`4%rkxd(@t!q6?XI!4A zJJC-d6@(_S8NuPU)aCjABkQk&;^>|SUN{7Tga8RHS=`+Ti#vO^pkFDC-nK?7(OmCk))1U5!mpL#oxywdz4>dfWwD63F z^|SEC^VZWfdbo#T)h~s~XH~4$ZiTCpOGDBtJ-I*ArnKkxRTwbo52@Bz(d&cEPcUtD z*H4vi@+0%Uhi`MWQqg=Xn29z@qMoE>o1%#t>$gE|=MP{ut&vUL3ptrndw{3gTU+QHit)OLWmU z2;art+CxqO`YBCN8)#RQ%R9Ffj>`$~yAs(f6d|E<=0Uu%S^tsrL~vC_Ngv<>*?`I@ z7-m`hH`2w!T#(m+aOPuj!FNT7p?_o?U~i52&5Z*RG}M1+{!J%TGviodGLaaT@E-k|lFDJ*Q=>rlUjD&z7|9*Ca63R4K=qW?&|zYDmeZ>c;yE zQE1#R1j7TKHZyhy3lDhVLTwrjbV?USNT?Td?>FhYNIxbf9`rHnTp|1^0!vL1cUvzY14+;p}oqXaIJjEyl}mWdD&T|6oTz8 z4~Y>)@LgxmTqUdCn$d04I}B@>X!S$SJW^SpjRHAWuMx+n^CYn|qOGg_uDEf0){=Pr z+cw;5fiJh;Ifn}9q;+_cD0$Epo%Oi#E^(mvD)j*bD!1f1W3k=USD^-exXo!Jr*5miY7=Qon3L130Qw@El_Q}uVnYBBf& z+(oFqfe~G=5PjGflbjcS?k8eR`+fwbW4F)!USaH>VLFJbfRp>BkDH-oTm@(~mZ8Re zpiVcAj=V}`_j5NFaP~g2PvUYHks1<{$t&&nHU4da6sQ0v^Rn!gsgq2VnnOCilJNYt z%C(-RysbjptAQx0W*isWNu+js+mTs4>z!Z+@ao&&a)eAt7MHxN zi+h-(?c~_}$DDDvPBTja7lb-z2KC|LoJUAb^^@^u8DLnSEHw#`mw+D=z;o(|8OiND zhNd{r4;kO4Yvy%>VPbY>OjikEj+}CA8Ddja!lFF3XAD0Kaucs8jNio7eprAP+JX?` z#YDU%=r;*XBOF}xz@6+7xt_4>S=`mnR85VA7cD>m>?cz+W=u8QsDUmc`4n;&Ej9t4 z=EhEu-P5PWSoH@>zM5M?BwaSvIb{Z`?#oC{t<%nI4}Y5s&v0co7)?&HN-a!PMPv{z z{a~d6l`{FMgBBYXKW&eNuo^2*agU&#LGo)qtfT2&KrqfYTWWDvshBEqvPKN8Q~(a1 z*K!IfOnv5x5!&qZK(vOXkk6AW>ARPv3lGF_WnRC-k!Qzdgl1bSV1`*>>xs&+JxQNa zJlgKpzlF?;BGF%VSPhGewX%axF{s>pcAQWz?g-mKZ_aPf; z85bAhkPuHR)uEj+#@a_6wfLQhjm6DIN@I!6NQFYHwm#_v<90E%0j5P@K{4csTG~|I zNIO+dT*k@Sj+P}w$y!}f2VV=m$==@Lr*B#=oKW?Z|LgJyp+teG4thN|Pahtjl?}Nv! zZV}tSYQE0&DeaG&y|&sQGswJ5r8_eBA=i4X8R?`n9R{HMuCFrYMiF>qU6`bEKvtXN zoUWPNg}0tBmXu94$@BP`HmS-f%u9kwqlmbYG-ims59lMUdG<>vn8AA#_R}~H#L5(cYNhkWyf@9S?>F8?Y=)#&f90A<-_(ui49Avn@GxO zD$g=3H)1!@g}(vmo%#Vx#P-%WOAQvIsJ%(^QgpO~w%30{c`a^aByhOnJ|->+EE|2- z?b^hB1Z9o&ZJI)m-49n{tG%^Z^@yyKW&o3) z-!HK#rfO~M(m4=}+PA`Gq7~M(@kx`Rg|SP{>~2dyFJIjC;8Sb1C<~o*6t5k2fH@ON zLzJcgfA%EMCev3_LZ*SQ0@$HW*umt>m9d7PNT9-`$OfM4(7~>9t1Mr2r#+_Tea5Pf z9$foF;pLs8d-1t;y|*1n)3JWeyFb-L!ilz5Ag_=wU30D1X&@D^Dr7uE2?+G9)r}*q zjnWxcQr{SxwCE534kGW=o>Bk9_v!CD)jEReElmw7>v_24@u??!al7woVbz<>HWyp~ z$yOB%*Mq^ey_N2l20Dv%1$!wOT>_caqh02LO>2)Tjz;9mx1+!Lyc%?U0LLb$Hi=X2 z&HNt@|KPwID2yJs!aHL%BAn#7=U`f+(rPm+_cn7~LIiH-!L!wYdZU8S1b$N)urxmHl-xp4dx>kZ5{9A>EeciD0)lUK# zX1exKlUc{1=M?dAe;w}B!HX0`Kklf} zc}F7G6?iWX4-=qUTzh~W@VNGLDlNJ%{YQBSp_hTA7CGtEdCTh5)F)*FNpJvKZE|jU z<@JA?V}T=6`yUevJxghj-TQF}C>k1(vNzSPh|jWDu{UFR0}GIz&>Zg4|5Te?I(7W~ z3?URzjl_me%0eZDg@wkM0T2lU#SRkUe9GHJouk37PeunE*2vtK;6w9co_>%u%f*+r zHcdl=ijsRn9#<$cy^&D`q(7&}^s4re7DT*!>$CQ*S4$cmdPu4ZpX`4YFNqOOngWtu zg_D1$Qh(ze+D38L8QML=qS+h}n6&gV6CFyoydwd(=)8%KUsyM}OA!EiMq@3+?BIhX z?)`fz9QVx-0+Kv{#FlcteTsYmYINU($Kr?(+iX>^@Jc)S%y-6P`*zC)%6}X3MAGHQ zu70?J2;4Zh&cd~$2d^6!%FxXjA~4<_BOvDUEiBt)hwsYKTJXj}kBCDn|NCXXROGn8 z(@KNd(m5q)aayBsmD0+02Orsd4z~LX*?n<(wr91#QI8qjDV^c^2N+X7v+|mSvC}EB zxtrrt&QWlsCgI1OD>sfh3% zOmS~TdM?y%rkqEEJ5>eqth~AGli(KoJ0|$u!ju&%qcd+^z23WTS1Yu7xZmpV70$ zK5S^!c{LL2b?Sq+knL?RK(%^)+nF(A{HR5ZCc>dzyq>(8wu)D!-^ST0(DpbCJ5@T= zPb@0nb0e7xuCC93^54S~t9nVb`*r*$NAUmQ{E;hT<~&DZ@1rybxO@uO%AVP#!*G~z z_TmO)L()5`0+=8g4VclTO+~#ld}+no7+l5Hna+~!?Zr;DUK$449oJvV{=v{Mes(N{ zwAyeDiPbhIiO;F}hmXyu2x~E4tN&Gv2t6l8TQ@kC@CeQ}^GR8WuxT0ETkqtZK9Mjlv z$I7R|%v@{M7Z~~|06Cw3MgX`>dfTt?F!xp7Wc%5#bi*xxHQV-V)v5Lt@%Yu)(RIc> zRE$(^f<4})D&7cs*gIdF^O?!z*D?EYh>u(Wi{>S7Eu*C=M%D8~vR9nFMUqCx7CS?m zG%VaxpxmKamlrhPXNoxmKSP10oC>r=O>>dbIuXn}MYpesamL8C%v_mlEsNcvP1`KT zY%TweB~LSeL#A1k@j}2Mi|rj?*I~#ESzfNdRLd3m7r>{%*YJZ)t(B;0pk10wJ7a2J zxL8sGlHM9H_KR5W7Pp-G^9VHvz^3Vvk{4f=&M5JPr$w!OZqm_mnXz*O*JF9)Fbx}I zJ;SCCUyB(QYeN}QAZ(4;BOrIqJo7=*PR7UL@9;<>eO`B{OFEBNh5Gb&#g4ckPxovI z>zsr}&i#+YyD=S#?<}D%$!ZFDJS6Z3^IvZ|zgU_gE;n-e>V4JM=*@tyN=-*obj29n zYcj><_QSQK;hr@VmRz86$!nfDVzC&r)0$t*uP+0&`nLR`COKjHYTrMkiy^0fY<50F z`WeJPfp=jLQq^Q3dI01vpe-#l#H=YaKR35!(eqFNJ%i5ucO5m!FsdqzwnH!s)q-|A z)vBf^M-VJK3iXPq-wz0o9l(1i!Gw~2wO@xVtb-l4ogIH&wQePP5YRQ}!rkB+Tu$w= z%NivP&&3?6rOKIi9l2_&PrQ6a?%ohR24AT=X^F^&e4A$#TOJ9oHV-*wP;&>cjSeDG zyZpnb;w-eMkv;c!ci^GKIJ+Z3=7v#&vT|pMJeEEuP?wZS!7tqo2-V`F`bbmj_qMm) zo(#KF?P6w%R-Hj9I&&HB*Pmf4^ewPglyfZX1%rP#sokpbk_@bX#8W?eZO_KqDsYm; zJ|=-Z{bB)z2Y1USqu$NWK6nQz=kVlY;huPc4l-&HIu-z&iUOc4N#Yfwc37UPjI9br z!m83n<3t(+0c0lKQFX7ASZ*)H}*fofvGM=v2OR>Qp5fl?HOjxaO#6@u=Qf2z)1ML zu7Z@}P#qhj)+OKjjvVa2uAo}qHB3rTn{mHpMoW;TxF$Ok-d`g5fG;(qie(jT2;|i& zwH)`~;p3_KuIK?TZXrawvuApauYO-P;bQRygTxI>-6tq!Tb@+xEGLeb8-)t=f$7qu}eEm>dW}@!x9&>e(jR` zPs>6~GjJ6uFtQ9URg#|vsepXyLlsVD1}g`QIcB89GzxrN0rPwu)wPoj7&0~ivxaL5 z7M<`#c3fEXIJM+=hERfrmjKl!5Jd5!H$IjlEn^@Z}&S>pKZ`4!;=P)nMLB zO3Pe~Gg7iP`1^{vA@a23PHr9Ib7>9yC{`q-znvv!40GWZX_-m}{i4#pJWNGWYDBfE&F z%{YJp+s-VY0W10fDIcwUEEv5oE(Scxopx&VPg5Oh<(=Jdf)xK2_x{1*gT@PO4f?sI zBmm%ASMiXCFO3?nvsLal7+iL=e^bkhD}M{nMqB!yR(GsYQ?M{>07LU^tIM?pnR{SB z^SRb{7qB^APj>~GmN&2tMkSg^iz(20j1vH$I#Z>-qw%W*<~_*xUlX;#9Hc8`3y|$% zCmf0f>%1-jV6MmQg1~m_H>f`85o)ma!tfca(r4LiV^4;P8CDFcSP6PE`ObQUy?2=Ub*&E)qucu6jWsBv9)7UO2h>(3;?+7&+=}u*<%J# z=Cnlr0)xHHv{w5h^f@3cM<$ghx8rG+-Ui(k#Iws_S35*);5VhxL#=_$`B1%e5FO9s z;Zj|)S1jCeFCA*L$WIN~HY|+y(^Jff&XpA8AQcdN#!K~*|IFf0)Emy5sCbg{smf|x zEnCGPzfXB}T1r0kQ)lac7ZtwHV$+L^gip_%Z3_WThyh(Q4-9yFH zKl?63Yr?BL^IOc1fWhq61Z}Y@n^h@Iw6m5jMKr4@?&~A^%pJ(h`Zlo&5LuVi@l(5nG7(s<-GOeX;;wvdq6NM}@fDqkD?op}{#@>Ah(=7cJk`fB?hjAHFtnUJN*7%ulk$3Feu^w(M*Qin(hx;mV}m%*qyYx!SGexC4xz#kDWfJSX- z9{O)ng#<1=U6W{T0ejB!P^abGk{~uYwda49BUmV{TV-Khq)W?`63lZmW0tqU)uinW zh=!iAb0c`51}lXCXy-O-6mQ&sKrUW`h29b`z7riqEgwQl>E$l@wVr4;HMlrZvO_U8 zj>e??gDMkTj6|y{JA3Ei8;k82sBxTdc+5Wup~6cELO*<&t<#I~xFikb_0BezfYq%1wg~LE3xu z{A=&&A5!ujbd&OS=ix?r6Ih33}065IA z`abTCtyH#-3eeDj#OTiCB=`fWUa3`yK%@66Dc^-%WSko}fI%Uz7bfrs4R-%(^v0xbQIR z_}=8EDpHk?Cbhq8ac$2@JXUt&l$N4ihGwR^j*6J(e%i99=bRNyJWdrRr#y3_pjFtB zO6N{!Ar%|#F@fos(MMn6>k#id+R1XK-H%$B?uch4uOY5%vFjFdxQf6NcD;uHD68t0 zHNWeMm%aFK=r6~gcd~oOK8N@y?MCJj5tnl=`)DF_0z^BMP&O&DUe18OydX0g2_dj@ z7w-7%az73q9d@wiNSFL~RfZHO)jSAW-B^RP_+us@9ms(vF%T*__vGW3^p3`(Fg|*^gGM9 zME$P)wlG!l{mHtcaldegwXrTAR$}Q?9IZ0EGMjVEYbuo+`B6S~;oVR}aVMG<3e_Rq z$e&LRKg{3D-Ix>N}^fzwL00`Je1gI?C|gZ_$izuu$;y)Fbj z46p@Wt~HAUK8^;RyawH$kp(@AR;Tt!Ogj1fOuwCIU)~q*>KFBQ4MTrW?gjc3%tnRWk2oPWsYGK*f8*bqZ_uS@ z5Ks?eO3qIbX9!?Rj}b4kc4T6rhv zsS6v`A*+pQkkxo~NXJYOwP`@p-l~Kfc6p_HlG~TRg2N|d9wah5 z@jq7)=RQW{9&thr58|}-G&)qDk8NLEZVuo5TDY$A;(2c>8UOCr{f^KF3Sm*0IjKDDJSe03yoy$Yd~nS6grV z3+;Dpe`oY|WRuIuD(*`hXNN4dC3FV;n(~=skqt|;N zS^xhHqiezhF*(g}RW>A49v6kkkckG(7(Sw8bkwDj*ZKbq=JOTP7ST;u@>kr`&zQo> zbsissieFP+qiHUyJ>LWG-6kJ8{D(j;Qc)$`blJgPYN z(CMl{R$>DC?}e+b#5kHM zA*N$wDHf>ogSVpxD=sXqv!0cIcN&*6Sd3kKZ#Hs5^pABdR1A-s-$gHSHD7@+RmLPH z%B$or&x(}$*YL`bp)69zNyf|=D2AAeA8U2j6_G%Wm4 z=b<$#7mBOM(8o75e$CEN91B*Vk9YwVf2Qp`*m9D~P)aXJrXVX8!Z^VhnOR0i?!z^c zBa+a5fDsyfvMo)vve~I&*jtJi?>oEUL$R4a>`UhSC9v#68cLg7y2MQ1S6FfuI)nu$ z+W(Z{jr8E#giO4*_^nN!R`u2z4&dCVz&u5<&H%u%PL(G?xVQd7B-a7q^8nWBjyQx%#T{8a+tS z&$6<`Z9`#doZ!KlOH!+(_W;TBtwThO*vohwNZJ!C8%EXO(LVSxjI{Mr=f4&-fd?Ng zLpcT~KbID-#Ik=-L5+aXDz{MG7?ELV-A{HVnzwe>bf97{U#5_(oLu$WV5Anl1Qquq z=KsBa0Cl9@#n9giU>=Iy*$4#PLFwe~p(`Z(s9BcuQT~T_l1D$x1dE?x3wzJL#(g;x zqlgnnSCy9y**{D3-Md@eU=g-g%SyW;f5O=nzq~4bi0`@5KnplTLnHON(#`L2xoZHCBy8_D4u!e-Efl*E^dNSpX z*VW|*>DqNY1yO7No!Z~DXa64jD_=_T8??k&Y100?&{u{kP1@u^9QX&$U792L8B{B; z_B8EEq<`HKWK!0j+94zSdx?4q!TRRv*P#P6peOqR?ZkygBh(B9_Wylo>0sBXeE2wc zN`Ohr-Q8)#mz-JYEm-2fmKACp*e>*EcUtZ=q#@kZ3=hs`PFw#ERxKP8GL`0!?I7!L z5|3KhyD?!5IP~<%E3EO|aPvC~ZxDY7G_JWB@Hq{+H@xr-2Pb4FX@qmF&i(^`eKJI@g=>M;S zpJ^<4%3}Q{zu$yP1YQ1wt>(yDnLNcVk;r3&^axC-@a^x83{|F!SM-?j8 z%-mpY@eFV%Mud0H(6+%9fR){?-H zGfzP)zC@Ba>YPxcto4&3|KWnFlM_1G->^a6LXZ-En zaI5LB-3wHQ?;PuijlSlK%TM?HH{DUG0Kt9ze+MMc38rV9(RmTpD0IG2o)hfz>sH5rCFClM zeM#^oE&`f5|NYS7i_4mH#L8Zj&2#2Pf&X4BQ;quL0pbs%Oz0*b#$G?8^nWz)WGrX% zNa(cpuUO9eE;Jg5MB93#*0&8|W4jYhodK2Q4gbD>e|~t}uB_~Z#V~2@uqX}MyciaB zZW}C3e+Vh;^OOQM_OA%+qfH!4Kj9~T#D7JXGr&MvFeCyn7tbZ6%&VC(kMeNmbHkZq zup4Y;4~(9nC9_WFNOqVL95x={!`x@aZ$>t6;f-rz6F8cf<`?HM7HE`f_kg6#KQ$@z zKbijTbeH6;II;_-i;ql+k8$lc-X;M+%5PWS48YGzD#kAi=7$f~}d4&gC*TKiU0RJ%K; zSwc;FL`RpH6@uNT%%f(V(W!$L0ESv;hB>MWT;pxACMxq?! z8gS$a^NB1R|0g2yQRzJ&wS>0N$i&418E8$yzk(W@iAlaD2By14 z*A!oVtiu>dyUqD*ANbtlDkyGJ{{MWoOETf;y3Un!>VXe`g1AxKY%E$L9|BEf9e2D{ z>`-j3m)sPiGH&E1U7Fe3Aw0<(Vw{|`vu{vTt$h>XL^Zim3bz0Lo4-|kD-`JSVOIU# zhp8!uOl<>B>);`%AMPBZGSU;?+IQ@FCqq$n`b397<|UluiGL@D?S6~4Q?~BJ77aHQT?~{uQqh;Jje48gkjwhH|k|DXDmfZx_*6LFmNF zda(ZC{{%n}Ly za>t*QvgSkYi};7J@5VGF)k7?#h@C1#fdJiKB3!BNhVb2guaRWqQRKax>>Itw-6ULF zcH&Vu3AhqI>)l?rGVE-(A;T1L`ILFBs~=llfq6{L;o+67e2t^PiX`W-ghS(aEOG72 zUFM5_*Fs$tnd6>*&gbeFdWK>AKNQ|HWz}iXvyJ44Rbc%Q>P7ldiagAd*ZKxw z??d*v**eNh5_EGpuN8}%-jASlpLUbZb`#awaS_>qkbGg)@Gr;!G4uXAvPB2wf}mUz zi5Oz0myRV0eK0Gz(GIc7HDh58h+<(Gy(JCu_l*cB_>jF7jkw|NyG%86AojxhJu^NW z^1Qi5*a;IH%bhZHU2vQ{Ufy5B`){YkF>6wz_znf?cmx-{zNTzVE{gj$(H+?{xwpa4xsq z^yY1~_;5-m#Z(3GJre4n`8xXU_U4E&sD&5dM_rcP0)mH@#IkRWw}eM@d^_)5Ke#nCQ_+?6P>6Yp98TwN8)ftNj^y{BH^ZAk*W6a zkFg2YlF$%4*TW!=hM9BFX*GN!MS~A2Hjgz18#g)5JIDRR}P_0=7cG`u8eW{OM!a#dlXE*_6{oMh#u{AyV4Y~_0%^upjl!{dDp z1jEh`WY&|bDCwU{-eAB7t>!b_ies_EzvUN?GqMYHdb?X)rHzbSy^ny)r5q8_?2+!30o;~a+lITV`VBZO&rg)RZORp zUZ1sQv5$eZXwChx3Ks))Y7! zhAUBMZA7>VCz~my8*@KNaOqi7sS!9@uFS6XShmggENU>0h-zl50^-Cf;I3GcXmzm# zhLZaHuIwpGIl(-;-+J6Wc`)ig=Y&5(TpTOAMAIONgB)O9pJtrI@KUrA@$#3ZRVB#m zmdn)ZTbP3DbYEMubQ=*5IkI9}3H+s!S@#z__iPks&g5fyID+T;s-Zc4$*)hI?$__r zN{k^b;8Up2V`+%p0#6dJ5CZKWUJUVth6}*JZ|4`T@)NvJ+M41i!L?X2eTt*wy3~xM z3bstMMYxE$0iC4&>D%;$C2j}Yox?E8(Yz45X1#QK$6A}GC0mFjQghWV}OtEhAUe0G;=(@3rOKfuXyckq_6tS^sL%qL?xKAzHBIc>w^V4~t zVNv+hRGwTh^_bO#izA%U>fYs)7d{TKLLNXb^Md?S6|*O`TdYr3%=lE}bt{jWE=iPE zo}#q3=#WlRLy;}f*ZRFF0+U+#vN=sSx8+H^EGT3&Z)0n5!(4B|gx-j=47Xno31_QS zlo-7}2!AcF{_VANaJWnWi=0kvznpB(aFL3SdJ6VcqLus_L$Y`(D}8Pi0}v}o#~w@! zuw9HJ2~>AJi&l`d(1GWmi@}hbon#5NJK)SpJ!)d|%PCHbxx*WMSHgAWra6Z(aPs`CrGdQIQn>Q}H z;5|c7!}D2CUssAPJjgg3!mI|wkLQ9E9HLwX97{qr52dB-a&z-HW?2rQ-d^sG_Svc| z)-RFX2ak(p5%rPWDb#x9b?Et~d6G0FX^B#hDa`iG=$e; zR{r-c%*K}%q_EWt9>?fz)RmJVIdSI}D5mC^x2dOrk%x_kEW)9Lj4^j-J9R-t%Hj(_ z1+RvAba9fChJg$%f!Ec;y{oBb>)<$~78ZiY z)2clnjdeaymdZEk>jF_~uuNMWR9>ELE{w}{cmEruTfLJm-M~3%NwF|>?3%oC+rTSm z`vuY0tNh73ok05>52K(?V6M3f1b1Ky1%PtNCa2h7+(CBg_luFgD26p42moSkyQHcr zK5i4W5X-#Jlb_6CyjbS}>;>m=e+>#+B7W|aNo?~om$ zWQ=2|+lP~nS5VwZ6J0c3sGRDV2`4o-TB<1;JK+AHw+^ZA;55!hI>`@Cm>1JG9dsoKsYYtr++w-lS@Nt%BJLQL0M{BoWsjT--nNdyL z?H?XJrJ;4r2#WXE@YmzZ`zlO`4$~iiadaSD#@{Pas5JA#0+5yV;q@c9Byh)OK7cfO zJ=SSmy1d{}+*e_jHM2(lidMeX>;FdRXj$k-*L_*X(An>jl&KlYAh3iBGJtets)QgZ z=?36&+j2Vc2NQk+^?Xc91Ljne?WmtLzxx&OdL@-j!9A{rD@C!Mdx3``+09d45*36A zFAi#ka4HJ8dFtCRL&yu%eDhxuScU_nW_Ob-ph9E$lsB+iph z_vs;FjAE08_HyVYwX0m)9^dsvIGB0Lkx>NBX4+W$`j0@*#Xyu3mVOeu$< zi&Tgrd5Sktalv5Tl`noW5iA*=!+Pb(AN0#_viv6(>k9i)9R~>ci-mq9d-?h^qD3I- z=17cG^7U)=k=}Mk3~T=LWS!u#}-4_U{!dZk-BrA9y@GKxDZ-}x-lBkAOWEN9+{J#rcw$%%>! zq$vMdx8}b&5e7#{3!Uh09Irw!SU$2i3Gp7Y#+Nk-DUgc)=X*a$6-i#sgAXhT$^&pPK_4`;DP6?7?CI?{z_-E5%vD1(L+L_J=PO9Jq^az z|JCehQRvSDgH zOj~teN%`lcPmm^#JK_LmdVsE`o*uKu%5STdYb4K`9@*ZRC49BfT$uc^4~Mn*B^e&D zFZ{J8=hF~@_eo9D4%Tyl#gI^Ko6ThE*1eVYoykd4K!u%>j=rnJleuF?iIcz7&qal9 z@eX!92-y=$%eL;KBms7X&&*La76zBo-fUGf$nLBl{kar1g(HD@VTo*;IJzby^_437 zVto5ehv*GT<)vC_>$6WuF7}e`J6ew=e2~`zfD9iB%p3`=Whb8AWRmUBLW=o)%FfC^_TF~TAQVZ z6^1e!(PhAiH3Ip#DFS`vg&p^)T*_vKfDxAbOu{XHN7zQs6cLQFD@#0ykmF5_HI?8* zN*FiC-=IZPg=`d7)#_-+jGT9f$ewPx6hO`u0-GFIkyLeRMyx#E zF^v32t^UZAmuSK%G+iT(v(4kUUtrZ;5fVNw zvnF*a{u<)BU1Q^H$rs#z#GSYo2Pad-o;FFCCJb+l=Kr*H4-@iU63me|(B zQiRJwGRhf+1UB%pgMYgs?|W`tFSE$KcK(OMEfN{b-*0+cdmCqIV}i6U3BXw4lXR^( zRb5{0ZPk>EVl1*Yar+gd4Ld^1(l5qM%<1t7X41^3a~8I|a8cJwT1xSg7V{23w~zxs77 z;{#GBKC-8awh5o*-q4iw z80bWQc@y`FTsMyGI-s@ERIo4DqQ$@@!^3u+uA<&&rj%iJ;{RW0D0QAHY_r%&LvvuC zqmJU_X|6w>knK2jBjk8^MnZ^zMv0p<&r<1qHLj?Pqrs3*4XjwQP z%#Cm~j%&+k;&km1oc@gFMQ#c1v$N~JbxPer<`}} z@lzd+)kVrE*-6@yd;{bKGA}L(+De+fXkuRI(Iv_!?pnRHtlg#mGi(qeSg4p zJwlwIf(iEmfXfy5?4&V}$a)S;*Wt$o-uBQ8FR=!TK|-g}UmWhBa&hI89tAGx5P0Am z+{|o#%4bYZY-Y?=Z?zFGC=}F_f)N4V=b$tsQX@}?-_h(SLadAV55dhQ66fLLAujqLcxbzsq8`b4jtw9|L1ysXSDP0Zb&)k!Rh(+qU(95=JjC4DUdNJ`So?~BGANf z=cMN4&vSfk;KQv`(Cg6a^Yy(*z+(*=f9TWAy~tMg^WP!3>-YtJ)Qwa3<6O|o5Zpz* z#V4}qa&Q5!I2znA#Mk`q@@fCy%JU=ae!~gw);@WTQ0A)!zfyNaz6*L>BMba{!#6JW zLs0Sa@4GFQ-mCvy(M+2g0y%H?MTAJAhtzgzj&R_K^Bk2KaFi(^*qX=8R(kpU&=Oyr zI+g9VMU>Jyw~@kOZF*J3GP*u(dKV>Br)U`gr@W#oZTbgV+CHfV*nwxe3yMS7)$js0 z6Ah`#d^gX?0?tI&j`m;Z%DculPRM;J8~!^sPPX+b!sn=`^3&^?{za#O9IuKp{NNuq zeaD_dGz45U!yXXGF0w4h)vlDf)vlO&3w@weT0}|qPJZ1+4bl-<%N%%?1<`cWrv9 z@R>?`gk@Y^i-hl5?7W5DPE^73S)W)$yk) zh-oIRo~w(EqptdCpYZZeiBO4A)BOwg1)7LcM z;}-7fA^E0sDM?&KuZeQR{$?6Sh&B}!rklk!%%-iinA%$V+|BV}XhqzZGVCRVCh#AX zS2x#yn$BPHdAS>eVRi!D_panbcpcdCVw^fI3|~XOrdP1VeXt5b8uot!6cCc7TqkPJ z^2L{>+&rKTWVEE)rHD%GLr$)2Jc0s3 z5VIwkA-Ymay^Z7>WK9ren;62mi!u)A7K zOr42crXhuMQ7q^J*AT_de~jkf%O)ZXq`c2JZK08_8KA#xF*z_cCwUiW(jsoRu>Ag$ zaWhrNk&l>@Cg2g$qcR$&)MFfA6zc@*FR~y=iAQ_V$l^-_=saTTR3_@Y~LP*ANA_7 z2Nly3sfHB<2#dH}nhj?p#aV?Mcbn`CmgyyD$%$0U)BNo}Co!=TP0#Fi2D)3Z9fP9{dE;>=zOHj!Qmiu5Mzc@^5%;g ze&M5tnD021GJZZ>_Vv)~&j?GtYVMfy+axUy?SYF&>#z!gj)`E~eSD|StV$9I zsDn>J%hB)np3Px2Kk294yT4GDpwtXO=W5Yezl}}c)kht_q$hV&15JKPMh`EuJN-(( zHfhl%9}q`SW{Ti59k~^kHNM_*vwzE=1&N_r!?P*47qZ;asi6AF`f{9c(^F%#5MIG2 zy?-E~Z97f%;xfYaiGU$iR`F71h3u!o>yDfL^(qqyM6tB!I?MI9b2j#>+XzLKr(DSd zLxjOPgNsNh90uTaU#3o1$82NKwDFKIlg@Cu9b=$6qO&nKHtEgD=37?2|%6oeS75QPu7W*i^zvl=a__xKCI!I<$Fk7b|!rlq4TXPlsMLbU)CH zpERYEbo1i|Z1MH6X;pH1i@&DuZO zKXse1BW!It8?y&~bH2Hp7dr6#;#E<*Y*vuvrcCNpC`6I=h*h+2Rvzz;M=Ke_Z$|wm z@!_Igy-3Y*v^8o02aSx``%`@abstySidoa$yH7)*oByI{=9l~Ni{b_LXZEx&*x7ie z=4qR#0~$iaj2qA_K$rgyWoH>s#kcTl5d?`10@9(<-MK-!yE~*e-5nw+-7V6a2I&Ur z+;qpLQ#wQt@Q(j;-uImQ;eNPZVAh^lGi!!5v02YNKLge$|4xQa1MJV0WnH;pGBM83 z!WQ{4nHWkRHS?R(vv+A;y}Le9ZI)x(?{9+MkzGW@%$CQFQe*LO5T# z*3R<@nV3w=!T~-`wQZcQv*3JM$({a2g=VBDpEbC`Znz3p`Q)EjmxYc0s_=i;{J+)?E%dfX zq3yQ=IrF6km)!SBoo_V??%^ydMBm3FF1@mQSFO}S9%svlB-KM2wb#EzHkRcS=fI@( zEw2bRRn#JEDHrF-=qv7V8bJS~Q3WLyY9X6?64&B%;0-icRf2bXtd7*x0_m zJKriSKszE&zUbT{fb$#jNu^mk6R0w_@_`*`$hb6>PuMcUKG=daga zCM_i-c+9zlqvJVRkz6{XMnx@KRJ!yRs+}TETJ>7S%r`plET+O$^&1%2YL}Wyc!DyG z&Y!q%trA{EE@XbcUGZ%=h9!`T28avK5(4u8 zN-(Z9(k0YYE@NG^O8Pq(CnET`$y<{DUk=;8%|I?3zrpTPW2C_`LGo53W<9jOxUudSlx`x)Vpce1rw zCEn07(ef+ys|4<-SDCqDFwV6d3dl_tVvxB3J!K0ppFY|Esgh-AWGI^PMivm1Nsn5p z5U0-Pwl#6+L*&$atz|gmGO2~7e$j>v; zUrl<2MZCBn(jIwP1+?dx3wCm5Al7Q$dNiY^auos$B+n8wAJ9MRJkSuvvzJ6IavHKj zQPp6Z(UgC^hid_Xz|r|7lFEG$x#MpuH;7ecOr8@@kW78V1%=p-IxZl+EV)>qd6p$z zn8nGr6s{Yf4c`8F^E#7!r_Zvhif&=1lm`B$lB z?{qp<1kc7&93+Q@sC}jMR(MJ;6AwF+BsE8>B!iC|;%((Y}S z@~2vq=(-|2w;@k+e6E3;E;3u8`C=o?KA$Nd5esO}!3!=LA66u2v~6Dn0MDR)5v7Cx zoy3HlTn7WeOJ1>u+X&F#tk!KI3?sv~pPj|!))K$wuzEgg1nA(fLK<|stK$>&8Nr@_ z-0c}i@5aXH=Qb@5BOHUudb(nu!9&~##vWWNkl%a0)Qd#SN>M9ktBMH96nHlgTdV8C zh4-8(WD6PQ|2CgTo`l-=RM#gv{<#LI;^nJJ16{>H;yM+05`)%y3F2z5PQT=}OvS5c z5-sUV=ms&LR&AP31a|5MnJTJr0K;>Xbpza*^wcl){gy^DryHMhTGDK%m@74zSV$D8 zPdAo7I)Btc1BN0xkA$g|-KO}pk3C@7l>o%hm$8;y*NMkoM!+0_O>PApRm7-tf#C9@ zLrZ2|uZvds&922Qtenl2IB`1qF$ztbpW7oC*u#cp2GU*Bj9{*F&8w_jrP$5)p;>Do z6kKz7W;5-`ReAm&3VIgNhn+~$rlVuOejSEL zYPyc_UH+g5`aV`i%R%=7i|F~$B0~;>-Dv6#=0rIbokQ?m4-bSaC7o9;L{kpcK)=U^ zMMOlAoCWD^NaqKfPa}9@fiYKWL_DpQAKX(Ura6kx`;^4B-vH!tHhDe;Fb?p6b7|v z+BwvRRRoK`19(VC#nlS=tq)~upFob z*z4B?!7vZzzp>*v>vlEP>2_Q8YI%;0I5f;;GH=I%2s~wb8nN}dEyI0n7hg`$+=Y+w zMvBM3>y6HM;l^Z0v?(ij5ldk;%cQPO#@M&y}w@yrNNMotvzv5Ak zLm+b{uKTe1tMVMPUKi%(#$?4)H!{Zy{JXXeiDZ)fLwXTEe7V$xajLh(Y(56D6%)~x zb4katwcjCUc)&*6cBf)+&;k3atrQ|v(*=+>Ofm^Awl<3)UupcMMS}~7k)AKlBHq?( zwMGyrUA(4Xe;e^Pz3wCk7@f*U*@9B%Q*GL1 zr5XcETH3ErNA#e!E2R9O;z7Ii2%<8vkbri_Vvf3+e9dcsSTPm^ny4mzYu9ayOxlXj zs+rBD_nvGD!ql%i1h$h4Y=_A)Qm>Itb4df0a+Fn<7AR7;QUO{$hdDAl5-(6mK9LEB ze&fN+q$N6#dRe5iBuCKI(wE|1Pk>xcG=2Y^->$c#QQ`;_b0+=dJ*hAjds%G^VMkhj z;_?B@&mO1Pd>bE&QgANJlsG2{B9A& z%{mi5a(zx8_OeG=@?dZ2PVfD9J_1!HGYQNy+r@0(pa`fyGkB=yXU(svO6LT#@$`{U z&zItCzjbMl+BQD-uSlYA9LZSP>OCq)GkWm;_9Zj$cQB#Ue~4tb{E9UfK{UGsyc zOr<)t53lViCXv3`rxx|agNB@m?`OWbG4{V!GmPc73pzx7Ox(_E2ITJ~-k&1k?es~%%}?eagDNMQ@} zXJx#0bBfutq>GJAH^fEtfYg0l?rvbsFcFZlzhK1K@9qq??b0v7ST=JH({Fd}VE;DF zX{PL!2QD>nuU0XAWiR#F`9vNaPi;$EBjHxygeC$gx;-kqT=wj1J2#TeThzKbQ z;>){W`oJ(02<=%a*G8l4Q$urB2Zt&&s?A7Uj0>O{T~&ZluN`>QP~1*}tB%D05=91e z(}b-6mska$JDW9%-la;?-aT8i0iUz!9<1on`iSPb7f5euczs~rsmjKd*1ggy`zc;o zaj-_sF3=il-)K%XlGk5*(5KT`V4KFZ6ekm~!IPRV?79ba|Dxp^Vr#7)dO!k$PgxdF z9eq2evQ6k6`&=+kY2umm>TF~A9gIr|IAFBgS@nL1gUBSb{Sl1ToeJwOj~!y)xdU{S z11ndnmR;B(_JBepa@FHx1!X+}Qv@S^T<0#V0ESeRJvnAxPfS?TwzPb>aqx-J{o|I- zSQ^&nO1W3cl=yM#s2}oM)yU~;81{p&|gxFv~4oL=mEOxX?l54~A2>WsG1vxpd_RG(t6*^DB&+pS+;o*wwM(ks0% z6d*K$aCh^@AbT7@(pbgQ^Ok0C<2~f`$2|+<8I1YKHw@)9m?Kfxaubne zR7`Y=qk0Dq7eVCH<*}YeAOo`>$_WOLf~^k(FM+qhecV!f_cWawK}}-es{@y0h6Pv- z-$x&*VuKF3zu@>QDBD8Zt!yR>w>{^`rchFFsh91@jYh(LDFV>{kaNtpstSqJ#-0-~@&(SozaUz%bf?VISO$lav}0t2RXt%ET&Z>B8k z3JVG(rX*hqCKz~aqvk`3F1m-7K#+xzWfEdyR%W7XE;p}~;h59q91+sj@_HzawZw3D zD(sTQ>FcdVR2*Az15*btUeExYMeSr|5Q?Lurhk?hyKhA(GB5z<5(}y<`#Odq0QQ^Q zk-e2kP8EB1xN;3R8EIyZcr>&bn zN9^i~mtQib2s}vanj|6_vPjkm$R!?WX6e$N);!0Pd9ufcHIoW^E%0ZR^OHXo}NX-0@_cYdo+`OEt}B2{~nxakO4%9Vi?xagEZdGT0VT!oj+{B_ZYK51>5^!SQM z&vKzdI?%L%NNR735rM7TNFr)a_{?=!zL)gyhzSqdU!BwK8Rcb|{<+pC1>oh>Dsta+ zzhZzy>*-P?ngELBR{QEe!FMX|sw}MPDJIP;25U<{p)KFgyOs}??8jE`G3aOowGy7( zm>8)ZQgQ(Rb!wdAZeK9@$Dm=IDO&TYXr3~AVCxqI-TIQ^8LMPuE?J;FN{;j*%!tS7 zWFFALXIdI%Ux__UCZcydNezUP++Rs8w-whTkpUx`ZWMwcWeEAj5Z6#rOsHocZc@Xm z;-IQ429kHn7PvJ6Zt31Boe8|B-qZ-Mc%x#Uz$DGm``oOL``hDr#OfDSkjhn#Y@}AEGd`YlO)?`SmVh8_xpH>}RUvry zZzAIB3@TOYb#GT{cIj|;1`^A!V=bL5$=-8@j=SnBDP} z%}?!}W5G`ZtoZ*mzA@CcTh4Q~A3yf4Z ziB%4#E~D3O3-CaYaZ=aqodT@kPh{M8=T!C$N~9!fij07~5XXOTM3+42?$^|wZaecAHnj;K>AxE3e(%(bP<1!hvA z1de%0TIYW0WJvx6REWet`E{r-7Ld1i1V&NYgBztGL z-b`k47rXGfRgjED`_MsSRY!K_v8acs0h+>FlQC{S43(?7MazSWM8rSquXzgu1R5K? znPlH)Yt!*rFFmgUdM(sZGg6+GJ&v2a+-zx!On0)^eCy@}kr<{(jXH{Q25YPZbRJ`; zeN&h(OIvCI_XMbtS!ii`46Xh>1!%s6zFI+FmK&YyV#Ui&7@0bOE`q-h>L|IsNo#p_ z@VTSFg*+0>?kf!#=lYHT_lGA{>M;mx7Jn2HS)gP}@Po})`mYXa^f}<|0;C>~8()dv z`irMztg343DxIU+KTwSbkm!Y9slhjCmmhE(IgJK7HTchH{j*vu0iOm}Teh?SU1=r9 z1y4tF!ICJor%)mUMWiuVM&yiUv>Kq+Oh&|RPC`5eMNt4WwbbH$z7X(=-g=|48tmH9 z{#1@uDHwa{IiMAJEd1-N@$S1NQC4q>=+Q4RVRvRm$?tHO< z)F{``vf1iEjFx3#Ws(6Gx+RDSgO zpZ0YJxCgZ@^7>UfD1fIiGojQDa)Mf%C^4&X*g(Zz_iZR6)!s7KFjRc>TdEq$1?7ZsFi{g*MmBz7S??LNh-!d{xCF_ulpx7Vf z3E$T=WUZbSwa8t&ugx2sR)rKNwJI^nOUrIe{(`bIACY5eR})=GyluP$-VgIA6Uog_ z^6Qux=jFQY7L?jrM+8$K5&T5G|12mW%PvDJpExVjrNIpMY8%Vo!}DLL@hTnZpjs_- zblWdX0iNQdb9gg;X*n9>IPBPKJtte!dd^skCg&4-&(i|;FwM&|)N&A!7Gy7<@|eyq z+@F=3Au;9F!x<6V?`Yojkx#gLZTQS>3qVf-I_*h{nA2(!LT_UFNY&S7TzUf!k@U~j5wRD2AHOv;&k4C~b_@3SC3 zX*2+CnQi0#kw26K8;yCXtX_lT)};-+ryNK;=838nO0T+m$NaA=7i;reW$))W)i8H? z+-L8#yuz`FWg8vt4nWYS-w?bt`vDWGB|XU|Obi)^2N}yzt&Y_xh)5*nD2m=KDr|~- z`3)3q^!H|`$4gSwZY_2b_Bqpmdh+PRtco7Ju-&#QH(i!^YlUw$0QU~tkva8+Jc!|G{BGL<6 zt%(A+Ix$F+i3iqu598STo{<^Qc@u~vqkPFLaFgGUG{8-wh6wiQ9cflaj&PS<9?G_L zil@qtBO#%{Enp^J7kgYa_@d@O<# z0F`V7FA`_jD@)YcufERjkWaRBy0_s|Tl0QOe}?_O)6A9K?M*u2;Cx8iP6#fYM3Vj&A6K6NR?vqLwjaMcx=wnqEI zLEl@dLx_6j`dQu-#^-ieqmejzpXi{u$jY9m-BCtIFde>wpQo!v-luIfD^En=yLnVt z#1$ce+e$RC#_z~x`L^OqaF@`Pm-b>na-+?t*L3VaO4v@KbiCgesaGR z<+hbxsz3cAr=fjXkVu#pBe?1|o(HN+S?vaXA{tepC8-|S_(_t0oqA%oS~b5&t0`MZ ztA0?NQ`LS+W?z;m{~0=~I#(g@!vU|!T0DDXFBU+CZ_Zi@dx%JjaPKR)-6e*B$k24> z0fc?+QZ(^p*WMRd#%nG27f9@yziK2kSR|3>H8PIDu_B`qyKUnr=BW{Nh=|~vjD{rS z$13!s>@!cpzPsKvgR}K1xrAvBhn%-I@A}m`?Kz?ax`vOkJ-?Q&xPxABFHYSt`Nqk0 z0?=#Lt%tw)Hf$t&3`|Cbi*4mi^u=W`;mNNs{7bTz*1(IRyaEu|vs&AIVqQqU(QPd`*kgKV^wsC9*7>ow!d-T|SL!6T_O z!pNG^W6MlrWifZX5*0L2#o!_qVmHp;@KP0%KcC=-m&SlV{)AH)Acow1i9?P0M<{v_ z^Wdlk%#kYN0wI=$UmOpZNNM>e0igIj;TB;W#3Rv+m89pDYeO zXZE%X`%&>zP~74=Br|&f{+0i4L5r5gLF~t0PlL)`5BE)7f42WT-TlrHdR&Mzp#Ohh zawuD8x55wShn;`+vUmqV932)Gs=Mx65%KmX`ic%J|9sY5T9 zinydoA=Z?8y~)1aEOzI$Ru%m$6h}EtXpw9`c?HF~hTu1}NQ=%nWMlkJ^bSTsr(4}B z<~@k&wik%Li_070lu|2pheXX-EVE=`oags`eVLmvnQ#5ip2HQ|?(d6K9`xPq*w!s- z>)RxU-^N$#$2w1zf1;8juI$nb#*(QPWaSb`{$&~2sY*#K0sI@Yi#Hti&SEYdI{@P~ z>*C0c5pQ*pwECJLoDd68d39c_F_OT|j z*z!>NSA%e3ezhRr;8>j`Q+ZY;VG`9yJ%cy>;Z_>dYVSuVn=#%ys}hQ&#KQ5*)|E*CU}x4N&6C8qzd3A>;X>t`TQyf>vE z7_b%UM)QzoxA7_>%d#^}yWf}fEL&&eRtO3~twUP`*Qjh& z3!@8km7#AIos(uN4i+kq9s?~ui_YUmlGi3WVZot75@?T%b?HCDQ*3f|(2(Es>7nw! zS?-G~@%{OM)lU7)LnPrO7fClHs+6fcoHA$v;e*)8EF z^g7V|d>G4hVZzfp9>b%%UTAd?jc4%%6}Bq#@CU$R6MpcUUdd0#k;S%c7Qk-AuSQ<10TULVZmU#w>Y9i#Di6a#<%Q~PF zRl-G0DmiChBQ_;G6Ie{|`R7_UhaYx5zWqI!!%$w4?zdam^jE27`rQxyDwrm|a{PRx zbios=#92}snJowwisKa!^xvW>n!olqQVcoz(O}g4{_i%#u;{>b(G72KloBySzL-&swgS5M87 zu#v~h=B?D(6fn`^3?QaxH#Rye$NW>5eLMR5Zdx+Ubq&sXyRbcumMiDowmpG&26#l2 z<88j7@BX;+snPS@<*kN*{M%J(=j7cv>gAO9r{e!Hv;37y)Fe-!$9^mE=!6`Ei3w^g zO}PJVZdXMba}5u@ylC!NXg_oI7OHmq`l3S1d)4FT7l0?;IQgLWO{LReFzZI0F*)$a zqeAX3pv#;5V<--Rw_t%)@3!;Y(2*mtoNdZrzs&!H;wjL@&;r4D{(y~3 zq3tF?UjCQM`*`w$SS^VCTUkx1!n813MaTsNqjLr94>7c3bgpMvDqCtB zw8}A448M0j-G+Lj`42OcsDR!qvo7LK;~Fvo9+KGAS=IAqJFm*Xn>)tjXQ!$wJ|A=+ zr{z)Plh1xo?q#B+xe_yK(dF>*58@KezFHvX!}vy5nfFC!H$h&YVC>(D54a1ED@Y84 z3f_+5ZnH#nSf_yML_*#H@38N02MrQu4pK&V4@TS3s|m9-W1rz&>8o@arzclF?mdQ5 z3RI?T-rgi`Mb=NyG91~?_7Q^|+8U*L{9bO${82P0sk-?-^7nY+jTfp}(5(}ve-yT5A zl2g=fIH~Xjj@ISBL80L@8~GlzyTi*~>=ioL8y^2wFQ#dN*RLezr%r+4f)9~&IDrfH zlu}_I*Se1NK4KR(d0fT?UU_{H-m?JC;xCY)|Luo5BUg|v<5RuW>R*#&-bZO)W9TW* z$Pnzjnc9qu1yQx>YfSYq24t+>JQjkacQkFF%mL#T*}T4>3AC1R*C7P>+6j-}!x%4{ z{O+v#agCbG*zajw2z9W|&3~coUR?}SHxkB8x!H$(a@PgU>Hmt*{A(o=i?C1{RpO|Q z_)Ua=GF&Kft-Pa_K(+;X!T3{RKL6ySDbz(WARyr~hV9i=$jXZ}6T9**Yr6k#S}IOk zoa1V-@t|@AMuL+;mh3wl3K|JGQt~&nx{r)M`$7|2zhtwMw}tQ;aCaSu6UJ8gv%2(# zIvF5TKLB1PVli^2wEuJ03OSZK{)rO=tVI0_cB!!g{JsQjH<$Ghd^sW_LgP+h_g8 zO~npmw7ZBWtKY3RdCwT2;+UNeH1ls48;vtNK3#VAlt>MS3`|4L=(8O<>SHfW{(W&E zR{oYuqUAOu`P~+xoXoLJ25m3^#kv>tFw_c8p#Ka4{?a5`2NS9C{zj*cW9;~k_)G8R zc=5XWHLe;PJ>B~&Xo~*34=d0mWVa96J&Yb(({*j|`c7>NVmhza%K!f4a+#GoqxAOu zCSp4_R-3yG;J8>!r%HVymq1?$vSr(9WtwO330*zkS4?*ONQ{FN7Q9{lId;hg+Nib})LR6Sha zXr}YI+-qMu6J?doS5v7j+;rF$BXaETX=Z+)hT{|itjR?Xe)Xc1XNT*>+o+* z4=Bsl^uP{xNr>;SKZx92@OJ(F*&7q=}z zC3G=9DWdf0hS=4WEWjX#nBeO^llL%907%hc)dsb@Ed!;Y!ULaI` z&m^O8%8}ZxfG6^{Z~86j;Xf*!@#N|H@U2gPEeE9e7EdyD(t4i!Z?Yvv*G#(L%L?th zOvXQV)*}CM=@f-5Sg1|EyV%A<{iqZ;H?wp`po=`awrspR`{T!}WHUVg=#mgcwE1e~ zIC7L3kpcKEYuf?t+*za>8wC;nM1U76f7;IW5bMK39!DxMY!!8- zJ!T!%{u^vLKxMJ(Oo;kSTN&xIssyjAIO4ydE*nVz>T*p?d+>Q%UVS+iid2e1G)cu_ zmNXVM0U~zDW{mW_P*?S7BQwb8RzUijT1lG>v>>pZMJQP7_YYA^9>!ZuL$I=LIiibX zl5-`Him5C+o;#-vtGs%k0%?@AmHTU4q;RI2w*3cbLkqInStfkz=A8!i=J(crzcc<+^@ z3U5E(`P{i?3JQzbc@@IR@C=-}7V+Rc+@No%@cX>3y?HcXx4eZKM1M#``R2>k{fZcg zc&uJ^gw&rdlX9`)_(&xx4k5G#S;&M~lNF&DZ(2|@Z=XZS zscl8BI`Kwf8za)6adki7QE%rEnCn-GK2BYc|^>1WQXzsb#pTV zl#4I|#EPI&Q#(3A>ksV6{z^&G$Y{K_$%i3T*h5Py>yf(8PxfLfFc}VBve?pK)kit` zQ0lmZpH1CoDD4ngxsh7}@9t`IV^Ui&R@yHEZMI`QjYAWzu_;_^MizED27xut_Lxv2d6IYn z5>Y9$tMmWD0zX;IsI)FVGlM(vC^0 zpTO*%&|w<6yq+}|`N1)b{(xB$;E_Occ1f$(fu=)QsDHXayd(O3iC!rMILBKh-47|Y z{jtZ~2mRPGaeqp*9>cu-gS4!MDi~S9;X|F?91iN@(8v{LW(ccrjWfd9m=8aIhq$4a zH-z=mR~mdi@T`ICvlmEw2w<4c?I`6=YCZrAI?Y@#!fkaEgPN@2x;`9jLb>i;=K(%b zPjfwYH=MmAHst+%~zI&@Y7)g&Dtov#eP*Yi=2pI}#m9etA3qfPQEyr<46QX1p? zznh#>gvh0G3;^Y;rg%5(t}VP4(R%Vc_!feG9or^tDf741Osa(DU~88HdkZ350Z%?~ z#!+*n_cioAsHb055NKWEhEKHQhi7bpsRip=l<;1g? z<2s*38H!a_0V8ZrAbStAQLtiVG&YQBaYXDSgy(lCVyj2r$r0BgSTq+_mB)wYSovsc zp(+=4jkEtz15uCg4&mmD!dwmZ)OSm14vsha?bu_l)qD7AmH$*XR9iPvHB}mnVn1P# zEq5)PS?)c$)OTDC2#frPxF;RWOMR^tH~7_97$sbg>dJjHp1P%8MROm41qTVpY|jAs zM&Lr#ow6fUKaYIN3nc8?7`$_V6;q(=AuSABFz8o6Vsy9&iq+hlvUSnj*)9PNho>-q zX_vV1wGq8GNx4OGv#EEmPJR<+6+%&IO--ZJ0Gbf&ucPO%NhP889S6wBL5yMDuo;WA zjLileq+$vatg9jOLu*!ovOOu-=OJ)ZEkEIXk z<@n7f@zB4b4C|h&?$9QDv^x42bsB&sQA#9Cn0z~Ey5sA@`bVXM|l6&?vJG<98W^-}P{AAH`$O|O@!T*zSb1dfN6divxoUl2Mn z*it6=F3Gav1bsToSH-r+m)zWt>#yy59^}#2TJ#3=Gc{dA0O>q$OTAw(I*qp(5{L2J z)MbrFmNfn-cT#(dWQ+$Z_~2D{;PuXw#Q&{3Pr`f0(VPQP3C zEeXM1%7}X+H=ajVd#$(pnH#o<8AeiTRb zmHoP&wmjErAkwpaNFZ+BX)0u(Hs5*Ekfmu72@kHcKBsMOmw_s)AkUL?!3;!dST`56 zj;u{uvRVL*hW?CEU)^G^Uy>)9oNg**-}>C_g>D~P4KO=z9c$?0bv0MSw;Q>Dbk(Jy z(u20Dt7ePE^QtG`nQ`%wl*Y*rK%|qfY==L`Ih*~i*^KJ;mT(HyK3452d0zz z?<&rbN4L0POj>P14wO}p{dYPHpzM*CCADt%nO2XOiyFMTPYVaxYc0fL^1e2+mW%S!+HrtzM(L^+u5wrP%srE$ys*4zTCO^xI6>ijW9cLw2j0>!_L-PC70Ssb*zg2i7(nLv&M?40Z^V4*WIL zd$_&BJkzDUUS@aZYC;o-KDrizErXZT_vygN&%se*)d;6bQ+tujMO#rV~R=$ z$<)I)>L?u_wK=%2wy65(P$BGCFk=^OQn7mOe_`x)}_VWKIt#W=}>eneKIX z^>>=-jadda67$UQd8k)!aRSiUYMGO+d;@OY#bK~UFruDImd_m22T%8sSuq77!Yk0t zR%AvbPG~mlg3X;i+EHrMFy%&zA0?lU=IF=U5IycthVO@;h;d-x0GGPK%=T?WAd4c| zffwL%PNC-D!9m#*TL^|`Icpj&zbekP3e9<@iHVK-l2-59`(O^5>qm`iiey0(bbzsk zGH%r3W52-d5F%LN?X`WY>0O1)^yD3&53jFilG0B z`HI_KJMAfO-2RpJsLcA@;MNshY5%3})Cb9{g~TRvd{T(f2icEX6i2CN2hsH~LjgUw z6+P}`sl#4z#ws(eO7D;`4?47y#iEj5Qc!xv>1 zMocXInfMv{BW?HHYRzc%}MeQA)3+t|c z-b}io1^$XlX&4WHO?(}QX^8JTiFb!jH!Vf&c}nuJ;yEvp)utMAQ~=kZYrbRCIlTC; z)FY}deqJvfR8-f~bLsV-3iA}&EHPWOFGr_8i-GnM)JEM%GRf#msW#m{&=%Q; zwqFg^TO5F3TkF;c!K67e9%BiyvrA+n5U0k14PYu?Y0e10cK#`-a z+2`rEQgH8zrOQ!Z09h7j#j<+>=z#cU*{?YJ`3?tq%hF(4XOWaqipicSkzR(jH3%cS z!aN#rIXc#50m1%yZQ^VIT_w?vr@o@w(%Fe9#<&}!nz0c7us6{2k4osI(AkZ|RkLRHnhBjOg*uZ1Skf63%VlNzeXa=>Ni8cVPNgQf#WQa{+F# z*00oM@xehi7f_>(sdQEb^u3#3bME;O;8O^J@ZjIbu6+>&211sfkOc!Jm*EGg~ zD?q9yAdHXI;-1p0xJU71_{u2zmHm`yxUby~!VC7t4`-jwA%q`gZEDaidpCw@VI|+# zG4W5=S-X7!dBDZmQVM~qq=Wqd1Qu45F(4UKVAk%RWqrc3M2$5y#n@Svr}*c?ttLhg zpJ#NOg}O?#l6ad;X#qD$>Rzl5!-A!=cw2KB%+%d%%F6tQ#T6~+WUDMTRkI~yU@vnr zw`zG+Q5iF5D#xwki-qYLj2X%^9sLB^2fESJjtEde$5vceb9#4-b>`EO#THggDj4;D38A}RMj?=Fe^y*nbSt|^lsN!fQYh>u4iuA9%oaQw7 zV?}G|CYcZtD+`L#`6$e)(eO6kg4LF8-irBpsxYPrr00gw#3;=xDlA8vophPTL?R}v zP};Vb#_6mmROY+rst8q#)EjE{LQrvQx^kXn*^B5k5FVhxn){X3H!0yf6KN3u)1S%ZAf5oj$Z7U0eB8D-odDz?D(0_#ZJFF&Q=4z)|nG-n~c~n+9LiZwiX>FP?yd%BuN;SP!k4wl+)Q^I_P1B`Gcm&gGL33> z`rU-CbQAPlzh6@&2cPwfxf*;v0qs$+rH#`9Eg zQ5n&yi=?9&$Pi@c#h%p317Q}*L`%l!tJFn*&IKXAY&4hn)ct%#YuvnCkK>h3-SoJW z^oL`eee4yo2%1lcL!ePca$I&|op9{Ci#wz-D=zO-B+&yr_K<$wE_K?;{>fuDUxQsS zRYH~Wqm?X4?+SN`y7TN#Q}@YAaOZg>Xf#2YugRYJ>+@&?URXviR%@)JkT5jA9umkeDzFGus~RFgG$mvKOQiN^Q`=Be;a zGl=*^B_2sPB%~fME6Z72i*ej6-^PNwNB7>{WM;~y%SdscqDAxfT>0MjR<5R*$~!jA zLN$Mfw!-_0R0_6<3Z?Ed+=iW8|9FYEmNt4 zx+#~{1JQnNr&E{4=KO7p@%Ky6w$3)ffn;~@rthbFQ7)VP=RpKBKPAtJO|VKlO-cZm+e3ct zCudQ)r!2!xZ2Y9M&wZK+y0|^U0@XJlV$aU?5#q267lz=h5`=a3&dX}C|oB7bTcp% zr8}H~Zx`}zoj+4Nx+b|sKTEL6Qs{HvuDG@MTIqfT-k!bS3FzcX3t3&(GNCkt;)3n+ zf3%K3YxrBMlB@33%ZzuJ>xV7dR$GI^&a!32)Y0Ie_ov{8>uuJLcaP!1PiMk@cR#uw zwuK+|c)RWn2Xnd}Zr1N^a{?Y_2LJrJJWRWcyS#l9@Q3ISmFs*EOZem6{(8V;Z_d-1 zvCzZi?#D+`%g51=e~A8^>HMCs#N47q>aXX&>*l_gVko<(yPqayh?U`516F%G&jZO7+LbUzf(h z&;EG%Z|4B3UDqLjFLyn?(di(+QC(1V!g+_04sXEOG7aXNX%zADC3VCOArMP$c2xbA zjw6)i6#9x_Sdfy+@NFM|y)CH|QwYk-?b)^Go9=@|;6Coq^VpcfZ{J?@2)s0Nqbbi@Udkun>X~;pv2c2#yXK-?e9wm#k|@m?)9*5rUwP-n%s4ncMquArUZ>$={X|} z-VsSw{f?%1vlmU#R1&=lvfT-4*8g`5Jm~<-P{;ohID)ex9bF6`337 zCF?UJPcNVWPv&{EgfRLxQsGUQ7H zsS}uyWSem1DJbcv)WWEz4hV2cSCeKpa))x@l6U zF{{rGz%UYlzGk)b2hj~`=2s5^h)v|R-|k2|j+x#5%swoGq@AnH8{Z?g1fs9?iyT!2ZFl?cMDE%cXxLif`*W<^LyX(o^$TE)?MrVF>9)N zx~g_n@2c*pe)jW(v1?A35+pw)oiirsf2?TS@Y19ky8Fp5Fnj=4^V}ijY4Pz>hoOp* z_GtW;%4JP_ON+Ff{zS2$VO@0pTHqefACJ+ig!|X$j@>iUFYo;UVxsndxZ?e1mw7fBy0PYnOz8gaqqF^^x zrAz|v@T;^tvZbqF$1wroLpEK>9ophA^qrs$lKJrKmd5(3W@%^*1Fw0Ke&=TnED>Q_ zH(YLU@bp2D%6HDQ_HH2u{>@JpJZS5inC(^vJh`o-HX5spJu}+M^jG*v#W%j&6Hela zeW9MdKk$l#K(*Tw`h04?s37zqaa=cz z-0J8Qss_s&%wOE12B;Qyc5db@2NvpW|J=d z?DezYAz(#~2z?^%!;!Grg%Qwu|LSYf1Hmm4H2+H1FqiJFY6#-c8P<@TDWyXgW^S5a zw5-R=;f)Xf=3-GN8D5`cNk;C_ng5XIyrvuSs4Y|81rG+zb;CC`Ytcy5f=`w3Bf=b7f7cKYd6Hh8*9#4*yii{s?kK$P z;Vcu(!P@VjR;i>1p0~7&-30!hcMi6czUT0-8*NoT(-gnY(MGpTq<{2q95O|h!V6ym0gHu?P*?k&fgIy2~+)}a#53Pofs z3p#K$lb@SkXvY84oklnb^XF!6vwj zw;Tdo=T(0WVP-B@{ZDT1!X}D1L4< z8`uiQlw0B`sK&>U;Bx$|nrg~=ZYio=weq=Wnyo?88~j~qNCfL=x9GoT;T8+B#jT<*_pOGYuD2;M$=;&^ep{hED`D(|R zsy@CbFu^Zi)>ilAq%0~aZ`LN!O${&r zh%T%bzPZ7P@q3{$J>{>iHEev__>IGZA?cxItsX?Ki;oSJ0}#GVPs6AzuR0dg*cVBNYxfhmwr?0+wfw3+ zKZSM-7TZarK2IBiKlGSkE|T1B!!DN6N1DR2RX)Z|LaPjx*3<>;Ij|I#6UmNXb5d-dirkCaNKG$v5C%RDv>G$tAjDRV^VgL>1A7a zC&#rnP16y0YK%|WKQEVVtNf#nkvm8Up{27(PaBlwyX=*Ki+K&h<_c)`u!wTM{S}W1 zNxTb!U@l}pGPm{|_jtCZ(^ctq_HxtQx*BLrU7e?y8@H4tq>Hqo3YQl%6AjVADJwjN8!G(ip0zKN)lWjURo{vYP}lm!RqLp z`BJsdnNIwTEs)GQ%bJD3y2QM+A{9|V64DBNy^EcQ+9q5At0#qhPg{4^@nM)gdQwuN z-PR3@5r?VQdwvg@>rAD6e+W%phw+6`M((i7)|dBM(ec`-9Bw1esQp_XIr$C_M#l_~ zJfbyNxdqPjdrP-D-q>>d^6C`MX`E+gaO$-E)uAnHHpS(#AV!dIWRn!N(P_Ih9i;fe zWnGg-%;TR^_Chn+%It&XMe>2<>9O=1xw;OalKHLE8OF(gBL$2I*2C(H1ZUj)w9-`+ zM`*k@&M`Z9>DiwM!(bi!Y$n1SMb-3o#&%a2G*anl z2$=imQsxqszi?X=7_&RS>pknPm;ka>OwdtQOdtThC!({&Ku-9#bJ+59<90>`pY7>i z>3dIG;D5hRS|whwna+dmd}?Yw{o zSHpFuy_+^j(?OaH1@UkQw`~eaGe6dRT z^9F3j@VVcfPap*i$`4BH3$GgE8Q;t=y*XaC&yl7)e4cqgD>6$ul$0laBUhVA-#gOo)}WI&cZw~nj#^s1Pf2_50PFJn ziFRw<;1~3Uv0?TI^aglp&t*>Ig&A#C14Fzsr{81Yt0JKK!9j?wQo5KzfzDDs1d! zvE<~h!ilXj2qTk>-K$dw7J^7x7hYHFaf1(o5LA|pyp_bQr3YmHgt1PRGyXhddTg{B8C8V2fU*myt;to*&;GpQ262CUP+7V?rM~lW*scg!%jjNMw0fyJJ^(p4#vnf4Vo>DWa}jXWba?n7tGZZEe4 z*YXc334+;zsxwf7#mGYtCUP_(wkejN%TCi)#~xY2CYH4F3>LP%nrrk{ZAx*{R~5Ed z0ND+QlueWZSXsF=mBU3VdVAaL(Ah?~NxIv`9>ij6P?pMJRS<`)?P*l$#t){ulNI$)@C^`G8?05MiaNL1Q$ATd7R`NXKHC31Vx9Ws_p8SpZ#B3KRSJeVvy| zKZgCx#pstbM%G8_XlZv$S|5#r$R`3?87-zwRYj@)LRSCFH`A2k77jfZdGh;ZPIl;6 zx!*gT``D{b|K4~(UsOthU97(PY=D^+P~kyj>+vp0|ChpBM0+LL-M9Mg4f|YXO0@qC zFH|`!G^M||i6Njqz2QT+zVsRloqab|o3zY69&aU2H*ph#Sj?Nlmd`oFL6da&U%%e} zD*>2scGSK{fF zV>^cZ60!1(7PU6!e;y5;)#m~HZwaI;>y`7;){AIyz9{t$%X_8$430MG5I9i$-2w2h zYNE!Z`~Q&xoc9cln7YPHriLg>dC($+uRNZSap?an1o->ETjLmgX%m%;^-d|7FWRtuq&Q{>!p|a#l%C|L*92%Ja$U zTN+mry|Bo7{4Cq*R~cLg0M1bx{Rvn=%|brCfZU30((&&){%Hq(3FRvI-Hhe-I^&~~CODf$u{8uIy&s*tfF8)fW>Upkx>c_5L#q)dNmm_M$!IT;& z%ATkzn4#bLzxC$`BBgJLEy=(2Ja&23j(2}}7awdPNnt(V-wqu_CTBNb`B7k3s~Va8 z54$I4^L4{)GPRJ?*Sh{fD8wTHC}>f75IdRIO%!LhK@hpv@oWbg3G6>|h&^6^jIA3< zPT_#uo^}wMY%k_sdKq2#UtT_KJ=pLWSUGKjL3R{OCPvKrtTz?K(p9zz#d$YD*P$mW z2lMblg>wucnxe29kX{s)8$~EYorjmI-5CUT(k$G@41=r;S@T%wecgOLhXRl;v*XkS z6-k0^*kIik`8T2!Hv^Jh1e|2~l}H;gZ-U_-rYpRwzOc1wg5T+mzeR7%F#dUBG0m47 zqK8nM9)!aw#cVz?5tdtorUN?>t3167MZ4ttEZtxP&J(@W$j8TXMe*l{g&waaD$jm6KJvm?9{6+sA^i!bX5GmFtlPP2-^ zn)H<_KDmSBA1{|1zia1F?I4X^cNw;7j9~V0Q;XyxV<-8BWK!`I9w7TT>mHkuqtpb* z5n`l5%=OP+tVzsSL_!WnW2MHYwcfRZT(!NJMRT7XPn)2{D5Hgb?|0Uk=t`Due<=Gf zz#ZZyjw_CHrP({>+hyfMwT1!H1CZ_8=Ww<0;IC?+(-8ikjFBI6T_^@*Ap z#v=8oKR+PrD3q)F6SAw@2{jS2m*BS^nrU3{*?HV8F>>>q-JiKPA8HyfYn;fVRxWM@ zKCxQo^rK(LW~G$Ft0sDUKk`*^gd1WFe3Rflo@3rTKk{Rrrs!kPtjLRS;Gil!mA{d9 zIZg^Ys!URLI@q5|i zOP#qj$A`DyP9DM4DDXPRfvM-!9M zsDs4kAC_h=jh77>T$T?a8wf5+6=RGIxe}cY8#q23bx2P9LYcfk$j$XZo4lYqv}8T3 zGR?Q*__jNP7>!0!lyPRv>!^m4!uSJ^;0B9a@{+x+A7{*wnO67Gn3q!RLfuYkMjYYR z<3?3EGw+d5t~xS`I=sXV$v>){)ZLm@v!=&ry48$EMLcBCZXi<-!V@ihW9gj3oresK z@H{>t5B-*^Rf;8JcvY>f?X$_Jslc-~Qg2d%qss{2M;ncn#~$&~v?(d4tYrnN%jI%I ze+w2^csgwTUQGlOGvz#PU)+(87&SOCu-rbBg>UxWSz8dNyD_+0#45?keDMv2@W%pZ zv62|pygvII>e$;jU6CDTH+}jH0Dc9*aYk{EOKD)G2Kh%+e5Cl9`ITQ}-t#lIqcxH~ z%$3a|o?7Eh!w)^MS~Age2Ap%GSov4wcL&vnQD{&EZYZOO#O?sep7@yQ1}g2CR<9n; zbo336uapeo>bx9$Bh%sq!d#>Z=8Cab&rjxxh##@A?)w{X+Kq(DWa3U(fUt)-+8u;B6EC`12c@^q?NEEC#_7iNC7lXX zrIF;ASU`>V@N9~kDQF_Z$d}+JolUc+;B2<9A^8J@2S*$(+gNEMlbE90Do`OuLF9H~ zI5w+Or}sAi-Nj^ytgm4EVz6FjR`ozXpwc$|~k zM}ERfRO#sdJJ=0~8#AkVgArveo2&4Lp68D#mW&x$bderuHx_L;n;AxysZRx+X7x;o zJ!Bl&ZjJAZ?D9&$6C2BXEFHvrc6{#?r86yLehuR}s6}MAwy5v=>_|!E86?zx9|@1E ziaTfK*M0WK2Muy`Q9qb3QqP3OYmg@tUGVH;#Y%2j{;=%=cubvgoG!N+;JOg)`b+yJ ziBIu8D8n;Mop@i`hJR#?^HYQ2D@fh>c^1)B>ug0_&&RQ^gH{D4A>NA&F>p?gYCFw&|PmYU}rt+34;%0EE7r6)XOh zf(ms6%HvktWC%BbG1(5utyQ+;xS&vhRWR?YXp;hSbbjWOSr~U$dY0H+tAmUSk(??Z z_Gq~jY4n}0qXL>ot?QtHWA(fX6`cMVk;nN(@fmm3js@+QuxvYSTYsynQ&TUd@EbX+a4fc@rZb{){hIjGtL1c&oF+9AK6h1I658^=$t%vjJc+CwyiO<9;|P zM$3m}8Q-LU?1Md;TwMyON}Pl?n%ubQB$Uj-)6X6>MVfomg6HjFgs&aR)nZA zg0Z<2dbSKllq|N2o5SL&Rx>a_>Nzh_Lb+aDv^tXqU=TAd&TbB*MMguNM5 zsfYW#Q~-~nbBi(egR#^(0aTuZ@FzE>YWJ;%P>idcGIKr+^WL{4(++Lj-sqWM)a;y7 zbk|XMAbCW3$j-*T1T42?UR>2qwd+f4jevLS#`(o@qBstYoq((JmdT;Q(BVZj`3Yi- z(QwgcyH}J+15^hLFEs8Ov}lY%{1SoSUu9d)-0p)NYoJn9-hpQMs)oH!)p;VR!M-6H4nLpmPmCFNyjs=El6Sj)+q$>qfGzhEM zus4tf_w3qv0!M4b9h5|MN6SQI`>ro0!zSz|_R#KjIdP1A4$Bi+Qm5OeO9~~+n38by z>XHsV#7wED?3(T$w{td3<>X9Llf$Ch#gxg!fP|jzHzdtQ>@5q zNQd`^3D2J&+EqAOyV}whFyWMKUofadS;?kHg7;K(;*bw!N}%lv%E=8EPx*QwhT0()*lxJI$x#Rnlnnx;$>+!KqqM3+l%`82cTxAYT!RB<)(#;7g6FW`DV zvD-hTgPo0V(Hy9)Msw9%bg0s^xX6A-XjigiEMjYzQK)a>T|_08IT;F7CKp+T4w}qoH835Rkqc9q2!0=G*N<#hOz!Tj2AIuRUZa`{gB&3L;_d=S-KS>-QGT+ z$Qg9WH`Ujvqag}M>3i|FXr9q$68iB*s&4AO60VLD`{w6sFH}oyZ8R!Cbe6XRC&kmV zxz@2(8)4Co+g>h8l9Q&Qs6YU=56a*OwVN^p{ACK@ni-_ZC_Iy2Q{Z6v2fi9X1n5U* zZ*XEr46U=U|Ql>wvs2{7T?bzUhzdFg)Q3iYkq>7_t>e@^>3~|eofm`J@DMR zlHx%5E-al)SKH-k@7l@(0az{S2tetAIf&HZ&pReAd4wocwp81<+UYX^TvJgssD0%( z34j%(Z@8*Vi|AUAZOh!af-(px7i{+B;NS6J^+vY$=pHHSumJUXxSA$UO@bR57G~UV zIMDKcpLbrsq??nFW>uT5%vhF`DFZNKP+ezXv1mg>T}4M-ive3h7*AfY<5!klwFVym zJjG}%ZoB5p!^WQL%*4N{t+9r`t7#Wg9J%lpF)rtWFt@ugb6Vm|vRmL*mo~=&evJ?^hSTBF}1C~iU6?*6LOd1Su>rOY4f*-m5y~>vH(hD$2b(kXj%u>&8tF;uW=BndysY3XpNrkGtoY?ZhS; z#P&?h#O#Xk*zV>_X9U=`!IAg%%k zsLZ!v1|_#XWr7?Gx!p2TCmWn;sW;G4}=W(+KG?-Ixl&hu$niP&a9h< zg=@bj@=$95!YuRvG%YP$<05CnR_$%#&~&5+tw%%C`pha*b3@vI<+YGo=i6?R^caEM z0X>h#vOAIv-Mg5{JHfmPI5gJ{sK2mW!t(KbRDfjl&M!^(eQqa!L_7(suA4Hk>Gaj~ z;^FMjV(^S5k81@{76kXb^V$PKI|@7-7FMR;!aDi{NhAvTr*7# z5}Q3j9R1|fkSPJ=teJIrO9WxkH6p_eH!!6LiPhYNwCzxTY1;p0ZMuW1s^eUMgjhI2 z7PSZE6#!hh=LPY19p3~i#+KAjjr6_{UtB=&))KejTYyA6vPxWBO4meAPrhJ~3kTA^ zhgKHKF*igpq;6gLGRh-0<=v_%UB3G`F_ub;UWC^gx>a3S6)97hT4I|EfVv^d#re*- zx*@=sXKU`0WIDn0GQtP-KR7ICLzWS#thB$m6rRCs1rq|=6BTLaATtTBAK!R zxnY3%aQO>7T16~)GdOwFpsHLyS@L@<>Hb~vzQOOjcIC6Vi0&Q!F%eRyXr+h@skiAUrNQ7wR7Sd9fGH* zW~-?tK#_jO{w41|ju0^BlnO4(kzN?gl!7;kRn@2Y_@RBq^FufgRx+rl8__-8Q6QAu zuA_m^cbC03lJ8gMAKw*y&DZAB+;{Hr58}Ta`3l~x&o>k);Kn2-H;mHyYjymrdunkh_2kDY%{Ts)v-_0Taw8N~L6`yXE?%AbjndG2n<=Zgp?DoYe8vA} z#gpunAd^n1(aAx$#AfyTZC|+QKx+yg#w>N_OkJBb& zpsL)5fc)peM(~%GhOejaa&xdV-v{n_Ys8_mCL-_wetb; zOywBrvDTXu+vL$xE>Ep9`(#;MzY+eH<$OzBzsjn+dnDUf68q%RC7&>WMiDe&pa11k zS=&DZj0-;+jmC*{?cC;tjAR4IM@BbQq}!u%Ju+n39G_D#OvAI4sS0jCmT8FsOpe4& z40J7FKs?m7k6?2?K-3(ldETHdeR#-nXMbo>!B^4ZTh^w*?b-XOY;tjWy+z@?NaJAi zkj49m&<>{?3S^WDNgRP59_(?Z}pX3d{9{c0Q6 z-b~n-N1;0RiP!Q*bSQ8Z${tMa4eeiW(h*^2`0*9@b z=n;H|I_V$x9W1jxnl)>s?S+4++nGuYkYA062iQ8er^hfxkzG^0s zD%uF=8eiNP{^d%`@>)bY_Ub~DWP!}x>3mHu8pCP5qTrP`+;-XTBfc9XO+EVH*tLoA zH7lm{HICmB5NOr%X06oKf0%n8PzqxR$VwHKm{~jyhA#gI4AN8^0O&(X%$n#uYa>6q zp+)!1>?g3J+9J?X)mf_u%@;7$T6w&%YDp*B-aK;; ze*GNm)y8vA^K}ph%U7f2J7^94XUSP_ZO>9Nj=Wg!a?bf_JlEm7WAKPQ5<5I2V^Vv; z6K{@P0kBulKtKGhvhs_k z9U5IAuyRtlbc^i&;yR|T9=|BKHZ$mXorb!g;@z$UMNG{6U}94QADz7q+`*StfRIPB z5-Fd?S08Ts-YqAJVj9)o3hDMc+48ZCzC^V94xPGndZ{;yikpGlj335sDINVq=?<9Z z78UPI%Ab9u=5U{P`SA3*dGzqbX-l>;r$!sgka?@vliRBS82tzl2d}7+x_Db{r6i|6 zl_+VcsJw$9c|*Rn`7r{oSsOJy>f zoCBWB+}&+*-T7h$QXHR^6Zujik@T4E6h;{)S!kCUH5dIRIeP$xg#H9CfuzXPr^Lf$V z32bv`zIUNrXmM{|emWwa;1=(q9%pP2J(&G%d+G4dRd}F8p{D2^k*^v8p{+g(U)|YDpklIq&%2pl3%eQsFwOKdA_(%NUbFHp66 z^3n&h2EWKVTrjyej=Zhr>zkjxRP%&sTOC_)*ZAfCQc7mV-7v$NcK{zdV5kn)4SsmFfxrndK37u)aHYQi(B^n*NTk#C zSaW*L_TL#9kMX@9I(wjih)ceY)u#~rE`&zVaAV(z`y0!qHt}#@QsIk z^pz3~?aJ6w@db#Zr@Vj-tw>%Hcl$C%#|wm8?o@XaFmtNq+0$qY*E-n))dzP7Ra@bL zuVkS-Tn?hqagq7lc4tzFdn4jSdQ!G`4HW^*RhXNV$Pu!PTrr#*2?eR_DI6yg&s<*c z9aOebqj+Rb;GmtN_mI4BY#bsN8nrac)w-fC{@RQKjFPBhSX!(06ax!o_xZhoCR#X$~jefL@ z3qk^`8-fs(89XI6=JO8YR?2P5)K?k`sT{aDH#0yqd6quf0Fk}JkcA7Q3DYMJ;KAci zZzT@Shn~P5e91XQUB*2uK_MA2hv;{P4)sucbWB+9{Eb(%#o)N!V!WllhWa?=l9Thn z>jLa zr6q6q?oeB-TAUdQ-m6HGO~%E@OK&Z98MB4Zh(ZPf(hD>F_+|FtR|3Q~2PrE|azIu; zhiRy-Wqt-u?v(@W{=`W4c}{_7FlQUdoDL_xu2CP$p2|`Zx%pPWFD+nk1G*CuYrkMKGT`+4+9#R_hV6*8>2ktD097`5WU zTMIK0XqzkH zb}GN@e;nmUq4e@}bMQNWp|o;ySZQ~7f7&roCC4ue?Xqjn$LX6nfF|=!XHPeC<$fH z)MkyBt8*TAD0Hhny~U93dM1w38f=g6n6{*J#eZshgxD$*INm*6>QXKpT8L-jG)>7d zm;HoJrxFN8=flX*TA7^w-K96@s!|;ddlkox%b!;TFl|6eJ^Lme67}i@avRh$$RW0G`^oQEb=|%)xyv!R8^>+fa1z>Ua7;DMn2>3P z(SbH$8mASm*)kEx?QAO^@ykr~2eu!woUE#vU_gaq?Yo(dV4mdm!Jt0-{t%7d|L^fS z#L!Mg0Wa6LsR6GSOTsTFe_jvz-W$CxO*vt7zdYpLL!p4jm?`@!qnar?`QPbwPpQKGuMnd@FKaDZn$8)V z=oiA>F9)ex0f|L-KqyfSY2XlB;u6p6(*@d}*hK9=OMhS*wDd{hgbV54)&yZAEA`Kc zwsmhRYk$VEj>I0~ahP#e|5(Q