diff --git a/.gitignore b/.gitignore index 7012ca541e..57f9e1cb88 100644 --- a/.gitignore +++ b/.gitignore @@ -29,3 +29,5 @@ nbproject themes/* !themes/HumHub + +favicon.ico \ No newline at end of file diff --git a/.travis.yml b/.travis.yml index d4bf56b9cd..cadc71d72b 100644 --- a/.travis.yml +++ b/.travis.yml @@ -27,7 +27,6 @@ install: - travis_retry composer global require "fxp/composer-asset-plugin:~1.1.0" - export PATH="$HOME/.composer/vendor/bin:$PATH" - travis_retry composer install --dev --prefer-dist --no-interaction - - travis_retry composer global require "codeception/codeception=2.0.*" "codeception/specify=*" "codeception/verify=*" - | @@ -36,7 +35,6 @@ install: php yii migrate/up --includeModuleMigrations=1 --interactive=0 php yii installer/auto cd ../../../../.. - cd protected/humhub/tests codecept build cd ../../../ @@ -45,4 +43,4 @@ script: - | php -S localhost:8080 > /dev/null 2>&1 & cd protected/humhub/tests/ - codecept run \ No newline at end of file + codecept run diff --git a/composer.json b/composer.json index 433408a819..d5f542fb66 100644 --- a/composer.json +++ b/composer.json @@ -33,7 +33,8 @@ "bower-asset/blueimp-file-upload": "9.11.*", "bower-asset/fontawesome": "^4.3.0", "bower-asset/bootstrap-markdown": "2.10.*", - "bower-asset/jquery-pjax": "*" + "bower-asset/select2" : "^4.0.2", + "bower-asset/select2-bootstrap-theme" : "0.1.0-beta.4" }, "require-dev": { "yiisoft/yii2-codeception": "*", diff --git a/index-test.php b/index-test.php index cac00e9276..a5a6d4be39 100644 --- a/index-test.php +++ b/index-test.php @@ -17,6 +17,10 @@ defined('YII_ENV') or define('YII_ENV', 'test'); require(__DIR__ . '/protected/vendor/autoload.php'); require(__DIR__ . '/protected/vendor/yiisoft/yii2/Yii.php'); -$config = require(__DIR__ . '/protected/humhub/tests/codeception/config/acceptance.php'); +$config = yii\helpers\ArrayHelper::merge( + require(__DIR__ . '/protected/humhub/tests/codeception/config/acceptance.php'), + // add more configurations here + (is_readable(__DIR__ . '/protected/config/dynamic.php')) ? require(__DIR__ . '/protected/config/dynamic.php') : [] +); (new humhub\components\Application($config))->run(); diff --git a/js/humhub.js b/js/humhub.js new file mode 100644 index 0000000000..4a9da2ec2c --- /dev/null +++ b/js/humhub.js @@ -0,0 +1,331 @@ +var humhub = humhub || {}; + +humhub.util = (function(module, $) { + module.object = { + isFunction: function(obj) { + return Object.prototype.toString.call(obj) === '[object Function]'; + }, + + isObject: function(obj) { + return $.isPlainObject(obj); + }, + + isJQuery: function(obj) { + return obj.jquery; + }, + + isString: function(obj) { + return typeof obj === 'string'; + }, + + isNumber: function(n) { + return !isNaN(parseFloat(n)) && isFinite(n); + }, + + isBoolean: function(obj) { + return typeof obj === 'boolean'; + }, + + isDefined: function(obj) { + if(arguments.length > 1) { + var result = true; + var that = this; + this.each(arguments, function(index, value) { + if(!that.isDefined(value)) { + result = false; + return false; + } + }); + + return result; + } + return typeof obj !== 'undefined'; + } + }; + return module; +})(humhub.util || {}, $); + +humhub.modules = (function(module, $) { + var _handler = {}; + var _errorHandler = {}; + var object = humhub.util.object; + + var DATA_ACTION = 'action'; + + module.registerHandler = function(id, handler) { + if(!id) { + return; + } + + if(handler) { + _handler[id] = handler; + } + }; + + module.registerAjaxHandler = function(id, success, error, cfg) { + debugger; + cfg = cfg || {}; + if(!id) { + return; + } + + if(object.isFunction(success)) { + cfg.success = success; + cfg.error = error; + } else { + cfg = success; + } + + if(success) { + var that = this; + _handler[id] = function(event) { + var path = $(this).data('url-'+event.type) || $(this).data('url'); + that.ajax(path, cfg, event); + }; + } + + if(error) { + _errorHandler[id] = success; + } + }; + + module.bindAction = function(parent, type, selector) { + parent = parent || document; + var $parent = parent.jquery ? parent : $(parent); + $parent.on(type, selector, function(evt) { + evt.preventDefault(); + //The element which triggered the action e.g. a button or link + $trigger = $(this); + var handlerId = $trigger.data(DATA_ACTION+'-'+type); + var handler = _handler[handlerId]; + var event = {type:type, $trigger:$trigger}; + handler.apply($trigger, [event]); + }); + }; + + module.bindAction(document, 'click', '[data-action-click]'); + + /** + * Response Wrapper Object for + * easily accessing common data + */ + var Response = function(data) { + this.data = data; + }; + + Response.prototype.isConfirmation = function() { + return this.data && (this.data.status === 0); + }; + + Response.prototype.isError = function() { + return this.data && this.data.status && (this.data.status > 0); + }; + + Response.prototype.getErrors = function() { + return this.data.errors; + }; + + Response.prototype.getErrorCode = function() { + return this.data.errorCode; + }; + + Response.prototype.toString = function() { + return "{ status: "+this.data.status+" error: "+this.data.error+" data: "+this.data.data+" }"; + }; + + var errorHandler = function(cfg, xhr,type,errorThrown, errorCode, path) { + errorCode = (xhr) ? xhr.status : parseInt(errorCode); + console.warn("AjaxError: "+type+" "+errorThrown+" - "+errorCode); + + if(cfg.error && object.isFunction(cfg.error)) { + // "timeout", "error", "abort", "parsererror" or "application" + //TODO: den trigger als this verwenden + cfg.error(errorThrown, errorCode, type); + } else { + console.warn('Unhandled ajax error: '+path+" type"+type+" error: "+errorThrown); + } + }; + + module.ajax = function(path, cfg) { + var cfg = cfg || {}; + var async = cfg.async || true; + var dataType = cfg.dataType || "json"; + + var error = function(xhr,type,errorThrown, errorCode) { + errorHandler(cfg, xhr,type,errorThrown, errorCode, path); + }; + + var success = function(response) { + var responseWrapper = new Response(response); + + if(responseWrapper.isError()) { //Application errors + return error(undefined,"application",responseWrapper.getError(), responseWrapper.getErrorCode()); + } else if(cfg.success) { + cfg.success(responseWrapper); + } + }; + + $.ajax({ + url: path, + //crossDomain: true, //TODO: read from config + type : cfg.type, + processData : cfg.processData, + contentType: cfg.contentType, + async : async, + dataType: dataType, + success: success, + error: error + }); + }; + + return module; +})(humhub.modules || {}, $); + +humhub.modules.stream = (function(module, $) { + + var ENTRY_ID_SELECTOR_PREFIX = '#wallEntry_'; + var WALLSTREAM_ID = 'wallStream'; + + module.Entry = function(id) { + if(typeof id === 'string') { + this.id = id; + this.$ = $('#'+id); + } else if(id.jquery) { + this.$ = id; + this.id = this.$.attr('id'); + } + }; + + module.Entry.prototype.remove = function() { + this.$.remove(); + }; + + module.Entry.prototype.highlightContent = function() { + var $content = this.getContent(); + $content.addClass('highlight'); + $content.delay(200).animate({backgroundColor: 'transparent'}, 1000, function() { + $content.removeClass('highlight'); + $content.css('backgroundColor', ''); + }); + }; + + module.Entry.prototype.getContent = function() { + return this.$.find('.content'); + }; + + module.Stream = function(id) { + this.id = id; + this.$ = $('#'+id); + }; + + module.Stream.prototype.getEntry = function(id) { + return new module.Entry(this.$.find(ENTRY_ID_SELECTOR_PREFIX+id)); + }; + + module.Stream.prototype.wallStick = function(url) { + $.ajax({ + dataType: "json", + type: 'post', + url: url + }).done(function (data) { + if (data.success) { + if (currentStream) { + $.each(data.wallEntryIds, function (k, wallEntryId) { + currentStream.deleteEntry(wallEntryId); + currentStream.prependEntry(wallEntryId); + }); + $('html, body').animate({scrollTop: 0}, 'slow'); + } + } else { + alert(data.errorMessage); + } + }); + }; + + module.Stream.prototype.wallUnstick = function(url) { + $.ajax({ + dataType: "json", + type: 'post', + url: url + }).done(function (data) { + if (data.success) { + //Reload the whole stream, since we have to reorder the entries + currentStream.showStream(); + } + }); + }; + + /** + * Click Handler for Archive Link of Wall Posts + * (archiveLink.php) + * + * @param {type} className + * @param {type} id + */ + module.Stream.prototype.wallArchive = function(id) { + + url = wallArchiveLinkUrl.replace('-id-', id); + + $.ajax({ + dataType: "json", + type: 'post', + url: url + }).done(function (data) { + if (data.success) { + if (currentStream) { + $.each(data.wallEntryIds, function (k, wallEntryId) { + //currentStream.reloadWallEntry(wallEntryId); + // fade out post + setInterval(fadeOut(), 1000); + + function fadeOut() { + // fade out current archived post + $('#wallEntry_' + wallEntryId).fadeOut('slow'); + } + }); + } + } + }); + }; + + + /** + * Click Handler for Un Archive Link of Wall Posts + * (archiveLink.php) + * + * @param {type} className + * @param {type} id + */ + module.Stream.prototype.wallUnarchive = function(id) { + url = wallUnarchiveLinkUrl.replace('-id-', id); + + $.ajax({ + dataType: "json", + type: 'post', + url: url + }).done(function (data) { + if (data.success) { + if (currentStream) { + $.each(data.wallEntryIds, function (k, wallEntryId) { + currentStream.reloadWallEntry(wallEntryId); + }); + + } + } + }); + }; + + + module.getStream = function() { + if(!module.mainStream) { + module.mainStream = new module.Stream(WALLSTREAM_ID); + } + return module.mainStream; + }; + + module.getEntry = function(id) { + return module.getStream().getEntry(id); + }; + + return module; +})(humhub.core || {}, $); \ No newline at end of file diff --git a/js/jquery.nicescroll.min.js b/js/jquery.nicescroll.min.js new file mode 100644 index 0000000000..ce48e3da80 --- /dev/null +++ b/js/jquery.nicescroll.min.js @@ -0,0 +1,119 @@ +/* jquery.nicescroll 3.6.6 InuYaksa*2015 MIT http://nicescroll.areaaperta.com */(function(e){"function"===typeof define&&define.amd?define(["jquery"],e):"object"===typeof exports?module.exports=e(require("jquery")):e(jQuery)})(function(e){var A=!1,E=!1,O=0,P=2E3,z=0,I=["webkit","ms","moz","o"],u=window.requestAnimationFrame||!1,v=window.cancelAnimationFrame||!1;if(!u)for(var Q in I){var F=I[Q];u||(u=window[F+"RequestAnimationFrame"]);v||(v=window[F+"CancelAnimationFrame"]||window[F+"CancelRequestAnimationFrame"])}var x=window.MutationObserver||window.WebKitMutationObserver|| +!1,J={zindex:"auto",cursoropacitymin:0,cursoropacitymax:1,cursorcolor:"#424242",cursorwidth:"5px",cursorborder:"1px solid #fff",cursorborderradius:"5px",scrollspeed:60,mousescrollstep:24,touchbehavior:!1,hwacceleration:!0,usetransition:!0,boxzoom:!1,dblclickzoom:!0,gesturezoom:!0,grabcursorenabled:!0,autohidemode:!0,background:"",iframeautoresize:!0,cursorminheight:32,preservenativescrolling:!0,railoffset:!1,railhoffset:!1,bouncescroll:!0,spacebarenabled:!0,railpadding:{top:0,right:0,left:0,bottom:0}, +disableoutline:!0,horizrailenabled:!0,railalign:"right",railvalign:"bottom",enabletranslate3d:!0,enablemousewheel:!0,enablekeyboard:!0,smoothscroll:!0,sensitiverail:!0,enablemouselockapi:!0,cursorfixedheight:!1,directionlockdeadzone:6,hidecursordelay:400,nativeparentscrolling:!0,enablescrollonselection:!0,overflowx:!0,overflowy:!0,cursordragspeed:.3,rtlmode:"auto",cursordragontouch:!1,oneaxismousemode:"auto",scriptpath:function(){var e=document.getElementsByTagName("script"),e=e.length?e[e.length- +1].src.split("?")[0]:"";return 0d?a.getScrollLeft()>=a.page.maxw:0>=a.getScrollLeft())&&(f=d,d=0));d&&(a.scrollmom&&a.scrollmom.stop(),a.lastdeltax+=d,a.debounced("mousewheelx",function(){var b=a.lastdeltax;a.lastdeltax=0;a.rail.drag||a.doScrollLeftBy(b)},15)); +if(f){if(a.opt.nativeparentscrolling&&c&&!a.ispage&&!a.zoomactive)if(0>f){if(a.getScrollTop()>=a.page.maxh)return!0}else if(0>=a.getScrollTop())return!0;a.scrollmom&&a.scrollmom.stop();a.lastdeltay+=f;a.debounced("mousewheely",function(){var b=a.lastdeltay;a.lastdeltay=0;a.rail.drag||a.doScrollBy(b)},15)}b.stopImmediatePropagation();return b.preventDefault()}var a=this;this.version="3.6.6";this.name="nicescroll";this.me=c;this.opt={doc:e("body"),win:!1};e.extend(this.opt,J);this.opt.snapbackspeed= +80;if(k)for(var H in a.opt)"undefined"!=typeof k[H]&&(a.opt[H]=k[H]);this.iddoc=(this.doc=a.opt.doc)&&this.doc[0]?this.doc[0].id||"":"";this.ispage=/^BODY|HTML/.test(a.opt.win?a.opt.win[0].nodeName:this.doc[0].nodeName);this.haswrapper=!1!==a.opt.win;this.win=a.opt.win||(this.ispage?e(window):this.doc);this.docscroll=this.ispage&&!this.haswrapper?e(window):this.win;this.body=e("body");this.iframe=this.isfixed=this.viewport=!1;this.isiframe="IFRAME"==this.doc[0].nodeName&&"IFRAME"==this.win[0].nodeName; +this.istextarea="TEXTAREA"==this.win[0].nodeName;this.forcescreen=!1;this.canshowonmouseevent="scroll"!=a.opt.autohidemode;this.page=this.view=this.onzoomout=this.onzoomin=this.onscrollcancel=this.onscrollend=this.onscrollstart=this.onclick=this.ongesturezoom=this.onkeypress=this.onmousewheel=this.onmousemove=this.onmouseup=this.onmousedown=!1;this.scroll={x:0,y:0};this.scrollratio={x:0,y:0};this.cursorheight=20;this.scrollvaluemax=0;this.isrtlmode="auto"==this.opt.rtlmode?"rtl"==(this.win[0]==window? +this.body:this.win).css("direction"):!0===this.opt.rtlmode;this.observerbody=this.observerremover=this.observer=this.scrollmom=this.scrollrunning=!1;do this.id="ascrail"+P++;while(document.getElementById(this.id));this.hasmousefocus=this.hasfocus=this.zoomactive=this.zoom=this.selectiondrag=this.cursorfreezed=this.cursor=this.rail=!1;this.visibility=!0;this.hidden=this.locked=this.railslocked=!1;this.cursoractive=!0;this.wheelprevented=!1;this.overflowx=a.opt.overflowx;this.overflowy=a.opt.overflowy; +this.nativescrollingarea=!1;this.checkarea=0;this.events=[];this.saved={};this.delaylist={};this.synclist={};this.lastdeltay=this.lastdeltax=0;this.detected=R();var f=e.extend({},this.detected);this.ishwscroll=(this.canhwscroll=f.hastransform&&a.opt.hwacceleration)&&a.haswrapper;this.hasreversehr=this.isrtlmode&&!f.iswebkit;this.istouchcapable=!1;!f.cantouch||f.isios||f.isandroid||!f.iswebkit&&!f.ismozilla||(this.istouchcapable=!0,f.cantouch=!1);a.opt.enablemouselockapi||(f.hasmousecapture=!1,f.haspointerlock= +!1);this.debounced=function(b,g,c){var d=a.delaylist[b];a.delaylist[b]=g;d||(a.debouncedelayed=setTimeout(function(){if(a){var g=a.delaylist[b];a.delaylist[b]=!1;g.call(a)}},c))};var t=!1;this.synched=function(b,g){a.synclist[b]=g;(function(){t||(u(function(){t=!1;for(var b in a.synclist){var g=a.synclist[b];g&&g.call(a);a.synclist[b]=!1}}),t=!0)})();return b};this.unsynched=function(b){a.synclist[b]&&(a.synclist[b]=!1)};this.css=function(b,g){for(var c in g)a.saved.css.push([b,c,b.css(c)]),b.css(c, +g[c])};this.scrollTop=function(b){return"undefined"==typeof b?a.getScrollTop():a.setScrollTop(b)};this.scrollLeft=function(b){return"undefined"==typeof b?a.getScrollLeft():a.setScrollLeft(b)};var B=function(a,g,c,d,f,e,h){this.st=a;this.ed=g;this.spd=c;this.p1=d||0;this.p2=f||1;this.p3=e||0;this.p4=h||1;this.ts=(new Date).getTime();this.df=this.ed-this.st};B.prototype={B2:function(a){return 3*a*a*(1-a)},B3:function(a){return 3*a*(1-a)*(1-a)},B4:function(a){return(1-a)*(1-a)*(1-a)},getNow:function(){var a= +1-((new Date).getTime()-this.ts)/this.spd,g=this.B2(a)+this.B3(a)+this.B4(a);return 0>a?this.ed:this.st+Math.round(this.df*g)},update:function(a,g){this.st=this.getNow();this.ed=a;this.spd=g;this.ts=(new Date).getTime();this.df=this.ed-this.st;return this}};if(this.ishwscroll){this.doc.translate={x:0,y:0,tx:"0px",ty:"0px"};f.hastranslate3d&&f.isios&&this.doc.css("-webkit-backface-visibility","hidden");this.getScrollTop=function(b){if(!b){if(b=h())return 16==b.length?-b[13]:-b[5];if(a.timerscroll&& +a.timerscroll.bz)return a.timerscroll.bz.getNow()}return a.doc.translate.y};this.getScrollLeft=function(b){if(!b){if(b=h())return 16==b.length?-b[12]:-b[4];if(a.timerscroll&&a.timerscroll.bh)return a.timerscroll.bh.getNow()}return a.doc.translate.x};this.notifyScrollEvent=function(a){var g=document.createEvent("UIEvents");g.initUIEvent("scroll",!1,!0,window,1);g.niceevent=!0;a.dispatchEvent(g)};var L=this.isrtlmode?1:-1;f.hastranslate3d&&a.opt.enabletranslate3d?(this.setScrollTop=function(b,g){a.doc.translate.y= +b;a.doc.translate.ty=-1*b+"px";a.doc.css(f.trstyle,"translate3d("+a.doc.translate.tx+","+a.doc.translate.ty+",0px)");g||a.notifyScrollEvent(a.win[0])},this.setScrollLeft=function(b,g){a.doc.translate.x=b;a.doc.translate.tx=b*L+"px";a.doc.css(f.trstyle,"translate3d("+a.doc.translate.tx+","+a.doc.translate.ty+",0px)");g||a.notifyScrollEvent(a.win[0])}):(this.setScrollTop=function(b,g){a.doc.translate.y=b;a.doc.translate.ty=-1*b+"px";a.doc.css(f.trstyle,"translate("+a.doc.translate.tx+","+a.doc.translate.ty+ +")");g||a.notifyScrollEvent(a.win[0])},this.setScrollLeft=function(b,g){a.doc.translate.x=b;a.doc.translate.tx=b*L+"px";a.doc.css(f.trstyle,"translate("+a.doc.translate.tx+","+a.doc.translate.ty+")");g||a.notifyScrollEvent(a.win[0])})}else this.getScrollTop=function(){return a.docscroll.scrollTop()},this.setScrollTop=function(b){return setTimeout(function(){a.docscroll.scrollTop(b)},1)},this.getScrollLeft=function(){return a.detected.ismozilla&&a.isrtlmode?Math.abs(a.docscroll.scrollLeft()):a.docscroll.scrollLeft()}, +this.setScrollLeft=function(b){return setTimeout(function(){a.docscroll.scrollLeft(a.detected.ismozilla&&a.isrtlmode?-b:b)},1)};this.getTarget=function(a){return a?a.target?a.target:a.srcElement?a.srcElement:!1:!1};this.hasParent=function(a,g){if(!a)return!1;for(var c=a.target||a.srcElement||a||!1;c&&c.id!=g;)c=c.parentNode||!1;return!1!==c};var y={thin:1,medium:3,thick:5};this.getDocumentScrollOffset=function(){return{top:window.pageYOffset||document.documentElement.scrollTop,left:window.pageXOffset|| +document.documentElement.scrollLeft}};this.getOffset=function(){if(a.isfixed){var b=a.win.offset(),g=a.getDocumentScrollOffset();b.top-=g.top;b.left-=g.left;return b}b=a.win.offset();if(!a.viewport)return b;g=a.viewport.offset();return{top:b.top-g.top,left:b.left-g.left}};this.updateScrollBar=function(b){if(a.ishwscroll)a.rail.css({height:a.win.innerHeight()-(a.opt.railpadding.top+a.opt.railpadding.bottom)}),a.railh&&a.railh.css({width:a.win.innerWidth()-(a.opt.railpadding.left+a.opt.railpadding.right)}); +else{var g=a.getOffset(),c=g.top,f=g.left-(a.opt.railpadding.left+a.opt.railpadding.right),c=c+d(a.win,"border-top-width",!0),f=f+(a.rail.align?a.win.outerWidth()-d(a.win,"border-right-width")-a.rail.width:d(a.win,"border-left-width")),e=a.opt.railoffset;e&&(e.top&&(c+=e.top),e.left&&(f+=e.left));a.railslocked||a.rail.css({top:c,left:f,height:(b?b.h:a.win.innerHeight())-(a.opt.railpadding.top+a.opt.railpadding.bottom)});a.zoom&&a.zoom.css({top:c+1,left:1==a.rail.align?f-20:f+a.rail.width+4});if(a.railh&& +!a.railslocked){c=g.top;f=g.left;if(e=a.opt.railhoffset)e.top&&(c+=e.top),e.left&&(f+=e.left);b=a.railh.align?c+d(a.win,"border-top-width",!0)+a.win.innerHeight()-a.railh.height:c+d(a.win,"border-top-width",!0);f+=d(a.win,"border-left-width");a.railh.css({top:b-(a.opt.railpadding.top+a.opt.railpadding.bottom),left:f,width:a.railh.width})}}};this.doRailClick=function(b,g,c){var f;a.railslocked||(a.cancelEvent(b),g?(g=c?a.doScrollLeft:a.doScrollTop,f=c?(b.pageX-a.railh.offset().left-a.cursorwidth/2)* +a.scrollratio.x:(b.pageY-a.rail.offset().top-a.cursorheight/2)*a.scrollratio.y,g(f)):(g=c?a.doScrollLeftBy:a.doScrollBy,f=c?a.scroll.x:a.scroll.y,b=c?b.pageX-a.railh.offset().left:b.pageY-a.rail.offset().top,c=c?a.view.w:a.view.h,g(f>=b?c:-c)))};a.hasanimationframe=u;a.hascancelanimationframe=v;a.hasanimationframe?a.hascancelanimationframe||(v=function(){a.cancelAnimationFrame=!0}):(u=function(a){return setTimeout(a,15-Math.floor(+new Date/1E3)%16)},v=clearInterval);this.init=function(){a.saved.css= +[];if(f.isie7mobile||f.isoperamini)return!0;f.hasmstouch&&a.css(a.ispage?e("html"):a.win,{"-ms-touch-action":"none"});a.zindex="auto";a.zindex=a.ispage||"auto"!=a.opt.zindex?a.opt.zindex:n()||"auto";!a.ispage&&"auto"!=a.zindex&&a.zindex>z&&(z=a.zindex);a.isie&&0==a.zindex&&"auto"==a.opt.zindex&&(a.zindex="auto");if(!a.ispage||!f.cantouch&&!f.isieold&&!f.isie9mobile){var b=a.docscroll;a.ispage&&(b=a.haswrapper?a.win:a.doc);f.isie9mobile||a.css(b,{"overflow-y":"hidden"});a.ispage&&f.isie7&&("BODY"== +a.doc[0].nodeName?a.css(e("html"),{"overflow-y":"hidden"}):"HTML"==a.doc[0].nodeName&&a.css(e("body"),{"overflow-y":"hidden"}));!f.isios||a.ispage||a.haswrapper||a.css(e("body"),{"-webkit-overflow-scrolling":"touch"});var c=e(document.createElement("div"));c.css({position:"relative",top:0,"float":"right",width:a.opt.cursorwidth,height:"0px","background-color":a.opt.cursorcolor,border:a.opt.cursorborder,"background-clip":"padding-box","-webkit-border-radius":a.opt.cursorborderradius,"-moz-border-radius":a.opt.cursorborderradius, +"border-radius":a.opt.cursorborderradius});c.hborder=parseFloat(c.outerHeight()-c.innerHeight());c.addClass("nicescroll-cursors");a.cursor=c;var l=e(document.createElement("div"));l.attr("id",a.id);l.addClass("nicescroll-rails nicescroll-rails-vr");var d,h,k=["left","right","top","bottom"],K;for(K in k)h=k[K],(d=a.opt.railpadding[h])?l.css("padding-"+h,d+"px"):a.opt.railpadding[h]=0;l.append(c);l.width=Math.max(parseFloat(a.opt.cursorwidth),c.outerWidth());l.css({width:l.width+"px",zIndex:a.zindex, +background:a.opt.background,cursor:"default"});l.visibility=!0;l.scrollable=!0;l.align="left"==a.opt.railalign?0:1;a.rail=l;c=a.rail.drag=!1;!a.opt.boxzoom||a.ispage||f.isieold||(c=document.createElement("div"),a.bind(c,"click",a.doZoom),a.bind(c,"mouseenter",function(){a.zoom.css("opacity",a.opt.cursoropacitymax)}),a.bind(c,"mouseleave",function(){a.zoom.css("opacity",a.opt.cursoropacitymin)}),a.zoom=e(c),a.zoom.css({cursor:"pointer","z-index":a.zindex,backgroundImage:"url("+a.opt.scriptpath+"zoomico.png)", +height:18,width:18,backgroundPosition:"0px 0px"}),a.opt.dblclickzoom&&a.bind(a.win,"dblclick",a.doZoom),f.cantouch&&a.opt.gesturezoom&&(a.ongesturezoom=function(b){1.5b.scale&&a.doZoomOut(b);return a.cancelEvent(b)},a.bind(a.win,"gestureend",a.ongesturezoom)));a.railh=!1;var m;a.opt.horizrailenabled&&(a.css(b,{"overflow-x":"hidden"}),c=e(document.createElement("div")),c.css({position:"absolute",top:0,height:a.opt.cursorwidth,width:"0px","background-color":a.opt.cursorcolor, +border:a.opt.cursorborder,"background-clip":"padding-box","-webkit-border-radius":a.opt.cursorborderradius,"-moz-border-radius":a.opt.cursorborderradius,"border-radius":a.opt.cursorborderradius}),f.isieold&&c.css({overflow:"hidden"}),c.wborder=parseFloat(c.outerWidth()-c.innerWidth()),c.addClass("nicescroll-cursors"),a.cursorh=c,m=e(document.createElement("div")),m.attr("id",a.id+"-hr"),m.addClass("nicescroll-rails nicescroll-rails-hr"),m.height=Math.max(parseFloat(a.opt.cursorwidth),c.outerHeight()), +m.css({height:m.height+"px",zIndex:a.zindex,background:a.opt.background}),m.append(c),m.visibility=!0,m.scrollable=!0,m.align="top"==a.opt.railvalign?0:1,a.railh=m,a.railh.drag=!1);a.ispage?(l.css({position:"fixed",top:"0px",height:"100%"}),l.align?l.css({right:"0px"}):l.css({left:"0px"}),a.body.append(l),a.railh&&(m.css({position:"fixed",left:"0px",width:"100%"}),m.align?m.css({bottom:"0px"}):m.css({top:"0px"}),a.body.append(m))):(a.ishwscroll?("static"==a.win.css("position")&&a.css(a.win,{position:"relative"}), +b="HTML"==a.win[0].nodeName?a.body:a.win,e(b).scrollTop(0).scrollLeft(0),a.zoom&&(a.zoom.css({position:"absolute",top:1,right:0,"margin-right":l.width+4}),b.append(a.zoom)),l.css({position:"absolute",top:0}),l.align?l.css({right:0}):l.css({left:0}),b.append(l),m&&(m.css({position:"absolute",left:0,bottom:0}),m.align?m.css({bottom:0}):m.css({top:0}),b.append(m))):(a.isfixed="fixed"==a.win.css("position"),b=a.isfixed?"fixed":"absolute",a.isfixed||(a.viewport=a.getViewport(a.win[0])),a.viewport&&(a.body= +a.viewport,0==/fixed|absolute/.test(a.viewport.css("position"))&&a.css(a.viewport,{position:"relative"})),l.css({position:b}),a.zoom&&a.zoom.css({position:b}),a.updateScrollBar(),a.body.append(l),a.zoom&&a.body.append(a.zoom),a.railh&&(m.css({position:b}),a.body.append(m))),f.isios&&a.css(a.win,{"-webkit-tap-highlight-color":"rgba(0,0,0,0)","-webkit-touch-callout":"none"}),f.isie&&a.opt.disableoutline&&a.win.attr("hideFocus","true"),f.iswebkit&&a.opt.disableoutline&&a.win.css({outline:"none"}));!1=== +a.opt.autohidemode?(a.autohidedom=!1,a.rail.css({opacity:a.opt.cursoropacitymax}),a.railh&&a.railh.css({opacity:a.opt.cursoropacitymax})):!0===a.opt.autohidemode||"leave"===a.opt.autohidemode?(a.autohidedom=e().add(a.rail),f.isie8&&(a.autohidedom=a.autohidedom.add(a.cursor)),a.railh&&(a.autohidedom=a.autohidedom.add(a.railh)),a.railh&&f.isie8&&(a.autohidedom=a.autohidedom.add(a.cursorh))):"scroll"==a.opt.autohidemode?(a.autohidedom=e().add(a.rail),a.railh&&(a.autohidedom=a.autohidedom.add(a.railh))): +"cursor"==a.opt.autohidemode?(a.autohidedom=e().add(a.cursor),a.railh&&(a.autohidedom=a.autohidedom.add(a.cursorh))):"hidden"==a.opt.autohidemode&&(a.autohidedom=!1,a.hide(),a.railslocked=!1);if(f.isie9mobile)a.scrollmom=new M(a),a.onmangotouch=function(){var b=a.getScrollTop(),c=a.getScrollLeft();if(b==a.scrollmom.lastscrolly&&c==a.scrollmom.lastscrollx)return!0;var g=b-a.mangotouch.sy,f=c-a.mangotouch.sx;if(0!=Math.round(Math.sqrt(Math.pow(f,2)+Math.pow(g,2)))){var d=0>g?-1:1,l=0>f?-1:1,e=+new Date; +a.mangotouch.lazy&&clearTimeout(a.mangotouch.lazy);80k?k=Math.round(k/2):k>a.page.maxh&&(k=a.page.maxh+Math.round((k-a.page.maxh)/ +2)):(0>k&&(l=k=0),k>a.page.maxh&&(k=a.page.maxh,l=0));var r;a.railh&&a.railh.scrollable&&(r=a.isrtlmode?w-a.rail.drag.sl:a.rail.drag.sl-w,a.ishwscroll&&a.opt.bouncescroll?0>r?r=Math.round(r/2):r>a.page.maxw&&(r=a.page.maxw+Math.round((r-a.page.maxw)/2)):(0>r&&(h=r=0),r>a.page.maxw&&(r=a.page.maxw,h=0)));g=!1;if(a.rail.drag.dl)g=!0,"v"==a.rail.drag.dl?r=a.rail.drag.sl:"h"==a.rail.drag.dl&&(k=a.rail.drag.st);else{d=Math.abs(d);var w=Math.abs(w),m=a.opt.directionlockdeadzone;if("v"==a.rail.drag.ck){if(d> +m&&w<=.3*d)return a.rail.drag=!1,!0;w>m&&(a.rail.drag.dl="f",e("body").scrollTop(e("body").scrollTop()))}else if("h"==a.rail.drag.ck){if(w>m&&d<=.3*w)return a.rail.drag=!1,!0;d>m&&(a.rail.drag.dl="f",e("body").scrollLeft(e("body").scrollLeft()))}}a.synched("touchmove",function(){a.rail.drag&&2==a.rail.drag.pt&&(a.prepareTransition&&a.prepareTransition(0),a.rail.scrollable&&a.setScrollTop(k),a.scrollmom.update(h,l),a.railh&&a.railh.scrollable?(a.setScrollLeft(r),a.showCursor(k,r)):a.showCursor(k), +f.isie10&&document.selection.clear())});f.ischrome&&a.istouchcapable&&(g=!1);if(g)return a.cancelEvent(b)}else if(1==a.rail.drag.pt)return a.onmousemove(b)}}a.onmousedown=function(b,c){if(!a.rail.drag||1==a.rail.drag.pt){if(a.railslocked)return a.cancelEvent(b);a.cancelScroll();a.rail.drag={x:b.clientX,y:b.clientY,sx:a.scroll.x,sy:a.scroll.y,pt:1,hr:!!c};var g=a.getTarget(b);!a.ispage&&f.hasmousecapture&&g.setCapture();a.isiframe&&!f.hasmousecapture&&(a.saved.csspointerevents=a.doc.css("pointer-events"), +a.css(a.doc,{"pointer-events":"none"}));a.hasmoving=!1;return a.cancelEvent(b)}};a.onmouseup=function(b){if(a.rail.drag){if(1!=a.rail.drag.pt)return!0;f.hasmousecapture&&document.releaseCapture();a.isiframe&&!f.hasmousecapture&&a.doc.css("pointer-events",a.saved.csspointerevents);a.rail.drag=!1;a.hasmoving&&a.triggerScrollEnd();return a.cancelEvent(b)}};a.onmousemove=function(b){if(a.rail.drag){if(1==a.rail.drag.pt){if(f.ischrome&&0==b.which)return a.onmouseup(b);a.cursorfreezed=!0;a.hasmoving=!0; +if(a.rail.drag.hr){a.scroll.x=a.rail.drag.sx+(b.clientX-a.rail.drag.x);0>a.scroll.x&&(a.scroll.x=0);var c=a.scrollvaluemaxw;a.scroll.x>c&&(a.scroll.x=c)}else a.scroll.y=a.rail.drag.sy+(b.clientY-a.rail.drag.y),0>a.scroll.y&&(a.scroll.y=0),c=a.scrollvaluemax,a.scroll.y>c&&(a.scroll.y=c);a.synched("mousemove",function(){a.rail.drag&&1==a.rail.drag.pt&&(a.showCursor(),a.rail.drag.hr?a.hasreversehr?a.doScrollLeft(a.scrollvaluemaxw-Math.round(a.scroll.x*a.scrollratio.x),a.opt.cursordragspeed):a.doScrollLeft(Math.round(a.scroll.x* +a.scrollratio.x),a.opt.cursordragspeed):a.doScrollTop(Math.round(a.scroll.y*a.scrollratio.y),a.opt.cursordragspeed))});return a.cancelEvent(b)}}else a.checkarea=0};if(f.cantouch||a.opt.touchbehavior)a.onpreventclick=function(b){if(a.preventclick)return a.preventclick.tg.onclick=a.preventclick.click,a.preventclick=!1,a.cancelEvent(b)},a.bind(a.win,"mousedown",a.ontouchstart),a.onclick=f.isios?!1:function(b){return a.lastmouseup?(a.lastmouseup=!1,a.cancelEvent(b)):!0},a.opt.grabcursorenabled&&f.cursorgrabvalue&& +(a.css(a.ispage?a.doc:a.win,{cursor:f.cursorgrabvalue}),a.css(a.rail,{cursor:f.cursorgrabvalue}));else{var q=function(b){if(a.selectiondrag){if(b){var c=a.win.outerHeight();b=b.pageY-a.selectiondrag.top;0=c&&(b-=c);a.selectiondrag.df=b}0!=a.selectiondrag.df&&(a.doScrollBy(2*-Math.floor(a.selectiondrag.df/6)),a.debounced("doselectionscroll",function(){q()},50))}};a.hasTextSelected="getSelection"in document?function(){return 0a.page.maxh?a.doScrollTop(a.page.maxh):(a.scroll.y=Math.round(a.getScrollTop()*(1/a.scrollratio.y)),a.scroll.x=Math.round(a.getScrollLeft()*(1/a.scrollratio.x)),a.cursoractive&&a.noticeCursor());a.scroll.y&&0==a.getScrollTop()&&a.doScrollTo(Math.floor(a.scroll.y*a.scrollratio.y));return a};this.resize=a.onResize;this.lazyResize=function(b){b=isNaN(b)?30:b;a.debounced("resize", +a.resize,b);return a};this.jqbind=function(b,c,d){a.events.push({e:b,n:c,f:d,q:!0});e(b).bind(c,d)};this.bind=function(b,c,d,e){var h="jquery"in b?b[0]:b;"mousewheel"==c?"onwheel"in a.win?a._bind(h,"wheel",d,e||!1):(b="undefined"!=typeof document.onmousewheel?"mousewheel":"DOMMouseScroll",p(h,b,d,e||!1),"DOMMouseScroll"==b&&p(h,"MozMousePixelScroll",d,e||!1)):h.addEventListener?(f.cantouch&&/mouseup|mousedown|mousemove/.test(c)&&a._bind(h,"mousedown"==c?"touchstart":"mouseup"==c?"touchend":"touchmove", +function(a){if(a.touches){if(2>a.touches.length){var b=a.touches.length?a.touches[0]:a;b.original=a;d.call(this,b)}}else a.changedTouches&&(b=a.changedTouches[0],b.original=a,d.call(this,b))},e||!1),a._bind(h,c,d,e||!1),f.cantouch&&"mouseup"==c&&a._bind(h,"touchcancel",d,e||!1)):a._bind(h,c,function(b){(b=b||window.event||!1)&&b.srcElement&&(b.target=b.srcElement);"pageY"in b||(b.pageX=b.clientX+document.documentElement.scrollLeft,b.pageY=b.clientY+document.documentElement.scrollTop);return!1===d.call(h, +b)||!1===e?a.cancelEvent(b):!0})};f.haseventlistener?(this._bind=function(b,c,d,f){a.events.push({e:b,n:c,f:d,b:f,q:!1});b.addEventListener(c,d,f||!1)},this.cancelEvent=function(a){if(!a)return!1;a=a.original?a.original:a;a.preventDefault();a.stopPropagation();a.preventManipulation&&a.preventManipulation();return!1},this.stopPropagation=function(a){if(!a)return!1;a=a.original?a.original:a;a.stopPropagation();return!1},this._unbind=function(a,c,d,f){a.removeEventListener(c,d,f)}):(this._bind=function(b, +c,d,f){a.events.push({e:b,n:c,f:d,b:f,q:!1});b.attachEvent?b.attachEvent("on"+c,d):b["on"+c]=d},this.cancelEvent=function(a){a=window.event||!1;if(!a)return!1;a.cancelBubble=!0;a.cancel=!0;return a.returnValue=!1},this.stopPropagation=function(a){a=window.event||!1;if(!a)return!1;a.cancelBubble=!0;return!1},this._unbind=function(a,c,d,f){a.detachEvent?a.detachEvent("on"+c,d):a["on"+c]=!1});this.unbindAll=function(){for(var b=0;b(a.newscrolly-e)*(c-e)||0>(a.newscrollx-h)*(b-h))&&a.cancelScroll();0==a.opt.bouncescroll&&(0>c?c=0:c>a.page.maxh&&(c=a.page.maxh),0>b?b=0:b>a.page.maxw&&(b=a.page.maxw));if(a.scrollrunning&&b==a.newscrollx&&c==a.newscrolly)return!1;a.newscrolly=c;a.newscrollx=b;a.newscrollspeed=d||!1;if(a.timer)return!1;a.timer=setTimeout(function(){var d=a.getScrollTop(),e=a.getScrollLeft(),h=Math.round(Math.sqrt(Math.pow(b-e,2)+Math.pow(c-d,2))),h=a.newscrollspeed&& +1=a.newscrollspeed&&(h*=a.newscrollspeed);a.prepareTransition(h,!0);a.timerscroll&&a.timerscroll.tm&&clearInterval(a.timerscroll.tm);0b?b=0:b>a.page.maxh&&(b=a.page.maxh);0>c?c=0:c>a.page.maxw&&(c=a.page.maxw);if(b!=a.newscrolly||c!=a.newscrollx)return a.doScrollPos(c,b,a.opt.snapbackspeed);a.onscrollend&&a.scrollrunning&&a.triggerScrollEnd(); +a.scrollrunning=!1}):(this.doScrollLeft=function(b,c){var d=a.scrollrunning?a.newscrolly:a.getScrollTop();a.doScrollPos(b,d,c)},this.doScrollTop=function(b,c){var d=a.scrollrunning?a.newscrollx:a.getScrollLeft();a.doScrollPos(d,b,c)},this.doScrollPos=function(b,c,d){function f(){if(a.cancelAnimationFrame)return!0;a.scrollrunning=!0;if(q=1-q)return a.timer=u(f)||1;var b=0,c,d,e=d=a.getScrollTop();if(a.dst.ay){e=a.bzscroll?a.dst.py+a.bzscroll.getNow()*a.dst.ay:a.newscrolly;c=e-d;if(0>c&&ea.newscrolly)e=a.newscrolly;a.setScrollTop(e);e==a.newscrolly&&(b=1)}else b=1;d=c=a.getScrollLeft();if(a.dst.ax){d=a.bzscroll?a.dst.px+a.bzscroll.getNow()*a.dst.ax:a.newscrollx;c=d-c;if(0>c&&da.newscrollx)d=a.newscrollx;a.setScrollLeft(d);d==a.newscrollx&&(b+=1)}else b+=1;2==b?(a.timer=0,a.cursorfreezed=!1,a.bzscroll=!1,a.scrollrunning=!1,0>e?e=0:e>a.page.maxh&&(e=a.page.maxh),0>d?d=0:d>a.page.maxw&&(d=a.page.maxw),d!=a.newscrollx||e!=a.newscrolly?a.doScrollPos(d,e):a.onscrollend&& +a.triggerScrollEnd()):a.timer=u(f)||1}c="undefined"==typeof c||!1===c?a.getScrollTop(!0):c;if(a.timer&&a.newscrolly==c&&a.newscrollx==b)return!0;a.timer&&v(a.timer);a.timer=0;var e=a.getScrollTop(),h=a.getScrollLeft();(0>(a.newscrolly-e)*(c-e)||0>(a.newscrollx-h)*(b-h))&&a.cancelScroll();a.newscrolly=c;a.newscrollx=b;a.bouncescroll&&a.rail.visibility||(0>a.newscrolly?a.newscrolly=0:a.newscrolly>a.page.maxh&&(a.newscrolly=a.page.maxh));a.bouncescroll&&a.railh.visibility||(0>a.newscrollx?a.newscrollx= +0:a.newscrollx>a.page.maxw&&(a.newscrollx=a.page.maxw));a.dst={};a.dst.x=b-h;a.dst.y=c-e;a.dst.px=h;a.dst.py=e;var k=Math.round(Math.sqrt(Math.pow(a.dst.x,2)+Math.pow(a.dst.y,2)));a.dst.ax=a.dst.x/k;a.dst.ay=a.dst.y/k;var n=0,p=k;0==a.dst.x?(n=e,p=c,a.dst.ay=1,a.dst.py=0):0==a.dst.y&&(n=h,p=b,a.dst.ax=1,a.dst.px=0);k=a.getTransitionSpeed(k);d&&1>=d&&(k*=d);a.bzscroll=0=a.page.maxh||h==a.page.maxw&&b>=a.page.maxw)&& +a.checkContentSize();var q=1;a.cancelAnimationFrame=!1;a.timer=1;a.onscrollstart&&!a.scrollrunning&&a.onscrollstart.call(a,{type:"scrollstart",current:{x:h,y:e},request:{x:b,y:c},end:{x:a.newscrollx,y:a.newscrolly},speed:k});f();(e==a.page.maxh&&c>=e||h==a.page.maxw&&b>=h)&&a.checkContentSize();a.noticeCursor()}},this.cancelScroll=function(){a.timer&&v(a.timer);a.timer=0;a.bzscroll=!1;a.scrollrunning=!1;return a}):(this.doScrollLeft=function(b,c){var d=a.getScrollTop();a.doScrollPos(b,d,c)},this.doScrollTop= +function(b,c){var d=a.getScrollLeft();a.doScrollPos(d,b,c)},this.doScrollPos=function(b,c,d){var f=b>a.page.maxw?a.page.maxw:b;0>f&&(f=0);var e=c>a.page.maxh?a.page.maxh:c;0>e&&(e=0);a.synched("scroll",function(){a.setScrollTop(e);a.setScrollLeft(f)})},this.cancelScroll=function(){});this.doScrollBy=function(b,c){var d=0,d=c?Math.floor((a.scroll.y-b)*a.scrollratio.y):(a.timer?a.newscrolly:a.getScrollTop(!0))-b;if(a.bouncescroll){var f=Math.round(a.view.h/2);d<-f?d=-f:d>a.page.maxh+f&&(d=a.page.maxh+ +f)}a.cursorfreezed=!1;f=a.getScrollTop(!0);if(0>d&&0>=f)return a.noticeCursor();if(d>a.page.maxh&&f>=a.page.maxh)return a.checkContentSize(),a.noticeCursor();a.doScrollTop(d)};this.doScrollLeftBy=function(b,c){var d=0,d=c?Math.floor((a.scroll.x-b)*a.scrollratio.x):(a.timer?a.newscrollx:a.getScrollLeft(!0))-b;if(a.bouncescroll){var f=Math.round(a.view.w/2);d<-f?d=-f:d>a.page.maxw+f&&(d=a.page.maxw+f)}a.cursorfreezed=!1;f=a.getScrollLeft(!0);if(0>d&&0>=f||d>a.page.maxw&&f>=a.page.maxw)return a.noticeCursor(); +a.doScrollLeft(d)};this.doScrollTo=function(b,c){a.cursorfreezed=!1;a.doScrollTop(b)};this.checkContentSize=function(){var b=a.getContentSize();b.h==a.page.h&&b.w==a.page.w||a.resize(!1,b)};a.onscroll=function(b){a.rail.drag||a.cursorfreezed||a.synched("scroll",function(){a.scroll.y=Math.round(a.getScrollTop()*(1/a.scrollratio.y));a.railh&&(a.scroll.x=Math.round(a.getScrollLeft()*(1/a.scrollratio.x)));a.noticeCursor()})};a.bind(a.docscroll,"scroll",a.onscroll);this.doZoomIn=function(b){if(!a.zoomactive){a.zoomactive= +!0;a.zoomrestore={style:{}};var c="position top left zIndex backgroundColor marginTop marginBottom marginLeft marginRight".split(" "),d=a.win[0].style,h;for(h in c){var k=c[h];a.zoomrestore.style[k]="undefined"!=typeof d[k]?d[k]:""}a.zoomrestore.style.width=a.win.css("width");a.zoomrestore.style.height=a.win.css("height");a.zoomrestore.padding={w:a.win.outerWidth()-a.win.width(),h:a.win.outerHeight()-a.win.height()};f.isios4&&(a.zoomrestore.scrollTop=e(window).scrollTop(),e(window).scrollTop(0)); +a.win.css({position:f.isios4?"absolute":"fixed",top:0,left:0,"z-index":z+100,margin:"0px"});c=a.win.css("backgroundColor");(""==c||/transparent|rgba\(0, 0, 0, 0\)|rgba\(0,0,0,0\)/.test(c))&&a.win.css("backgroundColor","#fff");a.rail.css({"z-index":z+101});a.zoom.css({"z-index":z+102});a.zoom.css("backgroundPosition","0px -18px");a.resizeZoom();a.onzoomin&&a.onzoomin.call(a);return a.cancelEvent(b)}};this.doZoomOut=function(b){if(a.zoomactive)return a.zoomactive=!1,a.win.css("margin",""),a.win.css(a.zoomrestore.style), +f.isios4&&e(window).scrollTop(a.zoomrestore.scrollTop),a.rail.css({"z-index":a.zindex}),a.zoom.css({"z-index":a.zindex}),a.zoomrestore=!1,a.zoom.css("backgroundPosition","0px 0px"),a.onResize(),a.onzoomout&&a.onzoomout.call(a),a.cancelEvent(b)};this.doZoom=function(b){return a.zoomactive?a.doZoomOut(b):a.doZoomIn(b)};this.resizeZoom=function(){if(a.zoomactive){var b=a.getScrollTop();a.win.css({width:e(window).width()-a.zoomrestore.padding.w+"px",height:e(window).height()-a.zoomrestore.padding.h+"px"}); +a.onResize();a.setScrollTop(Math.min(a.page.maxh,b))}};this.init();e.nicescroll.push(this)},M=function(e){var c=this;this.nc=e;this.steptime=this.lasttime=this.speedy=this.speedx=this.lasty=this.lastx=0;this.snapy=this.snapx=!1;this.demuly=this.demulx=0;this.lastscrolly=this.lastscrollx=-1;this.timer=this.chky=this.chkx=0;this.time=function(){return+new Date};this.reset=function(e,k){c.stop();var d=c.time();c.steptime=0;c.lasttime=d;c.speedx=0;c.speedy=0;c.lastx=e;c.lasty=k;c.lastscrollx=-1;c.lastscrolly= +-1};this.update=function(e,k){var d=c.time();c.steptime=d-c.lasttime;c.lasttime=d;var d=k-c.lasty,p=e-c.lastx,q=c.nc.getScrollTop(),a=c.nc.getScrollLeft(),q=q+d,a=a+p;c.snapx=0>a||a>c.nc.page.maxw;c.snapy=0>q||q>c.nc.page.maxh;c.speedx=p;c.speedy=d;c.lastx=e;c.lasty=k};this.stop=function(){c.nc.unsynched("domomentum2d");c.timer&&clearTimeout(c.timer);c.timer=0;c.lastscrollx=-1;c.lastscrolly=-1};this.doSnapy=function(e,k){var d=!1;0>k?(k=0,d=!0):k>c.nc.page.maxh&&(k=c.nc.page.maxh,d=!0);0>e?(e=0,d= +!0):e>c.nc.page.maxw&&(e=c.nc.page.maxw,d=!0);d?c.nc.doScrollPos(e,k,c.nc.opt.snapbackspeed):c.nc.triggerScrollEnd()};this.doMomentum=function(e){var k=c.time(),d=e?k+e:c.lasttime;e=c.nc.getScrollLeft();var p=c.nc.getScrollTop(),q=c.nc.page.maxh,a=c.nc.page.maxw;c.speedx=0=k-d;if(0>p||p>q||0>e||e>a)d=!1;e=c.speedx&&d?c.speedx:!1;if(c.speedy&&d&&c.speedy||e){var u=Math.max(16,c.steptime);50f||f>a)&&(d=.1);c.speedy&&(t=Math.floor(c.lastscrolly-c.speedy*(1-c.demulxy)),c.lastscrolly=t,0>t||t>q)&&(d=.1);c.demulxy=Math.min(1,c.demulxy+d);c.nc.synched("domomentum2d",function(){c.speedx&&(c.nc.getScrollLeft()!= +c.chkx&&c.stop(),c.chkx=f,c.nc.setScrollLeft(f));c.speedy&&(c.nc.getScrollTop()!=c.chky&&c.stop(),c.chky=t,c.nc.setScrollTop(t));c.timer||(c.nc.hideCursor(),c.doSnapy(f,t))});1>c.demulxy?c.timer=setTimeout(v,u):(c.stop(),c.nc.hideCursor(),c.doSnapy(f,t))};v()}else c.doSnapy(c.nc.getScrollLeft(),c.nc.getScrollTop())}},y=e.fn.scrollTop;e.cssHooks.pageYOffset={get:function(k,c,h){return(c=e.data(k,"__nicescroll")||!1)&&c.ishwscroll?c.getScrollTop():y.call(k)},set:function(k,c){var h=e.data(k,"__nicescroll")|| +!1;h&&h.ishwscroll?h.setScrollTop(parseInt(c)):y.call(k,c);return this}};e.fn.scrollTop=function(k){if("undefined"==typeof k){var c=this[0]?e.data(this[0],"__nicescroll")||!1:!1;return c&&c.ishwscroll?c.getScrollTop():y.call(this)}return this.each(function(){var c=e.data(this,"__nicescroll")||!1;c&&c.ishwscroll?c.setScrollTop(parseInt(k)):y.call(e(this),k)})};var C=e.fn.scrollLeft;e.cssHooks.pageXOffset={get:function(k,c,h){return(c=e.data(k,"__nicescroll")||!1)&&c.ishwscroll?c.getScrollLeft():C.call(k)}, +set:function(k,c){var h=e.data(k,"__nicescroll")||!1;h&&h.ishwscroll?h.setScrollLeft(parseInt(c)):C.call(k,c);return this}};e.fn.scrollLeft=function(k){if("undefined"==typeof k){var c=this[0]?e.data(this[0],"__nicescroll")||!1:!1;return c&&c.ishwscroll?c.getScrollLeft():C.call(this)}return this.each(function(){var c=e.data(this,"__nicescroll")||!1;c&&c.ishwscroll?c.setScrollLeft(parseInt(k)):C.call(e(this),k)})};var D=function(k){var c=this;this.length=0;this.name="nicescrollarray";this.each=function(d){for(var e= +0,h=0;e \yii\web\View::POS_BEGIN]; + + /** + * @inheritdoc + */ + public $sourcePath = '@bower/select2'; + + /** + * @inheritdoc + */ + public $js = ['dist/js/select2.min.js']; + + /** + * @inheritdoc + */ + public $css = ['dist/css/select2.min.css']; + + public $depends = [ + 'humhub\assets\AppAsset' + ]; + +} diff --git a/protected/humhub/assets/Select2BootstrapAsset.php b/protected/humhub/assets/Select2BootstrapAsset.php new file mode 100644 index 0000000000..584fabddd6 --- /dev/null +++ b/protected/humhub/assets/Select2BootstrapAsset.php @@ -0,0 +1,39 @@ +form->field($model, $name)->textInput($options); - } elseif ($definition['type'] == 'dropdownlist') { - $output .= $this->form->field($model, $name)->dropDownList($definition['items'], $options); - } elseif ($definition['type'] == 'checkbox') { - if (isset($options['readOnly']) && $options['readOnly']) { - $options['disabled'] = 'disabled'; - } - $output .= $this->form->field($model, $name)->checkbox($options); - } elseif ($definition['type'] == 'textarea') { - $output .= $this->form->field($model, $name)->textarea($options); - } elseif ($definition['type'] == 'hidden') { - $output .= $this->form->field($model, $name)->hiddenInput($options)->label(false); - } elseif ($definition['type'] == 'password') { - $output .= $this->form->field($model, $name)->passwordInput($options); - } elseif ($definition['type'] == 'datetime') { - $format = Yii::$app->formatter->dateFormat; - if (isset($definition['format'])) { - $format = $definition['format']; - } - $output .= $this->form->field($model, $name)->widget(\yii\jui\DatePicker::className(), ['dateFormat' => $format, 'clientOptions' => ['changeYear' => true, 'yearRange' => (date('Y') - 100) . ":" . date('Y'), 'changeMonth' => true, 'disabled' => (isset($options['readOnly']) && $options['readOnly'])], 'options' => ['class' => 'form-control']]); - } else { - $output .= "Field Type " . $definition['type'] . " not supported by Compat HForm"; + switch($definition['type']) { + case 'text': + return $this->form->field($model, $name)->textInput($options); + case 'multiselectdropdown': + $options['class'] = 'form-control multiselect_dropdown'; + $options['multiple'] = 'multiple'; + return $this->form->field($model, $name)->listBox($definition['items'], $options); + //return $this->form->field($model, $name)->dropDownList($definition['items'], $options); + case 'dropdownlist': + return $this->form->field($model, $name)->dropDownList($definition['items'], $options); + case 'checkbox': + if (isset($options['readOnly']) && $options['readOnly']) { + $options['disabled'] = 'disabled'; + } + return $this->form->field($model, $name)->checkbox($options); + case 'textarea': + return $this->form->field($model, $name)->textarea($options); + case 'hidden': + return $this->form->field($model, $name)->hiddenInput($options)->label(false); + case 'password': + return $this->form->field($model, $name)->passwordInput($options); + case 'datetime': + $format = Yii::$app->formatter->dateFormat; + if (isset($definition['format'])) { + $format = $definition['format']; + } + return $this->form->field($model, $name)->widget(\yii\jui\DatePicker::className(), ['dateFormat' => $format, 'clientOptions' => ['changeYear' => true, 'yearRange' => (date('Y') - 100) . ":" . date('Y'), 'changeMonth' => true, 'disabled' => (isset($options['readOnly']) && $options['readOnly'])], 'options' => ['class' => 'form-control']]); + default: + return "Field Type " . $definition['type'] . " not supported by Compat HForm"; } + } else { + return "No type found for: FieldName: " . $name . " Forms: " . print_r($forms, 1) . "
"; } } else { - $output .= "No model for: FieldName: " . $name . " Type:" . $definition['type'] . " Forms: " . print_r($forms, 1) . "
"; + return "No model for: FieldName: " . $name . " Forms: " . print_r($forms, 1) . "
"; } return $output; diff --git a/protected/humhub/components/Module.php b/protected/humhub/components/Module.php index 9fe11a2254..02c2f332e4 100644 --- a/protected/humhub/components/Module.php +++ b/protected/humhub/components/Module.php @@ -36,7 +36,7 @@ class Module extends \yii\base\Module /** * Returns modules name provided by module.json file * - * @return string Description + * @return string Name */ public function getName() { @@ -45,7 +45,6 @@ class Module extends \yii\base\Module if ($info['name']) { return $info['name']; } - return $this->getId(); } @@ -252,5 +251,16 @@ class Module extends \yii\base\Module { return []; } + + /** + * Returns a list of notification classes this module provides. + * + * @since 1.1 + * @return array list of notification classes + */ + public function getNotifications() + { + return []; + } } diff --git a/protected/humhub/components/behaviors/AccessControl.php b/protected/humhub/components/behaviors/AccessControl.php index 9c224de517..4cb507bf79 100644 --- a/protected/humhub/components/behaviors/AccessControl.php +++ b/protected/humhub/components/behaviors/AccessControl.php @@ -48,8 +48,7 @@ class AccessControl extends \yii\base\ActionFilter $identity = Yii::$app->user->getIdentity(); if($identity != null && !$identity->isActive()) { Yii::$app->user->logout(); - $this->redirect(Yii::$app->createUrl('user/auth/login')); - //return Yii::$app->getResponse()->redirect(\yii\helpers\Url::toRoute('/user/auth/login')); + Yii::$app->response->redirect(Yii::$app->urlManager->createUrl('user/auth/login')); } if (Yii::$app->user->isGuest) { @@ -63,6 +62,7 @@ class AccessControl extends \yii\base\ActionFilter Yii::$app->user->loginRequired(); return false; } + if ($this->adminOnly && !Yii::$app->user->isAdmin()) { $this->forbidden(); } diff --git a/protected/humhub/components/i18n/Formatter.php b/protected/humhub/components/i18n/Formatter.php index 1f39331862..a8d01ecdc4 100644 --- a/protected/humhub/components/i18n/Formatter.php +++ b/protected/humhub/components/i18n/Formatter.php @@ -16,6 +16,11 @@ use humhub\models\Setting; class Formatter extends \yii\i18n\Formatter { + /** + * @inheritdoc + */ + public $sizeFormatBase = 1000; + /** * @var string the default format string to be used to format a input field [[asDate()|date]]. * This mostly used in forms (DatePicker). diff --git a/protected/humhub/components/i18n/I18N.php b/protected/humhub/components/i18n/I18N.php index 0a46998ff4..1aec403e85 100644 --- a/protected/humhub/components/i18n/I18N.php +++ b/protected/humhub/components/i18n/I18N.php @@ -25,6 +25,13 @@ class I18N extends \yii\i18n\I18N if (($language == 'en' || $language == 'en_gb') && $category == 'yii') { $language = 'en-US'; } + if ($language == 'zh_cn' && $category == 'yii') { + $language = 'zh-CN'; + } + if ($language == 'zh_tw' && $category == 'yii') { + $language = 'zh-TW'; + } + return parent::translate($category, $message, $params, $language); } diff --git a/protected/humhub/docs/guide/admin-installation.md b/protected/humhub/docs/guide/admin-installation.md index 4baf999229..bf27ef403a 100644 --- a/protected/humhub/docs/guide/admin-installation.md +++ b/protected/humhub/docs/guide/admin-installation.md @@ -25,7 +25,7 @@ git clone https://github.com/humhub/humhub.git - Navigate to your HumHub webroot and fetch dependencies ``` -composer global require "fxp/composer-asset-plugin:~1.1.0" +php composer.phar global require "fxp/composer-asset-plugin:~1.1.1" composer update ``` diff --git a/protected/humhub/docs/guide/dev-migrate.md b/protected/humhub/docs/guide/dev-migrate.md index bcd63d6653..f3e1625aae 100644 --- a/protected/humhub/docs/guide/dev-migrate.md +++ b/protected/humhub/docs/guide/dev-migrate.md @@ -13,6 +13,9 @@ Here you will learn how you can adapt existing modules to working fine with actu - Removed space_id / user_id columns - added contentcontainer_id - Not longer validates content visibility (private/public) permissions +- system_admin attribute in user table was removed + + ## to 0.20 **Important: This release upgrades from Yii1 to Yii2 Framework!** diff --git a/protected/humhub/docs/guide/dev-module-activities.md b/protected/humhub/docs/guide/dev-module-activities.md index d2aedf2cd2..d0f40089a4 100644 --- a/protected/humhub/docs/guide/dev-module-activities.md +++ b/protected/humhub/docs/guide/dev-module-activities.md @@ -23,7 +23,7 @@ use humhub\core\activity\components\BaseActivity; /** * Notifies a user about something happend */ -class SomethingHappend extends BaseNotification +class SomethingHappend extends BaseActivity { // View Name for activity public $viewName = "somethingHappend"; diff --git a/protected/humhub/messages/cs/archive.json b/protected/humhub/messages/cs/archive.json index 3cee790b7e..b3a93282d3 100644 --- a/protected/humhub/messages/cs/archive.json +++ b/protected/humhub/messages/cs/archive.json @@ -1 +1 @@ -{"Could not find requested module!":["Požadovaný modul nebyl nalezen!"],"Invalid request.":["Neplatný požadavek."],"Keyword:":["Klíčové slovo:"],"Nothing found with your input.":["Dle zadaných parametrů nebylo nic nalezeno."],"Results":["Výsledky"],"Show more results":["Zobrazit další výsledky"],"Sorry, nothing found!":["Je nám líto, nebylo nic nalezeno!"],"Welcome to %appName%":["Vítejte v síti %appName%"],"Latest updates":["Poslední události"],"Account settings":["Nastavení účtu"],"Administration":["Administrace"],"Back":["Zpět"],"Back to dashboard":["Zpět na nástěnku"],"Choose language:":["Vyberte jazyk:"],"Collapse":["Sbalit"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Content Addon musí být buď instancí objektu HActiveRecordContent nebo HActiveRecordContentAddon!"],"Could not determine content container!":["Obsah nenalezen!"],"Could not find content of addon!":["Nebylo možné nalézt obsah dolpňku!"],"Error":["Chyba"],"Expand":["Rozbalit"],"Insufficent permissions to create content!":["Nedostatečná práva pro vytvoření obsahu!"],"It looks like you may have taken the wrong turn.":["Zdá se, že jste někde špatně odbočili."],"Language":["Jazyk"],"Latest news":["Poslední události"],"Login":["Přihlásit se"],"Logout":["Odhlásit"],"Menu":["Menu"],"Module is not on this content container enabled!":["Modul nebyl nalezen nebo je vypnut!"],"My profile":["Můj profil"],"New profile image":["Nový profilový obrázek"],"Oooops...":["Jejda..."],"Search":["Hledat"],"Search for users and spaces":["Hledat mezi uživateli a prostory"],"Space not found!":["Prostor nebyl nalezen!"],"User Approvals":["Uživatelská oprávnění"],"User not found!":["Uživatel nebyl nalezen!"],"You cannot create public visible content!":["Nemůžete vytvářet veřejně viditelný obsah!"],"Your daily summary":["Vaše denní shrnutí"],"Login required":["Je nutné být přihlášen(a)"],"Global {global} array cleaned using {method} method.":["Globální pole {global} bylo vyčištěno pomocí metody {method}."],"Add image/file":["Přidat obrázek/soubor"],"Add link":["Přidat odkaz"],"Bold":["Tučně"],"Close":["Zavřít"],"Code":["Kód"],"Enter a url (e.g. http://example.com)":["Zadejte URL adresu (např. http://example.com)"],"Heading":["Nadpis"],"Image":["Obrázek"],"Image/File":["Obrázek/soubor"],"Insert Hyperlink":["Vložit odkaz"],"Insert Image Hyperlink":["Vložit odkaz na obrázek"],"Italic":["Kurzíva"],"List":["Seznam"],"Please wait while uploading...":["Prosím počkejte chvíli, nahrávám soubor..."],"Preview":["Náhled"],"Quote":["Citace"],"Target":["Cíl odkazu"],"Title":["Nadpis"],"Title of your link":["Napište titulek odkazu"],"URL/Link":["URL adresa/odkaz"],"code text here":["zde je místo pro kód"],"emphasized text":["text kurzívou"],"enter image description here":["zde je místo pro popis obrázku"],"enter image title here":["zde je místo pro titulek obrázku"],"enter link description here":["zde je místo pro popis odkazu"],"heading text":["text nadpisu"],"list text here":["odrážka"],"quote here":["zde je místo pro citaci"],"strong text":["tučný text"],"Could not create activity for this object type!":["Pro objekt tohoto typu nelze vytvořit aktivitu!"],"%displayName% created the new space %spaceName%":["%displayName% vytvořil(a) nový prostor \"%spaceName%"],"%displayName% created this space.":["Tento prostor vytvořil(a) %displayName%."],"%displayName% joined the space %spaceName%":["%displayName% vstoupil(a) do prostoru %spaceName%"],"%displayName% joined this space.":["%displayName% vstoupil(a) do tohoto prostoru."],"%displayName% left the space %spaceName%":["%displayName% opustil(a) prostor %spaceName%"],"%displayName% left this space.":["%displayName% opustil(a) tento prostor."],"{user1} now follows {user2}.":["{user1} nyní sleduje uživatele {user2}."],"see online":["Otevřít v prohlížeči"],"via":["prostřednictvím"],"Latest activities":["Poslední aktivita"],"There are no activities yet.":["Zatím zde není žádná aktivita."],"Group not found!":["Skupina nebyla nalezena!"],"Could not uninstall module first! Module is protected.":["Modul je chráněn, nelze jej nejdříve odinstalovat."],"Module path %path% is not writeable!":["Cesta k modulu %path% nemá právo zápisu!"],"Saved":["Uloženo"],"Database":["Databáze"],"No theme":["Bez tématu"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["Nelze načíst LDAP – zkontrolujte rozšíření PHP!"],"File":["Soubor"],"No caching (Testing only!)":["Bez cache (pouze pro testování!)"],"None - shows dropdown in user registration.":["Žádný – zobrazit výběr při registraci uživatele."],"Saved and flushed cache":["Uloženo, cache vyprázdněna"],"Become this user":["Stát se tímto uživatelem"],"Delete":["Smazat"],"Disabled":["Blokovaný"],"Enabled":["Neblokovaný","Zapnuto"],"LDAP":["LDAP"],"Local":["Místní"],"Save":["Uložit"],"Unapproved":["Neschválený"],"You cannot delete yourself!":["Nemůžete smazat vlastní účet!"],"Could not load category.":["Kategorii nelze načíst."],"You can only delete empty categories!":["Smazat lze pouze prázdné kategorie!"],"Group":["Skupina"],"Message":["Zpráva"],"Subject":["Předmět"],"Base DN":["Base DN"],"Enable LDAP Support":["Povolit podporu LDAP"],"Encryption":["Šifrování"],"Fetch/Update Users Automatically":["Přenést/Aktualizovat uživatele automaticky"],"Hostname":["Hostname"],"Password":["Heslo"],"Port":["Port"],"Username":["Uživatelské jméno"],"Username Attribute":[" "],"Anonymous users can register":["Anonymní uživatelé se mohou zaregistrovat"],"Default user group for new users":["Výchozí skupina pro nové uživatele"],"Default user idle timeout, auto-logout (in seconds, optional)":["Výchozí čas, po kterém bude uživatel automaticky odhlášen (v sekundách, nepovinné)"],"Members can invite external users by email":["Uživatelé mohou pozvat další prostřednictvím e-mailu"],"Require group admin approval after registration":["Po registraci vyžadovat schválení správcem skupiny"],"Base URL":["URL adresa"],"Default language":["Výchozí jazyk"],"Default space":["Výchozí prostor"],"Invalid space":["Neplatný prostor"],"Name of the application":["Název aplikace"],"Show introduction tour for new users":["Zobrazit novým uživatelům úvodní prohlídku"],"Cache Backend":["Systém vyrovnávací paměti"],"Default Expire Time (in seconds)":["Výchozí doba expirace (v sekundách)"],"PHP APC Extension missing - Type not available!":["Chybí PHP modul APC!"],"PHP SQLite3 Extension missing - Type not available!":["Chybí PHP modul SQLite3!"],"Default pagination size (Entries per page)":["Výchozí stránkování (položek na stránku)"],"Display Name (Format)":["Zobrazení jména (formát)"],"Dropdown space order":["Pořadí prostoru v menu"],"Theme":["Vzhled"],"Hide file info (name, size) for images on wall":["Skrýt informace o souboru pro všechny obrázky ve výpisu příspěvků"],"Maximum preview image height (in pixels, optional)":["Maximální výška náhledu (v pixelech, volitelné)"],"Maximum preview image width (in pixels, optional)":["Maximální šířka náhledu (v pixelech, volitelné)"],"Allowed file extensions":["Povolené přípony souborů"],"Convert command not found!":["Příkaz pro převod nebyl nalezen!"],"Got invalid image magick response! - Correct command?":["Neplatná odpověď programu ImageMagick – je příkaz správný?"],"Image Magick convert command (optional)":["Program pro převod ImageMagick (volitelné)"],"Maximum upload file size (in MB)":["Maximální velikost nahrávaného souboru (v MB)"],"Use X-Sendfile for File Downloads":["Pro stahování souborů použít metodu X-Sendfile"],"Allow Self-Signed Certificates?":["Povolit self-signed certifikáty?"],"E-Mail sender address":["Adresa odesílatele"],"E-Mail sender name":["Jméno odesílatele"],"Mail Transport Type":["Typ přenosu"],"Port number":["Port"],"Endpoint Url":["URL veřejné API provozovatele"],"Url Prefix":["Doména provozovatele"],"Server":["Server"],"User":["Uživatel"],"Super Admins can delete each content object":["Správci mohou smazat libovolný obsah"],"Default Join Policy":["Výchozí pravidlo, kdo se může stát členem prostoru"],"Default Visibility":["Výchozí viditelnost"],"HTML tracking code":["Sledovací kód"],"Module directory for module %moduleId% already exists!":["Adresář modulu %moduleId% již existuje!"],"Could not extract module!":["Nebylo možné rozbalit modul!"],"Could not fetch module list online! (%error%)":["Nebylo možné vypsat seznam modulů! (%error%)"],"Could not get module info online! (%error%)":["Nebylo možné získat informace o modulu! (%error%₎"],"Download of module failed!":["Nebylo možné stáhnout modul!"],"Module directory %modulePath% is not writeable!":["Adresář pro ukládání modulů %modulePath% není zapisovatelný!"],"Module download failed! (%error%)":["Nebylo možné stáhnout modul! (%error%)"],"No compatible module version found!":["Nebyla nalezena žádná kompatibilní verze modulu!","Nebyl nalezen žádný kompatibilní modul!"],"Activated":["Aktivováno"],"No modules installed yet. Install some to enhance the functionality!":["Zatím žádné naistalované moduly. Nainstalujte některé k rozšíření funkcionality!"],"Version:":["Verze:"],"Installed":["Nainstalováno","Nainstalované"],"No modules found!":["Žádné moduly nenalezeny!"],"All modules are up to date!":["Všechny moduly jsou aktuální!"],"About HumHub":["O projektu HumHub"],"Currently installed version: %currentVersion%":["Nainstalovaná verze: %currentVersion%"],"Licences":["Licence"],"There is a new update available! (Latest version: %version%)":["Je dostupná aktualizace! (Poslední verze: %version%)"],"This HumHub installation is up to date!":["Nainstalovaná verze HumHubu je aktuální!"],"Accept":["Přijmout"],"Decline":["Odmítnout","Nechci se zúčastnit"],"Accept user: {displayName} ":["Přijmout uživatele: {displayName}"],"Cancel":["Zrušit"],"Send & save":["Poslat a uložit"],"Decline & delete user: {displayName}":["Zamítnout a smazat uživatele: {displayName}"],"Email":["E-mail"],"Search for email":["Hledat e-mail","Hledat e-mailovou adresu"],"Search for username":["Hledat uživatelské jméno"],"Pending user approvals":["Uživatelé čekající na schválení"],"Here you see all users who have registered and still waiting for a approval.":["Zde je seznam zaregistrovaných uživatelů, kteří čekají na schválení."],"Delete group":["Smazat skupinu"],"Delete group":["Smazat skupinu"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Abyste mohli smazat skupinu \"{group}\", musíte stávajícím uživatelům přidělit náhradní skupinu:"],"Create new group":["Vytvořit novou skupinu"],"Edit group":["Upravit skupinu"],"Description":["Popis"],"Group name":["Název skupiny"],"Ldap DN":["LDAP DN","Viditelnost"],"Search for description":["Hledat v popisu"],"Search for group name":["Hledat v názvu"],"Manage groups":["Správa skupin"],"Create new group":["Vytvořit novou skupinu"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Uživatele můžete rozdělit do skupin (pro týmy, oddělení apod.) a nastavit jim výchozí prostory a správce."],"Flush entries":["Smazat položky"],"Error logging":["Záznam chyb"],"Displaying {count} entries per page.":["Zobrazeno {count} záznamů na stránku."],"Total {count} entries found.":["Celkem nalezeno {count} záznamů."],"Available updates":["Dostupné aktualizace"],"Browse online":["Procházet online"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Moduly rozšiřují funkce HumHubu. Zde můžete instalovat a spravovat moduly ze stránek HumHubu."],"Module details":["Podrobnosti o modulu"],"This module doesn't provide further informations.":["Tento modul neposkytuje další informace."],"Processing...":["Provádím..."],"Modules directory":["Seznam modulů"],"Are you sure? *ALL* module data will be lost!":["Opravdu chcete smazat tento modul? *Veškerá* data modulu budou smazána!"],"Are you sure? *ALL* module related data and files will be lost!":["Opravdu chcete smazat tento modul? *Veškerá* data a soubory modulu budou smazány."],"Configure":["Nastavit"],"Disable":["Vypnout"],"Enable":["Zapnout"],"More info":["Více informací"],"Set as default":["Nastavit jako výchozí"],"Uninstall":["Odinstalovat"],"Install":["Nainstalovat"],"Latest compatible version:":["Poslední kompatibilní verze:"],"Latest version:":["Poslední verze:"],"Installed version:":["Nainstalovaná verze:"],"Latest compatible Version:":["Poslední kompatibilní verze:"],"Update":["Aktualizovat"],"%moduleName% - Set as default module":["%moduleName% – Nastavit jako výchozí modul"],"Always activated":["Vždy zapnuto"],"Deactivated":["Vypnuto"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Zde můžete vybrat, zda se má modul pro prostory či profily uživatelů automaticky zapnout. Pokud ano, vyberte \"vždy zapnuto\"."],"Spaces":["Prostory"],"User Profiles":["Profily uživatelů"],"There is a new HumHub Version (%version%) available.":["Je dostupná nová verze HumHubu (%version%)."],"Authentication - Basic":["Ověřování – Základní"],"Basic":["Základní"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Nejmenší možná hodnota je 20 sekund. Není-li nastaveno, sezení vyprší po 1400 sekundách (24 minut; výchozí expirace sezení)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Použije se jen pokud je omezen přístup neautentizovaným uživatelům. Dotkne se pouze nově registrovaných uživatelů."],"Authentication - LDAP":["Ověřování – LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["V produkčním prostředí je silně doporučeno používat TLS/SSL šifrování, aby hesla nebyla přenášena jako čistý text."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Nastavení filtrů, které se mají aplikovat při pokusu o přihlášení. %uid nahrazuje uživatelské jméno. Např.: "(sAMAccountName=%s)" nebo "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["LDAP atribut pro uživatelské jméno. Např. "uid" nebo "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Omezit přístup na základě daných kritérií. Např.: "(objectClass=posixAccount)" nebo "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Stav: chyba! (Odpověď: {message})"],"Status: OK! ({userCount} Users)":["Stav: OK! ({userCount} uživatelů)"],"Cache Settings":["Nastavení cache"],"Save & Flush Caches":["Uložit a vyčistit cache"],"CronJob settings":["Nastavení úloh CRON"],"Crontab of user: {user}":["Crontab uživatele: {user}"],"Last run (daily):":["Poslední spuštění (daily):"],"Last run (hourly):":["Poslední spuštění (hourly):"],"Never":["Nikdy"],"Or Crontab of root user":["Nebo crontab uživatele root"],"Please make sure following cronjobs are installed:":["Ujistěte se prosím, že jsou nainstalované následující úlohy CRON:"],"Design settings":["Nastavení vzhledu"],"Alphabetical":["Podle abecedy"],"Firstname Lastname (e.g. John Doe)":["Jméno Příjmení (např. Jan Novák)"],"Last visit":["Poslední návštěva"],"Username (e.g. john)":["Uživatelské jméno (např. jannovak)"],"File settings":["Nastavení souborů"],"Comma separated list. Leave empty to allow all.":["Jednotlivé přípony oddělte čárkou. Pro povolení všech přípon nechejte prázdné."],"Comma separated list. Leave empty to show file list for all objects on wall.":["Jednotlivé položky oddělte čárkou. Pro povolení všech položek nechejte prázdné."],"Current Image Libary: {currentImageLibary}":["Používaná knihovna pro zpracování obrázků: {currentImageLibrary}"],"If not set, height will default to 200px.":["Není-li nastaveno, použije se výchozí výška 200px."],"If not set, width will default to 200px.":["Není-li nastaveno, použije se výchozí šířka 200px."],"PHP reported a maximum of {maxUploadSize} MB":["Nastavení maximální velikosti souboru v PHP: {maxUploadSize} MB"],"Basic settings":["Základní nastavení"],"Confirm image deleting":["Potvrďte smazání obrázku"],"Dashboard":["Nástěnka"],"E.g. http://example.com/humhub":["Např. http://example.com/humhub"],"New users will automatically added to these space(s).":["Do těchto prostorů budou automaticky přidání noví uživatelé."],"You're using no logo at the moment. Upload your logo now.":["V tuto chvíli se nezobrazuje žádné logo. Můžete nějaké nahrát."],"Mailing defaults":["Nastavení zasílání e-mailů"],"Activities":["Události","Aktivity"],"Always":["Vždy"],"Daily summary":["Denní souhrn","Denní shrnutí"],"Defaults":["Výchozí"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Výchozí nastavení pro zasílání oznámení nebo nových událostí. Toto nastavení může být přepsáno uživatelem v nastavení účtu."],"Notifications":["Upozornění"],"Server Settings":["Nastavení serveru"],"When I´m offline":["Když jsem offline","Pouze pokud jsem offline"],"Mailing settings":["Nastavení posílání e-mailů"],"SMTP Options":["Možnosti SMTP"],"OEmbed Provider":["OEmbed ověřování"],"Add new provider":["Přidat nového ověřovatele"],"Currently active providers:":["Aktivní ověřovatelé"],"Currently no provider active!":["Momentálně není aktivní žádný ověřovatel!"],"Add OEmbed Provider":["Přidat OEmbed ověřovatele"],"Edit OEmbed Provider":["Změnit OEmbed ověřovatele"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url prefix bez http:// nebo https:// (např. youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Pro URL použijte proměnnou %url%. Formát dat musí být JSON. (např. ttp://www.youtube.com/oembed?url=%url%&format=json)"],"Proxy settings":["Nastavení proxy"],"Security settings and roles":["Nastavení zabezpečení a oprávnění"],"Self test":["Vnitřní diagnostika"],"Checking HumHub software prerequisites.":["Zjištěná nastavení prerekvizit aplikace HumHub"],"Re-Run tests":["Provést test znovu"],"Statistic settings":["Nastavení statistik"],"All":["Vše"],"Delete space":["Smazat prostor"],"Edit space":["Upravit prostor"],"Search for space name":["Hledat prostor"],"Search for space owner":["Hledat vlastníka prostoru"],"Space name":["Název prostoru"],"Space owner":["Vlastník","Vlastník místa"],"View space":["Zobrazit prostor"],"Manage spaces":["Správa prostorů"],"Define here default settings for new spaces.":["Zde nastavíte výchozí nastavení pro nové prostory."],"In this overview you can find every space and manage it.":["V tomto přehledu naleznete a můžete spravovat libovolný prostor."],"Overview":["Přehled"],"Settings":["Nastavení"],"Space Settings":["Nastavení prostorů"],"Add user":["Přidat uživatele"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Opravdu chcete smazat tohoto uživatele? Jestliže je tento uživatel vlastníkem některého prostoru, vlastnictví těchto prostorů přejde na váš účet."],"Delete user":["Smazat uživatele"],"Delete user: {username}":["Smazat uživatele: {username}"],"Edit user":["Upravit uživatele"],"Admin":["Správce"],"Delete user account":["Smazat uživatelský účet"],"Edit user account":["Upravit uživatelský účet"],"No":["Ne"],"View user profile":["Zobrazit profil uživatele"],"Yes":["Ano"],"Manage users":["Správa uživatelů"],"Add new user":["Přidat nového uživatele"],"In this overview you can find every registered user and manage him.":["V tomto přehledu naleznete a můžete spravovat libovolného uživatele."],"Create new profile category":["Vytvořit novou kategorii"],"Edit profile category":["Upravit kategorii"],"Create new profile field":["Vytvořit nové pole"],"Edit profile field":["Upravit pole"],"Manage profiles fields":["Správa polí profilu"],"Add new category":["Vytvořit novou kategorii"],"Add new field":["Vytvořit nové pole"],"Security & Roles":["Zabezpečení a role"],"Administration menu":["Menu administrace"],"About":["O mně"],"Authentication":["Ověřování"],"Caching":["Cache"],"Cron jobs":["Úlohy CRON"],"Design":["Vzhled"],"Files":["Soubory"],"Groups":["Skupiny"],"Logging":["Protokol"],"Mailing":["Zasílání e-mailů"],"Modules":["Moduly"],"OEmbed Provider":["OEmbed ověřování"],"Self test & update":["Vnitřní diagnostika & aktualizace"],"Statistics":["Statistiky"],"User approval":["Schvalování uživatelů"],"User profiles":["Profily uživatelů"],"Users":["Uživatelé"],"Click here to review":["Pro přehled klikněte zde"],"New approval requests":["Nové požadavky na schválení"],"One or more user needs your approval as group admin.":["Jeden nebo více uživatelů čekají na vaše schválení."],"Could not delete comment!":["Nelze smazat komentář!"],"Invalid target class given":["Nebylo možné najít cílovou třídu!"],"Model & Id Parameter required!":["Model a id parametr jsou vyžadovány!"],"Target not found!":["Cíl nebyl nalezen!"],"Access denied!":["Přístup odepřen!"],"Insufficent permissions!":["Nedostatečná oprávnění!"],"Comment":["Komentář","Komentovat"],"%displayName% wrote a new comment ":["%displayName% napsal(a) nový komentář"],"Comments":["Komentáře"],"Edit your comment...":["Upravit komentář..."],"%displayName% commented %contentTitle%.":["%displayName% okomentoval(a) %contentTitle%."],"Show all {total} comments.":["Zobrazit všech {total} komentářů."],"Post":["Příspěvek"],"Write a new comment...":["Napište komentář..."],"Edit":["Upravit"],"Confirm comment deleting":["Potvrďte smazání komentáře"],"Do you really want to delete this comment?":["Opravdu chcete smazat tento komentář?"],"Updated :timeago":["Upraveno :timeago","změněno :timeago"],"Could not load requested object!":["Nelze načíst požadovaný objekt!"],"Unknown content class!":["Neznámá třída obsahu!"],"Could not find requested content!":["Nelze nalézt požadovaný obsah!"],"Could not find requested permalink!":["Nelze nalézt požadovaný příspěvek!"],"{userName} created a new {contentTitle}.":["{userName} vytvořil(a) nový příspěvek {contentTitle}."],"in":["v prostoru","za"],"Submit":["Potvrdit"],"Move to archive":["Archivovat"],"Unarchive":["Obnovit z archívu"],"Public":["Veřejné"],"What's on your mind?":["Co se vám honí hlavou?"],"Add a member to notify":["Upozornit uživatele"],"Make private":["Neveřejné"],"Make public":["Zveřejnit"],"Notify members":["Upozornit uživatele"],"Confirm post deleting":["Potvrzení smazání příspěvku"],"Do you really want to delete this post? All likes and comments will be lost!":["Opravdu chcete smazat tento příspěvek? Všechny komentáře a označení Libí se mi budou smazány."],"Archived":["Archivováno"],"Sticked":["Připnuto"],"Turn off notifications":["Vypnout upozornění"],"Turn on notifications":["Zapnout upozornění"],"Permalink to this post":["Odkaz na tento příspěvek"],"Permalink":["Odkaz"],"Stick":["Připnout"],"Unstick":["Odepnout"],"Nobody wrote something yet.
Make the beginning and post something...":["Zatím zde nejsou žádné příspěvky.
Napište první..."],"This profile stream is still empty":["Zatím zde není žádný příspěvek."],"This space is still empty!
Start by posting something here...":["Zatím zde nejsou žádné příspěvky.
Napište první..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Zatím zde není žádný příspěvek.
Napište něco na váš profil nebo se připojte k nějakému prostoru."],"Your profile stream is still empty
Get started and post something...":["Zatím zde není žádný příspěvek.
Můžete něco napsat..."],"Nothing found which matches your current filter(s)!":["Nebyl nalezen žádný příspěvek, který by odpovídal filtrům, které jste zvolil(a)."],"Show all":["Zobrazit vše"],"Back to stream":["Zpět na příspěvky"],"Content with attached files":["Příspěvky s přílohou"],"Created by me":["Vytvořil(a) jsem"],"Creation time":["Vytvořeno"],"Filter":["Filtr"],"Include archived posts":["Včetně archivovaných příspěvků"],"Last update":["Změněno"],"Only private posts":["Pouze neveřejné příspěvky"],"Only public posts":["Pouze veřejné příspěvky"],"Posts only":["Jen příspěvky"],"Posts with links":["Příspěvky s odkazem"],"Sorting":["Řazení"],"Where I´m involved":["Jsem zmíněn(a)"],"Directory":["Adresář"],"Member Group Directory":["Adresář členů skupin"],"show all members":["zobrazit všechny členy"],"Directory menu":["Menu adresáře"],"Members":["Členové"],"User profile posts":["Příspěvky uživatelů"],"Member directory":["Adresář členů"],"Follow":["Sledovat"],"No members found!":["Žádný člen nebyl nalezen!"],"Unfollow":["Přestat sledovat"],"search for members":["Hledat členy"],"Space directory":["Adresář prostorů"],"No spaces found!":["Nebyl nalezen žádný prostor!"],"You are a member of this space":["Jste členem tohoto prostoru"],"search for spaces":["Hledat prostor"],"Group stats":["Statistiky skupin"],"Average members":["Průměrně členů"],"Top Group":["Top skupina"],"Total groups":["Skupin celkem"],"Member stats":["Statistiky členů"],"New people":["Noví lidé"],"Follows somebody":["Sleduje někoho"],"Online right now":["Právě online"],"Total users":["Uživatelů celkem"],"New spaces":["Nové prostory"],"Space stats":["Statistiky prostorů"],"Most members":["Nejvíce členů"],"Private spaces":["Soukromé prostory"],"Total spaces":["Prostorů celkem"],"Could not find requested file!":["Požadovaný soubor nebyl nalezen!"],"Insufficient permissions!":["Nedostatečná oprávnění!"],"Created By":["Vytvořil(a)"],"Created at":["Vytvořeno"],"File name":["Název souboru"],"Guid":["Globální ID"],"ID":["ID"],"Invalid Mime-Type":["Neplatný Mime-Type"],"Maximum file size ({maxFileSize}) has been exceeded!":["Byl překročen povolený limit maximální velikosti souboru {maxFileSize}!"],"Mime Type":["Mime typ"],"Size":["Velikost"],"This file type is not allowed!":["Tento typ souboru není povolen!"],"Updated at":["Aktualizováno"],"Updated by":["Aktualizoval(a)","Vytvořil(a)","Aktualizováno od"],"Upload error":["Chyba při nahrávání"],"Could not upload File:":["Nebylo možné nahrát soubor:"],"Upload files":["Nahrát soubory"],"Create Admin Account":["Vytvořit účet administrátora"],"Name of your network":["Název vaší sítě"],"Name of Database":["Databáze"],"Admin Account":["Účet administrátora"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Už je to skoro hotové. Teď zbývá jen vytvořit účet administrátora, pomocí kterého máte možnost celou síť spravovat. Pro vytvoření prosím vyplňte následující formulář."],"Next":["Další"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Nyní můžete vaší síti zvolit název. Výchozí název lze přepsat na jiný, např. název vaší firmy, organizaci či spolku."],"Social Network Name":["Název sítě"],"Setup Complete":["Dokončení nastavení"],"Congratulations. You're done.":["Výborně, jste hotovi."],"Sign in":["Přihlásit se"],"The installation completed successfully! Have fun with your new social network.":["Instalace byla úspěšná! Přejeme, ať vám síť dobře slouží."],"Setup Wizard":["Průvodce nastavením"],"Welcome to HumHub
Your Social Network Toolbox":["Vítejte v síti HumHub"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Tento průvodce vám pomůže nainstalovat a nastavit síť HumHub.

Chcete-li pokračovat, klikněte na tlačítko Další."],"Database Configuration":["Nastavení databáze"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["Níže prosím zadejte vaše údaje pro připojení k databázi. Jestliže si jimi nejste jisti, obraťte se na správce vašeho serveru."],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["Hostname vašeho MySQL serveru (např. localhost, běží-li MySQL na stejném serveru)"],"Initializing database...":["Naplňuji databázi..."],"Ohh, something went wrong!":["Jejda, něco se porouchalo..."],"The name of the database you want to run HumHub in.":["Jméno databáze, do které chcete HumHub nainstalovat."],"Yes, database connection works!":["Jupí, připojení k databázi funguje!"],"Your MySQL password.":["Heslo pro přístup k databázi"],"Your MySQL username":["Uživatelské jméno pro přístup k databázi"],"System Check":["Kontrola systému"],"Check again":["Zkontrolovat znovu"],"Congratulations! Everything is ok and ready to start over!":["Výborně, vše funguje, jak má, a je nachystáno k instalaci!"],"This overview shows all system requirements of HumHub.":["Tento přehled ukazuje všechny požadavky HumHubu."],"Could not find target class!":["Nebylo možné najít cílovou třídu!"],"Could not find target record!":["Nebylo možné najít cílový záznam!"],"Invalid class given!":["Byla zadána neplatná třída!"],"Users who like this":["Uživatelé, kterým se to líbí"],"{userDisplayName} likes {contentTitle}":["Uživateli {userDisplayName} se líbí {contentTitle}"],"%displayName% likes %contentTitle%.":["Uživateli %displayName% se líbí %contentTitle%."]," likes this.":[" se to líbí."],"You like this.":["Vám se to líbí."],"You
":["Vy
"],"Like":["Líbí se mi"],"Unlike":["Už se mi nelíbí"],"and {count} more like this.":["a dalším {count} lidem se to líbí."],"Could not determine redirect url for this kind of source object!":["Nebylo možné předvídat adresu pro přesměrování k tomuto typu zdroji objektu!"],"Could not load notification source object to redirect to!":["Nebylo možné načíst zdrojový objekt notifikací pro přesměrování!"],"New":["Novinky","Nová"],"Mark all as seen":["Označit vše jako přečtené"],"There are no notifications yet.":["Zatím zde nejsou žádná upozornění."],"%displayName% created a new post.":["%displayName% napsal(a) nový příspěvek."],"Edit your post...":["Upravte svůj příspěvek..."],"Read full post...":["Zobrazit celý příspěvek..."],"Search results":["Výsledky hledání"],"Content":["Příspěvky","Obsah"],"Send & decline":["Odmítnout"],"Visible for all":["Viditelné pro všechny"]," Invite and request":["Pozváním nebo požádáním"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Nelze smazat uživatele, který je vlastníkem prostoru! Prostor: {spaceName}"],"Everyone can enter":["Každý se může přidat"],"Invite and request":["Pozváním nebo požádáním"],"Only by invite":["Jen pozváním"],"Private (Invisible)":["Neveřejné (skryté)"],"Public (Visible)":["Veřejné (viditelné)"],"Space is invisible!":["Tento prostor je skrytý!"],"As owner you cannot revoke your membership!":["Nemůžete si zrušit členství tomto prostoru, protože jste jeho vlastník!"],"Could not request membership!":["Není možné požádat o členství!"],"There is no pending invite!":["Momentálně zde není žádná pozvánka čekající na přijetí!"],"This action is only available for workspace members!":["Tato akce je možná pouze pro členy prostoru!"],"You are not allowed to join this space!":["Není možné se připojit k tomuto prostoru!"],"Your password":["Vaše heslo"],"Invites":["Pozvánky"],"New user by e-mail (comma separated)":["Pozvání uživatele pomocí e-mailu (adresy oddělte čárkou)"],"User is already member!":["Uživatel je již členem tohoto prostoru!"],"{email} is already registered!":["E-mailová adresa {email} již v databázi existuje!"],"{email} is not valid!":["E-mailová adresa {email} není platná!"],"Application message":["Zpráva aplikace"],"Created At":["Vytvořeno"],"Join Policy":["Jak se lze stát členem?"],"Name":["Jméno skupiny","Název"],"Owner":["Vlastník"],"Status":["Stav"],"Tags":["Štítky"],"Updated At":["Aktualizováno"],"Visibility":["Viditelnost"],"Website URL (optional)":["URL související webové stránky (volitelné)"],"You cannot create private visible spaces!":["Nemáte oprávnění vytvářet neveřejné prostory!"],"You cannot create public visible spaces!":["Nemáte oprávnění vytvářet veřejné prostory!"],"Select the area of your image you want to save as user avatar and click Save.":["Vyberte oblast, kterou chcete uložit jako profilový obrázek a klikněte na Uložit."],"Modify space image":["Upravit obrázek prostoru"],"Delete space":["Smazat prostor"],"Are you sure, that you want to delete this space? All published content will be removed!":["Opravdu chcete smazat tento prostor? Veškerý jeho obsah bude smazán!"],"Please provide your password to continue!":["Pro dokončení smazání prosím zadejte vaše heslo."],"General space settings":["Obecná nastavení prostoru"],"Archive":["Archivovat"],"Choose the kind of membership you want to provide for this workspace.":["Vyberte, jak se lze stát členem prostoru."],"Choose the security level for this workspace to define the visibleness.":["Vyberte, jakou má mít prostor viditelnost."],"Manage your space members":["Správa členů prostoru"],"Outstanding sent invitations":["Nevyřízené odeslané pozvánky"],"Outstanding user requests":["Nevyřízené žádosti uživatelů"],"Remove member":["Odstranit člena"],"Allow this user to
invite other users":["Povolit tomuto uživateli
zvát další uživatele"],"Allow this user to
make content public":["Povolit tomuto uživateli
publikovat veřejně viditelný obsah"],"Are you sure, that you want to remove this member from this space?":["Opravdu chcete tohoto uživatele odstranit z tohoto prostoru?"],"Can invite":["Může zvát"],"Can share":["Může sdílet"],"Change space owner":["Změnit správce prostoru"],"External users who invited by email, will be not listed here.":["Externí uživatelé, kteří byli pozváni e-mailem, zde nebudou uvedeni."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Níže můžete vidět všechny aktivní uživatele tohoto prostoru. Můžete upravovat jejich oprávnění nebo je z prostoru odebrat."],"Is admin":["Je správcem"],"Make this user an admin":["Přidělit tomuto uživateli
správcovská oprávnění k tomuto prostoru"],"No, cancel":["Ne, zrušit"],"Remove":["Odstranit"],"Request message":["Zpráva k žádosti"],"Revoke invitation":["Zrušit pozvání"],"Search members":["Hledat členy"],"The following users waiting for an approval to enter this space. Please take some action now.":["Následující uživatelé čekají na schválení pro vstup do tohoto prostoru. Udělejte si prosím chvíli, ať nemusí čekat dlouho."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Následující uživatelé jsou již pozváni do tohoto prostoru, ale dosud se pozvánkou nezabývali."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Vlastník prostoru je nejvyšší administrátor prostoru se všemi právy, obvykle jde i o toho, kdo prostor vytvořil. Zde můžete předat tuto roli jinému uživateli."],"Yes, remove":["Ano, odstranit"],"Space Modules":["Moduly prostoru"],"Are you sure? *ALL* module data for this space will be deleted!":["Jste si opravdu jistí? *VŠECHNA* data modulu k tomuto prostoru budou smazána!"],"Currently there are no modules available for this space!":["Momentálně zde nejsou žádné dostupné moduly pro tento prostor!"],"Enhance this space with modules.":["Zde můžete rozšířit tento prostor moduly."],"Create new space":["Vytvořit nový prostor"],"Advanced access settings":["Pokročilá nastavení přístupu a viditelnosti"],"Also non-members can see this
space, but have no access":["Také uživatelé, kteří nejsou členové,
mohou vidět tento prostor, ale nemají k němu přístup"],"Create":["Vytvořit"],"Every user can enter your space
without your approval":["Všichni uživatelé mohou vstoupit do tohoto prostoru
bez vašeho schválení"],"For everyone":["Pro každého"],"How you want to name your space?":["Jak chcete váš prostor pojmenovat?"],"Please write down a small description for other users.":["Prosím napište krátký popis pro ostatní uživatele."],"This space will be hidden
for all non-members":["Tento prostor bude ukryt
přede všemi, kteří nejsou jeho členy"],"Users can also apply for a
membership to this space":["Uživatelé také mohou požádat
o členství v tomto prostoru"],"Users can be only added
by invitation":["Uživatelé mohou být přidáni
pouze na základě pozvání"],"space description":["Popis prostoru"],"space name":["Název prostoru"],"{userName} requests membership for the space {spaceName}":["{userName} žádá o členství v prostoru {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} schválil(a) vaše členství v prostoru {spaceName}"],"{userName} declined your membership request for the space {spaceName}":["{userName} zamítl(a) vaše členství v prostoru {spaceName}"],"{userName} invited you to the space {spaceName}":["{userName} vás pozval(a) do prostoru {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} přijal(a) vaši pozvánku do prostoru {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} odmítl(a) vaši pozvánku do prostoru {spaceName}"],"Accept Invite":["Přijmout pozvánku"],"Become member":["Stát se členem"],"Cancel membership":["Zrušit členství"],"Cancel pending membership application":["Zrušit čekající žádost o členství"],"Deny Invite":["Odmítnout pozvánku"],"Request membership":["Požádat o členství"],"You are the owner of this workspace.":["Jste vlastníkem tohoto prostoru."],"created by":["vytvořil(a)"],"Invite members":["Pozvat členy"],"Add an user":["Přidat uživatele"],"Email addresses":["E-mailové adresy"],"Invite by email":["Pozvat e-mailem"],"Pick users":["Vybrat uživatele"],"Send":["Poslat","Odeslat"],"To invite users to this space, please type their names below to find and pick them.":["Pokud chcete pozvat do tohoto prostoru další uživatele, začněte psát jejich jména a poté je vyberte ze seznamu."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Můžete také pozvat externí uživatele, kteří zatím nejsou zaregistrovaní. Stačit napsat jejich e-mailové adresy (oddělené čárkou)."],"Request space membership":["Žádost o členství v prostoru"],"Please shortly introduce yourself, to become an approved member of this space.":["Stručně se prosím představte, aby bylo možné schválit vaše členství v tomto prostoru."],"Your request was successfully submitted to the space administrators.":["Váše žádost byla uspěšně předána správci prostoru."],"Ok":["Ok"],"Back to workspace":["Zpět do prostoru"],"Space preferences":["Nastavení prostoru"],"General":["Obecné"],"Space directory":["Adresář prostoru"],"Space menu":["Menu prostoru"],"Stream":["Příspěvky"],"Change image":["Změnit obrázek"],"Current space image":["Současný obrázek prostoru"],"Invite":["Pozvat"],"Something went wrong":["Něco se pokazilo"],"Followers":["sleduje mě"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Stručně se prosím představte, aby bylo možné schválit vaše členství v tomto prostoru."],"Request workspace membership":["Žádost o členství v prostoru"],"Your request was successfully submitted to the workspace administrators.":["Váše žádost byla uspěšně předána správci prostoru."],"Create new space":["Vytvořit nový prostor"],"My spaces":["Mé prostory","Moje prostory"],"Space info":["Informace o prostoru"],"Accept invite":["Přijmout pozvání"],"Deny invite":["Odmítnout pozvánku"],"Leave space":["Opustit prostor"],"New member request":["Nová žádost o členství"],"Space members":["Členové prostoru"],"End guide":["Ukončit průvodce"],"Next »":["Další »"],"« Prev":["« Předchozí"],"Administration":["Administrace"],"Hurray! That's all for now.":["Hurá! To je pro tuto chvíli vše."],"Modules":["Moduly"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Odtud můžete jako správce systému řídit celou síť.

Nyní zmíníme jen sekci Moduly, jinak v každé sekci najdete krátký popis toho, co se v ní dá nastavovat."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Toto je menu administace. Můžete tudy vstoupit např. k online obchodu HumHubu, ze kterého můžete instalovat nové moduly.

Jak jsme již zmínili, moduly rozšiřují možnou funkcionalitu v prostorech."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Nyní jste se naučil(a) vše o nejdůležitějších vlastnostech a nastaveních. Výchozí nastavení umožňuje HumHub začít používat okamžitě, směle tedy do toho.

Doufáme, že se vám i dalším uživatelům bude HumHub líbit a rádi uvítáme podněty všeho druhu – ty nám pomohou HumHub vylepšit. Rádi budeme i za vaši podporu. Nebojte se nás proto kontaktovat prostřednictvím našich stránek www.humhub.org.

Děkujeme za vaše rozhodnutí pro HumHub!"],"Dashboard":["Nástěnka"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Toto je vaše nástěnka.

Na ní naleznete výpis nejnovějších a nejzajímavějších aktivit a příspěvků z prostorů, kterých jste členem, a od ostatních uživatelů."],"Administration (Modules)":["Administrace (Moduly)"],"Edit account":["Upravit účet"],"Hurray! The End.":["A je to!"],"Hurray! You're done!":["Hurá! Máte hotovo!"],"Profile menu":["Menu profilu"],"Profile photo":["Profilová fotografie"],"Profile stream":["Vaše příspěvky"],"User profile":["Můj profil"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Kliknutím na toto tlačítko můžete upravit svůj profil (např. přidat více informací o sobě) a také změnit nastavení svého účtu."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Každý profil má svou vlastní nástěnku. Vaše příspěvky se objeví také na nástěnkách těch uživatelů, kteří sledují váš profil."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Stejně jako prostory, i uživatelské profily mohou být přizpůsobeny pomocí různých modulů.

V sekci Moduly v nastavení vašeho účtu se můžete podívat na dostupné moduly pro váš profil."],"This is your public user profile, which can be seen by any registered user.":["Toto je váš veřejný profil, který může vidět každý registrovaný uživatel."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Nahrát novou profilovou fotografii můžete jednoduše kliknutím zde nebo pomocí drag & drop. Stejným způsobem můžete přidat také úvodní fotku."],"You've completed the user profile guide!":["Dokončili jste průvodce uživatelským profilem!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Dokončili jste průvodce uživatelským profilem!

Pokud chcete, můžete pokračovat průvodcem administrace kliknutím zde:"],"Most recent activities":["Poslední aktivita"],"Posts":["Příspěvky"],"Profile Guide":["Průvodce profilem"],"Space":["Prostor"],"Space navigation menu":["Menu prostoru"],"Writing posts":["Psaní příspěvků"],"Yay! You're done.":["A je to!"],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Zde uvidíte všechny uživatele, kteří jsou členy tohoto prostoru.

Přidat či pozvat nového uživatele může každý, kdo k tomu dostal práva od správce prostoru."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Tímto uživatelům krátce představíte, čeho se prostor týká. Můžete zde uvést základní informace.

Přidat nebo změnit obrázek prostoru může pouze správce prostoru – buď kliknutím na obrázek nebo pomocí drag & drop."],"New posts can be written and posted here.":["Nové příspěvky můžete psát zde."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Jakmile vstoupíte do prostoru nebo vytvoříte nový, můžete v něm pracovat na projektech, diskutovat o různých tématech nebo jen sdílet s dalšími členy prostoru zajímavé informace.

Je zde také mnoho modulů, kterými můžete prostor přizpůsobit – doplnit takové funkce, které potřebujete."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["To by byl průvodce prostorem.

Pokud chcete pokračovat na průvodce uživatelským profilem, klikněte zde: "],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Pomocí tohoto menu se pohybujete uvnitř prostoru. Jednotlivé sekce prostoru mohou být tvořené moduly, které jsou aktivní právě pro ten konkrétní prostor, ve kterém se nacházíte – např. ankety, úkoly nebo poznámky.

Spravovat tyto moduly může pouze správce prostoru."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Toto menu je viditelné pouze pro správce prostoru. Zde můžete měnit nastavení prostoru, přidávat/odebírat členy a zapínat/vypínat moduly pro tento prostor."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Abyste byl(a) stále v obraze, uvidíte zde poslední aktivitu uživatelů tohoto prostoru."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Zde se budou objevovat vaše příspěvky i příspěvky ostatních uživatelů.

Ty se dají následně následně komentovat a označovat tlačítkem Líbí se mi."],"Account Menu":["Možnosti účtu"],"Notifications":["Oznámení"],"Space Menu":["Vaše prostory"],"Start space guide":["Zahájit průvodce prostory"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Neztratíte přehled.

Tato ikona vás bude informovat o nových aktivitách a příspěvcích, které se vás týkají."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Skrze možnosti účtu se dostanete k vašemu soukromému nastavení a ke správě vašeho veřejného profilu."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Toto je to nejdůležitější menu, které budete pravděpodobně využívat nejčastěji.

Pomocí se něj se dostanete do prostorů, jichž jste členem a také můžete vytvářet nové prostory.

Další průvodce vám ukáže jak:"]," Remove panel":["Odstranit panel"],"Getting Started":["Začínáme"],"Guide: Administration (Modules)":["Průvodce: Administrace (Moduly)"],"Guide: Overview":["Průvodce: Přehled"],"Guide: Spaces":["Průvodce: Prostory"],"Guide: User profile":["Průvodce: Uživatelský profil"],"Get to know your way around the site's most important features with the following guides:":["Následující průvodce vám může pomoci se lépe zorientovat v této síti a tak vám usnadní začátky práce s ní. Vyberte si, co vás zajímá:"],"Your password is incorrect!":["Vaše heslo je nesprávné!"],"You cannot change your password here.":["Zde není možné měnit vaše heslo."],"Invalid link! Please make sure that you entered the entire url.":["Neplatný odkaz! Prosím, ujistěte se, že jste zadal(a) celou URL adresu."],"Save profile":["Uložit profil"],"The entered e-mail address is already in use by another user.":["Zadaná e-mailová adresa je již používána jiným uživatelem."],"You cannot change your e-mail address here.":["Zde není možné měnit vaši e-mailovou adresu."],"Account":["Účet"],"Create account":["Vytvořit účet"],"Current password":["Současné heslo"],"E-Mail change":["Změna e-mailové adresy"],"New E-Mail address":["Nová e-mailová adresa"],"Send activities?":["Posílat nové aktivity?"],"Send notifications?":["Posílat upozornění?"],"Incorrect username/email or password.":["Nesprávné uživatelské jméno/e-mail nebo heslo."],"New password":["Nové heslo"],"New password confirm":["Nové heslo znovu"],"Remember me next time":["Zapamatovat přihlášení"],"Your account has not been activated by our staff yet.":["Váš účet nebyl dosud aktivován pověřeným správcem."],"Your account is suspended.":["Váš účet je pozastaven."],"Password recovery is not possible on your account type!":["Pro váš typ účtu není obnova hesla možná!"],"E-Mail":["E-mail"],"Password Recovery":["Obnovení hesla"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" nebyl nalezen!"],"Invalid language!":["Neplatný jazyk!"],"Hide panel on dashboard":["Skrýt panel na Nástěnce"],"Default Space":["Výchozí prostor"],"Group Administrators":["Správci skupiny"],"LDAP DN":["Rozlišovací jméno LDAP"],"Members can create private spaces":["Členové mohou vytvářet neveřejné prostory"],"Members can create public spaces":["Členové mohou vytvářet veřejné prostory"],"Birthday":["Datum narození"],"City":["Město"],"Country":["Kraj"],"Custom":["Vlastní"],"Facebook URL":["Adresa profilu Facebook"],"Fax":["Fax"],"Female":["Žena"],"Firstname":["Křestní jméno"],"Flickr URL":["Adresa profilu Flickr"],"Gender":["Pohlaví"],"Google+ URL":["Adresa profilu Google+"],"Hide year in profile":["Skrýt rok narození v profilu"],"Lastname":["Příjmení"],"LinkedIn URL":["Adresa profilu LinkedIn"],"MSN":["MSN"],"Male":["Muž"],"Mobile":["Mobil"],"MySpace URL":["Adresa profilu MySpace"],"Phone Private":["Soukromý telefon"],"Phone Work":["Pracovní telefon"],"Skype Nickname":["Přezdívka na Skype"],"State":["Stát"],"Street":["Ulice"],"Twitter URL":["Adresa profilu Twitter"],"Url":["Webová stránka"],"Vimeo URL":["Adresa profilu Vimeo"],"XMPP Jabber Address":["XMPP Jabber adresa"],"Xing URL":["Adresa profilu Xing"],"Youtube URL":["Adresa profilu Youtube"],"Zip":["PSČ"],"Created by":["Vytvořil(a)"],"Editable":["Možno upravovat"],"Field Type could not be changed!":["Typ pole nemůže být změněn!"],"Fieldtype":["Typ pole"],"Internal Name":["Interní název"],"Internal name already in use!":["Interní název je již použit!"],"Internal name could not be changed!":["Interní název nemůže být změněn!"],"Invalid field type!":["Špatný typ pole!"],"LDAP Attribute":["LDAP vlastnost"],"Module":["Modul"],"Only alphanumeric characters allowed!":["Povolené jsou pouze alfanumerické znaky!"],"Profile Field Category":["Kategorie v profilu"],"Required":["Povinné"],"Show at registration":["Zobrazit při registraci"],"Sort order":["Řazení","Pořadí"],"Translation Category ID":["Překlad ID kategorie"],"Type Config":["Nastavení typu"],"Visible":["Viditelné"],"Communication":["Komunikace"],"Social bookmarks":["Sociální sítě"],"Datetime":["Datum/čas"],"Number":["Číslo"],"Select List":["Seznam možností"],"Text":["Text"],"Text Area":["Textové pole"],"%y Years":["%y let"],"Birthday field options":["Nastavení pole Datum narození"],"Show date/time picker":["Zobrazit nástroj pro výběr data/času"],"Date(-time) field options":["Nastavení pole Datum/čas"],"Maximum value":["Maximální hodnota"],"Minimum value":["Minimální hodnota"],"Number field options":["Nastavení pole Číslo"],"Possible values":["Povolené hodnoty"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Jedna možnost na řádek. Ve tvaru: Klíč=>Hodnota (např. ano=>Ano)"],"Please select:":["Prosím vyberte:"],"Select field options":["Nastavení pole Seznam možností"],"Default value":["Výchozí text"],"Maximum length":["Maximální délka"],"Minimum length":["Minimální délka"],"Regular Expression: Error message":["Regulární výraz: chybová zpráva"],"Regular Expression: Validator":["Regulární výraz: šablona formátu"],"Validator":["Formát má odpovídat šabloně"],"Text Field Options":["Nastavení pole Text"],"Text area field options":["Nastavení pole Textové pole"],"Authentication mode":["Způsob ověření"],"New user needs approval":["Nový uživatel potřebuje schválení"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Uživatelské jméno může obsahovat pouze písmena, čísla, mezery a speciální znaky (+-._)"],"Wall":["Nástěnka"],"Change E-mail":["Změna e-mailové adresy"],"Your e-mail address has been successfully changed to {email}.":["Vaše e-mailová adresa byla úspěšně změněna na: {email}"],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Právě jsme vám poslali potvrzovací e-mail na vaši novou adresu.
Postupujte prosím podle intrukcí uvnitř e-mailu."],"Change password":["Změna hesla"],"Password changed":["Heslo bylo změněno"],"Your password has been successfully changed!":["Vaše heslo bylo úspěšně změněno!"],"Modify your profile image":["Úprava profilového obrázku"],"Delete account":["Smazat účet"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Jste si opravdu jistí, že chcete smazat svůj účet?
Všechny vaše příspěvky budou tímto smazány!"],"Delete account":["Smazat účet"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Je nám líto, ale jelikož jste vlastníkem alespoň jednoho prostoru, nemůžete nyní smazat svůj účet.
Předejte nejprve vlastnictví prostoru jinému uživateli, nebo prostor smažte."],"User details":["Informace o uživateli"],"User modules":["Moduly uživatele"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Jste si opravdu jistí? *VŠECHNA* data modulu vázaná k vašemu profilu budou smazána!"],"Enhance your profile with modules.":["Rozšiřte svůj profil moduly."],"User settings":["Nastavení uživatele"],"Getting Started":["Začínáme"],"Email Notifications":["Upozornění e-mailem"],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Nechte si zaslat upozornění e-mailem na novou aktivitu uživatelů, které sledujete nebo se kterými spolupracujete."],"Get an email, when other users comment or like your posts.":["Nechte si zaslat upozornění e-mailem, když ostatní uživatelé komentují váš příspěvek nebo jej označí jako Líbí se mi."],"Account registration":["Registrace účtu"],"Your account has been successfully created!":["Váš účet byl úspěšně vytvořen!"],"After activating your account by the administrator, you will receive a notification by email.":["Po aktivaci vašeho účtu správcem obdržíte upozornění e-mailem."],"Go to login page":["Přejít na stránku přihlášení"],"To log in with your new account, click the button below.":["Pro přihlášení do vašeho nového účtu klikněte na tlačítko níže."],"back to home":["Zpět na hlavní stránku"],"Please sign in":["Přihlášení"],"Sign up":["Registrace"],"Create a new one.":["Vytvořit nové"],"Don't have an account? Join the network by entering your e-mail address.":["Nemáte ještě účet? Připojte se k sítí zadáním vaší e-mailové adresy"],"Forgot your password?":["Zapomněl(a) jste heslo?"],"If you're already a member, please login with your username/email and password.":["Pokud jste již členem, přihlaste se prosím svým uživatelským jménem/e-mailem a heslem."],"Register":["Registrovat"],"email":["E-mailová adresa"],"password":["Heslo"],"username or email":["Uživatelské jméno nebo e-mail"],"Password recovery":["Obnovení hesla","Obnova hesla"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Stačí zadat vaši e-mailovou adresu, na ni vám zašleme instrukce k obnovení hesla."],"Reset password":["Obnovit heslo"],"enter security code above":["Zadejte zabezpečovací kód"],"your email":["Vaše e-mailová adresa"],"Password recovery!":["Obnovení hesla"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Poslali jsme vám email obsahující odkaz, který vám umožní obnovit vaše heslo."],"Registration successful!":["Registrace byla úspěšná!"],"Please check your email and follow the instructions!":["Prosím zkontrolujte e-mail a následujte instrukce, které vám přišly."],"Password reset":["Obnovení hesla"],"Change your password":["Změna hesla"],"Change password":["Změnit heslo"],"Password changed!":["Heslo bylo změněno!"],"Confirm
your new email address":["Potvrzení nové emailové adresy"],"Confirm":["Potvrdit"],"Hello":["Dobrý den"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Požádal(a) jste o změnu vaší e-mailové adresy.
Vaše nová e-mailová adresa je: {newemail}

Pro potvrzení této změny prosím klikněte na tlačítko níže."],"Hello {displayName}":["Dobrý den {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Funkčnost tohoto odkazu vyprší, jestliže na něj do 24 hodin nekliknete."],"Please use the following link within the next day to reset your password.":["Pro obnovu vašeho hesla prosím použijte následující odkaz."],"Reset Password":["Obnovit heslo"],"Sign up":["Dokončit registraci"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Vítejte v síti %appName%. Pro dokončení registrace prosím klikněte na tlačítko níže."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Abyste se mohl(a) do prostoru připojit, je třeba se nejdříve zaregistrovat."],"You got a space invite":["Byl(a) jste pozván(a) do prostoru"],"invited you to the space:":["vás pozval(a) do prostoru:"],"{userName} mentioned you in {contentTitle}.":["{userName} vás zmínil(a) v {contentTitle}."],"About this user":["Informace o tomto uživateli"],"Modify your title image":["Úprava úvodní fotky"],"Account settings":["Nastavení účtu"],"Profile":["Profil"],"Edit account":["Upravit účet"],"Following":["sleduji"],"Following user":["Koho sleduji"],"User followers":["Kdo mě sleduje"],"Member in these spaces":["Členem prostorů"],"User tags":["Štítky uživatele"],"No birthday.":["Žádné narozeniny."],"Back to modules":["Zpět na přehled modulů"],"Birthday Module Configuration":["Nastavení modulu Narozeniny"],"The number of days future bithdays will be shown within.":["Počet dnů v budoucnosti, ve kterých se budou zobrazovat narozeniny."],"Tomorrow":["Zítra"],"Upcoming":["Nadcházející"],"You may configure the number of days within the upcoming birthdays are shown.":["Můžete nastavit počet dnů před narozeninami, kdy na ně bude upozorněno."],"becomes":["bude"],"birthdays":["narozeniny"],"days":["dnů"],"today":["dnes"],"years old.":["let."],"Active":["Aktivovat"],"Mark as unseen for all users":["Označit jako nepřečtené pro všechny uživatele"],"Breaking News Configuration":["Nastavení modulu Horká novinka"],"Note: You can use markdown syntax.":["Poznámka: můžete využít syntaxe markdown."],"End Date and Time":["Datum a čas konce"],"Recur":["Opakování"],"Recur End":["Konec opakování"],"Recur Interval":["Interval opakování"],"Recur Type":["Typ opakování"],"Select participants":["Vybrat účastníky"],"Start Date and Time":["Datum a čas začátku"],"You don't have permission to access this event!":["Pro přístup k této události nemáte oprávnění!"],"You don't have permission to create events!":["Nemáte oprávnění vytvořit událost!"],"Adds an calendar for private or public events to your profile and mainmenu.":["Přidá kalendář s vašimi soukromými nebo veřejnými událostmi na váš profil a do hlavního menu."],"Adds an event calendar to this space.":["Přidá kalendář do tohoto prostoru."],"All Day":["Celý den"],"Attending users":["Zúčastní se"],"Calendar":["Kalendář"],"Declining users":["Nezúčastní se "],"End Date":["Datum konce"],"End time must be after start time!":["Datum konce události musí následovat po začátku!"],"Event":["Událost"],"Event not found!":["Událost nebyla nenalezena!"],"Maybe attending users":["Možná se zúčastní"],"Participation Mode":["Kdo se může zúčasnit?"],"Start Date":["Datum začátku"],"You don't have permission to delete this event!":["Nemáte oprávnění smazat tuto událost!"],"You don't have permission to edit this event!":["Nemáte oprávnění upravit tuto událost!"],"%displayName% created a new %contentTitle%.":["%displayName% vytvořil(a) novou událost %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% se zúčastní události %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% se možná zúčastní události %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% se nezúčastní události %contentTitle%."],"Start Date/Time":["Datum a čas začátku"],"Create event":["Vytvořit událost"],"Edit event":["Upravit událost"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Poznámka: Tato událost bude vytvořena ve vašem profilu. Pokud chcete vytvořit událost v některém prostoru, otevřete kalendář v něm."],"End Date/Time":["Datum a čas konce"],"Everybody can participate":["Každý se může zúčastnit"],"No participants":["Nikdo se nemůže zúčastnit"],"Participants":["Účastníci"],"Created by:":["Vytvořeno:"],"Edit this event":["Upravit tuto událost"],"I´m attending":["Zúčastním se"],"I´m maybe attending":["Možná se zúčastním"],"I´m not attending":["Nezůčastním se"],"Attend":["Chci se zúčastnit"],"Maybe":["Možná"],"Filter events":["Filtrovat události"],"Select calendars":["Vybrat kalendáře"],"Already responded":["Již jste odpověl(a)"],"Followed spaces":["Sledované prostory"],"Followed users":["Sledovaní uživatelé"],"My events":["Moje události"],"Not responded yet":["Zatím jste neodpověl(a)"],"Upcoming events ":["Nadcházející události"],":count attending":[":count lidí se zúčastní"],":count declined":[":count lidí se nezúčastní"],":count maybe":[":count lidí se možná zúčastní"],"Participants:":["Účastníci:"],"Create new Page":["Vytvořit novou stránku"],"Custom Pages":["Vlastní stránky"],"HTML":["HTML"],"IFrame":["IFrame"],"Link":["Odkaz"],"MarkDown":["MarkDown"],"Navigation":["Navigace"],"No custom pages created yet!":["Zatím nebyla vytvořena žádná vlastní stránka."],"Sort Order":["Řazení"],"Top Navigation":["Hlavní navigace"],"Type":["Typ"],"User Account Menu (Settings)":["Uživatelské menu (nastavení)"],"The item order was successfully changed.":["Pořadí položek bylo úspěšně změněno."],"Toggle view mode":["Přepnout zobrazení"],"You miss the rights to reorder categories.!":["Nemáte oprávnění pro změnu řazení kategorií!"],"Confirm category deleting":["Potvrzení smazání kategorie"],"Confirm link deleting":["Potvrzení smazání odkazu"],"Delete category":["Smazat kategorii"],"Delete link":["Smazat odkaz"],"Do you really want to delete this category? All connected links will be lost!":["Opravdu chcete smazat tuto kategorii? Veškeré odkazy, které obsahuje, budou smazány!"],"Do you really want to delete this link?":["Opravdu chcete smazat tento odkaz?"],"Extend link validation by a connection test.":["Ověřit platnost odkazu pokusem o načtení stránky."],"Linklist":["Odkazy"],"Linklist Module Configuration":["Nastavení modulu Odkazy"],"Requested category could not be found.":["Požadovaná kategorie nebyla nalezena."],"Requested link could not be found.":["Požadovaný odkaz nebyl nalezen."],"Show the links as a widget on the right.":["Zobrazit odkazy jako widget v pravém bočním menu."],"The category you want to create your link in could not be found!":["Kategorie, do které chcete přidat odkaz, nebyla nalezena."],"There have been no links or categories added to this space yet.":["Do tohoto prostoru nebyly přidány ještě žádné kategorie ani odkazy."],"You can enable the extended validation of links for a space or user.":["Zde můžete nastavit rozšířené možnosti ověření odkazu."],"You miss the rights to add/edit links!":["Nemáte oprávnění pro přidávání/upravování odkazů!"],"You miss the rights to delete this category!":["Nemáte oprávnění pro smazání této kategorie!"],"You miss the rights to delete this link!":["Nemáte oprávnění pro smazání tohoto odkazu!"],"You miss the rights to edit this category!":["Nemáte oprávnění pro úpravu této kategorie!"],"You miss the rights to edit this link!":["Nemáte oprávnění pro úpravu tohoto odkazu!"],"Messages":["Zprávy"],"You could not send an email to yourself!":["Nelze poslat zprávu sám(a) sobě!"],"Recipient":["Příjemce"],"New message from {senderName}":["Nová zpráva od uživatele {senderName}"],"and {counter} other users":["a dalších {counter} uživatelů"],"New message in discussion from %displayName%":["Nová zpráva v konverzaci od uživatele %displayName%"],"New message":["Nová zpráva"],"Reply now":["Odpovědět"],"sent you a new message:":["vám posílá zprávu:"],"sent you a new message in":["vám poslal novou zprávu v konverzaci"],"Add more participants to your conversation...":["Přidejte do této konverzace více lidí..."],"Add user...":["Přidat uživatele..."],"New message":["Nová zpráva"],"Messagebox":["Zprávy"],"Inbox":["Příchozí"],"There are no messages yet.":["Zatím zde nejsou žádné zprávy."],"Write new message":["Napsat novou zprávu"],"Add user":["Přidat uživatele"],"Leave discussion":["Opustit konverzaci"],"Write an answer...":["Napsat odpověď..."],"User Posts":["Příspěvky uživatelů"],"Sign up now":["Zaregistrovat se"],"Show all messages":["Zobrazit všechny zprávy"],"Notes":["Poznámky"],"Etherpad API Key":["API klíč pro Etherpad"],"URL to Etherpad":["URL k Etherpadu"],"Could not get note content!":["Nebylo možné získat obsah poznámky!"],"Could not get note users!":["Nebylo možné získat seznam uživatelů poznámky!"],"Note":["Poznámka"],"{userName} created a new note {noteName}.":["{userName} napsal(a) novou poznámku {noteName}."],"{userName} has worked on the note {noteName}.":["{userName} provedl(a) změnu v poznámce {noteName}."],"API Connection successful!":["Připojení k API bylo úspěšné!"],"Could not connect to API!":["Nebylo možné se připojit k API!"],"Current Status:":["Aktuální stav:"],"Notes Module Configuration":["Nastavení modulu Poznámky"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Pro více informací si prosím přečtěte dokumentaci modulu v /protected/modules/notes/docs/install.txt"],"Save & Test":["Uložit a vyzkoušet"],"The notes module needs a etherpad server up and running!":["Modul Poznámky vyžaduje ke svému provozu běžící etherpad server!"],"Save and close":["Uložit a zavřít"],"{userName} created a new note and assigned you.":["{userName} napsal(a) novou poznámku a přiřadil(a) vás k ní."],"{userName} has worked on the note {spaceName}.":["{userName} provedl(a) změnu v poznámce {spaceName}."],"Open note":["Otevřít poznámku"],"Title of your new note":["Název nové poznámky"],"No notes found which matches your current filter(s)!":["Nebyla nalezena žádná poznámka, která odpovídá vašemu vyhledávání."],"There are no notes yet!":["Zatím zde nejsou žádné poznámky!"],"Polls":["Ankety"],"Could not load poll!":["Nebylo možné načíst anketu!"],"Invalid answer!":["Neplatná odpověď!"],"Users voted for: {answer}":["Uživatelé, kteří hlasovali pro odpověď: {answer}"],"Voting for multiple answers is disabled!":["Není možné hlasovat pro více odpovědí!"],"You have insufficient permissions to perform that operation!":["Pro tuto operaci nemáte dostatečná oprávnění!"],"Answers":["\"Odpovědi\""],"Multiple answers per user":["Více odpovědí na jednoho uživatele"],"Please specify at least {min} answers!":["Minimální počet možných odpovědí je {min}."],"Question":["\"Otázka\""],"{userName} voted the {question}.":["{userName} hlasoval(a) v anketě {question}."],"{userName} created a new {question}.":["{userName} položil(a) otázku {question}."],"User who vote this":["Uživatelé, kteří pro to hlasovali"],"{userName} created a new poll and assigned you.":["{userName} vytvořil(a) novou anketu a přiřadil(a) vám ji."],"Ask":["Položit otázku"],"Reset my vote":["Zrušit mé hlasování"],"Vote":["Hlasovat"],"and {count} more vote for this.":["a dalších {count} lidí pro to hlasovalo."],"votes":["hlasů"],"Allow multiple answers per user?":["Povolit více odpovědí od jednoho uživatele?"],"Ask something...":["Položte otázku..."],"Possible answers (one per line)":["Možné odpovědi (oddělte novým řádkem)"],"Display all":["Zobrazit vše"],"No poll found which matches your current filter(s)!":["Nebyla nalezena žádná anketa, která by odpovídala filtrům, které jste zvolil(a)."],"There are no polls yet!
Be the first and create one...":["Zatím zde nejsou žádné ankety.
Vytvořte první..."],"Asked by me":["Vytvořil(a) jsem"],"No answered yet":["Bez odpovědí"],"Only private polls":["Jen neveřejné ankety"],"Only public polls":["Jen veřejné ankety"],"Tasks":["Úkoly"],"Could not access task!":["Nelze získat přístup k úkolu!"],"{userName} assigned to task {task}.":["Uživateli {userName} byl přiřazen úkol {task}."],"{userName} created task {task}.":["{userName} vytvořil(a) úkol {task}."],"{userName} finished task {task}.":["{userName} dokončil(a) úkol {task}."],"{userName} assigned you to the task {task}.":["{userName} vás přiřadil(a) k úkolu {task}."],"{userName} created a new task {task}.":["{userName} vytvořil(a) nový úkol {task}."],"This task is already done":["Tento úkol je již dokončen"],"You're not assigned to this task":["Nejste přiřazen(a) k tomuto úkolu"],"Click, to finish this task":["Klikněte pro dokončení úkolu"],"This task is already done. Click to reopen.":["Tento úkol je již dokončen. Klikněte pro znovuotevření úkolu."],"My tasks":["Moje úkoly"],"From space: ":["Z prostoru:"],"No tasks found which matches your current filter(s)!":["Nebyl nalezen žádný úkol, který by odpovídal filtrům, které jste zvolil(a)."],"There are no tasks yet!
Be the first and create one...":["Zatím zde nejsou žádné úkoly.
Vytvořte první..."],"Assigned to me":["Přiřazených mně"],"Nobody assigned":["Nepřiřazen nikomu"],"State is finished":["Dokončené"],"State is open":["Otevřené"],"Assign users to this task":["Přiřadit úkol uživateli (nepovinné)"],"Deadline for this task?":["Termín dokončení úkolu?"],"Preassign user(s) for this task.":["Přidělení úkolu uživateli/uživatelům."],"What to do?":["Co je potřeba udělat?"],"Search":["Hledat"],"Allow":["Povolit"],"Default":["Výchozí"],"Deny":["Odmítnout"],"Please type at least 3 characters":["Napište prosím alespoň 3 znaky"],"An internal server error occurred.":["Na serveru se vyskytla chyba."],"You are not allowed to perform this action.":["K této akci nemáte dostatečná oprávnění."],"Account Request for '{displayName}' has been approved.":["Žádost uživatele '{displayName}' byla přijata."],"Account Request for '{displayName}' has been declined.":["Žádost uživatele '{displayName}' byla zamítnuta."],"Allow limited access for non-authenticated users (guests)":["Povolit omezený přístup nepřihlášeným uživatelům (hostům)"],"Default user profile visibility":["Výchozí viditelnost uživatelského profilu"],"Logo upload":["Logo"],"Server Timezone":["Časové pásmo serveru"],"Show sharing panel on dashboard":["Zobrazit na Nástěnce panel sdílení"],"Show user profile post form on dashboard":["Zobrazit na Nástěnce formulář pro odeslání nového příspěvku"],"Default Content Visiblity":["Výchozí viditelnost příspěvků"],"Security":["Zabezpečení"],"No purchased modules found!":["Nebyly nalezeny žádné zakoupené moduly."],"search for available modules online":["vyhledat dostupné moduly online"],"HumHub is currently in debug mode. Disable it when running on production!":["HumHub je momentálně ve vývojářském režimu (debug mode). Pokud jde o produkční prostředí, nezapomeňte jej vypnout!"],"See installation manual for more details.":["Pro více informací se podívejte do dokumentace na webu aplikace HumHub."],"Purchases":["Zakoupené"],"Enable module...":["Zapnout modul..."],"Buy (%price%)":["Koupit (%price%)"],"Installing module...":["Instaluji modul..."],"Licence Key:":["Licenční klíč:"],"Updating module...":["Aktualizuji modul..."],"Show %count% more comments":["Zobrazit dalších %count% komentářů"],"No matches with your selected filters!":["Podle zadaných kritérií nebyla nalezena žádná shoda!"],"Nothing here yet!":["Ještě zde nic není!"],"No public contents to display found!":["Nebyly nalezeny žádné veřejné příspěvky!"],"Share your opinion with others":["Sdílení"],"Post a message on Facebook":["Sdílet na Facebook"],"Share on Google+":["Sdílet na Google+"],"Share with people on LinkedIn ":["Sdílet na LinkedIn"],"Tweet about HumHub":["Sdílet na Twitter"],"There are no profile posts yet!":["Zatím zde nejsou žádné příspěvky."],"See all":["Zobrazit všechny"],"Downloading & Installing Modules...":["Stahuji a instaluji modul(y)..."],"Calvin Klein – Between love and madness lies obsession.":["Mně se hodně líbilo to přirovnání, že je Bůh jako náš otec. Myslím, že kdo má děti, dokáže si dobře představit, co to znamená."],"Nike – Just buy it. ;Wink;":["Asi nejvíc vývojová psychologie dítěte. Měl dobré postřehy."],"We're looking for great slogans of famous brands. Maybe you can come up with some samples?":["Kdo jste dneska byli na tom semináři v aule - co vás nejvíc zaujalo?"],"Welcome Space":["Uvítací prostor"],"Yay! I've just installed HumHub ;Cool;":["Jupí, právě jsme nainstalovali HumHub ;Cool;"],"Your first sample space to discover the platform.":["Toto je první prostor, ve kterém vítáme nové uživatele."],"Set up example content (recommended)":["Vytvořit pár příspěvků na ukázku"],"Allow access for non-registered users to public content (guest access)":["Povolit přístup nepřihlášeným uživatelům k veřejným příspěvkům"],"External user can register (The registration form will be displayed at Login))":["Povolit registraci novým uživatelům (bude se zobrazovat formulář registrace)"],"Newly registered users have to be activated by an admin first":["Noví uživatelé musí být nejdříve schválení administrátorem"],"Registered members can invite new users via email":["Registrovaní uživatelé mohou zvát další"],"I want to use HumHub for:":["Chci používat HumHub pro:"],"You're almost done. In this step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Už jsme skoro na konci, ještě vytvoříme účet administátora. S tímto účtem můžete spravovat celou síť."],"HumHub is very flexible and can be adjusted and/or expanded for various different applications thanks to its’ different modules. The following modules are just a few examples and the ones we thought are most important for your chosen application.

You can always install or remove modules later. You can find more available modules after installation in the admin area.":["HumHub je možné rozšířit mnoha moduly podle toho, jaké funkce zrovna potřebujete. Následující moduly jsme pro vás vybrali na základě předchozí volby použití, další moduly si ale můžete kdykoliv sami přidat nebo odebrat v Administraci."],"Recommended Modules":["Doporučené moduly"],"Example contents":["Ukázkové příspěvky"],"To avoid a blank dashboard after your initial login, HumHub can install example contents for you. Those will give you a nice general view of how HumHub works. You can always delete the individual contents.":["Pokud chcete, můžeme vám po instalaci vytvořit pár ukázkových příspěvků, abyste viděli, jak to vypadá. Tyto příspěvky pak můžete kdykoliv smazat."],"Here you can decide how new, unregistered users can access HumHub.":["Zde se můžete rozhodnout, co všechno mohou dělat neregistrovaní uživatelé."],"Security Settings":["Nastavení soukromí"],"Configuration":["Přednastavení"],"My club":["Klub"],"My community":["Skupina"],"My company (Social Intranet / Project management)":["Společnost/firma"],"My educational institution (school, university)":["Vzdělávací instituce (škola, univerzita)"],"Skip this step, I want to set up everything manually":["Přeskočit, nastavím si vše později"],"To simplify the configuration, we have predefined setups for the most common use cases with different options for modules and settings. You can adjust them during the next step.":["Nachystali jsme pár základních přednastavení pro určitá použití. Pokud chcete, můžete si jedno zvolit, nebo vše nastavit později manuálně."],"You":["Vy"],"You like this.":["Vám se to líbí."],"Confirm new password":["Potvrďte nové heslo"],"This user account is not approved yet!":["Tento účet ještě není aktivován!"],"You need to login to view this user profile!":["Abyste mohli prohlížet tento profil, je potřeba se nejdříve přihlásit."],"E-Mail is already in use! - Try forgot password.":["Tato e-mailová adresa je již používána. Pokud si nepamatujete heslo ke svému účtu, přejděte na formulář pro obnovení hesla."],"Profile visibility":["Viditelnost profilu"],"TimeZone":["Časové pásmo"],"Current E-mail address":["Stávající e-mailová adresa"],"Enter your password to continue":["Nejdříve zadejte heslo"],"Registered users only":["Pouze registrovaným uživatelům"],"Visible for all (also unregistered users)":["Viditelné všem (i neregistrovaným)"],"Registration Link":["Odkaz pro aktivaci"],"Space Invite":["Pozvánka do prostoru"],"End Time":["Čas konce"],"Start Time":["Čas začátku"],"Edit event":["Změnit událost"],"Without adding to navigation (Direct link)":["Nepřidávat do navigace (přímý odkaz)"],"Create page":["Vytvořit stránku"],"Edit page":["Změnit stránku"],"Default sort orders scheme: 100, 200, 300, ...":["Výchozí schéma řazení: 100, 200, 300..."],"Page title":["Titulek stránky"],"URL":["Adresa odkazu"],"Add Dropbox files":["Přidat soubory"],"Invalid file":["Neplatný soubor"],"Dropbox API Key":["API klíč k Dropboxu"],"Show warning on posting":["Zobrazit varování při odesílání"],"Dropbox post":["Příspěvek do Dropboxu"],"Dropbox Module Configuration":["Nastavení modulu Dropbox"],"The dropbox module needs active dropbox application created! Please go to this site, choose \"Drop-ins app\" and provide an app name to get your API key.":["Modul Dropbox vyžaduje přístup k Dropboxu! Přejděte prosím do nastavení Dropboxu, vyberte \"Drop-ins app\", zadejte jméno aplikace a potvrďte. Tak obdržítě API klíč."],"Dropbox settings":["Nastavení Dropboxu"],"Describe your files":["Popište své soubory"],"Sorry, the Dropbox module is not configured yet! Please get in touch with the administrator.":["Omlouváme se, ale ještě není nastaven. Napište prosím administrátorovi."],"The Dropbox module is not configured yet! Please configure it here.":["Modul Dropbox ještě není nastavení. Prosím, nastavte jej zde."],"Select files from dropbox":["Vyberte soubory z Dropboxu"],"Attention! You are sharing private files":["Upozornění! Chystáte se sdílet soukromé soubory"],"Do not show this warning in future":["Nechci toto upozornění už znovu zobrazovat"],"The files you want to share are private. In order to share files in your space we have generated a shared link. Everyone with the link can see the file.
Are you sure you want to share?":["Soubory, které se chystáte sdílet, jsou označeny jako soukromé. Odteď je však budou moci číst všichni, kdo obdrží odkaz k těmto souborům. Chcete tyto soubory opravdu sdílet?"],"Yes, I'm sure":["Ano, opravdu jsem si jist(a)"],"Added a new link %link% to category \"%category%\".":["Byl přidán nový odkaz %link% do kategorie \"%category%\"."],"No description available.":["Není k dispozici žádný popis."],"You cannot send a email to yourself!":["Nemůžete poslat zprávu sami sobě."],"Add recipients":["Přidat příjemce"],"Edit message entry":["Změnit obsah zprávy"],"Confirm deleting conversation":["Smazání konverzace"],"Confirm leaving conversation":["Opuštění konverzace"],"Confirm message deletion":["Smazání zprávy"],"Delete conversation":["Smazat konverzaci"],"Do you really want to delete this conversation?":["Opravdu chcete smazat tuto konverzaci?"],"Do you really want to delete this message?":["Opravdu chcete smazat tuto zprávu?"],"Do you really want to leave this conversation?":["Opravdu chcete opustit tuto konverzaci?"],"Leave":["Opustit"],"Leave conversation":["Opustit konverzaci"],"Send message":["Poslat zprávu"],"{displayName} created a new {contentTitle}.":["{displayName} vytvořil(a): {contentTitle}"],"Desktop Notifications":["Upozornění prohlížeče"],"Get a desktop notification when you are online.":["Ihned mě upozornit, když se objeví něco nového a nebudu na stránce"],"Create Account":["Vytvořit účet"],"Password recovery":["Obnovení hesla"],"Registration successful":["Registrace byla úspěšná!"],"Password reset":["Změna hesla"],"{userName} is now following you.":["{userName} nyní sleduje vaše příspěvky."],"This profile stream is still empty!":["Zatím zde není žádný příspěvek."],"Do you really want to delete your logo image?":["Opravdu chcete smazat logo?"],"Do you really want to delete your title image?":["Opravdu chcete smazat svůj úvodní obrázek?"],"Do you really want to delete your profile image?":["Opravdu chcete smazat svůj profilový obrázek?"],"Translations":["Překladač"],"Translation Editor":["Překladač"]} \ No newline at end of file +{"Could not find requested module!":["Požadovaný modul nebyl nalezen!"],"Invalid request.":["Neplatný požadavek."],"Keyword:":["Klíčové slovo:"],"Nothing found with your input.":["Dle zadaných parametrů nebylo nic nalezeno."],"Results":["Výsledky"],"Show more results":["Zobrazit další výsledky"],"Sorry, nothing found!":["Je nám líto, nebylo nic nalezeno!"],"Welcome to %appName%":["Vítejte v síti %appName%"],"Latest updates":["Poslední události"],"Account settings":["Nastavení účtu"],"Administration":["Administrace"],"Back":["Zpět"],"Back to dashboard":["Zpět na nástěnku"],"Choose language:":["Vyberte jazyk:"],"Collapse":["Sbalit"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Content Addon musí být buď instancí objektu HActiveRecordContent nebo HActiveRecordContentAddon!"],"Could not determine content container!":["Obsah nenalezen!"],"Could not find content of addon!":["Nebylo možné nalézt obsah dolpňku!"],"Error":["Chyba"],"Expand":["Rozbalit"],"Insufficent permissions to create content!":["Nedostatečná práva pro vytvoření obsahu!"],"It looks like you may have taken the wrong turn.":["Zdá se, že jste někde špatně odbočili."],"Language":["Jazyk"],"Latest news":["Poslední události"],"Login":["Přihlásit se"],"Logout":["Odhlásit"],"Menu":["Menu"],"Module is not on this content container enabled!":["Modul nebyl nalezen nebo je vypnut!"],"My profile":["Můj profil"],"New profile image":["Nový profilový obrázek"],"Oooops...":["Jejda..."],"Search":["Hledat"],"Search for users and spaces":["Hledat mezi uživateli a prostory"],"Space not found!":["Prostor nebyl nalezen!"],"User Approvals":["Uživatelská oprávnění"],"User not found!":["Uživatel nebyl nalezen!"],"You cannot create public visible content!":["Nemůžete vytvářet veřejně viditelný obsah!"],"Your daily summary":["Vaše denní shrnutí"],"Login required":["Je nutné být přihlášen(a)"],"Global {global} array cleaned using {method} method.":["Globální pole {global} bylo vyčištěno pomocí metody {method}."],"Add image/file":["Přidat obrázek/soubor"],"Add link":["Přidat odkaz"],"Bold":["Tučně"],"Close":["Zavřít"],"Code":["Kód"],"Enter a url (e.g. http://example.com)":["Zadejte URL adresu (např. http://example.com)"],"Heading":["Nadpis"],"Image":["Obrázek"],"Image/File":["Obrázek/soubor"],"Insert Hyperlink":["Vložit odkaz"],"Insert Image Hyperlink":["Vložit odkaz na obrázek"],"Italic":["Kurzíva"],"List":["Seznam"],"Please wait while uploading...":["Prosím počkejte chvíli, nahrávám soubor..."],"Preview":["Náhled"],"Quote":["Citace"],"Target":["Cíl odkazu"],"Title":["Nadpis"],"Title of your link":["Napište titulek odkazu"],"URL/Link":["URL adresa/odkaz"],"code text here":["zde je místo pro kód"],"emphasized text":["text kurzívou"],"enter image description here":["zde je místo pro popis obrázku"],"enter image title here":["zde je místo pro titulek obrázku"],"enter link description here":["zde je místo pro popis odkazu"],"heading text":["text nadpisu"],"list text here":["odrážka"],"quote here":["zde je místo pro citaci"],"strong text":["tučný text"],"Could not create activity for this object type!":["Pro objekt tohoto typu nelze vytvořit aktivitu!"],"%displayName% created the new space %spaceName%":["%displayName% vytvořil(a) nový prostor \"%spaceName%"],"%displayName% created this space.":["Tento prostor vytvořil(a) %displayName%."],"%displayName% joined the space %spaceName%":["%displayName% vstoupil(a) do prostoru %spaceName%"],"%displayName% joined this space.":["%displayName% vstoupil(a) do tohoto prostoru."],"%displayName% left the space %spaceName%":["%displayName% opustil(a) prostor %spaceName%"],"%displayName% left this space.":["%displayName% opustil(a) tento prostor."],"{user1} now follows {user2}.":["{user1} nyní sleduje uživatele {user2}."],"see online":["Otevřít v prohlížeči"],"via":["prostřednictvím"],"Latest activities":["Poslední aktivita"],"There are no activities yet.":["Zatím zde není žádná aktivita."],"Group not found!":["Skupina nebyla nalezena!"],"Could not uninstall module first! Module is protected.":["Modul je chráněn, nelze jej nejdříve odinstalovat."],"Module path %path% is not writeable!":["Cesta k modulu %path% nemá právo zápisu!"],"Saved":["Uloženo"],"Database":["Databáze"],"No theme":["Bez tématu"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["Nelze načíst LDAP – zkontrolujte rozšíření PHP!"],"File":["Soubor"],"No caching (Testing only!)":["Bez cache (pouze pro testování!)"],"None - shows dropdown in user registration.":["Žádný – zobrazit výběr při registraci uživatele."],"Saved and flushed cache":["Uloženo, cache vyprázdněna"],"Become this user":["Stát se tímto uživatelem"],"Delete":["Smazat"],"Disabled":["Blokovaný"],"Enabled":["Neblokovaný","Zapnuto"],"LDAP":["LDAP"],"Local":["Místní"],"Save":["Uložit"],"Unapproved":["Neschválený"],"You cannot delete yourself!":["Nemůžete smazat vlastní účet!"],"Could not load category.":["Kategorii nelze načíst."],"You can only delete empty categories!":["Smazat lze pouze prázdné kategorie!"],"Group":["Skupina"],"Message":["Zpráva"],"Subject":["Předmět"],"Base DN":["Base DN"],"Enable LDAP Support":["Povolit podporu LDAP"],"Encryption":["Šifrování"],"Fetch/Update Users Automatically":["Přenést/Aktualizovat uživatele automaticky"],"Hostname":["Hostname"],"Password":["Heslo"],"Port":["Port"],"Username":["Uživatelské jméno"],"Username Attribute":[" "],"Anonymous users can register":["Anonymní uživatelé se mohou zaregistrovat"],"Default user group for new users":["Výchozí skupina pro nové uživatele"],"Default user idle timeout, auto-logout (in seconds, optional)":["Výchozí čas, po kterém bude uživatel automaticky odhlášen (v sekundách, nepovinné)"],"Members can invite external users by email":["Uživatelé mohou pozvat další prostřednictvím e-mailu"],"Require group admin approval after registration":["Po registraci vyžadovat schválení správcem skupiny"],"Base URL":["URL adresa"],"Default language":["Výchozí jazyk"],"Default space":["Výchozí prostor"],"Invalid space":["Neplatný prostor"],"Name of the application":["Název aplikace"],"Show introduction tour for new users":["Zobrazit novým uživatelům úvodní prohlídku"],"Cache Backend":["Systém vyrovnávací paměti"],"Default Expire Time (in seconds)":["Výchozí doba expirace (v sekundách)"],"PHP APC Extension missing - Type not available!":["Chybí PHP modul APC!"],"PHP SQLite3 Extension missing - Type not available!":["Chybí PHP modul SQLite3!"],"Default pagination size (Entries per page)":["Výchozí stránkování (položek na stránku)"],"Display Name (Format)":["Zobrazení jména (formát)"],"Dropdown space order":["Pořadí prostoru v menu"],"Theme":["Vzhled"],"Hide file info (name, size) for images on wall":["Skrýt informace o souboru pro všechny obrázky ve výpisu příspěvků"],"Maximum preview image height (in pixels, optional)":["Maximální výška náhledu (v pixelech, volitelné)"],"Maximum preview image width (in pixels, optional)":["Maximální šířka náhledu (v pixelech, volitelné)"],"Allowed file extensions":["Povolené přípony souborů"],"Convert command not found!":["Příkaz pro převod nebyl nalezen!"],"Got invalid image magick response! - Correct command?":["Neplatná odpověď programu ImageMagick – je příkaz správný?"],"Image Magick convert command (optional)":["Program pro převod ImageMagick (volitelné)"],"Maximum upload file size (in MB)":["Maximální velikost nahrávaného souboru (v MB)"],"Use X-Sendfile for File Downloads":["Pro stahování souborů použít metodu X-Sendfile"],"Allow Self-Signed Certificates?":["Povolit self-signed certifikáty?"],"E-Mail sender address":["Adresa odesílatele"],"E-Mail sender name":["Jméno odesílatele"],"Mail Transport Type":["Typ přenosu"],"Port number":["Port"],"Endpoint Url":["URL veřejné API provozovatele"],"Url Prefix":["Doména provozovatele"],"Server":["Server"],"User":["Uživatel"],"Super Admins can delete each content object":["Správci mohou smazat libovolný obsah"],"Default Join Policy":["Výchozí pravidlo, kdo se může stát členem prostoru"],"Default Visibility":["Výchozí viditelnost"],"HTML tracking code":["Sledovací kód"],"Module directory for module %moduleId% already exists!":["Adresář modulu %moduleId% již existuje!"],"Could not extract module!":["Nebylo možné rozbalit modul!"],"Could not fetch module list online! (%error%)":["Nebylo možné vypsat seznam modulů! (%error%)"],"Could not get module info online! (%error%)":["Nebylo možné získat informace o modulu! (%error%₎"],"Download of module failed!":["Nebylo možné stáhnout modul!"],"Module directory %modulePath% is not writeable!":["Adresář pro ukládání modulů %modulePath% není zapisovatelný!"],"Module download failed! (%error%)":["Nebylo možné stáhnout modul! (%error%)"],"No compatible module version found!":["Nebyla nalezena žádná kompatibilní verze modulu!","Nebyl nalezen žádný kompatibilní modul!"],"Activated":["Aktivováno"],"No modules installed yet. Install some to enhance the functionality!":["Zatím žádné naistalované moduly. Nainstalujte některé k rozšíření funkcionality!"],"Version:":["Verze:"],"Installed":["Nainstalováno","Nainstalované"],"No modules found!":["Žádné moduly nenalezeny!"],"All modules are up to date!":["Všechny moduly jsou aktuální!"],"About HumHub":["O projektu HumHub"],"Currently installed version: %currentVersion%":["Nainstalovaná verze: %currentVersion%"],"Licences":["Licence"],"There is a new update available! (Latest version: %version%)":["Je dostupná aktualizace! (Poslední verze: %version%)"],"This HumHub installation is up to date!":["Nainstalovaná verze HumHubu je aktuální!"],"Accept":["Přijmout"],"Decline":["Odmítnout","Nechci se zúčastnit"],"Accept user: {displayName} ":["Přijmout uživatele: {displayName}"],"Cancel":["Zrušit"],"Send & save":["Poslat a uložit"],"Decline & delete user: {displayName}":["Zamítnout a smazat uživatele: {displayName}"],"Email":["E-mail"],"Search for email":["Hledat e-mail","Hledat e-mailovou adresu"],"Search for username":["Hledat uživatelské jméno"],"Pending user approvals":["Uživatelé čekající na schválení"],"Here you see all users who have registered and still waiting for a approval.":["Zde je seznam zaregistrovaných uživatelů, kteří čekají na schválení."],"Delete group":["Smazat skupinu"],"Delete group":["Smazat skupinu"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Abyste mohli smazat skupinu \"{group}\", musíte stávajícím uživatelům přidělit náhradní skupinu:"],"Create new group":["Vytvořit novou skupinu"],"Edit group":["Upravit skupinu"],"Description":["Popis"],"Group name":["Název skupiny"],"Ldap DN":["LDAP DN","Viditelnost"],"Search for description":["Hledat v popisu"],"Search for group name":["Hledat v názvu"],"Manage groups":["Správa skupin"],"Create new group":["Vytvořit novou skupinu"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Uživatele můžete rozdělit do skupin (pro týmy, oddělení apod.) a nastavit jim výchozí prostory a správce."],"Flush entries":["Smazat položky"],"Error logging":["Záznam chyb"],"Displaying {count} entries per page.":["Zobrazeno {count} záznamů na stránku."],"Total {count} entries found.":["Celkem nalezeno {count} záznamů."],"Available updates":["Dostupné aktualizace"],"Browse online":["Procházet online"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Moduly rozšiřují funkce HumHubu. Zde můžete instalovat a spravovat moduly ze stránek HumHubu."],"Module details":["Podrobnosti o modulu"],"This module doesn't provide further informations.":["Tento modul neposkytuje další informace."],"Processing...":["Provádím..."],"Modules directory":["Seznam modulů"],"Are you sure? *ALL* module data will be lost!":["Opravdu chcete smazat tento modul? *Veškerá* data modulu budou smazána!"],"Are you sure? *ALL* module related data and files will be lost!":["Opravdu chcete smazat tento modul? *Veškerá* data a soubory modulu budou smazány."],"Configure":["Nastavit"],"Disable":["Vypnout"],"Enable":["Zapnout"],"More info":["Více informací"],"Set as default":["Nastavit jako výchozí"],"Uninstall":["Odinstalovat"],"Install":["Nainstalovat"],"Latest compatible version:":["Poslední kompatibilní verze:"],"Latest version:":["Poslední verze:"],"Installed version:":["Nainstalovaná verze:"],"Latest compatible Version:":["Poslední kompatibilní verze:"],"Update":["Aktualizovat"],"%moduleName% - Set as default module":["%moduleName% – Nastavit jako výchozí modul"],"Always activated":["Vždy zapnuto"],"Deactivated":["Vypnuto"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Zde můžete vybrat, zda se má modul pro prostory či profily uživatelů automaticky zapnout. Pokud ano, vyberte \"vždy zapnuto\"."],"Spaces":["Prostory"],"User Profiles":["Profily uživatelů"],"There is a new HumHub Version (%version%) available.":["Je dostupná nová verze HumHubu (%version%)."],"Authentication - Basic":["Ověřování – Základní"],"Basic":["Základní"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Nejmenší možná hodnota je 20 sekund. Není-li nastaveno, sezení vyprší po 1400 sekundách (24 minut; výchozí expirace sezení)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Použije se jen pokud je omezen přístup neautentizovaným uživatelům. Dotkne se pouze nově registrovaných uživatelů."],"Authentication - LDAP":["Ověřování – LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["V produkčním prostředí je silně doporučeno používat TLS/SSL šifrování, aby hesla nebyla přenášena jako čistý text."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Nastavení filtrů, které se mají aplikovat při pokusu o přihlášení. %uid nahrazuje uživatelské jméno. Např.: "(sAMAccountName=%s)" nebo "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["LDAP atribut pro uživatelské jméno. Např. "uid" nebo "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Omezit přístup na základě daných kritérií. Např.: "(objectClass=posixAccount)" nebo "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Stav: chyba! (Odpověď: {message})"],"Status: OK! ({userCount} Users)":["Stav: OK! ({userCount} uživatelů)"],"Cache Settings":["Nastavení cache"],"Save & Flush Caches":["Uložit a vyčistit cache"],"CronJob settings":["Nastavení úloh CRON"],"Crontab of user: {user}":["Crontab uživatele: {user}"],"Last run (daily):":["Poslední spuštění (daily):"],"Last run (hourly):":["Poslední spuštění (hourly):"],"Never":["Nikdy"],"Or Crontab of root user":["Nebo crontab uživatele root"],"Please make sure following cronjobs are installed:":["Ujistěte se prosím, že jsou nainstalované následující úlohy CRON:"],"Design settings":["Nastavení vzhledu"],"Alphabetical":["Podle abecedy"],"Firstname Lastname (e.g. John Doe)":["Jméno Příjmení (např. Jan Novák)"],"Last visit":["Poslední návštěva"],"Username (e.g. john)":["Uživatelské jméno (např. jannovak)"],"File settings":["Nastavení souborů"],"Comma separated list. Leave empty to allow all.":["Jednotlivé přípony oddělte čárkou. Pro povolení všech přípon nechejte prázdné."],"Comma separated list. Leave empty to show file list for all objects on wall.":["Jednotlivé položky oddělte čárkou. Pro povolení všech položek nechejte prázdné."],"Current Image Libary: {currentImageLibary}":["Používaná knihovna pro zpracování obrázků: {currentImageLibrary}"],"If not set, height will default to 200px.":["Není-li nastaveno, použije se výchozí výška 200px."],"If not set, width will default to 200px.":["Není-li nastaveno, použije se výchozí šířka 200px."],"PHP reported a maximum of {maxUploadSize} MB":["Nastavení maximální velikosti souboru v PHP: {maxUploadSize} MB"],"Basic settings":["Základní nastavení"],"Confirm image deleting":["Potvrďte smazání obrázku"],"Dashboard":["Nástěnka"],"E.g. http://example.com/humhub":["Např. http://example.com/humhub"],"New users will automatically added to these space(s).":["Do těchto prostorů budou automaticky přidání noví uživatelé."],"You're using no logo at the moment. Upload your logo now.":["V tuto chvíli se nezobrazuje žádné logo. Můžete nějaké nahrát."],"Mailing defaults":["Nastavení zasílání e-mailů"],"Activities":["Události","Aktivity"],"Always":["Vždy"],"Daily summary":["Denní souhrn","Denní shrnutí"],"Defaults":["Výchozí"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Výchozí nastavení pro zasílání oznámení nebo nových událostí. Toto nastavení může být přepsáno uživatelem v nastavení účtu."],"Notifications":["Upozornění"],"Server Settings":["Nastavení serveru"],"When I´m offline":["Když jsem offline","Pouze pokud jsem offline"],"Mailing settings":["Nastavení posílání e-mailů"],"SMTP Options":["Možnosti SMTP"],"OEmbed Provider":["OEmbed ověřování"],"Add new provider":["Přidat nového ověřovatele"],"Currently active providers:":["Aktivní ověřovatelé"],"Currently no provider active!":["Momentálně není aktivní žádný ověřovatel!"],"Add OEmbed Provider":["Přidat OEmbed ověřovatele"],"Edit OEmbed Provider":["Změnit OEmbed ověřovatele"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url prefix bez http:// nebo https:// (např. youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Pro URL použijte proměnnou %url%. Formát dat musí být JSON. (např. ttp://www.youtube.com/oembed?url=%url%&format=json)"],"Proxy settings":["Nastavení proxy"],"Security settings and roles":["Nastavení zabezpečení a oprávnění"],"Self test":["Vnitřní diagnostika"],"Checking HumHub software prerequisites.":["Zjištěná nastavení prerekvizit aplikace HumHub"],"Re-Run tests":["Provést test znovu"],"Statistic settings":["Nastavení statistik"],"All":["Vše"],"Delete space":["Smazat prostor"],"Edit space":["Upravit prostor"],"Search for space name":["Hledat prostor"],"Search for space owner":["Hledat vlastníka prostoru"],"Space name":["Název prostoru"],"Space owner":["Vlastník","Vlastník místa"],"View space":["Zobrazit prostor"],"Manage spaces":["Správa prostorů"],"Define here default settings for new spaces.":["Zde nastavíte výchozí nastavení pro nové prostory."],"In this overview you can find every space and manage it.":["V tomto přehledu naleznete a můžete spravovat libovolný prostor."],"Overview":["Přehled"],"Settings":["Nastavení"],"Space Settings":["Nastavení prostorů"],"Add user":["Přidat uživatele"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Opravdu chcete smazat tohoto uživatele? Jestliže je tento uživatel vlastníkem některého prostoru, vlastnictví těchto prostorů přejde na váš účet."],"Delete user":["Smazat uživatele"],"Delete user: {username}":["Smazat uživatele: {username}"],"Edit user":["Upravit uživatele"],"Admin":["Správce"],"Delete user account":["Smazat uživatelský účet"],"Edit user account":["Upravit uživatelský účet"],"No":["Ne"],"View user profile":["Zobrazit profil uživatele"],"Yes":["Ano"],"Manage users":["Správa uživatelů"],"Add new user":["Přidat nového uživatele"],"In this overview you can find every registered user and manage him.":["V tomto přehledu naleznete a můžete spravovat libovolného uživatele."],"Create new profile category":["Vytvořit novou kategorii"],"Edit profile category":["Upravit kategorii"],"Create new profile field":["Vytvořit nové pole"],"Edit profile field":["Upravit pole"],"Manage profiles fields":["Správa polí profilu"],"Add new category":["Vytvořit novou kategorii"],"Add new field":["Vytvořit nové pole"],"Security & Roles":["Zabezpečení a role"],"Administration menu":["Menu administrace"],"About":["O mně"],"Authentication":["Ověřování"],"Caching":["Cache"],"Cron jobs":["Úlohy CRON"],"Design":["Vzhled"],"Files":["Soubory"],"Groups":["Skupiny"],"Logging":["Protokol"],"Mailing":["Zasílání e-mailů"],"Modules":["Moduly"],"OEmbed Provider":["OEmbed ověřování"],"Self test & update":["Vnitřní diagnostika & aktualizace"],"Statistics":["Statistiky"],"User approval":["Schvalování uživatelů"],"User profiles":["Profily uživatelů"],"Users":["Uživatelé"],"Click here to review":["Pro přehled klikněte zde"],"New approval requests":["Nové požadavky na schválení"],"One or more user needs your approval as group admin.":["Jeden nebo více uživatelů čekají na vaše schválení."],"Could not delete comment!":["Nelze smazat komentář!"],"Invalid target class given":["Nebylo možné najít cílovou třídu!"],"Model & Id Parameter required!":["Model a id parametr jsou vyžadovány!"],"Target not found!":["Cíl nebyl nalezen!"],"Access denied!":["Přístup odepřen!"],"Insufficent permissions!":["Nedostatečná oprávnění!"],"Comment":["Komentář","Komentovat"],"%displayName% wrote a new comment ":["%displayName% napsal(a) nový komentář"],"Comments":["Komentáře"],"Edit your comment...":["Upravit komentář..."],"%displayName% commented %contentTitle%.":["%displayName% okomentoval(a) %contentTitle%."],"Show all {total} comments.":["Zobrazit všech {total} komentářů."],"Post":["Příspěvek"],"Write a new comment...":["Napište komentář..."],"Edit":["Upravit"],"Confirm comment deleting":["Potvrďte smazání komentáře"],"Do you really want to delete this comment?":["Opravdu chcete smazat tento komentář?"],"Updated :timeago":["Upraveno :timeago","změněno :timeago"],"Could not load requested object!":["Nelze načíst požadovaný objekt!"],"Unknown content class!":["Neznámá třída obsahu!"],"Could not find requested content!":["Nelze nalézt požadovaný obsah!"],"Could not find requested permalink!":["Nelze nalézt požadovaný příspěvek!"],"{userName} created a new {contentTitle}.":["{userName} vytvořil(a) nový příspěvek {contentTitle}."],"in":["v prostoru","za"],"Submit":["Potvrdit"],"Move to archive":["Archivovat"],"Unarchive":["Obnovit z archívu"],"Public":["Veřejné"],"What's on your mind?":["Co se vám honí hlavou?"],"Add a member to notify":["Upozornit uživatele"],"Make private":["Neveřejné"],"Make public":["Zveřejnit"],"Notify members":["Upozornit uživatele"],"Confirm post deleting":["Potvrzení smazání příspěvku"],"Do you really want to delete this post? All likes and comments will be lost!":["Opravdu chcete smazat tento příspěvek? Všechny komentáře a označení Libí se mi budou smazány."],"Archived":["Archivováno"],"Sticked":["Připnuto"],"Turn off notifications":["Vypnout upozornění"],"Turn on notifications":["Zapnout upozornění"],"Permalink to this post":["Odkaz na tento příspěvek"],"Permalink":["Odkaz","Trvalý odkaz"],"Stick":["Připnout"],"Unstick":["Odepnout"],"Nobody wrote something yet.
Make the beginning and post something...":["Zatím zde nejsou žádné příspěvky.
Napište první..."],"This profile stream is still empty":["Zatím zde není žádný příspěvek."],"This space is still empty!
Start by posting something here...":["Zatím zde nejsou žádné příspěvky.
Napište první..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Zatím zde není žádný příspěvek.
Napište něco na váš profil nebo se připojte k nějakému prostoru."],"Your profile stream is still empty
Get started and post something...":["Zatím zde není žádný příspěvek.
Můžete něco napsat..."],"Nothing found which matches your current filter(s)!":["Nebyl nalezen žádný příspěvek, který by odpovídal filtrům, které jste zvolil(a)."],"Show all":["Zobrazit vše"],"Back to stream":["Zpět na příspěvky"],"Content with attached files":["Příspěvky s přílohou"],"Created by me":["Vytvořil(a) jsem"],"Creation time":["Vytvořeno"],"Filter":["Filtr"],"Include archived posts":["Včetně archivovaných příspěvků"],"Last update":["Změněno"],"Only private posts":["Pouze neveřejné příspěvky"],"Only public posts":["Pouze veřejné příspěvky"],"Posts only":["Jen příspěvky"],"Posts with links":["Příspěvky s odkazem"],"Sorting":["Řazení"],"Where I´m involved":["Jsem zmíněn(a)"],"Directory":["Adresář"],"Member Group Directory":["Adresář členů skupin"],"show all members":["zobrazit všechny členy"],"Directory menu":["Menu adresáře"],"Members":["Členové"],"User profile posts":["Příspěvky uživatelů"],"Member directory":["Adresář členů"],"Follow":["Sledovat"],"No members found!":["Žádný člen nebyl nalezen!"],"Unfollow":["Přestat sledovat"],"search for members":["Hledat členy"],"Space directory":["Adresář prostorů"],"No spaces found!":["Nebyl nalezen žádný prostor!"],"You are a member of this space":["Jste členem tohoto prostoru"],"search for spaces":["Hledat prostor"],"Group stats":["Statistiky skupin"],"Average members":["Průměrně členů"],"Top Group":["Top skupina"],"Total groups":["Skupin celkem"],"Member stats":["Statistiky členů"],"New people":["Noví lidé"],"Follows somebody":["Sleduje někoho"],"Online right now":["Právě online"],"Total users":["Uživatelů celkem"],"New spaces":["Nové prostory"],"Space stats":["Statistiky prostorů"],"Most members":["Nejvíce členů"],"Private spaces":["Soukromé prostory"],"Total spaces":["Prostorů celkem"],"Could not find requested file!":["Požadovaný soubor nebyl nalezen!"],"Insufficient permissions!":["Nedostatečná oprávnění!"],"Created By":["Vytvořil(a)"],"Created at":["Vytvořeno"],"File name":["Název souboru"],"Guid":["Globální ID"],"ID":["ID"],"Invalid Mime-Type":["Neplatný Mime-Type"],"Maximum file size ({maxFileSize}) has been exceeded!":["Byl překročen povolený limit maximální velikosti souboru {maxFileSize}!"],"Mime Type":["Mime typ"],"Size":["Velikost"],"This file type is not allowed!":["Tento typ souboru není povolen!"],"Updated at":["Aktualizováno"],"Updated by":["Aktualizoval(a)","Vytvořil(a)","Aktualizováno od"],"Upload error":["Chyba při nahrávání"],"Could not upload File:":["Nebylo možné nahrát soubor:"],"Upload files":["Nahrát soubory"],"Create Admin Account":["Vytvořit účet administrátora"],"Name of your network":["Název vaší sítě"],"Name of Database":["Databáze"],"Admin Account":["Účet administrátora"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Už je to skoro hotové. Teď zbývá jen vytvořit účet administrátora, pomocí kterého máte možnost celou síť spravovat. Pro vytvoření prosím vyplňte následující formulář."],"Next":["Další"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Nyní můžete vaší síti zvolit název. Výchozí název lze přepsat na jiný, např. název vaší firmy, organizaci či spolku."],"Social Network Name":["Název sítě"],"Setup Complete":["Dokončení nastavení"],"Congratulations. You're done.":["Výborně, jste hotovi."],"Sign in":["Přihlásit se"],"The installation completed successfully! Have fun with your new social network.":["Instalace byla úspěšná! Přejeme, ať vám síť dobře slouží."],"Setup Wizard":["Průvodce nastavením"],"Welcome to HumHub
Your Social Network Toolbox":["Vítejte v síti HumHub"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Tento průvodce vám pomůže nainstalovat a nastavit síť HumHub.

Chcete-li pokračovat, klikněte na tlačítko Další."],"Database Configuration":["Nastavení databáze"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["Níže prosím zadejte vaše údaje pro připojení k databázi. Jestliže si jimi nejste jisti, obraťte se na správce vašeho serveru."],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["Hostname vašeho MySQL serveru (např. localhost, běží-li MySQL na stejném serveru)"],"Initializing database...":["Naplňuji databázi..."],"Ohh, something went wrong!":["Jejda, něco se porouchalo..."],"The name of the database you want to run HumHub in.":["Jméno databáze, do které chcete HumHub nainstalovat."],"Yes, database connection works!":["Jupí, připojení k databázi funguje!"],"Your MySQL password.":["Heslo pro přístup k databázi"],"Your MySQL username":["Uživatelské jméno pro přístup k databázi"],"System Check":["Kontrola systému"],"Check again":["Zkontrolovat znovu"],"Congratulations! Everything is ok and ready to start over!":["Výborně, vše funguje, jak má, a je nachystáno k instalaci!"],"This overview shows all system requirements of HumHub.":["Tento přehled ukazuje všechny požadavky HumHubu."],"Could not find target class!":["Nebylo možné najít cílovou třídu!"],"Could not find target record!":["Nebylo možné najít cílový záznam!"],"Invalid class given!":["Byla zadána neplatná třída!"],"Users who like this":["Uživatelé, kterým se to líbí"],"{userDisplayName} likes {contentTitle}":["Uživateli {userDisplayName} se líbí {contentTitle}"],"%displayName% likes %contentTitle%.":["Uživateli %displayName% se líbí %contentTitle%."]," likes this.":[" se to líbí."],"You like this.":["Vám se to líbí."],"You
":["Vy
"],"Like":["Líbí se mi"],"Unlike":["Už se mi nelíbí"],"and {count} more like this.":["a dalším {count} lidem se to líbí."],"Could not determine redirect url for this kind of source object!":["Nebylo možné předvídat adresu pro přesměrování k tomuto typu zdroji objektu!"],"Could not load notification source object to redirect to!":["Nebylo možné načíst zdrojový objekt notifikací pro přesměrování!"],"New":["Novinky","Nová"],"Mark all as seen":["Označit vše jako přečtené"],"There are no notifications yet.":["Zatím zde nejsou žádná upozornění."],"%displayName% created a new post.":["%displayName% napsal(a) nový příspěvek."],"Edit your post...":["Upravte svůj příspěvek..."],"Read full post...":["Zobrazit celý příspěvek..."],"Search results":["Výsledky hledání"],"Content":["Příspěvky","Obsah"],"Send & decline":["Odmítnout"],"Visible for all":["Viditelné pro všechny"]," Invite and request":["Pozváním nebo požádáním"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Nelze smazat uživatele, který je vlastníkem prostoru! Prostor: {spaceName}"],"Everyone can enter":["Každý se může přidat"],"Invite and request":["Pozváním nebo požádáním"],"Only by invite":["Jen pozváním"],"Private (Invisible)":["Neveřejné (skryté)"],"Public (Visible)":["Veřejné (viditelné)"],"Space is invisible!":["Tento prostor je skrytý!"],"As owner you cannot revoke your membership!":["Nemůžete si zrušit členství tomto prostoru, protože jste jeho vlastník!"],"Could not request membership!":["Není možné požádat o členství!"],"There is no pending invite!":["Momentálně zde není žádná pozvánka čekající na přijetí!"],"This action is only available for workspace members!":["Tato akce je možná pouze pro členy prostoru!"],"You are not allowed to join this space!":["Není možné se připojit k tomuto prostoru!"],"Your password":["Vaše heslo"],"Invites":["Pozvánky"],"New user by e-mail (comma separated)":["Pozvání uživatele pomocí e-mailu (adresy oddělte čárkou)"],"User is already member!":["Uživatel je již členem tohoto prostoru!"],"{email} is already registered!":["E-mailová adresa {email} již v databázi existuje!"],"{email} is not valid!":["E-mailová adresa {email} není platná!"],"Application message":["Zpráva aplikace"],"Created At":["Vytvořeno"],"Join Policy":["Jak se lze stát členem?"],"Name":["Jméno skupiny","Název"],"Owner":["Vlastník"],"Status":["Stav"],"Tags":["Štítky"],"Updated At":["Aktualizováno"],"Visibility":["Viditelnost"],"Website URL (optional)":["URL související webové stránky (volitelné)"],"You cannot create private visible spaces!":["Nemáte oprávnění vytvářet neveřejné prostory!"],"You cannot create public visible spaces!":["Nemáte oprávnění vytvářet veřejné prostory!"],"Select the area of your image you want to save as user avatar and click Save.":["Vyberte oblast, kterou chcete uložit jako profilový obrázek a klikněte na Uložit."],"Modify space image":["Upravit obrázek prostoru"],"Delete space":["Smazat prostor"],"Are you sure, that you want to delete this space? All published content will be removed!":["Opravdu chcete smazat tento prostor? Veškerý jeho obsah bude smazán!"],"Please provide your password to continue!":["Pro dokončení smazání prosím zadejte vaše heslo."],"General space settings":["Obecná nastavení prostoru"],"Archive":["Archivovat"],"Choose the kind of membership you want to provide for this workspace.":["Vyberte, jak se lze stát členem prostoru."],"Choose the security level for this workspace to define the visibleness.":["Vyberte, jakou má mít prostor viditelnost."],"Manage your space members":["Správa členů prostoru"],"Outstanding sent invitations":["Nevyřízené odeslané pozvánky"],"Outstanding user requests":["Nevyřízené žádosti uživatelů"],"Remove member":["Odstranit člena"],"Allow this user to
invite other users":["Povolit tomuto uživateli
zvát další uživatele"],"Allow this user to
make content public":["Povolit tomuto uživateli
publikovat veřejně viditelný obsah"],"Are you sure, that you want to remove this member from this space?":["Opravdu chcete tohoto uživatele odstranit z tohoto prostoru?"],"Can invite":["Může zvát"],"Can share":["Může sdílet"],"Change space owner":["Změnit správce prostoru"],"External users who invited by email, will be not listed here.":["Externí uživatelé, kteří byli pozváni e-mailem, zde nebudou uvedeni."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Níže můžete vidět všechny aktivní uživatele tohoto prostoru. Můžete upravovat jejich oprávnění nebo je z prostoru odebrat."],"Is admin":["Je správcem"],"Make this user an admin":["Přidělit tomuto uživateli
správcovská oprávnění k tomuto prostoru"],"No, cancel":["Ne, zrušit"],"Remove":["Odstranit"],"Request message":["Zpráva k žádosti"],"Revoke invitation":["Zrušit pozvání"],"Search members":["Hledat členy"],"The following users waiting for an approval to enter this space. Please take some action now.":["Následující uživatelé čekají na schválení pro vstup do tohoto prostoru. Udělejte si prosím chvíli, ať nemusí čekat dlouho."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Následující uživatelé jsou již pozváni do tohoto prostoru, ale dosud se pozvánkou nezabývali."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Vlastník prostoru je nejvyšší administrátor prostoru se všemi právy, obvykle jde i o toho, kdo prostor vytvořil. Zde můžete předat tuto roli jinému uživateli."],"Yes, remove":["Ano, odstranit"],"Space Modules":["Moduly prostoru"],"Are you sure? *ALL* module data for this space will be deleted!":["Jste si opravdu jistí? *VŠECHNA* data modulu k tomuto prostoru budou smazána!"],"Currently there are no modules available for this space!":["Momentálně zde nejsou žádné dostupné moduly pro tento prostor!"],"Enhance this space with modules.":["Zde můžete rozšířit tento prostor moduly."],"Create new space":["Vytvořit nový prostor"],"Advanced access settings":["Pokročilá nastavení přístupu a viditelnosti"],"Also non-members can see this
space, but have no access":["Také uživatelé, kteří nejsou členové,
mohou vidět tento prostor, ale nemají k němu přístup"],"Create":["Vytvořit"],"Every user can enter your space
without your approval":["Všichni uživatelé mohou vstoupit do tohoto prostoru
bez vašeho schválení"],"For everyone":["Pro každého"],"How you want to name your space?":["Jak chcete váš prostor pojmenovat?"],"Please write down a small description for other users.":["Prosím napište krátký popis pro ostatní uživatele."],"This space will be hidden
for all non-members":["Tento prostor bude ukryt
přede všemi, kteří nejsou jeho členy"],"Users can also apply for a
membership to this space":["Uživatelé také mohou požádat
o členství v tomto prostoru"],"Users can be only added
by invitation":["Uživatelé mohou být přidáni
pouze na základě pozvání"],"space description":["Popis prostoru"],"space name":["Název prostoru"],"{userName} requests membership for the space {spaceName}":["{userName} žádá o členství v prostoru {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} schválil(a) vaše členství v prostoru {spaceName}"],"{userName} declined your membership request for the space {spaceName}":["{userName} zamítl(a) vaše členství v prostoru {spaceName}"],"{userName} invited you to the space {spaceName}":["{userName} vás pozval(a) do prostoru {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} přijal(a) vaši pozvánku do prostoru {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} odmítl(a) vaši pozvánku do prostoru {spaceName}"],"Accept Invite":["Přijmout pozvánku"],"Become member":["Stát se členem"],"Cancel membership":["Zrušit členství"],"Cancel pending membership application":["Zrušit čekající žádost o členství"],"Deny Invite":["Odmítnout pozvánku"],"Request membership":["Požádat o členství"],"You are the owner of this workspace.":["Jste vlastníkem tohoto prostoru."],"created by":["vytvořil(a)"],"Invite members":["Pozvat členy"],"Add an user":["Přidat uživatele"],"Email addresses":["E-mailové adresy"],"Invite by email":["Pozvat e-mailem"],"Pick users":["Vybrat uživatele"],"Send":["Poslat","Odeslat"],"To invite users to this space, please type their names below to find and pick them.":["Pokud chcete pozvat do tohoto prostoru další uživatele, začněte psát jejich jména a poté je vyberte ze seznamu."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Můžete také pozvat externí uživatele, kteří zatím nejsou zaregistrovaní. Stačit napsat jejich e-mailové adresy (oddělené čárkou)."],"Request space membership":["Žádost o členství v prostoru"],"Please shortly introduce yourself, to become an approved member of this space.":["Stručně se prosím představte, aby bylo možné schválit vaše členství v tomto prostoru."],"Your request was successfully submitted to the space administrators.":["Váše žádost byla uspěšně předána správci prostoru."],"Ok":["Ok"],"Back to workspace":["Zpět do prostoru"],"Space preferences":["Nastavení prostoru"],"General":["Obecné"],"Space directory":["Adresář prostoru"],"Space menu":["Menu prostoru"],"Stream":["Příspěvky"],"Change image":["Změnit obrázek"],"Current space image":["Současný obrázek prostoru"],"Invite":["Pozvat"],"Something went wrong":["Něco se pokazilo"],"Followers":["sleduje mě"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Stručně se prosím představte, aby bylo možné schválit vaše členství v tomto prostoru."],"Request workspace membership":["Žádost o členství v prostoru"],"Your request was successfully submitted to the workspace administrators.":["Váše žádost byla uspěšně předána správci prostoru."],"Create new space":["Vytvořit nový prostor"],"My spaces":["Mé prostory","Moje prostory"],"Space info":["Informace o prostoru"],"Accept invite":["Přijmout pozvání"],"Deny invite":["Odmítnout pozvánku"],"Leave space":["Opustit prostor"],"New member request":["Nová žádost o členství"],"Space members":["Členové prostoru"],"End guide":["Ukončit průvodce"],"Next »":["Další »"],"« Prev":["« Předchozí"],"Administration":["Administrace"],"Hurray! That's all for now.":["Hurá! To je pro tuto chvíli vše."],"Modules":["Moduly"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Odtud můžete jako správce systému řídit celou síť.

Nyní zmíníme jen sekci Moduly, jinak v každé sekci najdete krátký popis toho, co se v ní dá nastavovat."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Toto je menu administace. Můžete tudy vstoupit např. k online obchodu HumHubu, ze kterého můžete instalovat nové moduly.

Jak jsme již zmínili, moduly rozšiřují možnou funkcionalitu v prostorech."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Nyní jste se naučil(a) vše o nejdůležitějších vlastnostech a nastaveních. Výchozí nastavení umožňuje HumHub začít používat okamžitě, směle tedy do toho.

Doufáme, že se vám i dalším uživatelům bude HumHub líbit a rádi uvítáme podněty všeho druhu – ty nám pomohou HumHub vylepšit. Rádi budeme i za vaši podporu. Nebojte se nás proto kontaktovat prostřednictvím našich stránek www.humhub.org.

Děkujeme za vaše rozhodnutí pro HumHub!"],"Dashboard":["Nástěnka"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Toto je vaše nástěnka.

Na ní naleznete výpis nejnovějších a nejzajímavějších aktivit a příspěvků z prostorů, kterých jste členem, a od ostatních uživatelů."],"Administration (Modules)":["Administrace (Moduly)"],"Edit account":["Upravit účet"],"Hurray! The End.":["A je to!"],"Hurray! You're done!":["Hurá! Máte hotovo!"],"Profile menu":["Menu profilu"],"Profile photo":["Profilová fotografie"],"Profile stream":["Vaše příspěvky"],"User profile":["Můj profil"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Kliknutím na toto tlačítko můžete upravit svůj profil (např. přidat více informací o sobě) a také změnit nastavení svého účtu."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Každý profil má svou vlastní nástěnku. Vaše příspěvky se objeví také na nástěnkách těch uživatelů, kteří sledují váš profil."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Stejně jako prostory, i uživatelské profily mohou být přizpůsobeny pomocí různých modulů.

V sekci Moduly v nastavení vašeho účtu se můžete podívat na dostupné moduly pro váš profil."],"This is your public user profile, which can be seen by any registered user.":["Toto je váš veřejný profil, který může vidět každý registrovaný uživatel."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Nahrát novou profilovou fotografii můžete jednoduše kliknutím zde nebo pomocí drag & drop. Stejným způsobem můžete přidat také úvodní fotku."],"You've completed the user profile guide!":["Dokončili jste průvodce uživatelským profilem!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Dokončili jste průvodce uživatelským profilem!

Pokud chcete, můžete pokračovat průvodcem administrace kliknutím zde:"],"Most recent activities":["Poslední aktivita"],"Posts":["Příspěvky"],"Profile Guide":["Průvodce profilem"],"Space":["Prostor"],"Space navigation menu":["Menu prostoru"],"Writing posts":["Psaní příspěvků"],"Yay! You're done.":["A je to!"],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Zde uvidíte všechny uživatele, kteří jsou členy tohoto prostoru.

Přidat či pozvat nového uživatele může každý, kdo k tomu dostal práva od správce prostoru."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Tímto uživatelům krátce představíte, čeho se prostor týká. Můžete zde uvést základní informace.

Přidat nebo změnit obrázek prostoru může pouze správce prostoru – buď kliknutím na obrázek nebo pomocí drag & drop."],"New posts can be written and posted here.":["Nové příspěvky můžete psát zde."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Jakmile vstoupíte do prostoru nebo vytvoříte nový, můžete v něm pracovat na projektech, diskutovat o různých tématech nebo jen sdílet s dalšími členy prostoru zajímavé informace.

Je zde také mnoho modulů, kterými můžete prostor přizpůsobit – doplnit takové funkce, které potřebujete."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["To by byl průvodce prostorem.

Pokud chcete pokračovat na průvodce uživatelským profilem, klikněte zde: "],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Pomocí tohoto menu se pohybujete uvnitř prostoru. Jednotlivé sekce prostoru mohou být tvořené moduly, které jsou aktivní právě pro ten konkrétní prostor, ve kterém se nacházíte – např. ankety, úkoly nebo poznámky.

Spravovat tyto moduly může pouze správce prostoru."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Toto menu je viditelné pouze pro správce prostoru. Zde můžete měnit nastavení prostoru, přidávat/odebírat členy a zapínat/vypínat moduly pro tento prostor."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Abyste byl(a) stále v obraze, uvidíte zde poslední aktivitu uživatelů tohoto prostoru."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Zde se budou objevovat vaše příspěvky i příspěvky ostatních uživatelů.

Ty se dají následně následně komentovat a označovat tlačítkem Líbí se mi."],"Account Menu":["Možnosti účtu"],"Notifications":["Oznámení"],"Space Menu":["Vaše prostory"],"Start space guide":["Zahájit průvodce prostory"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Neztratíte přehled.

Tato ikona vás bude informovat o nových aktivitách a příspěvcích, které se vás týkají."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Skrze možnosti účtu se dostanete k vašemu soukromému nastavení a ke správě vašeho veřejného profilu."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Toto je to nejdůležitější menu, které budete pravděpodobně využívat nejčastěji.

Pomocí se něj se dostanete do prostorů, jichž jste členem a také můžete vytvářet nové prostory.

Další průvodce vám ukáže jak:"]," Remove panel":["Odstranit panel"],"Getting Started":["Začínáme"],"Guide: Administration (Modules)":["Průvodce: Administrace (Moduly)"],"Guide: Overview":["Průvodce: Přehled"],"Guide: Spaces":["Průvodce: Prostory"],"Guide: User profile":["Průvodce: Uživatelský profil"],"Get to know your way around the site's most important features with the following guides:":["Následující průvodce vám může pomoci se lépe zorientovat v této síti a tak vám usnadní začátky práce s ní. Vyberte si, co vás zajímá:"],"Your password is incorrect!":["Vaše heslo je nesprávné!"],"You cannot change your password here.":["Zde není možné měnit vaše heslo."],"Invalid link! Please make sure that you entered the entire url.":["Neplatný odkaz! Prosím, ujistěte se, že jste zadal(a) celou URL adresu."],"Save profile":["Uložit profil"],"The entered e-mail address is already in use by another user.":["Zadaná e-mailová adresa je již používána jiným uživatelem."],"You cannot change your e-mail address here.":["Zde není možné měnit vaši e-mailovou adresu."],"Account":["Účet"],"Create account":["Vytvořit účet"],"Current password":["Současné heslo"],"E-Mail change":["Změna e-mailové adresy"],"New E-Mail address":["Nová e-mailová adresa"],"Send activities?":["Posílat nové aktivity?"],"Send notifications?":["Posílat upozornění?"],"Incorrect username/email or password.":["Nesprávné uživatelské jméno/e-mail nebo heslo."],"New password":["Nové heslo"],"New password confirm":["Nové heslo znovu"],"Remember me next time":["Zapamatovat přihlášení"],"Your account has not been activated by our staff yet.":["Váš účet nebyl dosud aktivován pověřeným správcem."],"Your account is suspended.":["Váš účet je pozastaven."],"Password recovery is not possible on your account type!":["Pro váš typ účtu není obnova hesla možná!"],"E-Mail":["E-mail"],"Password Recovery":["Obnovení hesla"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" nebyl nalezen!"],"Invalid language!":["Neplatný jazyk!"],"Hide panel on dashboard":["Skrýt panel na Nástěnce"],"Default Space":["Výchozí prostor"],"Group Administrators":["Správci skupiny"],"LDAP DN":["Rozlišovací jméno LDAP"],"Members can create private spaces":["Členové mohou vytvářet neveřejné prostory"],"Members can create public spaces":["Členové mohou vytvářet veřejné prostory"],"Birthday":["Datum narození"],"City":["Město"],"Country":["Kraj"],"Custom":["Vlastní"],"Facebook URL":["Adresa profilu Facebook"],"Fax":["Fax"],"Female":["Žena"],"Firstname":["Křestní jméno"],"Flickr URL":["Adresa profilu Flickr"],"Gender":["Pohlaví"],"Google+ URL":["Adresa profilu Google+"],"Hide year in profile":["Skrýt rok narození v profilu"],"Lastname":["Příjmení"],"LinkedIn URL":["Adresa profilu LinkedIn"],"MSN":["MSN"],"Male":["Muž"],"Mobile":["Mobil"],"MySpace URL":["Adresa profilu MySpace"],"Phone Private":["Soukromý telefon"],"Phone Work":["Pracovní telefon"],"Skype Nickname":["Přezdívka na Skype"],"State":["Stát"],"Street":["Ulice"],"Twitter URL":["Adresa profilu Twitter"],"Url":["Webová stránka"],"Vimeo URL":["Adresa profilu Vimeo"],"XMPP Jabber Address":["XMPP Jabber adresa"],"Xing URL":["Adresa profilu Xing"],"Youtube URL":["Adresa profilu Youtube"],"Zip":["PSČ"],"Created by":["Vytvořil(a)"],"Editable":["Možno upravovat"],"Field Type could not be changed!":["Typ pole nemůže být změněn!"],"Fieldtype":["Typ pole"],"Internal Name":["Interní název"],"Internal name already in use!":["Interní název je již použit!"],"Internal name could not be changed!":["Interní název nemůže být změněn!"],"Invalid field type!":["Špatný typ pole!"],"LDAP Attribute":["LDAP vlastnost"],"Module":["Modul"],"Only alphanumeric characters allowed!":["Povolené jsou pouze alfanumerické znaky!"],"Profile Field Category":["Kategorie v profilu"],"Required":["Povinné"],"Show at registration":["Zobrazit při registraci"],"Sort order":["Řazení","Pořadí"],"Translation Category ID":["Překlad ID kategorie"],"Type Config":["Nastavení typu"],"Visible":["Viditelné"],"Communication":["Komunikace"],"Social bookmarks":["Sociální sítě"],"Datetime":["Datum/čas"],"Number":["Číslo"],"Select List":["Seznam možností"],"Text":["Text"],"Text Area":["Textové pole"],"%y Years":["%y let"],"Birthday field options":["Nastavení pole Datum narození"],"Show date/time picker":["Zobrazit nástroj pro výběr data/času"],"Date(-time) field options":["Nastavení pole Datum/čas"],"Maximum value":["Maximální hodnota"],"Minimum value":["Minimální hodnota"],"Number field options":["Nastavení pole Číslo"],"Possible values":["Povolené hodnoty"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Jedna možnost na řádek. Ve tvaru: Klíč=>Hodnota (např. ano=>Ano)"],"Please select:":["Prosím vyberte:"],"Select field options":["Nastavení pole Seznam možností"],"Default value":["Výchozí text"],"Maximum length":["Maximální délka"],"Minimum length":["Minimální délka"],"Regular Expression: Error message":["Regulární výraz: chybová zpráva"],"Regular Expression: Validator":["Regulární výraz: šablona formátu"],"Validator":["Formát má odpovídat šabloně"],"Text Field Options":["Nastavení pole Text"],"Text area field options":["Nastavení pole Textové pole"],"Authentication mode":["Způsob ověření"],"New user needs approval":["Nový uživatel potřebuje schválení"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Uživatelské jméno může obsahovat pouze písmena, čísla, mezery a speciální znaky (+-._)"],"Wall":["Nástěnka"],"Change E-mail":["Změna e-mailové adresy"],"Your e-mail address has been successfully changed to {email}.":["Vaše e-mailová adresa byla úspěšně změněna na: {email}"],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Právě jsme vám poslali potvrzovací e-mail na vaši novou adresu.
Postupujte prosím podle intrukcí uvnitř e-mailu."],"Change password":["Změna hesla"],"Password changed":["Heslo bylo změněno"],"Your password has been successfully changed!":["Vaše heslo bylo úspěšně změněno!"],"Modify your profile image":["Úprava profilového obrázku"],"Delete account":["Smazat účet"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Jste si opravdu jistí, že chcete smazat svůj účet?
Všechny vaše příspěvky budou tímto smazány!"],"Delete account":["Smazat účet"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Je nám líto, ale jelikož jste vlastníkem alespoň jednoho prostoru, nemůžete nyní smazat svůj účet.
Předejte nejprve vlastnictví prostoru jinému uživateli, nebo prostor smažte."],"User details":["Informace o uživateli"],"User modules":["Moduly uživatele"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Jste si opravdu jistí? *VŠECHNA* data modulu vázaná k vašemu profilu budou smazána!"],"Enhance your profile with modules.":["Rozšiřte svůj profil moduly."],"User settings":["Nastavení uživatele"],"Getting Started":["Začínáme"],"Email Notifications":["Upozornění e-mailem"],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Nechte si zaslat upozornění e-mailem na novou aktivitu uživatelů, které sledujete nebo se kterými spolupracujete."],"Get an email, when other users comment or like your posts.":["Nechte si zaslat upozornění e-mailem, když ostatní uživatelé komentují váš příspěvek nebo jej označí jako Líbí se mi."],"Account registration":["Registrace účtu"],"Your account has been successfully created!":["Váš účet byl úspěšně vytvořen!"],"After activating your account by the administrator, you will receive a notification by email.":["Po aktivaci vašeho účtu správcem obdržíte upozornění e-mailem."],"Go to login page":["Přejít na stránku přihlášení"],"To log in with your new account, click the button below.":["Pro přihlášení do vašeho nového účtu klikněte na tlačítko níže."],"back to home":["Zpět na hlavní stránku"],"Please sign in":["Přihlášení"],"Sign up":["Registrace"],"Create a new one.":["Vytvořit nové"],"Don't have an account? Join the network by entering your e-mail address.":["Nemáte ještě účet? Připojte se k sítí zadáním vaší e-mailové adresy"],"Forgot your password?":["Zapomněl(a) jste heslo?"],"If you're already a member, please login with your username/email and password.":["Pokud jste již členem, přihlaste se prosím svým uživatelským jménem/e-mailem a heslem."],"Register":["Registrovat"],"email":["E-mailová adresa"],"password":["Heslo"],"username or email":["Uživatelské jméno nebo e-mail"],"Password recovery":["Obnovení hesla","Obnova hesla"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Stačí zadat vaši e-mailovou adresu, na ni vám zašleme instrukce k obnovení hesla."],"Reset password":["Obnovit heslo"],"enter security code above":["Zadejte zabezpečovací kód"],"your email":["Vaše e-mailová adresa"],"Password recovery!":["Obnovení hesla"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Poslali jsme vám email obsahující odkaz, který vám umožní obnovit vaše heslo."],"Registration successful!":["Registrace byla úspěšná!"],"Please check your email and follow the instructions!":["Prosím zkontrolujte e-mail a následujte instrukce, které vám přišly."],"Password reset":["Obnovení hesla"],"Change your password":["Změna hesla"],"Change password":["Změnit heslo"],"Password changed!":["Heslo bylo změněno!"],"Confirm
your new email address":["Potvrzení nové emailové adresy"],"Confirm":["Potvrdit"],"Hello":["Dobrý den"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Požádal(a) jste o změnu vaší e-mailové adresy.
Vaše nová e-mailová adresa je: {newemail}

Pro potvrzení této změny prosím klikněte na tlačítko níže."],"Hello {displayName}":["Dobrý den {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Funkčnost tohoto odkazu vyprší, jestliže na něj do 24 hodin nekliknete."],"Please use the following link within the next day to reset your password.":["Pro obnovu vašeho hesla prosím použijte následující odkaz."],"Reset Password":["Obnovit heslo"],"Sign up":["Dokončit registraci"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Vítejte v síti %appName%. Pro dokončení registrace prosím klikněte na tlačítko níže."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Abyste se mohl(a) do prostoru připojit, je třeba se nejdříve zaregistrovat."],"You got a space invite":["Byl(a) jste pozván(a) do prostoru"],"invited you to the space:":["vás pozval(a) do prostoru:"],"{userName} mentioned you in {contentTitle}.":["{userName} vás zmínil(a) v {contentTitle}."],"About this user":["Informace o tomto uživateli"],"Modify your title image":["Úprava úvodní fotky"],"Account settings":["Nastavení účtu"],"Profile":["Profil"],"Edit account":["Upravit účet"],"Following":["sleduji"],"Following user":["Koho sleduji"],"User followers":["Kdo mě sleduje"],"Member in these spaces":["Členem prostorů"],"User tags":["Štítky uživatele"],"No birthday.":["Žádné narozeniny."],"Back to modules":["Zpět na přehled modulů"],"Birthday Module Configuration":["Nastavení modulu Narozeniny"],"The number of days future bithdays will be shown within.":["Počet dnů v budoucnosti, ve kterých se budou zobrazovat narozeniny."],"Tomorrow":["Zítra"],"Upcoming":["Nadcházející"],"You may configure the number of days within the upcoming birthdays are shown.":["Můžete nastavit počet dnů před narozeninami, kdy na ně bude upozorněno."],"becomes":["bude"],"birthdays":["narozeniny"],"days":["dnů"],"today":["dnes"],"years old.":["let."],"Active":["Aktivovat"],"Mark as unseen for all users":["Označit jako nepřečtené pro všechny uživatele"],"Breaking News Configuration":["Nastavení modulu Horká novinka"],"Note: You can use markdown syntax.":["Poznámka: můžete využít syntaxe markdown."],"End Date and Time":["Datum a čas konce"],"Recur":["Opakování"],"Recur End":["Konec opakování"],"Recur Interval":["Interval opakování"],"Recur Type":["Typ opakování"],"Select participants":["Vybrat účastníky"],"Start Date and Time":["Datum a čas začátku"],"You don't have permission to access this event!":["Pro přístup k této události nemáte oprávnění!"],"You don't have permission to create events!":["Nemáte oprávnění vytvořit událost!"],"Adds an calendar for private or public events to your profile and mainmenu.":["Přidá kalendář s vašimi soukromými nebo veřejnými událostmi na váš profil a do hlavního menu."],"Adds an event calendar to this space.":["Přidá kalendář do tohoto prostoru."],"All Day":["Celý den"],"Attending users":["Zúčastní se"],"Calendar":["Kalendář"],"Declining users":["Nezúčastní se "],"End Date":["Datum konce"],"End time must be after start time!":["Datum konce události musí následovat po začátku!"],"Event":["Událost"],"Event not found!":["Událost nebyla nenalezena!"],"Maybe attending users":["Možná se zúčastní"],"Participation Mode":["Kdo se může zúčasnit?"],"Start Date":["Datum začátku"],"You don't have permission to delete this event!":["Nemáte oprávnění smazat tuto událost!"],"You don't have permission to edit this event!":["Nemáte oprávnění upravit tuto událost!"],"%displayName% created a new %contentTitle%.":["%displayName% vytvořil(a) novou událost %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% se zúčastní události %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% se možná zúčastní události %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% se nezúčastní události %contentTitle%."],"Start Date/Time":["Datum a čas začátku"],"Create event":["Vytvořit událost"],"Edit event":["Upravit událost"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Poznámka: Tato událost bude vytvořena ve vašem profilu. Pokud chcete vytvořit událost v některém prostoru, otevřete kalendář v něm."],"End Date/Time":["Datum a čas konce"],"Everybody can participate":["Každý se může zúčastnit"],"No participants":["Nikdo se nemůže zúčastnit"],"Participants":["Účastníci"],"Created by:":["Vytvořeno:"],"Edit this event":["Upravit tuto událost"],"I´m attending":["Zúčastním se"],"I´m maybe attending":["Možná se zúčastním"],"I´m not attending":["Nezůčastním se"],"Attend":["Chci se zúčastnit"],"Maybe":["Možná"],"Filter events":["Filtrovat události"],"Select calendars":["Vybrat kalendáře"],"Already responded":["Již jste odpověl(a)"],"Followed spaces":["Sledované prostory"],"Followed users":["Sledovaní uživatelé"],"My events":["Moje události"],"Not responded yet":["Zatím jste neodpověl(a)"],"Upcoming events ":["Nadcházející události"],":count attending":[":count lidí se zúčastní"],":count declined":[":count lidí se nezúčastní"],":count maybe":[":count lidí se možná zúčastní"],"Participants:":["Účastníci:"],"Create new Page":["Vytvořit novou stránku"],"Custom Pages":["Vlastní stránky"],"HTML":["HTML"],"IFrame":["IFrame"],"Link":["Odkaz"],"MarkDown":["MarkDown"],"Navigation":["Navigace"],"No custom pages created yet!":["Zatím nebyla vytvořena žádná vlastní stránka."],"Sort Order":["Řazení"],"Top Navigation":["Hlavní navigace"],"Type":["Typ"],"User Account Menu (Settings)":["Uživatelské menu (nastavení)"],"The item order was successfully changed.":["Pořadí položek bylo úspěšně změněno."],"Toggle view mode":["Přepnout zobrazení"],"You miss the rights to reorder categories.!":["Nemáte oprávnění pro změnu řazení kategorií!"],"Confirm category deleting":["Potvrzení smazání kategorie"],"Confirm link deleting":["Potvrzení smazání odkazu"],"Delete category":["Smazat kategorii"],"Delete link":["Smazat odkaz"],"Do you really want to delete this category? All connected links will be lost!":["Opravdu chcete smazat tuto kategorii? Veškeré odkazy, které obsahuje, budou smazány!"],"Do you really want to delete this link?":["Opravdu chcete smazat tento odkaz?"],"Extend link validation by a connection test.":["Ověřit platnost odkazu pokusem o načtení stránky."],"Linklist":["Odkazy"],"Linklist Module Configuration":["Nastavení modulu Odkazy"],"Requested category could not be found.":["Požadovaná kategorie nebyla nalezena."],"Requested link could not be found.":["Požadovaný odkaz nebyl nalezen."],"Show the links as a widget on the right.":["Zobrazit odkazy jako widget v pravém bočním menu."],"The category you want to create your link in could not be found!":["Kategorie, do které chcete přidat odkaz, nebyla nalezena."],"There have been no links or categories added to this space yet.":["Do tohoto prostoru nebyly přidány ještě žádné kategorie ani odkazy."],"You can enable the extended validation of links for a space or user.":["Zde můžete nastavit rozšířené možnosti ověření odkazu."],"You miss the rights to add/edit links!":["Nemáte oprávnění pro přidávání/upravování odkazů!"],"You miss the rights to delete this category!":["Nemáte oprávnění pro smazání této kategorie!"],"You miss the rights to delete this link!":["Nemáte oprávnění pro smazání tohoto odkazu!"],"You miss the rights to edit this category!":["Nemáte oprávnění pro úpravu této kategorie!"],"You miss the rights to edit this link!":["Nemáte oprávnění pro úpravu tohoto odkazu!"],"Messages":["Zprávy"],"You could not send an email to yourself!":["Nelze poslat zprávu sám(a) sobě!"],"Recipient":["Příjemce"],"New message from {senderName}":["Nová zpráva od uživatele {senderName}"],"and {counter} other users":["a dalších {counter} uživatelů"],"New message in discussion from %displayName%":["Nová zpráva v konverzaci od uživatele %displayName%"],"New message":["Nová zpráva"],"Reply now":["Odpovědět"],"sent you a new message:":["vám posílá zprávu:"],"sent you a new message in":["vám poslal novou zprávu v konverzaci"],"Add more participants to your conversation...":["Přidejte do této konverzace více lidí..."],"Add user...":["Přidat uživatele..."],"New message":["Nová zpráva"],"Messagebox":["Zprávy"],"Inbox":["Příchozí"],"There are no messages yet.":["Zatím zde nejsou žádné zprávy."],"Write new message":["Napsat novou zprávu"],"Add user":["Přidat uživatele"],"Leave discussion":["Opustit konverzaci"],"Write an answer...":["Napsat odpověď..."],"User Posts":["Příspěvky uživatelů"],"Sign up now":["Zaregistrovat se"],"Show all messages":["Zobrazit všechny zprávy"],"Notes":["Poznámky"],"Etherpad API Key":["API klíč pro Etherpad"],"URL to Etherpad":["URL k Etherpadu"],"Could not get note content!":["Nebylo možné získat obsah poznámky!"],"Could not get note users!":["Nebylo možné získat seznam uživatelů poznámky!"],"Note":["Poznámka"],"{userName} created a new note {noteName}.":["{userName} napsal(a) novou poznámku {noteName}."],"{userName} has worked on the note {noteName}.":["{userName} provedl(a) změnu v poznámce {noteName}."],"API Connection successful!":["Připojení k API bylo úspěšné!"],"Could not connect to API!":["Nebylo možné se připojit k API!"],"Current Status:":["Aktuální stav:"],"Notes Module Configuration":["Nastavení modulu Poznámky"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Pro více informací si prosím přečtěte dokumentaci modulu v /protected/modules/notes/docs/install.txt"],"Save & Test":["Uložit a vyzkoušet"],"The notes module needs a etherpad server up and running!":["Modul Poznámky vyžaduje ke svému provozu běžící etherpad server!"],"Save and close":["Uložit a zavřít"],"{userName} created a new note and assigned you.":["{userName} napsal(a) novou poznámku a přiřadil(a) vás k ní."],"{userName} has worked on the note {spaceName}.":["{userName} provedl(a) změnu v poznámce {spaceName}."],"Open note":["Otevřít poznámku"],"Title of your new note":["Název nové poznámky"],"No notes found which matches your current filter(s)!":["Nebyla nalezena žádná poznámka, která odpovídá vašemu vyhledávání."],"There are no notes yet!":["Zatím zde nejsou žádné poznámky!"],"Polls":["Ankety"],"Could not load poll!":["Nebylo možné načíst anketu!"],"Invalid answer!":["Neplatná odpověď!"],"Users voted for: {answer}":["Uživatelé, kteří hlasovali pro odpověď: {answer}"],"Voting for multiple answers is disabled!":["Není možné hlasovat pro více odpovědí!"],"You have insufficient permissions to perform that operation!":["Pro tuto operaci nemáte dostatečná oprávnění!"],"Answers":["\"Odpovědi\""],"Multiple answers per user":["Více odpovědí na jednoho uživatele"],"Please specify at least {min} answers!":["Minimální počet možných odpovědí je {min}."],"Question":["\"Otázka\""],"{userName} voted the {question}.":["{userName} hlasoval(a) v anketě {question}."],"{userName} created a new {question}.":["{userName} položil(a) otázku {question}."],"User who vote this":["Uživatelé, kteří pro to hlasovali"],"{userName} created a new poll and assigned you.":["{userName} vytvořil(a) novou anketu a přiřadil(a) vám ji."],"Ask":["Položit otázku"],"Reset my vote":["Zrušit mé hlasování"],"Vote":["Hlasovat"],"and {count} more vote for this.":["a dalších {count} lidí pro to hlasovalo."],"votes":["hlasů"],"Allow multiple answers per user?":["Povolit více odpovědí od jednoho uživatele?"],"Ask something...":["Položte otázku..."],"Possible answers (one per line)":["Možné odpovědi (oddělte novým řádkem)"],"Display all":["Zobrazit vše"],"No poll found which matches your current filter(s)!":["Nebyla nalezena žádná anketa, která by odpovídala filtrům, které jste zvolil(a)."],"There are no polls yet!
Be the first and create one...":["Zatím zde nejsou žádné ankety.
Vytvořte první..."],"Asked by me":["Vytvořil(a) jsem"],"No answered yet":["Bez odpovědí"],"Only private polls":["Jen neveřejné ankety"],"Only public polls":["Jen veřejné ankety"],"Tasks":["Úkoly"],"Could not access task!":["Nelze získat přístup k úkolu!"],"{userName} assigned to task {task}.":["Uživateli {userName} byl přiřazen úkol {task}."],"{userName} created task {task}.":["{userName} vytvořil(a) úkol {task}."],"{userName} finished task {task}.":["{userName} dokončil(a) úkol {task}."],"{userName} assigned you to the task {task}.":["{userName} vás přiřadil(a) k úkolu {task}."],"{userName} created a new task {task}.":["{userName} vytvořil(a) nový úkol {task}."],"This task is already done":["Tento úkol je již dokončen"],"You're not assigned to this task":["Nejste přiřazen(a) k tomuto úkolu"],"Click, to finish this task":["Klikněte pro dokončení úkolu"],"This task is already done. Click to reopen.":["Tento úkol je již dokončen. Klikněte pro znovuotevření úkolu."],"My tasks":["Moje úkoly"],"From space: ":["Z prostoru:"],"No tasks found which matches your current filter(s)!":["Nebyl nalezen žádný úkol, který by odpovídal filtrům, které jste zvolil(a)."],"There are no tasks yet!
Be the first and create one...":["Zatím zde nejsou žádné úkoly.
Vytvořte první..."],"Assigned to me":["Přiřazených mně"],"Nobody assigned":["Nepřiřazen nikomu"],"State is finished":["Dokončené"],"State is open":["Otevřené"],"Assign users to this task":["Přiřadit úkol uživateli (nepovinné)"],"Deadline for this task?":["Termín dokončení úkolu?"],"Preassign user(s) for this task.":["Přidělení úkolu uživateli/uživatelům."],"What to do?":["Co je potřeba udělat?"],"Search":["Hledat"],"Allow":["Povolit"],"Default":["Výchozí"],"Deny":["Odmítnout"],"Please type at least 3 characters":["Napište prosím alespoň 3 znaky"],"An internal server error occurred.":["Na serveru se vyskytla chyba."],"You are not allowed to perform this action.":["K této akci nemáte dostatečná oprávnění."],"Account Request for '{displayName}' has been approved.":["Žádost uživatele '{displayName}' byla přijata."],"Account Request for '{displayName}' has been declined.":["Žádost uživatele '{displayName}' byla zamítnuta."],"Allow limited access for non-authenticated users (guests)":["Povolit omezený přístup nepřihlášeným uživatelům (hostům)"],"Default user profile visibility":["Výchozí viditelnost uživatelského profilu"],"Logo upload":["Logo"],"Server Timezone":["Časové pásmo serveru"],"Show sharing panel on dashboard":["Zobrazit na Nástěnce panel sdílení"],"Show user profile post form on dashboard":["Zobrazit na Nástěnce formulář pro odeslání nového příspěvku"],"Default Content Visiblity":["Výchozí viditelnost příspěvků"],"Security":["Zabezpečení"],"No purchased modules found!":["Nebyly nalezeny žádné zakoupené moduly."],"search for available modules online":["vyhledat dostupné moduly online"],"HumHub is currently in debug mode. Disable it when running on production!":["HumHub je momentálně ve vývojářském režimu (debug mode). Pokud jde o produkční prostředí, nezapomeňte jej vypnout!"],"See installation manual for more details.":["Pro více informací se podívejte do dokumentace na webu aplikace HumHub."],"Purchases":["Zakoupené"],"Enable module...":["Zapnout modul..."],"Buy (%price%)":["Koupit (%price%)"],"Installing module...":["Instaluji modul..."],"Licence Key:":["Licenční klíč:"],"Updating module...":["Aktualizuji modul..."],"Show %count% more comments":["Zobrazit dalších %count% komentářů"],"No matches with your selected filters!":["Podle zadaných kritérií nebyla nalezena žádná shoda!"],"Nothing here yet!":["Ještě zde nic není!"],"No public contents to display found!":["Nebyly nalezeny žádné veřejné příspěvky!"],"Share your opinion with others":["Sdílení"],"Post a message on Facebook":["Sdílet na Facebook"],"Share on Google+":["Sdílet na Google+"],"Share with people on LinkedIn ":["Sdílet na LinkedIn"],"Tweet about HumHub":["Sdílet na Twitter"],"There are no profile posts yet!":["Zatím zde nejsou žádné příspěvky."],"See all":["Zobrazit všechny"],"Downloading & Installing Modules...":["Stahuji a instaluji modul(y)..."],"Calvin Klein – Between love and madness lies obsession.":["Mně se hodně líbilo to přirovnání, že je Bůh jako náš otec. Myslím, že kdo má děti, dokáže si dobře představit, co to znamená."],"Nike – Just buy it. ;Wink;":["Asi nejvíc vývojová psychologie dítěte. Měl dobré postřehy."],"We're looking for great slogans of famous brands. Maybe you can come up with some samples?":["Kdo jste dneska byli na tom semináři v aule - co vás nejvíc zaujalo?"],"Welcome Space":["Uvítací prostor"],"Yay! I've just installed HumHub ;Cool;":["Jupí, právě jsme nainstalovali HumHub ;Cool;"],"Your first sample space to discover the platform.":["Toto je první prostor, ve kterém vítáme nové uživatele."],"Set up example content (recommended)":["Vytvořit pár příspěvků na ukázku"],"Allow access for non-registered users to public content (guest access)":["Povolit přístup nepřihlášeným uživatelům k veřejným příspěvkům"],"External user can register (The registration form will be displayed at Login))":["Povolit registraci novým uživatelům (bude se zobrazovat formulář registrace)"],"Newly registered users have to be activated by an admin first":["Noví uživatelé musí být nejdříve schválení administrátorem"],"Registered members can invite new users via email":["Registrovaní uživatelé mohou zvát další"],"I want to use HumHub for:":["Chci používat HumHub pro:"],"You're almost done. In this step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Už jsme skoro na konci, ještě vytvoříme účet administátora. S tímto účtem můžete spravovat celou síť."],"HumHub is very flexible and can be adjusted and/or expanded for various different applications thanks to its’ different modules. The following modules are just a few examples and the ones we thought are most important for your chosen application.

You can always install or remove modules later. You can find more available modules after installation in the admin area.":["HumHub je možné rozšířit mnoha moduly podle toho, jaké funkce zrovna potřebujete. Následující moduly jsme pro vás vybrali na základě předchozí volby použití, další moduly si ale můžete kdykoliv sami přidat nebo odebrat v Administraci."],"Recommended Modules":["Doporučené moduly"],"Example contents":["Ukázkové příspěvky"],"To avoid a blank dashboard after your initial login, HumHub can install example contents for you. Those will give you a nice general view of how HumHub works. You can always delete the individual contents.":["Pokud chcete, můžeme vám po instalaci vytvořit pár ukázkových příspěvků, abyste viděli, jak to vypadá. Tyto příspěvky pak můžete kdykoliv smazat."],"Here you can decide how new, unregistered users can access HumHub.":["Zde se můžete rozhodnout, co všechno mohou dělat neregistrovaní uživatelé."],"Security Settings":["Nastavení soukromí"],"Configuration":["Přednastavení"],"My club":["Klub"],"My community":["Skupina"],"My company (Social Intranet / Project management)":["Společnost/firma"],"My educational institution (school, university)":["Vzdělávací instituce (škola, univerzita)"],"Skip this step, I want to set up everything manually":["Přeskočit, nastavím si vše později"],"To simplify the configuration, we have predefined setups for the most common use cases with different options for modules and settings. You can adjust them during the next step.":["Nachystali jsme pár základních přednastavení pro určitá použití. Pokud chcete, můžete si jedno zvolit, nebo vše nastavit později manuálně."],"You":["Vy"],"You like this.":["Vám se to líbí."],"Confirm new password":["Potvrďte nové heslo"],"This user account is not approved yet!":["Tento účet ještě není aktivován!"],"You need to login to view this user profile!":["Abyste mohli prohlížet tento profil, je potřeba se nejdříve přihlásit."],"E-Mail is already in use! - Try forgot password.":["Tato e-mailová adresa je již používána. Pokud si nepamatujete heslo ke svému účtu, přejděte na formulář pro obnovení hesla."],"Profile visibility":["Viditelnost profilu"],"TimeZone":["Časové pásmo"],"Current E-mail address":["Stávající e-mailová adresa"],"Enter your password to continue":["Nejdříve zadejte heslo"],"Registered users only":["Pouze registrovaným uživatelům"],"Visible for all (also unregistered users)":["Viditelné všem (i neregistrovaným)"],"Registration Link":["Odkaz pro aktivaci"],"Space Invite":["Pozvánka do prostoru"],"End Time":["Čas konce"],"Start Time":["Čas začátku"],"Edit event":["Změnit událost"],"Without adding to navigation (Direct link)":["Nepřidávat do navigace (přímý odkaz)"],"Create page":["Vytvořit stránku"],"Edit page":["Změnit stránku","Změna stránky"],"Default sort orders scheme: 100, 200, 300, ...":["Výchozí schéma řazení: 100, 200, 300..."],"Page title":["Titulek stránky"],"URL":["Adresa odkazu"],"Add Dropbox files":["Přidat soubory"],"Invalid file":["Neplatný soubor"],"Dropbox API Key":["API klíč k Dropboxu"],"Show warning on posting":["Zobrazit varování při odesílání"],"Dropbox post":["Příspěvek do Dropboxu"],"Dropbox Module Configuration":["Nastavení modulu Dropbox"],"The dropbox module needs active dropbox application created! Please go to this site, choose \"Drop-ins app\" and provide an app name to get your API key.":["Modul Dropbox vyžaduje přístup k Dropboxu! Přejděte prosím do nastavení Dropboxu, vyberte \"Drop-ins app\", zadejte jméno aplikace a potvrďte. Tak obdržítě API klíč."],"Dropbox settings":["Nastavení Dropboxu"],"Describe your files":["Popište své soubory"],"Sorry, the Dropbox module is not configured yet! Please get in touch with the administrator.":["Omlouváme se, ale ještě není nastaven. Napište prosím administrátorovi."],"The Dropbox module is not configured yet! Please configure it here.":["Modul Dropbox ještě není nastavení. Prosím, nastavte jej zde."],"Select files from dropbox":["Vyberte soubory z Dropboxu"],"Attention! You are sharing private files":["Upozornění! Chystáte se sdílet soukromé soubory"],"Do not show this warning in future":["Nechci toto upozornění už znovu zobrazovat"],"The files you want to share are private. In order to share files in your space we have generated a shared link. Everyone with the link can see the file.
Are you sure you want to share?":["Soubory, které se chystáte sdílet, jsou označeny jako soukromé. Odteď je však budou moci číst všichni, kdo obdrží odkaz k těmto souborům. Chcete tyto soubory opravdu sdílet?"],"Yes, I'm sure":["Ano, opravdu jsem si jist(a)"],"Added a new link %link% to category \"%category%\".":["Byl přidán nový odkaz %link% do kategorie \"%category%\"."],"No description available.":["Není k dispozici žádný popis."],"You cannot send a email to yourself!":["Nemůžete poslat zprávu sami sobě."],"Add recipients":["Přidat příjemce"],"Edit message entry":["Změnit obsah zprávy"],"Confirm deleting conversation":["Smazání konverzace"],"Confirm leaving conversation":["Opuštění konverzace"],"Confirm message deletion":["Smazání zprávy"],"Delete conversation":["Smazat konverzaci"],"Do you really want to delete this conversation?":["Opravdu chcete smazat tuto konverzaci?"],"Do you really want to delete this message?":["Opravdu chcete smazat tuto zprávu?"],"Do you really want to leave this conversation?":["Opravdu chcete opustit tuto konverzaci?"],"Leave":["Opustit"],"Leave conversation":["Opustit konverzaci"],"Send message":["Poslat zprávu"],"{displayName} created a new {contentTitle}.":["{displayName} vytvořil(a): {contentTitle}"],"Desktop Notifications":["Upozornění prohlížeče"],"Get a desktop notification when you are online.":["Ihned mě upozornit, když se objeví něco nového a nebudu na stránce"],"Create Account":["Vytvořit účet"],"Password recovery":["Obnovení hesla"],"Registration successful":["Registrace byla úspěšná!"],"Password reset":["Změna hesla"],"{userName} is now following you.":["{userName} nyní sleduje vaše příspěvky."],"This profile stream is still empty!":["Zatím zde není žádný příspěvek."],"Do you really want to delete your logo image?":["Opravdu chcete smazat logo?"],"Do you really want to delete your title image?":["Opravdu chcete smazat svůj úvodní obrázek?"],"Do you really want to delete your profile image?":["Opravdu chcete smazat svůj profilový obrázek?"],"Translations":["Překladač"],"Translation Editor":["Překladač"],"Remember me":["Zapamatovat přihlášení"],"
A social network to increase your communication and teamwork.
Register now\nto join this space.":["
Abyste se mohl(a) do prostoru připojit, je třeba se nejdříve zaregistrovat."],"Confirm page deleting":["Potvrďte smazání stránky"],"Confirm page reverting":["Potvrďte obnovu stránky"],"Overview of all pages":["Přehled všech stránek"],"Page history":["Historie úprav stránky"],"Wiki Module":["Wiki stránky"],"Adds a wiki to this space.":["Přidá wiki stránku do prostoru."],"Adds a wiki to your profile.":["Přidá wiki stránku do vašeho profilu."],"Back to page":["Zpět na stránku"],"Do you really want to delete this page?":["Opravdu chcete smazat tuto stránku?"],"Do you really want to revert this page?":["Opravdu chcete obnovit tuto stránku?"],"Edit page":["Změnit stránku"],"Edited at":["Změněno"],"Go back":["Zpět"],"Invalid character in page title!":["V titulku stránky se nachází nepovolený znak."],"Let's go!":["Vytvořit"],"Main page":["Hlavní stránka"],"New page":["Nová stránka"],"No pages created yet. So it's on you.
Create the first page now.":["Zatím nebyla vytvořena žádná stránka."],"Page History":["Historie úprav stránky"],"Page title already in use!":["Tento titulek již používá jiná stránka."],"Revert":["Obnovit"],"Revert this":["Obnovit"],"View":["Zobrazit"],"Wiki":["Wiki"],"by":["uživatelem"],"Wiki page":["Wiki stránka"],"Create new page":["Vytvoření nové stránky"],"Enter a wiki page name or url (e.g. http://example.com)":["Zadejte název wiki stránky nebo URL odkaz (např.: http://priklad.cz)"],"New page title":["Titulek stránky"],"Page content":["Obsah stránky"],"Open wiki page...":["Otevřít wiki stránku..."]} \ No newline at end of file diff --git a/protected/humhub/messages/de/archive.json b/protected/humhub/messages/de/archive.json index 33e69f78aa..4c41694d86 100644 --- a/protected/humhub/messages/de/archive.json +++ b/protected/humhub/messages/de/archive.json @@ -1 +1 @@ -{"Latest updates":["Letzte Aktualisierungen"],"Search":["Suchen"],"Account settings":["Kontoeinstellungen"],"Administration":["Administration"],"Back":["Zurück"],"Back to dashboard":["Zurück zur Übersicht"],"Choose language:":["Sprache wählen:"],"Collapse":["Einklappen","Verbergen"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Die Quelle des Addons muss eine Instanz von HActiveRecordContent oder HActiveRecordContentAddon sein!"],"Could not determine content container!":["Kann Content Container nicht finden."],"Could not find content of addon!":["Der Inhalt des Addons konnte nicht gefunden werden!"],"Could not find requested module!":["Kann gesuchtes Modul nicht finden!"],"Error":["Fehler"],"Expand":["Erweitern"],"Insufficent permissions to create content!":["Unzureichende Berechtigungen um Inhalte zu erstellen!"],"Invalid request.":["Ungültige Anfrage."],"It looks like you may have taken the wrong turn.":["Du hast womöglich den falschen Weg eingeschlagen."],"Keyword:":["Suchbegriff:"],"Language":["Sprache"],"Latest news":["Neuigkeiten"],"Login":["Login"],"Logout":["Ausloggen"],"Menu":["Menü"],"Module is not on this content container enabled!":["Dieses Modul ist in diesem Content Container nicht aktiviert!"],"My profile":["Mein Profil","Aus meinem Profil"],"New profile image":["Neues Profilbild"],"Nothing found with your input.":["Nichts gefunden!"],"Oooops...":["Uuuups..."],"Results":["Ergebnisse"],"Search":["Suchen"],"Search for users and spaces":["Suche nach Benutzern und Spaces"],"Show more results":["Mehr Ergebnisse anzeigen"],"Sorry, nothing found!":["Entschuldige, nichts gefunden!"],"Space not found!":["Space nicht gefunden!"],"User Approvals":["Benutzerfreigaben"],"User not found!":["Benutzer nicht gefunden!"],"Welcome to %appName%":["Willkommen bei %appName%"],"You cannot create public visible content!":["Du hast nicht genügend Rechte um öffentlich sichtbaren Inhalt zu erstellen!"],"Your daily summary":["Deine tägliche Übersicht"],"Login required":["Anmelden erforderlich"],"An internal server error occurred.":["Es ist ein interner Fehler aufgetreten."],"You are not allowed to perform this action.":["Du hast keine Berechtigung für diesen Vorgang."],"Global {global} array cleaned using {method} method.":["Das globale {global} Array wurde mit der {method} Methode bereinigt."],"Upload error":["Hochladen fehlgeschlagen","Upload Fehler"],"Close":["Schließen"],"Add image/file":["Bild/Datei einfügen "],"Add link":["Link einfügen"],"Bold":["Fett"],"Code":["Code"],"Enter a url (e.g. http://example.com)":["Trage eine URL ein (z.B. http://example.com)"],"Heading":["Überschrift"],"Image":["Bild"],"Image/File":["Bild/Datei"],"Insert Hyperlink":["Hyperlink einfügen"],"Insert Image Hyperlink":["Hyperlink Bild einfügen "],"Italic":["Kursiv"],"List":["Liste"],"Please wait while uploading...":["Wird hochgeladen..."],"Preview":["Vorschau"],"Quote":["Zitat"],"Target":["Ziel"],"Title":["Titel"],"Title of your link":["Link Name"],"URL/Link":["URL/Link"],"code text here":["Code hier einfügen"],"emphasized text":["Hervorgehobener Text"],"enter image description here":["Gib hier eine Bildbeschreibung ein"],"enter image title here":["Gib hier einen Bildtitel ein"],"enter link description here":["Gib hier eine Linkbeschreibung ein "],"heading text":["Überschrift"],"list text here":["Listen-Element "],"quote here":["Zitiere hier"],"strong text":["Fetter Text"],"Could not create activity for this object type!":["Es konnnte keine Aktivität für diesen Objekttyp erstellt werden!"],"%displayName% created the new space %spaceName%":["%displayName% erstellte einen neuen Space »%spaceName%«."],"%displayName% created this space.":["%displayName% hat diesen Space erstellt."],"%displayName% joined the space %spaceName%":["%displayName% ist dem Space »%spaceName%« beigetreten"],"%displayName% joined this space.":["%displayName% ist diesem Space beigetreten."],"%displayName% left the space %spaceName%":["%displayName% hat den Space »%spaceName%« verlassen"],"%displayName% left this space.":["%displayName% hat diesen Space verlassen."],"{user1} now follows {user2}.":["{user1} folgt nun {user2}."],"see online":["online anzeigen","online ansehen"],"via":["über","via"],"Latest activities":["Letzte Aktivitäten"],"There are no activities yet.":["Noch keine Aktivitäten."],"Account Request for '{displayName}' has been approved.":["Zugang für '{displayName}' wurde genehmigt."],"Account Request for '{displayName}' has been declined.":["Zugang für '{displayName}' wurde abgelehnt."],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["Hallo {displayName},

\n\n dein Zugang wurde aktiviert.

\n\n Hier klicken um Dich einzuloggen:
\n {loginURL}

\n\n Mit freundlichem Gruß
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["Hallo {displayName},

\n \n deine Zugangsanfrage wurde abgelehnt.

\n \n mit freundlichen Grüßen
\n {AdminName}

"],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Hallo {displayName},

\n \n dein Zugang wurde aktiviert.

\n \n Klicke hier um dich anzumelden:
\n {loginURL}

\n \n mit freundlichen Grüßen
\n {AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Hallo {displayName},

\n \n deine Zugangsanfrage wurde abgelehnt.

\n \n mit freundlichen Grüßen
\n {AdminName}

"],"Group not found!":["Gruppe nicht gefunden!"],"Could not uninstall module first! Module is protected.":["Kann das Modul nicht deinstallieren! Modul ist geschützt!"],"Module path %path% is not writeable!":["Modul Verzeichnis %path% ist nicht beschreibbar!"],"Saved":["Gespeichert"],"Database":["Datenbank"],"No theme":["Kein Thema"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["Konnte LDAP nicht laden! - Prüfe bitte die PHP Extension"],"File":["Datei"],"No caching (Testing only!)":["Kein Caching (Nur zu Testzwecken!)","Kein Caching (nur für Testzwecke!)"],"None - shows dropdown in user registration.":["Keine - Zeigt eine Drop-Down Auswahl bei der Registrierung"],"Saved and flushed cache":["Gespeichert und Cache bereinigt"],"LDAP":["LDAP"],"Local":["Lokal"],"Become this user":["Als dieser Benutzer anmelden"],"Delete":["Löschen"],"Disabled":["Deaktivieren"],"Enabled":["Aktivieren"],"Save":["Speichern"],"Unapproved":["Nicht genehmigt"],"You cannot delete yourself!":["Administratoren können sich nicht selbst löschen!"],"Could not load category.":["Kann Kategorie nicht laden."],"You can only delete empty categories!":["Du kannst nur leere Kategorien löschen!"],"Group":["Gruppe"],"Message":["Nachricht"],"Subject":["Betreff","Beschreibung"],"Base DN":["Basis DN"],"E-Mail Address Attribute":["Eigenschaften der E-Mail-Adresse"],"Enable LDAP Support":["Aktiviere LDAP Unterstützung"],"Encryption":["Verschlüsselung"],"Fetch/Update Users Automatically":["automatische Aktualisierung der Benutzer"],"Hostname":["Hostname"],"Login Filter":["Login Filter"],"Password":["Passwort"],"Port":["Port"],"User Filer":["Benutzer Filter"],"Username":["Benutzername"],"Username Attribute":["Benutzer Attribute"],"Allow limited access for non-authenticated users (guests)":["Erlaube eingeschränkten Zugriff für Gäste"],"Anonymous users can register":["Anonyme Benutzer können sich registrieren"],"Default user group for new users":["Standardgruppe für neue Benutzer"],"Default user profile visibility":["Standard Profilsichtbarkeit"],"Members can invite external users by email":["Benutzer können neue Nutzer per E-Mail einladen"],"Require group admin approval after registration":["Benötige Freigabe eines Gruppenadministrators nach Registrierung"],"Base URL":["Basis URL"],"Default language":["Standardsprache"],"Default space":["Standardspace"],"Invalid space":["Ungültiger Space"],"Logo upload":["Logo hochladen"],"Name of the application":["Name der Anwendung"],"Server Timezone":["Zeitzone des Servers"],"Show introduction tour for new users":["Zeige Einführungstour für neue Benutzer"],"Cache Backend":["Cache Backend"],"Default Expire Time (in seconds)":["Standardablaufzeit (in Sekunden)"],"PHP APC Extension missing - Type not available!":["PHP APC Erweiterung fehlt - Typ nicht verfügbar!"],"PHP SQLite3 Extension missing - Type not available!":["PHP SQLite3 Erweiterung fehlt - Typ nicht verfügbar!"],"Dropdown space order":["Wähle Space-Sortierung"],"Default pagination size (Entries per page)":["Standardanzahl der Einträge pro Seite"],"Display Name (Format)":["Anzeigename (Format)"],"Theme":["Thema"],"Allowed file extensions":["Erlaubte Dateierweiterungen"],"Convert command not found!":["Befehl zum Konvertieren nicht gefunden!"],"Got invalid image magick response! - Correct command?":["Ungültige Image Magick Antwort - Korrektes Kommando?"],"Image Magick convert command (optional)":["Image Magick Convert Kommando (Optional)"],"Maximum upload file size (in MB)":["Maximale Datei Upload Größe (in MB)"],"Use X-Sendfile for File Downloads":["Benutze X-Sendfile für Datei Downloads"],"Administrator users":["Administratoren"],"Description":["Beschreibung"],"Ldap DN":["LDAP DN"],"Name":["Name"],"E-Mail sender address":["E-Mail Absenderadresse"],"E-Mail sender name":["E-Mail Absendername"],"Mail Transport Type":["Mail Transport Typ"],"Port number":["Portnummer"],"Endpoint Url":["Ziel Url"],"Url Prefix":["Url Prefix"],"No Proxy Hosts":["Kein Proxy Host"],"Server":["Server"],"User":["Benutzer"],"Super Admins can delete each content object":["Super Admins können jeden Inhalt löschen"],"Default Join Policy":["Standard Beitrittseinstellung"],"Default Visibility":["Standard Sichtbarkeit"],"HTML tracking code":["HTML Tracking Code"],"Module directory for module %moduleId% already exists!":["Modul Verzeichnis für Modul %moduleId% existiert bereits!"],"Could not extract module!":["Konnte Modul nicht entpacken!"],"Could not fetch module list online! (%error%)":["Konnte Modul Liste online nicht abrufen! (%error%)"],"Could not get module info online! (%error%)":["Konnte Modul Info online nicht abrufen! (%error%)"],"Download of module failed!":["Herunterladen des Moduls fehlgeschlagen!!"],"Module directory %modulePath% is not writeable!":["Modul Verzeichnis %modulePath% nicht beschreibbar!"],"Module download failed! (%error%)":["Modul Download fehlgeschlagen! (%error%)"],"No compatible module version found!":["Keine kompatible Version gefunden!"],"Activated":["Aktiviert"],"No modules installed yet. Install some to enhance the functionality!":["Aktuell sind keine Module installiert. Installiere welche und erweitere so die Funktionen von HumHub!"],"Version:":["Version:"],"Installed":["Installiert"],"No modules found!":["Keine Module gefunden!"],"All modules are up to date!":["Alle Module sind auf dem neusten Stand!"],"About HumHub":["Über HumHub"],"Currently installed version: %currentVersion%":["Aktuell installierte Version: %currentVersion%"],"Licences":["Lizenzen"],"There is a new update available! (Latest version: %version%)":["Es ist ein Update verfügbar! (Version: %version%)"],"This HumHub installation is up to date!":["Diese HumHub-Installation ist auf dem aktuellen Stand!"],"Accept":["Freigeben"],"Decline":["Ablehnen","Absagen"],"Accept user: {displayName} ":["Benutzer: {displayName} akzeptieren"],"Cancel":["Abbrechen"],"Send & save":["Senden & Speichern"],"Decline & delete user: {displayName}":["Ablehnen & Löschen des Benutzers: {displayName}"],"Email":["E-Mail","E-Mail Adresse"],"Search for email":["Suche nach E-Mail"],"Search for username":["Suche nach Benutzername"],"Pending user approvals":["Ausstehende Benutzerfreigaben"],"Here you see all users who have registered and still waiting for a approval.":["Hier siehst du eine Liste aller registrierten Benutzer die noch auf eine Freigabe warten."],"Delete group":["Lösche Gruppe"],"Delete group":["Gruppe löschen"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Um die Gruppe »{group}« zu löschen, musst du die vorhandenen Benutzer einer anderen Gruppe zuordnen:"],"Create new group":["Erstelle neue Gruppe"],"Edit group":["Gruppe bearbeiten"],"Group name":["Gruppen Name"],"Manage groups":["Gruppen Verwaltung"],"Search for description":["Suche nach Beschreibung"],"Search for group name":["Suche nach Gruppen Name"],"Create new group":["Erstelle neue Gruppe"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Du kannst Benutzer in verschiedene Gruppen aufteilen (z.B. Teams, Abteilungen, usw.) und ihnen einen Standard-Space und Administratoren zuweisen."],"Error logging":["Fehler Protokollierung"],"Displaying {count} entries per page.":["Zeige {count} Einträge pro Seite."],"Flush entries":["Lösche Einträge"],"Total {count} entries found.":["Insgesamt {count} Einträge gefunden."],"Available updates":["Verfügbare Aktualisierungen"],"Browse online":["Online durchsuchen"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Module erweitern die Funktionen von HumHub. Hier kannst du Module aus dem Marktplatz installieren und verwalten."],"Module details":["Modul Informationen "],"This module doesn't provide further informations.":["Dieses Modul stellt keine weiteren Informationen zur Verfügung."],"Processing...":["Verarbeite..."],"Modules directory":["Modul Verzeichnis"],"Are you sure? *ALL* module data will be lost!":["Bist Du sicher? *ALLE* Modul Daten gehen verloren!"],"Are you sure? *ALL* module related data and files will be lost!":["Bist Du sicher? *ALLE* Modul abhängigen Daten und Dateien gehen verloren!"],"Configure":["Konfigurieren"],"Disable":["Deaktivieren"],"Enable":["Aktivieren"],"More info":["Mehr Informationen","Weitere Informationen"],"Set as default":["Als Standard festlegen"],"Uninstall":["Deinstallieren"],"Install":["Installieren"],"Latest compatible version:":["Letzte kompatible Version:"],"Latest version:":["Letzte Version:"],"Installed version:":["Installierte Version:"],"Latest compatible Version:":["Letzte kompatible Version:"],"Update":["Aktualisieren"],"%moduleName% - Set as default module":["%moduleName% - Als Standard festlegen"],"Always activated":["Immer aktiviert"],"Deactivated":["Deaktivieren"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Hier kannst du entscheiden ob ein Modul automatisch innerhalb eines Space oder in einem Benutzerprofil aktiviert sein soll oder nicht. Soll das Modul immer aktiviert sein, wähle \"Immer aktiviert\"."],"Spaces":["Spaces"],"User Profiles":["Benutzerprofile"],"There is a new HumHub Version (%version%) available.":["Eine neue HumHub Version (%version%) ist erhältlich."],"Authentication - Basic":["Authentifizierung - Grundeinstellung"],"Basic":["Grundeinstellung","Grundeinstellungen"],"Authentication - LDAP":["Authentifizierung - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["TLS/SSL wird in Produktivumgebungen favorisiert, da dies die Übertragung von Passwörtern in Klartext verhindert."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Filter der angewendet wird, sobald sich ein Benutzer anmeldet. %uid ersetzt den Benutzername während der Anmeldung. Beispiel: "(sAMAccountName=%s)" or "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["LDAP Attribute für Benutzernamen. Beispiel: "uid" or "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Zugriff auf Benutzer beschränken die diese Kriterien erfüllen. Beispiel: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Status: Fehler! (Meldung: {message})"],"Status: OK! ({userCount} Users)":["Status: OK! ({userCount} Benutzer)"],"The default base DN used for searching for accounts.":["Die Standard Basis DN zum Suchen der Benutzeraccounts."],"The default credentials password (used only with username above).":["Das Standard Passwort."],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["Der Standard Benutzername. Einige Server benötigen den Benutzername in DN Form."],"Cache Settings":["Cache Einstellungen"],"Save & Flush Caches":["Speichern & Cache leeren"],"CronJob settings":["CronJob Einstellungen"],"Crontab of user: {user}":["Crontab des Benutzers: {user}"],"Last run (daily):":["Letze Ausführung (täglich):"],"Last run (hourly):":["Letzte Ausführung (stündlich):"],"Never":["Nie"],"Or Crontab of root user":["Oder Crontab des root Benutzers"],"Please make sure following cronjobs are installed:":["Bitte stelle sicher, dass folgende Cronjobs eingerichtet sind:"],"Alphabetical":["Alphabetisch"],"Last visit":["Letzter Zugriff"],"Design settings":["Design Einstellungen"],"Firstname Lastname (e.g. John Doe)":["Vorname Nachname (e.g. Max Mustermann)"],"Username (e.g. john)":["Benutzername (e.g. max)"],"File settings":["Datei Einstellungen"],"Comma separated list. Leave empty to allow all.":["Komma separierte Liste (CSV). Leer lassen um alle zu erlauben."],"Current Image Libary: {currentImageLibary}":["Derzeitige Bild Bibliothek: {currentImageLibary}"],"If not set, height will default to 200px.":["Ist dieser Wert nicht gesetzt, wird die Standard-Bildhöhe von 200px genutzt."],"If not set, width will default to 200px.":["Ist dieser Wert nicht gesetzt, wird die Standard-Bildbreite von 200px genutzt."],"PHP reported a maximum of {maxUploadSize} MB":["PHP meldet ein Maximum von {maxUploadSize} MB"],"Basic settings":["Standard Einstellungen"],"Confirm image deleting":["Bestätige das Löschen des Bildes"],"Dashboard":["Übersicht"],"E.g. http://example.com/humhub":["z.B. http://example.com/humhub"],"New users will automatically added to these space(s).":["Neue Benutzer werden automatisch diesen Space(s) hinzugefügt."],"You're using no logo at the moment. Upload your logo now.":["Du benutzt momentan kein eigenes Logo. Lade dein eigenes Logo hoch."],"Mailing defaults":["Mailing Einstellungen"],"Activities":["Aktivitäten"],"Always":["Immer","Sofort"],"Daily summary":["Tägliche Zusammenfassung"],"Defaults":["Standardeinstellungen"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Lege die Standardeinstellung fest, zu wann ein Benutzer per E-Mail über Benachrichtungen oder neuen Aktivitäten informiert wird. Diese Einstellung kann vom Benutzer in den Konto Einstellungen überschrieben werden."],"Notifications":["Mitteilungen"],"Server Settings":["Server Einstellungen"],"When I´m offline":["Wenn ich offline bin"],"Mailing settings":["Mailing Einstellungen"],"SMTP Options":["SMTP Optionen"],"OEmbed Provider":["OEmbed Anbieter"],"Add new provider":["Neuen Anbieter hinzufügen"],"Currently active providers:":["Derzeit eingerichtete Anbieter:"],"Currently no provider active!":["Aktuell sind keine Anbieter eingerichtet!"],"Add OEmbed Provider":["Hinzufügen eines OEmbed Anbieters (Infos unter: http://oembed.com/)"],"Edit OEmbed Provider":["Bearbeite OEmbed Anbieter"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url Prefix OHNE http:// or https:// (Bsp.: youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Benutze %url% als Platzhalter für die URL. Als Format muss JSON zurückgegeben werden. (Bsp.: http://www.youtube.de/oembed?url=%url%&format=json)"],"Proxy settings":["Proxy Einstellungen"],"Security settings and roles":["Sicherheits- Einstellungen und Regeln"],"Self test":["Selbst- Test"],"Checking HumHub software prerequisites.":["Prüfe HumHub Software Voraussetzungen"],"Re-Run tests":["Tests neu starten"],"Statistic settings":["Statistik Einstellungen"],"All":["Global"],"Delete space":["Space löschen"],"Edit space":["Space bearbeiten"],"Search for space name":["Suche nach Space Name"],"Search for space owner":["Suche nach Space Besitzer"],"Space name":["Space Name"],"Space owner":["Space Besitzer"],"View space":["Space anzeigen"],"Manage spaces":["Verwalten der Spaces"],"Define here default settings for new spaces.":["Stelle hier die allgemeinen Vorgaben für neue Spaces ein. "],"In this overview you can find every space and manage it.":["In dieser Übersicht kannst Du jeden Space finden und verwalten."],"Overview":["Übersicht"],"Settings":["Einstellungen"],"Space Settings":["Space Einstellungen"],"Add user":["Benuzter hinzufügen"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Willst du diesen Benutzer wirklich löschen? Wenn dieser Benutzer Besitzer eines Space ist, wirst du neuer Besitzer."],"Delete user":["Benutzer löschen"],"Delete user: {username}":["Benutzer löschen: {username}"],"Edit user":["Benutzer bearbeiten"],"never":["Nie","nie"],"Admin":["Administrator"],"Delete user account":["Lösche Benutzer"],"Edit user account":["Bearbeite Benutzeraccount"],"No":["Nein"],"View user profile":["Benutzer Profil anzeigen"],"Yes":["Ja"],"Manage users":["Benutzer verwalten"],"Add new user":["Neuen Benutzer hinzufügen"],"In this overview you can find every registered user and manage him.":["In dieser Übersicht kannst du jeden registrierten Benutzer finden und verwalten."],"Create new profile category":["Erstelle neue Profilkategorie"],"Edit profile category":["Bearbeite Profilkategorie"],"Create new profile field":["Erstelle Profilfeld"],"Edit profile field":["Bearbeite Profilfeld"],"Manage profiles fields":["Profilfelder vewalten"],"Add new category":["Neue Kategorie hinzufügen"],"Add new field":["Neues Feld hinzufügen"],"Security & Roles":["Sicherheit & Rollen"],"Administration menu":["Administrations-Menü"],"About":["Über","Benutzerdetails"],"Authentication":["Authentifizierung"],"Caching":["Caching"],"Cron jobs":["Cron Jobs"],"Design":["Design"],"Files":["Dateien"],"Groups":["Gruppen"],"Logging":["Protokollierung"],"Mailing":["Mailing"],"Modules":["Module"],"OEmbed Provider":["OEmbed Anbieter"],"Proxy":["Proxy"],"Self test & update":["Selbsttest & Aktualisierung"],"Statistics":["Statistiken"],"User approval":["Benutzerfreigaben"],"User profiles":["Benutzer Profile"],"Users":["Benutzer"],"Click here to review":["Klicke hier, um zu überprüfen"],"New approval requests":["Neue Benutzer Freigaben"],"One or more user needs your approval as group admin.":["Ein oder mehrere Benutzer benötigen deine Freigabe als Gruppen Administrator."],"Could not delete comment!":["Kann Kommentar nicht löschen!"],"Invalid target class given":["Ungültige Zielklasse"],"Model & Id Parameter required!":["Mode & ID Parameter erforderlich!"],"Target not found!":["Ziel nicht gefunden!"],"Access denied!":["Zugriff verweigert!"],"Insufficent permissions!":["Unzureichende Berechtigungen!"],"Comment":["Kommentar","Kommentieren"],"%displayName% wrote a new comment ":["%displayName% schrieb einen neuen Kommentar"],"Comments":["Kommentare"],"Edit your comment...":["Bearbeite deinen Kommentar ..."],"%displayName% also commented your %contentTitle%.":["%displayName% kommentierte auch dein »%contentTitle%«."],"%displayName% commented %contentTitle%.":["%displayName% kommentierte »%contentTitle%«."],"Show all {total} comments.":["Zeige alle {total} Kommentare."],"Write a new comment...":["Schreibe einen neuen Kommentar..."],"Post":["Beitrag"],"Show %count% more comments":["Zeige %count% weitere Kommentare"],"Edit":["Bearbeiten"],"Confirm comment deleting":["Bestätige die Löschung des Kommentars"],"Do you really want to delete this comment?":["Möchtest Du diesen Kommentar wirklich löschen?"],"Updated :timeago":["Aktualisiert :timeago"],"{displayName} created a new {contentTitle}.":["{displayName} hat {contentTitle} erstellt."],"Back to stream":["Zurück zum Stream","Zurück zur Übersicht"],"Filter":["Filter"],"Sorting":["Sortierung"],"Could not load requested object!":["Konnte das angeforderte Objekt nicht laden!"],"Unknown content class!":["Unbekannte Content Klasse"],"Could not find requested content!":["Konnte den angeforderten Inhalt nicht finden!"],"Could not find requested permalink!":["Konnte den angeforderten Permalink nicht finden!"],"{userName} created a new {contentTitle}.":["{userName} hat {contentTitle} erstellt.","{userName} erstellte neuen Inhalt: »{contentTitle}«."],"in":["in"],"Submit":["Absenden"],"No matches with your selected filters!":["Keine Übereinstimmungen zu deinen Suchfiltern! ","Die ausgewählten Filterkriterien ergaben keine Übereinstimmung!"],"Nothing here yet!":["Noch nichts hier!","Derzeit keine Inhalte!"],"Move to archive":["Ins Archiv"],"Unarchive":["Aus dem Archiv"],"Make private":["Ändern in geschlossene Gruppe"],"Make public":["Ändern in öffentliche Gruppe"],"Notify members":["Informiere Mitglieder"],"Public":["Öffentlich"],"What's on your mind?":["Was machst du gerade?","Was machst Du gerade?"],"Confirm post deleting":["Bestätige Beitragslöschung"],"Do you really want to delete this post? All likes and comments will be lost!":["Möchtest du diesen Beitrag wirklich löschen? Alle damit verbundenen \"Gefällt mir\"-Angaben und Kommentare sind dann nicht mehr verfügbar!","Möchtest du diesen Beitrag wirklich löschen? Alle Likes und Kommentare werden unwiederbringlich entfernt."],"Archived":["Archiviert"],"Sticked":["Angeheftet"],"Turn off notifications":["Benachrichtigungen abschalten"],"Turn on notifications":["Benachrichtigungen aktivieren"],"Permalink to this post":["Permalink zu diesem Beitrag"],"Permalink":["Permalink","dauerhafter Link"],"Stick":["Anheften"],"Unstick":["Nicht mehr anheften"],"Nobody wrote something yet.
Make the beginning and post something...":["Bisher hat niemand etwas geschrieben.
Mache den Anfang und schreibe etwas..."],"This profile stream is still empty":["Dieser Stream ist noch leer"],"This space is still empty!
Start by posting something here...":["Dieser Space ist noch leer!
Mache den Anfang und schreibe etwas..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Deine Übersicht ist leer!
Schreibe etwas in deinem Profil oder trete Spaces bei!"],"Your profile stream is still empty
Get started and post something...":["Dein Stream ist noch leer!
Mache den Anfang und schreibe etwas..."],"Content with attached files":["Inhalt mit angehängten Dateien"],"Created by me":["Von mir erstellt"],"Creation time":["Erstellungsdatum"],"Include archived posts":["Archivierte Beiträge einbeziehen"],"Last update":["Letzte Aktualisierung"],"Nothing found which matches your current filter(s)!":["Nichts gefunden, was den aktuellen Filtern entspricht!"],"Only private posts":["Nur private Beiträge"],"Only public posts":["Nur öffentliche Beiträge"],"Posts only":["Nur Beiträge"],"Posts with links":["Beiträge mit Links"],"Show all":["Alle anzeigen"],"Where I´m involved":["Wo ich involviert bin"],"No public contents to display found!":["Keine öffentlichen Inhalte gefunden!"],"Directory":["Verzeichnis"],"Member Group Directory":["Mitgliedergruppen-Verzeichnis"],"show all members":["zeige alle Mitglieder"],"Directory menu":["Verzeichnis-Menü"],"Members":["Mitglieder"],"User profile posts":["Profilbeiträge"],"Member directory":["Mitglieder-Verzeichnis"],"Follow":["Folgen"],"No members found!":["Keine Mitglieder gefunden!"],"Unfollow":["Nicht mehr folgen"],"search for members":["Suche nach Mitgliedern"],"Space directory":["Space-Verzeichnis"],"No spaces found!":["Keine Spaces gefunden!"],"You are a member of this space":["Du bist Mitglied dieses Space"],"search for spaces":["Suche nach Spaces"],"There are no profile posts yet!":["Bisher existieren keine Profil-Beiträge!"],"Group stats":["Gruppen-Statistiken"],"Average members":["Durchschnittliche Mitgliederanzahl"],"Top Group":["Top Gruppen"],"Total groups":["Gruppen insgesamt"],"Member stats":["Mitglieder Statistiken"],"New people":["Neue Leute"],"Follows somebody":["Folgt jemandem"],"Online right now":["Gerade online"],"Total users":["Benutzer insgesamt"],"See all":["Zeige alle"],"New spaces":["Neue Spaces"],"Space stats":["Space Statistiken"],"Most members":["Die meisten Mitglieder"],"Private spaces":["Private Spaces"],"Total spaces":["Spaces insgesamt"],"Could not find requested file!":["Konnte Datei nicht finden!"],"Insufficient permissions!":["Unzureichende Rechte!"],"Maximum file size ({maxFileSize}) has been exceeded!":["Maximale Dateigröße von {maxFileSize} überschritten!"],"This file type is not allowed!":["Dieser Dateityp ist nicht zugelassen!"],"Created By":["Erstellt von"],"Created at":["Erstellt am"],"File name":["Dateiname"],"Guid":["GUID"],"ID":["ID"],"Invalid Mime-Type":["Ungültiger Mime-Typ"],"Mime Type":["Mime-Typ"],"Size":["Größe"],"Updated at":["Aktualisiert am"],"Updated by":["Aktualisiert durch"],"Could not upload File:":["Konnte Datei nicht hochladen:"],"Upload files":["Dateien hochladen"],"List of already uploaded files:":["Liste von bereits hochgeladenen Dateien:"],"Create Admin Account":["Erstelle Administrator-Konto"],"Name of your network":["Name deines Netzwerks"],"Name of Database":["Name der Datenbank"],"Admin Account":["Admin Account"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Du bist fast fertig! Der letzte Schritt hilft dir einen Administrator Account zu erstellen, von dem du das ganze Netzwerk steuerst."],"Next":["Weiter"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Dein neues Netzwerk benötigt einen Namen. Ändere den Standardnamen in einen Namen der dir gefällt. (z.B. der Name deiner Firma, Organisation oder Klub.)"],"Social Network Name":["Netzwerk Name"],"Setup Complete":["Einrichtung Abgeschlossen "],"Congratulations. You're done.":["Glückwunsch. Du hast die Installation abgeschlossen."],"Sign in":["Einloggen"],"The installation completed successfully! Have fun with your new social network.":["Die Installation wurde erfolgreich abgeschlossen! Viel Spaß mit deinem neuen Netzwerk."],"Setup Wizard":["Einrichtungs Assistent"],"Welcome to HumHub
Your Social Network Toolbox":["Willkommen bei HumHub.
\nDeinem Sozialem Netzwerk."],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Dieser Assistent wird dir helfen dein neues Netzwerk zu konfigurieren.

Klicke auf \"Weiter\" um fortzufahren."],"Yes, database connection works!":["Datenbankverbindung klappt!"],"Database Configuration":["Datenbank Einstellungen"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["Hier musst du die Datenbank Verbindungsdaten eintragen. Wenn du diese nicht weißt, kontaktiere deinen Systemadministrator "],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["Hostname von deinem MySQL-Datenbankserver, (z.B. localhost wenn der MySQL-Server auf dem System läuft.)"],"Ohh, something went wrong!":["Ooops! Irgendwas lief schief."],"The name of the database you want to run HumHub in.":["Name der Datenbank die von HumHub genutzt werden soll."],"Your MySQL password.":["Dein MySQL Passwort."],"Your MySQL username":["Dein MySQL Benutzername."],"System Check":["System Check"],"Check again":["Prüfe erneut"],"Congratulations! Everything is ok and ready to start over!":["Glückwunsch! Alles ist in Ordnung und bereit zur Installation!"],"This overview shows all system requirements of HumHub.":["Diese Liste zeigt alle Systemvoraussetzungen von HumHub."],"Could not find target class!":["Zielklasse kann nicht gefunden werden!"],"Could not find target record!":["Zieleintrag kann nicht gefunden werden!"],"Invalid class given!":["Ungültige Klasse angegeben!"],"Users who like this":["Benutzer, denen das gefällt"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} gefällt {contentTitle}"],"User who vote this":["Benutzer, die abgestimmt haben","Nutzer, die hierfür abstimmten"],"%displayName% also likes the %contentTitle%.":["%displayName% gefällt %contentTitle% ebenfalls."],"%displayName% likes %contentTitle%.":["%displayName% gefällt %contentTitle%."],"Like":["Gefällt mir"],"Unlike":["Gefällt mir nicht mehr"]," likes this.":[" gefällt das."],"You like this.":["Dir gefällt das."],"You
":["Dir
"],"and {count} more like this.":["und {count} anderen gefällt das."],"Could not determine redirect url for this kind of source object!":["Konnte die URL-Weiterleitung für dieses Quellobjekt nicht bestimmen!"],"Could not load notification source object to redirect to!":["Das Quellobjekt der Benachrichtigung, auf das umgeleitet werden soll, konnte nicht geladen werden!"],"New":["Neu"],"Mark all as seen":["Alle als gelesen markieren"],"There are no notifications yet.":["Es sind keine Mitteilungen vorhanden."],"%displayName% created a new post.":["%displayName% erstellte einen neuen Beitrag."],"Edit your post...":["Bearbeite deinen Beitrag ..."],"Read full post...":["Den ganzen Beitrag lesen..."],"Search results":["Suchergebnisse"],"Content":["Inhalt"],"Send & decline":["Senden und ablehnen"]," Invite and request":["Einladung und Anfrage"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Space-Besitzer kann nicht gelöscht werden! Name des Space: »{spaceName}«"],"Everyone can enter":["Frei zugänglich"],"Invite and request":["Einladung und Anfrage"],"Only by invite":["Nur mit einer Einladung"],"Private (Invisible)":["Privat (unsichtbar)"],"Public (Members & Guests)":["Öffentlich (Mitglieder & Gäste)"],"Public (Members only)":["Öffentlich (Nur Mitglieder)"],"Public (Registered users only)":["Öffentlich (Nur registrierte User)"],"Public (Visible)":["Öffentlich (sichtbar)"],"Visible for all":["Sichtbar für alle"],"Visible for all (members and guests)":["Offen für alle (Mitglieder & Gäste)"],"Space is invisible!":["Space ist unsichtbar!"],"You need to login to view contents of this space!":["Du musst Dich einloggen, um die Inhalte dieses Space sehen zu können!"],"As owner you cannot revoke your membership!":["Als Besitzer kannst du deine Mitgliedschaft nicht rückgängig machen!"],"Could not request membership!":["Mitgliedschaft konnte nicht beantragt werden!"],"There is no pending invite!":["Es gibt keine offenen Einladungen!"],"This action is only available for workspace members!":["Diese Aktion ist nur für Space-Mitglieder verfügbar!"],"You are not allowed to join this space!":["Du darfst diesem Space nicht betreten!"],"Space title is already in use!":["Space-Name ist bereits in Benutzung!"],"Type":["Typ","Spacetyp"],"Your password":["Dein Passwort"],"Invites":["Einladungen"],"New user by e-mail (comma separated)":["Neue Benutzer per E-Mail (getrennt durch Kommas)"],"User is already member!":["Der Benutzer ist bereits Mitglied!"],"{email} is already registered!":["{email} ist bereits registriert!"],"{email} is not valid!":["{email} ist ungültig!"],"Application message":["Anwendungsnachricht"],"Scope":["Umfang"],"Strength":["Stärke"],"Created At":["Erstellt am"],"Join Policy":["Zugriffsmöglichkeiten"],"Owner":["Besitzer"],"Status":["Status"],"Tags":["Tags"],"Updated At":["Geändert am"],"Visibility":["Sichtbarkeit"],"Website URL (optional)":["Website URL (optional)"],"You cannot create private visible spaces!":["Du kannst keine privaten Spaces erstellen!"],"You cannot create public visible spaces!":["Du kannst keine öffentlichen Spaces erstellen!"],"Select the area of your image you want to save as user avatar and click Save.":["Wähle den Bereich deines Bildes aus, den du als Benutzerbild verwenden möchtest, und klicke auf Speichern."],"Modify space image":["Space-Bild ändern"],"Delete space":["Space löschen"],"Are you sure, that you want to delete this space? All published content will be removed!":["Bist Du sicher, dass du diesen Space löschen möchtest? Alle veröffentlichten Inhalte werden entfernt!"],"Please provide your password to continue!":["Bitte gib dein Passwort ein, um fortzufahren!"],"General space settings":["Allgemeine Space-Einstellungen"],"Archive":["Archivieren"],"Choose the kind of membership you want to provide for this workspace.":["Wähle den Typ der Mitgliedschaft, den du für diesen Space zur Verfügung stellen möchtest."],"Choose the security level for this workspace to define the visibleness.":["Wähle die Sicherheitsstufe für diesen Space, um die Sichtbarkeit zu bestimmen."],"Manage your space members":["Space-Mitglieder verwalten"],"Outstanding sent invitations":["Ausstehende versendete Einladungen"],"Outstanding user requests":["Ausstehende Benutzeranfragen"],"Remove member":["Entfernen von Mitgliedern"],"Allow this user to
invite other users":["Diesem Benutzer erlauben,
andere Benutzer einzuladen"],"Allow this user to
make content public":["Diesem Benutzer erlauben,
Inhalte zu veröffentlichen"],"Are you sure, that you want to remove this member from this space?":["Bist du sicher, dass du dieses Mitglied aus diesem Space entfernen möchtest?"],"Can invite":["Kann einladen"],"Can share":["Kann teilen"],"Change space owner":["Space-Besitzer ändern"],"External users who invited by email, will be not listed here.":["Externe Benutzer, die per E-Mail eingeladen wurden, werden hier nicht aufgeführt."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Im unteren Bereich siehst du alle aktiven Mitglieder dieses Spaces. Du kannst Ihre Berechtigungen bearbeiten oder sie aus diesem Space entfernen."],"Is admin":["Ist Administrator"],"Make this user an admin":["Diesen Benutzer zum Administrator machen"],"No, cancel":["Nein, abbrechen"],"Remove":["Entfernen"],"Request message":["Anfrage-Nachricht"],"Revoke invitation":["Einladung zurückziehen"],"Search members":["Suche nach Mitgliedern"],"The following users waiting for an approval to enter this space. Please take some action now.":["Die folgenden Benutzer warten auf Freischaltung, diesen Space zu betreten."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Die folgenden Benutzer wurden bereits in diesen Space eingeladen, sind der Einladung bisher aber nicht gefolgt."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Der Space-Besitzer ist der Super-Administrator eines Spaces mit allen Rechten und üblicherweise der Ersteller des Spaces. Hier kannst du diese Rolle einem anderen Benutzer übertragen."],"Yes, remove":["Ja, entfernen"],"Space Modules":["Space Module"],"Are you sure? *ALL* module data for this space will be deleted!":["Bist du sicher? Alle Daten dieses Space werden gelöscht!"],"Currently there are no modules available for this space!":["Aktuell sind keine Module für diesen Space verfügbar"],"Enhance this space with modules.":["Diesen Space mit Modulen erweitern."],"Create new space":["Neuen Space erstellen"],"Advanced access settings":["Erweiterte Rechteeinstellungen"],"Also non-members can see this
space, but have no access":["Auch Nichtmitglieder können diesen
Space sehen, haben aber keinen Zugang."],"Create":["Erstellen"],"Every user can enter your space
without your approval":["Jeder Benutzer kann deinen Space
ohne deine Genehmigung betreten."],"For everyone":["Für jeden"],"How you want to name your space?":["Wie möchtest du deinen Space benennen?"],"Please write down a small description for other users.":["Bitte schreibe eine kurze Beschreibung für andere Benutzer."],"This space will be hidden
for all non-members":["Dieser Space wird für
alle Nichtmitglieder versteckt sein"],"Users can also apply for a
membership to this space":["Benutzer können die Mitgliedschaft
für diesen Space beantragen"],"Users can be only added
by invitation":["Benutzer können nur durch
Einladung hinzugefügt werden"],"space description":["Space-Beschreibung"],"space name":["Space-Name"],"{userName} requests membership for the space {spaceName}":["{userName} beantragt die Mitgliedschaft für den Space {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} hat deine Mitgliedschaftsanfrage für den Space »{spaceName}« angenommen"],"{userName} declined your membership request for the space {spaceName}":["{userName} hat deine Mitgliedschaftsanfrage für den Space »{spaceName}« abgelehnt"],"{userName} invited you to the space {spaceName}":["{userName} hat dich in den Space »{spaceName}« eingeladen"],"{userName} accepted your invite for the space {spaceName}":["{userName} hat deine Einladung für den Space »{spaceName}« angenommen"],"{userName} declined your invite for the space {spaceName}":["{userName} hat deine Einladung für den Space »{spaceName}« abgelehnt"],"This space is still empty!":["Dieser Space ist noch leer!"],"Accept Invite":["Einladung annehmen"],"Become member":["Mitglied werden"],"Cancel membership":["Mitgliedschaft beenden"],"Cancel pending membership application":["Offenen Mitgliedsantrag zurückziehen"],"Deny Invite":["Einladung ablehnen"],"Request membership":["Mitgliedschaft beantragen"],"You are the owner of this workspace.":["Du bist Besitzer dieses Space."],"created by":["erstellt durch"],"Invite members":["Mitglieder einladen"],"Add an user":["Benutzer hinzufügen"],"Email addresses":["E-Mail-Adressen"],"Invite by email":["Per E-Mail einladen"],"New user?":["Neuer User?"],"Pick users":["Benutzer auswählen"],"Send":["Senden"],"To invite users to this space, please type their names below to find and pick them.":["Um Benutzer in diesen Space einzuladen, gib deren Name unten ein, um sie zu suchen und auszuwählen."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Du kannst auch externe Benutzer einladen, die noch nicht registriert sind. Gib einfach ihre E-Mail-Adressen, durch Kommas getrennt, ein."],"Request space membership":["Space-Mitgliedschaft beantragen"],"Please shortly introduce yourself, to become an approved member of this space.":["Um bestätigtes Mitglied dieses Spaces zu werden, stelle dich bitte kurz vor."],"Your request was successfully submitted to the space administrators.":["Dein Antrag wurde die Space-Administration übermittelt."],"Ok":["Ok"],"User has become a member.":["Der Benutzer ist jetzt Mitglied."],"User has been invited.":["Der Benutzer wurde eingeladen."],"User has not been invited.":["Der Benutzer wurde nicht eingeladen."],"Back to workspace":["Zurück zum Space"],"Space preferences":["Einstellungen des Space"],"General":["Allgemein"],"My Space List":["Meine Spaces"],"My space summary":["Meine Space-Zusammenfassung"],"Space directory":["Space-Verzeichnis"],"Space menu":["Space-Menü"],"Stream":["Stream"],"Change image":["Bild ändern"],"Current space image":["Aktuelles Space-Bild"],"Do you really want to delete your title image?":["Willst Du das Titelbild wirklich löschen?"],"Do you really want to delete your profile image?":["Willst Du wirklich Dein Profilbild löschen?"],"Invite":["Einladen"],"Something went wrong":["Ein Fehler ist aufgetreten"],"Followers":["Folger"],"Posts":["Beiträge"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Um bestätigtes Mitglied dieses Spaces zu werden, stelle dich bitte kurz vor."],"Request workspace membership":["Space-Mitgliedschaft beantragen"],"Your request was successfully submitted to the workspace administrators.":["Dein Antrag wurde die Space-Administration übermittelt."],"Create new space":["Neuen Space erstellen"],"My spaces":["Meine Spaces","Aus meinen Spaces"],"more":["mehr"],"less":["weniger"],"Space info":["Space info"],"Accept invite":["Einladung annehmen"],"Deny invite":["Einladung verweigern"],"Leave space":["Space verlassen"],"New member request":["Neuer Mitgliedsantrag"],"Space members":["Mitglieder des Space"],"End guide":["Tour beenden"],"Next »":["Weiter »"],"« Prev":["« Zurück"],"Administration":["Administration"],"Hurray! That's all for now.":["Hurra! Das wäre es für den Moment."],"Modules":["Module"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Als Admin kannst du die gesamte Plattform von hier aus verwalten.

Außer den Modulen werden wir nicht jeden Punkt bis ins Detail erläutern, da jeder seine eigene kurze Beschreibung besitzt."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Du befindest dich im Menü Werkzeuge. Von hier aus kannst du auf den HumHub Online-Marktplatz zugreifen, wo du eine immer größer werdende Anzahl von Werkzeugen, on-the- fly installieren kannst.
Wie bereits erwähnt, erweitern die Werkzeuge die für Ihren Space verfügbaren Funktionen ."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Du hast nun alle wichtigen Funktionen und Einstellungen kennengelernt und kannst beginnen, die Plattform zu nutzen.

Wir hoffen, dass du und alle zukünftigen Nutzer die Nutzung dieser Plattform genießen werdet. Wir freuen uns auf Anregungen oder Unterstützung, die du für unser Projekt anbieten möchtest. Kontaktiere uns über www.humhub.org.
Stay tuned . :-)"],"Dashboard":["Übersicht"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Dies ist deine Übersicht.
Alle neuen Aktivitäten oder Beiträge, die dich interessieren könnten, werden hier angezeigt ."],"Administration (Modules)":["Administration (Module)"],"Edit account":["Einstellungen bearbeiten"],"Hurray! The End.":["Hurra! Fertig."],"Hurray! You're done!":["Hurra! Du hast es geschafft!"],"Profile menu":["Profil-Menü"],"Profile photo":["Profilfoto"],"Profile stream":["Profil-Stream"],"User profile":["Benutzerprofil"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Klicke auf diese Schaltfläche, um dein Profil und deine Kontoeinstellungen zu aktualisieren. Du kannst auch weitere Informationen zu deinem Profil hinzufügen ."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Jedes Profil hat seine eigene Pinnwand. Deine Beiträge werden auch auf den Übersichten der Benutzer, die dir folgen, angezeigt."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Genau wie in den Spaces, kann das Benutzerprofil mit verschiedenen Modulen personalisiert werden.

Du kannst sehen welche Module für dein Profil zur Verfügung stehen, indem du das Menüe \"Module\" in deinen Kontoeinstellungen aufrufst."],"This is your public user profile, which can be seen by any registered user.":["Das ist dein öffentliches Benutzerprofil, das von jedem registrierten Benutzer gesehen werden kann."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Lade ein neues Profilfoto hoch, indem du hier klickst oder es per Drag&Drop hier hin ziehst. Genauso kannst du dein Titelfoto ändern."],"You've completed the user profile guide!":["Du hast die Einführung zur Profilbearbeitung abgeschlossen!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Du hast die Einführung zur Profilbearbeitung abgeschlossen!

Um mit dem der Beschreibung der Administrationsoberfläche fortzufahren klicke hier:

"],"Most recent activities":["Letzte Aktivitäten"],"Posts":["Beiträge"],"Profile Guide":["Profil-Anleitung"],"Space":["Space"],"Space navigation menu":["Navigationsmenü des Space"],"Writing posts":["Beiträge schreiben"],"Yay! You're done.":["Geschafft!"],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Hier werden alle Mitglieder dieses Space dargestellt.

Neue Mitglieder können von jedem hinzugefügt werden, der vom Administrator die notwendigen Rechte erhalten hat."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Gib anderen Benutzern einen kurzen Überblick, worum es in diesem Space geht.

Der Space-Administrator kann das Coverfoto des Spaces ändern, entweder durch darauf Klicken oder durch Drag&Drop."],"New posts can be written and posted here.":["Neue Beiträge können hier geschrieben und veröffentlicht werden."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Sobald du beigetreten bist oder einen neuen Space erstellt hast, kannst du an Projekten arbeiten, Themen diskutieren oder einfach Informationen mit anderen Benutzern teilen.

Es gibt verschiedene Möglichkeiten, den Space zu personalisieren, um den Arbeitsprozess produktiver zu gestalten."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["Das war es mit der Space-Anleitung.

Um mit dem Benutzerprofil fortzufahren, klicke hier: "],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Hier kannst Du durch den Space navigieren - du siehst, welche Module für den Space, in dem du gerade bist, aktiv oder verfügbar sind. Das können zum Beispiel Umfragen, Aufgaben oder Notizen sein.

Nur der Space-Administrator kann die Module des Spaces verwalten."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Dieses Menü ist nur für Space-Administratoren sichtbar. Hier kannst du die Space-Einstellungen verwalten, Mitglieder hinzufügen/blockieren und Werkzeuge für diesen Space aktivieren/deaktivieren."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Um dich auf dem Laufenden zu halten, werden hier die letzten Aktivitäten anderer Benutzer dieses Space dargestellt."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Hier werden deine und die Beiträge anderer Benutzer erscheinen.

Diese können dann bewertet oder kommentiert werden."],"Account Menu":["Account Menü"],"Notifications":["Benachrichtigungen"],"Space Menu":["Space Menü"],"Start space guide":["Starte den Space Guide"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Behalte alles im Auge!

Dieses Icon informiert dich über Aktivitäten und neue Beiträge, die dich direkt betreffen."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Das Account Menü gibt dir die Möglichkeit deine privaten Einstellungen zu ändern und dein öffentliches Profil zu verwalten."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Dies ist das wichtigste Menü und du wirst es sehr oft benutzen!

Betrete alle deine Spaces und erstelle neue.

Die folgende Anleitung wird dir zeigen wie:"]," Remove panel":["Panel löschen"],"Getting Started":["Hilfe beim Start"],"Guide: Administration (Modules)":["Anleitung: Administration (Module)"],"Guide: Overview":["Anleitung: Überblick"],"Guide: Spaces":["Anleitung: Spaces"],"Guide: User profile":["Anleitung: Benutzerprofil"],"Get to know your way around the site's most important features with the following guides:":["Erhalte mit Hilfe der folgenden Anleitungen einen Überblick über die wichtigsten Funktionen der Seite:"],"This user account is not approved yet!":["Dieser Account wurde noch nicht freigeschaltet!"],"You need to login to view this user profile!":["Sie müssen sich anmelden um das Profil zu sehen!"],"Your password is incorrect!":["Dein Passwort ist falsch!"],"You cannot change your password here.":["Du kannst dein Passwort hier nicht ändern."],"Invalid link! Please make sure that you entered the entire url.":["Ungültiger Link! Bitte vergewissere dich, dass die vollständige URL eingegeben wurde."],"Save profile":["Profil speichern"],"The entered e-mail address is already in use by another user.":["Die eingetragene E-Mail Adresse wird bereits von einem anderen Benutzer verwendet."],"You cannot change your e-mail address here.":["Du kannst deine E-Mail Adresse hier nicht ändern."],"Account":["Konto"],"Create account":["Konto erstellen"],"Current password":["Aktuelles Passwort"],"E-Mail change":["E-Mail Addresse ändern"],"New E-Mail address":["Neue E-Mail Adresse"],"Send activities?":["Aktivitäten senden?"],"Send notifications?":["Benachrichtigungen senden?"],"New password":["Neues Passwort"],"New password confirm":["Neues Passwort bestätigen"],"Incorrect username/email or password.":["Ungültiger Benutzername/E-Mail oder Passwort."],"Remember me next time":["Beim nächsten Mal wiedererkennen"],"Your account has not been activated by our staff yet.":["Dein Konto wurde noch nicht von einem Administrator freigeschaltet."],"Your account is suspended.":["Dein Konto ist gesperrt."],"Password recovery is not possible on your account type!":["Passwort-Wiederherstellung ist für deinen Kontotyp nicht möglich!"],"E-Mail":["E-Mail"],"Password Recovery":["Passwort-Wiederherstellung"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" nicht gefunden!"],"E-Mail is already in use! - Try forgot password.":["Diese E-Mail Adresse ist bereits in Benutzung! - Versuche dein Passwort wiederherzustellen."],"Hide panel on dashboard":["Panel in der Übersicht ausblenden"],"Invalid language!":["Ungültige Sprache!"],"Profile visibility":["Sichtbarkeit des Profils"],"TimeZone":["Zeitzone"],"Default Space":["Standard-Space"],"Group Administrators":["Gruppen-Administratoren"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Mitglieder können private Spaces erstellen"],"Members can create public spaces":["Mitglieder können öffentliche Spaces erstellen"],"Birthday":["Geburtstag"],"Custom":["Unbestimmt"],"Female":["Weiblich"],"Gender":["Geschlecht"],"Hide year in profile":["Jahrgang/Alter verbergen"],"Male":["Männlich"],"City":["Ort"],"Country":["Land"],"Facebook URL":["Facebook-URL"],"Fax":["Fax"],"Firstname":["Vorname"],"Flickr URL":["Flickr-URL"],"Google+ URL":["Google+-URL"],"Lastname":["Nachname"],"LinkedIn URL":["LinkedIn-URL"],"MSN":["MSN"],"Mobile":["Mobil"],"MySpace URL":["MySpace-URL"],"Phone Private":["Telefon privat"],"Phone Work":["Telefon beruflich"],"Skype Nickname":["Skype-Name"],"State":["Bundesland/Kanton"],"Street":["Straße"],"Twitter URL":["Twitter-URL"],"Url":["URL"],"Vimeo URL":["Vimeo-URL"],"XMPP Jabber Address":["XMPP Jabber-Addresse"],"Xing URL":["Xing-URL"],"Youtube URL":["YouTube-URL"],"Zip":["PLZ"],"Created by":["Erstellt durch"],"Editable":["Bearbeitbar"],"Field Type could not be changed!":["Der Feldtyp konnte nicht geändert werden!"],"Fieldtype":["Feldtyp"],"Internal Name":["Interner Name"],"Internal name already in use!":["Der interne Name wird bereits verwendet!"],"Internal name could not be changed!":["Der interne Name konnte nicht geändert werden!"],"Invalid field type!":["Ungültiger Feldtyp!"],"LDAP Attribute":["LDAP-Attribut"],"Module":["Modul"],"Only alphanumeric characters allowed!":["Nur alphanumerische Zeichen erlaubt!"],"Profile Field Category":["Profilfeld-Kategorie"],"Required":["Pflichtfeld"],"Show at registration":["Bei der Registrierung anzeigen"],"Sort order":["Sortierung"],"Translation Category ID":["Übersetzungs-Kategorie-ID"],"Type Config":["Typ-Konfiguration"],"Visible":["Sichtbar"],"Communication":["Kommunikation"],"Social bookmarks":["Soziale Lesezeichen"],"Datetime":["Datum/Uhrzeit"],"Number":["Zahl"],"Select List":["Auswahlliste"],"Text":["Text"],"Text Area":["Textbereich"],"%y Years":["%y Jahre"],"Birthday field options":["Geburtstagsfeld-Optionen"],"Date(-time) field options":["Datums(-Uhrzeit)feld-Optionen"],"Show date/time picker":["Zeige Datums/Zeit Picker"],"Maximum value":["Maximum"],"Minimum value":["Minimum"],"Number field options":["Zahlenfeld-Optionen"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Eine Option pro Zeile. Schlüssel=>Wert-Format (z.B. yes=>Ja)"],"Please select:":["Bitte wähle:"],"Possible values":["Erlaubte Werte"],"Select field options":["Auswahlfeld-Optionen"],"Default value":["Standardwert"],"Maximum length":["Maximal Länge"],"Minimum length":["Minimal Länge"],"Regular Expression: Error message":["Regular Expression: Fehlermeldung"],"Regular Expression: Validator":["Regular Expression: Validator"],"Text Field Options":["Textfeld-Optionen"],"Validator":["Validator"],"Text area field options":["Textbereichsfeld-Optionen"],"Authentication mode":["Authentifikations-Modus"],"New user needs approval":["Neuer Benutzer benötigt Freischaltung"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Dein Benutzername darf nur Buchstaben, Zahlen, Leerzeichen und die Sonderzeichen (+-._) enthalten."],"Wall":["Wand"],"Change E-mail":["E-Mail Adresse ändern"],"Current E-mail address":["Aktuelle E-mail Adresse"],"Your e-mail address has been successfully changed to {email}.":["Deine E-Mail Adresse wurde erfolgreich in {email} geändert."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Wir haben soeben eine Bestätigungs-E-Mail an deine neue Adresse geschickt.
Bitte folge den darin enthaltenen Anweisungen."],"Change password":["Passwort ändern"],"Password changed":["Passwort geändert"],"Your password has been successfully changed!":["Dein Passwort wurde erfolgreich geändert!"],"Modify your profile image":["Bearbeite dein Profilbild","Profilbild bearbeiten"],"Delete account":["Konto löschen"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Bist du sicher, dass du dein Konto löschen möchtest?
Alle deine veröffentlichten Beiträge werden entfernt."],"Delete account":["Konto löschen"],"Enter your password to continue":["Gib dein Passwort ein um fortzufahren"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Entschuldigung, als Besitzer eines Space kannst du dein Konto nicht löschen!
Bitte ordne dem Space einen anderen Benutzer zu oder lösche deine Spaces."],"User details":["Benutzer-Details"],"User modules":["Benutzer-Module"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Bist du wirklich sicher? Alle Daten zu den Modulen Deines Kontos werden gelöscht!"],"Enhance your profile with modules.":["Erweitere dein Profil durch Module."],"User settings":["Benutzer-Einstellungen"],"Getting Started":["Einführungstour"],"Registered users only":["Nur Registrierte Benutzer"],"Visible for all (also unregistered users)":["Sichtbar für alle (auch unangemeldete Benutzer)"],"Desktop Notifications":["Desktop-Benachrichtigungen"],"Email Notifications":["E-Mail-Benachrichtigungen"],"Get a desktop notification when you are online.":["Erhalte Desktop Benachrichtigungen, wenn du online bist."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Erhalte eine E-Mail bei jeder Aktivität anderer Benutzer, denen du folgst oder mit denen du in Spaces zusammenarbeitest."],"Get an email, when other users comment or like your posts.":["Erhalte eine E-Mail, wenn andere Benutzer Ihre Beiträge kommentieren oder bewerten."],"Account registration":["Konto-Registrierung"],"Create Account":["ein Konto anlegen"],"Your account has been successfully created!":["Dein Konto wurde erfolgreich erstellt!"],"After activating your account by the administrator, you will receive a notification by email.":["Nach der Aktivierung deines Kontos durch einen Administrator erhälst du eine Benachrichtigung per E-Mail."],"Go to login page":["Zur Loginseite"],"To log in with your new account, click the button below.":["Um sich mit Ihrem neuen Konto einzuloggen, klicke unten auf den Button."],"back to home":["zurück zur Startseite"],"Please sign in":["Einloggen"],"Sign up":["Registrieren"],"Create a new one.":["Ein neues erstellen."],"Don't have an account? Join the network by entering your e-mail address.":["Noch kein Benutzerkonto? Werde Mitglied, indem du deine E-Mail Adresse eingibst."],"Forgot your password?":["Passwort vergessen?"],"If you're already a member, please login with your username/email and password.":["Wenn du bereits Mitglied bist, logge dich bitte mit Benutzername/E-Mail und Passwort ein."],"Register":["Registrieren"],"email":["E-Mail"],"password":["Passwort"],"username or email":["Benutzername oder E-Mail"],"Password recovery":["Passwort-Wiederherstellung!","Passwort-Wiederherstellung"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Gib einfach deine E-Mail Adresse ein, und wir senden dir eine Mail um dein Passwort neu zu setzen."],"Password recovery":["Passwort-Wiederherstellung"],"Reset password":["Passwort neu setzen"],"enter security code above":["Bitte gib den Sicherheitscode ein"],"your email":["Deine E-Mail"],"Password recovery!":["Passwort-Wiederherstellung!"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Wir haben dir eine E-Mail zugeschickt, mit der du dein Passwort neu setzen kannst."],"Registration successful!":["Registrierung erfolgreich!"],"Please check your email and follow the instructions!":["Bitte prüfe dein E-Mail-Postfach und folge den Anweisungen!"],"Registration successful":["Registrierung erfolgreich"],"Change your password":["Ändere dein Passwort"],"Password reset":["Passwort zurücksetzen"],"Change password":["Passwort ändern"],"Password reset":["Psswort zurücksetzen"],"Password changed!":["Passwort geändert!"],"Confirm your new email address":["Bestätige deine neue E-Mail Adresse"],"Confirm":["Bestätigen"],"Hello":["Hallo"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Du hast die Änderung deiner E-Mail Adresse beantragt.
Deine neue E-Mail Adresse ist {newemail}.

Um die neue E-Mail Adresse zu bestätigen, klicke bitte auf den Button unten."],"Hello {displayName}":["Hallo {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Wenn du diesen Link nicht innerhalb der nächsten 24 Stunden nutzt, wird er ungültig."],"Please use the following link within the next day to reset your password.":["Nutze den folgenden Link innerhalb des nächsten Tages um dein Passwort neu zu setzen."],"Reset Password":["Passwort neu setzten"],"Registration Link":["Link zur Registrierung"],"Sign up":["Registrieren"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Willkommen bei %appName%. Bitte klicke auf den Button unten, um mit der Registrierung fortzufahren."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Ein soziales Netzwerk, um Kommunikation und Teamwork zu verbessern.
Registriere dich jetzt, um diesem Space beizutreten."],"Sign up now":["Registriere dich jetzt"],"Space Invite":["Space-Einladung"],"You got a space invite":["Du hast eine Space-Einladung"],"invited you to the space:":["hat dich eingeladen in den Space:"],"{userName} mentioned you in {contentTitle}.":["{userName} hat dich in »{contentTitle}« erwähnt."],"{userName} is now following you.":["{userName} folgt dir nun."],"About this user":["Über diesen Nutzer"],"Modify your title image":["Titelbild bearbeiten"],"This profile stream is still empty!":["Dieser Profilstream ist noch leer!"],"Do you really want to delete your logo image?":["Willst Du das Logo wirklich entfernen?"],"Account settings":["Konto-Verwaltung"],"Profile":["Profil"],"Edit account":["Benutzerkonto bearbeiten"],"Following":["Folgend"],"Following user":["Der Nutzer folgt"],"User followers":["Dem Nutzer folgen"],"Member in these spaces":["Mitglied in diesen Spaces"],"User tags":["Benutzer-Tags"],"No birthday.":["Kein Geburtstag."],"Back to modules":["Zurück zu den Modulen"],"Birthday Module Configuration":["Konfiguration Geburtstagsmodul"],"The number of days future bithdays will be shown within.":["Anzahl an Tagen, an denen zukünftige Geburtstage vorab angezeigt werden."],"Tomorrow":["Morgen"],"Upcoming":["Demnächst"],"You may configure the number of days within the upcoming birthdays are shown.":["Du kannst die Anzahl an Tagen einstellen, an denen zukünftige Geburstage vorab angezeigt werden."],"becomes":["wird"],"birthdays":["Geburtstage"],"days":["Tage"],"today":["heute"],"years old.":["Jahre alt."],"Active":["Aktiv"],"Mark as unseen for all users":["Für alle Nutzer als ungelesen markieren"],"Breaking News Configuration":["Konfiguration Eilmeldungen"],"Note: You can use markdown syntax.":["Hinweis: Du kannst die Markdown Sytax verwenden.\n(Weitere Infos unter http://www.markdown.de)"],"Adds an calendar for private or public events to your profile and mainmenu.":["Fügt deinem Profil und Hauptmenü einen Kalender für private und öffentliche Termine hinzu."],"Adds an event calendar to this space.":["Fügt diesem Space einen Termin hinzu."],"All Day":["Alle Tage"],"Attending users":["Teilnehmende Benutzer"],"Calendar":["Kalender"],"Declining users":["Absagende Benutzer"],"End Date":["Enddatum"],"End Date and Time":["Enddatum/Endzeit"],"End Time":["Termin Ende"],"End time must be after start time!":["Das Terminende muss nach dem Terminbeginn liegen!"],"Event":["Termin"],"Event not found!":["Termin nicht gefunden!"],"Maybe attending users":["Unsichere Benutzer"],"Participation Mode":["Teilnahmemodus"],"Recur":["Wiederkehrend"],"Recur End":["Wiederkehrend mit Ende"],"Recur Interval":["Wiederkehrender Intervall"],"Recur Type":["Wiederkehrender Typ"],"Select participants":["Teilnehmer auswählen"],"Start Date":["Beginndatum"],"Start Date and Time":["Startdatum/Startzeit"],"Start Time":["Termin Beginn"],"You don't have permission to access this event!":["Unzureichende Berechtigungen, diesen Termin anzusehen!"],"You don't have permission to create events!":["Unzureichende Berechtigungen, diesen Termin zu erstellen!"],"You don't have permission to delete this event!":["Unzureichende Berechtigungen, diesen Termin zu löschen!"],"You don't have permission to edit this event!":["Unzureichende Berechtigungen, diesen Termin zu ändern!"],"%displayName% created a new %contentTitle%.":["%displayName% hat einen neuen Termin »%contentTitle%« erstellt."],"%displayName% attends to %contentTitle%.":["%displayName% hat für »%contentTitle%« zugesagt."],"%displayName% maybe attends to %contentTitle%.":["%displayName% nimmt vielleicht bei »%contentTitle%« teil."],"%displayName% not attends to %contentTitle%.":["%displayName% nimmt nicht bei »%contentTitle%« teil."],"Start Date/Time":["Start-Datum/Zeit"],"Create event":["Termin erstellen"],"Edit event":["Termin anpassen"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Beachte: Dieser Termin wird in deinem Profil erstellt. Um einen Termin in einem Space zu erstellen, öffne den Kalender im gewünschten Space."],"End Date/Time":["Enddatum/Endzeit"],"Everybody can participate":["Jeder darf teilnehmen"],"No participants":["Keine Teilnehmer"],"Participants":["Teilnehmer"],"Attend":["Teilnehmen"],"Created by:":["Erstellt von:"],"Edit event":["geänderter Termin"],"Edit this event":["Diesen Termin ändern"],"I´m attending":["Ich nehme teil"],"I´m maybe attending":["Ich nehme vielleicht teil"],"I´m not attending":["Ich nehme nicht teil"],"Maybe":["Vielleicht"],"Filter events":["Termine filtern"],"Select calendars":["Kalender auswählen"],"Already responded":["Beantwortet"],"Followed spaces":["Folgende Spaces"],"Followed users":["Folgende Benutzer"],"My events":["Meine Termine"],"Not responded yet":["Nicht beantwortet"],"Loading...":["Es wird geladen..."],"Upcoming events ":["Nächste Termine "],":count attending":[":count Zusagen"],":count declined":[":count Absagen"],":count maybe":[":count mit Vorbehalt"],"Participants:":["Teilnehmer:"],"Create new Page":["Neue Seite erstellen"],"Custom Pages":["Eigene Seite"],"HTML":["HTML"],"IFrame":["iFrame"],"Link":["Link"],"MarkDown":["MarkDown"],"Navigation":["Navigation"],"No custom pages created yet!":["Bisher wurde noch keine eigene Seite erstellt!"],"Sort Order":["Sortierung"],"Top Navigation":["Obere Navigationsleiste"],"User Account Menu (Settings)":["Benutzerprofilmenü (Einstellungen)"],"Create page":["Seite erstellen"],"Edit page":["Seite bearbeiten","Bearbeite eine Seite"],"Default sort orders scheme: 100, 200, 300, ...":["Standard-Sortierschema: 100, 200, 300, ..."],"Page title":["Seitentitel"],"URL":["URL"],"Confirm category deleting":["Löschen der Kategorie bestätigen"],"Confirm link deleting":["Löschen des Links bestätigen"],"Added a new link %link% to category \"%category%\".":["Neuer Link %link% zur Kategorie \"%category%\" hinzugefügt."],"Delete category":["Kategorie löschen"],"Delete link":["Link löschen"],"Do you really want to delete this category? All connected links will be lost!":["Möchtest du diese Kategorie wirklich löschen? Alle verknüpften Links gehen verloren."],"Do you really want to delete this link?":["Möchtest du diesen Link wirklich löschen?"],"Extend link validation by a connection test.":["Erweiterte Linküberprüfung durch einen Verbindungstest."],"Linklist":["Linkliste"],"Linklist Module Configuration":["Konfiguration Linklist Modul"],"No description available.":["Keine Beschreibung verfügbar."],"Requested category could not be found.":["Die gewünschte Kategorie konnte nicht gefunden werden."],"Requested link could not be found.":["Der gewünschte Link konnte nicht gefunden werden."],"Show the links as a widget on the right.":["Zeige die Links als ein Widget am rechten Rand."],"The category you want to create your link in could not be found!":["Die Kategorie, in der du den Link erstellen möchtest, konnte nicht gefunden werden."],"The item order was successfully changed.":["Die Reihenfolge der Einträge wurde erfolgreich geändert."],"There have been no links or categories added to this space yet.":["Zu diesem Space wurden noch keine Links oder Kategorien hinzugefügt."],"Toggle view mode":["Ansicht umschalten"],"You can enable the extended validation of links for a space or user.":["Du kannst die erweiterte Überprüfung von Links für einen Space oder einen Benutzer aktivieren."],"You miss the rights to add/edit links!":["Du besitzt nicht die Berechtigung, um Links hinzuzufügen/zu bearbeiten!"],"You miss the rights to delete this category!":["Du besitzt nicht die Berechtigung, um diese Kategorie zu löschen!"],"You miss the rights to delete this link!":["Du besitzt nicht die Berechtigung, um diesen Link zu löschen!"],"You miss the rights to edit this category!":["Du besitzt nicht die Berechtigung, um diese Kategorie zu bearbeiten!"],"You miss the rights to edit this link!":["Du besitzt nicht die Berechtigung, um diesen Link zu bearbeiten!"],"You miss the rights to reorder categories.!":["Du besitzt nicht die Berechtigung, um Kategorie umzusortieren."],"list":["Liste"],"Messages":["Nachrichten"],"You could not send an email to yourself!":["Du kannst dir selbst keine Nachricht senden!"],"Recipient":["Empfänger"],"New message from {senderName}":["Neue Nachricht von {senderName}"],"and {counter} other users":["und {counter} weiteren Nutzern"],"New message in discussion from %displayName%":["Neue Nachricht in der Diskussion von %displayName%"],"New message":["Neue Nachricht"],"Reply now":["Antworte jetzt"],"sent you a new message:":["sendete dir eine neue Nachricht:"],"sent you a new message in":["sendete dir eine neue Nachricht in"],"Add more participants to your conversation...":["Füge der Konversation weitere Empfänger hinzu..."],"Add user...":["Füge Empfänger hinzu..."],"New message":["Neue Nachricht"],"Edit message entry":["Nachricht bearbeiten"],"Messagebox":["Nachrichten"],"Inbox":["Posteingang"],"There are no messages yet.":["Es sind keine Nachrichten vorhanden.","Derzeit keine Nachrichten vorhanden."],"Write new message":["Schreibe eine neue Nachricht"],"Confirm deleting conversation":["Bestätige Löschung der Konversation"],"Confirm leaving conversation":["Bestätige Verlassen der Konversation"],"Confirm message deletion":["Bestätige Löschung der Nachricht "],"Add user":["Füge Empfänger hinzu"],"Do you really want to delete this conversation?":["Willst du diese Konversation wirklich löschen?"],"Do you really want to delete this message?":["Willst du diese Nachricht wirklich löschen?"],"Do you really want to leave this conversation?":["Willst du die Unterhaltung wirklich verlassen?"],"Leave":["Verlassen"],"Leave discussion":["Verlasse die Diskussion"],"Write an answer...":["Schreibe eine Antwort ..."],"User Posts":["Benutzerbeiträge"],"Show all messages":["Zeige alle Nachrichten"],"Send message":["Nachricht senden"],"Most active people":["Die aktivsten User","Die aktivsten Benutzer"],"Get a list":["Liste"],"Most Active Users Module Configuration":["Modul Einstellungen "],"No users.":["Keine Benutzer."],"The number of most active users that will be shown.":["Anzahl der aktivsten Benutzer"],"The number of users must not be greater than a 7.":["Die Anzahl der aktivsten Benutzer darf 7 nicht überschreiten"],"The number of users must not be negative.":["Die Anzahl der aktivsten Benutzer darf nicht negativ sein"],"You may configure the number users to be shown.":["Anzahl der aktivsten Benutzer konfigurieren"],"Comments created":["Erstellte Kommentare"],"Likes given":["Gegebene Likes"],"Posts created":["Erstellte Posts"],"Notes":["Notizen"],"Etherpad API Key":["Etherpad API Key"],"URL to Etherpad":["URL zur Etherpad Installation"],"Could not get note content!":["Konnte den Inhalt der Notiz nicht laden!"],"Could not get note users!":["Konnte die Nutzer der Notiz nicht laden!"],"Note":["Notiz"],"{userName} created a new note {noteName}.":["{userName} hat die Notiz »{noteName}« erstellt."],"{userName} has worked on the note {noteName}.":["{userName} hat die Notiz »{noteName}« bearbeitet."],"API Connection successful!":["API Verbindung erfolgreich!"],"Could not connect to API!":["Konnte nicht mit der API verbinden!"],"Current Status:":["Aktueller Status:"],"Notes Module Configuration":["Konfiguration Notizmodul"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Bitte für weitere Details die Moduldokumentation unter /protected/modules/notes/docs/install.txt lesen!"],"Save & Test":["Speichern & Testen"],"The notes module needs a etherpad server up and running!":["Das Notizmodul benötigt einen intallierten und laufenden Etherpad Server!"],"Save and close":["Speichern und schließen"],"{userName} created a new note and assigned you.":["{userName} hat eine neue Notiz erzeugt und dich hinzugefügt."],"{userName} has worked on the note {spaceName}.":["{userName} hat die Notiz im Space {spaceName} bearbeitet."],"Open note":["Öffne Notiz"],"Title of your new note":["Titel der Notiz"],"No notes found which matches your current filter(s)!":["Keine Notiz zu den Filtereinstellungen gefunden!"],"There are no notes yet!":["Keine Notizen vorhanden!"],"Polls":["Umfragen"],"Could not load poll!":["Konnte Umfrage nicht laden!"],"Invalid answer!":["Unzulässige Antwort!"],"Users voted for: {answer}":["Benutzer stimmten für: {answer}"],"Voting for multiple answers is disabled!":["Mehrfachantworten sind nicht zugelassen!"],"You have insufficient permissions to perform that operation!":["Es fehlen die nötigen Rechte, um die Anfrage zu bearbeiten!"],"Answers":["Antworten"],"Multiple answers per user":["Mehrfachantworten pro Nutzer"],"Please specify at least {min} answers!":["Bitte gib mindestens {min} Antworten an!"],"Question":["Frage"],"{userName} voted the {question}.":["{userName} stimmte für die Umfrage »{question}« ab."],"{userName} created a new {question}.":[" {userName} hat die Umfrage »{question}« erstellt."],"{userName} created a new poll and assigned you.":["{userName} hat eine Umfrage erstellt und dich zugeordnet."],"Ask":["Frag"],"Reset my vote":["Meine Abstimmung zurücksetzen"],"Vote":["Abstimmen"],"and {count} more vote for this.":["und {count} mehr stimmten hierfür ab."],"votes":["Abstimmungen"],"Allow multiple answers per user?":["Sind Mehrfachantworten zugelassen?"],"Ask something...":["Stelle eine Frage..."],"Possible answers (one per line)":["Mögliche Antworten (Eine pro Zeile)"],"Display all":["Zeige alle"],"No poll found which matches your current filter(s)!":["Keine passende Umfrage zu den Filtereinstellungen gefunden!"],"There are no polls yet!":["Es gibt noch keine Umfragen!"],"There are no polls yet!
Be the first and create one...":["Es gibt noch keine Umfragen!
Erstelle die erste ..."],"Asked by me":["Von mir erstellt"],"No answered yet":["Bisher nicht beantwortet"],"Only private polls":["Nur private Umfragen"],"Only public polls":["Nur öffentliche Umfragen"],"Manage reported posts":["Bearbeite gemeldete Beiträge"],"Reported posts":["Melde den Beitrag"],"Why do you want to report this post?":["Warum möchtest Du den Beitrag melden?"],"by :displayName":["von :displayName"],"created by :displayName":["erstellt von :displayName"],"Doesn't belong to space":["Gehört nicht zum Space"],"Offensive":["beleidigend"],"Spam":["Spam"],"Here you can manage reported users posts.":["Hier kannst Du gemeldete Benutzer-Beiträge verwalten."],"API ID":["API ID"],"Allow Messages > 160 characters (default: not allowed -> currently not supported, as characters are limited by the view)":["Erlaubt Mitteilungen über 160 Zeichen (Standard: nicht erlaubt -> aktuell nicht unterstützt, da in der Anzeige die Zeichenanzahl limitiert ist)"],"An unknown error occurred.":["Ein unbekannter Fehler ist aufgetreten."],"Body too long.":["Nachricht zu lang."],"Body too too short.":["Nachricht zu kurz."],"Characters left:":["noch übrige Zeichen:"],"Choose Provider":["Wähle Provider aus"],"Could not open connection to SMS-Provider, please contact an administrator.":["Konnte keine Verbindung zum SMS-Provider herstellen. Bitte den Administrator kontaktieren."],"Gateway Number":["Nummer des Gateways"],"Gateway isn't available for this network.":["Der Gateway ist für dieses Netzwerk nicht verfügbar."],"Insufficent credits.":["Kein ausreichendes Guthaben."],"Invalid IP address.":["Ungültige IP-Adresse."],"Invalid destination.":["Ungültiges Ziel."],"Invalid sender.":["Ungültiger Absender."],"Invalid user id and/or password. Please contact an administrator to check the module configuration.":["Ungültiger Benutzer und/oder Passwort. Bitte den Administrator kontaktieren um die Modul-Konfiguration zu korrigieren."],"No sufficient credit available for main-account.":["Kein ausreichendes Guthaben für den Haupt-Account verfügbar."],"No sufficient credit available for sub-account.":["Kein ausreichendes Guthaben für den Unter-Account verfügbar."],"Provider is not initialized. Please contact an administrator to check the module configuration.":["Der Povider ist nicht initialisiert. Bitte den Administrator kontaktieren um die Modul-Konfiguration zu korrigieren."],"Receiver is invalid.":["Ungültiger Empfänger."],"Receiver is not properly formatted, has to be in international format, either 00[...], or +[...].":["Der Empfänger ist nicht korrekt formatiert. Bitte das internationale Formit mit 00[...], oder +[...] benutzen."],"SMS Module Configuration":["SMS-Modul Konfiguration"],"SMS has been rejected/couldn't be delivered.":["Die SMS wurde abgelehnt / konnte nicht zugestellt werden."],"SMS has been successfully sent.":["Die SMS wurde erfolgreich versendet."],"SMS is lacking indication of price (premium number ads).":["Die SMS konnte nicht an die Premium-Nummer (kostenpflichtig) zugestellt werden."],"SMS with identical message text has been sent too often within the last 180 secondsSMS with identical message text has been sent too often within the last 180 seconds.":["Es wurde versucht, eine SMS mit identischem Inhalt zu oft innerhalb der letzten 180 Sekunden zu versenden."],"Save Configuration":["Konfiguration speichern"],"Security error. Please contact an administrator to check the module configuration.":["Sicherheits-Fehler. Bitte den Administrator kontaktieren um die Modul-Konfiguration zu korrigieren."],"Select the Spryng route (default: BUSINESS)":["Bitte die Verbindung auswählen (Standard: BUSINESS)"],"Send SMS":["Sende SMS"],"Send a SMS":["Sende eine SMS"],"Send a SMS to ":["Sende SMS an"],"Sender is invalid.":["Absender ist ungültig."],"Technical error.":["Technischer Fehler."],"Test option. Sms are not delivered, but server responses as if the were.":["Test-Betrieb. SMS wird nicht zugestellt, die Server werden auf Rückmeldung getestet."],"To be able to send a sms to a specific account, make sure the profile field \"mobile\" exists in the account information.":["Um eine SMS an einen Kontakt zu versenden zu können, muss das Feld \"Mobil-Nummer\" im entsprechenden Profil ausgefüllt sein."],"Unknown route.":["Unbekannte Route."],"Within this configuration you can choose between different sms-providers and configurate these. You need to edit your account information for the chosen provider properly to have the sms-functionality work properly.":["In der Konfiguration kann zwischen verschiedenene SMS-Providern gewählt werden um diese dann zu konfigurieren. Der eigene Account muss korrekt angelegt sein um die SMS-Funktionalität nutzen zu können."],"Tasks":["Aufgaben"],"Could not access task!":["Konnte auf die Aufgabe nicht zugreifen!"],"{userName} assigned to task {task}.":["{userName} wurde Aufgabe »{task}« zugeordnet."],"{userName} created task {task}.":["{userName} hat die Aufgabe »{task}« angelegt."],"{userName} finished task {task}.":["{userName} hat die Aufgabe »{task}« abgeschlossen.","{userName} hat die Aufgabe »{task}« abgschlossen."],"{userName} assigned you to the task {task}.":["{userName} hat dich der Aufgabe »{task}« zugeordnet."],"{userName} created a new task {task}.":[" {userName} hat die Aufgabe »{task}« erstellt."],"This task is already done":["Diese Aufgabe ist bereits abgeschlossen"],"You're not assigned to this task":["Diese Aufgabe ist dir nicht zugeordnet"],"Click, to finish this task":["Klicke, um die Aufgabe zu beenden."],"This task is already done. Click to reopen.":["Diese Aufgabe ist bereits abgeschlossen. Klicke um sie wieder zu aktivieren."],"My tasks":["Meine Aufgaben"],"From space: ":["Aus Space: "],"There are no tasks yet!":["Es existieren noch keine Aufgaben!"],"There are no tasks yet!
Be the first and create one...":["Aktuell liegen keine Aufgaben vor!
Erstelle eine..."],"Assigned to me":["Mir zugeordnet"],"No tasks found which matches your current filter(s)!":["Keine Aufgaben zu den gewählten Filtereinstellungen gefunden!"],"Nobody assigned":["Niemand zugeordnet"],"State is finished":["Status: abgeschlossen"],"State is open":["Status: offen"],"Assign users to this task":["Dieser Aufgabe Benutzer zuordnen"],"Deadline for this task?":["Frist zur Erledigung der Aufgabe?","Frist für die Erledigung dieser Aufgabe?"],"What to do?":["Was ist zu tun?"],"Do you want to handle this task?":["Willst Du diese Aufgabe übernehmen?"],"I do it!":["Ich mach es!"],"Translation Manager":["Übersetzungsmanager"],"Translations":["Übersetzungen"],"Translation Editor":["Übersetzungseditor"],"Confirm page deleting":["Bestätigen Seite löschen"],"Confirm page reverting":["Bestätigen Seite wiederherstellen "],"Overview of all pages":["Übersicht aller Seiten"],"Page history":["Seitenhistorie"],"Wiki Module":["Wiki Modul"],"Adds a wiki to this space.":["Estelle ein Wiki in deinem Space."],"Adds a wiki to your profile.":["Estelle ein Wiki in deinem Profil."],"Back to page":["Zurück zur Seite"],"Do you really want to delete this page?":["Willst du diese Seite wirklich löschen?"],"Do you really want to revert this page?":["Willst du diese Seite wirklich wiederherstellen?"],"Edit page":["Seite bearbeiten"],"Edited at":["Erstellt von"],"Go back":["Gehe zurück"],"Invalid character in page title!":["Ungültige Zeichen im Seitentitel!"],"Let's go!":["Starten"],"Main page":["Hauptseite"],"New page":["Neue Seite"],"No pages created yet. So it's on you.
Create the first page now.":["Noch keine Seiten erstellt. Es liegt an Dir die erste Seite zu
erstellen!"],"Page History":["Seitenhistorie"],"Page title already in use!":["Seitentitel bereits vorhanden!"],"Revert":["Zurückkehren"],"Revert this":["Zurückkehren zu"],"View":["Vorschau"],"Wiki":["Wiki"],"by":["von"],"Wiki page":["Wiki Seite"],"New page title":["Neuer Seitentitel"],"Page content":["Seiteninhalt"],"Allow":["Erlauben"],"Default":["Standard"],"Deny":["Ablehnen"],"Please type at least 3 characters":["Bitte wengistens 3 Zeichen eingeben"],"Add purchased module by licence key":["Erworbene Module per Linzenschlüssel hinzufügen"],"Default user idle timeout, auto-logout (in seconds, optional)":["Zeitspanne, nach der ein Benutzer bei Untätigkeit automatisch abgemeldet wird (in Sekunden, optional)"],"Show sharing panel on dashboard":["Zeige Auswahlfeld für Soziale Netzwerke in der Übersicht"],"Show user profile post form on dashboard":["Zeige Eingabeformular für die Benutzeraktivitäten in der Übersicht"],"Hide file info (name, size) for images on wall":["Datei-Informationen (Name, Größe) für Bilder in der Übersicht ausblenden"],"Hide file list widget from showing files for these objects on wall.":["Dateilisten-Widget für diese Dateien in der Übersicht ausblenden."],"Maximum preview image height (in pixels, optional)":["Maximalhöhe der Vorschaubilder (in Pixel, optional)"],"Maximum preview image width (in pixels, optional)":["Maximalweite der Vorschaubilder (in Pixel, optional)"],"Allow Self-Signed Certificates?":["Selbst-signierte Zertifikate erlauben?"],"Default Content Visiblity":["Standard Sichtbarkeit von Inhalten"],"Security":["Sicherheit"],"No purchased modules found!":["Keine gekauften Module gefunden!"],"search for available modules online":["verfügbare Module online suchen"],"HumHub is currently in debug mode. Disable it when running on production!":["HumHub läuft derzeit im Testmodus. Auf Produktivsystemen deaktivieren!"],"See installation manual for more details.":["Weitere Details in der Installationsanleitung"],"Purchases":["Käufe"],"Enable module...":["Modul aktivieren..."],"Buy (%price%)":["Kaufen (%price%)"],"Installing module...":["Installiere Modul..."],"Licence Key:":["Lizenzschlüssel"],"Updating module...":["Aktualisiere Module..."],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Minimalwert 20 Sekunden. Wenn nicht gesetzt, läuft die Sitzung nach 1400 Sekunden (24 Minuten) ab, sofern keine Aktion durch geführt wird (Standardwert für den Ablauf der Sitzung)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Nur anwendbar, wenn der eingeschränkte Zugriff für nicht bestätigte Benutzer aktiviert wurde. Hat nur Auswirkungen auf neue Benutzer."],"LDAP Attribute for E-Mail Address. Default: "mail"":["LDAP Attribut für die E-Mail-Adresse. Standard: "mail""],"Comma separated list. Leave empty to show file list for all objects on wall.":["Komma separierte Liste. Leer lassen, um bei der Dateiliste in der Übersicht alle Objekte anzuzeigen."],"Last login":["Letzte Anmeldung"],"Add a member to notify":["Mitglied zur Benachrichtigung hinzufügen"],"Share your opinion with others":["Teile deine Meinung mit Anderen"],"Post a message on Facebook":["Nachricht auf Facebook schreiben"],"Share on Google+":["Teilen auf Google+"],"Share with people on LinkedIn ":["Mit Personen auf auf LinkedIn teilen"],"Tweet about HumHub":["Über HumHub twittern"],"Downloading & Installing Modules...":["Lade Module herunter und installiere..."],"Calvin Klein – Between love and madness lies obsession.":["Calvin Klein - Zwischen Liebe und Wahnsinn liegt Obsession."],"Nike – Just buy it. ;Wink;":["Nike - Einfach kaufen ;Wink;"],"We're looking for great slogans of famous brands. Maybe you can come up with some samples?":["Wir suchen großartige Slogans bekannter Marken. Kannst Du uns vielleicht einige Beispiele nennen?"],"Welcome Space":["Willkommens-Space"],"Yay! I've just installed HumHub ;Cool;":["Yay! Ich habe gerade HumHub installiert ;Cool;"],"Your first sample space to discover the platform.":["Dein erstes Beispiel, um die Plattform zu entdecken"],"Set up example content (recommended)":["Beispielsinhalte einrichten (empfohlen)"],"Allow access for non-registered users to public content (guest access)":["Erlaube Zugriff auf öffentliche Inhalte für nicht registrierte Benutzer (Gastzugriff)"],"External user can register (The registration form will be displayed at Login))":["Externe Benutzer können sich registrieren (Das Registrierungsformular wird auf der Login-Seite angezeigt)"],"Newly registered users have to be activated by an admin first":["Neu registrierte Benutzer müssen durch den Administrator freigeschaltet werden"],"Registered members can invite new users via email":["Registrierte Benutzer können neue Benutzer per E-Mail einladen"],"I want to use HumHub for:":["Ich möchte HumHub benutzen für:"],"You're almost done. In this step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Fast geschafft! Fülle in diesem Schritt das Eingabeformular aus, um das Administrator-Konto zu erstellen. Mit diesem Konto kannst du das ganze Neztwerk verwalten."],"HumHub is very flexible and can be adjusted and/or expanded for various different applications thanks to its’ different modules. The following modules are just a few examples and the ones we thought are most important for your chosen application.

You can always install or remove modules later. You can find more available modules after installation in the admin area.":["HumHub ist sehr flexibel und kann durch verschiedene Module für unterschiedliche Einsatzzwecke eingerichtet und/oder erweitert werden. Die folgenden Module sind lediglich Beispiele, die aus unserer Sicht für deinen Einsatzzweck wichtig sein könnten.

Du kannst später jederzeit module hinzufügen oder entfernen. Verfügbare Module findest du nach der Installation über das Administrations-Menü."],"Recommended Modules":["Empfohlene Module"],"Example contents":["Beispielsinhalte "],"To avoid a blank dashboard after your initial login, HumHub can install example contents for you. Those will give you a nice general view of how HumHub works. You can always delete the individual contents.":["Um nach der ersten Anmeldung keine leere Übersicht vorzufinden, kann HumHub für dich Beispielsinhalte anlegen. Diese bieten einen guten Überblick über die Funktionsweise von HumHub und können jederzeit wieder gelöscht werden."],"Here you can decide how new, unregistered users can access HumHub.":["Hier kannst Du entscheiden, wie nicht registrierte Benutzer auf HumHub zugreifen können."],"Security Settings":["Sicherzeits-Einstellungen"],"Configuration":["Konfiguration"],"My club":["Mein Verein"],"My community":["Meine Verwandtschaft"],"My company (Social Intranet / Project management)":["Meine Firma (Social Intranet / Projektmanagement)"],"My educational institution (school, university)":["Meine Bildungseinrichtung (Schule, Universität)"],"Skip this step, I want to set up everything manually":["Diesen Schritt überspringen. Ich möchte alles manuell einrichten"],"To simplify the configuration, we have predefined setups for the most common use cases with different options for modules and settings. You can adjust them during the next step.":["Zur Vereinfachung der Konfiguration liegen für die häufigsten Einsatzzwecke vordefinierte Profile mit unterschiedlichen Optionen für Module und Einstellungen vor. Während der nächsten Schritte kannst du diese Einstellungen anpassen."],"Initializing database...":["Initialisiere Datenbank..."],"You":["Du"],"You like this.":["Dir gefällt das."],"Advanced search settings":["Erweiterte Sucheinstellungen"],"Search for user, spaces and content":["Nach Benutzern, Spaces und Inhalten suchen"],"Private":["Privat"],"Members":["Mitglieder"],"Change Owner":["Besitzer ändern"],"General settings":["Allgemeine Einstellungen"],"Security settings":["Sicherheitseinstellungen"],"As owner of this space you can transfer this role to another administrator in space.":["Du kannst die Rolle des Space-Besitzers auf einen anderen Administrator im Space übertragen."],"Color":["Farbe"],"Transfer ownership":["Besitzrechte übertragen"],"Choose if new content should be public or private by default":["Wählen, ob neue Inhalte standardmäßig als öffentlich oder privat gekennzeichnet werden"],"Manage members":["Mitglieder verwalten"],"Manage permissions":["Mitglieder Berechtigungen"],"Pending approvals":["Ausstehende Freigaben"],"Pending invitations":["Ausstehende Einladungen"],"Add Modules":["Module hinzufügen"],"You are not member of this space and there is no public content, yet!":["Du bist kein Miglied dieses Space. Derzeit liegen keinen öffentlichen Inhalte vor!"],"Done":["Abgeschlossen","Versendet"],"":[""],"Cancel Membership":["Mitgliedschaft beenden"],"Hide posts on dashboard":["Beiträge in der Übersicht ausblenden"],"Show posts on dashboard":["Beiträge in der Übersicht anzeigen"],"This option will hide new content from this space at your dashboard":["Mit dieser Option werden neue Inhalte in der Übersicht dieses Space nicht angezeigt"],"This option will show new content from this space at your dashboard":["Mit dieser Option werden neue Inhalte in der Übersicht dieses Space angezeigt"],"Get complete members list":["Liste aller Mitglieder"],"Drag a photo here or click to browse your files":["Ziehe hierher ein Foto oder klicke, um deine Dateien zu durchsuchen"],"Hide my year of birth":["Verstecke mein Geburtsjahr"],"Howdy %firstname%, thank you for using HumHub.":["Howdy %firstname%, vielen Dank für die Benutzung von HumHub"],"You are the first user here... Yehaaa! Be a shining example and complete your profile,
so that future users know who is the top dog here and to whom they can turn to if they have questions.":["Du bist hier der erste Benutzer... Yehaaa! Sei ein gutes Vorbild und vervollständige dein Profil,
so dass künftige Benutzer wissen, wer die Verantwortung trägt und an wen er sich wenden kann, wenn er fragen hat."],"Your firstname":["Dein Vorname"],"Your lastname":["Dein Nachname"],"Your mobild phone number":["Deine Mobilfunknummer"],"Your phone number at work":["Deine Telefonnummer bei der Arbeit"],"Your skills, knowledge and experience (comma seperated)":["Deine Kompetenzen, dein Wissen und deine Erfahrungen (kommasepariert)"],"Your title or position":["Dein Titel oder deine Position"],"Confirm new password":["Neues Passwort bestätigen"],"Without adding to navigation (Direct link)":["Ohne Berücksichtigung in der Navigation (Direkter Link)"],"Add Dropbox files":["Dropbox-Dateien hinzufügen"],"Invalid file":["Unzulässige Datei"],"Dropbox API Key":["Dropbox API Schlüssel"],"Show warning on posting":["Beim Absenden Warnung zeigen"],"Dropbox post":["Dropbox-Post"],"Dropbox Module Configuration":["Dropbox-Modul Konfiguration"],"The dropbox module needs active dropbox application created! Please go to this site, choose \"Drop-ins app\" and provide an app name to get your API key.":["Das Dropbox-Modul benötigt ein aktives Dropbox-Konto! Bitte gehe zu Seite, wähle \"Drop-ins app\" und vergebe einen Applikationsnamen, um deinen API-Schlüssel zu erhalten."],"Dropbox settings":["Dropbox Einstellungen"],"Describe your files":["Beschreibe deine Dateien"],"Sorry, the Dropbox module is not configured yet! Please get in touch with the administrator.":["Entschuldigung, das Dropbox-Modul ist derzeit nicht konfiguriert! Bitte trete mit dem Administrator in Verbindung."],"The Dropbox module is not configured yet! Please configure it here.":["Das Dropbox-Modul ist derzeit nicht konfiguriert! bitte konfiguriere es hier."],"Select files from dropbox":["Wähle Dateien aus der Dropbox"],"Attention! You are sharing private files":["Vorsicht! Du teilst private Dateien"],"Do not show this warning in future":["Die Warnung künftig nicht mehr anzeigen"],"The files you want to share are private. In order to share files in your space we have generated a shared link. Everyone with the link can see the file.
Are you sure you want to share?":["Du möchtest private Dateien teilen. Zur Anzeige der Dateien in deinem space wird ein Link auf die privaten Dateien generiert. Jedermann, der diesen Link sehen kann, wir auf diene privaten Dateien Zugriff haben
Bist du sicher, dass du diese Dateien teilen möchstest?"],"Yes, I'm sure":["Ja, ich bin sicher"],"Invalid Enterprise Edition Licence":["Ungültige Enterprise Lizenz"],"Register Enterprise Edition":["Enterprise Edition Registrierung"],"Unregistered Enterprise Edition":["Unregistrierte Enterprise Edition"],"Enterprise Edition":["Enterprise Edition"],"Please enter your HumHub - Enterprise Edition licence key below. If you don't have a licence key yet, you can obtain one at %link%.":["Bitte gebe hier deinen Lizenzschlüssel ein. Solltest du noch keinen Lizenzschlüssel besitzen, kannst du unter %link% einen erwerben."],"Please register this HumHub - Enterprise Edition!":["Bitte registriere deine HumHub - Enterprise Edition!"],"Please update this HumHub - Enterprise Edition licence!":["Bitte aktualisiere deine HumHub - Enterprise Edition Lizenz!"],"Registration successful!":["Die Registrierung war erfolgreich!"],"Validating...":["Überprüfe..."],"Enterprise Edition Licence":["Enterprise Edition Lizenz"],"Licence Serial Code":["Lizenzschlüssel"],"Please specify your Enterprise Edition Licence Code below.":["Bitte gebe im folgenden Feld den Lizenzschlüssel für deine Enterprise Edition ein."]," %itemTitle%":[" %itemTitle%"],"Change type":["Ändere den Spacetyp"],"Create new %typeTitle%":["%typeTitle% erstellen"],"Create new space type":["Erstelle einen neuen Spacetyp"],"Delete space type":["Spacetyp löschen"],"Edit space type":["Spacetyp bearbeiten"],"Manage space types":["Spacetyp verwalten"],"Create new type":["Erstelle einen neuen Spacetyp"],"To delete the space type \"{type}\" you need to set an alternative type for existing spaces:":["Um den Spacetyp \"{type}\" löschen zu können, musst du für vorhandene Spaces einen anden Spacetyp auswählen:"],"Types":["Spacetypen"],"Sorry! User Limit reached":["Entschuldigung! Die Höchstzahl der Benutzer ist erreicht."],"Delete instance":["Instanz löschen"],"Export data":["Daten exportieren"],"Hosting":["Hosting"],"There are currently no further user registrations possible due to maximum user limitations on this hosted instance!":["Weil die Höchstzahl der zulässigen Benutzer erreicht ist, sind in dieser Instanz derzeit keine weiteren Benutzerregistrierungen möglich!"],"Your plan":["Dein Vorhaben"],"You cannot send a email to yourself!":["Du kannst dir selber keine Mail senden!"],"Add recipients":["Empfänger hinzufügen"],"Delete conversation":["Konversation löschen"],"Leave conversation":["Konversation verlassen"],"Adds a meeting manager to this space.":["Dieses Modul diesen Space um die Möglichkeit, Besprechungen zu erstellen und zu verwalten."],"Format has to be HOUR : MINUTE":["Format muss HH:MM entsprechen"],"Meeting":["Besprechung"],"Meetings":["Besprechungen"],"Begin":["Beginn"],"Date":["Datum"],"End":["Ende"],"Location":["Ort"],"Room":["Raum"],"Minutes":["Protokoll"],"End must be after begin":["Das Ende muss nach dem Beginn liegen"],"No valid time":["Die Zeitangabe ist ungültig"],"Back to overview":["Zurück zur Übersicht"],"Create new task":["Neue Aufgabe erstellen","Neue Aufgabe erstellen"],"Assign users":["Benutzer zuordnen","Zugewiesene Benutzer"],"Deadline":["Frist"],"Preassign user(s) for this task.":["Für diese Aufgabe vorausgewählte Benutzer.","Benutzer für diese Aufgabe vorauswählen"],"Task description":["Beschreibung der Aufgabe"],"What is to do?":["Was ist zu tun?"],"Confirm meeting deleting":["Löschvorgang bestätigen"],"Create new meeting":["Neue Besprechung erstellen"],"Edit meeting":["Besprechung bearbeiten"],"Add Participants":["Teilnehmer hinzufügen"],"Add external participants (free text)":["Externe Teilnehmer hinzufügen (Freitext)"],"Add participant":["Teilnehmer hinzufügen"],"Add participants":["Teilnehmer hinzufügen"],"Do you really want to delete this meeting?":["Möchtest du diese Besprechung wirklich löschen?"],"External participants":["Externe Teilnehmer"],"Title of your meeting":["Titel der Besprechung"],"hh:mm":["hh:mm"],"mm/dd/yyyy":["mm/dd/yyyy"],"Confirm entry deleting":["Löschvorgang bestätigen"],"Create new entry":["Neuen Tagesordnungspunkt erstellen"],"Edit entry":["Tagesordnungspunkt bearbeiten"],"Add external moderators (free text)":["Externe Moderatoren hinzufügen (Freitext)"],"Add moderator":["Moderator hinzufügen"],"Do you really want to delete this entry?":["Möchtest du den Tagesordnungspunkt wirklich löschen?"],"External moderators":["Externe Moderatoren"],"Moderators":["Moderatoren"],"Title of this entry":["Titel des Tagesordnungspunktes"],"Clear":["Leeren"],"Edit Note":["Protokoll bearbeiten"],"Note content":["Protokoll"],"Meeting details: %link%":["Weitere Informationen zur Besprechung: %link%"],"Next meetings":["Anstehende Besprechungen"],"Past meetings":["Vergangene Besprechungen"],"Add a protocol":["Protokoll hinzufügen"],"Add a task":["Aufgabe hinzufügen"],"Add this meeting to your calender and invite all participants by email":["Importiere das Meeting in deinen Kalender und lade alle Teilnehmer per Email ein "],"Add to your calender":["In deinem Kalender speichern"],"Create your first agenda entry by clicking the following button.":["Erstelle den ersten Tagesordnungspunkt, indem du auf den folgenden Button klickst."],"Moderator":["Moderator"],"New agenda entry":["Neuer Tagesordnungspunkt"],"New meeting":["Neue Besprechung"],"Print agenda":["Tagesordnung drucken"],"Protocol":["Protokoll"],"Share meeting":["Besprechung teilen"],"Start now, by creating a new meeting!":["Erstelle jetzt deine erste Besprechnung!"],"Today":["Heute"],"Unfortunately, there was no entry made until now.":["Leider wurde bis jetzt noch keine Besprechung erstellt."],"Share meeting":["Besprechung teilen"],"Add to your calendar and invite participants":["Zum Kalender hinzufügen und Teilnehmer einladen"],"Add to your personal calendar":["Zum persönlichen Kalender hinzufügen"],"Export ICS":["Exportiere ICS"],"Send notifications to all participants":["Benachrichtigungen an alle Teilnehmer senden"],"Send now":["Jetzt senden"],"Sends internal notifications to all participants of the meeting.":["Sendet interne Benachrichtigungen an alle Teilnehmer."],"This will create an ICS file, which adds this meeting only to your private calendar.":["Erstellt eine ICS-Datei, welche diese Besprechung ausschließlich zu deinem persönlichen Kalender hinzufügt."],"This will create an ICS file, which adds this meeting to your personal calendar, invite all other participants by email and waits for their response.":["Erstellt eine ICS-Datei, welche diese Besprechung zu deinem persönlichen Kalender hinzufügt, alle anderen Teilnehmer automatisch per Email einladet und dessen Zusagen/Absagen einfordert."],"{userName} invited you to {meeting}.":["{userName} hat dich zur {meeting} eingeladen."],"This task is related to %link%":["Dies Aufgabe ist mit %link% verknüpft"],"Get details...":["Details..."],"Again? ;Weary;":["Noch einmal? ;Weary;"],"Right now, we are in the planning stages for our next meetup and we would like to know from you, where you would like to go?":["Wir sind gerade in den Planungen für unser nächstes Treffen. Wo möchtet ihr gerne hingehen?"],"To Daniel\nClub A Steakhouse\nPisillo Italian Panini\n":["Zu Daniel\nClub A Steakhouse\nPisillo Italian Panini"],"Why don't we go to Bemelmans Bar?":["Warum gehen wir nicht zu Bemelmans Bar?"],"{userName} answered the {question}.":["{userName} hat die Frage {question} beantwortet."],"An user has reported your post as offensive.":["Ein Benutzer hat deinen Beitrag als beleidigend gemeldet."],"An user has reported your post as spam.":["Ein Benutzer hat deinen Beitrag als Spam gemeldet."],"An user has reported your post for not belonging to the space.":["Ein Benutzer hat Deinen Beitrag gemeldet, weil er nicht in diesen Space gehört."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% hat den Beitrag %contentTitle% als beleidigend gemeldet."],"%displayName% has reported %contentTitle% as spam.":["%displayName% hat den Beitrag %contentTitle% als Spam gemeldet."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% hat den Beitrag %contentTitle% gemeldet, weil er nicht in diesen Space gehört."],"Here you can manage reported posts for this space.":["Hier kannst du gemeldete Beiträge des Space verwalten."],"Confirm post deletion":["Bestätigung der Löschung des Beitrages"],"Confirm report deletion":["Bestätigung der Löschung der Meldung"],"Delete post":["Beitrag löschen"],"Delete report":["Meldung löschen"],"Do you really want to delete this report?":["Möchtest du die Meldung wirklich löschen?"],"Reason":["Grund"],"Reporter":["Melder"],"There are no reported posts.":["Keine gemeldeten Beiträge."],"Does not belong to this space":["Gehört nicht in diesen Space"],"Help Us Understand What's Happening":["Helf uns zu verstehen, was vorgegangen ist"],"It's offensive":["Ist beleidigend"],"It's spam":["Ist Spam"],"Report post":["Beitrag melden"],"Reference tag to create a filter in statistics":["Verweis-Tag zum Erstellen eines Filters in den Statistiken"],"Route access violation.":["Verletzung der Zugriffsroute."],"Assigned user(s)":["Zugewiesene Benutzer"],"Task":["Aufgabe"],"Edit task":["Aufgabe bearbeiten"],"Confirm deleting":["Löschen bestätigen"],"Add Task":["Aufgabe erstellen"],"Do you really want to delete this task?":["Möchtest Du diese Aufgabe wirklich löschen?"],"No open tasks...":["Keine offnen Aufgaben..."],"completed tasks":["abgeschlossene Aufgaben"],"Create new page":["Erstelle eine neue Seite"],"Enter a wiki page name or url (e.g. http://example.com)":["Gebe einen Wiki-Namen oder eine URL (z.B. http://example.com) ein"],"Open wiki page...":["Wiki-Seite öffnen..."],"Search only in certain spaces:":["Nur in diesen Spaces suchen:"],"Add {n,plural,=1{space} other{spaces}}":["{n,plural,=1{Space} other{Spaces}} hinzufügen"],"Remember me":["Angemeldet bleiben"],"Group members - {group}":["Gruppen Mitglieder - {group}"],"
A social network to increase your communication and teamwork.
Register now\nto join this space.":["
Ein Soziales Netzwerk zur Förderung der Kommunikation und der Teamarbeit.
Jetzt registrieren, um diesem Space beizutreten."],"Enterprise Edition Trial Period":["Enterprise Edition Testzeitraum"],"You have {daysLeft} days left in your trial period.":["Noch {daysLeft} Tage bis zum Ablauf des Testzeitraums."],"e.g. Project":["z.B. Projekt"],"e.g. Projects":["z.B. Projekte"],"Administrative Contact":["Kontakt zur Administration"],"Advanced Options":["Erweiterte Optionen"],"Custom Domain":["Spezifische Domain"],"Datacenter":["Datencenter"],"SFTP":["SFTP"],"Support / Get Help":["Unterstützung / Hilfe erhalten"],"Agenda Entry":["Tagesordnungspunkt eintragen"],"Could not get note users! ":["Konnte Benutzer nicht laden!"]} \ No newline at end of file +{"Latest updates":["Letzte Aktualisierungen"],"Search":["Suchen"],"Account settings":["Kontoeinstellungen"],"Administration":["Administration"],"Back":["Zurück"],"Back to dashboard":["Zurück zur Übersicht"],"Choose language:":["Sprache wählen:"],"Collapse":["Einklappen","Verbergen"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Die Quelle des Addons muss eine Instanz von HActiveRecordContent oder HActiveRecordContentAddon sein!"],"Could not determine content container!":["Kann Content Container nicht finden."],"Could not find content of addon!":["Der Inhalt des Addons konnte nicht gefunden werden!"],"Could not find requested module!":["Kann gesuchtes Modul nicht finden!"],"Error":["Fehler"],"Expand":["Erweitern"],"Insufficent permissions to create content!":["Unzureichende Berechtigungen um Inhalte zu erstellen!"],"Invalid request.":["Ungültige Anfrage."],"It looks like you may have taken the wrong turn.":["Du hast womöglich den falschen Weg eingeschlagen."],"Keyword:":["Suchbegriff:"],"Language":["Sprache"],"Latest news":["Neuigkeiten"],"Login":["Login"],"Logout":["Ausloggen"],"Menu":["Menü"],"Module is not on this content container enabled!":["Dieses Modul ist in diesem Content Container nicht aktiviert!"],"My profile":["Mein Profil","Aus meinem Profil"],"New profile image":["Neues Profilbild"],"Nothing found with your input.":["Nichts gefunden!"],"Oooops...":["Uuuups..."],"Results":["Ergebnisse"],"Search":["Suchen"],"Search for users and spaces":["Suche nach Benutzern und Spaces"],"Show more results":["Mehr Ergebnisse anzeigen"],"Sorry, nothing found!":["Entschuldige, nichts gefunden!"],"Space not found!":["Space nicht gefunden!"],"User Approvals":["Benutzerfreigaben"],"User not found!":["Benutzer nicht gefunden!"],"Welcome to %appName%":["Willkommen bei %appName%"],"You cannot create public visible content!":["Du hast nicht genügend Rechte um öffentlich sichtbaren Inhalt zu erstellen!"],"Your daily summary":["Deine tägliche Übersicht"],"Login required":["Anmelden erforderlich"],"An internal server error occurred.":["Es ist ein interner Fehler aufgetreten."],"You are not allowed to perform this action.":["Du hast keine Berechtigung für diesen Vorgang."],"Global {global} array cleaned using {method} method.":["Das globale {global} Array wurde mit der {method} Methode bereinigt."],"Upload error":["Hochladen fehlgeschlagen","Upload Fehler"],"Close":["Schließen"],"Add image/file":["Bild/Datei einfügen "],"Add link":["Link einfügen"],"Bold":["Fett"],"Code":["Code"],"Enter a url (e.g. http://example.com)":["Trage eine URL ein (z.B. http://example.com)"],"Heading":["Überschrift"],"Image":["Bild"],"Image/File":["Bild/Datei"],"Insert Hyperlink":["Hyperlink einfügen"],"Insert Image Hyperlink":["Hyperlink Bild einfügen "],"Italic":["Kursiv"],"List":["Liste"],"Please wait while uploading...":["Wird hochgeladen..."],"Preview":["Vorschau"],"Quote":["Zitat"],"Target":["Ziel"],"Title":["Titel"],"Title of your link":["Link Name"],"URL/Link":["URL/Link"],"code text here":["Code hier einfügen"],"emphasized text":["Hervorgehobener Text"],"enter image description here":["Gib hier eine Bildbeschreibung ein"],"enter image title here":["Gib hier einen Bildtitel ein"],"enter link description here":["Gib hier eine Linkbeschreibung ein "],"heading text":["Überschrift"],"list text here":["Listen-Element "],"quote here":["Zitiere hier"],"strong text":["Fetter Text"],"Could not create activity for this object type!":["Es konnnte keine Aktivität für diesen Objekttyp erstellt werden!"],"%displayName% created the new space %spaceName%":["%displayName% erstellte einen neuen Space »%spaceName%«."],"%displayName% created this space.":["%displayName% hat diesen Space erstellt."],"%displayName% joined the space %spaceName%":["%displayName% ist dem Space »%spaceName%« beigetreten"],"%displayName% joined this space.":["%displayName% ist diesem Space beigetreten."],"%displayName% left the space %spaceName%":["%displayName% hat den Space »%spaceName%« verlassen"],"%displayName% left this space.":["%displayName% hat diesen Space verlassen."],"{user1} now follows {user2}.":["{user1} folgt nun {user2}."],"see online":["online anzeigen","online ansehen"],"via":["über","via"],"Latest activities":["Letzte Aktivitäten"],"There are no activities yet.":["Noch keine Aktivitäten."],"Account Request for '{displayName}' has been approved.":["Zugang für '{displayName}' wurde genehmigt."],"Account Request for '{displayName}' has been declined.":["Zugang für '{displayName}' wurde abgelehnt."],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["Hallo {displayName},

\n\n dein Zugang wurde aktiviert.

\n\n Hier klicken um Dich einzuloggen:
\n {loginURL}

\n\n Mit freundlichem Gruß
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["Hallo {displayName},

\n \n deine Zugangsanfrage wurde abgelehnt.

\n \n mit freundlichen Grüßen
\n {AdminName}

"],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Hallo {displayName},

\n \n dein Zugang wurde aktiviert.

\n \n Klicke hier um dich anzumelden:
\n {loginURL}

\n \n mit freundlichen Grüßen
\n {AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Hallo {displayName},

\n \n deine Zugangsanfrage wurde abgelehnt.

\n \n mit freundlichen Grüßen
\n {AdminName}

"],"Group not found!":["Gruppe nicht gefunden!"],"Could not uninstall module first! Module is protected.":["Kann das Modul nicht deinstallieren! Modul ist geschützt!"],"Module path %path% is not writeable!":["Modul Verzeichnis %path% ist nicht beschreibbar!"],"Saved":["Gespeichert"],"Database":["Datenbank"],"No theme":["Kein Thema"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["Konnte LDAP nicht laden! - Prüfe bitte die PHP Extension"],"File":["Datei"],"No caching (Testing only!)":["Kein Caching (Nur zu Testzwecken!)","Kein Caching (nur für Testzwecke!)"],"None - shows dropdown in user registration.":["Keine - Zeigt eine Drop-Down Auswahl bei der Registrierung"],"Saved and flushed cache":["Gespeichert und Cache bereinigt"],"LDAP":["LDAP"],"Local":["Lokal"],"Become this user":["Als dieser Benutzer anmelden"],"Delete":["Löschen"],"Disabled":["Deaktivieren"],"Enabled":["Aktivieren"],"Save":["Speichern"],"Unapproved":["Nicht genehmigt"],"You cannot delete yourself!":["Administratoren können sich nicht selbst löschen!"],"Could not load category.":["Kann Kategorie nicht laden."],"You can only delete empty categories!":["Du kannst nur leere Kategorien löschen!"],"Group":["Gruppe"],"Message":["Nachricht"],"Subject":["Betreff","Beschreibung"],"Base DN":["Basis DN"],"E-Mail Address Attribute":["Eigenschaften der E-Mail-Adresse"],"Enable LDAP Support":["Aktiviere LDAP Unterstützung"],"Encryption":["Verschlüsselung"],"Fetch/Update Users Automatically":["automatische Aktualisierung der Benutzer"],"Hostname":["Hostname"],"Login Filter":["Login Filter"],"Password":["Passwort"],"Port":["Port"],"User Filer":["Benutzer Filter"],"Username":["Benutzername"],"Username Attribute":["Benutzer Attribute"],"Allow limited access for non-authenticated users (guests)":["Erlaube eingeschränkten Zugriff für Gäste"],"Anonymous users can register":["Anonyme Benutzer können sich registrieren"],"Default user group for new users":["Standardgruppe für neue Benutzer"],"Default user profile visibility":["Standard Profilsichtbarkeit"],"Members can invite external users by email":["Benutzer können neue Nutzer per E-Mail einladen"],"Require group admin approval after registration":["Benötige Freigabe eines Gruppenadministrators nach Registrierung"],"Base URL":["Basis URL"],"Default language":["Standardsprache"],"Default space":["Standardspace"],"Invalid space":["Ungültiger Space"],"Logo upload":["Logo hochladen"],"Name of the application":["Name der Anwendung"],"Server Timezone":["Zeitzone des Servers"],"Show introduction tour for new users":["Zeige Einführungstour für neue Benutzer"],"Cache Backend":["Cache Backend"],"Default Expire Time (in seconds)":["Standardablaufzeit (in Sekunden)"],"PHP APC Extension missing - Type not available!":["PHP APC Erweiterung fehlt - Typ nicht verfügbar!"],"PHP SQLite3 Extension missing - Type not available!":["PHP SQLite3 Erweiterung fehlt - Typ nicht verfügbar!"],"Dropdown space order":["Wähle Space-Sortierung"],"Default pagination size (Entries per page)":["Standardanzahl der Einträge pro Seite"],"Display Name (Format)":["Anzeigename (Format)"],"Theme":["Thema"],"Allowed file extensions":["Erlaubte Dateierweiterungen"],"Convert command not found!":["Befehl zum Konvertieren nicht gefunden!"],"Got invalid image magick response! - Correct command?":["Ungültige Image Magick Antwort - Korrektes Kommando?"],"Image Magick convert command (optional)":["Image Magick Convert Kommando (Optional)"],"Maximum upload file size (in MB)":["Maximale Datei Upload Größe (in MB)"],"Use X-Sendfile for File Downloads":["Benutze X-Sendfile für Datei Downloads"],"Administrator users":["Administratoren"],"Description":["Beschreibung"],"Ldap DN":["LDAP DN"],"Name":["Name"],"E-Mail sender address":["E-Mail Absenderadresse"],"E-Mail sender name":["E-Mail Absendername"],"Mail Transport Type":["Mail Transport Typ"],"Port number":["Portnummer"],"Endpoint Url":["Ziel Url"],"Url Prefix":["Url Prefix"],"No Proxy Hosts":["Kein Proxy Host"],"Server":["Server"],"User":["Benutzer"],"Super Admins can delete each content object":["Super Admins können jeden Inhalt löschen"],"Default Join Policy":["Standard Beitrittseinstellung"],"Default Visibility":["Standard Sichtbarkeit"],"HTML tracking code":["HTML Tracking Code"],"Module directory for module %moduleId% already exists!":["Modul Verzeichnis für Modul %moduleId% existiert bereits!"],"Could not extract module!":["Konnte Modul nicht entpacken!"],"Could not fetch module list online! (%error%)":["Konnte Modul Liste online nicht abrufen! (%error%)"],"Could not get module info online! (%error%)":["Konnte Modul Info online nicht abrufen! (%error%)"],"Download of module failed!":["Herunterladen des Moduls fehlgeschlagen!!"],"Module directory %modulePath% is not writeable!":["Modul Verzeichnis %modulePath% nicht beschreibbar!"],"Module download failed! (%error%)":["Modul Download fehlgeschlagen! (%error%)"],"No compatible module version found!":["Keine kompatible Version gefunden!"],"Activated":["Aktiviert"],"No modules installed yet. Install some to enhance the functionality!":["Aktuell sind keine Module installiert. Installiere welche und erweitere so die Funktionen von HumHub!"],"Version:":["Version:"],"Installed":["Installiert"],"No modules found!":["Keine Module gefunden!"],"All modules are up to date!":["Alle Module sind auf dem neusten Stand!"],"About HumHub":["Über HumHub"],"Currently installed version: %currentVersion%":["Aktuell installierte Version: %currentVersion%"],"Licences":["Lizenzen"],"There is a new update available! (Latest version: %version%)":["Es ist ein Update verfügbar! (Version: %version%)"],"This HumHub installation is up to date!":["Diese HumHub-Installation ist auf dem aktuellen Stand!"],"Accept":["Freigeben"],"Decline":["Ablehnen","Absagen"],"Accept user: {displayName} ":["Benutzer: {displayName} akzeptieren"],"Cancel":["Abbrechen"],"Send & save":["Senden & Speichern"],"Decline & delete user: {displayName}":["Ablehnen & Löschen des Benutzers: {displayName}"],"Email":["E-Mail","E-Mail Adresse"],"Search for email":["Suche nach E-Mail"],"Search for username":["Suche nach Benutzername"],"Pending user approvals":["Ausstehende Benutzerfreigaben"],"Here you see all users who have registered and still waiting for a approval.":["Hier siehst du eine Liste aller registrierten Benutzer die noch auf eine Freigabe warten."],"Delete group":["Lösche Gruppe"],"Delete group":["Gruppe löschen"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Um die Gruppe »{group}« zu löschen, musst du die vorhandenen Benutzer einer anderen Gruppe zuordnen:"],"Create new group":["Erstelle neue Gruppe"],"Edit group":["Gruppe bearbeiten"],"Group name":["Gruppen Name"],"Manage groups":["Gruppen verwalten"],"Search for description":["Suche nach Beschreibung"],"Search for group name":["Suche nach Gruppen Name"],"Create new group":["Erstelle neue Gruppe"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Du kannst Benutzer in verschiedene Gruppen aufteilen (z.B. Teams, Abteilungen, usw.) und ihnen einen Standard-Space und Administratoren zuweisen."],"Error logging":["Fehler Protokollierung"],"Displaying {count} entries per page.":["Zeige {count} Einträge pro Seite."],"Flush entries":["Lösche Einträge"],"Total {count} entries found.":["Insgesamt {count} Einträge gefunden."],"Available updates":["Verfügbare Aktualisierungen"],"Browse online":["Online durchsuchen"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Module erweitern die Funktionen von HumHub. Hier kannst du Module aus dem Marktplatz installieren und verwalten."],"Module details":["Modul Informationen "],"This module doesn't provide further informations.":["Dieses Modul stellt keine weiteren Informationen zur Verfügung."],"Processing...":["Verarbeite..."],"Modules directory":["Modul Verzeichnis"],"Are you sure? *ALL* module data will be lost!":["Bist Du sicher? *ALLE* Modul Daten gehen verloren!"],"Are you sure? *ALL* module related data and files will be lost!":["Bist Du sicher? *ALLE* Modul abhängigen Daten und Dateien gehen verloren!"],"Configure":["Konfigurieren"],"Disable":["Deaktivieren"],"Enable":["Aktivieren"],"More info":["Mehr Informationen","Weitere Informationen"],"Set as default":["Als Standard festlegen"],"Uninstall":["Deinstallieren"],"Install":["Installieren"],"Latest compatible version:":["Letzte kompatible Version:"],"Latest version:":["Letzte Version:"],"Installed version:":["Installierte Version:"],"Latest compatible Version:":["Letzte kompatible Version:"],"Update":["Aktualisieren"],"%moduleName% - Set as default module":["%moduleName% - Als Standard festlegen"],"Always activated":["Immer aktiviert"],"Deactivated":["Deaktivieren"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Hier kannst du entscheiden ob ein Modul automatisch innerhalb eines Space oder in einem Benutzerprofil aktiviert sein soll oder nicht. Soll das Modul immer aktiviert sein, wähle \"Immer aktiviert\"."],"Spaces":["Spaces"],"User Profiles":["Benutzerprofile"],"There is a new HumHub Version (%version%) available.":["Eine neue HumHub Version (%version%) ist erhältlich."],"Authentication - Basic":["Authentifizierung - Grundeinstellung"],"Basic":["Grundeinstellung","Grundeinstellungen"],"Authentication - LDAP":["Authentifizierung - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["TLS/SSL wird in Produktivumgebungen favorisiert, da dies die Übertragung von Passwörtern in Klartext verhindert."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Filter der angewendet wird, sobald sich ein Benutzer anmeldet. %uid ersetzt den Benutzername während der Anmeldung. Beispiel: "(sAMAccountName=%s)" or "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["LDAP Attribute für Benutzernamen. Beispiel: "uid" or "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Zugriff auf Benutzer beschränken die diese Kriterien erfüllen. Beispiel: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Status: Fehler! (Meldung: {message})"],"Status: OK! ({userCount} Users)":["Status: OK! ({userCount} Benutzer)"],"The default base DN used for searching for accounts.":["Die Standard Basis DN zum Suchen der Benutzeraccounts."],"The default credentials password (used only with username above).":["Das Standard Passwort."],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["Der Standard Benutzername. Einige Server benötigen den Benutzername in DN Form."],"Cache Settings":["Cache Einstellungen"],"Save & Flush Caches":["Speichern & Cache leeren"],"CronJob settings":["CronJob Einstellungen"],"Crontab of user: {user}":["Crontab des Benutzers: {user}"],"Last run (daily):":["Letze Ausführung (täglich):"],"Last run (hourly):":["Letzte Ausführung (stündlich):"],"Never":["Nie"],"Or Crontab of root user":["Oder Crontab des root Benutzers"],"Please make sure following cronjobs are installed:":["Bitte stelle sicher, dass folgende Cronjobs eingerichtet sind:"],"Alphabetical":["Alphabetisch"],"Last visit":["Letzter Zugriff"],"Design settings":["Design Einstellungen"],"Firstname Lastname (e.g. John Doe)":["Vorname Nachname (e.g. Max Mustermann)"],"Username (e.g. john)":["Benutzername (e.g. max)"],"File settings":["Datei Einstellungen"],"Comma separated list. Leave empty to allow all.":["Komma separierte Liste (CSV). Leer lassen um alle zu erlauben."],"Current Image Libary: {currentImageLibary}":["Derzeitige Bild Bibliothek: {currentImageLibary}"],"If not set, height will default to 200px.":["Ist dieser Wert nicht gesetzt, wird die Standard-Bildhöhe von 200px genutzt."],"If not set, width will default to 200px.":["Ist dieser Wert nicht gesetzt, wird die Standard-Bildbreite von 200px genutzt."],"PHP reported a maximum of {maxUploadSize} MB":["PHP meldet ein Maximum von {maxUploadSize} MB"],"Basic settings":["Standard Einstellungen"],"Confirm image deleting":["Bestätige das Löschen des Bildes"],"Dashboard":["Übersicht"],"E.g. http://example.com/humhub":["z.B. http://example.com/humhub"],"New users will automatically added to these space(s).":["Neue Benutzer werden automatisch diesen Space(s) hinzugefügt."],"You're using no logo at the moment. Upload your logo now.":["Du benutzt momentan kein eigenes Logo. Lade dein eigenes Logo hoch."],"Mailing defaults":["Mailing Einstellungen"],"Activities":["Aktivitäten"],"Always":["Immer","Sofort"],"Daily summary":["Tägliche Zusammenfassung"],"Defaults":["Standardeinstellungen"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Lege die Standardeinstellung fest, zu wann ein Benutzer per E-Mail über Benachrichtungen oder neuen Aktivitäten informiert wird. Diese Einstellung kann vom Benutzer in den Konto Einstellungen überschrieben werden."],"Notifications":["Mitteilungen"],"Server Settings":["Server Einstellungen"],"When I´m offline":["Wenn ich offline bin"],"Mailing settings":["Mailing Einstellungen"],"SMTP Options":["SMTP Optionen"],"OEmbed Provider":["OEmbed Anbieter"],"Add new provider":["Neuen Anbieter hinzufügen"],"Currently active providers:":["Derzeit eingerichtete Anbieter:"],"Currently no provider active!":["Aktuell sind keine Anbieter eingerichtet!"],"Add OEmbed Provider":["Hinzufügen eines OEmbed Anbieters (Infos unter: http://oembed.com/)"],"Edit OEmbed Provider":["Bearbeite OEmbed Anbieter"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url Prefix OHNE http:// or https:// (Bsp.: youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Benutze %url% als Platzhalter für die URL. Als Format muss JSON zurückgegeben werden. (Bsp.: http://www.youtube.de/oembed?url=%url%&format=json)"],"Proxy settings":["Proxy Einstellungen"],"Security settings and roles":["Sicherheits- Einstellungen und Regeln"],"Self test":["Selbst- Test"],"Checking HumHub software prerequisites.":["Prüfe HumHub Software Voraussetzungen"],"Re-Run tests":["Tests neu starten"],"Statistic settings":["Statistik Einstellungen"],"All":["Global"],"Delete space":["Space löschen"],"Edit space":["Space bearbeiten"],"Search for space name":["Suche nach Space Name"],"Search for space owner":["Suche nach Space Besitzer"],"Space name":["Space Name"],"Space owner":["Space Besitzer"],"View space":["Space anzeigen"],"Manage spaces":["Verwalten der Spaces"],"Define here default settings for new spaces.":["Stelle hier die allgemeinen Vorgaben für neue Spaces ein."],"In this overview you can find every space and manage it.":["In dieser Übersicht kannst Du jeden Space finden und verwalten."],"Overview":["Übersicht"],"Settings":["Einstellungen"],"Space Settings":["Space Einstellungen"],"Add user":["Benuzter hinzufügen"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Willst du diesen Benutzer wirklich löschen? Wenn dieser Benutzer Besitzer eines Space ist, wirst du neuer Besitzer."],"Delete user":["Benutzer löschen"],"Delete user: {username}":["Benutzer löschen: {username}"],"Edit user":["Benutzer bearbeiten"],"never":["Nie"],"Admin":["Administrator"],"Delete user account":["Lösche Benutzer"],"Edit user account":["Bearbeite Benutzeraccount"],"No":["Nein"],"View user profile":["Benutzer Profil anzeigen"],"Yes":["Ja"],"Manage users":["Benutzer verwalten"],"Add new user":["Neuen Benutzer hinzufügen"],"In this overview you can find every registered user and manage him.":["In dieser Übersicht kannst du jeden registrierten Benutzer finden und verwalten."],"Create new profile category":["Erstelle neue Profilkategorie"],"Edit profile category":["Bearbeite Profilkategorie"],"Create new profile field":["Erstelle Profilfeld"],"Edit profile field":["Bearbeite Profilfeld"],"Manage profiles fields":["Profilfelder vewalten"],"Add new category":["Neue Kategorie hinzufügen"],"Add new field":["Neues Feld hinzufügen"],"Security & Roles":["Sicherheit & Rollen"],"Administration menu":["Administrations-Menü"],"About":["Über","Benutzerdetails"],"Authentication":["Authentifizierung"],"Caching":["Caching"],"Cron jobs":["Cron Jobs"],"Design":["Design"],"Files":["Dateien"],"Groups":["Gruppen"],"Logging":["Protokollierung"],"Mailing":["Mailing"],"Modules":["Module"],"OEmbed Provider":["OEmbed Anbieter"],"Proxy":["Proxy"],"Self test & update":["Selbsttest & Aktualisierung"],"Statistics":["Statistiken"],"User approval":["Benutzerfreigaben"],"User profiles":["Benutzer Profile"],"Users":["Benutzer"],"Click here to review":["Klicke hier, um zu überprüfen"],"New approval requests":["Neue Benutzer Freigaben"],"One or more user needs your approval as group admin.":["Ein oder mehrere Benutzer benötigen deine Freigabe als Gruppen Administrator."],"Could not delete comment!":["Kann Kommentar nicht löschen!"],"Invalid target class given":["Ungültige Zielklasse"],"Model & Id Parameter required!":["Mode & ID Parameter erforderlich!"],"Target not found!":["Ziel nicht gefunden!"],"Access denied!":["Zugriff verweigert!"],"Insufficent permissions!":["Unzureichende Berechtigungen!"],"Comment":["Kommentar","Kommentieren"],"%displayName% wrote a new comment ":["%displayName% schrieb einen neuen Kommentar"],"Comments":["Kommentare"],"Edit your comment...":["Bearbeite deinen Kommentar ..."],"%displayName% also commented your %contentTitle%.":["%displayName% kommentierte auch dein »%contentTitle%«."],"%displayName% commented %contentTitle%.":["%displayName% kommentierte »%contentTitle%«."],"Show all {total} comments.":["Zeige alle {total} Kommentare."],"Write a new comment...":["Schreibe einen neuen Kommentar..."],"Post":["Beitrag"],"Show %count% more comments":["Zeige %count% weitere Kommentare"],"Edit":["Bearbeiten"],"Confirm comment deleting":["Bestätige die Löschung des Kommentars"],"Do you really want to delete this comment?":["Möchtest Du diesen Kommentar wirklich löschen?"],"Updated :timeago":["Aktualisiert :timeago"],"{displayName} created a new {contentTitle}.":["{displayName} hat {contentTitle} erstellt."],"Back to stream":["Zurück zum Stream","Zurück zur Übersicht"],"Filter":["Filter"],"Sorting":["Sortierung"],"Could not load requested object!":["Konnte das angeforderte Objekt nicht laden!"],"Unknown content class!":["Unbekannte Content Klasse"],"Could not find requested content!":["Konnte den angeforderten Inhalt nicht finden!"],"Could not find requested permalink!":["Konnte den angeforderten Permalink nicht finden!"],"{userName} created a new {contentTitle}.":["{userName} hat {contentTitle} erstellt.","{userName} erstellte neuen Inhalt: »{contentTitle}«."],"in":["in"],"Submit":["Absenden"],"No matches with your selected filters!":["Keine Übereinstimmungen zu deinen Suchfiltern! ","Die ausgewählten Filterkriterien ergaben keine Übereinstimmung!"],"Nothing here yet!":["Noch nichts hier!","Derzeit keine Inhalte!"],"Move to archive":["Ins Archiv"],"Unarchive":["Aus dem Archiv"],"Make private":["Ändern in geschlossene Gruppe"],"Make public":["Ändern in öffentliche Gruppe"],"Notify members":["Informiere Mitglieder"],"Public":["Öffentlich"],"What's on your mind?":["Was machst du gerade?","Was machst Du gerade?"],"Confirm post deleting":["Bestätige Beitragslöschung"],"Do you really want to delete this post? All likes and comments will be lost!":["Möchtest du diesen Beitrag wirklich löschen? Alle damit verbundenen \"Gefällt mir\"-Angaben und Kommentare sind dann nicht mehr verfügbar!","Möchtest du diesen Beitrag wirklich löschen? Alle Likes und Kommentare werden unwiederbringlich entfernt."],"Archived":["Archiviert"],"Sticked":["Angeheftet"],"Turn off notifications":["Benachrichtigungen abschalten"],"Turn on notifications":["Benachrichtigungen aktivieren"],"Permalink to this post":["Permalink zu diesem Beitrag"],"Permalink":["Permalink","dauerhafter Link"],"Stick":["Anheften"],"Unstick":["Nicht mehr anheften"],"Nobody wrote something yet.
Make the beginning and post something...":["Bisher hat niemand etwas geschrieben.
Mache den Anfang und schreibe etwas..."],"This profile stream is still empty":["Dieser Stream ist noch leer"],"This space is still empty!
Start by posting something here...":["Dieser Space ist noch leer!
Mache den Anfang und schreibe etwas..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Deine Übersicht ist leer!
Schreibe etwas in deinem Profil oder trete Spaces bei!"],"Your profile stream is still empty
Get started and post something...":["Dein Stream ist noch leer!
Mache den Anfang und schreibe etwas..."],"Content with attached files":["Inhalt mit angehängten Dateien"],"Created by me":["Von mir erstellt"],"Creation time":["Erstellungsdatum"],"Include archived posts":["Archivierte Beiträge einbeziehen"],"Last update":["Letzte Aktualisierung"],"Nothing found which matches your current filter(s)!":["Nichts gefunden, was den aktuellen Filtern entspricht!"],"Only private posts":["Nur private Beiträge"],"Only public posts":["Nur öffentliche Beiträge"],"Posts only":["Nur Beiträge"],"Posts with links":["Beiträge mit Links"],"Show all":["Alle anzeigen"],"Where I´m involved":["Wo ich involviert bin"],"No public contents to display found!":["Keine öffentlichen Inhalte gefunden!"],"Directory":["Verzeichnis"],"Member Group Directory":["Mitgliedergruppen-Verzeichnis"],"show all members":["zeige alle Mitglieder"],"Directory menu":["Verzeichnis-Menü"],"Members":["Mitglieder"],"User profile posts":["Profilbeiträge"],"Member directory":["Mitglieder-Verzeichnis"],"Follow":["Folgen"],"No members found!":["Keine Mitglieder gefunden!"],"Unfollow":["Nicht mehr folgen"],"search for members":["Suche nach Mitgliedern"],"Space directory":["Space-Verzeichnis"],"No spaces found!":["Keine Spaces gefunden!"],"You are a member of this space":["Du bist Mitglied dieses Space"],"search for spaces":["Suche nach Spaces"],"There are no profile posts yet!":["Bisher existieren keine Profil-Beiträge!"],"Group stats":["Gruppen-Statistiken"],"Average members":["Durchschnittliche Mitgliederanzahl"],"Top Group":["Top Gruppen"],"Total groups":["Gruppen insgesamt"],"Member stats":["Mitglieder Statistiken"],"New people":["Neue Leute"],"Follows somebody":["Folgt jemandem"],"Online right now":["Gerade online"],"Total users":["Benutzer insgesamt"],"See all":["Zeige alle"],"New spaces":["Neue Spaces"],"Space stats":["Space Statistiken"],"Most members":["Die meisten Mitglieder"],"Private spaces":["Private Spaces"],"Total spaces":["Spaces insgesamt"],"Could not find requested file!":["Konnte Datei nicht finden!"],"Insufficient permissions!":["Unzureichende Rechte!"],"Maximum file size ({maxFileSize}) has been exceeded!":["Maximale Dateigröße von {maxFileSize} überschritten!"],"This file type is not allowed!":["Dieser Dateityp ist nicht zugelassen!"],"Created By":["Erstellt von"],"Created at":["Erstellt am"],"File name":["Dateiname"],"Guid":["GUID"],"ID":["ID"],"Invalid Mime-Type":["Ungültiger Mime-Typ"],"Mime Type":["Mime-Typ"],"Size":["Größe"],"Updated at":["Aktualisiert am"],"Updated by":["Aktualisiert durch"],"Could not upload File:":["Konnte Datei nicht hochladen:"],"Upload files":["Dateien hochladen"],"List of already uploaded files:":["Liste von bereits hochgeladenen Dateien:"],"Create Admin Account":["Erstelle Administrator-Konto"],"Name of your network":["Name deines Netzwerks"],"Name of Database":["Name der Datenbank"],"Admin Account":["Admin Account"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Du bist fast fertig! Der letzte Schritt hilft dir einen Administrator Account zu erstellen, von dem du das ganze Netzwerk steuerst."],"Next":["Weiter"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Dein neues Netzwerk benötigt einen Namen. Ändere den Standardnamen in einen Namen der dir gefällt. (z.B. der Name deiner Firma, Organisation oder Klub.)"],"Social Network Name":["Netzwerk Name"],"Setup Complete":["Einrichtung Abgeschlossen "],"Congratulations. You're done.":["Glückwunsch. Du hast die Installation abgeschlossen."],"Sign in":["Einloggen"],"The installation completed successfully! Have fun with your new social network.":["Die Installation wurde erfolgreich abgeschlossen! Viel Spaß mit deinem neuen Netzwerk."],"Setup Wizard":["Einrichtungs Assistent"],"Welcome to HumHub
Your Social Network Toolbox":["Willkommen bei HumHub.
\nDeinem Sozialem Netzwerk."],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Dieser Assistent wird dir helfen dein neues Netzwerk zu konfigurieren.

Klicke auf \"Weiter\" um fortzufahren."],"Yes, database connection works!":["Datenbankverbindung klappt!"],"Database Configuration":["Datenbank Einstellungen"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["Hier musst du die Datenbank Verbindungsdaten eintragen. Wenn du diese nicht weißt, kontaktiere deinen Systemadministrator "],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["Hostname von deinem MySQL-Datenbankserver, (z.B. localhost wenn der MySQL-Server auf dem System läuft.)"],"Ohh, something went wrong!":["Ooops! Irgendwas lief schief."],"The name of the database you want to run HumHub in.":["Name der Datenbank die von HumHub genutzt werden soll."],"Your MySQL password.":["Dein MySQL Passwort."],"Your MySQL username":["Dein MySQL Benutzername."],"System Check":["System Check"],"Check again":["Prüfe erneut"],"Congratulations! Everything is ok and ready to start over!":["Glückwunsch! Alles ist in Ordnung und bereit zur Installation!"],"This overview shows all system requirements of HumHub.":["Diese Liste zeigt alle Systemvoraussetzungen von HumHub."],"Could not find target class!":["Zielklasse kann nicht gefunden werden!"],"Could not find target record!":["Zieleintrag kann nicht gefunden werden!"],"Invalid class given!":["Ungültige Klasse angegeben!"],"Users who like this":["Benutzer, denen das gefällt"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} gefällt {contentTitle}"],"User who vote this":["Benutzer, die abgestimmt haben","Nutzer, die hierfür abstimmten"],"%displayName% also likes the %contentTitle%.":["%displayName% gefällt %contentTitle% ebenfalls."],"%displayName% likes %contentTitle%.":["%displayName% gefällt %contentTitle%."],"Like":["Gefällt mir"],"Unlike":["Gefällt mir nicht mehr"]," likes this.":[" gefällt das."],"You like this.":["Dir gefällt das."],"You
":["Dir
"],"and {count} more like this.":["und {count} anderen gefällt das."],"Could not determine redirect url for this kind of source object!":["Konnte die URL-Weiterleitung für dieses Quellobjekt nicht bestimmen!"],"Could not load notification source object to redirect to!":["Das Quellobjekt der Benachrichtigung, auf das umgeleitet werden soll, konnte nicht geladen werden!"],"New":["Neu"],"Mark all as seen":["Alle als gelesen markieren"],"There are no notifications yet.":["Es sind keine Mitteilungen vorhanden."],"%displayName% created a new post.":["%displayName% erstellte einen neuen Beitrag."],"Edit your post...":["Bearbeite deinen Beitrag ..."],"Read full post...":["Den ganzen Beitrag lesen..."],"Search results":["Suchergebnisse"],"Content":["Inhalt"],"Send & decline":["Senden und ablehnen"]," Invite and request":["Einladung und Anfrage"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Space-Besitzer kann nicht gelöscht werden! Name des Space: »{spaceName}«"],"Everyone can enter":["Frei zugänglich"],"Invite and request":["Einladung und Anfrage"],"Only by invite":["Nur mit einer Einladung"],"Private (Invisible)":["Privat (unsichtbar)"],"Public (Members & Guests)":["Öffentlich (Mitglieder & Gäste)"],"Public (Members only)":["Öffentlich (Nur Mitglieder)"],"Public (Registered users only)":["Öffentlich (Nur registrierte User)"],"Public (Visible)":["Öffentlich (sichtbar)"],"Visible for all":["Sichtbar für alle"],"Visible for all (members and guests)":["Offen für alle (Mitglieder & Gäste)"],"Space is invisible!":["Space ist unsichtbar!"],"You need to login to view contents of this space!":["Du musst Dich einloggen, um die Inhalte dieses Space sehen zu können!"],"As owner you cannot revoke your membership!":["Als Besitzer kannst du deine Mitgliedschaft nicht rückgängig machen!"],"Could not request membership!":["Mitgliedschaft konnte nicht beantragt werden!"],"There is no pending invite!":["Es gibt keine offenen Einladungen!"],"This action is only available for workspace members!":["Diese Aktion ist nur für Space-Mitglieder verfügbar!"],"You are not allowed to join this space!":["Du darfst diesem Space nicht betreten!"],"Space title is already in use!":["Space-Name ist bereits in Benutzung!"],"Type":["Typ","Spacetyp"],"Your password":["Dein Passwort"],"Invites":["Einladungen"],"New user by e-mail (comma separated)":["Neue Benutzer per E-Mail (getrennt durch Kommas)"],"User is already member!":["Der Benutzer ist bereits Mitglied!"],"{email} is already registered!":["{email} ist bereits registriert!"],"{email} is not valid!":["{email} ist ungültig!"],"Application message":["Anwendungsnachricht"],"Scope":["Umfang"],"Strength":["Stärke"],"Created At":["Erstellt am"],"Join Policy":["Zugriffsmöglichkeiten"],"Owner":["Besitzer","Eigentümer"],"Status":["Status"],"Tags":["Tags"],"Updated At":["Geändert am"],"Visibility":["Sichtbarkeit"],"Website URL (optional)":["Website URL (optional)"],"You cannot create private visible spaces!":["Du kannst keine privaten Spaces erstellen!"],"You cannot create public visible spaces!":["Du kannst keine öffentlichen Spaces erstellen!"],"Select the area of your image you want to save as user avatar and click Save.":["Wähle den Bereich deines Bildes aus, den du als Benutzerbild verwenden möchtest, und klicke auf Speichern."],"Modify space image":["Space-Bild ändern"],"Delete space":["Space löschen"],"Are you sure, that you want to delete this space? All published content will be removed!":["Bist Du sicher, dass du diesen Space löschen möchtest? Alle veröffentlichten Inhalte werden entfernt!"],"Please provide your password to continue!":["Bitte gib dein Passwort ein, um fortzufahren!"],"General space settings":["Allgemeine Space-Einstellungen"],"Archive":["Archivieren","Archiv"],"Choose the kind of membership you want to provide for this workspace.":["Wähle den Typ der Mitgliedschaft, den du für diesen Space zur Verfügung stellen möchtest."],"Choose the security level for this workspace to define the visibleness.":["Wähle die Sicherheitsstufe für diesen Space, um die Sichtbarkeit zu bestimmen."],"Manage your space members":["Space-Mitglieder verwalten"],"Outstanding sent invitations":["Ausstehende versendete Einladungen"],"Outstanding user requests":["Ausstehende Benutzeranfragen"],"Remove member":["Entfernen von Mitgliedern"],"Allow this user to
invite other users":["Diesem Benutzer erlauben,
andere Benutzer einzuladen"],"Allow this user to
make content public":["Diesem Benutzer erlauben,
Inhalte zu veröffentlichen"],"Are you sure, that you want to remove this member from this space?":["Bist du sicher, dass du dieses Mitglied aus diesem Space entfernen möchtest?"],"Can invite":["Kann einladen"],"Can share":["Kann teilen"],"Change space owner":["Space-Besitzer ändern"],"External users who invited by email, will be not listed here.":["Externe Benutzer, die per E-Mail eingeladen wurden, werden hier nicht aufgeführt."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Im unteren Bereich siehst du alle aktiven Mitglieder dieses Spaces. Du kannst Ihre Berechtigungen bearbeiten oder sie aus diesem Space entfernen."],"Is admin":["Ist Administrator"],"Make this user an admin":["Diesen Benutzer zum Administrator machen"],"No, cancel":["Nein, abbrechen"],"Remove":["Entfernen"],"Request message":["Anfrage-Nachricht"],"Revoke invitation":["Einladung zurückziehen"],"Search members":["Suche nach Mitgliedern"],"The following users waiting for an approval to enter this space. Please take some action now.":["Die folgenden Benutzer warten auf Freischaltung, diesen Space zu betreten."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Die folgenden Benutzer wurden bereits in diesen Space eingeladen, sind der Einladung bisher aber nicht gefolgt."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Der Space-Besitzer ist der Super-Administrator eines Spaces mit allen Rechten und üblicherweise der Ersteller des Spaces. Hier kannst du diese Rolle einem anderen Benutzer übertragen."],"Yes, remove":["Ja, entfernen"],"Space Modules":["Space Module"],"Are you sure? *ALL* module data for this space will be deleted!":["Bist du sicher? Alle Daten dieses Space werden gelöscht!"],"Currently there are no modules available for this space!":["Aktuell sind keine Module für diesen Space verfügbar"],"Enhance this space with modules.":["Diesen Space mit Modulen erweitern."],"Create new space":["Neuen Space erstellen"],"Advanced access settings":["Erweiterte Rechteeinstellungen"],"Also non-members can see this
space, but have no access":["Auch Nichtmitglieder können diesen
Space sehen, haben aber keinen Zugang."],"Create":["Erstellen"],"Every user can enter your space
without your approval":["Jeder Benutzer kann deinen Space
ohne deine Genehmigung betreten."],"For everyone":["Für jeden"],"How you want to name your space?":["Wie möchtest du deinen Space benennen?"],"Please write down a small description for other users.":["Bitte schreibe eine kurze Beschreibung für andere Benutzer."],"This space will be hidden
for all non-members":["Dieser Space wird für
alle Nichtmitglieder versteckt sein"],"Users can also apply for a
membership to this space":["Benutzer können die Mitgliedschaft
für diesen Space beantragen"],"Users can be only added
by invitation":["Benutzer können nur durch
Einladung hinzugefügt werden"],"space description":["Space-Beschreibung"],"space name":["Space-Name"],"{userName} requests membership for the space {spaceName}":["{userName} beantragt die Mitgliedschaft für den Space {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} hat deine Mitgliedschaftsanfrage für den Space »{spaceName}« angenommen"],"{userName} declined your membership request for the space {spaceName}":["{userName} hat deine Mitgliedschaftsanfrage für den Space »{spaceName}« abgelehnt"],"{userName} invited you to the space {spaceName}":["{userName} hat dich in den Space »{spaceName}« eingeladen"],"{userName} accepted your invite for the space {spaceName}":["{userName} hat deine Einladung für den Space »{spaceName}« angenommen"],"{userName} declined your invite for the space {spaceName}":["{userName} hat deine Einladung für den Space »{spaceName}« abgelehnt"],"This space is still empty!":["Dieser Space ist noch leer!"],"Accept Invite":["Einladung annehmen"],"Become member":["Mitglied werden"],"Cancel membership":["Mitgliedschaft beenden"],"Cancel pending membership application":["Offenen Mitgliedsantrag zurückziehen"],"Deny Invite":["Einladung ablehnen"],"Request membership":["Mitgliedschaft beantragen"],"You are the owner of this workspace.":["Du bist Besitzer dieses Space."],"created by":["erstellt durch"],"Invite members":["Mitglieder einladen"],"Add an user":["Benutzer hinzufügen"],"Email addresses":["E-Mail-Adressen"],"Invite by email":["Per E-Mail einladen"],"New user?":["Neuer User?"],"Pick users":["Benutzer auswählen"],"Send":["Senden"],"To invite users to this space, please type their names below to find and pick them.":["Um Benutzer in diesen Space einzuladen, gib deren Name unten ein, um sie zu suchen und auszuwählen."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Du kannst auch externe Benutzer einladen, die noch nicht registriert sind. Gib einfach ihre E-Mail-Adressen, durch Kommas getrennt, ein."],"Request space membership":["Space-Mitgliedschaft beantragen"],"Please shortly introduce yourself, to become an approved member of this space.":["Um bestätigtes Mitglied dieses Spaces zu werden, stelle dich bitte kurz vor."],"Your request was successfully submitted to the space administrators.":["Dein Antrag wurde die Space-Administration übermittelt."],"Ok":["Ok"],"User has become a member.":["Der Benutzer ist jetzt Mitglied."],"User has been invited.":["Der Benutzer wurde eingeladen."],"User has not been invited.":["Der Benutzer wurde nicht eingeladen."],"Back to workspace":["Zurück zum Space"],"Space preferences":["Einstellungen des Space"],"General":["Allgemein"],"My Space List":["Meine Spaces"],"My space summary":["Meine Space-Zusammenfassung"],"Space directory":["Space-Verzeichnis"],"Space menu":["Space-Menü"],"Stream":["Stream"],"Change image":["Bild ändern"],"Current space image":["Aktuelles Space-Bild"],"Do you really want to delete your title image?":["Willst Du das Titelbild wirklich löschen?"],"Do you really want to delete your profile image?":["Willst Du wirklich Dein Profilbild löschen?"],"Invite":["Einladen"],"Something went wrong":["Ein Fehler ist aufgetreten"],"Followers":["Folger"],"Posts":["Beiträge"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Um bestätigtes Mitglied dieses Spaces zu werden, stelle dich bitte kurz vor."],"Request workspace membership":["Space-Mitgliedschaft beantragen"],"Your request was successfully submitted to the workspace administrators.":["Dein Antrag wurde die Space-Administration übermittelt."],"Create new space":["Neuen Space erstellen"],"My spaces":["Meine Spaces","Aus meinen Spaces"],"more":["mehr"],"less":["weniger"],"Space info":["Space info"],"Accept invite":["Einladung annehmen"],"Deny invite":["Einladung verweigern"],"Leave space":["Space verlassen"],"New member request":["Neuer Mitgliedsantrag"],"Space members":["Mitglieder des Space"],"End guide":["Tour beenden"],"Next »":["Weiter »"],"« Prev":["« Zurück"],"Administration":["Administration"],"Hurray! That's all for now.":["Hurra! Das wäre es für den Moment."],"Modules":["Module"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Als Admin kannst du die gesamte Plattform von hier aus verwalten.

Außer den Modulen werden wir nicht jeden Punkt bis ins Detail erläutern, da jeder seine eigene kurze Beschreibung besitzt."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Du befindest dich im Menü Werkzeuge. Von hier aus kannst du auf den HumHub Online-Marktplatz zugreifen, wo du eine immer größer werdende Anzahl von Werkzeugen, on-the- fly installieren kannst.
Wie bereits erwähnt, erweitern die Werkzeuge die für Ihren Space verfügbaren Funktionen ."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Du hast nun alle wichtigen Funktionen und Einstellungen kennengelernt und kannst beginnen, die Plattform zu nutzen.

Wir hoffen, dass du und alle zukünftigen Nutzer die Nutzung dieser Plattform genießen werdet. Wir freuen uns auf Anregungen oder Unterstützung, die du für unser Projekt anbieten möchtest. Kontaktiere uns über www.humhub.org.
Stay tuned . :-)"],"Dashboard":["Übersicht"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Dies ist deine Übersicht.
Alle neuen Aktivitäten oder Beiträge, die dich interessieren könnten, werden hier angezeigt ."],"Administration (Modules)":["Administration (Module)"],"Edit account":["Einstellungen bearbeiten"],"Hurray! The End.":["Hurra! Fertig."],"Hurray! You're done!":["Hurra! Du hast es geschafft!"],"Profile menu":["Profil-Menü"],"Profile photo":["Profilfoto"],"Profile stream":["Profil-Stream"],"User profile":["Benutzerprofil"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Klicke auf diese Schaltfläche, um dein Profil und deine Kontoeinstellungen zu aktualisieren. Du kannst auch weitere Informationen zu deinem Profil hinzufügen ."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Jedes Profil hat seine eigene Pinnwand. Deine Beiträge werden auch auf den Übersichten der Benutzer, die dir folgen, angezeigt."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Genau wie in den Spaces, kann das Benutzerprofil mit verschiedenen Modulen personalisiert werden.

Du kannst sehen welche Module für dein Profil zur Verfügung stehen, indem du das Menüe \"Module\" in deinen Kontoeinstellungen aufrufst."],"This is your public user profile, which can be seen by any registered user.":["Das ist dein öffentliches Benutzerprofil, das von jedem registrierten Benutzer gesehen werden kann."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Lade ein neues Profilfoto hoch, indem du hier klickst oder es per Drag&Drop hier hin ziehst. Genauso kannst du dein Titelfoto ändern."],"You've completed the user profile guide!":["Du hast die Einführung zur Profilbearbeitung abgeschlossen!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Du hast die Einführung zur Profilbearbeitung abgeschlossen!

Um mit dem der Beschreibung der Administrationsoberfläche fortzufahren klicke hier:

"],"Most recent activities":["Letzte Aktivitäten"],"Posts":["Beiträge"],"Profile Guide":["Profil-Anleitung"],"Space":["Space"],"Space navigation menu":["Navigationsmenü des Space"],"Writing posts":["Beiträge schreiben"],"Yay! You're done.":["Geschafft!"],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Hier werden alle Mitglieder dieses Space dargestellt.

Neue Mitglieder können von jedem hinzugefügt werden, der vom Administrator die notwendigen Rechte erhalten hat."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Gib anderen Benutzern einen kurzen Überblick, worum es in diesem Space geht.

Der Space-Administrator kann das Coverfoto des Spaces ändern, entweder durch darauf Klicken oder durch Drag&Drop."],"New posts can be written and posted here.":["Neue Beiträge können hier geschrieben und veröffentlicht werden."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Sobald du beigetreten bist oder einen neuen Space erstellt hast, kannst du an Projekten arbeiten, Themen diskutieren oder einfach Informationen mit anderen Benutzern teilen.

Es gibt verschiedene Möglichkeiten, den Space zu personalisieren, um den Arbeitsprozess produktiver zu gestalten."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["Das war es mit der Space-Anleitung.

Um mit dem Benutzerprofil fortzufahren, klicke hier: "],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Hier kannst Du durch den Space navigieren - du siehst, welche Module für den Space, in dem du gerade bist, aktiv oder verfügbar sind. Das können zum Beispiel Umfragen, Aufgaben oder Notizen sein.

Nur der Space-Administrator kann die Module des Spaces verwalten."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Dieses Menü ist nur für Space-Administratoren sichtbar. Hier kannst du die Space-Einstellungen verwalten, Mitglieder hinzufügen/blockieren und Werkzeuge für diesen Space aktivieren/deaktivieren."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Um dich auf dem Laufenden zu halten, werden hier die letzten Aktivitäten anderer Benutzer dieses Space dargestellt."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Hier werden deine und die Beiträge anderer Benutzer erscheinen.

Diese können dann bewertet oder kommentiert werden."],"Account Menu":["Account Menü"],"Notifications":["Benachrichtigungen"],"Space Menu":["Space Menü"],"Start space guide":["Starte den Space Guide"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Behalte alles im Auge!

Dieses Icon informiert dich über Aktivitäten und neue Beiträge, die dich direkt betreffen."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Das Account Menü gibt dir die Möglichkeit deine privaten Einstellungen zu ändern und dein öffentliches Profil zu verwalten."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Dies ist das wichtigste Menü und du wirst es sehr oft benutzen!

Betrete alle deine Spaces und erstelle neue.

Die folgende Anleitung wird dir zeigen wie:"]," Remove panel":["Panel löschen"],"Getting Started":["Hilfe beim Start"],"Guide: Administration (Modules)":["Anleitung: Administration (Module)"],"Guide: Overview":["Anleitung: Überblick"],"Guide: Spaces":["Anleitung: Spaces"],"Guide: User profile":["Anleitung: Benutzerprofil"],"Get to know your way around the site's most important features with the following guides:":["Erhalte mit Hilfe der folgenden Anleitungen einen Überblick über die wichtigsten Funktionen der Seite:"],"This user account is not approved yet!":["Dieser Account wurde noch nicht freigeschaltet!"],"You need to login to view this user profile!":["Sie müssen sich anmelden um das Profil zu sehen!"],"Your password is incorrect!":["Dein Passwort ist falsch!"],"You cannot change your password here.":["Du kannst dein Passwort hier nicht ändern."],"Invalid link! Please make sure that you entered the entire url.":["Ungültiger Link! Bitte vergewissere dich, dass die vollständige URL eingegeben wurde."],"Save profile":["Profil speichern"],"The entered e-mail address is already in use by another user.":["Die eingetragene E-Mail Adresse wird bereits von einem anderen Benutzer verwendet."],"You cannot change your e-mail address here.":["Du kannst deine E-Mail Adresse hier nicht ändern."],"Account":["Konto"],"Create account":["Konto erstellen"],"Current password":["Aktuelles Passwort"],"E-Mail change":["E-Mail Addresse ändern"],"New E-Mail address":["Neue E-Mail Adresse"],"Send activities?":["Aktivitäten senden?"],"Send notifications?":["Benachrichtigungen senden?"],"New password":["Neues Passwort"],"New password confirm":["Neues Passwort bestätigen"],"Incorrect username/email or password.":["Ungültiger Benutzername/E-Mail oder Passwort."],"Remember me next time":["Beim nächsten Mal wiedererkennen"],"Your account has not been activated by our staff yet.":["Dein Konto wurde noch nicht von einem Administrator freigeschaltet."],"Your account is suspended.":["Dein Konto ist gesperrt."],"Password recovery is not possible on your account type!":["Passwort-Wiederherstellung ist für deinen Kontotyp nicht möglich!"],"E-Mail":["E-Mail"],"Password Recovery":["Passwort-Wiederherstellung"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" nicht gefunden!"],"E-Mail is already in use! - Try forgot password.":["Diese E-Mail Adresse ist bereits in Benutzung! - Versuche dein Passwort wiederherzustellen."],"Hide panel on dashboard":["Panel in der Übersicht ausblenden"],"Invalid language!":["Ungültige Sprache!"],"Profile visibility":["Sichtbarkeit des Profils"],"TimeZone":["Zeitzone"],"Default Space":["Standard-Space"],"Group Administrators":["Gruppen-Administratoren"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Mitglieder können private Spaces erstellen"],"Members can create public spaces":["Mitglieder können öffentliche Spaces erstellen"],"Birthday":["Geburtstag"],"Custom":["Unbestimmt"],"Female":["Weiblich"],"Gender":["Geschlecht"],"Hide year in profile":["Jahrgang/Alter verbergen"],"Male":["Männlich"],"City":["Ort"],"Country":["Land"],"Facebook URL":["Facebook-URL"],"Fax":["Fax"],"Firstname":["Vorname"],"Flickr URL":["Flickr-URL"],"Google+ URL":["Google+-URL"],"Lastname":["Nachname"],"LinkedIn URL":["LinkedIn-URL"],"MSN":["MSN"],"Mobile":["Mobil"],"MySpace URL":["MySpace-URL"],"Phone Private":["Telefon privat"],"Phone Work":["Telefon beruflich"],"Skype Nickname":["Skype-Name"],"State":["Bundesland/Kanton"],"Street":["Straße"],"Twitter URL":["Twitter-URL"],"Url":["URL"],"Vimeo URL":["Vimeo-URL"],"XMPP Jabber Address":["XMPP Jabber-Addresse"],"Xing URL":["Xing-URL"],"Youtube URL":["YouTube-URL"],"Zip":["PLZ"],"Created by":["Erstellt durch"],"Editable":["Bearbeitbar"],"Field Type could not be changed!":["Der Feldtyp konnte nicht geändert werden!"],"Fieldtype":["Feldtyp"],"Internal Name":["Interner Name"],"Internal name already in use!":["Der interne Name wird bereits verwendet!"],"Internal name could not be changed!":["Der interne Name konnte nicht geändert werden!"],"Invalid field type!":["Ungültiger Feldtyp!"],"LDAP Attribute":["LDAP-Attribut"],"Module":["Modul"],"Only alphanumeric characters allowed!":["Nur alphanumerische Zeichen erlaubt!"],"Profile Field Category":["Profilfeld-Kategorie"],"Required":["Pflichtfeld"],"Show at registration":["Bei der Registrierung anzeigen"],"Sort order":["Sortierung"],"Translation Category ID":["Übersetzungs-Kategorie-ID"],"Type Config":["Typ-Konfiguration"],"Visible":["Sichtbar"],"Communication":["Kommunikation"],"Social bookmarks":["Soziale Lesezeichen"],"Datetime":["Datum/Uhrzeit"],"Number":["Zahl"],"Select List":["Auswahlliste"],"Text":["Text"],"Text Area":["Textbereich"],"%y Years":["%y Jahre"],"Birthday field options":["Geburtstagsfeld-Optionen"],"Date(-time) field options":["Datums(-Uhrzeit)feld-Optionen"],"Show date/time picker":["Zeige Datums/Zeit Picker"],"Maximum value":["Maximum"],"Minimum value":["Minimum"],"Number field options":["Zahlenfeld-Optionen"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Eine Option pro Zeile. Schlüssel=>Wert-Format (z.B. yes=>Ja)"],"Please select:":["Bitte wähle:"],"Possible values":["Erlaubte Werte"],"Select field options":["Auswahlfeld-Optionen"],"Default value":["Standardwert"],"Maximum length":["Maximal Länge"],"Minimum length":["Minimal Länge"],"Regular Expression: Error message":["Regular Expression: Fehlermeldung"],"Regular Expression: Validator":["Regular Expression: Validator"],"Text Field Options":["Textfeld-Optionen"],"Validator":["Validator"],"Text area field options":["Textbereichsfeld-Optionen"],"Authentication mode":["Authentifikations-Modus"],"New user needs approval":["Neuer Benutzer benötigt Freischaltung"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Dein Benutzername darf nur Buchstaben, Zahlen, Leerzeichen und die Sonderzeichen (+-._) enthalten."],"Wall":["Wand"],"Change E-mail":["E-Mail Adresse ändern"],"Current E-mail address":["Aktuelle E-mail Adresse"],"Your e-mail address has been successfully changed to {email}.":["Deine E-Mail Adresse wurde erfolgreich in {email} geändert."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Wir haben soeben eine Bestätigungs-E-Mail an deine neue Adresse geschickt.
Bitte folge den darin enthaltenen Anweisungen."],"Change password":["Passwort ändern"],"Password changed":["Passwort geändert"],"Your password has been successfully changed!":["Dein Passwort wurde erfolgreich geändert!"],"Modify your profile image":["Bearbeite dein Profilbild","Profilbild bearbeiten"],"Delete account":["Konto löschen"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Bist du sicher, dass du dein Konto löschen möchtest?
Alle deine veröffentlichten Beiträge werden entfernt."],"Delete account":["Konto löschen"],"Enter your password to continue":["Gib dein Passwort ein um fortzufahren"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Entschuldigung, als Besitzer eines Space kannst du dein Konto nicht löschen!
Bitte ordne dem Space einen anderen Benutzer zu oder lösche deine Spaces."],"User details":["Benutzer-Details"],"User modules":["Benutzer-Module"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Bist du wirklich sicher? Alle Daten zu den Modulen Deines Kontos werden gelöscht!"],"Enhance your profile with modules.":["Erweitere dein Profil durch Module."],"User settings":["Benutzer-Einstellungen"],"Getting Started":["Einführungstour"],"Registered users only":["Nur Registrierte Benutzer"],"Visible for all (also unregistered users)":["Sichtbar für alle (auch unangemeldete Benutzer)"],"Desktop Notifications":["Desktop-Benachrichtigungen"],"Email Notifications":["E-Mail-Benachrichtigungen"],"Get a desktop notification when you are online.":["Erhalte Desktop Benachrichtigungen, wenn du online bist."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Erhalte eine E-Mail bei jeder Aktivität anderer Benutzer, denen du folgst oder mit denen du in Spaces zusammenarbeitest."],"Get an email, when other users comment or like your posts.":["Erhalte eine E-Mail, wenn andere Benutzer Ihre Beiträge kommentieren oder bewerten."],"Account registration":["Konto-Registrierung"],"Create Account":["ein Konto anlegen"],"Your account has been successfully created!":["Dein Konto wurde erfolgreich erstellt!"],"After activating your account by the administrator, you will receive a notification by email.":["Nach der Aktivierung deines Kontos durch einen Administrator erhälst du eine Benachrichtigung per E-Mail."],"Go to login page":["Zur Loginseite"],"To log in with your new account, click the button below.":["Um sich mit Ihrem neuen Konto einzuloggen, klicke unten auf den Button."],"back to home":["zurück zur Startseite"],"Please sign in":["Einloggen"],"Sign up":["Registrieren"],"Create a new one.":["Ein neues erstellen."],"Don't have an account? Join the network by entering your e-mail address.":["Noch kein Benutzerkonto? Werde Mitglied, indem du deine E-Mail Adresse eingibst."],"Forgot your password?":["Passwort vergessen?"],"If you're already a member, please login with your username/email and password.":["Wenn du bereits Mitglied bist, logge dich bitte mit Benutzername/E-Mail und Passwort ein."],"Register":["Registrieren"],"email":["E-Mail"],"password":["Passwort"],"username or email":["Benutzername oder E-Mail"],"Password recovery":["Passwort-Wiederherstellung!","Passwort-Wiederherstellung"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Gib einfach deine E-Mail Adresse ein, und wir senden dir eine Mail um dein Passwort neu zu setzen."],"Password recovery":["Passwort-Wiederherstellung"],"Reset password":["Passwort neu setzen"],"enter security code above":["Bitte gib den Sicherheitscode ein"],"your email":["Deine E-Mail"],"Password recovery!":["Passwort-Wiederherstellung!"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Wir haben dir eine E-Mail zugeschickt, mit der du dein Passwort neu setzen kannst."],"Registration successful!":["Registrierung erfolgreich!"],"Please check your email and follow the instructions!":["Bitte prüfe dein E-Mail-Postfach und folge den Anweisungen!"],"Registration successful":["Registrierung erfolgreich"],"Change your password":["Ändere dein Passwort"],"Password reset":["Passwort zurücksetzen"],"Change password":["Passwort ändern"],"Password reset":["Psswort zurücksetzen"],"Password changed!":["Passwort geändert!"],"Confirm your new email address":["Bestätige deine neue E-Mail Adresse"],"Confirm":["Bestätigen"],"Hello":["Hallo"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Du hast die Änderung deiner E-Mail Adresse beantragt.
Deine neue E-Mail Adresse ist {newemail}.

Um die neue E-Mail Adresse zu bestätigen, klicke bitte auf den Button unten."],"Hello {displayName}":["Hallo {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Wenn du diesen Link nicht innerhalb der nächsten 24 Stunden nutzt, wird er ungültig."],"Please use the following link within the next day to reset your password.":["Nutze den folgenden Link innerhalb des nächsten Tages um dein Passwort neu zu setzen."],"Reset Password":["Passwort neu setzten"],"Registration Link":["Link zur Registrierung"],"Sign up":["Registrieren"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Willkommen bei %appName%. Bitte klicke auf den Button unten, um mit der Registrierung fortzufahren."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Ein soziales Netzwerk, um Kommunikation und Teamwork zu verbessern.
Registriere dich jetzt, um diesem Space beizutreten."],"Sign up now":["Registriere dich jetzt"],"Space Invite":["Space-Einladung"],"You got a space invite":["Du hast eine Space-Einladung"],"invited you to the space:":["hat dich eingeladen in den Space:"],"{userName} mentioned you in {contentTitle}.":["{userName} hat dich in »{contentTitle}« erwähnt."],"{userName} is now following you.":["{userName} folgt dir nun."],"About this user":["Über diesen Nutzer"],"Modify your title image":["Titelbild bearbeiten"],"This profile stream is still empty!":["Dieser Profilstream ist noch leer!"],"Do you really want to delete your logo image?":["Willst Du das Logo wirklich entfernen?"],"Account settings":["Konto-Verwaltung"],"Profile":["Profil"],"Edit account":["Benutzerkonto bearbeiten"],"Following":["Folgend"],"Following user":["Der Nutzer folgt"],"User followers":["Dem Nutzer folgen"],"Member in these spaces":["Mitglied in diesen Spaces"],"User tags":["Benutzer-Tags"],"No birthday.":["Kein Geburtstag."],"Back to modules":["Zurück zu den Modulen"],"Birthday Module Configuration":["Konfiguration Geburtstagsmodul"],"The number of days future bithdays will be shown within.":["Anzahl an Tagen, an denen zukünftige Geburtstage vorab angezeigt werden."],"Tomorrow":["Morgen"],"Upcoming":["Demnächst"],"You may configure the number of days within the upcoming birthdays are shown.":["Du kannst die Anzahl an Tagen einstellen, an denen zukünftige Geburstage vorab angezeigt werden."],"becomes":["wird"],"birthdays":["Geburtstage"],"days":["Tagen"],"today":["heute"],"years old.":["Jahre alt."],"Active":["Aktiv"],"Mark as unseen for all users":["Für alle Nutzer als ungelesen markieren"],"Breaking News Configuration":["Konfiguration Eilmeldungen"],"Note: You can use markdown syntax.":["Hinweis: Du kannst die Markdown Sytax verwenden.\n(Weitere Infos unter http://www.markdown.de)"],"Adds an calendar for private or public events to your profile and mainmenu.":["Fügt deinem Profil und Hauptmenü einen Kalender für private und öffentliche Termine hinzu."],"Adds an event calendar to this space.":["Fügt diesem Space einen Kalender hinzu."],"All Day":["ganztägig"],"Attending users":["Zusagen"],"Calendar":["Kalender"],"Declining users":["Absagen"],"End Date":["Enddatum"],"End Date and Time":["Enddatum/Endzeit"],"End Time":["Ende"],"End time must be after start time!":["Die Startzeit kann nicht nach dem Ende liegen!"],"Event":["Termin"],"Event not found!":["Termin nicht gefunden!"],"Maybe attending users":["Vielleicht"],"Participation Mode":["Teilnahmemodus"],"Recur":["Wiederkehrend"],"Recur End":["Wiederkehrend mit Ende"],"Recur Interval":["Wiederkehrender Intervall"],"Recur Type":["Wiederkehrender Typ"],"Select participants":["Teilnehmer auswählen"],"Start Date":["Startdatum"],"Start Date and Time":["Startdatum/Startzeit"],"Start Time":["Startzeit"],"You don't have permission to access this event!":["Unzureichende Berechtigungen, diesen Termin anzusehen!"],"You don't have permission to create events!":["Unzureichende Berechtigungen, diesen Termin zu erstellen!"],"You don't have permission to delete this event!":["Unzureichende Berechtigungen, diesen Termin zu löschen!"],"You don't have permission to edit this event!":["Unzureichende Berechtigungen, diesen Termin zu ändern!"],"%displayName% created a new %contentTitle%.":["%displayName% hat einen neuen Termin »%contentTitle%« erstellt."],"%displayName% attends to %contentTitle%.":["%displayName% nimmt an »%contentTitle%« teil."],"%displayName% maybe attends to %contentTitle%.":["%displayName% nimmt vielleicht an »%contentTitle%« teil."],"%displayName% not attends to %contentTitle%.":["%displayName% nimmt nicht an »%contentTitle%« teil."],"Start Date/Time":["Start-Datum/Zeit"],"Create event":["Termin erstellen"],"Edit event":["Termin bearbeiten"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Beachte: Dieser Termin wird in deinem Profil erstellt. Um einen Termin in einem Space zu erstellen, öffne den Kalender im gewünschten Space."],"End Date/Time":["Enddatum/Endzeit"],"Everybody can participate":["Jeder darf teilnehmen"],"No participants":["Keine Teilnehmer"],"Participants":["Teilnehmer"],"Attend":["Teilnehmen"],"Created by:":["Erstellt von:"],"Edit event":["geänderter Termin"],"Edit this event":["Diesen Termin ändern"],"I´m attending":["Ich nehme teil"],"I´m maybe attending":["Ich nehme vielleicht teil"],"I´m not attending":["Ich nehme nicht teil"],"Maybe":["Vielleicht"],"Filter events":["Termine filtern"],"Select calendars":["Kalender auswählen"],"Already responded":["Beantwortet"],"Followed spaces":["Beobachtete Spaces"],"Followed users":["Beobachtete Benutzer"],"My events":["Meine Termine"],"Not responded yet":["Noch nicht beantwortet"],"Loading...":["lädt..."],"Upcoming events ":["Nächste Termine "],":count attending":[":count Zusagen"],":count declined":[":count Absagen"],":count maybe":[":count Vielleicht"],"Participants:":["Teilnehmer:"],"Create new Page":["Neue Seite erstellen"],"Custom Pages":["Eigene Seite"],"HTML":["HTML"],"IFrame":["iFrame"],"Link":["Link"],"MarkDown":["MarkDown"],"Navigation":["Navigation"],"No custom pages created yet!":["Bisher wurde noch keine eigene Seite erstellt!"],"Sort Order":["Sortierung"],"Top Navigation":["Obere Navigationsleiste"],"User Account Menu (Settings)":["Benutzerprofilmenü (Einstellungen)"],"Create page":["Seite erstellen"],"Edit page":["Seite bearbeiten","Bearbeite eine Seite"],"Default sort orders scheme: 100, 200, 300, ...":["Standard-Sortierschema: 100, 200, 300, ..."],"Page title":["Seitentitel"],"URL":["URL"],"Confirm category deleting":["Löschen der Kategorie bestätigen"],"Confirm link deleting":["Löschen des Links bestätigen"],"Added a new link %link% to category \"%category%\".":["Neuer Link %link% zur Kategorie \"%category%\" hinzugefügt."],"Delete category":["Kategorie löschen"],"Delete link":["Link löschen"],"Do you really want to delete this category? All connected links will be lost!":["Möchtest du diese Kategorie wirklich löschen? Alle verknüpften Links gehen verloren."],"Do you really want to delete this link?":["Möchtest du diesen Link wirklich löschen?"],"Extend link validation by a connection test.":["Erweiterte Linküberprüfung durch einen Verbindungstest."],"Linklist":["Linkliste"],"Linklist Module Configuration":["Konfiguration Linklist Modul"],"No description available.":["Keine Beschreibung verfügbar."],"Requested category could not be found.":["Die gewünschte Kategorie konnte nicht gefunden werden."],"Requested link could not be found.":["Der gewünschte Link konnte nicht gefunden werden."],"Show the links as a widget on the right.":["Zeige die Links als ein Widget am rechten Rand."],"The category you want to create your link in could not be found!":["Die Kategorie, in der du den Link erstellen möchtest, konnte nicht gefunden werden."],"The item order was successfully changed.":["Die Reihenfolge der Einträge wurde erfolgreich geändert."],"There have been no links or categories added to this space yet.":["Zu diesem Space wurden noch keine Links oder Kategorien hinzugefügt."],"Toggle view mode":["Ansicht umschalten"],"You can enable the extended validation of links for a space or user.":["Du kannst die erweiterte Überprüfung von Links für einen Space oder einen Benutzer aktivieren."],"You miss the rights to add/edit links!":["Du besitzt nicht die Berechtigung, um Links hinzuzufügen/zu bearbeiten!"],"You miss the rights to delete this category!":["Du besitzt nicht die Berechtigung, um diese Kategorie zu löschen!"],"You miss the rights to delete this link!":["Du besitzt nicht die Berechtigung, um diesen Link zu löschen!"],"You miss the rights to edit this category!":["Du besitzt nicht die Berechtigung, um diese Kategorie zu bearbeiten!"],"You miss the rights to edit this link!":["Du besitzt nicht die Berechtigung, um diesen Link zu bearbeiten!"],"You miss the rights to reorder categories.!":["Du besitzt nicht die Berechtigung, um Kategorie umzusortieren."],"list":["Liste"],"Messages":["Nachrichten"],"You could not send an email to yourself!":["Du kannst dir selbst keine Nachricht senden!"],"Recipient":["Empfänger"],"New message from {senderName}":["Neue Nachricht von {senderName}"],"and {counter} other users":["und {counter} weiteren Nutzern"],"New message in discussion from %displayName%":["Neue Nachricht in der Diskussion von %displayName%"],"New message":["Neue Nachricht"],"Reply now":["Antworte jetzt"],"sent you a new message:":["sendete dir eine neue Nachricht:"],"sent you a new message in":["sendete dir eine neue Nachricht in"],"Add more participants to your conversation...":["Füge der Konversation weitere Empfänger hinzu..."],"Add user...":["Füge Empfänger hinzu..."],"New message":["Neue Nachricht"],"Edit message entry":["Nachricht bearbeiten"],"Messagebox":["Nachrichten"],"Inbox":["Postfach"],"There are no messages yet.":["Es sind keine Nachrichten vorhanden.","Derzeit keine Nachrichten vorhanden."],"Write new message":["Schreibe eine neue Nachricht"],"Confirm deleting conversation":["Bestätige Löschung der Konversation"],"Confirm leaving conversation":["Bestätige Verlassen der Konversation"],"Confirm message deletion":["Bestätige Löschung der Nachricht "],"Add user":["Füge Empfänger hinzu"],"Do you really want to delete this conversation?":["Willst du diese Konversation wirklich löschen?"],"Do you really want to delete this message?":["Willst du diese Nachricht wirklich löschen?"],"Do you really want to leave this conversation?":["Willst du die Unterhaltung wirklich verlassen?"],"Leave":["Verlassen"],"Leave discussion":["Verlasse die Diskussion"],"Write an answer...":["Schreibe eine Antwort ..."],"User Posts":["Benutzerbeiträge"],"Show all messages":["Zeige alle Nachrichten"],"Send message":["Nachricht senden"],"Most active people":["Die aktivsten User","Die aktivsten Benutzer"],"Get a list":["Liste"],"Most Active Users Module Configuration":["Modul Einstellungen "],"No users.":["Keine Benutzer."],"The number of most active users that will be shown.":["Anzahl der aktivsten Benutzer"],"The number of users must not be greater than a 7.":["Die Anzahl der aktivsten Benutzer darf 7 nicht überschreiten"],"The number of users must not be negative.":["Die Anzahl der aktivsten Benutzer darf nicht negativ sein"],"You may configure the number users to be shown.":["Anzahl der aktivsten Benutzer konfigurieren"],"Comments created":["Erstellte Kommentare"],"Likes given":["Gegebene Likes"],"Posts created":["Erstellte Posts"],"Notes":["Notizen"],"Etherpad API Key":["Etherpad API Key"],"URL to Etherpad":["URL zur Etherpad Installation"],"Could not get note content!":["Konnte den Inhalt der Notiz nicht laden!"],"Could not get note users!":["Konnte die Nutzer der Notiz nicht laden!"],"Note":["Notiz"],"{userName} created a new note {noteName}.":["{userName} hat die Notiz »{noteName}« erstellt."],"{userName} has worked on the note {noteName}.":["{userName} hat die Notiz »{noteName}« bearbeitet."],"API Connection successful!":["API Verbindung erfolgreich!"],"Could not connect to API!":["Konnte nicht mit der API verbinden!"],"Current Status:":["Aktueller Status:"],"Notes Module Configuration":["Konfiguration Notizmodul"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Bitte für weitere Details die Moduldokumentation unter /protected/modules/notes/docs/install.txt lesen!"],"Save & Test":["Speichern & Testen"],"The notes module needs a etherpad server up and running!":["Das Notizmodul benötigt einen intallierten und laufenden Etherpad Server!"],"Save and close":["Speichern und schließen"],"{userName} created a new note and assigned you.":["{userName} hat eine neue Notiz erzeugt und dich hinzugefügt."],"{userName} has worked on the note {spaceName}.":["{userName} hat die Notiz im Space {spaceName} bearbeitet."],"Open note":["Öffne Notiz"],"Title of your new note":["Titel der Notiz"],"No notes found which matches your current filter(s)!":["Keine Notiz zu den Filtereinstellungen gefunden!"],"There are no notes yet!":["Keine Notizen vorhanden!"],"Polls":["Umfragen"],"Could not load poll!":["Konnte Umfrage nicht laden!"],"Invalid answer!":["Unzulässige Antwort!"],"Users voted for: {answer}":["Benutzer stimmten für: {answer}"],"Voting for multiple answers is disabled!":["Mehrfachantworten sind nicht zugelassen!"],"You have insufficient permissions to perform that operation!":["Es fehlen die nötigen Rechte, um die Anfrage zu bearbeiten!"],"Answers":["Antworten"],"Multiple answers per user":["Mehrfachantworten pro Nutzer"],"Please specify at least {min} answers!":["Bitte gib mindestens {min} Antworten an!"],"Question":["Frage"],"{userName} voted the {question}.":["{userName} stimmte für die Umfrage »{question}« ab."],"{userName} created a new {question}.":[" {userName} hat die Umfrage »{question}« erstellt."],"{userName} created a new poll and assigned you.":["{userName} hat eine Umfrage erstellt und dich zugeordnet."],"Ask":["Frage stellen"],"Reset my vote":["Meine Abstimmung zurücksetzen"],"Vote":["Abstimmen"],"and {count} more vote for this.":["und {count} mehr stimmten hierfür ab."],"votes":["Abstimmungen"],"Allow multiple answers per user?":["Sind Mehrfachantworten zugelassen?"],"Ask something...":["Stelle eine Frage..."],"Possible answers (one per line)":["Mögliche Antworten (Eine pro Zeile)"],"Display all":["Zeige alle"],"No poll found which matches your current filter(s)!":["Keine passende Umfrage zu den Filtereinstellungen gefunden!"],"There are no polls yet!":["Es gibt noch keine Umfragen!"],"There are no polls yet!
Be the first and create one...":["Es gibt noch keine Umfragen!
Erstelle die erste ..."],"Asked by me":["Von mir erstellt"],"No answered yet":["Bisher nicht beantwortet"],"Only private polls":["Nur private Umfragen"],"Only public polls":["Nur öffentliche Umfragen"],"Manage reported posts":["Bearbeite gemeldete Beiträge"],"Reported posts":["Melde den Beitrag"],"Why do you want to report this post?":["Warum möchtest Du den Beitrag melden?"],"by :displayName":["von :displayName"],"created by :displayName":["erstellt von :displayName"],"Doesn't belong to space":["Gehört nicht zum Space"],"Offensive":["beleidigend"],"Spam":["Spam"],"Here you can manage reported users posts.":["Hier kannst Du gemeldete Benutzer-Beiträge verwalten."],"API ID":["API ID"],"Allow Messages > 160 characters (default: not allowed -> currently not supported, as characters are limited by the view)":["Erlaubt Mitteilungen über 160 Zeichen (Standard: nicht erlaubt -> aktuell nicht unterstützt, da in der Anzeige die Zeichenanzahl limitiert ist)"],"An unknown error occurred.":["Ein unbekannter Fehler ist aufgetreten."],"Body too long.":["Nachricht zu lang."],"Body too too short.":["Nachricht zu kurz."],"Characters left:":["noch übrige Zeichen:"],"Choose Provider":["Wähle Provider aus"],"Could not open connection to SMS-Provider, please contact an administrator.":["Konnte keine Verbindung zum SMS-Provider herstellen. Bitte den Administrator kontaktieren."],"Gateway Number":["Nummer des Gateways"],"Gateway isn't available for this network.":["Der Gateway ist für dieses Netzwerk nicht verfügbar."],"Insufficent credits.":["Kein ausreichendes Guthaben."],"Invalid IP address.":["Ungültige IP-Adresse."],"Invalid destination.":["Ungültiges Ziel."],"Invalid sender.":["Ungültiger Absender."],"Invalid user id and/or password. Please contact an administrator to check the module configuration.":["Ungültiger Benutzer und/oder Passwort. Bitte den Administrator kontaktieren um die Modul-Konfiguration zu korrigieren."],"No sufficient credit available for main-account.":["Kein ausreichendes Guthaben für den Haupt-Account verfügbar."],"No sufficient credit available for sub-account.":["Kein ausreichendes Guthaben für den Unter-Account verfügbar."],"Provider is not initialized. Please contact an administrator to check the module configuration.":["Der Povider ist nicht initialisiert. Bitte den Administrator kontaktieren um die Modul-Konfiguration zu korrigieren."],"Receiver is invalid.":["Ungültiger Empfänger."],"Receiver is not properly formatted, has to be in international format, either 00[...], or +[...].":["Der Empfänger ist nicht korrekt formatiert. Bitte das internationale Formit mit 00[...], oder +[...] benutzen."],"SMS Module Configuration":["SMS-Modul Konfiguration"],"SMS has been rejected/couldn't be delivered.":["Die SMS wurde abgelehnt / konnte nicht zugestellt werden."],"SMS has been successfully sent.":["Die SMS wurde erfolgreich versendet."],"SMS is lacking indication of price (premium number ads).":["Die SMS konnte nicht an die Premium-Nummer (kostenpflichtig) zugestellt werden."],"SMS with identical message text has been sent too often within the last 180 secondsSMS with identical message text has been sent too often within the last 180 seconds.":["Es wurde versucht, eine SMS mit identischem Inhalt zu oft innerhalb der letzten 180 Sekunden zu versenden."],"Save Configuration":["Konfiguration speichern"],"Security error. Please contact an administrator to check the module configuration.":["Sicherheits-Fehler. Bitte den Administrator kontaktieren um die Modul-Konfiguration zu korrigieren."],"Select the Spryng route (default: BUSINESS)":["Bitte die Verbindung auswählen (Standard: BUSINESS)"],"Send SMS":["Sende SMS"],"Send a SMS":["Sende eine SMS"],"Send a SMS to ":["Sende SMS an"],"Sender is invalid.":["Absender ist ungültig."],"Technical error.":["Technischer Fehler."],"Test option. Sms are not delivered, but server responses as if the were.":["Test-Betrieb. SMS wird nicht zugestellt, die Server werden auf Rückmeldung getestet."],"To be able to send a sms to a specific account, make sure the profile field \"mobile\" exists in the account information.":["Um eine SMS an einen Kontakt zu versenden zu können, muss das Feld \"Mobil-Nummer\" im entsprechenden Profil ausgefüllt sein."],"Unknown route.":["Unbekannte Route."],"Within this configuration you can choose between different sms-providers and configurate these. You need to edit your account information for the chosen provider properly to have the sms-functionality work properly.":["In der Konfiguration kann zwischen verschiedenene SMS-Providern gewählt werden um diese dann zu konfigurieren. Der eigene Account muss korrekt angelegt sein um die SMS-Funktionalität nutzen zu können."],"Tasks":["Aufgaben"],"Could not access task!":["Konnte auf die Aufgabe nicht zugreifen!"],"{userName} assigned to task {task}.":["{userName} wurde Aufgabe »{task}« zugeordnet."],"{userName} created task {task}.":["{userName} hat die Aufgabe »{task}« angelegt."],"{userName} finished task {task}.":["{userName} hat die Aufgabe »{task}« abgeschlossen.","{userName} hat die Aufgabe »{task}« abgschlossen."],"{userName} assigned you to the task {task}.":["{userName} hat dich der Aufgabe »{task}« zugeordnet."],"{userName} created a new task {task}.":[" {userName} hat die Aufgabe »{task}« erstellt."],"This task is already done":["Diese Aufgabe ist bereits abgeschlossen"],"You're not assigned to this task":["Diese Aufgabe ist dir nicht zugeordnet"],"Click, to finish this task":["Klicke, um die Aufgabe zu beenden."],"This task is already done. Click to reopen.":["Diese Aufgabe ist bereits abgeschlossen. Klicke um sie wieder zu aktivieren."],"My tasks":["Meine Aufgaben"],"From space: ":["Aus Space: "],"There are no tasks yet!":["Es existieren noch keine Aufgaben!"],"There are no tasks yet!
Be the first and create one...":["Aktuell liegen keine Aufgaben vor!
Erstelle eine..."],"Assigned to me":["Mir zugeordnet"],"No tasks found which matches your current filter(s)!":["Keine Aufgaben zu den gewählten Filtereinstellungen gefunden!"],"Nobody assigned":["Niemand zugeordnet"],"State is finished":["Status: abgeschlossen"],"State is open":["Status: offen"],"Assign users to this task":["Dieser Aufgabe Benutzer zuordnen"],"Deadline for this task?":["Frist zur Erledigung der Aufgabe?","Frist für die Erledigung dieser Aufgabe?"],"What to do?":["Was ist zu tun?"],"Do you want to handle this task?":["Willst Du diese Aufgabe übernehmen?"],"I do it!":["Ich mach es!"],"Translation Manager":["Übersetzungsmanager"],"Translations":["Übersetzungen"],"Translation Editor":["Übersetzungseditor"],"Confirm page deleting":["Bestätigen Seite löschen"],"Confirm page reverting":["Bestätigen Seite wiederherstellen "],"Overview of all pages":["Übersicht aller Seiten"],"Page history":["Seitenhistorie"],"Wiki Module":["Wiki Modul"],"Adds a wiki to this space.":["Estelle ein Wiki in deinem Space."],"Adds a wiki to your profile.":["Estelle ein Wiki in deinem Profil."],"Back to page":["Zurück zur Seite"],"Do you really want to delete this page?":["Willst du diese Seite wirklich löschen?"],"Do you really want to revert this page?":["Willst du diese Seite wirklich wiederherstellen?"],"Edit page":["Seite bearbeiten"],"Edited at":["Erstellt von"],"Go back":["Gehe zurück"],"Invalid character in page title!":["Ungültige Zeichen im Seitentitel!"],"Let's go!":["Starten"],"Main page":["Hauptseite"],"New page":["Neue Seite"],"No pages created yet. So it's on you.
Create the first page now.":["Noch keine Seiten erstellt. Es liegt an Dir die erste Seite zu
erstellen!"],"Page History":["Seitenhistorie"],"Page title already in use!":["Seitentitel bereits vorhanden!"],"Revert":["Zurückkehren"],"Revert this":["Zurückkehren zu"],"View":["Vorschau"],"Wiki":["Wiki"],"by":["von"],"Wiki page":["Wiki Seite"],"New page title":["Neuer Seitentitel"],"Page content":["Seiteninhalt"],"Allow":["Erlauben"],"Default":["Standard"],"Deny":["Ablehnen"],"Please type at least 3 characters":["Bitte wengistens 3 Zeichen eingeben"],"Add purchased module by licence key":["Erworbene Module per Linzenschlüssel hinzufügen"],"Default user idle timeout, auto-logout (in seconds, optional)":["Zeitspanne, nach der ein Benutzer bei Untätigkeit automatisch abgemeldet wird (in Sekunden, optional)"],"Show sharing panel on dashboard":["Zeige Auswahlfeld für Soziale Netzwerke in der Übersicht"],"Show user profile post form on dashboard":["Zeige Eingabeformular für die Benutzeraktivitäten in der Übersicht"],"Hide file info (name, size) for images on wall":["Datei-Informationen (Name, Größe) für Bilder in der Übersicht ausblenden"],"Hide file list widget from showing files for these objects on wall.":["Dateilisten-Widget für diese Dateien in der Übersicht ausblenden."],"Maximum preview image height (in pixels, optional)":["Maximalhöhe der Vorschaubilder (in Pixel, optional)"],"Maximum preview image width (in pixels, optional)":["Maximalweite der Vorschaubilder (in Pixel, optional)"],"Allow Self-Signed Certificates?":["Selbst-signierte Zertifikate erlauben?"],"Default Content Visiblity":["Standard Sichtbarkeit von Inhalten"],"Security":["Sicherheit"],"No purchased modules found!":["Keine gekauften Module gefunden!"],"search for available modules online":["verfügbare Module online suchen"],"HumHub is currently in debug mode. Disable it when running on production!":["HumHub läuft derzeit im Testmodus. Auf Produktivsystemen deaktivieren!"],"See installation manual for more details.":["Weitere Details in der Installationsanleitung"],"Purchases":["Käufe"],"Enable module...":["Modul aktivieren..."],"Buy (%price%)":["Kaufen (%price%)"],"Installing module...":["Installiere Modul..."],"Licence Key:":["Lizenzschlüssel"],"Updating module...":["Aktualisiere Module..."],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Minimalwert 20 Sekunden. Wenn nicht gesetzt, läuft die Sitzung nach 1400 Sekunden (24 Minuten) ab, sofern keine Aktion durch geführt wird (Standardwert für den Ablauf der Sitzung)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Nur anwendbar, wenn der eingeschränkte Zugriff für nicht bestätigte Benutzer aktiviert wurde. Hat nur Auswirkungen auf neue Benutzer."],"LDAP Attribute for E-Mail Address. Default: "mail"":["LDAP Attribut für die E-Mail-Adresse. Standard: "mail""],"Comma separated list. Leave empty to show file list for all objects on wall.":["Komma separierte Liste. Leer lassen, um bei der Dateiliste in der Übersicht alle Objekte anzuzeigen."],"Last login":["Letzter Login"],"Add a member to notify":["Mitglied zur Benachrichtigung hinzufügen"],"Share your opinion with others":["Teile deine Meinung mit Anderen"],"Post a message on Facebook":["Nachricht auf Facebook schreiben"],"Share on Google+":["Teilen auf Google+"],"Share with people on LinkedIn ":["Mit Personen auf auf LinkedIn teilen"],"Tweet about HumHub":["Über HumHub twittern"],"Downloading & Installing Modules...":["Lade Module herunter und installiere..."],"Calvin Klein – Between love and madness lies obsession.":["Calvin Klein - Zwischen Liebe und Wahnsinn liegt Obsession."],"Nike – Just buy it. ;Wink;":["Nike - Einfach kaufen ;Wink;"],"We're looking for great slogans of famous brands. Maybe you can come up with some samples?":["Wir suchen großartige Slogans bekannter Marken. Kannst Du uns vielleicht einige Beispiele nennen?"],"Welcome Space":["Willkommens-Space"],"Yay! I've just installed HumHub ;Cool;":["Yay! Ich habe gerade HumHub installiert ;Cool;"],"Your first sample space to discover the platform.":["Dein erstes Beispiel, um die Plattform zu entdecken"],"Set up example content (recommended)":["Beispielsinhalte einrichten (empfohlen)"],"Allow access for non-registered users to public content (guest access)":["Erlaube Zugriff auf öffentliche Inhalte für nicht registrierte Benutzer (Gastzugriff)"],"External user can register (The registration form will be displayed at Login))":["Externe Benutzer können sich registrieren (Das Registrierungsformular wird auf der Login-Seite angezeigt)"],"Newly registered users have to be activated by an admin first":["Neu registrierte Benutzer müssen durch den Administrator freigeschaltet werden"],"Registered members can invite new users via email":["Registrierte Benutzer können neue Benutzer per E-Mail einladen"],"I want to use HumHub for:":["Ich möchte HumHub benutzen für:"],"You're almost done. In this step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Fast geschafft! Fülle in diesem Schritt das Eingabeformular aus, um das Administrator-Konto zu erstellen. Mit diesem Konto kannst du das ganze Neztwerk verwalten."],"HumHub is very flexible and can be adjusted and/or expanded for various different applications thanks to its’ different modules. The following modules are just a few examples and the ones we thought are most important for your chosen application.

You can always install or remove modules later. You can find more available modules after installation in the admin area.":["HumHub ist sehr flexibel und kann durch verschiedene Module für unterschiedliche Einsatzzwecke eingerichtet und/oder erweitert werden. Die folgenden Module sind lediglich Beispiele, die aus unserer Sicht für deinen Einsatzzweck wichtig sein könnten.

Du kannst später jederzeit module hinzufügen oder entfernen. Verfügbare Module findest du nach der Installation über das Administrations-Menü."],"Recommended Modules":["Empfohlene Module"],"Example contents":["Beispielsinhalte "],"To avoid a blank dashboard after your initial login, HumHub can install example contents for you. Those will give you a nice general view of how HumHub works. You can always delete the individual contents.":["Um nach der ersten Anmeldung keine leere Übersicht vorzufinden, kann HumHub für dich Beispielsinhalte anlegen. Diese bieten einen guten Überblick über die Funktionsweise von HumHub und können jederzeit wieder gelöscht werden."],"Here you can decide how new, unregistered users can access HumHub.":["Hier kannst Du entscheiden, wie nicht registrierte Benutzer auf HumHub zugreifen können."],"Security Settings":["Sicherheits-Einstellungen"],"Configuration":["Konfiguration"],"My club":["Mein Verein"],"My community":["Meine Verwandtschaft"],"My company (Social Intranet / Project management)":["Meine Firma (Social Intranet / Projektmanagement)"],"My educational institution (school, university)":["Meine Bildungseinrichtung (Schule, Universität)"],"Skip this step, I want to set up everything manually":["Diesen Schritt überspringen. Ich möchte alles manuell einrichten"],"To simplify the configuration, we have predefined setups for the most common use cases with different options for modules and settings. You can adjust them during the next step.":["Zur Vereinfachung der Konfiguration liegen für die häufigsten Einsatzzwecke vordefinierte Profile mit unterschiedlichen Optionen für Module und Einstellungen vor. Während der nächsten Schritte kannst du diese Einstellungen anpassen."],"Initializing database...":["Initialisiere Datenbank..."],"You":["Du"],"You like this.":["Dir gefällt das."],"Advanced search settings":["Erweiterte Sucheinstellungen"],"Search for user, spaces and content":["Nach Benutzern, Spaces und Inhalten suchen"],"Private":["Privat"],"Members":["Mitglieder"],"Change Owner":["Besitzer ändern"],"General settings":["Allgemeine Einstellungen"],"Security settings":["Sicherheitseinstellungen"],"As owner of this space you can transfer this role to another administrator in space.":["Du kannst die Rolle des Space-Besitzers auf einen anderen Administrator im Space übertragen."],"Color":["Farbe"],"Transfer ownership":["Besitzrechte übertragen"],"Choose if new content should be public or private by default":["Wählen, ob neue Inhalte standardmäßig als öffentlich oder privat gekennzeichnet werden"],"Manage members":["Mitglieder verwalten"],"Manage permissions":["Berechtigungen verwalten"],"Pending approvals":["Ausstehende Freigaben"],"Pending invitations":["Ausstehende Einladungen"],"Add Modules":["Module hinzufügen"],"You are not member of this space and there is no public content, yet!":["Du bist kein Miglied dieses Space. Derzeit liegen keinen öffentlichen Inhalte vor!"],"Done":["Abgeschlossen","Versendet"],"":[""],"Cancel Membership":["Mitgliedschaft beenden"],"Hide posts on dashboard":["Beiträge in der Übersicht ausblenden"],"Show posts on dashboard":["Beiträge in der Übersicht anzeigen"],"This option will hide new content from this space at your dashboard":["Mit dieser Option werden neue Inhalte in der Übersicht dieses Space nicht angezeigt"],"This option will show new content from this space at your dashboard":["Mit dieser Option werden neue Inhalte in der Übersicht dieses Space angezeigt"],"Get complete members list":["Liste aller Mitglieder"],"Drag a photo here or click to browse your files":["Ziehe hierher ein Foto oder klicke, um deine Dateien zu durchsuchen"],"Hide my year of birth":["Verstecke mein Geburtsjahr"],"Howdy %firstname%, thank you for using HumHub.":["Howdy %firstname%, vielen Dank für die Benutzung von HumHub"],"You are the first user here... Yehaaa! Be a shining example and complete your profile,
so that future users know who is the top dog here and to whom they can turn to if they have questions.":["Du bist hier der erste Benutzer... Yehaaa! Sei ein gutes Vorbild und vervollständige dein Profil,
so dass künftige Benutzer wissen, wer die Verantwortung trägt und an wen er sich wenden kann, wenn er fragen hat."],"Your firstname":["Dein Vorname"],"Your lastname":["Dein Nachname"],"Your mobild phone number":["Deine Mobilfunknummer"],"Your phone number at work":["Deine Telefonnummer bei der Arbeit"],"Your skills, knowledge and experience (comma seperated)":["Deine Kompetenzen, dein Wissen und deine Erfahrungen (kommasepariert)"],"Your title or position":["Dein Titel oder deine Position"],"Confirm new password":["Neues Passwort bestätigen"],"Without adding to navigation (Direct link)":["Ohne Berücksichtigung in der Navigation (Direkter Link)"],"Add Dropbox files":["Dropbox-Dateien hinzufügen"],"Invalid file":["Unzulässige Datei"],"Dropbox API Key":["Dropbox API Schlüssel"],"Show warning on posting":["Beim Absenden Warnung zeigen"],"Dropbox post":["Dropbox-Post"],"Dropbox Module Configuration":["Dropbox-Modul Konfiguration"],"The dropbox module needs active dropbox application created! Please go to this site, choose \"Drop-ins app\" and provide an app name to get your API key.":["Das Dropbox-Modul benötigt ein aktives Dropbox-Konto! Bitte gehe zu Seite, wähle \"Drop-ins app\" und vergebe einen Applikationsnamen, um deinen API-Schlüssel zu erhalten."],"Dropbox settings":["Dropbox Einstellungen"],"Describe your files":["Beschreibe deine Dateien"],"Sorry, the Dropbox module is not configured yet! Please get in touch with the administrator.":["Entschuldigung, das Dropbox-Modul ist derzeit nicht konfiguriert! Bitte trete mit dem Administrator in Verbindung."],"The Dropbox module is not configured yet! Please configure it here.":["Das Dropbox-Modul ist derzeit nicht konfiguriert! bitte konfiguriere es hier."],"Select files from dropbox":["Wähle Dateien aus der Dropbox"],"Attention! You are sharing private files":["Vorsicht! Du teilst private Dateien"],"Do not show this warning in future":["Die Warnung künftig nicht mehr anzeigen"],"The files you want to share are private. In order to share files in your space we have generated a shared link. Everyone with the link can see the file.
Are you sure you want to share?":["Du möchtest private Dateien teilen. Zur Anzeige der Dateien in deinem space wird ein Link auf die privaten Dateien generiert. Jedermann, der diesen Link sehen kann, wir auf diene privaten Dateien Zugriff haben
Bist du sicher, dass du diese Dateien teilen möchstest?"],"Yes, I'm sure":["Ja, ich bin sicher"],"Invalid Enterprise Edition Licence":["Ungültige Enterprise Lizenz"],"Register Enterprise Edition":["Enterprise Edition Registrierung"],"Unregistered Enterprise Edition":["Unregistrierte Enterprise Edition"],"Enterprise Edition":["Enterprise Edition"],"Please enter your HumHub - Enterprise Edition licence key below. If you don't have a licence key yet, you can obtain one at %link%.":["Bitte gebe hier deinen Lizenzschlüssel ein. Solltest du noch keinen Lizenzschlüssel besitzen, kannst du unter %link% einen erwerben."],"Please register this HumHub - Enterprise Edition!":["Bitte registriere deine HumHub - Enterprise Edition!"],"Please update this HumHub - Enterprise Edition licence!":["Bitte aktualisiere deine HumHub - Enterprise Edition Lizenz!"],"Registration successful!":["Die Registrierung war erfolgreich!"],"Validating...":["Überprüfe..."],"Enterprise Edition Licence":["Enterprise Edition Lizenz"],"Licence Serial Code":["Lizenzschlüssel"],"Please specify your Enterprise Edition Licence Code below.":["Bitte gebe im folgenden Feld den Lizenzschlüssel für deine Enterprise Edition ein."]," %itemTitle%":[" %itemTitle%"],"Change type":["Ändere den Spacetyp"],"Create new %typeTitle%":["%typeTitle% erstellen"],"Create new space type":["Erstelle einen neuen Spacetyp"],"Delete space type":["Spacetyp löschen"],"Edit space type":["Spacetyp bearbeiten"],"Manage space types":["Spacetyp verwalten"],"Create new type":["Erstelle einen neuen Spacetyp"],"To delete the space type \"{type}\" you need to set an alternative type for existing spaces:":["Um den Spacetyp \"{type}\" löschen zu können, musst du für vorhandene Spaces einen anden Spacetyp auswählen:"],"Types":["Spacetypen"],"Sorry! User Limit reached":["Entschuldigung! Die Höchstzahl der Benutzer ist erreicht."],"Delete instance":["Instanz löschen"],"Export data":["Daten exportieren"],"Hosting":["Hosting"],"There are currently no further user registrations possible due to maximum user limitations on this hosted instance!":["Weil die Höchstzahl der zulässigen Benutzer erreicht ist, sind in dieser Instanz derzeit keine weiteren Benutzerregistrierungen möglich!"],"Your plan":["Dein Vorhaben"],"You cannot send a email to yourself!":["Du kannst dir selber keine Mail senden!"],"Add recipients":["Empfänger hinzufügen"],"Delete conversation":["Konversation löschen"],"Leave conversation":["Konversation verlassen"],"Adds a meeting manager to this space.":["Dieses Modul diesen Space um die Möglichkeit, Besprechungen zu erstellen und zu verwalten."],"Format has to be HOUR : MINUTE":["Format muss HH:MM entsprechen"],"Meeting":["Besprechung"],"Meetings":["Besprechungen"],"Begin":["Beginn"],"Date":["Datum"],"End":["Ende"],"Location":["Ort"],"Room":["Raum"],"Minutes":["Protokoll"],"End must be after begin":["Das Ende muss nach dem Beginn liegen"],"No valid time":["Die Zeitangabe ist ungültig"],"Back to overview":["Zurück zur Übersicht"],"Create new task":["Neue Aufgabe erstellen","Neue Aufgabe erstellen"],"Assign users":["Benutzer zuordnen","Zugewiesene Benutzer"],"Deadline":["Frist"],"Preassign user(s) for this task.":["Für diese Aufgabe vorausgewählte Benutzer.","Benutzer für diese Aufgabe vorauswählen"],"Task description":["Beschreibung der Aufgabe"],"What is to do?":["Was ist zu tun?"],"Confirm meeting deleting":["Löschvorgang bestätigen"],"Create new meeting":["Neue Besprechung erstellen"],"Edit meeting":["Besprechung bearbeiten"],"Add Participants":["Teilnehmer hinzufügen"],"Add external participants (free text)":["Externe Teilnehmer hinzufügen (Freitext)"],"Add participant":["Teilnehmer hinzufügen"],"Add participants":["Teilnehmer hinzufügen"],"Do you really want to delete this meeting?":["Möchtest du diese Besprechung wirklich löschen?"],"External participants":["Externe Teilnehmer"],"Title of your meeting":["Titel der Besprechung"],"hh:mm":["hh:mm"],"mm/dd/yyyy":["mm/dd/yyyy"],"Confirm entry deleting":["Löschvorgang bestätigen"],"Create new entry":["Neuen Tagesordnungspunkt erstellen"],"Edit entry":["Tagesordnungspunkt bearbeiten"],"Add external moderators (free text)":["Externe Moderatoren hinzufügen (Freitext)"],"Add moderator":["Moderator hinzufügen"],"Do you really want to delete this entry?":["Möchtest du den Tagesordnungspunkt wirklich löschen?"],"External moderators":["Externe Moderatoren"],"Moderators":["Moderatoren"],"Title of this entry":["Titel des Tagesordnungspunktes"],"Clear":["Leeren"],"Edit Note":["Protokoll bearbeiten"],"Note content":["Protokoll"],"Meeting details: %link%":["Weitere Informationen zur Besprechung: %link%"],"Next meetings":["Anstehende Besprechungen"],"Past meetings":["Vergangene Besprechungen"],"Add a protocol":["Protokoll hinzufügen"],"Add a task":["Aufgabe hinzufügen"],"Add this meeting to your calender and invite all participants by email":["Importiere das Meeting in deinen Kalender und lade alle Teilnehmer per Email ein "],"Add to your calender":["In deinem Kalender speichern"],"Create your first agenda entry by clicking the following button.":["Erstelle den ersten Tagesordnungspunkt, indem du auf den folgenden Button klickst."],"Moderator":["Moderator"],"New agenda entry":["Neuer Tagesordnungspunkt"],"New meeting":["Neue Besprechung"],"Print agenda":["Tagesordnung drucken"],"Protocol":["Protokoll"],"Share meeting":["Besprechung teilen"],"Start now, by creating a new meeting!":["Erstelle jetzt deine erste Besprechnung!"],"Today":["Heute"],"Unfortunately, there was no entry made until now.":["Leider wurde bis jetzt noch keine Besprechung erstellt."],"Share meeting":["Besprechung teilen"],"Add to your calendar and invite participants":["Zum Kalender hinzufügen und Teilnehmer einladen"],"Add to your personal calendar":["Zum persönlichen Kalender hinzufügen"],"Export ICS":["Exportiere ICS"],"Send notifications to all participants":["Benachrichtigungen an alle Teilnehmer senden"],"Send now":["Jetzt senden"],"Sends internal notifications to all participants of the meeting.":["Sendet interne Benachrichtigungen an alle Teilnehmer."],"This will create an ICS file, which adds this meeting only to your private calendar.":["Erstellt eine ICS-Datei, welche diese Besprechung ausschließlich zu deinem persönlichen Kalender hinzufügt."],"This will create an ICS file, which adds this meeting to your personal calendar, invite all other participants by email and waits for their response.":["Erstellt eine ICS-Datei, welche diese Besprechung zu deinem persönlichen Kalender hinzufügt, alle anderen Teilnehmer automatisch per Email einladet und dessen Zusagen/Absagen einfordert."],"{userName} invited you to {meeting}.":["{userName} hat dich zur {meeting} eingeladen."],"This task is related to %link%":["Dies Aufgabe ist mit %link% verknüpft"],"Get details...":["Details..."],"Again? ;Weary;":["Noch einmal? ;Weary;"],"Right now, we are in the planning stages for our next meetup and we would like to know from you, where you would like to go?":["Wir sind gerade in den Planungen für unser nächstes Treffen. Wo möchtet ihr gerne hingehen?"],"To Daniel\nClub A Steakhouse\nPisillo Italian Panini\n":["Zu Daniel\nClub A Steakhouse\nPisillo Italian Panini"],"Why don't we go to Bemelmans Bar?":["Warum gehen wir nicht zu Bemelmans Bar?"],"{userName} answered the {question}.":["{userName} hat die Frage {question} beantwortet."],"An user has reported your post as offensive.":["Ein Benutzer hat deinen Beitrag als beleidigend gemeldet."],"An user has reported your post as spam.":["Ein Benutzer hat deinen Beitrag als Spam gemeldet."],"An user has reported your post for not belonging to the space.":["Ein Benutzer hat Deinen Beitrag gemeldet, weil er nicht in diesen Space gehört."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% hat den Beitrag %contentTitle% als beleidigend gemeldet."],"%displayName% has reported %contentTitle% as spam.":["%displayName% hat den Beitrag %contentTitle% als Spam gemeldet."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% hat den Beitrag %contentTitle% gemeldet, weil er nicht in diesen Space gehört."],"Here you can manage reported posts for this space.":["Hier kannst du gemeldete Beiträge des Space verwalten."],"Confirm post deletion":["Bestätigung der Löschung des Beitrages"],"Confirm report deletion":["Bestätigung der Löschung der Meldung"],"Delete post":["Beitrag löschen"],"Delete report":["Meldung löschen"],"Do you really want to delete this report?":["Möchtest du die Meldung wirklich löschen?"],"Reason":["Grund"],"Reporter":["Melder"],"There are no reported posts.":["Keine gemeldeten Beiträge."],"Does not belong to this space":["Gehört nicht in diesen Space"],"Help Us Understand What's Happening":["Helf uns zu verstehen, was vorgegangen ist"],"It's offensive":["Ist beleidigend"],"It's spam":["Ist Spam"],"Report post":["Beitrag melden"],"Reference tag to create a filter in statistics":["Verweis-Tag zum Erstellen eines Filters in den Statistiken"],"Route access violation.":["Verletzung der Zugriffsroute."],"Assigned user(s)":["Zugewiesene Benutzer"],"Task":["Aufgabe"],"Edit task":["Aufgabe bearbeiten"],"Confirm deleting":["Löschen bestätigen"],"Add Task":["Aufgabe erstellen"],"Do you really want to delete this task?":["Möchtest Du diese Aufgabe wirklich löschen?"],"No open tasks...":["Keine offnen Aufgaben..."],"completed tasks":["abgeschlossene Aufgaben"],"Create new page":["Erstelle eine neue Seite"],"Enter a wiki page name or url (e.g. http://example.com)":["Gebe einen Wiki-Namen oder eine URL (z.B. http://example.com) ein"],"Open wiki page...":["Wiki-Seite öffnen..."],"Search only in certain spaces:":["Nur in diesen Spaces suchen:"],"Add {n,plural,=1{space} other{spaces}}":["{n,plural,=1{Space} other{Spaces}} hinzufügen"],"Remember me":["Angemeldet bleiben"],"Group members - {group}":["Gruppen Mitglieder - {group}"],"
A social network to increase your communication and teamwork.
Register now\nto join this space.":["
Ein Soziales Netzwerk zur Förderung der Kommunikation und der Teamarbeit.
Jetzt registrieren, um diesem Space beizutreten."],"Enterprise Edition Trial Period":["Enterprise Edition Testzeitraum"],"You have {daysLeft} days left in your trial period.":["Noch {daysLeft} Tage bis zum Ablauf des Testzeitraums."],"e.g. Project":["z.B. Projekt"],"e.g. Projects":["z.B. Projekte"],"Administrative Contact":["Kontakt zur Administration"],"Advanced Options":["Erweiterte Optionen"],"Custom Domain":["Spezifische Domain"],"Datacenter":["Datencenter"],"SFTP":["SFTP"],"Support / Get Help":["Unterstützung / Hilfe erhalten"],"Agenda Entry":["Tagesordnungspunkt eintragen"],"Could not get note users! ":["Konnte Benutzer nicht laden!"],"Date input format":["Datumsformat"],"Auto format based on user language - Example: {example}":["Automatische Formatierung basierend auf der Benutzersprache - Beispiel: {example}"],"Fixed format (mm/dd/yyyy) - Example: {example}":["Festgelegtes Format (mm/dd/yyyy) - Beispiel {example}"]," The folder %filename% could not be saved.":["Das Verzeichnis %filename% konnte nicht gespeichert werden."],"%filename% has invalid extension and was skipped.":["%filename% hat eine unerlaubte Dateieendung und wurde übersprungen."],"%title% was replaced by a newer version.":["%title% wurde durch eine neuere Version ersetzt."],"/ (root)":["/ (Stammverzeichnis)"],"Confirm delete file":["Löschen der Datei bestätigen"],"Create folder":["Ordner erstellen"],"Edit folder":["Ordner bearbeiten"],"Move files":["Dateien verschieben"],"A folder with this name already exists":["Ein Ordner mit diesem Namen existiert bereits"],"Add directory":["Neuer Ordner"],"Add file(s)":["Dateien hochladen"],"Adds an file module to this space.":["Fügt diesem Space eine Datei-Verwaltung hinzu"],"Adds files module to your profile.":["Fügt deinem Profil eine Datei-Verwaltung hinzu"],"All posted files":["Alle Dateien aus dem Stream"],"Archive %filename% could not be extracted.":["Archiv %filename% konnte nicht entpackt werden."],"Archive folder":["Archivordner"],"Archive selected":["Archiv ausgewählt"],"Could not save file %title%. ":["Die Datei %title% konnte nicht gespeichert werden","Die Datei %title% konnte nicht gespeichert werden."],"Creator":["Ersteller"],"Do you really want to delete this %number% item(s) wit all subcontent?":["Möchtest du wirklich %number% Elemente einschließlich aller Unterlemente löschen?"],"Download":["Herunterladen"],"Download .zip":["Zip-Archiv herunterladen"],"Download zip":["Zip-Archiv herunterladen"],"Edit directory":["Ordner bearbeiten"],"Enable Zip Support":["Zip-Archiv-Unterstützung aktivieren"],"Files Module Configuration":["Datei-Modul-Konfiguration"],"Folder":["Ordner"],"Folder options":["Ordner Optionen"],"Insufficient rights to execute this action.":["Keine ausreichenden Rechte um diese Aktion auszuführen."],"Invalid parameter.":["Unzulässiger Parameter."],"Move":["Verschieben"],"Move file":["Datei verschieben"],"Move folder":["Ordner verschieben"],"Moving to the same folder is not valid. Choose a valid parent folder for %title%.":["Verschieben in das selbe Verzeichnis nicht möglich. Bitte ein übergeordnetes Verzeichnis für %title% auswählen."],"No valid items were selected to move.":["Keine gültigen Elemente zum Verschieben ausgewählt."],"Open":["Öffnen"],"Opening archive failed with error code %code%.":["Öffnen des Archivs mit Fehlercode %code% fehlgeschlagen."],"Please select a valid destination folder for %title%.":["Bitte ein gültiges Zielverzeichnis für %title% auswählen."],"Selected items...":["Ausgewählte Elemente..."],"Should not start or end with blank space.":["Sollte nicht mit einem Leerzeichen beginnen oder enden."],"Show":["Anzeigen"],"Show Image":["Bild anzeigen"],"Show Post":["Eintrag anzeigen"],"The archive could not be created.":["Das Archiv konnte nicht erstellt werden"],"The folder %filename% already exists. Contents have been overwritten.":["Das Verzeichnis %filename% ist bereits vorhaden. Der Inhalt wurde überschrieben."],"The folder with the id %id% does not exist.":["Das Verzeichnis mit der ID %id% ist nicht vorhanden."],"This folder is empty.":["Dieser Ordner ist leer."],"Unfortunately you have no permission to upload/edit files.":["Du hast keine Erlaubnis zum hochladen oder bearbeiten von Dateien."],"Updated":["Aktualisiert"],"Upload":["Hochladen"],"Upload .zip":["Zip-Archiv hochladen"],"Upload files or create a subfolder with the buttons on the top.":["Mit den obigen Schaltflächen Dateien hochladen oder Unterordner erstellen."],"Upload files to the stream to fill this folder.":["Poste Dateien im Stream, um diesen Ordner zu füllen."],"Zip support is not enabled.":["Zip-Archiv-Unterstützung ist nicht aktiviert."],"root":["Stammverzeichnis"],"Please specify your Enterprise Edition Licence Code below, you can also leave it blank to start a 14 days trial.":["Gebe unten deinen Enterpise-Lizenzschlüssel ein. Wenn Du keinen Lizenzschlüssel hinterlegst, beginnt eine 14-tägige Testphase."],"Create new ldap mapping":["LDAPZuordnung erstellen"],"Edit ldap mapping":["LDAPZuordnung bearbeiten"],"LDAP member mapping":["LDAP Mitglieder Zuordnung"],"Create new mapping":["Neue Zuordnung erstellen"],"Space ID":["Space ID"],"Choose a thumbnail":["Vorschaubild auswählen"],"Anonymous poll!":["Anonyme Umfrage!"],"Club A Steakhouse":["Club A Steakhaus"],"Pisillo Italian Panini":["Pisillo Italian Panini"],"To Daniel":["Zu Daniel"],"Anonymous":["Anonym"],"Closed":["Beendet"],"Add answer...":["Antwort hinzufügen..."],"Anonymous Votes?":["Anonyme Abstimmung?"],"Display answers in random order?":["Antworten in zufälliger Reihenfolge anzeigen?"],"Edit answer (empty answers will be removed)...":["Antwort bearbeiten (leere Antworten werden entfernt)..."],"Edit your poll question...":["Frage bearbeiten"],"Update HumHub":["HumHub aktualisieren"],"Update HumHub BETA":["HumHub BETA aktualisieren"],"Backup all your files & database before proceed":["Vor dem Fortfahren eine Sicherheitskopie aller Dateien und der Datenbank erstellen"],"Check for next update":["Auf nächstes Update prüfen"],"Could not extract update package!":["Konnte das Updatepaket nicht entpacken!"],"Could not get update info online! (%error%)":["Konnte keine Updateinformationen beziehen! (%error%)"],"Database migration results:":["Ergebnisse der Datenbankmigration:"],"Do not use this updater in combination with Git or Composer installations!":["Diese Modul nicht in Kombination mit Git- oder Composer-Installationen benutzen!"],"Downloading update package...":["Lade Updatepaket herunter..."],"Error!":["Fehler!"],"Installing update package...":["Installiere Updatepaket..."],"Make sure all files are writable by application":["Stelle sicher, dass alle Dateien durch die Anwendung überschrieben werden können"],"Make sure custom modules or themes are compatible with version %version%":["Stelle sicher, dass individuelle Module und Themes mit der Version %version% kompatibel sind"],"Please make sure following files are writable by application:":["Stelle sicher, dass folgende Dateien durch die Anwendung überschrieben werden können:"],"Please note:":["Bitte beachten:"],"Please update installed marketplace modules before and after the update":["Bitte installierte Module vor und nach dem Update aktualisieren"],"Proceed Installation":["Installation fortsetzten"],"Release Notes:":["Release Notes:"],"Show database migration results":["Ergebnisse der Datenbankmigration anzeigen"],"Start Installation":["Installation beginnen"],"The following files seems to be not original (%version%) and will be overwritten or deleted during update process.":["Die folgenden Dateien scheinen nicht zur Originalsinstallation (%version%) zu gehören und werden während des Aktualisierungsvorgangs überschrieben oder gelöscht."],"There is a new update to %version% available!":["Ein Update auf %version% ist verfügbar!"],"There is no new HumHub update available!":["Es kein HumHub-Update verfügbar!"],"Update HumHub BETA":["Aktualiserung HumHub BETA"],"Update package invalid!":["Updatepaket ungültig!"],"Warning!":["Warnung!"],"Warnings:":["Warnungen:"],"successfully installed!":["erfolgreich installiert!"],"version update":["Versionsupdate"],"Update download failed! (%error%)":["Herunterladen des Updates fehlgeschlagen! (%error%)"],"Actions":["Aktionen"],"Allows the user to add comments":["Dem Benutzer erlauben, Kommentare zu erstellen"],"Create comment":["Kommentar erstellen"],"Last Visit":["Letzter Besuch"],"Updated By":["Aktualisiert von"],"Value":["Wert"],"Create private space":["Privaten Space anlegen"],"Create public content":["Öffentlichen Inhalt erstellen"],"Create public space":["Öffentlichen Space anlegen"],"Invite users":["Benutzer einladen"],"Current Group:":["Aktuelle Gruppe:"],"Permissions":["Berechtigungen"],"Hide age per default":["Standardmäßig Alter verstecken"]} \ No newline at end of file diff --git a/protected/humhub/messages/fa_ir/archive.json b/protected/humhub/messages/fa_ir/archive.json index 8c7092d06f..e8f083d3be 100644 --- a/protected/humhub/messages/fa_ir/archive.json +++ b/protected/humhub/messages/fa_ir/archive.json @@ -1 +1 @@ -{"Could not find requested module!":["ماژول درخواست‌شده یافت نشد!"],"Invalid request.":["درخواست نامعتبر."],"Keyword:":["کلیدواژه:"],"Nothing found with your input.":["نتیجه‌ای با ورودی شما یافت نشد."],"Results":["نتایج"],"Show more results":["نمایش نتایج بیشتر"],"Sorry, nothing found!":["متأسفانه موردی یافت نشد!"],"Welcome to %appName%":["به %appName% خوش‌آمدید"],"Latest updates":["آخرین به‌روز‌رسانی‌ها"],"Account settings":["تنظیمات حساب کاربری"],"Administration":["مدیریت"],"Back":["بازگشت"],"Back to dashboard":["بازگشت به خانه"],"Choose language:":["زبان را انتخاب کنید:"],"Collapse":["جمع شدن","جمع کردن"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!"],"Could not determine content container!":["نگهدارنده‌ی محتوا قابل شناسایی نیست!"],"Could not find content of addon!":["محتوای افزونه پیدا‌نشد!"],"Error":["خطا"],"Expand":["باز‌کردن"],"Insufficent permissions to create content!":["دسترسی مورد نیاز برای تولید محتوا وجود ندارد!"],"It looks like you may have taken the wrong turn.":["به نظر می‌رسد مسیر اشتباه را طی کرده‌اید."],"Language":["زبان"],"Latest news":["آخرین اخبار"],"Login":["ورود"],"Logout":["خروج"],"Menu":["منو"],"Module is not on this content container enabled!":["ماژول در این نگهدارنده‌ی محتوا فعال نیست!"],"My profile":["پروفایل من"],"New profile image":["عکس پروفایل جدید"],"Oooops...":["اوه اوه..."],"Search":["جستجو"],"Search for users and spaces":["جستجوی کاربران و انجمن‌ها"],"Space not found!":["انجمن پیدا نشد!","انجمن یافت نشد!"],"User Approvals":["تأیید کاربران"],"User not found!":["کاربر یافت نشد!","کاربر پیدا نشد!"],"You cannot create public visible content!":["شما نمی‌توانید محتوای عمومی قابل دید تولید کنید!"],"Your daily summary":["خلاصه‌ی روزانه‌ی شما"],"Login required":["ورود لازم است"],"Global {global} array cleaned using {method} method.":["Global {global} array cleaned using {method} method."],"Add image/file":["اضافه کردن عکس/فایل"],"Add link":["اضافه کردن لینک"],"Bold":["پررنگ"],"Close":["بستن"],"Code":["کد"],"Enter a url (e.g. http://example.com)":["یک آدرس وارد کنید (مثلا: http://example.com)"],"Heading":["تیتر"],"Image":["عکس"],"Image/File":["عکس/فایل"],"Insert Hyperlink":["هایپر لینک را وارد کنید"],"Insert Image Hyperlink":["هایپر لینک عکس را وارد کنید"],"Italic":["Italic"],"List":["لیست"],"Please wait while uploading...":["لطفا تا بارگذاری صبر کنید"],"Preview":["پیش‌نمایش"],"Quote":["نقل قول"],"Target":["هدف"],"Title":["عنوان"],"Title of your link":["عنوان لینک شما"],"URL/Link":["آدرس/لینک"],"code text here":["متن را اینجا کد کنید"],"emphasized text":["متن تاکیدشده"],"enter image description here":["توضیحات عکی را اینجا وارد کنید"],"enter image title here":["عنوان عکس را اینجا وارد کنید"],"enter link description here":["توضیحات لینک را اینجا وارد کنید"],"heading text":["متن تیتر"],"list text here":["متن را اینجا لیست کنید"],"quote here":["اینجا بیان کنید"],"strong text":["متن پررنگ"],"Could not create activity for this object type!":["برای این قسمت فعالیت تولید نشد!"],"%displayName% created the new space %spaceName%":["%displayName% انجمن جدید %spaceName% را تولیدکرد."],"%displayName% created this space.":["%displayName% این انجمن را تولیدکرده‌است."],"%displayName% joined the space %spaceName%":["%displayName% به انجمن%spaceName% پیوست."],"%displayName% joined this space.":["%displayName% به این انجمن پیوست."],"%displayName% left the space %spaceName%":["%displayName% انجمن%spaceName% را ترک کرد."],"%displayName% left this space.":["%displayName% این انجمن را ترک کرد."],"{user1} now follows {user2}.":["{user1} اکنون {user2} را دنبال می‌کند."],"see online":["مشاهده‌ی آنلاین"],"via":["توسط"],"Latest activities":[" آخرین فعالیت‌ها"],"There are no activities yet.":["هنوز فعالیتی وجود ندارد."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["سلام '{displayname}'

\n\nحساب کاربری شما فعال‌شده‌است.

\n\nبرای ورود اینجا کلیک کنید:
\n {loginURL}

\n\nبا سپاس
\n{AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["سلام '{displayname}'

\n\nحساب کاربری شما ردشده‌است.

\n\nبرای ورود اینجا کلیک کنید:
\n {loginURL}

\n\nبا سپاس
\n{AdminName}

"],"Account Request for '{displayName}' has been approved.":["درخواست حساب کاربری برای '{displayname}' تاییدشده‌است."],"Account Request for '{displayName}' has been declined.":["درخواست حساب کاربری برای '{displayname}' ردشده‌است."],"Group not found!":["گروه یافت نشد!"],"Could not uninstall module first! Module is protected.":["امکان انصراف از نصب ماژول وجود ندارد! ماژول محافظت‌شده است."],"Module path %path% is not writeable!":["مسیر ماژول %path% قابل نوشته‌ شدن نیست!"],"Saved":["ذخیره شد"],"Database":["پایگاه داده"],"No theme":["بدون ظاهر"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["LDAP بارگذاری نشد. PHP Extension را چک کنید."],"File":["فایل"],"No caching (Testing only!)":["عدم ذخیره در حافظه‌ی موقت (فقط تست!)"],"None - shows dropdown in user registration.":["None - shows dropdown in user registration."],"Saved and flushed cache":["ذخیره شد و حافظه‌ی موقت خالی شد."],"Become this user":["این کاربر بشو"],"Delete":["حذف"],"Disabled":["غیرفعال شده"],"Enabled":["فعال شده","فعال شد"],"LDAP":["LDAP"],"Local":["محلی"],"Save":["ذخیره"],"Unapproved":["تایید نشده"],"You cannot delete yourself!":["شما نمی‌توانید خودتان را حذف کنید!"],"Could not load category.":["گروه بارگذاری نشد."],"You can only delete empty categories!":["شما فقط گروه‌های خالی را می‌توانید حذف کنید!"],"Group":["گروه"],"Message":["پیغام"],"Subject":["موضوع"],"Base DN":["DN پایه"],"Enable LDAP Support":["فعال‌‌سازی پشتیبانی LDAP"],"Encryption":["رمزگذاری"],"Fetch/Update Users Automatically":["گرفتن/به‌روز‌رسانی اتوماتیک کاربران"],"Hostname":["نام میزبان"],"Login Filter":["فیلتر ورود"],"Password":["گذرواژه"],"Port":["درگاه"],"User Filer":["فیلتر کاربر"],"Username":["نام کاربری"],"Username Attribute":["صفت نام کاربری"],"Allow limited access for non-authenticated users (guests)":["به کاربرانی که هویتشان تایید نشده (کاربران مهمان) اجازه‌ی دسترسی محدود بده."],"Anonymous users can register":["کاربران ناشناس می‌توانند ثبت نام کنند"],"Default user group for new users":["گروه کاربری پیش‌فرض برای کاربران جدید"],"Default user idle timeout, auto-logout (in seconds, optional)":["زمان بیکاری پیش‌فرض برای کاربران، خروج خودکار (ثانیه، دلخواه)"],"Default user profile visibility":["نمایش پیش‌فرض پروفایل کاربر "],"Members can invite external users by email":["اعضا می‌توانند کاربران خارجی را توسط ایمیل دعوت کنند"],"Require group admin approval after registration":["نیاز به تایید مدیر پس از ثبت نام"],"Base URL":["آدرس پایه"],"Default language":["زبان پیش‌فرض"],"Default space":["انجمن پیش‌فرض"],"Invalid space":["انجمن نامعتبر"],"Logo upload":["بارگذاری لوگو"],"Name of the application":["نام برنامه‌ی کاربردی"],"Show introduction tour for new users":["نمایش تور معرفی برای کاربران جدید"],"Show user profile post form on dashboard":["فرم پست پروفایل کاربر را در خانه نمایش بده"],"Cache Backend":["ذخیره‌ی اطلاعات سمت سرور در حافظه‌ی موقت"],"Default Expire Time (in seconds)":["زمان انقضای پیش‌فرض (ثانیه)"],"PHP APC Extension missing - Type not available!":["PHP APC Extension وجود ندارد - نوع قابل دسترسی نیست!"],"PHP SQLite3 Extension missing - Type not available!":["PHP SQLite3 Extension وجود ندارد - نوع قابل دسترسی نیست!"],"Default pagination size (Entries per page)":["سایز صفحه‌بندی پیش‌فرض (ورودی برای هر صفحه)"],"Display Name (Format)":["نمایش نام (فرمت)"],"Dropdown space order":["ترتیب انجمن‌های لیست"],"Theme":["ظاهر"],"Allowed file extensions":["پسوندهای مجاز فایل"],"Convert command not found!":["دستور تبدیل یافت نشد!"],"Got invalid image magick response! - Correct command?":["پاسخ نامعتبر image magick دریافت شد! - آیا دستور درست است؟"],"Hide file info (name, size) for images on wall":["اطلاعات فایل (نام، سایز) را برای عکس‌های روی صفحه‌ی اعلانات پنهان کن"],"Hide file list widget from showing files for these objects on wall.":["ابزارک لیست فایل را از فایل‌های در حال نمایش برای این مورد روی صفحه‌ی اعلانات پنهان کن."],"Image Magick convert command (optional)":["دستور تبدیل image magick (دلخواه)"],"Maximum preview image height (in pixels, optional)":["ماکزیمم ارتفاع نمایش عکس (پیکسل، دلخواه)"],"Maximum preview image width (in pixels, optional)":["ماکزیمم عرض نمایش عکس (پیکسل، دلخواه)"],"Maximum upload file size (in MB)":["ماکزیمم سایز بارگذاری فایل (MB)"],"Use X-Sendfile for File Downloads":["برای دانلود فایل‌ از X-Sendfile استفاده کنید "],"Allow Self-Signed Certificates?":["مدارک امضاشده توسط خود فرد مجاز باشد؟"],"E-Mail sender address":["آدرس فرستنده‌ی ایمیل"],"E-Mail sender name":["نام فرستنده‌ی ایمیل"],"Mail Transport Type":["نوع انتقال نامه"],"Port number":["شماره‌ی درگاه"],"Endpoint Url":["Endpoint Url"],"Url Prefix":["پیشوند آدرس"],"No Proxy Hosts":["میزبان‌های پراکسی وجود ندارند"],"Server":["سرور"],"User":["کاربر"],"Super Admins can delete each content object":["مدیران ارشد می‌توانند هر مورد محتوا را حذف کنند"],"Default Join Policy":["سیاست پیوستن پیش‌فرض"],"Default Visibility":["نمایش پیش‌فرض"],"HTML tracking code":["کد رهگیری HTML"],"Module directory for module %moduleId% already exists!":["آدرس ماژول برای ماژول %moduleId% وجود دارد!"],"Could not extract module!":["ماژول استخراج نشد!"],"Could not fetch module list online! (%error%)":[" لیست ماژول به ضورت آنلاین گرفته نشد! (%error%)"],"Could not get module info online! (%error%)":[" اطلاعات ماژول به ضورت آنلاین گرفته نشد! (%error%)"],"Download of module failed!":["دانلود ماژول ناموفق بود!"],"Module directory %modulePath% is not writeable!":["آدرس ماژول %modulePath% قابل نوشته‌شدن نیست!"],"Module download failed! (%error%)":["دانلود ماژول ناموفق بود! (%error%)"],"No compatible module version found!":["نسخه‌ی کامل سازگار یافت نشد!","هیچ نسخه‌ی ماژول سازگاری یافت نشد!"],"Activated":["فعال شد"],"No modules installed yet. Install some to enhance the functionality!":["هنوز ماژولی نصب نشده‌است. برای بالا بردن قابلیت ماژول نصب کنید!"],"Version:":["نسخه:"],"Installed":["نصب شد"],"No modules found!":["ماژولی یافت نشد!"],"All modules are up to date!":["همه‌ی ماژول‌ها به‌روز هستند!"],"About HumHub":["درباره‌ی هام‌هاب"],"Currently installed version: %currentVersion%":["ورژن نصب‌شده‌ی کنونی: %currentVersion%"],"Licences":["گواهینامه‌ها"],"There is a new update available! (Latest version: %version%)":["یک آپدیت موجود است! (آخرین ورژن: %version%)"],"This HumHub installation is up to date!":["این HumHub نصب‌شده به‌روز است!"],"Accept":["پذیرش"],"Decline":["انصراف"],"Accept user: {displayName} ":["پذیرش کاربر: {displayName}"],"Cancel":["انصراف"],"Send & save":["ارسال و ذخیره"],"Decline & delete user: {displayName}":["انصراف و حذف کاربر: {displayName}"],"Email":["ایمیل"],"Search for email":["جستجوی ایمیل"],"Search for username":["جستجوی نام کاربری"],"Pending user approvals":["تاییدیه‌های در انتظار کاربر"],"Here you see all users who have registered and still waiting for a approval.":["اینجا همه‌ی کاربرانی را که ثبت نام کرده‌اند و منتظر تایید هستند مشاهده می‌کنید. "],"Delete group":["حذف گروه"],"Delete group":["حذف گروه"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["برای حذف گروه \"{group}\" باید یک گروه جایگزین برای کاربران موجود مشخص کنید:"],"Create new group":["ساختن گروه جدید"],"Edit group":["ویرایش گروه"],"Description":["توضیحات"],"Group name":["نام گروه"],"Ldap DN":["Ldap DN"],"Search for description":["جستجوی توضیحات"],"Search for group name":["جستجوی نام گروه"],"Manage groups":["مدیریت گروه‌ها"],"Create new group":["ایجاد گروه جدید"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["شما می‌توانید کاربران را به گروه‌های گوناگون تقسیم کنید (برای تیم‌ها، بخش‌ها و غیره) و برای آن‌ها مدیران و انجمن‌های استاندارد تعریف کنید."],"Error logging":["خطای ورود"],"Displaying {count} entries per page.":["نمایش {count} مطالب برای هر صفحه"],"Flush entries":["تخلیه‌ی مطالب"],"Total {count} entries found.":["کلا {count} مطلب یافت شد."],"Available updates":["به‌روزرسانی‌های موجود"],"Browse online":["دسترسی آنلاین"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["ماژول‌ها قابلیت‌های هام‌هاب را افزایش می‌دهند. اینجا می‌توانید ماژول‌ها را از فورشگاه هام‌هاب نصب و مدیریت کنید."],"Module details":["جزئیات ماژول"],"This module doesn't provide further informations.":["این ماژول اطلاعات بیشتری در اختیار نمی‌گذارد."],"Processing...":["در حال بررسی. . ."],"Modules directory":["آدرس ماژول"],"Are you sure? *ALL* module data will be lost!":["آیا مطمئن هستید؟ *تمامی* داده‌های ماژول از بین‌خواهد رفت!"],"Are you sure? *ALL* module related data and files will be lost!":["آیا مطمئن هستید؟ *تمامی* داده‌ها و فایل‌های مرتبط با ماژول از بین‌خواهد رفت!"],"Configure":["تنظیم"],"Disable":["غیرفعال"],"Enable":["فعال"],"More info":["اطلاعات بیشتر"],"Set as default":["قرار دادن به عنوان پیش‌فرض"],"Uninstall":["حذف"],"Install":["نصب"],"Latest compatible version:":["آخرین نسخه‌ی سازگار:"],"Latest version:":["آخرین نسخه:"],"Installed version:":["نسخه‌ی نصب‌شده:"],"Latest compatible Version:":["آخرین نسخه‌ی سازگار:"],"Update":["به‌روزرسانی"],"%moduleName% - Set as default module":["%moduleName% - به عنوان ماژول پیش‌فرض قرار بده"],"Always activated":["فعال‌سازی دائمی"],"Deactivated":["غیرفعال‌شد"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["اینجا می‌توانید انتخاب کنید که آیا لازم است یک ماژول به صورت خودکار در یک انجمن یا پروفایل فعال شود یا خیر. اگر لازم است ماژول فعال شود گزینه‌ی فعال‌سازی دائمی را انتخاب کنید."],"Spaces":["انجمن‌ها"],"User Profiles":["پروفایل‌های کاربران"],"There is a new HumHub Version (%version%) available.":["یک ورژن هام‌هاب جدید (%version%) موجود است."],"Authentication - Basic":["احراز هویت - پایه‌ای"],"Basic":["پایه‌ای"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["کمترین مقدار ۲۰ ثانیه است. اگر مشخص نشده‌باشد نشست کاری پس از ۱۴۰۰ ثانیه (۲۴ دقیقه) بدون در نظر گرفتن فعالیت بسته‌خواهد شد (مدت زمان پیش‌فرض نشست کاری)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["فقط زمانی قابل اجراست که برای کاربران ثبت‌نشده دسترسی محدود وجود دارد. تنها روی کاربران جدید اثر می‌گذارد."],"Authentication - LDAP":[" احراز هویت - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["SSL/TSL به شدت در تولید محیط‌ها مورد توجه است تا از جابجایی گذرواژه‌ها در متن واضح جلوگیری شود."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":[" در زمان ورود فیلتر را برای اجرا تعریف می‌کند. %uid نام کاربری را در عمل ورود جایگزین می‌کند. مثال: "(sAMAccountName=%s)" or "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["صفت LDAP برای نام کاربری. مثال: "uid" or "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["دسترسی کاربرانی را که دارای این شرط هستند محدود کن. مثال: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["وضعیت: خطا! (پیغام: {message} )"],"Status: OK! ({userCount} Users)":["وضعیت: بدون مشکل! ({userCount} کاربر)"],"The default base DN used for searching for accounts.":["DN پیش‌فرض استفاده‌شده برای جستجوی حساب‌های کاربری"],"The default credentials password (used only with username above).":["گذرواژه‌ی پیش‌فرض اسناد(استفاده‌شده تنها با نام کاربری بالا) "],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["نام کاربری پیش‌فرض اسناد. برخی سرور ها این را با فرم DN نیاز دارند. در صورتی که سرور LDAP نیاز به bind کردن داشته‌باشد باید با فرم DN داده‌شود تا bind کردن برای نام‌های کاربری ساده امکان‌پذیر باشد."],"Cache Settings":["تنظیمات حافظه‌ی موقت"],"Save & Flush Caches":["ذخیره و تخلیه‌ی حافظه‌ی موقت"],"CronJob settings":["تنظیمات Crontab"],"Crontab of user: {user}":["Crontab کاربر: {user}"],"Last run (daily):":["آخرین اجرا (روزانه):"],"Last run (hourly):":["آخرین اجرا (ساعت):"],"Never":["هرگز"],"Or Crontab of root user":["یا Crontab کاربر روت"],"Please make sure following cronjobs are installed:":["لطفا مطمئن شوید cronjob ‌های زیر نصب‌شده‌اند:"],"Design settings":["تنظیمات طراحی"],"Alphabetical":["الفبایی"],"Firstname Lastname (e.g. John Doe)":["نام نام‌خانوادگی (مانند John Doe)"],"Last visit":["آخرین مشاهده"],"Username (e.g. john)":["نام کاربری (مانند John)"],"File settings":["تنظیمات فایل"],"Comma separated list. Leave empty to allow all.":["لیست جدا‌شده با کاما. برای اجازه‌ی همه خالی بگذارید."],"Comma separated list. Leave empty to show file list for all objects on wall.":["لیست جدا‌شده با کاما. برای نشان دادن لیست فایل برای همه‌ی موارد روی صفحه‌ی اعلانات، خالی بگذارید."],"Current Image Libary: {currentImageLibary}":["کتابخانه‌ی عکس کنونی: {currentImageLibary}"],"If not set, height will default to 200px.":["در صورت مشخص نکردن، ارتفاع مقدار پیش‌فرض ۲۰۰ پیکسل خواهد بود."],"If not set, width will default to 200px.":["در صورت مشخص نکردن، عرض مقدار پیش‌فرض ۲۰۰ پیکسل خواهد بود."],"PHP reported a maximum of {maxUploadSize} MB":["PHP ماکزیمم را {maxUploadSize} مگابایت گزارش کرد."],"Basic settings":["تنظیمات پایه‌ای"],"Confirm image deleting":["تایید حذف عکس"],"Dashboard":["خانه"],"E.g. http://example.com/humhub":["برای مثال http://example.com/humhub"],"New users will automatically added to these space(s).":["کاربران جدید به صورت خودکار به این انجمن(ها) اضافه خواهندشد."],"You're using no logo at the moment. Upload your logo now.":["شما در حال حاضر از هیچ لوگویی استفاده‌نمی‌کنید. لوگوی خود را بارگذاری کنید."],"Mailing defaults":["مقادیر پیش‌فرض پست"],"Activities":["فعالیت‌ها"],"Always":["همیشه"],"Daily summary":["خلاصه‌ی روزانه"],"Defaults":["مقادیر پیش‌فرض"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["مقادیر پیش‌فرض را برای زمانی که یک کاربر ایمیل در مورد اعلان‌ها و یا فعالیت‌های جدید دریافت می‌کند تعریف کنید. این تنظیمات می‌توانند توسط کاربر در تنظیمات حساب کاربری ویرایش شوند."],"Notifications":["اعلان‌ها"],"Server Settings":["تنظیمات سرور"],"When I´m offline":["زمانی‌ که من آفلاین هستم"],"Mailing settings":["تنظیمات پست"],"SMTP Options":["اختیارات SMTP"],"OEmbed Provider":["تامین‌کننده‌ی OEmbed"],"Add new provider":["اضافه کردن تامی‌کننده‌ی جدید"],"Currently active providers:":["تامین‌کنندگان فعال کنونی:"],"Currently no provider active!":["در حال حاضر هیچ تامین‌کننده‌ای فعال نیست!"],"Add OEmbed Provider":["اضافه کردن تامین‌کننده‌ی OEmbed"],"Edit OEmbed Provider":["ویرایش تامین‌کننده‌ی OEmbed"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["پیشوند آدرس بدون http:// یا https:// (مانند youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["%url% را به عنوان مقدار پیشنهادی برای \nآدرس قرار بده. فرمت باید JSON باشد. (برای مثال http://youtube.com/oembed?url=%url%format=json)"],"Proxy settings":["تنظیمات پراکسی"],"Security settings and roles":["تنظیمات و نقش‌های امنیت"],"Self test":["تست شخصی"],"Checking HumHub software prerequisites.":["چک کردن پیش‌نیازهای نرم‌افزار هام‌هاب"],"Re-Run tests":["اجرای دوباره‌ی تست‌ها"],"Statistic settings":["تنظیمات آماری"],"All":["تمامی"],"Delete space":["حذف انجمن"],"Edit space":["ویرایش انجمن"],"Search for space name":["جستجوی نام انجمن"],"Search for space owner":["جستجوی دارنده‌ی انجمن"],"Space name":["نام انجمن"],"Space owner":["دارنده‌ی انجمن"],"View space":["نمایش انجمن"],"Manage spaces":["مدیریت انجمن‌ها"],"Define here default settings for new spaces.":["اینجا تنظیمات پیش‌فرض برای انجمن‌های جدید تعریف کنید. "],"In this overview you can find every space and manage it.":["در این بررسی اجمالی شما می‌توانید هر انجمن را پیدا و مدیریت کنید."],"Overview":["بررسی اجمالی"],"Settings":["تنطیمات"],"Space Settings":["تنظیمات انجمن"],"Add user":["اضافه کردن کاربر"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["آیا مطمئن هستید که می‌خواهید این کاربر را حذف کنید؟ اگر این کاربر دارنده‌ی چند انجمن است شما دارنده‌ی آنها خواهیدشد."],"Delete user":["حذف کاربر"],"Delete user: {username}":["حذف کاربر: {username}"],"Edit user":["ویرایش کاربر"],"Admin":["مدیر"],"Delete user account":["حذف حساب کاربری کاربر"],"Edit user account":["وبرایش حساب کاربری کاربر"],"No":["خیر"],"View user profile":["نمنایش پروفایل کاربر"],"Yes":["بلی"],"Manage users":["مدیریت کاربران"],"Add new user":["اضافه کردن کاربر جدید"],"In this overview you can find every registered user and manage him.":["در این بررسی اجمالی می‌توانید هر کاربر ثبت نام شده را پیدا و مدیریت کنید."],"Create new profile category":["ساختن رده‌ی جدید پروفایل"],"Edit profile category":["ویرایش رده‌ی پروفایل"],"Create new profile field":["ساختن فیلد جدید پروفایل"],"Edit profile field":["ویرایش فیلد پروفایل"],"Manage profiles fields":["مدیریت فیلدهای پروفایل"],"Add new category":["اضافه کردن رده‌ی جدید"],"Add new field":["اضافه کردن فیلد جدید"],"Security & Roles":["امنیت و نقش‌ها"],"Administration menu":["منوی مدیریت"],"About":["درباره‌ی"],"Authentication":["احراز هویت"],"Caching":["دخیره در حافظه‌ی موقت"],"Cron jobs":["Cron Job ها"],"Design":["طراحی"],"Files":["فایل‌ها"],"Groups":["گروه‌ها"],"Logging":["لاگ وقایع"],"Mailing":["پست"],"Modules":["ماژول‌ها"],"OEmbed Provider":["تامین‌کننده‌ی OEmbed"],"Proxy":["پراکسی"],"Self test & update":["خودآزمایی و به‌روزرسانی "],"Statistics":["آمار"],"User approval":["تاییدیه‌ی کاربر"],"User profiles":["پروفایل‌های کاربران"],"Users":["کاربران"],"Click here to review":["برای بازبینی اینجا کلیک کنید."],"New approval requests":["درخواست‌های تاییدیه‌ی جدید"],"One or more user needs your approval as group admin.":["یک یا چند کاربر تایید شما را به عنوان مدیر گروه نیاز دارند."],"Could not delete comment!":["نظر پاک نشد!"],"Invalid target class given":["کلاس نامعتبر"],"Model & Id Parameter required!":["مدل و پارامتر شناسه لازم است!"],"Target not found!":["هدف یافت نشد!"],"Access denied!":["عدم دسترسی!"],"Insufficent permissions!":["غیرمجاز!"],"Comment":["نظر"],"%displayName% wrote a new comment ":["%displayName% یک نظر جدید نوشت"],"Comments":["نظرات"],"Edit your comment...":["نظر خود را ویرایش کنید. . ."],"%displayName% commented %contentTitle%.":["%displayName% نظر %contentTitle% را داد."],"Show all {total} comments.":["نمایش همه‌ی نظرات."],"Post":["پست"],"Write a new comment...":["یک نظر جدید بنویسید. . ."],"Show %count% more comments":["نمایش %count% نظر بیشتر"],"Confirm comment deleting":["تایید حذف نظر"],"Do you really want to delete this comment?":["آیا واقعا می‌خواید این نظر را حذف کنید؟"],"Edit":["ویرایش"],"Updated :timeago":["به‌روزرسانی شد :مدت‌قبل"],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["تعداد برچسب‌ها به ماکزیمم رسیده‌است.\nشما می‌توانید حداکثر دو برچسب هم‌زمان اضافه کنید. برای اضافه کردن این مورد یکی از برچسب‌های دیگر را حذف کنید!"],"Could not load requested object!":["مورد درخواست‌شده یافت نشد!"],"Invalid model given!":["مدل داده‌شده نامعتبر است!"],"Unknown content class!":["کلاس محتوای ناشناخته"],"Could not find requested content!":["محتوای درخواست‌شده یافت نشد!"],"Could not find requested permalink!":["permalink درخواست‌شده یافت نشد!"],"{userName} created a new {contentTitle}.":["{userName} یک {contentTitle} جدید ایجادکرد."],"in":["در"],"Submit":["ثبت"],"No matches with your selected filters!":["هیچ مورد هم‌خوان با فیلترهای انتخابی شما یافت نشد!"],"Nothing here yet!":["هنوز چیزی این‌جا نیست!"],"Move to archive":["انتقال به آرشیو"],"Unarchive":["خروج از آرشیو"],"Add a member to notify":["اضافه کردن کاربر برای اعلام کردن"],"Make private":["خصوصی‌سازی"],"Make public":["عمومی‌سازی"],"Notify members":["اعلام کردن به اعضا"],"Public":["عمومی"],"What's on your mind?":["به چه چیزی فکر می‌کنید؟"],"Confirm post deleting":["تایید حذف پست"],"Do you really want to delete this post? All likes and comments will be lost!":["آیا واقعا می‌خواهید این پست را حذف کنید؟ تمامی نظرات مرتبط و اعلام علاقه‌ها حذف خواهدشد."],"Archived":["آرشیوشده"],"Sticked":["چسبیده"],"Turn off notifications":["خاموش کردن اعلان‌ها"],"Turn on notifications":["روشن کردن اعلان‌ها"],"Permalink to this post":["Permalink به این پست"],"Permalink":["Permalink"],"Stick":["چسباندن"],"Unstick":["رها کردن"],"Nobody wrote something yet.
Make the beginning and post something...":["هنوز کسی چیزی ننوشته‌است. شروع‌کننده باشی و یک مطلب پست کنید . . "],"This profile stream is still empty":["این جریان پروفایل هنوز خالی است"],"This space is still empty!
Start by posting something here...":["این انجمن هنوز خالیست!
با پست کردن یک مطلب شروع کنید . . ."],"Your dashboard is empty!
Post something on your profile or join some spaces!":[" خانه‌ی شما خالی است!
یک پست اضافه کنید و یا به یک انجمن ملحق شوید!"],"Your profile stream is still empty
Get started and post something...":["جریان پروفایل شما هنوز خالی است!
برای شروع یک مطلب پست کنید . . ."],"Nothing found which matches your current filter(s)!":["هیچ موردی که با فیلتر(های) کنونی شما سازگار باشد یافت‌نشد!"],"Show all":["نمایش همه"],"Back to stream":["بازگشت به جریان"],"Content with attached files":["محتوا با فایل‌های پیوست‌شده"],"Created by me":["ایجادشده توسط من"],"Creation time":["زمان ایجاد"],"Filter":["فیلتر"],"Include archived posts":["شامل پست‌های آرشیوشده"],"Last update":["آخرین به‌روزرسانی"],"Only private posts":["فقط پست‌های خصوصی"],"Only public posts":["فقط پست‌های عمومی"],"Posts only":["فقط پست‌ها"],"Posts with links":["پست‌های حاوی لینک"],"Sorting":["مرتب‌سازی"],"Where I´m involved":["جایی که من درگیر هستم"],"No public contents to display found!":["هیچ محتوای عمومی‌ای برای نمایش یافت نشد!"],"Directory":["لیست‌ها"],"Member Group Directory":["آدرس گروه اعضا"],"show all members":["نمایش تمامی اعضا"],"Directory menu":["منوی لیست‌ها"],"Members":["اعضا"],"User profile posts":["پست‌های پروفایل کاربران"],"Member directory":["لیست اعضا"],"Follow":["دنبال‌کردن"],"No members found!":["هیچ عضوی یافت نشد!"],"Unfollow":["انصراف از دنبال‌کردن"],"search for members":["جستجوی اعضا"],"Space directory":["لیست انجمن‌ها"],"No spaces found!":["هیچ انجمنی یافت نشد!"],"You are a member of this space":["شما عضوی از این انجمن هستید"],"search for spaces":["جستحوی انجمن‌ها"],"There are no profile posts yet!":["هنوز هیچ پست پروفایلی موجود نیست!"],"Group stats":["آمار گروه‌ها"],"Average members":["کاربران متوسط"],"Top Group":["گروه برتر"],"Total groups":["کلیه‌ی گروه‌ها"],"Member stats":["آمار اعضا"],"New people":["افراد جدید"],"Follows somebody":["کسی را دنبال می‌کند"],"Online right now":["هم‌اکنون آنلاین"],"Total users":["کلیه‌ی کاربران"],"See all":["مشاهده‌ی همه"],"New spaces":["انجمن‌های جدید"],"Space stats":["آمار انجمن"],"Most members":["اکثریت کاربران"],"Private spaces":["انجمن‌های خصوصی"],"Total spaces":["کلیه‌ی انجمن‌ها"],"Could not find requested file!":["فایل درخواست‌شده یافت نشد!"],"Insufficient permissions!":["غیر مجاز!"],"Created By":["ایجادشده توسط"],"Created at":["ایجادشده در"],"File name":["نام فایل"],"Guid":["راهنما"],"ID":["شناسه"],"Invalid Mime-Type":["Mime-Type نامعتبر"],"Maximum file size ({maxFileSize}) has been exceeded!":["حداکثر مجاز سایز فایل ({maxFileSize}) رعایت نشده‌است."],"Mime Type":["Mime Type"],"Size":["سایز"],"This file type is not allowed!":["این نوع فایل مجاز نیست!"],"Updated at":["به‌روزرسانی‌شده در"],"Updated by":["به‌روزرسانی‌شده توسط"],"Upload error":["خطلای بارگذاری"],"Could not upload File:":["فایل بارگذاری نشد:"],"Upload files":["بارگذاری فایل‌ها"],"Create Admin Account":["ایجاد حساب کاربری مدیر"],"Name of your network":["نام شبکه‌ی شما"],"Name of Database":["نام پایگاه‌داده"],"Admin Account":["حساب کاربری مدیر"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["کار شما تقریبا به پایان رسیده‌است. در آخرین قدم باید فرم ایجاد حساب کاربری مدیر را پر کنید. با این حساب کاربری می‌توانید همه‌ی شبکه را مدیریت کنید."],"Next":["بعدی"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["شبکه‌ی اجتماعی جدید شما به یک نام نیاز دارد. لطفا نام پیش‌فرض را به نامی که خود دوست دارید تغییر دهید. (برای مثال نام شرکت، سازمان و یا کلوب خود)"],"Social Network Name":["نام شبکه‌ی اجتماعی"],"Setup Complete":["تکمیل ساخت"],"Congratulations. You're done.":["تبریک! کار شما به پایان رسیده‌است."],"Sign in":["ورود"],"The installation completed successfully! Have fun with your new social network.":["نصب با موفقیت به پایان رسید! اوقات خوشی در شبکه اجتماعی جدید خود داشته‌باشید."],"Setup Wizard":["تکمیل ساخت"],"Welcome to HumHub
Your Social Network Toolbox":["به هام هاب خوش‌آمدید
ابزارهای شبکه‌ی اجتماعی شما"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["این پنجره نمونه‌ی هام‌هاب شما را نصب و تنطیم خواهد‌کرد"],"Yes, database connection works!":["اتصال پایگاه داده‌ بدون مشکل برقرار است!"],"Database Configuration":["تنظیمات پایگاه داده"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["شما باید در قسمت زیر جزئیات اتصال پایگاه داده‌ی خود را وارد کنید. اگر از این اطلاعات اطمینان ندارید با مدیر سیستم خود تماس بگیرید."],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["نام میزبانی سرور پایگاه داده‌ی MySQL شما (مثال: اگر MySQL روی دستگاه مشترک در حال اجرا است: localhost)"],"Ohh, something went wrong!":["یک مشکل به وجود آمد!"],"The name of the database you want to run HumHub in.":["نام پایگاه‌داده‌ای که می‌خواهید هام‌هاب را در آن اجرا کنید."],"Your MySQL password.":["گذرواژه‌ی MySQL شما."],"Your MySQL username":["نام کاربری MySQL شما."],"System Check":["بررسی سیستم"],"Check again":["بررسی مجدد"],"Congratulations! Everything is ok and ready to start over!":["تبریک! همه چیز مناسب و آماده‌ی شروع است!"],"This overview shows all system requirements of HumHub.":["این بررسی اجمالی نمایانگر تمامی نیازهای سیستم هام‌هاب است."],"Could not find target class!":["کلاس مورد نظر یافت نشد!"],"Could not find target record!":["رکورد مورد نظر یافت نشد!"],"Invalid class given!":["کلاس نامعتبر!"],"Users who like this":["کاربران علاقمند"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} {contentTitle} را دوست دارد"],"%displayName% likes %contentTitle%.":["%displayName% %contentTitle% را دوست دارد."]," likes this.":["این را دوست دارد."],"You like this.":["شما این را دوست دارید."],"You
":["شما
"],"Like":["دوست دارم"],"Unlike":["دوست ندارم"],"and {count} more like this.":["و {count} نفر دیگر این را دوست دارند."],"Could not determine redirect url for this kind of source object!":["آدرسی برای این نوع منبع مشخص نشد! "],"Could not load notification source object to redirect to!":["منبع اعلان یافت نشد!"],"New":["جدید"],"Mark all as seen":["علامت‌گذاری همه به عنوان دیده‌شده"],"There are no notifications yet.":["هنوز هیچ اعلانی وجود ندارد."],"%displayName% created a new post.":["%displayName% یک پست جدید ایجاد کرد."],"Edit your post...":["پست خود را ویرایش کنید . . ."],"Read full post...":["مطالعه‌ی همه‌ی پست. . ."],"Send & decline":["ارسال و انصراف"],"Visible for all":["قابل مشاهده برای همه"]," Invite and request":["دعوت و درخواست"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["امکان حذف کاربری که دارنده‌ی انجمن است وجود ندارد! نام انجمن: {spaceName}"],"Everyone can enter":["همه می‌توانند وارد شوند"],"Invite and request":["دعوت و درخواست"],"Only by invite":["فقط با دعوت"],"Private (Invisible)":["خصوصی (پنهان)"],"Public (Members & Guests)":["عمومی (اعضا و مهمانان)"],"Public (Members only)":["عمومی (فقط اعضا)"],"Public (Registered users only)":["عمومی (فقط کاربران ثبت‌نام‌شده)"],"Public (Visible)":["عمومی (قابل مشاهده)"],"Visible for all (members and guests)":["قابل نمایش برای همه (اعضا و مهمانان)"],"Space is invisible!":["انجمن پنهان است!"],"You need to login to view contents of this space!":["شما باید وارد شوید تا محتوای این انجمن نمایش داده‌شود!"],"As owner you cannot revoke your membership!":["به عنوان دارنده نمی‌توانید عضویت خود را باطل کنید!"],"Could not request membership!":["درخواست عضویت داده‌نشد!"],"There is no pending invite!":["هیچ دعوتی در حال انتظار نیست!"],"This action is only available for workspace members!":["این عمل تنها برای اعضای انجمن امکان دارد!"],"You are not allowed to join this space!":["شما اجازه‌ی پیوستن به این انجمن را ندارید!"],"Your password":["گذرواژه‌ی شما"],"Invites":["دعوت‌ها"],"New user by e-mail (comma separated)":["کاربر جدید با ایمیل (جداشده با کاما)"],"User is already member!":["کاربر قبلا عضو شده‌است!"],"{email} is already registered!":["{email} قبلا ثبت نام کرده‌است!"],"{email} is not valid!":["{email} معتبر نیست!"],"Application message":["پیغام برنامه‌ی کاربردی"],"Scope":["حوزه"],"Strength":["قدرت"],"Created At":["ایجادشده در"],"Join Policy":["سیاست پیوستن"],"Name":["نام"],"Owner":["دارنده"],"Status":["وضعیت"],"Tags":["تگ‌ها"],"Updated At":["به‌روزرسانی‌شده در"],"Visibility":["قابلیت مشاهده"],"Website URL (optional)":["آدرس وب‌سایت (اختیاری)"],"You cannot create private visible spaces!":["شما نمی‌توانید انجمن‌های خصوصی قابل مشاهده ایجاد کنید!"],"You cannot create public visible spaces!":["شما نمی‌توانید انجمن‌های عمومی قابل مشاهده ایجاد کنید!"],"Select the area of your image you want to save as user avatar and click Save.":["قسمتی از عکس خود را که می‌خواهید به عنوان آواتار کاربر ذخیره کنید انتخاب و روی ذخیره کلیک کنید."],"Modify space image":["تغییر عکس انجمن"],"Delete space":["حذف انجمن"],"Are you sure, that you want to delete this space? All published content will be removed!":["آیا مطمئن هستید که می‌خواهید این انجمن را حذف کنید؟ تمامی مطالب منتشرشده برداشته‌خواهندشد!"],"Please provide your password to continue!":["لطفا برای ادامه گذرواژه‌ی خود را وارد کنید!"],"General space settings":["تنظیمات کلی انجمن"],"Archive":["آرشیو"],"Choose the kind of membership you want to provide for this workspace.":["نوع عضویتی را که می‌خواهید برای این محیط کار قراردهید انتخاب کنید."],"Choose the security level for this workspace to define the visibleness.":["سطح امنیتی را که می‌خواهید به منظور تعریف قابلیت مشاهده برای این محیط کار قراردهید انتخاب کنید."],"Manage your space members":["اعضای انجمن خود را مدیریت کنید"],"Outstanding sent invitations":["دعوت‌نامه‌های فرستاده‌شده‌ی برجسته"],"Outstanding user requests":[" درخواست‌های کاربر برجسته"],"Remove member":["حذف عضو"],"Allow this user to
invite other users":["به این کاربر اجازه‌ بده
کاربران دیگر را دعوت کند"],"Allow this user to
make content public":["به این کاربر اجازه‌ بده
محتوا را عمومی کند"],"Are you sure, that you want to remove this member from this space?":["آیا مطمئن هستید که می‌خواهید این کاربر را از این انجمن حذف کنید؟"],"Can invite":["می‌تواند دعوت کند"],"Can share":["می‌تواند به اشتراک بگذارد"],"Change space owner":["تغییر دارنده‌ی انجمن"],"External users who invited by email, will be not listed here.":["کاربران خارجی که توسط ایمیل دعوت‌شده‌اند اینجا لیست نخواهندشد."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["در فضای زیر می‌توانید تمامی کاربران فعال این انجمن را ببینید. شما می‌توانید دسترسی‌های آن‌ها را تغییر دهید و یا از انجمن حذف کنید."],"Is admin":["مدیر است"],"Make this user an admin":["این کاربر را مدیر کن"],"No, cancel":["خیر، انصراف"],"Remove":["حذف"],"Request message":["پیغام درخواست"],"Revoke invitation":["ابطال دعوت‌نامه"],"Search members":["جستجوی اعضا"],"The following users waiting for an approval to enter this space. Please take some action now.":["کاربران زیر منتظر تاییدیه برای ورود به این انجمن هستند. لطفا اقدام کنید."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["کاربران زیر قبلا به این انجمن دعوت‌شده‌اند اما هنوز دعوت‌نامه را نپذیرفته‌اند."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["دارنده‌ی انجمن مدیر ارشد انجمن، با تمامی دسترسی‌ها و معمولا ایجادکننده‌ی انجمن است. اینجا می‌توانید این نقش را به کاربر دیگری تغییر دهید. "],"Yes, remove":["بلی، حذف"],"Space Modules":["ماژول‌های انجمن"],"Are you sure? *ALL* module data for this space will be deleted!":["آیا مطمئن هستید؟ *تمامی* داده‌های ماژول برای این انجمن حذف خواهند‌شد!"],"Currently there are no modules available for this space!":["در حال حاضر ماژولی برای این انجمن موجود نیست!"],"Enhance this space with modules.":["ماژول‌ها را به این انجمن اضافه کنید."],"Create new space":["انجمن جدید ایجاد کنید"],"Advanced access settings":["تنظیمات پیشرفته‌ی دسترسی"],"Also non-members can see this
space, but have no access":["کاربرانی که عضو نیستند هم این
انجمن را ببینند، اما دسترسی نداشته‌باشند"],"Create":["ایجاد"],"Every user can enter your space
without your approval":["هر کاربری می‌تواند
بدون تایید شما به انجمن شما وارد شود"],"For everyone":["برای همه"],"How you want to name your space?":["می‌خواهید نام انجمن‌تان چگونه باشد؟"],"Please write down a small description for other users.":["لطفا توضیحات مختصری برای کاربران دیگر بنویسید."],"This space will be hidden
for all non-members":["این انجمن برای تمامی کاربرانی که عضو نیستند
پنهان خواهدبود"],"Users can also apply for a
membership to this space":["کاربران همچنین می‌توانند
برای عضویت در این انجمن درخواست کنند"],"Users can be only added
by invitation":["کاربران فقط می‌توانند
با دعوت‌نامه اضافه‌شوند"],"space description":["توضیحات انجمن"],"space name":["نام انجمن"],"{userName} requests membership for the space {spaceName}":["{userName} درخواست عضویت در انجمن {spaceName} را دارد"],"{userName} approved your membership for the space {spaceName}":["{userName} درخواست عضویت شما را در {spaceName}تایید کرد"],"{userName} declined your membership request for the space {spaceName}":["{userName} درخواست عضویت شما را در {spaceName}رد کرد"],"{userName} invited you to the space {spaceName}":["{userName} شما را به انجمن {spaceName}دعوت کرد"],"{userName} accepted your invite for the space {spaceName}":["{userName} دعوت شما را برای انجمن {spaceName}قبول کرد"],"{userName} declined your invite for the space {spaceName}":["{userName} دعوت شما را برای انجمن {spaceName}رد کرد"],"This space is still empty!":["این انجمن هنوز خالیست!"],"Accept Invite":["پذیرفتن دعوت"],"Become member":["عضو شدن"],"Cancel membership":["انظراف از عضویت"],"Cancel pending membership application":["انصراف از برنامه‌ی کاربردی عضویت در انتظار"],"Deny Invite":["رد دعوت"],"Request membership":["درخواست عضویت"],"You are the owner of this workspace.":["شما دارنده‌ی این محیط کاری هستید."],"created by":["ایجادشده توسط"],"Invite members":["دعوت اعضا"],"Add an user":["اضافه کردن کاربر"],"Email addresses":["آدرس‌های ایمیل"],"Invite by email":["دعوت با ایمیل"],"New user?":["کاربر جدید؟"],"Pick users":["انتخاب کاربران"],"Send":["ارسال"],"To invite users to this space, please type their names below to find and pick them.":["برای دعوت کاربران به این انجمن لطفا نام آن‌ها را برای یافتن و انتخاب تایپ کنید."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["شما همچنین می‌توانید کاربران خارجی را که هنوز ثبت‌نام نشده‌اند دعوت کنید. تنها آدرس ایمیل آن‌ها را با کاما جدا کنید و بنویسید."],"Request space membership":["درخواست عضویت در انجمن"],"Please shortly introduce yourself, to become an approved member of this space.":["لطفا برای تبدیل شده به عضو تاییدشده‌ی این انجمن، خود را به صورت خلاصه معرفی کنید."],"Your request was successfully submitted to the space administrators.":["درخواست شما با موفقیت به مدیران انجمن ارسال شد."],"Ok":["Ok"],"User has become a member.":["کاربر تبدیل به بک عضو شده‌است."],"User has been invited.":["کاربر دعوت‌شده‌است."],"User has not been invited.":["کاربر دعوت‌نشده‌است."],"Back to workspace":["بازگشت به محیط کار"],"Space preferences":["تنظیمات انجمن"],"General":["کلی"],"My Space List":["لیست انجمن من"],"My space summary":["خلاصه‌ی انجمن من"],"Space directory":["فهرست انجمن"],"Space menu":["منوی انجمن"],"Stream":["جریان"],"Change image":["تغییر عکس"],"Current space image":["عکس کنونی انجمن"],"Do you really want to delete your title image?":["آیا واقعا می‌خواهید عکس عنوان خود را حذف کنید؟"],"Do you really want to delete your profile image?":["آیا واقعا می‌خواهید عکس پروفایل خود را حذف کنید؟","آیا واقعا می‌خواهید عکس عنوان خود را حذف کنید؟"],"Invite":["دعوت"],"Something went wrong":["یک قسمت ایراد دارد","یک مورد ایراد دارد","یک مورد مشکل دارد"],"Followers":["دنبال‌کننده‌ها"],"Posts":["پست‌ها"],"Please shortly introduce yourself, to become a approved member of this workspace.":["لطفا برای تبدیل شدن به عضو تاییدشده‌ی این محیط کار، به صورت خلاصه خود را معرفی کنید."],"Request workspace membership":["درخواست عضویت در محیط کار"],"Your request was successfully submitted to the workspace administrators.":["درخواست شما با موفقیت به مدیران محیط کار ارسال شد."],"Create new space":["ایجاد انجمن جدید"],"My spaces":["انجمن‌های من"],"Space info":["اطلاعات انجمن"],"more":["بیشتر"],"Accept invite":["پذیرفتن دعوت"],"Deny invite":["رد دعوت"],"Leave space":["ترک انجمن"],"New member request":["درخواست عضویت جدید"],"Space members":["اعضای انجمن"],"End guide":["پایان راهنما"],"Next »":["بعدی »"],"« Prev":["« قبلی"],"Administration":["مدیریت"],"Hurray! That's all for now.":["هورا! برای الان کافی است."],"Modules":["ماژول‌ها"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["به عنوان مدیر می‌توانید همه‌ی پلت‌فرم را از این‌جا مدیریت کنید.

جدا از ماژول‌ها ما در این قسمت به جزئیات همه‌ی موارد نمی‌پردازیم زیرا هر مورد توضیحی کوتاه در قسمت‌های دیگر دارد."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["شما هم‌‌اکنون در منوی ابزار‌ها هستید. می‌توانید از این قسمت به بازار آنلاین هام‌هاب دسترسی داشته‌باشید که توسط آن قادر به نصب سریع تعداد افزایش‌پذیری از ابزارها خواهیدبود.

همان‌طور که قبلا اشاره‌شد ابزارها قابلیت‌های بیشتری در اختیار شما قرارخواهندداد."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["شما هم‌اکنون همه‌ی قابلیت‌ها و تنظیمات مهم را آموخته‌اید و آماده‌ی استفاده از پلت‌فرم هستید.

امیدواریم شما و دیگر کاربران آینده از این سایت لذت ببرید. پیشنهادات و پشتیبانی شما را در مورد این پروژه پذیرا هستیم. می‌توانید از طریق آدرس www.humhub.org با ما تماس بگیرید.

شاد باشید! :)"],"Dashboard":["خانه"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["این پنل خانه‌ی شما است.

همه‌ی پست‌ها و فعالیت‌های که می‌توانند مورد علاقه‌ی شما باشند در این قسمت نمایش‌داده‌می‌شوند."],"Administration (Modules)":["مدیریت (ماژول‌ها)"],"Edit account":["حساب حساب کاربری"],"Hurray! The End.":["هورا! پایان."],"Hurray! You're done!":["هورا! کار شما تمام‌شده‌است."],"Profile menu":["پروفایل منوی","منوی پروفایل"],"Profile photo":["پروفایل عکس"],"Profile stream":["پروفایل جریان"],"User profile":["پروفایل کاربر"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["برای به‌روزرسانی پروفایل خود و نتظیمات \nآن روی این دکمه کلیک کنید. همچنین می‌توانید اطلاعات بیشتری به پروفایل خود اضافه‌کنید."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["هر پروفایل تابلوی متعلق به خود را دارد. پست شما در پنل خانه‌ی کاربران دنبال‌کننده‌ی شما نیز نمایش‌داده‌خواهدشد."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["همانند انجمن، پروفایل کاربر می‌تواند با ماژول‌های متنوع شخصی‌سازی شود.

می‌توانید ماژول‌های موجود برای پروفایل خود را با جستجو در قسمت \"ماژول‌ها\" در منوی تنظیمات مشاهده‌کنید."],"This is your public user profile, which can be seen by any registered user.":["این پروفایل عمومی شماست که توسط همه‌ی کاربران ثبت‌نام‌شده دیده‌خواهدشد."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["عکس پروفایل خود را به سادگی با کلیک روی این قسمت و یا کشیدن آن به این‌جا آپلود کنید. برای عکس کاور خود نیز همین عملیات را انجام دهید."],"You've completed the user profile guide!":["شما راهنمای کاربر را به پایان رسانده‌اید."],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["شما راهنمای کاربر را به پایان رسانده‌اید.

برای ادامه‌دادن با راهنمای مدیریت این‌جا کلیک کنید:

"],"Most recent activities":["آخرین فعالیت‌ها"],"Posts":["پست‌ها"],"Profile Guide":["راهنمای پروفایل"],"Space":["انجمن"],"Space navigation menu":["منوی راهبری انجمن"],"Writing posts":["نوشتن پست"],"Yay! You're done.":["هورا! کار شما به پایان رسید."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["تمامی کاربرانی که عضو این انجمن هستند این‌جا نمایش داده‌می‌شوند.

کاربران جدید می‌توانند توسط هر کسی که دسترسی لازم را توسط مدیر دریافت کرده‌است اضافه‌شوند."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["به کاربران دیگر خلاصه‌ای از موضوع انجمن ارائه‌دهید. می‌توانید اطلاعات پایه‌ای را این‌جا اضافه‌کنید.

مدیر انجمن می‌تواند عکس پوشش انجمن را با کلیک کردن و یا کشیدن عکس وارد کند و یا تغییر دهد."],"New posts can be written and posted here.":["پست‌های جدید می‌توانند این‌جا نوشته و ثبت شوند."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["بعد از ملحق شدن به یک انجمن و یا ایجاد یک انجمن جدید می‌توانید در انجام پروژه‌ها، صحبت‌ها و اشتراک اطلاعات سهیم باشید.

ابزارهای متنوعی برای شخصی‌سازی یک انجمن در راستای بهبود روند اجرای فرآیندها وجود دارد."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["راهنمای انجمن به پایان رسید.

برای ادامه دادن با راهنمای پروفایل این‌جا کلیک کنید."],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["این‌جا قسمتی است که می‌توانید انجمن را راهبری کنید - قسمتی که در آن مشخص می‌شود برای انجمن خاصی که در آن هستید چه ماژول‌هایی فعال و یا غیرفعال هستند. برای مثال می‌توان نظرسنجی، کارها و یادداشت‌ها را نام برد.

تنها مدیر انجمن می‌تواند ماژول‌های انجمن را مدیریت کند."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["این منو تنها برای مدیران انجمن قابل مشاهده است. می‌توانید در این قسمت تنظیمات انجمن خود، اضافه و یا مسدود کردن اعضا و فعال و غیرفعال کردن ابزارهای انجمن را مدیریت کنید."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["‌در این قسمت فعالیت‌های اخیر کاربران دیگر برای به‌روز بودن اطلاعات شما نمایش داده‌می‌شود."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["پست‌های شما و کاربران دیگر در این‌جا نمایش دده‌خواهدشد.

این‌ها می‌توانند بعدا مورد علاقه‌ی کاربران قرار گیرند و یا در مورد آن‌ها نظر داده‌شود."],"Account Menu":["منوی حساب کاربری"],"Notifications":["اعلان‌ها"],"Space Menu":["منوی انجمن"],"Start space guide":["شروع راهنمای انجمن"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["رد چیزی را گم نکنید! این آیکن به شما درباره‌ی فعالیت‌ها و پست‌هایی که مربوط به شماست اطلاعات می‌دهد."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["منوی حساب کاربری شما به شما توانایی دسترسی به تنظیمات خصوصی و مدیریت پروفایل عمومی‌تان را می‌دهد."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["این مهم‌ترین منو است و احتمالا بیشترین استفاده را از آن خواهید داشت!

از این‌جا می‌توانید به همه‌ی انجمن‌هایی که در آن‌ها حضور دارید دسترسی داشته‌باشید و انجمن‌های جدید بسازید.

راهنمای بعدی چگونگی آن‌ را برایتان توضیح خواهدداد:"]," Remove panel":["حذف پنل"],"Getting Started":["شروع"],"Guide: Administration (Modules)":["راهنما: مدیریت (ماژول‌ها)"],"Guide: Overview":["راهنما: مرور"],"Guide: Spaces":["راهنما: انجمن‌ها"],"Guide: User profile":["راهنما: پروفایل کاربر"],"Get to know your way around the site's most important features with the following guides:":["توسط راهنماهای زیر با مهم‌ترین ویژگی‌های سایت آشنا شوید:"],"This user account is not approved yet!":["این حساب کاربری هنوز تایید نشده‌است!"],"You need to login to view this user profile!":["برای نمایش این پروفایل باید وارد شوید!"],"Your password is incorrect!":["گذرواژه‌ی شما صحیح نیست!"],"You cannot change your password here.":["شما نمی‌توانید گذرواژه‌ی خود را این‌جا تغییر دهید."],"Invalid link! Please make sure that you entered the entire url.":["لینک نامعتبر است! لطفا اطمینان حاصل‌کنید که آدرس به طور کامل وارد شود. "],"Save profile":["ذخیره‌ی پروفایل"],"The entered e-mail address is already in use by another user.":["ایمیل وارد شده توسط یک کاربر دیگر در حال استفاده‌است."],"You cannot change your e-mail address here.":["شما نمی‌توانید آدرس ایمیل خود را این‌جا تغییر دهید."],"Account":["حساب کاربری"],"Create account":["ایجاد حساب کاربری"],"Current password":["گذرواژه‌ی کنونی"],"E-Mail change":["تغییر ایمیل"],"New E-Mail address":["آدرس ایمیل جدید"],"Send activities?":["ارسال فعالیت‌ها؟"],"Send notifications?":["ارسال اعلان‌ها؟"],"Incorrect username/email or password.":["نام کاربری و یا گذرواژه نادرست است."],"New password":["گذرواژه‌ی جدید"],"New password confirm":["تایید گذرواژه‌ی جدید"],"Remember me next time":["مرا به خاطر بسپار"],"Your account has not been activated by our staff yet.":["حساب کاربری شما هنوز توسط همکاران ما فعال‌نشده‌است."],"Your account is suspended.":["حساب کاربری شما به تعلیق درآمده‌است."],"Password recovery is not possible on your account type!":["بازیابی گذرواژه برای حساب کاربری شما امکان‌پذیر نیست!"],"E-Mail":["ایمیل"],"Password Recovery":["بازیابی گذرواژه"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" یافت نشد!"],"E-Mail is already in use! - Try forgot password.":["این ایمیل در حال استفاده است! از یادآوری گذرواژه استفاده‌کنید."],"Invalid language!":["زبان نامعتبر","زبان نامعتبر!"],"Hide panel on dashboard":["عدم نمایش پنل در خانه"],"Profile visibility":["قابلیت نمایش پروفایل"],"Default Space":["انجمن پیش‌فرض"],"Group Administrators":["مدیرهای گروه"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["اعضا می‌توانند انجمن‌های خصوصی ایجادکنند."],"Members can create public spaces":["اعضا می‌توانند انجمن‌های عمومی ایجادکنند."],"Birthday":["تولد"],"City":["شهر"],"Country":["کشور"],"Custom":["رسم"],"Facebook URL":["آدرس Facebook"],"Fax":["نمابر"],"Female":["خانم"],"Firstname":["نام"],"Flickr URL":["آدرس Flickr"],"Gender":["جنسیت"],"Google+ URL":["آدرس Google+"],"Hide year in profile":["عدم نمایش سال در پروفایل"],"Lastname":["نام خانوادگی"],"LinkedIn URL":["آدرس LinkedIn"],"MSN":["MSN"],"Male":["آقا"],"Mobile":["موبایل"],"MySpace URL":["آدرس MySpace"],"Phone Private":["تلفن خصوصی"],"Phone Work":["تلفن محل کار"],"Skype Nickname":["نام کاربری در Skype"],"State":["استان"],"Street":["خیابان"],"Twitter URL":["آدرس Twitter"],"Url":["آدرس"],"Vimeo URL":["آدرس Vimeo"],"XMPP Jabber Address":["آدرس XMPP Jabber"],"Xing URL":["آدرس Xing"],"Youtube URL":["آدرس Youtube"],"Zip":["کد پستی"],"Created by":["ایجادشده توسط","ایجاد شده توسط"],"Editable":["قابل ویرایش"],"Field Type could not be changed!":["نوع فیلد قابل تغییر نیست!"],"Fieldtype":["نوع فیلد"],"Internal Name":["نام داخلی"],"Internal name already in use!":["نام داخلی در حال استفاده است!"],"Internal name could not be changed!":["نام داخلی قابل تغییر نیست!"],"Invalid field type!":["نوع فیلد نامعتبر است!"],"LDAP Attribute":["صفت LDAP"],"Module":["ماژول"],"Only alphanumeric characters allowed!":["تنها کاراکترهای عددی و الفبایی مجاز است!"],"Profile Field Category":["گروه فیلد پروفایل"],"Required":["مورد نیاز"],"Show at registration":["نمایش در ثبت‌نام"],"Sort order":["ترتیب مرتب‌سازی"],"Translation Category ID":["شناسه‌ی گروه ترجمه"],"Type Config":["تنظیمات نوع"],"Visible":["قابل نمایش"],"Communication":["ارتباط"],"Social bookmarks":["بوکمارک‌های اجنماعی"],"Datetime":["زمان ملاقات"],"Number":["شماره"],"Select List":["انتخاب لیست"],"Text":["متن"],"Text Area":["مکان متن"],"%y Years":["%y سال"],"Birthday field options":["انتخاب‌های فیلد تولد"],"Date(-time) field options":["انتخاب‌های فیلد تاریخ(-زمان)"],"Show date/time picker":["نمایش انتخاب‌کننده‌ی تاریخ/زمان"],"Maximum value":["مقدار حداکثر"],"Minimum value":["مقدار حداقل"],"Number field options":["انتخاب‌های فیلد شماره"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["یک انتخاب برای هر سطح. فرمت کلید=>مقدار (برای مثال بلی=>بلی)"],"Please select:":["لطفا انتخاب کنید:"],"Possible values":["مقادیر ممکن"],"Select field options":["موارد فیلد را انتخاب کنید"],"Default value":["مقدار پیش‌فرض"],"Maximum length":["حداکثر طول"],"Minimum length":["حداقل طول"],"Regular Expression: Error message":["گزاره: پیغام خطا"],"Regular Expression: Validator":["گزاره: معتبرساز"],"Text Field Options":["انتخاب‌های فیلد متن"],"Validator":["معتبرساز"],"Text area field options":["انتخاب‌های فیلد جای متن"],"Authentication mode":["حالت تایید هویت"],"New user needs approval":["کاربر جدید نیاز به تایید دارد"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["نام کاربری می‌تواند تنها شامل حروف، اعداد، فاصله و یا کاراکترهای خاص باشد (+ـ۰-)"],"Wall":["صفحه‌ی اعلانات"],"Change E-mail":["تغییر ایمیل"],"Current E-mail address":["آدرس ایمیل کنونی"],"Your e-mail address has been successfully changed to {email}.":["آدرس ایمیل شما با موفقیت به {email} تغییر یافت."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["یک ایمیل برای تایید به آدرس ایمیل جدید شما فرستاده‌ایم.
لطفا دستور‌العمل داخل آن‌ را دنبال کنید."],"Change password":["تغییر گذرواژه"],"Password changed":["گذرواژه تغییر یافت"],"Your password has been successfully changed!":["گذرواژه‌ی شما با موفقیت تغییر یافت!"],"Modify your profile image":["تغییر عکس پروفایل شما"],"Delete account":["حذف حساب کاربری"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["آیا مطمئن هستید که می‌خواهید حساب کاربری خود را حذف کنید؟
تمامی مطالب منتشرشده‌ی شما حذف خواهدشد!"],"Delete account":["حذف حساب کاربری"],"Enter your password to continue":["برای ادامه گذرواژه‌ی خود را وارد کنید"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["متاسفانه به عنوان دارنده‌ی محیط کار نمی‌توانید حساب کاربری خود را حذف کنید.
لطفا کاربر دیگری را مسئول حذف کردن قرار دهید."],"User details":["جزئیات کاربر"],"User modules":["ماژول‌های کاربر"],"Are you really sure? *ALL* module data for your profile will be deleted!":["آیا مطمئن هستید؟ *تمامی* اطلاعات ماژول‌های پروفایل شما حذف خواهدشد."],"Enhance your profile with modules.":["پروفایل خود را با ماژول‌ها تکمیل کنید."],"User settings":["تنظیمات کاربر"],"Getting Started":["شروع"],"Registered users only":["تنها کاربران ثبت‌نام‌شده"],"Visible for all (also unregistered users)":["قابل مشاهده برای همه (همچنین کاربران ثبت‌نام‌نشده)"],"Desktop Notifications":["اعلان‌های دسکتاپ"],"Email Notifications":["اعلان‌های ایمیل"],"Get a desktop notification when you are online.":["زمانی که آنلاین هستید یک اعلان دسکتاپ دریافت کنید."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["برای هر فعالیت کاربرانی که دنبال می‌کنید و یا با آن‌ها در یک محیط کار همکاری می‌کنید یک ایمیل دریافت کنید."],"Get an email, when other users comment or like your posts.":["زمانی که کاربران دیگر پست‌های شما را دوست دارند و یا در مورد آن‌ها نظر می‌دهند، یک ایمیل دریافت‌کنید."],"Account registration":["ثبت‌نام حساب کاربری"],"Your account has been successfully created!":["حساب کاربری شما با موفقیت ایجادشد!"],"After activating your account by the administrator, you will receive a notification by email.":["پس از فعال‌سازی حساب کاربری شما توسط مدیر،‌ یک اعلان با ایمیل دریافت‌خواهیدکرد."],"Go to login page":["رفتن به صفحه‌ی ورود"],"To log in with your new account, click the button below.":["برای ورود با حساب کاربری جدید خود روی دکمه‌ی زیر کلیک کنید."],"back to home":["بازگشت به صفحه‌ی اصلی"],"Please sign in":["لطقا واردشوید"],"Sign up":["عضو شوید"],"Create a new one.":["ایجاد یک مورد جدید."],"Don't have an account? Join the network by entering your e-mail address.":["حساب کاربری ندارید؟ با وارد کردن آدرس ایمیل خود به شبکه ملحق شوید."],"Forgot your password?":["رمز خود را فراموش‌کرده‌اید؟"],"If you're already a member, please login with your username/email and password.":["اگر عضو هستید لطفا با نام کاربری/ایمیل و گذرواژه‌ی خود واردشوید."],"Register":["ثبت‌نام"],"email":["ایمیل"],"password":["گذرواژه"],"username or email":["نام کاربری یا ایمیل"],"Password recovery":["بازیابی گذرواژه"],"Just enter your e-mail address. We´ll send you recovery instructions!":["تنها آدرس ایمیل خود را وارد کنید. دستورالعمل بازیابی را برایتان ارسال‌خواهیم‌کرد!"],"Reset password":["تنظیم مجدد گذرواژه"],"enter security code above":["کد امنیتی بالا را وارد کنید"],"your email":["ایمیل شما"],"Password recovery!":["بازیابی گذرواژه!"],"We’ve sent you an email containing a link that will allow you to reset your password.":["ما یک ایمیل برای شما ارسال کردیم که حاوی لینکی‌ است که می‌توانید از طریق آن گذرواژه‌ی خود را مجددا تنطیم‌کنید."],"Registration successful!":["ثبت‌نام موفق!"],"Please check your email and follow the instructions!":["لطفا ایمیل خود را چک و دستورالعمل را دنبال کنید!"],"Password reset":["تنظیم مجددا گذرواژه"],"Change your password":["تغییر گذرواژه"],"Change password":["تغییر گذرواژه"],"Password changed!":["گذرواژه تغییر یافت!"],"Confirm your new email address":["آدرس ایمیل خود را تایید کنید"],"Confirm":["تایید"],"Hello":["سلام"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["شما درخواست تغییر ایمیل خود را داده‌اید.
ایمیل جدید شما {newemail} است.

برای تایید آدرس ایمیل خود روی دکمه‌ی زیر کلیک کنید."],"Hello {displayName}":["سلام {displayName}"],"If you don't use this link within 24 hours, it will expire.":["اگر تا ۲۴ ساعت آینده از این لینک استفاده نکنید منقضی خواهدشد."],"Please use the following link within the next day to reset your password.":["لطفا تا روز بعد از لینک زیر برای تنظیم مجدد گذرواژه‌ی خود استفاده کنید."],"Reset Password":["تنظیم مجدد گذرواژه‌"],"Registration Link":["لینک ثبت‌نام"],"Sign up":["عضو شدن"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["به %appName% خوش‌آمدید. لطفا برای ادامه‌ی ثبت‌نام خود روی دکمه‌ی زیر کلیک کنید."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
یک شبکه‌ی اجتماعی برای افزایش ارتباطات و فعالیت‌های گروهی شما.
برای ملحق شده به این انجمن الان ثبت‌نام کنید."],"Space Invite":["دعوت انجمن"],"You got a space invite":["شما یک دعوت به انجمن دریافت کرده‌اید"],"invited you to the space:":["به انجمن دعوت کنید:"],"{userName} mentioned you in {contentTitle}.":["{userName} در {contentTitle} به شما اشاره کرده‌است."],"{userName} is now following you.":["{userName} هم‌اکنون شما را دنبال می‌کند."],"About this user":["درباره‌ی این کاربر"],"Modify your title image":["تغییر عکس عنوان شما"],"This profile stream is still empty!":["این جریان پروفایل هنوز خالی است!"],"Do you really want to delete your logo image?":["آیا واقعا می‌خواهید عکس لوگوی خود را حذف کنید؟"],"Account settings":["تنظیمات حساب کاربری"],"Profile":["پروفایل"],"Edit account":["ویرایش حساب کاربری"],"Following":["دنبال‌شونده‌ها"],"Following user":["کاربر دنبال شونده"],"User followers":["دنبال‌کننده‌های کاربر"],"Member in these spaces":["عضو در این انجمن"],"User tags":["تگ‌های کاربر"],"No birthday.":["زادروزی وجود ندارد."],"Back to modules":["بازگشت‌ به ماژول‌‌ها"],"Birthday Module Configuration":["پیکربندی ماژول زادروز"],"The number of days future bithdays will be shown within.":["تعداد روزهایی که زادروز، قبل از فرا رسیدن یادآوری می‌شود."],"Tomorrow":["فردا"],"Upcoming":["نزدیک"],"You may configure the number of days within the upcoming birthdays are shown.":["شما می‌توانید تعداد روزهایی که زادروزهای نزدیک یادآوری می‌شوند تنظیم کنید. "],"becomes":["می‌شود."],"birthdays":["زادروزها"],"days":["روز"],"today":["امروز"],"years old.":["ساله"],"Active":["فعال"],"Mark as unseen for all users":["برای تمام کاربران به صورت مشاهده‌نشده نمایش‌بده"],"Breaking News Configuration":["تنظیمات اخبار لحظه‌ای"],"Note: You can use markdown syntax.":["توجه: می‌توانید از قواعد نحوی مد‌ل‌های نشانه‌گذاری استفاده کنید."],"End Date and Time":["تاریخ و زمان پایان"],"Recur":["تکرار"],"Recur End":["پایان تکرار"],"Recur Interval":["بازه‌ی تکرار"],"Recur Type":["نوع تکرار"],"Select participants":["انتخاب شرکت‌کننده‌ها"],"Start Date and Time":["تاریخ و زمان شروع"],"You don't have permission to access this event!":["شما اجازه‌ی دسترسی به ابن رویداد را ندارید!"],"You don't have permission to create events!":["شما اجازه‌ی ایجاد رویداد ندارید!"],"Adds an calendar for private or public events to your profile and mainmenu.":["یک تقویم برای رویدادهای خصوصی و یا عمومی به پروفایل شما و منوی اصلی اضافه‌می‌کند."],"Adds an event calendar to this space.":["به این انجمن یک تقویم رویداد اضافه‌می‌کند. "],"All Day":["تمام روز"],"Attending users":["شرکت‌کنندگان"],"Calendar":["تقویم"],"Declining users":["کاربران غیرحاضر"],"End Date":["تاریخ پایان"],"End time must be after start time!":["تاریخ پایان باید پس از تاریخ آغاز باشد!"],"Event":["رویداد"],"Event not found!":["رویداد پیدا نشد!"],"Maybe attending users":["کاربرانی که حضور آن‌ها قطعی نیست"],"Participation Mode":["حالت مشارکت"],"Start Date":["تاریخ شروع"],"You don't have permission to delete this event!":["شما اجازه‌ی پاک کردن این رویداد را ندارید!"],"You don't have permission to edit this event!":["شما اجازه‌ی ویرایش این رویداد را ندارید!"],"%displayName% created a new %contentTitle%.":["%contentTitle% %displayName% را تولید کرد."],"%displayName% attends to %contentTitle%.":["%displayName% در %contentTitle% حضور دارد."],"%displayName% maybe attends to %contentTitle%.":["%displayName% احتمالا در %contentTitle% حضور دارد."],"%displayName% not attends to %contentTitle%.":["%displayName% در %contentTitle% حضور ندارد."],"Start Date/Time":["تاریخ/زمان آغاز"],"Create event":["ساختن گروه"],"Edit event":["ویرایش گروه"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["توجه: این رویداد در پروفایل شما ساخته خواهدشد. برای تولید رویداد انجمن، تقویم آن انجمن را باز کنید."],"End Date/Time":["تاریخ/زمان اتمام"],"Everybody can participate":["همه می‌توانند مشارکت کنند"],"No participants":["مشارکت‌کننده‌ای وجود ندارد"],"Participants":["مشارکت‌کننده‌ها"],"Created by:":["ساخته‌شده توسط:"],"Edit this event":["این رویداد را به پایان برسان"],"I´m attending":["حضور خواهم‌داشت"],"I´m maybe attending":["احتمالا حضور خواهم‌داشت"],"I´m not attending":["حضور نخواهم داشت"],"Attend":["حضور"],"Maybe":["احتمالا"],"Filter events":["فیلتر کردن رویدادها"],"Select calendars":["انتخاب تقویم‌ها"],"Already responded":["پاسخ قبلا داده‌شده‌است"],"Followed spaces":["انجمن‌های دنبال‌شده"],"Followed users":["کاربران دنبال‌شده"],"My events":["رویدادهای من"],"Not responded yet":["هنوز پاسخ داده‌نشده‌است"],"Upcoming events ":["نزدیک رویدادهای"],":count attending":["شمارش حاضرین:"],":count declined":["شمارش انصراف‌ها:"],":count maybe":["شمارش احتمالی‌ها:"],"Participants:":["مشارکت‌کننده‌ها:"],"Create new Page":["ایجاد یک صفحه‌ی جدید"],"Custom Pages":["صفحه‌های سفارشی‌شده"],"HTML":["HTML"],"IFrame":["IFrame"],"Link":["پیوند"],"MarkDown":["MarkDown"],"Navigation":["راهبری"],"No custom pages created yet!":["هنوز هیج صفحه‌ی سفارشی‌شده‌ای ایجاد نشده‌است!"],"Sort Order":["ترتیب مرتب‌سازی"],"Top Navigation":["منوی بالا"],"Type":["تایپ"],"User Account Menu (Settings)":["منوی حساب کاربری (تنظیمات)"],"Create page":["ایجاد صفحه"],"Edit page":["ویرایش صفحه"],"Content":["محتوا"],"Default sort orders scheme: 100, 200, 300, ...":["طرح پیش‌فرض برای ترتیب‌های مرتب‌سازی: ۱۰۰، ۲۰۰، ۳۰۰، . . . "],"Page title":["عنوان صفحه"],"URL":["آدرس"],"The item order was successfully changed.":["ترتیب موارد با موفقیت تغییر‌کرد."],"Toggle view mode":["حالت نمایش متغیر"],"You miss the rights to reorder categories.!":["شما حق مرتب‌سازی گروه‌ها را ندارید!"],"Confirm category deleting":["تأیید حذف گروه"],"Confirm link deleting":["تأیید حذف پیوند"],"Delete category":["پاک کردن گروه"],"Delete link":["پیوند را پاک کن"],"Do you really want to delete this category? All connected links will be lost!":["آیا مطمئن هستید که می‌خواهید این گروه را پاک کنید؟ همه‌ی پیوندهای متصل پاک خواهند‌شد!"],"Do you really want to delete this link?":["آیا مطمئن هستید که می‌خواهید این پیوند را پاک کنید؟"],"Extend link validation by a connection test.":["اعتبار پیوند را با یک تست اتصال تمدید کنید."],"Linklist":["لیست پیوندی"],"Linklist Module Configuration":["پیکربندی ماژول لیست پیوندی"],"Requested category could not be found.":["گروه درخواست‌شده یافت نشد."],"Requested link could not be found.":["پیوند درخواست‌شده یافت نشد."],"Show the links as a widget on the right.":["پیوندها را به صورت ابزارک در سمت راست نمایش بده."],"The category you want to create your link in could not be found!":["گروهی که می‌خواهید پیوندتان را در آن بسازید یافت نشد! "],"There have been no links or categories added to this space yet.":["هنوز پیوند یا گروهی به این انجمن اضافه نشده‌است."],"You can enable the extended validation of links for a space or user.":["شما می‌توانید اعتبار تمدیدشده‌ی لینک‌ها را برای یک انجمن یا کاربر فعال کنید."],"You miss the rights to add/edit links!":["شما حق اضافه/ویرایش کردن پیوندها را ندارید!"],"You miss the rights to delete this category!":["شما حق پاک کردن این گروه را ندارید!"],"You miss the rights to delete this link!":["شما حق پاک کردن این پیوند را ندارید!"],"You miss the rights to edit this category!":["شما حق ویرایش این گروه را ندارید!"],"You miss the rights to edit this link!":["شما حق ویرایش این پیوند را ندارید!"],"Messages":["پیام‌ها","پیغام‌ها"],"You could not send an email to yourself!":["شما نمی‌توانید به خودتان ایمیل بفرستید!"],"Recipient":["گیرنده"],"New message from {senderName}":["پیغام جدید از {senderName}"],"and {counter} other users":["و {counter} نفر دیگر"],"New message in discussion from %displayName%":["پیغام جدید در بحث از %displayName%"],"New message":["پیغام جدید"],"Reply now":["الان پاسخ دهید"],"sent you a new message:":["به شما یک پیغام جدید فرستاد:"],"sent you a new message in":["به شما یک پیغام جدید فرستاد در"],"Add more participants to your conversation...":["شرکت‌کننده‌های دیگری به مکالمه‌ی خود اضافه کنید. . ."],"Add user...":["اضافه کردن کاربر . . ."],"New message":["پیغام جدید"],"Edit message entry":["ویرایش ورودی پیغام"],"Messagebox":["پیغام‌ها"],"Inbox":["دریافتی‌ها"],"There are no messages yet.":["هنوز پیغامی وجود ندارد.","هنوز هیچ پیغامی وجود ندارد."],"Write new message":["نوشتن پیغام جدید"],"Confirm deleting conversation":["تایید حذف مکالمه"],"Confirm leaving conversation":["تایید ترک مکالمه"],"Confirm message deletion":["تایید حذف پیغام"],"Add user":["اضافه کردن کاربر"],"Do you really want to delete this conversation?":["آیا واقعا می‌خواهید این مکالمه را حذف کنید؟"],"Do you really want to delete this message?":["آیا واقعا می‌خواهید این پیغام را حذف کنید؟"],"Do you really want to leave this conversation?":["آیا واقعا می‌خواهید این مکالمه را ترک کنید؟"],"Leave":["ترک"],"Leave discussion":["ترک گفت‌وگو"],"Write an answer...":["نوشتن پاسخ . . ."],"User Posts":["پست‌های کاربران"],"Sign up now":["الان ثبت نام کنید"],"Show all messages":["نمایش همه‌ی پیغام‌ها"],"Send message":["ارسال پیغام"],"No users.":["کاربری یافت نشد."],"The number of users must not be greater than a 7.":["تعداد کاربران نباید بیشتر از ۷ نفر باشد."],"The number of users must not be negative.":["تعداد کاربران نباید منفی باشد."],"Most active people":["فعال‌ترین کاربرها","کاربران با بیشترین فعالیت"],"Get a list":["یک لیست تهیه کنید"],"Most Active Users Module Configuration":["تنظیمات ماژول فعال‌ترین کاربرها"],"The number of most active users that will be shown.":["تعداد فعال‌ترین کاربرانی که نمایش داده‌می‌شود."],"You may configure the number users to be shown.":["شما می‌توانید تعداد کاربران نمایش‌داده‌شده را تنظیم کنید."],"Comments created":["نظرهای ایجادشده"],"Likes given":["لایک‌های داده‌شده"],"Posts created":["پست‌های ایجادشده"],"Notes":["نوشته‌ها"],"Etherpad API Key":["کلید Etherpad API"],"URL to Etherpad":["آدرس به Etherpad API"],"Could not get note content!":["محتوای یادداشت گرفته‌نشد!"],"Could not get note users!":["کاربران یادداشت گرفته‌نشد!"],"Note":["یادداشت"],"{userName} created a new note {noteName}.":["{userName} یادداشت جدید {noteName} را ایجادکرد."],"{userName} has worked on the note {noteName}.":["{userName} روی یادداشت {noteName} کار کرده‌است."],"API Connection successful!":["اتصال موفق API!"],"Could not connect to API!":["اتصال به API برقرار نشد!"],"Current Status:":["وضعیت کنونی:"],"Notes Module Configuration":["تنظیمات ماژول یادداشت"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["لطفا برای جزئیات بیشتر مستند ماژول را در /protected/modules/notes/docs/install.txt مطالعه کنید!"],"Save & Test":["ذخیره و آزمایش"],"The notes module needs a etherpad server up and running!":["ماژول یادداشت نیاز به یک سرور در حال کار etherpad دارد!"],"Save and close":["ذخیره و بستن"],"{userName} created a new note and assigned you.":["{userName} یک یادداشت جدید ایجاد کرد و به شما اختصاص داد."],"{userName} has worked on the note {spaceName}.":["{userName} روی یادداشت {spaceName} کار کرده‌است."],"Open note":["بازکردن یادداشت"],"Title of your new note":["عنوان یادداشت جدید شما"],"No notes found which matches your current filter(s)!":["هیچ یادداشتی که با فیلتر کنونی شما هم‌خوانی داشته‌باشد پیدا نشد!"],"There are no notes yet!":["هنوز هیچ یادداشتی وجود ندارد!"],"Polls":["نظرسنجی‌ها"],"Could not load poll!":["نظرسنجی بارگذاری نشد!"],"Invalid answer!":["پاسخ نامعتبر!"],"Users voted for: {answer}":["کاربران به {answer} رای دادند"],"Voting for multiple answers is disabled!":["رای‌دادن به چند پاسخ غیرفعال است!"],"You have insufficient permissions to perform that operation!":["شما مجاز به انجام عملیات نیستید!"],"Answers":["پاسخ‌ها"],"Multiple answers per user":["چند پاسخ به ازای هر کاربر"],"Please specify at least {min} answers!":["لطفا حداقل {min} پاسخ مشخص کنید!"],"Question":["سؤال"],"{userName} voted the {question}.":["{userName} برای {question} رای داد."],"{userName} created a new {question}.":["{userName} سوال جدید {question} را ایجاد کرد."],"User who vote this":["کاربری که این رای را داده‌است"],"{userName} created a new poll and assigned you.":["{userName} یک نظرسنجی جدید ایجاد کرد و به شما اختصاص داد."],"Ask":["بپرس"],"Reset my vote":["رای من را مجددا تنظیم‌کن"],"Vote":["رای دادن"],"and {count} more vote for this.":["و {count} نفر دیگر به این رای دادند."],"votes":["آرا"],"Allow multiple answers per user?":["اجازه‌ی چند پاسخ به هر کاربر داده‌شود؟"],"Ask something...":["سوال بپرس . . ."],"Possible answers (one per line)":["پاسخ‌های ممکن (هرکدام در یک خط)"],"Display all":["نمایش همه"],"No poll found which matches your current filter(s)!":["هیچ نظرسنجی‌ای که با فیلتر(های) کنونی شما هم‌خوانی داشته‌باشد پیدا نشد!"],"There are no polls yet!":["هنوز هیچ نظرسنجی‌ای موجود نیست!"],"There are no polls yet!
Be the first and create one...":[" هنوز هیچ نظرسنجی‌ای وجود ندارد!
به عنوان اولین نفر ایجاد کنید . . ."],"Asked by me":["پرسیده‌شده توسط من"],"No answered yet":["هنوز پاسخی وجود ندارد"],"Only private polls":["فقط نظرسنجی‌های خصوصی"],"Only public polls":["فقط نظرسنجی‌های عمومی"],"Manage reported posts":["مدیریت پست‌های گزارش‌شده"],"Reported posts":["پست‌های گزارش‌شده"],"by :displayName":["توسط: displayName"],"Doesn't belong to space":["متعلق به انجمن نیست"],"Offensive":["توهین‌آمیز"],"Spam":["Spam"],"Here you can manage reported users posts.":["شما می‌توانید در این قسمت پست‌های گزارش‌شده‌ي کاربران را مدیریت کنید."],"An user has reported your post as offensive.":["یک کاربر پست شما را توهین‌آمیز اعلام کرده‌است."],"An user has reported your post as spam.":["یک کاربر پست شما را اسپم اعلام کرده‌است."],"An user has reported your post for not belonging to the space.":["یک کاربر اعلام کرده‌است که پست شما مربوط به این انجمن نیست."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% %contentTitle% را توهین‌آمیز گزارش کرده‌است."],"%displayName% has reported %contentTitle% as spam.":["%displayName% %contentTitle% را اسپم گزارش کرده‌است."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% گزارش کرده‌است که %contentTitle% متعلق به انجمن نیست."],"Here you can manage reported posts for this space.":["شما می‌توانید در این قسمت پست‌های گزارش‌شده‌ برای این انجمن را مدیریت کنید."],"Appropriate":["مناسب"],"Delete post":["حذف پست"],"Reason":["علت"],"Reporter":["گزارش‌کننده"],"Tasks":["کارها"],"Could not access task!":["دسترسی به کار مورد نظر امکان‌پذیر نیست!"],"{userName} assigned to task {task}.":["{userName} موظف به انجام کار {task} شد."],"{userName} created task {task}.":["{userName} {task} را ایجاد کرد."],"{userName} finished task {task}.":["{userName} {task} را به پایان رساند.","{userName} کار {task} را به پایان رساند."],"{userName} assigned you to the task {task}.":["کار {task} به {userName} سپرده‌شد."],"{userName} created a new task {task}.":["{userName} کار جدید {task} را ایجاد کرد."],"This task is already done":["این کار به پایان رسیده‌است."],"You're not assigned to this task":["این کار به شما سپرده‌نشده‌است"],"Click, to finish this task":["برای اتمام کار کلیک کنید."],"This task is already done. Click to reopen.":["این کار به پایان رسیده‌است. برای باز کردن مجدد، کلیک کنید."],"My tasks":["کارهای من"],"From space: ":["از انجمن:"],"No tasks found which matches your current filter(s)!":["هیچ کاری پیدا نشد که با فیلتر(های) کنونی شما هم‌خوانی داشته‌باشد!"],"There are no tasks yet!":["هنوز هیچ کاری موجود نیست!"],"There are no tasks yet!
Be the first and create one...":["هنوز هیچ کاری موجود نیست!
اولین نفر باشید و یک کار را شروع کنید . . ."],"Assigned to me":["سپرده‌شده به من"],"Nobody assigned":["به هیچ‌کس سپرده‌نشده"],"State is finished":["مرحله به پایان رسیده‌است"],"State is open":["مرحله باز است"],"Assign users to this task":["کاربرانی که این کار به آن‌ها سپرده‌شده‌است"],"Deadline for this task?":["فرصت نهایی برای انجام این کار؟"],"Preassign user(s) for this task.":["کاربران مسئول برای این کار را از پیش تعیین کنید."],"What to do?":["چه عملی انجام شود؟"],"Translation Manager":["مدیریت ترجمه"],"Translations":["ترجمه‌ها"],"Translation Editor":["ویرایش ترجمه"],"Confirm page deleting":["تایید حذف صفحه"],"Confirm page reverting":["تایید برگرداندن صفحه"],"Overview of all pages":["مرور همه‌ی صفحه‌ها"],"Page history":["تاریخچه‌ی صفحه "],"Wiki Module":["ماژول ویکی"],"Adds a wiki to this space.":["یک ویکی به این صفحه اضافه‌می‌کند."],"Adds a wiki to your profile.":["یک ویکی به این پروفایل اضافه‌می‌کند."],"Back to page":["بازگشت به صفحه"],"Do you really want to delete this page?":["آیا واقعا می‌خواهید این صفحه را حذف کنید؟"],"Do you really want to revert this page?":["آیا واقعا می‌خواهید این صفحه را برگردانید؟"],"Edit page":["ویرایش صفحه"],"Edited at":["ویرایش شده در"],"Go back":["بازگشت"],"Invalid character in page title!":["کاراکتر نامعتبر در عنوان صفحه!"],"Let's go!":["برویم!"],"Main page":["صفحه‌ی اصلی"],"New page":["صفحه‌ی جدید"],"No pages created yet. So it's on you.
Create the first page now.":["هنوز هیچ صفحه‌ای ساخته‌نشده‌است. بنابراین بر عهده‌ی شماست.
اولین صفحه‌ را الان بسازید."],"Page History":["تاریخچه‌ی صفحه"],"Page title already in use!":["عنوان صفحه در حال استفاده‌شدن است!"],"Revert":["برگرداندن"],"Revert this":["برگرداندن این"],"View":["نمایش"],"Wiki":["ویکی"],"by":["توسط"],"Wiki page":["صفحه‌ی ویکی"],"Create new page":["ایجاد صفحه‌ی جدید"],"Enter a wiki page name or url (e.g. http://example.com)":["نام یا آدرس یک صفحه‌ی ویکی را وارد کنید (برای مثال http://example.com)"],"New page title":["عنوان صفحه‌ی جدید"],"Page content":["محتوای صفحه"]} \ No newline at end of file +{"Could not find requested module!":["ماژول درخواست‌شده یافت نشد!"],"Invalid request.":["درخواست نامعتبر."],"Keyword:":["کلیدواژه:"],"Nothing found with your input.":["نتیجه‌ای با ورودی شما یافت نشد."],"Results":["نتایج"],"Show more results":["نمایش نتایج بیشتر"],"Sorry, nothing found!":["متأسفانه موردی یافت نشد!"],"Welcome to %appName%":["به %appName% خوش‌آمدید"],"Latest updates":["آخرین به‌روز‌رسانی‌ها"],"Account settings":["تنظیمات حساب کاربری"],"Administration":["مدیریت"],"Back":["بازگشت"],"Back to dashboard":["بازگشت به خانه"],"Choose language:":["زبان را انتخاب کنید:"],"Collapse":["جمع شدن","جمع کردن"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!"],"Could not determine content container!":["نگهدارنده‌ی محتوا قابل شناسایی نیست!"],"Could not find content of addon!":["محتوای افزونه پیدا‌نشد!"],"Error":["خطا"],"Expand":["باز‌کردن"],"Insufficent permissions to create content!":["دسترسی مورد نیاز برای تولید محتوا وجود ندارد!"],"It looks like you may have taken the wrong turn.":["به نظر می‌رسد مسیر اشتباه را طی کرده‌اید."],"Language":["زبان"],"Latest news":["آخرین اخبار"],"Login":["ورود"],"Logout":["خروج"],"Menu":["منو"],"Module is not on this content container enabled!":["ماژول در این نگهدارنده‌ی محتوا فعال نیست!"],"My profile":["پروفایل من"],"New profile image":["عکس پروفایل جدید"],"Oooops...":["اوه اوه..."],"Search":["جستجو"],"Search for users and spaces":["جستجوی کاربران و انجمن‌ها"],"Space not found!":["انجمن پیدا نشد!","انجمن یافت نشد!"],"User Approvals":["تأیید کاربران"],"User not found!":["کاربر یافت نشد!","کاربر پیدا نشد!"],"You cannot create public visible content!":["شما نمی‌توانید محتوای عمومی قابل دید تولید کنید!"],"Your daily summary":["خلاصه‌ی روزانه‌ی شما"],"Login required":["ورود لازم است"],"Global {global} array cleaned using {method} method.":["Global {global} array cleaned using {method} method."],"Add image/file":["اضافه کردن عکس/فایل"],"Add link":["اضافه کردن لینک"],"Bold":["پررنگ"],"Close":["بستن"],"Code":["کد"],"Enter a url (e.g. http://example.com)":["یک آدرس وارد کنید (مثلا: http://example.com)"],"Heading":["تیتر"],"Image":["عکس"],"Image/File":["عکس/فایل"],"Insert Hyperlink":["هایپر لینک را وارد کنید"],"Insert Image Hyperlink":["هایپر لینک عکس را وارد کنید"],"Italic":["Italic"],"List":["لیست"],"Please wait while uploading...":["لطفا تا بارگذاری صبر کنید"],"Preview":["پیش‌نمایش"],"Quote":["نقل قول"],"Target":["هدف"],"Title":["عنوان"],"Title of your link":["عنوان لینک شما"],"URL/Link":["آدرس/لینک"],"code text here":["متن را اینجا کد کنید"],"emphasized text":["متن تاکیدشده"],"enter image description here":["توضیحات عکی را اینجا وارد کنید"],"enter image title here":["عنوان عکس را اینجا وارد کنید"],"enter link description here":["توضیحات لینک را اینجا وارد کنید"],"heading text":["متن تیتر"],"list text here":["متن را اینجا لیست کنید"],"quote here":["اینجا بیان کنید"],"strong text":["متن پررنگ"],"Could not create activity for this object type!":["برای این قسمت فعالیت تولید نشد!"],"%displayName% created the new space %spaceName%":["%displayName% انجمن جدید %spaceName% را تولیدکرد."],"%displayName% created this space.":["%displayName% این انجمن را تولیدکرده‌است."],"%displayName% joined the space %spaceName%":["%displayName% به انجمن%spaceName% پیوست."],"%displayName% joined this space.":["%displayName% به این انجمن پیوست."],"%displayName% left the space %spaceName%":["%displayName% انجمن%spaceName% را ترک کرد."],"%displayName% left this space.":["%displayName% این انجمن را ترک کرد."],"{user1} now follows {user2}.":["{user1} اکنون {user2} را دنبال می‌کند."],"see online":["مشاهده‌ی آنلاین"],"via":["توسط"],"Latest activities":[" آخرین فعالیت‌ها"],"There are no activities yet.":["هنوز فعالیتی وجود ندارد."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["سلام '{displayname}'

\n\nحساب کاربری شما فعال‌شده‌است.

\n\nبرای ورود اینجا کلیک کنید:
\n {loginURL}

\n\nبا سپاس
\n{AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["سلام '{displayname}'

\n\nحساب کاربری شما ردشده‌است.

\n\nبرای ورود اینجا کلیک کنید:
\n {loginURL}

\n\nبا سپاس
\n{AdminName}

"],"Account Request for '{displayName}' has been approved.":["درخواست حساب کاربری برای '{displayname}' تاییدشده‌است."],"Account Request for '{displayName}' has been declined.":["درخواست حساب کاربری برای '{displayname}' ردشده‌است."],"Group not found!":["گروه یافت نشد!"],"Could not uninstall module first! Module is protected.":["امکان انصراف از نصب ماژول وجود ندارد! ماژول محافظت‌شده است."],"Module path %path% is not writeable!":["مسیر ماژول %path% قابل نوشته‌ شدن نیست!"],"Saved":["ذخیره شد"],"Database":["پایگاه داده"],"No theme":["بدون ظاهر"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["LDAP بارگذاری نشد. PHP Extension را چک کنید."],"File":["فایل","فايل"],"No caching (Testing only!)":["عدم ذخیره در حافظه‌ی موقت (فقط تست!)","بدون حافظه موقت(جهت تست)"],"None - shows dropdown in user registration.":["None - shows dropdown in user registration."],"Saved and flushed cache":["ذخیره شد و حافظه‌ی موقت خالی شد."],"Become this user":["این کاربر بشو"],"Delete":["حذف"],"Disabled":["غیرفعال شده"],"Enabled":["فعال شده","فعال شد"],"LDAP":["LDAP"],"Local":["محلی"],"Save":["ذخیره"],"Unapproved":["تایید نشده"],"You cannot delete yourself!":["شما نمی‌توانید خودتان را حذف کنید!"],"Could not load category.":["گروه بارگذاری نشد."],"You can only delete empty categories!":["شما فقط گروه‌های خالی را می‌توانید حذف کنید!"],"Group":["گروه"],"Message":["پیغام"],"Subject":["موضوع"],"Base DN":["DN پایه"],"Enable LDAP Support":["فعال‌‌سازی پشتیبانی LDAP"],"Encryption":["رمزگذاری"],"Fetch/Update Users Automatically":["گرفتن/به‌روز‌رسانی اتوماتیک کاربران"],"Hostname":["نام میزبان"],"Login Filter":["فیلتر ورود"],"Password":["گذرواژه"],"Port":["درگاه"],"User Filer":["فیلتر کاربر"],"Username":["نام کاربری"],"Username Attribute":["صفت نام کاربری"],"Allow limited access for non-authenticated users (guests)":["به کاربرانی که هویتشان تایید نشده (کاربران مهمان) اجازه‌ی دسترسی محدود بده."],"Anonymous users can register":["کاربران ناشناس می‌توانند ثبت نام کنند"],"Default user group for new users":["گروه کاربری پیش‌فرض برای کاربران جدید"],"Default user idle timeout, auto-logout (in seconds, optional)":["زمان بیکاری پیش‌فرض برای کاربران، خروج خودکار (ثانیه، دلخواه)"],"Default user profile visibility":["نمایش پیش‌فرض پروفایل کاربر "],"Members can invite external users by email":["اعضا می‌توانند کاربران خارجی را توسط ایمیل دعوت کنند"],"Require group admin approval after registration":["نیاز به تایید مدیر پس از ثبت نام"],"Base URL":["آدرس پایه"],"Default language":["زبان پیش‌فرض"],"Default space":["انجمن پیش‌فرض"],"Invalid space":["انجمن نامعتبر"],"Logo upload":["بارگذاری لوگو"],"Name of the application":["نام برنامه‌ی کاربردی"],"Show introduction tour for new users":["نمایش تور معرفی برای کاربران جدید"],"Show user profile post form on dashboard":["فرم پست پروفایل کاربر را در خانه نمایش بده"],"Cache Backend":["ذخیره‌ی اطلاعات سمت سرور در حافظه‌ی موقت"],"Default Expire Time (in seconds)":["زمان انقضای پیش‌فرض (ثانیه)"],"PHP APC Extension missing - Type not available!":["PHP APC Extension وجود ندارد - نوع قابل دسترسی نیست!"],"PHP SQLite3 Extension missing - Type not available!":["PHP SQLite3 Extension وجود ندارد - نوع قابل دسترسی نیست!"],"Default pagination size (Entries per page)":["سایز صفحه‌بندی پیش‌فرض (ورودی برای هر صفحه)"],"Display Name (Format)":["نمایش نام (فرمت)"],"Dropdown space order":["ترتیب انجمن‌های لیست"],"Theme":["ظاهر"],"Allowed file extensions":["پسوندهای مجاز فایل"],"Convert command not found!":["دستور تبدیل یافت نشد!"],"Got invalid image magick response! - Correct command?":["پاسخ نامعتبر image magick دریافت شد! - آیا دستور درست است؟"],"Hide file info (name, size) for images on wall":["اطلاعات فایل (نام، سایز) را برای عکس‌های روی صفحه‌ی اعلانات پنهان کن"],"Hide file list widget from showing files for these objects on wall.":["ابزارک لیست فایل را از فایل‌های در حال نمایش برای این مورد روی صفحه‌ی اعلانات پنهان کن."],"Image Magick convert command (optional)":["دستور تبدیل image magick (دلخواه)"],"Maximum preview image height (in pixels, optional)":["ماکزیمم ارتفاع نمایش عکس (پیکسل، دلخواه)"],"Maximum preview image width (in pixels, optional)":["ماکزیمم عرض نمایش عکس (پیکسل، دلخواه)"],"Maximum upload file size (in MB)":["ماکزیمم سایز بارگذاری فایل (MB)"],"Use X-Sendfile for File Downloads":["برای دانلود فایل‌ از X-Sendfile استفاده کنید "],"Allow Self-Signed Certificates?":["مدارک امضاشده توسط خود فرد مجاز باشد؟"],"E-Mail sender address":["آدرس فرستنده‌ی ایمیل"],"E-Mail sender name":["نام فرستنده‌ی ایمیل"],"Mail Transport Type":["نوع انتقال نامه"],"Port number":["شماره‌ی درگاه"],"Endpoint Url":["Endpoint Url"],"Url Prefix":["پیشوند آدرس"],"No Proxy Hosts":["میزبان‌های پراکسی وجود ندارند"],"Server":["سرور"],"User":["کاربر"],"Super Admins can delete each content object":["مدیران ارشد می‌توانند هر مورد محتوا را حذف کنند"],"Default Join Policy":["سیاست پیوستن پیش‌فرض"],"Default Visibility":["نمایش پیش‌فرض"],"HTML tracking code":["کد رهگیری HTML"],"Module directory for module %moduleId% already exists!":["آدرس ماژول برای ماژول %moduleId% وجود دارد!"],"Could not extract module!":["ماژول استخراج نشد!"],"Could not fetch module list online! (%error%)":[" لیست ماژول به ضورت آنلاین گرفته نشد! (%error%)"],"Could not get module info online! (%error%)":[" اطلاعات ماژول به ضورت آنلاین گرفته نشد! (%error%)"],"Download of module failed!":["دانلود ماژول ناموفق بود!"],"Module directory %modulePath% is not writeable!":["آدرس ماژول %modulePath% قابل نوشته‌شدن نیست!"],"Module download failed! (%error%)":["دانلود ماژول ناموفق بود! (%error%)"],"No compatible module version found!":["نسخه‌ی کامل سازگار یافت نشد!","هیچ نسخه‌ی ماژول سازگاری یافت نشد!"],"Activated":["فعال شد"],"No modules installed yet. Install some to enhance the functionality!":["هنوز ماژولی نصب نشده‌است. برای بالا بردن قابلیت ماژول نصب کنید!"],"Version:":["نسخه:"],"Installed":["نصب شد"],"No modules found!":["ماژولی یافت نشد!"],"All modules are up to date!":["همه‌ی ماژول‌ها به‌روز هستند!"],"About HumHub":["درباره‌ی هام‌هاب"],"Currently installed version: %currentVersion%":["ورژن نصب‌شده‌ی کنونی: %currentVersion%"],"Licences":["گواهینامه‌ها"],"There is a new update available! (Latest version: %version%)":["یک آپدیت موجود است! (آخرین ورژن: %version%)"],"This HumHub installation is up to date!":["این HumHub نصب‌شده به‌روز است!"],"Accept":["پذیرش"],"Decline":["انصراف"],"Accept user: {displayName} ":["پذیرش کاربر: {displayName}"],"Cancel":["انصراف"],"Send & save":["ارسال و ذخیره"],"Decline & delete user: {displayName}":["انصراف و حذف کاربر: {displayName}"],"Email":["ایمیل"],"Search for email":["جستجوی ایمیل"],"Search for username":["جستجوی نام کاربری"],"Pending user approvals":["تاییدیه‌های در انتظار کاربر"],"Here you see all users who have registered and still waiting for a approval.":["اینجا همه‌ی کاربرانی را که ثبت نام کرده‌اند و منتظر تایید هستند مشاهده می‌کنید. "],"Delete group":["حذف گروه"],"Delete group":["حذف گروه"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["برای حذف گروه \"{group}\" باید یک گروه جایگزین برای کاربران موجود مشخص کنید:"],"Create new group":["ساختن گروه جدید"],"Edit group":["ویرایش گروه"],"Description":["توضیحات"],"Group name":["نام گروه"],"Ldap DN":["Ldap DN"],"Search for description":["جستجوی توضیحات"],"Search for group name":["جستجوی نام گروه"],"Manage groups":["مدیریت گروه‌ها"],"Create new group":["ایجاد گروه جدید"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["شما می‌توانید کاربران را به گروه‌های گوناگون تقسیم کنید (برای تیم‌ها، بخش‌ها و غیره) و برای آن‌ها مدیران و انجمن‌های استاندارد تعریف کنید."],"Error logging":["خطای ورود"],"Displaying {count} entries per page.":["نمایش {count} مطالب برای هر صفحه"],"Flush entries":["تخلیه‌ی مطالب"],"Total {count} entries found.":["کلا {count} مطلب یافت شد."],"Available updates":["به‌روزرسانی‌های موجود"],"Browse online":["دسترسی آنلاین"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["ماژول‌ها قابلیت‌های هام‌هاب را افزایش می‌دهند. اینجا می‌توانید ماژول‌ها را از فورشگاه هام‌هاب نصب و مدیریت کنید."],"Module details":["جزئیات ماژول"],"This module doesn't provide further informations.":["این ماژول اطلاعات بیشتری در اختیار نمی‌گذارد."],"Processing...":["در حال بررسی. . ."],"Modules directory":["آدرس ماژول"],"Are you sure? *ALL* module data will be lost!":["آیا مطمئن هستید؟ *تمامی* داده‌های ماژول از بین‌خواهد رفت!"],"Are you sure? *ALL* module related data and files will be lost!":["آیا مطمئن هستید؟ *تمامی* داده‌ها و فایل‌های مرتبط با ماژول از بین‌خواهد رفت!"],"Configure":["تنظیم"],"Disable":["غیرفعال"],"Enable":["فعال"],"More info":["اطلاعات بیشتر"],"Set as default":["قرار دادن به عنوان پیش‌فرض"],"Uninstall":["حذف"],"Install":["نصب"],"Latest compatible version:":["آخرین نسخه‌ی سازگار:"],"Latest version:":["آخرین نسخه:"],"Installed version:":["نسخه‌ی نصب‌شده:"],"Latest compatible Version:":["آخرین نسخه‌ی سازگار:"],"Update":["به‌روزرسانی"],"%moduleName% - Set as default module":["%moduleName% - به عنوان ماژول پیش‌فرض قرار بده"],"Always activated":["فعال‌سازی دائمی"],"Deactivated":["غیرفعال‌شد"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["اینجا می‌توانید انتخاب کنید که آیا لازم است یک ماژول به صورت خودکار در یک انجمن یا پروفایل فعال شود یا خیر. اگر لازم است ماژول فعال شود گزینه‌ی فعال‌سازی دائمی را انتخاب کنید."],"Spaces":["انجمن‌ها"],"User Profiles":["پروفایل‌های کاربران"],"There is a new HumHub Version (%version%) available.":["یک ورژن هام‌هاب جدید (%version%) موجود است."],"Authentication - Basic":["احراز هویت - پایه‌ای"],"Basic":["پایه‌ای"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["کمترین مقدار ۲۰ ثانیه است. اگر مشخص نشده‌باشد نشست کاری پس از ۱۴۰۰ ثانیه (۲۴ دقیقه) بدون در نظر گرفتن فعالیت بسته‌خواهد شد (مدت زمان پیش‌فرض نشست کاری)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["فقط زمانی قابل اجراست که برای کاربران ثبت‌نشده دسترسی محدود وجود دارد. تنها روی کاربران جدید اثر می‌گذارد."],"Authentication - LDAP":[" احراز هویت - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["SSL/TSL به شدت در تولید محیط‌ها مورد توجه است تا از جابجایی گذرواژه‌ها در متن واضح جلوگیری شود."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":[" در زمان ورود فیلتر را برای اجرا تعریف می‌کند. %uid نام کاربری را در عمل ورود جایگزین می‌کند. مثال: "(sAMAccountName=%s)" or "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["صفت LDAP برای نام کاربری. مثال: "uid" or "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["دسترسی کاربرانی را که دارای این شرط هستند محدود کن. مثال: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["وضعیت: خطا! (پیغام: {message} )"],"Status: OK! ({userCount} Users)":["وضعیت: بدون مشکل! ({userCount} کاربر)"],"The default base DN used for searching for accounts.":["DN پیش‌فرض استفاده‌شده برای جستجوی حساب‌های کاربری"],"The default credentials password (used only with username above).":["گذرواژه‌ی پیش‌فرض اسناد(استفاده‌شده تنها با نام کاربری بالا) "],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["نام کاربری پیش‌فرض اسناد. برخی سرور ها این را با فرم DN نیاز دارند. در صورتی که سرور LDAP نیاز به bind کردن داشته‌باشد باید با فرم DN داده‌شود تا bind کردن برای نام‌های کاربری ساده امکان‌پذیر باشد."],"Cache Settings":["تنظیمات حافظه‌ی موقت"],"Save & Flush Caches":["ذخیره و تخلیه‌ی حافظه‌ی موقت"],"CronJob settings":["تنظیمات Crontab"],"Crontab of user: {user}":["Crontab کاربر: {user}"],"Last run (daily):":["آخرین اجرا (روزانه):"],"Last run (hourly):":["آخرین اجرا (ساعت):"],"Never":["هرگز"],"Or Crontab of root user":["یا Crontab کاربر روت"],"Please make sure following cronjobs are installed:":["لطفا مطمئن شوید cronjob ‌های زیر نصب‌شده‌اند:"],"Design settings":["تنظیمات طراحی"],"Alphabetical":["الفبایی"],"Firstname Lastname (e.g. John Doe)":["نام نام‌خانوادگی (مانند John Doe)"],"Last visit":["آخرین مشاهده"],"Username (e.g. john)":["نام کاربری (مانند John)"],"File settings":["تنظیمات فایل"],"Comma separated list. Leave empty to allow all.":["لیست جدا‌شده با کاما. برای اجازه‌ی همه خالی بگذارید."],"Comma separated list. Leave empty to show file list for all objects on wall.":["لیست جدا‌شده با کاما. برای نشان دادن لیست فایل برای همه‌ی موارد روی صفحه‌ی اعلانات، خالی بگذارید."],"Current Image Libary: {currentImageLibary}":["کتابخانه‌ی عکس کنونی: {currentImageLibary}"],"If not set, height will default to 200px.":["در صورت مشخص نکردن، ارتفاع مقدار پیش‌فرض ۲۰۰ پیکسل خواهد بود."],"If not set, width will default to 200px.":["در صورت مشخص نکردن، عرض مقدار پیش‌فرض ۲۰۰ پیکسل خواهد بود."],"PHP reported a maximum of {maxUploadSize} MB":["PHP ماکزیمم را {maxUploadSize} مگابایت گزارش کرد."],"Basic settings":["تنظیمات پایه‌ای"],"Confirm image deleting":["تایید حذف عکس"],"Dashboard":["خانه"],"E.g. http://example.com/humhub":["برای مثال http://example.com/humhub"],"New users will automatically added to these space(s).":["کاربران جدید به صورت خودکار به این انجمن(ها) اضافه خواهندشد."],"You're using no logo at the moment. Upload your logo now.":["شما در حال حاضر از هیچ لوگویی استفاده‌نمی‌کنید. لوگوی خود را بارگذاری کنید."],"Mailing defaults":["مقادیر پیش‌فرض پست"],"Activities":["فعالیت‌ها"],"Always":["همیشه"],"Daily summary":["خلاصه‌ی روزانه"],"Defaults":["مقادیر پیش‌فرض"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["مقادیر پیش‌فرض را برای زمانی که یک کاربر ایمیل در مورد اعلان‌ها و یا فعالیت‌های جدید دریافت می‌کند تعریف کنید. این تنظیمات می‌توانند توسط کاربر در تنظیمات حساب کاربری ویرایش شوند."],"Notifications":["اعلان‌ها"],"Server Settings":["تنظیمات سرور"],"When I´m offline":["زمانی‌ که من آفلاین هستم"],"Mailing settings":["تنظیمات پست"],"SMTP Options":["اختیارات SMTP"],"OEmbed Provider":["تامین‌کننده‌ی OEmbed"],"Add new provider":["اضافه کردن تامی‌کننده‌ی جدید"],"Currently active providers:":["تامین‌کنندگان فعال کنونی:"],"Currently no provider active!":["در حال حاضر هیچ تامین‌کننده‌ای فعال نیست!"],"Add OEmbed Provider":["اضافه کردن تامین‌کننده‌ی OEmbed"],"Edit OEmbed Provider":["ویرایش تامین‌کننده‌ی OEmbed"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["پیشوند آدرس بدون http:// یا https:// (مانند youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["%url% را به عنوان مقدار پیشنهادی برای \nآدرس قرار بده. فرمت باید JSON باشد. (برای مثال http://youtube.com/oembed?url=%url%format=json)"],"Proxy settings":["تنظیمات پراکسی"],"Security settings and roles":["تنظیمات و نقش‌های امنیت"],"Self test":["تست شخصی"],"Checking HumHub software prerequisites.":["چک کردن پیش‌نیازهای نرم‌افزار هام‌هاب"],"Re-Run tests":["اجرای دوباره‌ی تست‌ها"],"Statistic settings":["تنظیمات آماری"],"All":["تمامی"],"Delete space":["حذف انجمن"],"Edit space":["ویرایش انجمن"],"Search for space name":["جستجوی نام انجمن"],"Search for space owner":["جستجوی دارنده‌ی انجمن"],"Space name":["نام انجمن"],"Space owner":["دارنده‌ی انجمن"],"View space":["نمایش انجمن"],"Manage spaces":["مدیریت انجمن‌ها"],"Define here default settings for new spaces.":["اینجا تنظیمات پیش‌فرض برای انجمن‌های جدید تعریف کنید. "],"In this overview you can find every space and manage it.":["در این بررسی اجمالی شما می‌توانید هر انجمن را پیدا و مدیریت کنید."],"Overview":["بررسی اجمالی"],"Settings":["تنطیمات"],"Space Settings":["تنظیمات انجمن"],"Add user":["اضافه کردن کاربر"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["آیا مطمئن هستید که می‌خواهید این کاربر را حذف کنید؟ اگر این کاربر دارنده‌ی چند انجمن است شما دارنده‌ی آنها خواهیدشد."],"Delete user":["حذف کاربر"],"Delete user: {username}":["حذف کاربر: {username}"],"Edit user":["ویرایش کاربر"],"Admin":["مدیر"],"Delete user account":["حذف حساب کاربری کاربر"],"Edit user account":["وبرایش حساب کاربری کاربر"],"No":["خیر"],"View user profile":["نمنایش پروفایل کاربر"],"Yes":["بلی"],"Manage users":["مدیریت کاربران"],"Add new user":["اضافه کردن کاربر جدید"],"In this overview you can find every registered user and manage him.":["در این بررسی اجمالی می‌توانید هر کاربر ثبت نام شده را پیدا و مدیریت کنید."],"Create new profile category":["ساختن رده‌ی جدید پروفایل"],"Edit profile category":["ویرایش رده‌ی پروفایل"],"Create new profile field":["ساختن فیلد جدید پروفایل"],"Edit profile field":["ویرایش فیلد پروفایل"],"Manage profiles fields":["مدیریت فیلدهای پروفایل"],"Add new category":["اضافه کردن رده‌ی جدید"],"Add new field":["اضافه کردن فیلد جدید"],"Security & Roles":["امنیت و نقش‌ها"],"Administration menu":["منوی مدیریت"],"About":["درباره‌ی"],"Authentication":["احراز هویت"],"Caching":["دخیره در حافظه‌ی موقت"],"Cron jobs":["Cron Job ها"],"Design":["طراحی"],"Files":["فایل‌ها"],"Groups":["گروه‌ها"],"Logging":["لاگ وقایع"],"Mailing":["پست"],"Modules":["ماژول‌ها"],"OEmbed Provider":["تامین‌کننده‌ی OEmbed"],"Proxy":["پراکسی"],"Self test & update":["خودآزمایی و به‌روزرسانی "],"Statistics":["آمار"],"User approval":["تاییدیه‌ی کاربر"],"User profiles":["پروفایل‌های کاربران"],"Users":["کاربران"],"Click here to review":["برای بازبینی اینجا کلیک کنید."],"New approval requests":["درخواست‌های تاییدیه‌ی جدید"],"One or more user needs your approval as group admin.":["یک یا چند کاربر تایید شما را به عنوان مدیر گروه نیاز دارند."],"Could not delete comment!":["نظر پاک نشد!"],"Invalid target class given":["کلاس نامعتبر"],"Model & Id Parameter required!":["مدل و پارامتر شناسه لازم است!"],"Target not found!":["هدف یافت نشد!"],"Access denied!":["عدم دسترسی!"],"Insufficent permissions!":["غیرمجاز!"],"Comment":["نظر"],"%displayName% wrote a new comment ":["%displayName% یک نظر جدید نوشت"],"Comments":["نظرات"],"Edit your comment...":["نظر خود را ویرایش کنید. . ."],"%displayName% commented %contentTitle%.":["%displayName% نظر %contentTitle% را داد."],"Show all {total} comments.":["نمایش همه‌ی نظرات."],"Post":["پست"],"Write a new comment...":["یک نظر جدید بنویسید. . ."],"Show %count% more comments":["نمایش %count% نظر بیشتر"],"Confirm comment deleting":["تایید حذف نظر"],"Do you really want to delete this comment?":["آیا واقعا می‌خواید این نظر را حذف کنید؟"],"Edit":["ویرایش"],"Updated :timeago":["به‌روزرسانی شد :مدت‌قبل"],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["تعداد برچسب‌ها به ماکزیمم رسیده‌است.\nشما می‌توانید حداکثر دو برچسب هم‌زمان اضافه کنید. برای اضافه کردن این مورد یکی از برچسب‌های دیگر را حذف کنید!"],"Could not load requested object!":["مورد درخواست‌شده یافت نشد!"],"Invalid model given!":["مدل داده‌شده نامعتبر است!"],"Unknown content class!":["کلاس محتوای ناشناخته"],"Could not find requested content!":["محتوای درخواست‌شده یافت نشد!"],"Could not find requested permalink!":["permalink درخواست‌شده یافت نشد!"],"{userName} created a new {contentTitle}.":["{userName} یک {contentTitle} جدید ایجادکرد."],"in":["در"],"Submit":["ثبت"],"No matches with your selected filters!":["هیچ مورد هم‌خوان با فیلترهای انتخابی شما یافت نشد!"],"Nothing here yet!":["هنوز چیزی این‌جا نیست!"],"Move to archive":["انتقال به آرشیو"],"Unarchive":["خروج از آرشیو"],"Add a member to notify":["اضافه کردن کاربر برای اعلام کردن"],"Make private":["خصوصی‌سازی"],"Make public":["عمومی‌سازی"],"Notify members":["اعلام کردن به اعضا"],"Public":["عمومی"],"What's on your mind?":["به چه چیزی فکر می‌کنید؟"],"Confirm post deleting":["تایید حذف پست"],"Do you really want to delete this post? All likes and comments will be lost!":["آیا واقعا می‌خواهید این پست را حذف کنید؟ تمامی نظرات مرتبط و اعلام علاقه‌ها حذف خواهدشد."],"Archived":["آرشیوشده"],"Sticked":["چسبیده"],"Turn off notifications":["خاموش کردن اعلان‌ها"],"Turn on notifications":["روشن کردن اعلان‌ها"],"Permalink to this post":["Permalink به این پست"],"Permalink":["Permalink"],"Stick":["چسباندن"],"Unstick":["رها کردن"],"Nobody wrote something yet.
Make the beginning and post something...":["هنوز کسی چیزی ننوشته‌است. شروع‌کننده باشی و یک مطلب پست کنید . . "],"This profile stream is still empty":["این جریان پروفایل هنوز خالی است"],"This space is still empty!
Start by posting something here...":["این انجمن هنوز خالیست!
با پست کردن یک مطلب شروع کنید . . ."],"Your dashboard is empty!
Post something on your profile or join some spaces!":[" خانه‌ی شما خالی است!
یک پست اضافه کنید و یا به یک انجمن ملحق شوید!"],"Your profile stream is still empty
Get started and post something...":["جریان پروفایل شما هنوز خالی است!
برای شروع یک مطلب پست کنید . . ."],"Nothing found which matches your current filter(s)!":["هیچ موردی که با فیلتر(های) کنونی شما سازگار باشد یافت‌نشد!"],"Show all":["نمایش همه"],"Back to stream":["بازگشت به جریان"],"Content with attached files":["محتوا با فایل‌های پیوست‌شده"],"Created by me":["ایجادشده توسط من"],"Creation time":["زمان ایجاد"],"Filter":["فیلتر"],"Include archived posts":["شامل پست‌های آرشیوشده"],"Last update":["آخرین به‌روزرسانی"],"Only private posts":["فقط پست‌های خصوصی"],"Only public posts":["فقط پست‌های عمومی"],"Posts only":["فقط پست‌ها"],"Posts with links":["پست‌های حاوی لینک"],"Sorting":["مرتب‌سازی"],"Where I´m involved":["جایی که من درگیر هستم"],"No public contents to display found!":["هیچ محتوای عمومی‌ای برای نمایش یافت نشد!"],"Directory":["لیست‌ها"],"Member Group Directory":["آدرس گروه اعضا"],"show all members":["نمایش تمامی اعضا"],"Directory menu":["منوی لیست‌ها"],"Members":["اعضا"],"User profile posts":["پست‌های پروفایل کاربران"],"Member directory":["لیست اعضا"],"Follow":["دنبال‌کردن"],"No members found!":["هیچ عضوی یافت نشد!"],"Unfollow":["انصراف از دنبال‌کردن"],"search for members":["جستجوی اعضا"],"Space directory":["لیست انجمن‌ها"],"No spaces found!":["هیچ انجمنی یافت نشد!"],"You are a member of this space":["شما عضوی از این انجمن هستید"],"search for spaces":["جستحوی انجمن‌ها"],"There are no profile posts yet!":["هنوز هیچ پست پروفایلی موجود نیست!"],"Group stats":["آمار گروه‌ها"],"Average members":["کاربران متوسط"],"Top Group":["گروه برتر"],"Total groups":["کلیه‌ی گروه‌ها"],"Member stats":["آمار اعضا"],"New people":["افراد جدید"],"Follows somebody":["کسی را دنبال می‌کند"],"Online right now":["هم‌اکنون آنلاین"],"Total users":["کلیه‌ی کاربران"],"See all":["مشاهده‌ی همه"],"New spaces":["انجمن‌های جدید"],"Space stats":["آمار انجمن"],"Most members":["اکثریت کاربران"],"Private spaces":["انجمن‌های خصوصی"],"Total spaces":["کلیه‌ی انجمن‌ها"],"Could not find requested file!":["فایل درخواست‌شده یافت نشد!"],"Insufficient permissions!":["غیر مجاز!"],"Created By":["ایجادشده توسط"],"Created at":["ایجادشده در"],"File name":["نام فایل"],"Guid":["راهنما"],"ID":["شناسه"],"Invalid Mime-Type":["Mime-Type نامعتبر"],"Maximum file size ({maxFileSize}) has been exceeded!":["حداکثر مجاز سایز فایل ({maxFileSize}) رعایت نشده‌است."],"Mime Type":["Mime Type"],"Size":["سایز"],"This file type is not allowed!":["این نوع فایل مجاز نیست!"],"Updated at":["به‌روزرسانی‌شده در"],"Updated by":["به‌روزرسانی‌شده توسط"],"Upload error":["خطلای بارگذاری"],"Could not upload File:":["فایل بارگذاری نشد:"],"Upload files":["بارگذاری فایل‌ها"],"Create Admin Account":["ایجاد حساب کاربری مدیر"],"Name of your network":["نام شبکه‌ی شما"],"Name of Database":["نام پایگاه‌داده"],"Admin Account":["حساب کاربری مدیر"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["کار شما تقریبا به پایان رسیده‌است. در آخرین قدم باید فرم ایجاد حساب کاربری مدیر را پر کنید. با این حساب کاربری می‌توانید همه‌ی شبکه را مدیریت کنید."],"Next":["بعدی"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["شبکه‌ی اجتماعی جدید شما به یک نام نیاز دارد. لطفا نام پیش‌فرض را به نامی که خود دوست دارید تغییر دهید. (برای مثال نام شرکت، سازمان و یا کلوب خود)"],"Social Network Name":["نام شبکه‌ی اجتماعی"],"Setup Complete":["تکمیل ساخت"],"Congratulations. You're done.":["تبریک! کار شما به پایان رسیده‌است."],"Sign in":["ورود"],"The installation completed successfully! Have fun with your new social network.":["نصب با موفقیت به پایان رسید! اوقات خوشی در شبکه اجتماعی جدید خود داشته‌باشید."],"Setup Wizard":["تکمیل ساخت"],"Welcome to HumHub
Your Social Network Toolbox":["به هام هاب خوش‌آمدید
ابزارهای شبکه‌ی اجتماعی شما"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["این پنجره نمونه‌ی هام‌هاب شما را نصب و تنطیم خواهد‌کرد"],"Yes, database connection works!":["اتصال پایگاه داده‌ بدون مشکل برقرار است!"],"Database Configuration":["تنظیمات پایگاه داده"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["شما باید در قسمت زیر جزئیات اتصال پایگاه داده‌ی خود را وارد کنید. اگر از این اطلاعات اطمینان ندارید با مدیر سیستم خود تماس بگیرید."],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["نام میزبانی سرور پایگاه داده‌ی MySQL شما (مثال: اگر MySQL روی دستگاه مشترک در حال اجرا است: localhost)"],"Ohh, something went wrong!":["یک مشکل به وجود آمد!"],"The name of the database you want to run HumHub in.":["نام پایگاه‌داده‌ای که می‌خواهید هام‌هاب را در آن اجرا کنید."],"Your MySQL password.":["گذرواژه‌ی MySQL شما."],"Your MySQL username":["نام کاربری MySQL شما."],"System Check":["بررسی سیستم"],"Check again":["بررسی مجدد"],"Congratulations! Everything is ok and ready to start over!":["تبریک! همه چیز مناسب و آماده‌ی شروع است!"],"This overview shows all system requirements of HumHub.":["این بررسی اجمالی نمایانگر تمامی نیازهای سیستم هام‌هاب است."],"Could not find target class!":["کلاس مورد نظر یافت نشد!"],"Could not find target record!":["رکورد مورد نظر یافت نشد!"],"Invalid class given!":["کلاس نامعتبر!"],"Users who like this":["کاربران علاقمند"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} {contentTitle} را دوست دارد"],"%displayName% likes %contentTitle%.":["%displayName% %contentTitle% را دوست دارد."]," likes this.":["این را دوست دارد."],"You like this.":["شما این را دوست دارید."],"You
":["شما
"],"Like":["دوست دارم"],"Unlike":["دوست ندارم"],"and {count} more like this.":["و {count} نفر دیگر این را دوست دارند."],"Could not determine redirect url for this kind of source object!":["آدرسی برای این نوع منبع مشخص نشد! "],"Could not load notification source object to redirect to!":["منبع اعلان یافت نشد!"],"New":["جدید"],"Mark all as seen":["علامت‌گذاری همه به عنوان دیده‌شده"],"There are no notifications yet.":["هنوز هیچ اعلانی وجود ندارد."],"%displayName% created a new post.":["%displayName% یک پست جدید ایجاد کرد."],"Edit your post...":["پست خود را ویرایش کنید . . ."],"Read full post...":["مطالعه‌ی همه‌ی پست. . ."],"Send & decline":["ارسال و انصراف"],"Visible for all":["قابل مشاهده برای همه"]," Invite and request":["دعوت و درخواست"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["امکان حذف کاربری که دارنده‌ی انجمن است وجود ندارد! نام انجمن: {spaceName}"],"Everyone can enter":["همه می‌توانند وارد شوند"],"Invite and request":["دعوت و درخواست"],"Only by invite":["فقط با دعوت"],"Private (Invisible)":["خصوصی (پنهان)"],"Public (Members & Guests)":["عمومی (اعضا و مهمانان)"],"Public (Members only)":["عمومی (فقط اعضا)"],"Public (Registered users only)":["عمومی (فقط کاربران ثبت‌نام‌شده)"],"Public (Visible)":["عمومی (قابل مشاهده)"],"Visible for all (members and guests)":["قابل نمایش برای همه (اعضا و مهمانان)"],"Space is invisible!":["انجمن پنهان است!"],"You need to login to view contents of this space!":["شما باید وارد شوید تا محتوای این انجمن نمایش داده‌شود!"],"As owner you cannot revoke your membership!":["به عنوان دارنده نمی‌توانید عضویت خود را باطل کنید!"],"Could not request membership!":["درخواست عضویت داده‌نشد!"],"There is no pending invite!":["هیچ دعوتی در حال انتظار نیست!"],"This action is only available for workspace members!":["این عمل تنها برای اعضای انجمن امکان دارد!"],"You are not allowed to join this space!":["شما اجازه‌ی پیوستن به این انجمن را ندارید!"],"Your password":["گذرواژه‌ی شما"],"Invites":["دعوت‌ها"],"New user by e-mail (comma separated)":["کاربر جدید با ایمیل (جداشده با کاما)"],"User is already member!":["کاربر قبلا عضو شده‌است!"],"{email} is already registered!":["{email} قبلا ثبت نام کرده‌است!"],"{email} is not valid!":["{email} معتبر نیست!"],"Application message":["پیغام برنامه‌ی کاربردی"],"Scope":["حوزه"],"Strength":["قدرت"],"Created At":["ایجادشده در"],"Join Policy":["سیاست پیوستن"],"Name":["نام"],"Owner":["دارنده"],"Status":["وضعیت"],"Tags":["تگ‌ها"],"Updated At":["به‌روزرسانی‌شده در"],"Visibility":["قابلیت مشاهده"],"Website URL (optional)":["آدرس وب‌سایت (اختیاری)"],"You cannot create private visible spaces!":["شما نمی‌توانید انجمن‌های خصوصی قابل مشاهده ایجاد کنید!"],"You cannot create public visible spaces!":["شما نمی‌توانید انجمن‌های عمومی قابل مشاهده ایجاد کنید!"],"Select the area of your image you want to save as user avatar and click Save.":["قسمتی از عکس خود را که می‌خواهید به عنوان آواتار کاربر ذخیره کنید انتخاب و روی ذخیره کلیک کنید."],"Modify space image":["تغییر عکس انجمن"],"Delete space":["حذف انجمن"],"Are you sure, that you want to delete this space? All published content will be removed!":["آیا مطمئن هستید که می‌خواهید این انجمن را حذف کنید؟ تمامی مطالب منتشرشده برداشته‌خواهندشد!"],"Please provide your password to continue!":["لطفا برای ادامه گذرواژه‌ی خود را وارد کنید!"],"General space settings":["تنظیمات کلی انجمن"],"Archive":["آرشیو"],"Choose the kind of membership you want to provide for this workspace.":["نوع عضویتی را که می‌خواهید برای این محیط کار قراردهید انتخاب کنید."],"Choose the security level for this workspace to define the visibleness.":["سطح امنیتی را که می‌خواهید به منظور تعریف قابلیت مشاهده برای این محیط کار قراردهید انتخاب کنید."],"Manage your space members":["اعضای انجمن خود را مدیریت کنید"],"Outstanding sent invitations":["دعوت‌نامه‌های فرستاده‌شده‌ی برجسته"],"Outstanding user requests":[" درخواست‌های کاربر برجسته"],"Remove member":["حذف عضو"],"Allow this user to
invite other users":["به این کاربر اجازه‌ بده
کاربران دیگر را دعوت کند"],"Allow this user to
make content public":["به این کاربر اجازه‌ بده
محتوا را عمومی کند"],"Are you sure, that you want to remove this member from this space?":["آیا مطمئن هستید که می‌خواهید این کاربر را از این انجمن حذف کنید؟"],"Can invite":["می‌تواند دعوت کند"],"Can share":["می‌تواند به اشتراک بگذارد"],"Change space owner":["تغییر دارنده‌ی انجمن"],"External users who invited by email, will be not listed here.":["کاربران خارجی که توسط ایمیل دعوت‌شده‌اند اینجا لیست نخواهندشد."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["در فضای زیر می‌توانید تمامی کاربران فعال این انجمن را ببینید. شما می‌توانید دسترسی‌های آن‌ها را تغییر دهید و یا از انجمن حذف کنید."],"Is admin":["مدیر است"],"Make this user an admin":["این کاربر را مدیر کن"],"No, cancel":["خیر، انصراف"],"Remove":["حذف"],"Request message":["پیغام درخواست"],"Revoke invitation":["ابطال دعوت‌نامه"],"Search members":["جستجوی اعضا"],"The following users waiting for an approval to enter this space. Please take some action now.":["کاربران زیر منتظر تاییدیه برای ورود به این انجمن هستند. لطفا اقدام کنید."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["کاربران زیر قبلا به این انجمن دعوت‌شده‌اند اما هنوز دعوت‌نامه را نپذیرفته‌اند."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["دارنده‌ی انجمن مدیر ارشد انجمن، با تمامی دسترسی‌ها و معمولا ایجادکننده‌ی انجمن است. اینجا می‌توانید این نقش را به کاربر دیگری تغییر دهید. "],"Yes, remove":["بلی، حذف"],"Space Modules":["ماژول‌های انجمن"],"Are you sure? *ALL* module data for this space will be deleted!":["آیا مطمئن هستید؟ *تمامی* داده‌های ماژول برای این انجمن حذف خواهند‌شد!"],"Currently there are no modules available for this space!":["در حال حاضر ماژولی برای این انجمن موجود نیست!"],"Enhance this space with modules.":["ماژول‌ها را به این انجمن اضافه کنید."],"Create new space":["انجمن جدید ایجاد کنید"],"Advanced access settings":["تنظیمات پیشرفته‌ی دسترسی"],"Also non-members can see this
space, but have no access":["کاربرانی که عضو نیستند هم این
انجمن را ببینند، اما دسترسی نداشته‌باشند"],"Create":["ایجاد"],"Every user can enter your space
without your approval":["هر کاربری می‌تواند
بدون تایید شما به انجمن شما وارد شود"],"For everyone":["برای همه"],"How you want to name your space?":["می‌خواهید نام انجمن‌تان چگونه باشد؟"],"Please write down a small description for other users.":["لطفا توضیحات مختصری برای کاربران دیگر بنویسید."],"This space will be hidden
for all non-members":["این انجمن برای تمامی کاربرانی که عضو نیستند
پنهان خواهدبود"],"Users can also apply for a
membership to this space":["کاربران همچنین می‌توانند
برای عضویت در این انجمن درخواست کنند"],"Users can be only added
by invitation":["کاربران فقط می‌توانند
با دعوت‌نامه اضافه‌شوند"],"space description":["توضیحات انجمن"],"space name":["نام انجمن"],"{userName} requests membership for the space {spaceName}":["{userName} درخواست عضویت در انجمن {spaceName} را دارد"],"{userName} approved your membership for the space {spaceName}":["{userName} درخواست عضویت شما را در {spaceName}تایید کرد"],"{userName} declined your membership request for the space {spaceName}":["{userName} درخواست عضویت شما را در {spaceName}رد کرد"],"{userName} invited you to the space {spaceName}":["{userName} شما را به انجمن {spaceName}دعوت کرد"],"{userName} accepted your invite for the space {spaceName}":["{userName} دعوت شما را برای انجمن {spaceName}قبول کرد"],"{userName} declined your invite for the space {spaceName}":["{userName} دعوت شما را برای انجمن {spaceName}رد کرد"],"This space is still empty!":["این انجمن هنوز خالیست!"],"Accept Invite":["پذیرفتن دعوت"],"Become member":["عضو شدن"],"Cancel membership":["انظراف از عضویت"],"Cancel pending membership application":["انصراف از برنامه‌ی کاربردی عضویت در انتظار"],"Deny Invite":["رد دعوت"],"Request membership":["درخواست عضویت"],"You are the owner of this workspace.":["شما دارنده‌ی این محیط کاری هستید."],"created by":["ایجادشده توسط"],"Invite members":["دعوت اعضا"],"Add an user":["اضافه کردن کاربر"],"Email addresses":["آدرس‌های ایمیل"],"Invite by email":["دعوت با ایمیل"],"New user?":["کاربر جدید؟"],"Pick users":["انتخاب کاربران"],"Send":["ارسال"],"To invite users to this space, please type their names below to find and pick them.":["برای دعوت کاربران به این انجمن لطفا نام آن‌ها را برای یافتن و انتخاب تایپ کنید."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["شما همچنین می‌توانید کاربران خارجی را که هنوز ثبت‌نام نشده‌اند دعوت کنید. تنها آدرس ایمیل آن‌ها را با کاما جدا کنید و بنویسید."],"Request space membership":["درخواست عضویت در انجمن"],"Please shortly introduce yourself, to become an approved member of this space.":["لطفا برای تبدیل شده به عضو تاییدشده‌ی این انجمن، خود را به صورت خلاصه معرفی کنید."],"Your request was successfully submitted to the space administrators.":["درخواست شما با موفقیت به مدیران انجمن ارسال شد."],"Ok":["Ok"],"User has become a member.":["کاربر تبدیل به بک عضو شده‌است."],"User has been invited.":["کاربر دعوت‌شده‌است."],"User has not been invited.":["کاربر دعوت‌نشده‌است."],"Back to workspace":["بازگشت به محیط کار"],"Space preferences":["تنظیمات انجمن"],"General":["کلی"],"My Space List":["لیست انجمن من"],"My space summary":["خلاصه‌ی انجمن من"],"Space directory":["فهرست انجمن"],"Space menu":["منوی انجمن"],"Stream":["جریان"],"Change image":["تغییر عکس"],"Current space image":["عکس کنونی انجمن"],"Do you really want to delete your title image?":["آیا واقعا می‌خواهید عکس عنوان خود را حذف کنید؟"],"Do you really want to delete your profile image?":["آیا واقعا می‌خواهید عکس پروفایل خود را حذف کنید؟","آیا واقعا می‌خواهید عکس عنوان خود را حذف کنید؟"],"Invite":["دعوت"],"Something went wrong":["یک قسمت ایراد دارد","یک مورد ایراد دارد","یک مورد مشکل دارد"],"Followers":["دنبال‌کننده‌ها"],"Posts":["پست‌ها"],"Please shortly introduce yourself, to become a approved member of this workspace.":["لطفا برای تبدیل شدن به عضو تاییدشده‌ی این محیط کار، به صورت خلاصه خود را معرفی کنید."],"Request workspace membership":["درخواست عضویت در محیط کار"],"Your request was successfully submitted to the workspace administrators.":["درخواست شما با موفقیت به مدیران محیط کار ارسال شد."],"Create new space":["ایجاد انجمن جدید"],"My spaces":["انجمن‌های من"],"Space info":["اطلاعات انجمن"],"more":["بیشتر"],"Accept invite":["پذیرفتن دعوت"],"Deny invite":["رد دعوت"],"Leave space":["ترک انجمن"],"New member request":["درخواست عضویت جدید"],"Space members":["اعضای انجمن"],"End guide":["پایان راهنما"],"Next »":["بعدی »"],"« Prev":["« قبلی"],"Administration":["مدیریت"],"Hurray! That's all for now.":["هورا! برای الان کافی است."],"Modules":["ماژول‌ها"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["به عنوان مدیر می‌توانید همه‌ی پلت‌فرم را از این‌جا مدیریت کنید.

جدا از ماژول‌ها ما در این قسمت به جزئیات همه‌ی موارد نمی‌پردازیم زیرا هر مورد توضیحی کوتاه در قسمت‌های دیگر دارد."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["شما هم‌‌اکنون در منوی ابزار‌ها هستید. می‌توانید از این قسمت به بازار آنلاین هام‌هاب دسترسی داشته‌باشید که توسط آن قادر به نصب سریع تعداد افزایش‌پذیری از ابزارها خواهیدبود.

همان‌طور که قبلا اشاره‌شد ابزارها قابلیت‌های بیشتری در اختیار شما قرارخواهندداد."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["شما هم‌اکنون همه‌ی قابلیت‌ها و تنظیمات مهم را آموخته‌اید و آماده‌ی استفاده از پلت‌فرم هستید.

امیدواریم شما و دیگر کاربران آینده از این سایت لذت ببرید. پیشنهادات و پشتیبانی شما را در مورد این پروژه پذیرا هستیم. می‌توانید از طریق آدرس www.humhub.org با ما تماس بگیرید.

شاد باشید! :)"],"Dashboard":["خانه"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["این پنل خانه‌ی شما است.

همه‌ی پست‌ها و فعالیت‌های که می‌توانند مورد علاقه‌ی شما باشند در این قسمت نمایش‌داده‌می‌شوند."],"Administration (Modules)":["مدیریت (ماژول‌ها)"],"Edit account":["حساب حساب کاربری"],"Hurray! The End.":["هورا! پایان."],"Hurray! You're done!":["هورا! کار شما تمام‌شده‌است."],"Profile menu":["پروفایل منوی","منوی پروفایل"],"Profile photo":["پروفایل عکس"],"Profile stream":["پروفایل جریان"],"User profile":["پروفایل کاربر"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["برای به‌روزرسانی پروفایل خود و نتظیمات \nآن روی این دکمه کلیک کنید. همچنین می‌توانید اطلاعات بیشتری به پروفایل خود اضافه‌کنید."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["هر پروفایل تابلوی متعلق به خود را دارد. پست شما در پنل خانه‌ی کاربران دنبال‌کننده‌ی شما نیز نمایش‌داده‌خواهدشد."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["همانند انجمن، پروفایل کاربر می‌تواند با ماژول‌های متنوع شخصی‌سازی شود.

می‌توانید ماژول‌های موجود برای پروفایل خود را با جستجو در قسمت \"ماژول‌ها\" در منوی تنظیمات مشاهده‌کنید."],"This is your public user profile, which can be seen by any registered user.":["این پروفایل عمومی شماست که توسط همه‌ی کاربران ثبت‌نام‌شده دیده‌خواهدشد."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["عکس پروفایل خود را به سادگی با کلیک روی این قسمت و یا کشیدن آن به این‌جا آپلود کنید. برای عکس کاور خود نیز همین عملیات را انجام دهید."],"You've completed the user profile guide!":["شما راهنمای کاربر را به پایان رسانده‌اید."],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["شما راهنمای کاربر را به پایان رسانده‌اید.

برای ادامه‌دادن با راهنمای مدیریت این‌جا کلیک کنید:

"],"Most recent activities":["آخرین فعالیت‌ها"],"Posts":["پست‌ها"],"Profile Guide":["راهنمای پروفایل"],"Space":["انجمن"],"Space navigation menu":["منوی راهبری انجمن"],"Writing posts":["نوشتن پست"],"Yay! You're done.":["هورا! کار شما به پایان رسید."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["تمامی کاربرانی که عضو این انجمن هستند این‌جا نمایش داده‌می‌شوند.

کاربران جدید می‌توانند توسط هر کسی که دسترسی لازم را توسط مدیر دریافت کرده‌است اضافه‌شوند."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["به کاربران دیگر خلاصه‌ای از موضوع انجمن ارائه‌دهید. می‌توانید اطلاعات پایه‌ای را این‌جا اضافه‌کنید.

مدیر انجمن می‌تواند عکس پوشش انجمن را با کلیک کردن و یا کشیدن عکس وارد کند و یا تغییر دهد."],"New posts can be written and posted here.":["پست‌های جدید می‌توانند این‌جا نوشته و ثبت شوند."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["بعد از ملحق شدن به یک انجمن و یا ایجاد یک انجمن جدید می‌توانید در انجام پروژه‌ها، صحبت‌ها و اشتراک اطلاعات سهیم باشید.

ابزارهای متنوعی برای شخصی‌سازی یک انجمن در راستای بهبود روند اجرای فرآیندها وجود دارد."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["راهنمای انجمن به پایان رسید.

برای ادامه دادن با راهنمای پروفایل این‌جا کلیک کنید."],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["این‌جا قسمتی است که می‌توانید انجمن را راهبری کنید - قسمتی که در آن مشخص می‌شود برای انجمن خاصی که در آن هستید چه ماژول‌هایی فعال و یا غیرفعال هستند. برای مثال می‌توان نظرسنجی، کارها و یادداشت‌ها را نام برد.

تنها مدیر انجمن می‌تواند ماژول‌های انجمن را مدیریت کند."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["این منو تنها برای مدیران انجمن قابل مشاهده است. می‌توانید در این قسمت تنظیمات انجمن خود، اضافه و یا مسدود کردن اعضا و فعال و غیرفعال کردن ابزارهای انجمن را مدیریت کنید."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["‌در این قسمت فعالیت‌های اخیر کاربران دیگر برای به‌روز بودن اطلاعات شما نمایش داده‌می‌شود."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["پست‌های شما و کاربران دیگر در این‌جا نمایش دده‌خواهدشد.

این‌ها می‌توانند بعدا مورد علاقه‌ی کاربران قرار گیرند و یا در مورد آن‌ها نظر داده‌شود."],"Account Menu":["منوی حساب کاربری"],"Notifications":["اعلان‌ها"],"Space Menu":["منوی انجمن"],"Start space guide":["شروع راهنمای انجمن"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["رد چیزی را گم نکنید! این آیکن به شما درباره‌ی فعالیت‌ها و پست‌هایی که مربوط به شماست اطلاعات می‌دهد."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["منوی حساب کاربری شما به شما توانایی دسترسی به تنظیمات خصوصی و مدیریت پروفایل عمومی‌تان را می‌دهد."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["این مهم‌ترین منو است و احتمالا بیشترین استفاده را از آن خواهید داشت!

از این‌جا می‌توانید به همه‌ی انجمن‌هایی که در آن‌ها حضور دارید دسترسی داشته‌باشید و انجمن‌های جدید بسازید.

راهنمای بعدی چگونگی آن‌ را برایتان توضیح خواهدداد:"]," Remove panel":["حذف پنل"],"Getting Started":["شروع"],"Guide: Administration (Modules)":["راهنما: مدیریت (ماژول‌ها)"],"Guide: Overview":["راهنما: مرور"],"Guide: Spaces":["راهنما: انجمن‌ها"],"Guide: User profile":["راهنما: پروفایل کاربر"],"Get to know your way around the site's most important features with the following guides:":["توسط راهنماهای زیر با مهم‌ترین ویژگی‌های سایت آشنا شوید:"],"This user account is not approved yet!":["این حساب کاربری هنوز تایید نشده‌است!"],"You need to login to view this user profile!":["برای نمایش این پروفایل باید وارد شوید!"],"Your password is incorrect!":["گذرواژه‌ی شما صحیح نیست!"],"You cannot change your password here.":["شما نمی‌توانید گذرواژه‌ی خود را این‌جا تغییر دهید."],"Invalid link! Please make sure that you entered the entire url.":["لینک نامعتبر است! لطفا اطمینان حاصل‌کنید که آدرس به طور کامل وارد شود. "],"Save profile":["ذخیره‌ی پروفایل"],"The entered e-mail address is already in use by another user.":["ایمیل وارد شده توسط یک کاربر دیگر در حال استفاده‌است."],"You cannot change your e-mail address here.":["شما نمی‌توانید آدرس ایمیل خود را این‌جا تغییر دهید."],"Account":["حساب کاربری"],"Create account":["ایجاد حساب کاربری"],"Current password":["گذرواژه‌ی کنونی"],"E-Mail change":["تغییر ایمیل"],"New E-Mail address":["آدرس ایمیل جدید"],"Send activities?":["ارسال فعالیت‌ها؟"],"Send notifications?":["ارسال اعلان‌ها؟"],"Incorrect username/email or password.":["نام کاربری و یا گذرواژه نادرست است."],"New password":["گذرواژه‌ی جدید"],"New password confirm":["تایید گذرواژه‌ی جدید"],"Remember me next time":["مرا به خاطر بسپار"],"Your account has not been activated by our staff yet.":["حساب کاربری شما هنوز توسط همکاران ما فعال‌نشده‌است."],"Your account is suspended.":["حساب کاربری شما به تعلیق درآمده‌است."],"Password recovery is not possible on your account type!":["بازیابی گذرواژه برای حساب کاربری شما امکان‌پذیر نیست!"],"E-Mail":["ایمیل"],"Password Recovery":["بازیابی گذرواژه"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" یافت نشد!"],"E-Mail is already in use! - Try forgot password.":["این ایمیل در حال استفاده است! از یادآوری گذرواژه استفاده‌کنید."],"Invalid language!":["زبان نامعتبر","زبان نامعتبر!"],"Hide panel on dashboard":["عدم نمایش پنل در خانه"],"Profile visibility":["قابلیت نمایش پروفایل"],"Default Space":["انجمن پیش‌فرض"],"Group Administrators":["مدیرهای گروه"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["اعضا می‌توانند انجمن‌های خصوصی ایجادکنند."],"Members can create public spaces":["اعضا می‌توانند انجمن‌های عمومی ایجادکنند."],"Birthday":["تولد"],"City":["شهر"],"Country":["کشور"],"Custom":["رسم"],"Facebook URL":["آدرس Facebook"],"Fax":["نمابر"],"Female":["خانم"],"Firstname":["نام"],"Flickr URL":["آدرس Flickr"],"Gender":["جنسیت"],"Google+ URL":["آدرس Google+"],"Hide year in profile":["عدم نمایش سال در پروفایل"],"Lastname":["نام خانوادگی"],"LinkedIn URL":["آدرس LinkedIn"],"MSN":["MSN"],"Male":["آقا"],"Mobile":["موبایل"],"MySpace URL":["آدرس MySpace"],"Phone Private":["تلفن خصوصی"],"Phone Work":["تلفن محل کار"],"Skype Nickname":["نام کاربری در Skype"],"State":["استان"],"Street":["خیابان"],"Twitter URL":["آدرس Twitter"],"Url":["آدرس"],"Vimeo URL":["آدرس Vimeo"],"XMPP Jabber Address":["آدرس XMPP Jabber"],"Xing URL":["آدرس Xing"],"Youtube URL":["آدرس Youtube"],"Zip":["کد پستی"],"Created by":["ایجادشده توسط","ایجاد شده توسط"],"Editable":["قابل ویرایش"],"Field Type could not be changed!":["نوع فیلد قابل تغییر نیست!"],"Fieldtype":["نوع فیلد"],"Internal Name":["نام داخلی"],"Internal name already in use!":["نام داخلی در حال استفاده است!"],"Internal name could not be changed!":["نام داخلی قابل تغییر نیست!"],"Invalid field type!":["نوع فیلد نامعتبر است!"],"LDAP Attribute":["صفت LDAP"],"Module":["ماژول"],"Only alphanumeric characters allowed!":["تنها کاراکترهای عددی و الفبایی مجاز است!"],"Profile Field Category":["گروه فیلد پروفایل"],"Required":["مورد نیاز"],"Show at registration":["نمایش در ثبت‌نام"],"Sort order":["ترتیب مرتب‌سازی"],"Translation Category ID":["شناسه‌ی گروه ترجمه"],"Type Config":["تنظیمات نوع"],"Visible":["قابل نمایش"],"Communication":["ارتباط"],"Social bookmarks":["بوکمارک‌های اجنماعی"],"Datetime":["زمان ملاقات"],"Number":["شماره"],"Select List":["انتخاب لیست"],"Text":["متن"],"Text Area":["مکان متن"],"%y Years":["%y سال"],"Birthday field options":["انتخاب‌های فیلد تولد"],"Date(-time) field options":["انتخاب‌های فیلد تاریخ(-زمان)"],"Show date/time picker":["نمایش انتخاب‌کننده‌ی تاریخ/زمان"],"Maximum value":["مقدار حداکثر"],"Minimum value":["مقدار حداقل"],"Number field options":["انتخاب‌های فیلد شماره"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["یک انتخاب برای هر سطح. فرمت کلید=>مقدار (برای مثال بلی=>بلی)"],"Please select:":["لطفا انتخاب کنید:"],"Possible values":["مقادیر ممکن"],"Select field options":["موارد فیلد را انتخاب کنید"],"Default value":["مقدار پیش‌فرض"],"Maximum length":["حداکثر طول"],"Minimum length":["حداقل طول"],"Regular Expression: Error message":["گزاره: پیغام خطا"],"Regular Expression: Validator":["گزاره: معتبرساز"],"Text Field Options":["انتخاب‌های فیلد متن"],"Validator":["معتبرساز"],"Text area field options":["انتخاب‌های فیلد جای متن"],"Authentication mode":["حالت تایید هویت"],"New user needs approval":["کاربر جدید نیاز به تایید دارد"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["نام کاربری می‌تواند تنها شامل حروف، اعداد، فاصله و یا کاراکترهای خاص باشد (+ـ۰-)"],"Wall":["صفحه‌ی اعلانات"],"Change E-mail":["تغییر ایمیل"],"Current E-mail address":["آدرس ایمیل کنونی"],"Your e-mail address has been successfully changed to {email}.":["آدرس ایمیل شما با موفقیت به {email} تغییر یافت."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["یک ایمیل برای تایید به آدرس ایمیل جدید شما فرستاده‌ایم.
لطفا دستور‌العمل داخل آن‌ را دنبال کنید."],"Change password":["تغییر گذرواژه"],"Password changed":["گذرواژه تغییر یافت"],"Your password has been successfully changed!":["گذرواژه‌ی شما با موفقیت تغییر یافت!"],"Modify your profile image":["تغییر عکس پروفایل شما"],"Delete account":["حذف حساب کاربری"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["آیا مطمئن هستید که می‌خواهید حساب کاربری خود را حذف کنید؟
تمامی مطالب منتشرشده‌ی شما حذف خواهدشد!"],"Delete account":["حذف حساب کاربری"],"Enter your password to continue":["برای ادامه گذرواژه‌ی خود را وارد کنید"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["متاسفانه به عنوان دارنده‌ی محیط کار نمی‌توانید حساب کاربری خود را حذف کنید.
لطفا کاربر دیگری را مسئول حذف کردن قرار دهید."],"User details":["جزئیات کاربر"],"User modules":["ماژول‌های کاربر"],"Are you really sure? *ALL* module data for your profile will be deleted!":["آیا مطمئن هستید؟ *تمامی* اطلاعات ماژول‌های پروفایل شما حذف خواهدشد."],"Enhance your profile with modules.":["پروفایل خود را با ماژول‌ها تکمیل کنید."],"User settings":["تنظیمات کاربر"],"Getting Started":["شروع"],"Registered users only":["تنها کاربران ثبت‌نام‌شده"],"Visible for all (also unregistered users)":["قابل مشاهده برای همه (همچنین کاربران ثبت‌نام‌نشده)"],"Desktop Notifications":["اعلان‌های دسکتاپ"],"Email Notifications":["اعلان‌های ایمیل"],"Get a desktop notification when you are online.":["زمانی که آنلاین هستید یک اعلان دسکتاپ دریافت کنید."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["برای هر فعالیت کاربرانی که دنبال می‌کنید و یا با آن‌ها در یک محیط کار همکاری می‌کنید یک ایمیل دریافت کنید."],"Get an email, when other users comment or like your posts.":["زمانی که کاربران دیگر پست‌های شما را دوست دارند و یا در مورد آن‌ها نظر می‌دهند، یک ایمیل دریافت‌کنید."],"Account registration":["ثبت‌نام حساب کاربری"],"Your account has been successfully created!":["حساب کاربری شما با موفقیت ایجادشد!"],"After activating your account by the administrator, you will receive a notification by email.":["پس از فعال‌سازی حساب کاربری شما توسط مدیر،‌ یک اعلان با ایمیل دریافت‌خواهیدکرد."],"Go to login page":["رفتن به صفحه‌ی ورود"],"To log in with your new account, click the button below.":["برای ورود با حساب کاربری جدید خود روی دکمه‌ی زیر کلیک کنید."],"back to home":["بازگشت به صفحه‌ی اصلی"],"Please sign in":["لطقا واردشوید"],"Sign up":["عضو شوید"],"Create a new one.":["ایجاد یک مورد جدید."],"Don't have an account? Join the network by entering your e-mail address.":["حساب کاربری ندارید؟ با وارد کردن آدرس ایمیل خود به شبکه ملحق شوید."],"Forgot your password?":["رمز خود را فراموش‌کرده‌اید؟"],"If you're already a member, please login with your username/email and password.":["اگر عضو هستید لطفا با نام کاربری/ایمیل و گذرواژه‌ی خود واردشوید."],"Register":["ثبت‌نام"],"email":["ایمیل"],"password":["گذرواژه"],"username or email":["نام کاربری یا ایمیل"],"Password recovery":["بازیابی گذرواژه"],"Just enter your e-mail address. We´ll send you recovery instructions!":["تنها آدرس ایمیل خود را وارد کنید. دستورالعمل بازیابی را برایتان ارسال‌خواهیم‌کرد!"],"Reset password":["تنظیم مجدد گذرواژه"],"enter security code above":["کد امنیتی بالا را وارد کنید"],"your email":["ایمیل شما"],"Password recovery!":["بازیابی گذرواژه!"],"We’ve sent you an email containing a link that will allow you to reset your password.":["ما یک ایمیل برای شما ارسال کردیم که حاوی لینکی‌ است که می‌توانید از طریق آن گذرواژه‌ی خود را مجددا تنطیم‌کنید."],"Registration successful!":["ثبت‌نام موفق!"],"Please check your email and follow the instructions!":["لطفا ایمیل خود را چک و دستورالعمل را دنبال کنید!"],"Password reset":["تنظیم مجددا گذرواژه"],"Change your password":["تغییر گذرواژه"],"Change password":["تغییر گذرواژه"],"Password changed!":["گذرواژه تغییر یافت!"],"Confirm your new email address":["آدرس ایمیل خود را تایید کنید"],"Confirm":["تایید"],"Hello":["سلام"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["شما درخواست تغییر ایمیل خود را داده‌اید.
ایمیل جدید شما {newemail} است.

برای تایید آدرس ایمیل خود روی دکمه‌ی زیر کلیک کنید."],"Hello {displayName}":["سلام {displayName}"],"If you don't use this link within 24 hours, it will expire.":["اگر تا ۲۴ ساعت آینده از این لینک استفاده نکنید منقضی خواهدشد."],"Please use the following link within the next day to reset your password.":["لطفا تا روز بعد از لینک زیر برای تنظیم مجدد گذرواژه‌ی خود استفاده کنید."],"Reset Password":["تنظیم مجدد گذرواژه‌"],"Registration Link":["لینک ثبت‌نام"],"Sign up":["عضو شدن"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["به %appName% خوش‌آمدید. لطفا برای ادامه‌ی ثبت‌نام خود روی دکمه‌ی زیر کلیک کنید."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
یک شبکه‌ی اجتماعی برای افزایش ارتباطات و فعالیت‌های گروهی شما.
برای ملحق شده به این انجمن الان ثبت‌نام کنید."],"Space Invite":["دعوت انجمن"],"You got a space invite":["شما یک دعوت به انجمن دریافت کرده‌اید"],"invited you to the space:":["به انجمن دعوت کنید:"],"{userName} mentioned you in {contentTitle}.":["{userName} در {contentTitle} به شما اشاره کرده‌است."],"{userName} is now following you.":["{userName} هم‌اکنون شما را دنبال می‌کند."],"About this user":["درباره‌ی این کاربر"],"Modify your title image":["تغییر عکس عنوان شما"],"This profile stream is still empty!":["این جریان پروفایل هنوز خالی است!"],"Do you really want to delete your logo image?":["آیا واقعا می‌خواهید عکس لوگوی خود را حذف کنید؟"],"Account settings":["تنظیمات حساب کاربری"],"Profile":["پروفایل"],"Edit account":["ویرایش حساب کاربری"],"Following":["دنبال‌شونده‌ها"],"Following user":["کاربر دنبال شونده"],"User followers":["دنبال‌کننده‌های کاربر"],"Member in these spaces":["عضو در این انجمن"],"User tags":["تگ‌های کاربر"],"No birthday.":["زادروزی وجود ندارد."],"Back to modules":["بازگشت‌ به ماژول‌‌ها"],"Birthday Module Configuration":["پیکربندی ماژول زادروز"],"The number of days future bithdays will be shown within.":["تعداد روزهایی که زادروز، قبل از فرا رسیدن یادآوری می‌شود."],"Tomorrow":["فردا"],"Upcoming":["نزدیک"],"You may configure the number of days within the upcoming birthdays are shown.":["شما می‌توانید تعداد روزهایی که زادروزهای نزدیک یادآوری می‌شوند تنظیم کنید. "],"becomes":["می‌شود."],"birthdays":["زادروزها"],"days":["روز"],"today":["امروز"],"years old.":["ساله"],"Active":["فعال"],"Mark as unseen for all users":["برای تمام کاربران به صورت مشاهده‌نشده نمایش‌بده"],"Breaking News Configuration":["تنظیمات اخبار لحظه‌ای"],"Note: You can use markdown syntax.":["توجه: می‌توانید از قواعد نحوی مد‌ل‌های نشانه‌گذاری استفاده کنید."],"End Date and Time":["تاریخ و زمان پایان"],"Recur":["تکرار"],"Recur End":["پایان تکرار"],"Recur Interval":["بازه‌ی تکرار"],"Recur Type":["نوع تکرار"],"Select participants":["انتخاب شرکت‌کننده‌ها"],"Start Date and Time":["تاریخ و زمان شروع"],"You don't have permission to access this event!":["شما اجازه‌ی دسترسی به ابن رویداد را ندارید!"],"You don't have permission to create events!":["شما اجازه‌ی ایجاد رویداد ندارید!"],"Adds an calendar for private or public events to your profile and mainmenu.":["یک تقویم برای رویدادهای خصوصی و یا عمومی به پروفایل شما و منوی اصلی اضافه‌می‌کند."],"Adds an event calendar to this space.":["به این انجمن یک تقویم رویداد اضافه‌می‌کند. "],"All Day":["تمام روز"],"Attending users":["شرکت‌کنندگان"],"Calendar":["تقویم"],"Declining users":["کاربران غیرحاضر"],"End Date":["تاریخ پایان"],"End time must be after start time!":["تاریخ پایان باید پس از تاریخ آغاز باشد!"],"Event":["رویداد"],"Event not found!":["رویداد پیدا نشد!"],"Maybe attending users":["کاربرانی که حضور آن‌ها قطعی نیست"],"Participation Mode":["حالت مشارکت"],"Start Date":["تاریخ شروع"],"You don't have permission to delete this event!":["شما اجازه‌ی پاک کردن این رویداد را ندارید!"],"You don't have permission to edit this event!":["شما اجازه‌ی ویرایش این رویداد را ندارید!"],"%displayName% created a new %contentTitle%.":["%contentTitle% %displayName% را تولید کرد."],"%displayName% attends to %contentTitle%.":["%displayName% در %contentTitle% حضور دارد."],"%displayName% maybe attends to %contentTitle%.":["%displayName% احتمالا در %contentTitle% حضور دارد."],"%displayName% not attends to %contentTitle%.":["%displayName% در %contentTitle% حضور ندارد."],"Start Date/Time":["تاریخ/زمان آغاز"],"Create event":["ساختن گروه"],"Edit event":["ویرایش گروه"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["توجه: این رویداد در پروفایل شما ساخته خواهدشد. برای تولید رویداد انجمن، تقویم آن انجمن را باز کنید."],"End Date/Time":["تاریخ/زمان اتمام"],"Everybody can participate":["همه می‌توانند مشارکت کنند"],"No participants":["مشارکت‌کننده‌ای وجود ندارد"],"Participants":["مشارکت‌کننده‌ها"],"Created by:":["ساخته‌شده توسط:"],"Edit this event":["این رویداد را به پایان برسان"],"I´m attending":["حضور خواهم‌داشت"],"I´m maybe attending":["احتمالا حضور خواهم‌داشت"],"I´m not attending":["حضور نخواهم داشت"],"Attend":["حضور"],"Maybe":["احتمالا"],"Filter events":["فیلتر کردن رویدادها"],"Select calendars":["انتخاب تقویم‌ها"],"Already responded":["پاسخ قبلا داده‌شده‌است"],"Followed spaces":["انجمن‌های دنبال‌شده"],"Followed users":["کاربران دنبال‌شده"],"My events":["رویدادهای من"],"Not responded yet":["هنوز پاسخ داده‌نشده‌است"],"Upcoming events ":["نزدیک رویدادهای"],":count attending":["شمارش حاضرین:"],":count declined":["شمارش انصراف‌ها:"],":count maybe":["شمارش احتمالی‌ها:"],"Participants:":["مشارکت‌کننده‌ها:"],"Create new Page":["ایجاد یک صفحه‌ی جدید"],"Custom Pages":["صفحه‌های سفارشی‌شده"],"HTML":["HTML"],"IFrame":["IFrame"],"Link":["پیوند"],"MarkDown":["MarkDown"],"Navigation":["راهبری"],"No custom pages created yet!":["هنوز هیج صفحه‌ی سفارشی‌شده‌ای ایجاد نشده‌است!"],"Sort Order":["ترتیب مرتب‌سازی"],"Top Navigation":["منوی بالا"],"Type":["تایپ"],"User Account Menu (Settings)":["منوی حساب کاربری (تنظیمات)"],"Create page":["ایجاد صفحه"],"Edit page":["ویرایش صفحه"],"Content":["محتوا"],"Default sort orders scheme: 100, 200, 300, ...":["طرح پیش‌فرض برای ترتیب‌های مرتب‌سازی: ۱۰۰، ۲۰۰، ۳۰۰، . . . "],"Page title":["عنوان صفحه"],"URL":["آدرس"],"The item order was successfully changed.":["ترتیب موارد با موفقیت تغییر‌کرد."],"Toggle view mode":["حالت نمایش متغیر"],"You miss the rights to reorder categories.!":["شما حق مرتب‌سازی گروه‌ها را ندارید!"],"Confirm category deleting":["تأیید حذف گروه"],"Confirm link deleting":["تأیید حذف پیوند"],"Delete category":["پاک کردن گروه"],"Delete link":["پیوند را پاک کن"],"Do you really want to delete this category? All connected links will be lost!":["آیا مطمئن هستید که می‌خواهید این گروه را پاک کنید؟ همه‌ی پیوندهای متصل پاک خواهند‌شد!"],"Do you really want to delete this link?":["آیا مطمئن هستید که می‌خواهید این پیوند را پاک کنید؟"],"Extend link validation by a connection test.":["اعتبار پیوند را با یک تست اتصال تمدید کنید."],"Linklist":["لیست پیوندی"],"Linklist Module Configuration":["پیکربندی ماژول لیست پیوندی"],"Requested category could not be found.":["گروه درخواست‌شده یافت نشد."],"Requested link could not be found.":["پیوند درخواست‌شده یافت نشد."],"Show the links as a widget on the right.":["پیوندها را به صورت ابزارک در سمت راست نمایش بده."],"The category you want to create your link in could not be found!":["گروهی که می‌خواهید پیوندتان را در آن بسازید یافت نشد! "],"There have been no links or categories added to this space yet.":["هنوز پیوند یا گروهی به این انجمن اضافه نشده‌است."],"You can enable the extended validation of links for a space or user.":["شما می‌توانید اعتبار تمدیدشده‌ی لینک‌ها را برای یک انجمن یا کاربر فعال کنید."],"You miss the rights to add/edit links!":["شما حق اضافه/ویرایش کردن پیوندها را ندارید!"],"You miss the rights to delete this category!":["شما حق پاک کردن این گروه را ندارید!"],"You miss the rights to delete this link!":["شما حق پاک کردن این پیوند را ندارید!"],"You miss the rights to edit this category!":["شما حق ویرایش این گروه را ندارید!"],"You miss the rights to edit this link!":["شما حق ویرایش این پیوند را ندارید!"],"Messages":["پیام‌ها","پیغام‌ها"],"You could not send an email to yourself!":["شما نمی‌توانید به خودتان ایمیل بفرستید!"],"Recipient":["گیرنده"],"New message from {senderName}":["پیغام جدید از {senderName}"],"and {counter} other users":["و {counter} نفر دیگر"],"New message in discussion from %displayName%":["پیغام جدید در بحث از %displayName%"],"New message":["پیغام جدید"],"Reply now":["الان پاسخ دهید"],"sent you a new message:":["به شما یک پیغام جدید فرستاد:"],"sent you a new message in":["به شما یک پیغام جدید فرستاد در"],"Add more participants to your conversation...":["شرکت‌کننده‌های دیگری به مکالمه‌ی خود اضافه کنید. . ."],"Add user...":["اضافه کردن کاربر . . ."],"New message":["پیغام جدید"],"Edit message entry":["ویرایش ورودی پیغام"],"Messagebox":["پیغام‌ها"],"Inbox":["دریافتی‌ها"],"There are no messages yet.":["هنوز پیغامی وجود ندارد.","هنوز هیچ پیغامی وجود ندارد."],"Write new message":["نوشتن پیغام جدید"],"Confirm deleting conversation":["تایید حذف مکالمه"],"Confirm leaving conversation":["تایید ترک مکالمه"],"Confirm message deletion":["تایید حذف پیغام"],"Add user":["اضافه کردن کاربر"],"Do you really want to delete this conversation?":["آیا واقعا می‌خواهید این مکالمه را حذف کنید؟"],"Do you really want to delete this message?":["آیا واقعا می‌خواهید این پیغام را حذف کنید؟"],"Do you really want to leave this conversation?":["آیا واقعا می‌خواهید این مکالمه را ترک کنید؟"],"Leave":["ترک"],"Leave discussion":["ترک گفت‌وگو"],"Write an answer...":["نوشتن پاسخ . . ."],"User Posts":["پست‌های کاربران"],"Sign up now":["الان ثبت نام کنید"],"Show all messages":["نمایش همه‌ی پیغام‌ها"],"Send message":["ارسال پیغام"],"No users.":["کاربری یافت نشد."],"The number of users must not be greater than a 7.":["تعداد کاربران نباید بیشتر از ۷ نفر باشد."],"The number of users must not be negative.":["تعداد کاربران نباید منفی باشد."],"Most active people":["فعال‌ترین کاربرها","کاربران با بیشترین فعالیت"],"Get a list":["یک لیست تهیه کنید"],"Most Active Users Module Configuration":["تنظیمات ماژول فعال‌ترین کاربرها"],"The number of most active users that will be shown.":["تعداد فعال‌ترین کاربرانی که نمایش داده‌می‌شود."],"You may configure the number users to be shown.":["شما می‌توانید تعداد کاربران نمایش‌داده‌شده را تنظیم کنید."],"Comments created":["نظرهای ایجادشده"],"Likes given":["لایک‌های داده‌شده"],"Posts created":["پست‌های ایجادشده"],"Notes":["نوشته‌ها"],"Etherpad API Key":["کلید Etherpad API"],"URL to Etherpad":["آدرس به Etherpad API"],"Could not get note content!":["محتوای یادداشت گرفته‌نشد!"],"Could not get note users!":["کاربران یادداشت گرفته‌نشد!"],"Note":["یادداشت"],"{userName} created a new note {noteName}.":["{userName} یادداشت جدید {noteName} را ایجادکرد."],"{userName} has worked on the note {noteName}.":["{userName} روی یادداشت {noteName} کار کرده‌است."],"API Connection successful!":["اتصال موفق API!"],"Could not connect to API!":["اتصال به API برقرار نشد!"],"Current Status:":["وضعیت کنونی:"],"Notes Module Configuration":["تنظیمات ماژول یادداشت"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["لطفا برای جزئیات بیشتر مستند ماژول را در /protected/modules/notes/docs/install.txt مطالعه کنید!"],"Save & Test":["ذخیره و آزمایش"],"The notes module needs a etherpad server up and running!":["ماژول یادداشت نیاز به یک سرور در حال کار etherpad دارد!"],"Save and close":["ذخیره و بستن"],"{userName} created a new note and assigned you.":["{userName} یک یادداشت جدید ایجاد کرد و به شما اختصاص داد."],"{userName} has worked on the note {spaceName}.":["{userName} روی یادداشت {spaceName} کار کرده‌است."],"Open note":["بازکردن یادداشت"],"Title of your new note":["عنوان یادداشت جدید شما"],"No notes found which matches your current filter(s)!":["هیچ یادداشتی که با فیلتر کنونی شما هم‌خوانی داشته‌باشد پیدا نشد!"],"There are no notes yet!":["هنوز هیچ یادداشتی وجود ندارد!"],"Polls":["نظرسنجی‌ها"],"Could not load poll!":["نظرسنجی بارگذاری نشد!"],"Invalid answer!":["پاسخ نامعتبر!"],"Users voted for: {answer}":["کاربران به {answer} رای دادند"],"Voting for multiple answers is disabled!":["رای‌دادن به چند پاسخ غیرفعال است!"],"You have insufficient permissions to perform that operation!":["شما مجاز به انجام عملیات نیستید!"],"Answers":["پاسخ‌ها"],"Multiple answers per user":["چند پاسخ به ازای هر کاربر"],"Please specify at least {min} answers!":["لطفا حداقل {min} پاسخ مشخص کنید!"],"Question":["سؤال"],"{userName} voted the {question}.":["{userName} برای {question} رای داد."],"{userName} created a new {question}.":["{userName} سوال جدید {question} را ایجاد کرد."],"User who vote this":["کاربری که این رای را داده‌است"],"{userName} created a new poll and assigned you.":["{userName} یک نظرسنجی جدید ایجاد کرد و به شما اختصاص داد."],"Ask":["بپرس"],"Reset my vote":["رای من را مجددا تنظیم‌کن"],"Vote":["رای دادن"],"and {count} more vote for this.":["و {count} نفر دیگر به این رای دادند."],"votes":["آرا"],"Allow multiple answers per user?":["اجازه‌ی چند پاسخ به هر کاربر داده‌شود؟"],"Ask something...":["سوال بپرس . . ."],"Possible answers (one per line)":["پاسخ‌های ممکن (هرکدام در یک خط)"],"Display all":["نمایش همه"],"No poll found which matches your current filter(s)!":["هیچ نظرسنجی‌ای که با فیلتر(های) کنونی شما هم‌خوانی داشته‌باشد پیدا نشد!"],"There are no polls yet!":["هنوز هیچ نظرسنجی‌ای موجود نیست!"],"There are no polls yet!
Be the first and create one...":[" هنوز هیچ نظرسنجی‌ای وجود ندارد!
به عنوان اولین نفر ایجاد کنید . . ."],"Asked by me":["پرسیده‌شده توسط من"],"No answered yet":["هنوز پاسخی وجود ندارد"],"Only private polls":["فقط نظرسنجی‌های خصوصی"],"Only public polls":["فقط نظرسنجی‌های عمومی"],"Manage reported posts":["مدیریت پست‌های گزارش‌شده"],"Reported posts":["پست‌های گزارش‌شده"],"by :displayName":["توسط: displayName"],"Doesn't belong to space":["متعلق به انجمن نیست"],"Offensive":["توهین‌آمیز"],"Spam":["Spam"],"Here you can manage reported users posts.":["شما می‌توانید در این قسمت پست‌های گزارش‌شده‌ي کاربران را مدیریت کنید."],"An user has reported your post as offensive.":["یک کاربر پست شما را توهین‌آمیز اعلام کرده‌است."],"An user has reported your post as spam.":["یک کاربر پست شما را اسپم اعلام کرده‌است."],"An user has reported your post for not belonging to the space.":["یک کاربر اعلام کرده‌است که پست شما مربوط به این انجمن نیست."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% %contentTitle% را توهین‌آمیز گزارش کرده‌است."],"%displayName% has reported %contentTitle% as spam.":["%displayName% %contentTitle% را اسپم گزارش کرده‌است."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% گزارش کرده‌است که %contentTitle% متعلق به انجمن نیست."],"Here you can manage reported posts for this space.":["شما می‌توانید در این قسمت پست‌های گزارش‌شده‌ برای این انجمن را مدیریت کنید."],"Appropriate":["مناسب"],"Delete post":["حذف پست"],"Reason":["علت"],"Reporter":["گزارش‌کننده"],"Tasks":["کارها"],"Could not access task!":["دسترسی به کار مورد نظر امکان‌پذیر نیست!"],"{userName} assigned to task {task}.":["{userName} موظف به انجام کار {task} شد."],"{userName} created task {task}.":["{userName} {task} را ایجاد کرد."],"{userName} finished task {task}.":["{userName} {task} را به پایان رساند.","{userName} کار {task} را به پایان رساند."],"{userName} assigned you to the task {task}.":["کار {task} به {userName} سپرده‌شد."],"{userName} created a new task {task}.":["{userName} کار جدید {task} را ایجاد کرد."],"This task is already done":["این کار به پایان رسیده‌است."],"You're not assigned to this task":["این کار به شما سپرده‌نشده‌است"],"Click, to finish this task":["برای اتمام کار کلیک کنید."],"This task is already done. Click to reopen.":["این کار به پایان رسیده‌است. برای باز کردن مجدد، کلیک کنید."],"My tasks":["کارهای من"],"From space: ":["از انجمن:"],"No tasks found which matches your current filter(s)!":["هیچ کاری پیدا نشد که با فیلتر(های) کنونی شما هم‌خوانی داشته‌باشد!"],"There are no tasks yet!":["هنوز هیچ کاری موجود نیست!"],"There are no tasks yet!
Be the first and create one...":["هنوز هیچ کاری موجود نیست!
اولین نفر باشید و یک کار را شروع کنید . . ."],"Assigned to me":["سپرده‌شده به من"],"Nobody assigned":["به هیچ‌کس سپرده‌نشده"],"State is finished":["مرحله به پایان رسیده‌است"],"State is open":["مرحله باز است"],"Assign users to this task":["کاربرانی که این کار به آن‌ها سپرده‌شده‌است"],"Deadline for this task?":["فرصت نهایی برای انجام این کار؟"],"Preassign user(s) for this task.":["کاربران مسئول برای این کار را از پیش تعیین کنید."],"What to do?":["چه عملی انجام شود؟"],"Translation Manager":["مدیریت ترجمه"],"Translations":["ترجمه‌ها"],"Translation Editor":["ویرایش ترجمه"],"Confirm page deleting":["تایید حذف صفحه"],"Confirm page reverting":["تایید برگرداندن صفحه"],"Overview of all pages":["مرور همه‌ی صفحه‌ها"],"Page history":["تاریخچه‌ی صفحه "],"Wiki Module":["ماژول ویکی"],"Adds a wiki to this space.":["یک ویکی به این صفحه اضافه‌می‌کند."],"Adds a wiki to your profile.":["یک ویکی به این پروفایل اضافه‌می‌کند."],"Back to page":["بازگشت به صفحه"],"Do you really want to delete this page?":["آیا واقعا می‌خواهید این صفحه را حذف کنید؟"],"Do you really want to revert this page?":["آیا واقعا می‌خواهید این صفحه را برگردانید؟"],"Edit page":["ویرایش صفحه"],"Edited at":["ویرایش شده در"],"Go back":["بازگشت"],"Invalid character in page title!":["کاراکتر نامعتبر در عنوان صفحه!"],"Let's go!":["برویم!"],"Main page":["صفحه‌ی اصلی"],"New page":["صفحه‌ی جدید"],"No pages created yet. So it's on you.
Create the first page now.":["هنوز هیچ صفحه‌ای ساخته‌نشده‌است. بنابراین بر عهده‌ی شماست.
اولین صفحه‌ را الان بسازید."],"Page History":["تاریخچه‌ی صفحه"],"Page title already in use!":["عنوان صفحه در حال استفاده‌شدن است!"],"Revert":["برگرداندن"],"Revert this":["برگرداندن این"],"View":["نمایش"],"Wiki":["ویکی"],"by":["توسط"],"Wiki page":["صفحه‌ی ویکی"],"Create new page":["ایجاد صفحه‌ی جدید"],"Enter a wiki page name or url (e.g. http://example.com)":["نام یا آدرس یک صفحه‌ی ویکی را وارد کنید (برای مثال http://example.com)"],"New page title":["عنوان صفحه‌ی جدید"],"Page content":["محتوای صفحه"],"Allow":["اجازه بده"],"Default":["پيش فرض"],"Deny":["انكار كردن"],"Please type at least 3 characters":["حداقل 3 كاراكتر را تايپ كنيد"],"An internal server error occurred.":["يك مشكل در سرور به وجود آمده است"],"You are not allowed to perform this action.":["شما قادر به انجام اين عمل نيستيد"],"Add purchased module by licence key":[" اضافه كردن ماژول خريداري شده را بوسيله لايسنس"],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["سلام {displayName},

\n\n حساب كاربري شما فعال شده است.

\n\n براي ورود اينجا را كليك كنيد:
\n {loginURL}

\n\n با احترام
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["سلام {displayName},

\n\n درخواست عضويت شما پذيرفته نشده است.

\n\n با احترام
\n {AdminName}

"],"E-Mail Address Attribute":["صفات آدرس پست الكترونيكي"],"Date input format":["فرمت ورود تاريخ"],"Server Timezone":["محدوده زماني سرور"],"Show sharing panel on dashboard":["نشان دادن پنل اشتراكي در داشبورد"],"Default Content Visiblity":["حالت نمايش محتواي پيشفرض"]} \ No newline at end of file diff --git a/protected/humhub/messages/fa_ir/base.php b/protected/humhub/messages/fa_ir/base.php index a63cd20dd5..21b8896a78 100644 --- a/protected/humhub/messages/fa_ir/base.php +++ b/protected/humhub/messages/fa_ir/base.php @@ -1,56 +1,39 @@ '', - 'Default' => '', - 'Deny' => '', - 'Next' => '', - 'Please type at least 3 characters' => '', - 'Save' => '', - 'Latest updates' => 'آخرین به‌روز‌رسانی‌ها', - 'Account settings' => 'تنظیمات حساب کاربری', - 'Administration' => 'مدیریت', - 'Back' => 'بازگشت', - 'Back to dashboard' => 'بازگشت به خانه', - 'Choose language:' => 'زبان را انتخاب کنید:', - 'Collapse' => 'جمع شدن', - 'Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!' => 'Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!', - 'Could not determine content container!' => 'نگهدارنده‌ی محتوا قابل شناسایی نیست!', - 'Could not find content of addon!' => 'محتوای افزونه پیدا‌نشد!', - 'Error' => 'خطا', - 'Expand' => 'باز‌کردن', - 'Insufficent permissions to create content!' => 'دسترسی مورد نیاز برای تولید محتوا وجود ندارد!', - 'It looks like you may have taken the wrong turn.' => 'به نظر می‌رسد مسیر اشتباه را طی کرده‌اید.', - 'Language' => 'زبان', - 'Latest news' => 'آخرین اخبار', - 'Login' => 'ورود', - 'Logout' => 'خروج', - 'Menu' => 'منو', - 'Module is not on this content container enabled!' => 'ماژول در این نگهدارنده‌ی محتوا فعال نیست!', - 'My profile' => 'پروفایل من', - 'New profile image' => 'عکس پروفایل جدید', - 'Oooops...' => 'اوه اوه...', - 'Search' => 'جستجو', - 'Search for users and spaces' => 'جستجوی کاربران و انجمن‌ها', - 'Space not found!' => 'انجمن پیدا نشد!', - 'User Approvals' => 'تأیید کاربران', - 'User not found!' => 'کاربر پیدا نشد!', - 'You cannot create public visible content!' => 'شما نمی‌توانید محتوای عمومی قابل دید تولید کنید!', - 'Your daily summary' => 'خلاصه‌ی روزانه‌ی شما', -]; +return array ( + 'Latest updates' => 'آخرین به‌روز‌رسانی‌ها', + 'Account settings' => 'تنظیمات حساب کاربری', + 'Administration' => 'مدیریت', + 'Allow' => 'اجازه بده', + 'Back' => 'بازگشت', + 'Back to dashboard' => 'بازگشت به خانه', + 'Choose language:' => 'زبان را انتخاب کنید:', + 'Collapse' => 'جمع شدن', + 'Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!' => 'Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!', + 'Could not determine content container!' => 'نگهدارنده‌ی محتوا قابل شناسایی نیست!', + 'Could not find content of addon!' => 'محتوای افزونه پیدا‌نشد!', + 'Default' => 'پيش فرض', + 'Deny' => 'انكار كردن', + 'Error' => 'خطا', + 'Expand' => 'باز‌کردن', + 'Insufficent permissions to create content!' => 'دسترسی مورد نیاز برای تولید محتوا وجود ندارد!', + 'It looks like you may have taken the wrong turn.' => 'به نظر می‌رسد مسیر اشتباه را طی کرده‌اید.', + 'Language' => 'زبان', + 'Latest news' => 'آخرین اخبار', + 'Login' => 'ورود', + 'Logout' => 'خروج', + 'Menu' => 'منو', + 'Module is not on this content container enabled!' => 'ماژول در این نگهدارنده‌ی محتوا فعال نیست!', + 'My profile' => 'پروفایل من', + 'New profile image' => 'عکس پروفایل جدید', + 'Next' => 'بعدي', + 'Oooops...' => 'اوه اوه...', + 'Please type at least 3 characters' => 'حداقل 3 كاراكتر را تايپ كنيد', + 'Save' => 'ذخيره', + 'Search' => 'جستجو', + 'Search for users and spaces' => 'جستجوی کاربران و انجمن‌ها', + 'Space not found!' => 'انجمن پیدا نشد!', + 'User Approvals' => 'تأیید کاربران', + 'User not found!' => 'کاربر پیدا نشد!', + 'You cannot create public visible content!' => 'شما نمی‌توانید محتوای عمومی قابل دید تولید کنید!', + 'Your daily summary' => 'خلاصه‌ی روزانه‌ی شما', +); diff --git a/protected/humhub/messages/fa_ir/error.php b/protected/humhub/messages/fa_ir/error.php index 7623e0d0b2..226fa9ecfe 100644 --- a/protected/humhub/messages/fa_ir/error.php +++ b/protected/humhub/messages/fa_ir/error.php @@ -1,23 +1,6 @@ '', - 'You are not allowed to perform this action.' => '', - 'Login required' => 'ورود لازم است', -]; +return array ( + 'Login required' => 'ورود لازم است', + 'An internal server error occurred.' => 'يك مشكل در سرور به وجود آمده است', + 'You are not allowed to perform this action.' => 'شما قادر به انجام اين عمل نيستيد', +); diff --git a/protected/humhub/messages/fr/archive.json b/protected/humhub/messages/fr/archive.json index 0e97cf5692..5f9d58a941 100644 --- a/protected/humhub/messages/fr/archive.json +++ b/protected/humhub/messages/fr/archive.json @@ -1 +1 @@ -{"Latest updates":["Dernières mises à jour"],"Search":["Recherche"],"Account settings":["Paramètres du compte"],"Administration":["Administration"],"Back":["Retour"],"Back to dashboard":["Retour au tableau de bord"],"Choose language:":["Langage :"],"Collapse":["Réduire"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Le contenu d'un add-on doit être une instance de HActiveRecordContent ou HActiveRecordContentAddon!"],"Could not determine content container!":["Le contenu du conteneur ne peut être déterminé"],"Could not find content of addon!":["Le contenu du add-on ne peut être trouvé"],"Could not find requested module!":["Impossible de trouver le module demandé !"],"Error":["Erreur"],"Expand":["Agrandir"],"Insufficent permissions to create content!":["Vos droits d'accès sont insuffisants pour créer du contenu"],"Invalid request.":["Requête invalide"],"It looks like you may have taken the wrong turn.":["Il semble que vous n'êtes pas au bon endroit"],"Keyword:":["Mot-clé:"],"Language":["Langue","Langage"],"Latest news":["Dernières nouvelles"],"Login":["Login"],"Logout":["Se déconnecter"],"Menu":["Menu"],"Module is not on this content container enabled!":["Le module n'est pas activé pour ce conteneur"],"My profile":["Mon profil"],"New profile image":["Nouvelle image de profil"],"Nothing found with your input.":["Aucun élément trouvé à partir de votre saisie"],"Oooops...":["Oups..."],"Results":["Résultats"],"Search":["Rechercher"],"Search for users and spaces":["Rechercher des utilisateurs ou des espaces"],"Show more results":["Afficher plus de résultats"],"Sorry, nothing found!":["Désolé, aucun élément trouvé !"],"Space not found!":["Espace introuvable","Espace introuvable !"],"User Approvals":["Approbations utilisateur"],"User not found!":["Utilisateur non trouvé !"],"Welcome to %appName%":["Bienvenue sur %appName%"],"You cannot create public visible content!":["Vous ne pouvez créer un contenu public visible !"],"Your daily summary":["Votre rapport quotidien"],"Login required":["Login requis"],"An internal server error occurred.":["Une erreur interne est survenue."],"You are not allowed to perform this action.":["Vous n'êtes pas autorisé à effectuer cette action."],"Global {global} array cleaned using {method} method.":["Global {global} tableau vidé utilisant la méthode {method}."],"Upload error":["Erreur de Chargement","Erreur de chargement"],"Close":["Fermer"],"Add image/file":["Ajouter une image/fichier"],"Add link":["Ajouter un lien"],"Bold":["Gras"],"Code":["Code"],"Enter a url (e.g. http://example.com)":["Entrez un URL"],"Heading":["Entête"],"Image":["Image"],"Image/File":["Image/fichier"],"Insert Hyperlink":["Insérer un lien"],"Insert Image Hyperlink":["Insérer un lien vers image"],"Italic":["Italique"],"List":["Liste"],"Please wait while uploading...":["Veuillez patienter pendant le chargement..."],"Preview":["Prévisualiser"],"Quote":["Citation"],"Target":["Destination"],"Title":["Titre"],"Title of your link":["Titre de votre lien"],"URL/Link":["URL/lien"],"Could not create activity for this object type!":["Impossible de créer une activité pour ce type d'objet !"],"%displayName% created the new space %spaceName%":["%displayName% a créé un nouvel espace %spaceName%"],"%displayName% created this space.":["Espace créé par %displayName%"],"%displayName% joined the space %spaceName%":["%displayName% a rejoint l'espace %spaceName%"],"%displayName% joined this space.":["%displayName% a rejoint cet espace."],"%displayName% left the space %spaceName%":["%displayName% a quitté l'espace %spaceName%"],"%displayName% left this space.":["%displayName% a quitté cet espace."],"{user1} now follows {user2}.":["{user1} suit maintenant {user2}."],"see online":["voir en ligne"],"via":["par","via"],"Latest activities":["Activités récentes"],"There are no activities yet.":["Il n'y a aucune activité récente."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Bonjour {displayName},

\n\nVotre compte est activé.

\nCliquez sur le lien suivant pour vous connecter :
\n{loginURL}

\n \nCordialement,
\n{AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Bonjour {displayName},

\n\nVotre demande a été rejetée.

\n \nCordialement,
\n{AdminName}

"],"Group not found!":["Groupe non trouvé !"],"Could not uninstall module first! Module is protected.":["Désinstallation du module impossible ! Module Protégé."],"Module path %path% is not writeable!":["Le dossier %path% du module n'est pas accessible en écriture"],"Saved":["Enregistré"],"Database":["Base de Données"],"No theme":["Aucun Thème"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["Changement LDAP impossible ! - Vérifier l'extension PHP"],"File":["Fichier"],"No caching (Testing only!)":["Aucune cache (Test seulement)","Pas de cache"],"None - shows dropdown in user registration.":["Aucun - Combo déroulante lors de l'enregistrement."],"Saved and flushed cache":["Sauvegardé et cache purgée"],"Become this user":["Devenir cet utilisateur"],"Delete":["Supprimer"],"Disabled":["Désactivé"],"Enabled":["Activé"],"LDAP":["LDAP"],"Local":["Local"],"Save":["Enregistrer"],"Unapproved":["Non Approuvé"],"You cannot delete yourself!":["Vous ne pouvez pas supprimer vous-même !"],"Could not load category.":["Impossible de charger la catégorie."],"You can only delete empty categories!":["Vous pouvez uniquement supprimer les catégories vides !"],"Group":["Groupe"],"Message":["Message"],"Subject":["Objet","Sujet"],"Base DN":["Base DN"],"Enable LDAP Support":["Activer le LDAP"],"Encryption":["Chiffrement","Cryptage"],"Hostname":["Nom d'hôte"],"Login Filter":["Filtre Login"],"Password":["Mot de passe"],"Port":["Port"],"User Filer":["Filtre Utilisateur"],"Username":["Nom d'utilisateur"],"Username Attribute":["Attribut Utilisateur"],"Anonymous users can register":["Les utilisateurs anonyme peuvent s'enregistrer"],"Default user group for new users":["Groupe par défaut pour les nouveaux utilisateurs"],"Members can invite external users by email":["Les membres peuvent inviter des utilisateurs externe par EMail"],"Require group admin approval after registration":["L'approbation de l'administrateur du groupe est requis après l'enregistrement"],"Base URL":["URL"],"Default language":["Langage par défaut"],"Default space":["Espace par défaut"],"Invalid space":["Espace Invalide","Espace invalide"],"Logo upload":["Envoyer un logo"],"Name of the application":["Nom de l'application"],"Server Timezone":["Fuseau horaire"],"Show introduction tour for new users":["Afficher les \"premiers pas\" pour les nouveaux utilisateurs"],"Cache Backend":["Type de mémoire cache"],"Default Expire Time (in seconds)":["Temps d'expiration par défaut (en secondes)"],"PHP APC Extension missing - Type not available!":["Extension PHP APC non trouvée - Service non disponible !"],"PHP SQLite3 Extension missing - Type not available!":["Extension PHP SQLite3 non trouvée - Service non disponible !"],"Default pagination size (Entries per page)":["Taille de pagination par défaut (entrées par page)"],"Display Name (Format)":["Nom affiché (format)"],"Theme":["Thème"],"Convert command not found!":["Commande de conversion non trouvée !"],"Got invalid image magick response! - Correct command?":["Réponse de \"Image Magick\" incorrecte - Votre commande est-elle juste ?"],"Image Magick convert command (optional)":["Commande de conversion \"Image Magick\" (optionnel)"],"Maximum upload file size (in MB)":["Taille de fichier en Upload maximum (en Mo)"],"Use X-Sendfile for File Downloads":["Utiliser X-Sendfile pour le téléchargement ?"],"Administrator users":["Administrateurs"],"Description":["Description"],"Ldap DN":["DN LDAP"],"Name":["Nom"],"Allow Self-Signed Certificates?":["Autoriser les certificats auto-signés ?"],"E-Mail sender address":["Adresse expéditeur du Mail"],"E-Mail sender name":["Nom de l'expéditeur du Mail"],"Mail Transport Type":["Type de transport du Mail"],"Port number":["Port (ex : 25)"],"User":["Nom d'utilisateur","Utilisateur"],"Super Admins can delete each content object":["Les super administrateurs peuvent supprimer chaque objet contenu"],"HTML tracking code":["Code HTML de suivi de statistiques"],"Module directory for module %moduleId% already exists!":["Le dossier du module (%modulePath%) existe déjà !"],"Could not extract module!":["Impossible d'extraire le module"],"Could not fetch module list online! (%error%)":["Impossible d'afficher la liste des modules en ligne ! (%error%)"],"Could not get module info online! (%error%)":["Informations du module non disponible ! (%error%)"],"Download of module failed!":["Erreur de téléchargement du module !"],"Module directory %modulePath% is not writeable!":["Le dossier du module (%modulePath%) est en lecture seule !"],"Module download failed! (%error%)":["Erreur de téléchargement de module ! (%error%)"],"No compatible module version found!":["Version du module non compatible !","Aucun module compatible n'a été trouvé !"],"Activated":["Activé"],"No modules installed yet. Install some to enhance the functionality!":["Aucun module installé actuellement. Installez-en pour améliorer les fonctionnalités de HumHub."],"Version:":["Version :"],"Installed":["Installé"],"No modules found!":["Aucun module trouvé."],"All modules are up to date!":["Tous les modules sont à jour !"],"About HumHub":["À Propos de HumHub"],"Accept":["Accepter"],"Decline":["Refuse"],"Accept user: {displayName} ":["Utilisateur autorisé : {displayName}"],"Cancel":["Annuler"],"Send & save":["Enregistrer & Envoyer"],"Decline & delete user: {displayName}":["Refuser et supprimer l'utilisateur : {displayName}"],"Email":["Email","e-mail"],"Search for email":["Rechercher un Email","Rechercher par Email"],"Search for username":["Rechercher un Nom d'utilisateur","Rechercher par Nom d'Utilisateur"],"Pending user approvals":["Utilisateurs en attente d'approbation"],"Here you see all users who have registered and still waiting for a approval.":["Ici, voici la liste de tous les utilisateurs enregistrés mais en attente d'une approbation."],"Delete group":["Supprimer le groupe"],"Delete group":["Supprimer le groupe"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Pour supprimer le groupe \"{group}\" vous devez sélectionner un groupe alternatif pour les utilisateurs existant :"],"Create new group":["Nouveau groupe"],"Edit group":["Editer le groupe"],"Group name":["Nom du Groupe","Nom du groupe"],"Search for description":["Rechercher dans la description"],"Search for group name":["Rechercher un groupe par nom"],"Manage groups":["Gérer les groupes"],"Create new group":["Créer un nouveau groupe"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Vous pouvez séparer les utilisateurs en différents groupes (par équipe, département, ...) ainsi que définir leurs Espaces par défaut et leurs Administrateurs."],"Error logging":["Erreur de Journalisation"],"Displaying {count} entries per page.":["Afficher {count} entrées par page."],"Total {count} entries found.":["Total de {count} entrées trouvées."],"Available updates":["Mises à jour disponible"],"Browse online":["Voir en ligne"],"This module doesn't provide further informations.":["Ce module ne fournit pas d'autres informations."],"Modules directory":["Répertoire des Modules","Répertoire des modules","Répertoire des modules"],"Are you sure? *ALL* module data will be lost!":["Êtes-vous sur ? *TOUTES* les données du module seront perdu !"],"Are you sure? *ALL* module related data and files will be lost!":["Êtes-vous sur ? *TOUTES* les données et les fichiers du module seront perdu !"],"Configure":["Configurer"],"Disable":["Désactiver"],"Enable":["Activer"],"More info":["Plus d'info"],"Set as default":["Définir par défaut"],"Uninstall":["Désinstaller"],"Install":["Installer"],"Latest compatible version:":["Dernière version compatible :"],"Latest version:":["Dernière version : "],"Installed version:":["Version installé :"],"Latest compatible Version:":["Dernière version compatible :"],"Update":["Mise à jour"],"%moduleName% - Set as default module":["%moduleName% est définit comme module par défaut"],"Always activated":["Toujours activé"],"Deactivated":["Désactivé"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Ici, vous pouvez choisir ou non si un module devrait être automatiquement activé dans un espace ou un profil d'utilisateur. Si le module devrait être activé, choisissez \"toujours activé\"."],"Spaces":["Espaces"],"User Profiles":["Profils utilisateurs"],"Authentication - Basic":["Authentication - Basique"],"Basic":["Basique","Général"],"Authentication - LDAP":["Authentication - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["L'utilisation du protocole TLS/SSL est fortement recommandé dans les environnements de production pour prévenir de la transmission des mots de passe en clair."],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["Attribut LDAP pour Nom d'utilisateur. Exemple: "uid" ou "sAMAccountName""],"Status: Error! (Message: {message})":["Status : Erreur! (Message: {message})"],"Status: OK! ({userCount} Users)":["Status : OK! ({userCount} Utilisateurs)"],"The default base DN used for searching for accounts.":["La base par défaut DN utilisé pour la recherche de comptes."],"The default credentials password (used only with username above).":["Le mot de passe des informations d'identification par défaut (utilisé uniquement avec identifiant ci-dessus)."],"Cache Settings":["Paramètres de la mémoire cache"],"Save & Flush Caches":["Enregistrer & Purger le cache"],"CronJob settings":["Paramètres des tâches planifiées"],"Crontab of user: {user}":["Tâche planifiée de l'utilisateur : {user}"],"Last run (daily):":["Dernière exécution (journalières) :"],"Last run (hourly):":["Dernière exécution (horaires) :"],"Never":["Jamais","jamais"],"Or Crontab of root user":["Ou tâche du SuperUtilisateur (root)"],"Please make sure following cronjobs are installed:":["Merci de bien vouloir vérifier que les tâches planifiées sont installées :"],"Design settings":["Préférences de Mise en Page"],"Firstname Lastname (e.g. John Doe)":["Prénom Nom (ex. : John Doe)"],"Username (e.g. john)":["Nom d'utilisateur (ex. : john)"],"File settings":["Paramètres de fichier"],"Comma separated list. Leave empty to allow all.":["Extensions séparées par une virgule. Laissez vide pour tout autoriser."],"Current Image Libary: {currentImageLibary}":["Librairie d'image courante : {currentImageLibary}"],"PHP reported a maximum of {maxUploadSize} MB":["PHP informe un maximum d'Upload de {maxUploadSize} Mo"],"Basic settings":["Paramètres de Base"],"Dashboard":["Fil d'actualité"],"E.g. http://example.com/humhub":["Ex. http://example.com/humhub"],"New users will automatically added to these space(s).":["Les nouveaux utilisateurs seront automatiquement ajoutés à ces espaces"],"Mailing defaults":["Paramètres de Mailing par défaut"],"Activities":["Activités"],"Always":["Toujours","toujours"],"Daily summary":["Résumé quotidien","résumé quotidien"],"Defaults":["Par Défaut","Par défaut"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Définir les valeurs par défaut lorsque l'utilisateur reçoit des e-mails sur les notifications ou de nouvelles activités. Ces paramètres peuvent être réécrits par les utilisateurs dans les paramètres de compte."],"Notifications":["Notifications"],"Server Settings":["Paramètres du serveur","Paramètres Serveur"],"When I´m offline":["Quand je suis Hors Ligne","quand je suis déconnecté"],"Mailing settings":["Paramètres de Mailing par défaut"],"SMTP Options":["Options SMTP"],"Security settings and roles":["Rôles et Paramètres de Sécurité"],"Self test":["Auto tests"],"Checking HumHub software prerequisites.":["Vérifier les pré-requis de HumHub"],"Re-Run tests":["Executer la vérification"],"Statistic settings":["Paramètres de statistiques"],"All":["Tous"],"Delete space":["Supprimer l'Espace"],"Edit space":["Éditer l'Espace"],"Search for space name":["Rechercher un Espace (par nom)"],"Search for space owner":["Rechercher un Espace (par Propriétaire)"],"Space name":["Nom de l'Espace"],"Space owner":["Propriétaire","Propriétaire de l'espace"],"View space":["Voir"],"Manage spaces":["Gérer les Espaces"],"In this overview you can find every space and manage it.":["Dans cette ensemble, vous pouvez trouver n'importe quel espace et le gérer"],"Settings":["Réglages"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Êtes vous sur de vouloir supprimer cet utilisateur ? Si celui-ci est le propriétaire d'un Espace, VOUS deviendrez le propriétaire de celui-ci."],"Delete user":["Supprimer l'Utilisateur"],"Delete user: {username}":["Supprimer l'Utilisateur : {username}"],"Edit user":["Éditer l'Utilisateur"],"Admin":["Administrateur"],"Delete user account":["Supprimer le compte utilisateur"],"Edit user account":["Éditer le compte utilisateur"],"No":["Non"],"View user profile":["Voir le profil"],"Yes":["Oui"],"Manage users":["Gérer les utilisateurs"],"In this overview you can find every registered user and manage him.":["Dans cette vision d'ensemble, vous pouvez trouver chaque utilisateur enregistré et le gérer"],"Create new profile category":["Créer une nouvelle catégorie de Profil"],"Edit profile category":["Éditer la catégorie"],"Create new profile field":["Créer un champ de profil"],"Edit profile field":["Éditer un champ de profil"],"Security & Roles":["Rôles et Sécurité"],"Administration menu":["Menu d'Administration"],"About":["À propos"],"Authentication":["Authentification"],"Caching":["Cache"],"Cron jobs":["Tâches planifiées"],"Design":["Mise en Page"],"Files":["Fichiers"],"Groups":["Groupes"],"Logging":["Journal"],"Mailing":["Notifications"],"Modules":["Modules"],"Self test & update":["Auto-Tests et Mise à Jour"],"Statistics":["Statistiques"],"User approval":["Approbation d'utilisateur"],"User profiles":["Profil utilisateur"],"Users":["Utilisateurs"],"Click here to review":["Cliquez ici pour réviser"],"New approval requests":["Nouvelles requêtes d'approbation"],"One or more user needs your approval as group admin.":["Un utilisateur ou plus nécessite l'approbation en tant qu'administrateur de groupe."],"Could not delete comment!":["Impossible d'effacer le commentaire !"],"Invalid target class given":["Classe cible invalide"],"Model & Id Parameter required!":["le modèle et le paramètre ID sont requis !"],"Target not found!":["Cible non trouvée !"],"Access denied!":["Accès refusé","Accès refusé !"],"Insufficent permissions!":["Droits insuffisants !"],"Comment":["commentaire"],"%displayName% wrote a new comment ":["%displayName% a écrit un commentaire"],"Comments":["Commentaires"],"Edit your comment...":["Éditer le commentaire..."],"%displayName% also commented your %contentTitle%.":["%displayName% a également commenté %contentTitle%."],"%displayName% commented %contentTitle%.":["%displayName% a commenté %contentTitle%."],"Show all {total} comments.":["Voir les {total} commentaires."],"Write a new comment...":["Écrire un nouveau commentaire..."],"Post":["la publication"],"Show %count% more comments":["Afficher %count% autres commentaires"],"Confirm comment deleting":["Confirmation de la suppression du commentaire"],"Do you really want to delete this comment?":["Souhaitez-vous vraiment supprimer ce commentaire ?"],"Edit":["Editer","Modifier"],"Updated :timeago":["mis à jour :timeago","actualisé il y a :timeago"],"{displayName} created a new {contentTitle}.":["{displayName} a publié {contentTitle}.","{displayName} a créé une nouvelle publication : {contentTitle}."],"Back to stream":["Retour au fil d'actualités","Retour au Stream"],"Filter":["Filtre"],"Sorting":["Trier"],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["Nombre maximum d'éléments collées atteint !\n\nVous pouvez coller seulement deux éléments à la fois.\nPour Toutefois coller cet article, décoller l'autre avant !"],"Could not load requested object!":["Impossible de charger l'objet demandé !"],"Unknown content class!":["Contenu de classe inconnu"],"Could not find requested content!":["Impossible de trouver le contenu demandé"],"Could not find requested permalink!":["Impossible de trouver le lien permanent demandé"],"{userName} created a new {contentTitle}.":["{userName} a publié : {contentTitle}."],"in":["dans"],"Submit":["Publier","Envoyer"],"No matches with your selected filters!":["Aucun résultat avec les filtres sélectionnés","Aucun résultat."],"Nothing here yet!":["Rien à afficher","Rien à afficher actuellement."],"Move to archive":["Archiver"],"Unarchive":["Désarchiver"],"Add a member to notify":["Indiquez le nom du membre à avertir"],"Make private":["Rendre privé"],"Make public":["Rendre public"],"Notify members":["Avertir les membres"],"Public":["Public"],"What's on your mind?":["Publiez quelque chose..."],"Confirm post deleting":["Confirmer la suppression de la publication"],"Do you really want to delete this post? All likes and comments will be lost!":["Souhaitez-vous vraiment supprimer cette publication ? Tous les \"j'aime\" et les commentaires seront définitivement perdus !"],"Archived":["Archivé"],"Sticked":["Mis en avant"],"Turn off notifications":["Désactiver les alertes"],"Turn on notifications":["Activer les alertes"],"Permalink to this page":["Lien permanent vers cette page"],"Permalink to this post":["Lien permanent vers cette publication"],"Permalink":["Lien permanent"],"Stick":["Coller"],"Unstick":["Décoller"],"Nobody wrote something yet.
Make the beginning and post something...":["Personne n'a rien écrit pour le moment.
Soyez le premier et écrivez quelque chose..."],"This profile stream is still empty":["Ce flux de profil est vide"],"This space is still empty!
Start by posting something here...":["Cet espace est vide
Commencez par écrire quelque chose ici..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Votre tableau de bord est vide !
Écrivez quelque chose sur votre profil ou rejoignez des espaces !"],"Your profile stream is still empty
Get started and post something...":["Votre profil est vide.
Commencez par écrire quelque chose..."],"Content with attached files":["Contenu avec pièces jointes"],"Created by me":["Créé par moi","Mes créations"],"Creation time":["Date de création"],"Include archived posts":["Inclure les archives"],"Last update":["Dernière mise à jour"],"Nothing found which matches your current filter(s)!":["Rien ne correspond à vos critères actuels !"],"Only private posts":["Uniquement les publications privées"],"Only public posts":["Uniquement les publications publiques"],"Posts only":["Uniquement les publications"],"Posts with links":["Publications avec liens"],"Show all":["Tout voir"],"Where I´m involved":["Où je suis impliqué"],"No public contents to display found!":["Aucun contenu public à afficher actuellement."],"Directory":["Annuaire"],"Member Group Directory":["Annuaire des membres de groupes"],"show all members":["Voir tous les membres"],"Directory menu":["Menu annuaire"],"Members":["Membres"],"User profile posts":["Publications des membres"],"Member directory":["Annuaire des membres"],"Follow":["Suivre"],"No members found!":["Aucun membre."],"Unfollow":["Ne plus suivre"],"search for members":["chercher des membres"],"Space directory":["Annuaire espaces"],"No spaces found!":["Aucun espace trouvé."],"You are a member of this space":["Vous êtes membre de cet espace"],"search for spaces":["chercher des espaces"],"There are no profile posts yet!":["Il n'y a aucune publication actuellement"],"Group stats":["Statistiques des groupe"],"Average members":["Moyenne des membres"],"Top Group":["Meilleur groupe"],"Total groups":["Nombre de groupes"],"Member stats":["Statistiques des membres"],"New people":["Nouveaux membres"],"Follows somebody":["Suivent"],"Online right now":["En ligne en ce moment"],"Total users":["Nombre de membres"],"See all":["Voir tous"],"New spaces":["Nouvel espace"],"Space stats":["Statistiques des espaces"],"Most members":["Plus fréquenté"],"Private spaces":["Espaces privés"],"Total spaces":["Nombre d'espaces"],"Could not find requested file!":["Impossible de trouver le fichier demandé !"],"Insufficient permissions!":["Vous n'avez pas les permissions !"],"Created By":["Créé par"],"Created at":["Créé à"],"File name":["Nom du fichier"],"Guid":["GUID"],"ID":["ID"],"Invalid Mime-Type":["Type Mine invalide"],"Maximum file size ({maxFileSize}) has been exceeded!":["La taille maximale autorisée ({maxFileSize}) est dépassée."],"Mime Type":["Type Mime"],"Size":["Taille"],"This file type is not allowed!":["Ce type de fichier n'est pas autorisé"],"Updated at":["Mis à jour à"],"Updated by":["Mis à jour par"],"Could not upload File:":["Impossible d'envoyer le fichier :"],"Upload files":["Envoyer des fichiers"],"List of already uploaded files:":["Liste des fichiers déjà envoyés :"],"Create Admin Account":["Créer un compte administrateur"],"Name of your network":["Nom de votre réseau"],"Name of Database":["Nom de la base de données"],"Admin Account":["Compte Administrateur"],"Next":["Suivant"],"Social Network Name":["Nom du réseau social"],"Setup Complete":["Configuration terminée"],"Sign in":["Se connecter"],"Setup Wizard":["Setup Wizard"],"Welcome to HumHub
Your Social Network Toolbox":["Bienvenue sur HumHub
Votre réseau social"],"Initializing database...":["Initialisation de la base de données..."],"Your MySQL password.":["Votre mot de passe MySQL"],"Your MySQL username":["Votre nom d'utilisateur MySQL"],"System Check":["Vérification du système"],"Check again":["Vérifier à nouveau"],"Could not find target class!":["Impossible de trouver la cible !"],"Could not find target record!":["Impossible de trouver la cible !"],"Invalid class given!":["Classe invalide !"],"Users who like this":["Membres qui aiment ça"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} aime {contentTitle}"],"User who vote this":["Utilisateur ayant voté","Utilisateurs qui vont répondre à ça"],"%displayName% also likes the %contentTitle%.":["%displayName% aime aussi %contentTitle%."],"%displayName% likes %contentTitle%.":["%displayName% aime %contentTitle%."]," likes this.":[" aiment ça."],"You like this.":["Vous aimez ça."],"You
":["Vous
"],"Like":["Aime"],"Unlike":["N'aime plus"],"and {count} more like this.":["et {count} autres aiment ça."],"Could not determine redirect url for this kind of source object!":["Impossible de déterminer l'url de redirection pour ce type d'objet source"],"Could not load notification source object to redirect to!":["Impossible de charger l'objet source de notification vers cette redirection!"],"New":["Nouveau"],"Mark all as seen":["Tout marquer comme lu"],"There are no notifications yet.":["Il n'y a aucune notification."],"%displayName% created a new post.":["%displayName% a créé une nouvelle publication."],"Edit your post...":["Éditer la publication..."],"Read full post...":["Lire tout..."],"Search results":["Résultats de la recherche"],"Content":["Contenu"],"Send & decline":["Envoyer et refuser"],"Visible for all":["Visible de tous"]," Invite and request":[" Sur invitation et demande"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Impossible d'effacer un utilisateur propriétaire d'un espace ! Espace concerné : {spaceName}"],"Everyone can enter":["Tout le monde peut entrer"],"Invite and request":["Sur invitation et demande"],"Only by invite":["Sur invitation uniquement"],"Private (Invisible)":["Privé (invisible)"],"Public (Members & Guests)":["Public (membres et visiteurs)"],"Public (Members only)":["Public (membres uniquement)"],"Public (Registered users only)":["Public (utilisateurs enregistrés uniquement)"],"Public (Visible)":["Public (visible)"],"Visible for all (members and guests)":["Visite par tous (membres et visiteurs)"],"Space is invisible!":["Espace invisible"],"You need to login to view contents of this space!":["Vous devez être connecté pour voir ce contenu"],"As owner you cannot revoke your membership!":["En tant que propriétaire, vous ne pouvez pas révoquer votre participation !"],"Could not request membership!":["Demande de participation impossible !"],"There is no pending invite!":["Aucune invitation en attente !"],"This action is only available for workspace members!":["Cette action n'est disponible que pour les membres de cet espace !"],"You are not allowed to join this space!":["Vous n'êtes pas autorisé à rejoindre cet espace !"],"Space title is already in use!":["Ce nom d'espace est déjà utilisé."],"Type":["Type"],"Your password":["Indiquez votre mot de passe"],"Invites":["Invitations"],"New user by e-mail (comma separated)":["Nouveaux utilisateurs par e-mail (séparés par une virgule)"],"User is already member!":["Cet utilisateur est déjà membre."],"{email} is already registered!":["{email} est déjà inscrit."],"{email} is not valid!":["{email} n'est pas valide."],"Application message":["Message"],"Scope":["Etendue"],"Strength":["Contrainte"],"Created At":["Créé à"],"Join Policy":["Conditions d'adhésion"],"Owner":["Propriétaire"],"Status":["Statut"],"Tags":["Mots-clés","Tags"],"Updated At":["Mis à jour à"],"Visibility":["Visibilité"],"Website URL (optional)":["Lien vers site Web (option)"],"You cannot create private visible spaces!":["Vous ne pouvez pas créer un espace privé visible !"],"You cannot create public visible spaces!":["Vous ne pouvez pas créer un espace public visible !"],"Select the area of your image you want to save as user avatar and click Save.":["Choisissez la portion de l'image que vous désirez utiliser comme avatar et cliquez sur Enregistrer."],"Modify space image":["Modifier l'image de l'espace"],"Delete space":["Effacer l'espace"],"Are you sure, that you want to delete this space? All published content will be removed!":["Êtes-vous certain de vouloir supprimé cet espace ? Tout le contenu publié sera définitivement supprimé également !"],"Please provide your password to continue!":["Veuillez indiquez votre mot de passe pour continuer !"],"General space settings":["Paramètres de l'espace"],"Archive":["Archive"],"Choose the kind of membership you want to provide for this workspace.":["Choisissez le type de participation à cet espace."],"Choose the security level for this workspace to define the visibleness.":["Choisissez le niveau de sécurité de cet espace pour en définir la visibilité."],"Search members":["Rechercher des membres"],"Manage your space members":["Gérez les membres de votre espace"],"Outstanding sent invitations":["Invitations envoyées"],"Outstanding user requests":["Demandes d'utilisateurs en attente"],"Remove member":["Retirer le membre"],"Allow this user to
invite other users":["Autoriser cet utilisateur
à inviter d'autres utilisateurs"],"Allow this user to
make content public":["Autoriser cet utilisateur
à rendre public du contenu"],"Are you sure, that you want to remove this member from this space?":["Êtes-vous certain de vouloir retirer ce membre de cet espace ?"],"Can invite":["Autorisé à inviter"],"Can share":["Autorisé à partager"],"Change space owner":["Changer le propriétaire"],"External users who invited by email, will be not listed here.":["Les utilisateurs externes, invités par e-mail ne sont pas visibles ici."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Tous les membres actifs de cet espace sont visibles ci-dessous. Vous pouvez modifier leurs privilèges ou les retirer de ce espace."],"Is admin":["Est administrateur"],"Make this user an admin":["Donner les droits administrateur."],"No, cancel":["Non, annuler"],"Remove":["Effacer"],"Request message":["Message de demande"],"Revoke invitation":["Révoquer l'invitation"],"The following users waiting for an approval to enter this space. Please take some action now.":["Les utilisateurs suivant attendent une approbation pour participer à cet espace. Merci de faire le nécessaire."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Les utilisateurs suivants ont été invités dans cet espace, mais n'ont pas encore répondus à cette demande."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Le propriétaire de l'espace est le super-administrateur et normalement le créateur de cet espace. Ici vous pouvez transmettre cette fonction à un autre utilisateur."],"Yes, remove":["Oui, effacer"],"Space Modules":["Modules des espaces"],"Are you sure? *ALL* module data for this space will be deleted!":["Êtes-vous certain ? *TOUTES* les données des modules de cet espace seront définitivement supprimées !"],"Currently there are no modules available for this space!":["Aucun module n'est disponible actuellement pour cet espace !"],"Enhance this space with modules.":["Améliorez cet espace avec des modules."],"Create new space":["Créer un nouvel espace"],"Advanced access settings":["Paramètres d'accès avancés"],"Advanced search settings":["Paramètres de recherche avancés"],"Also non-members can see this
space, but have no access":["Les non-membres peuvent voir cet espace
mais n'y ont pas accès"],"Create":["Créer"],"Every user can enter your space
without your approval":["Tout le monde peut entrer dans votre
espace sans votre approbation."],"For everyone":["Pour tout le monde"],"How you want to name your space?":["Indiquez le nom de votre espace"],"Please write down a small description for other users.":["Indiquez une description courte pour les autres utilisateurs."],"This space will be hidden
for all non-members":["Cet espace sera caché
pour les non membres"],"Users can also apply for a
membership to this space":["Les utilisateurs peuvent demander
un accès à cet espace"],"Users can be only added
by invitation":["Les utilisateurs ne peuvent être
ajoutés que par invitation"],"space description":["description de l'espace"],"space name":["nom de l'espace"],"{userName} requests membership for the space {spaceName}":["{userName} souhaite s'affilier à l'espace {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} à accepté votre demande d'affiliation à {spaceName}"],"{userName} declined your membership request for the space {spaceName}":["{userName} à refusé votre demande d'affiliation à {spaceName}"],"{userName} invited you to the space {spaceName}":["{userName} vous invite à rejoindre l'espace {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} a accepté votre invitation dans l'espace {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} a refusé votre invitation dans l'espace {spaceName}"],"This space is still empty!":["Cet espace est vide"],"Accept Invite":["Accepter l'invitation"],"Become member":["Devenir membre"],"Cancel membership":["Annuler l'affiliation"],"Cancel pending membership application":["Annuler la demande d'affiliation"],"Deny Invite":["Interdire l'invitation"],"Request membership":["Demander à devenir membre"],"You are the owner of this workspace.":["Vous être propriétaire de cet espace"],"created by":["créé par"],"Invite members":["Inviter des membres"],"Add an user":["Ajouter un utilisateur"],"Email addresses":["Adresse e-mail"],"Invite by email":["Inviter par e-mail"],"New user?":["Nouvel utilisateur ?"],"Pick users":["Sélectionnez les utilisateurs"],"Send":["Envoyer"],"To invite users to this space, please type their names below to find and pick them.":["Pour inviter des membres dans cet espace, saisissez leurs noms ci-dessous et cochez les."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Vous pouvez également inviter des utilisateurs qui ne sont pas encore inscrits. Indiquez simplement leurs adresses e-mails séparées par une virgule."],"Request space membership":["Demande d'adhésion"],"Please shortly introduce yourself, to become an approved member of this space.":["Merci de vous présenter en quelques mots afin de devenir un membre de cet espace."],"Your request was successfully submitted to the space administrators.":["Votre demande a été transmise à l'administrateur de cet espace."],"Ok":["Ok"],"User has become a member.":["L'utilisateur est membre."],"User has been invited.":["L'utilisateur a été invité."],"User has not been invited.":["L'utilisateur n'a pas encore été invité."],"Back to workspace":["Retour à l'espace de travail"],"Space preferences":["Espace préférences"],"General":["Général"],"My Space List":["Ma liste d'espaces"],"My space summary":["Résumé de l'espace"],"Space directory":["Annuaire des espaces"],"Space menu":["Menu Espace"],"Stream":["Flux"],"Change image":["Changer d'image"],"Current space image":["Image d'espace actuelle"],"Confirm image deleting":["Confirmer la suppression de l'image","Confirmr la suppression","Confirmer la suppression"],"Do you really want to delete your title image?":["Souhaitez-vous vraiment supprimer cette image ?","Souhaitez-vous vraiment supprimer l'image ?"],"Do you really want to delete your profile image?":["Souhaitez-vous vraiment supprimer l'image de votre profil ?","Souhaitez-vous vraiment supprimer l'image du profil ?"],"Invite":["Inviter"],"Something went wrong":["Quelque chose n'a pas fonctionné"],"Followers":["Vous suivent"],"Posts":["Publications"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Merci de vous présenter en quelques mots afin de devenir un membre de cet espace."],"Request workspace membership":["Demander de participation à l'espace","Demande de participation"],"Your request was successfully submitted to the workspace administrators.":["Votre demande de participation a été envoyée aux administrateurs."],"Create new space":["Créer un espace"],"My spaces":["Mes espaces"],"Space info":["Espace info"],"more":["plus"],"Accept invite":["Accepter l'invitation"],"Deny invite":["Décliner l'invitation"],"Leave space":["Se désabonner"],"New member request":["Nouvelles demandes d'affiliation"],"Space members":["Membres de l'espace","Espace membres"],"End guide":["Fin de la visite guidée"],"Next »":["Suivant »"],"« Prev":["« Précédent"],"Administration":["Administration"],"Hurray! That's all for now.":["Hourra! C'est tout pour maintenant."],"Modules":["Modules"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["En tant qu'admin, vou spouvez gérer la plateforme entière depuis ici.

Outre les modules, nous n'allons pas rentrer dans le détail ici, chacun a sa propre courte description ailleurs ."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Vous êtes actuellement dans le menu Outils. De là, vous pouvez accéder au marché en ligne HumHub, où vous pouvez installer un nombre toujours croissant d'outils à la volée.
Comme déjà mentionné, les outils augmentent les fonctions disponibles dans votre espace."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["\nVous avez maintenant appris à propos de tous les aspects les plus importants et êtes tous prêt pour commencer à utiliser la plate-forme.
Nous espérons que vous et tous les futurs utilisateurs serez satisfait d'utiliser ce site. Nous nous réjouissons de vos suggestions ou support que vous souhaitez offrir à notre projet. N'hésitez pas à nous contacter via www.humhub.org.
Restez à l'écoute. :-)"],"Dashboard":["Tableau de bord"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["ceci est votre tableau de bord.

Toute nouvelle activité ou commentaire qui peut vous intéresser sera affiché ici."],"Administration (Modules)":["Administration (Modules)"],"Edit account":["Modifier le compte"],"Hurray! The End.":["Hourra! Fin."],"Hurray! You're done!":["Hourra ! Vous avez terminé !"],"Profile menu":["Profil menu","Menu profil"],"Profile photo":["Profil photo"],"Profile stream":["Profile flux"],"User profile":["Profil utilisateur"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Cliquez sur ce bouton pour mettre à jour votre profil et vos paramètres de compte. Vous pouvez également ajouter plus d'informations à votre profil."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Chaque profil possède sa propre tableau d'affichage. Vos messages seront également diffusés sur les tableaux de bord des utilisateurs qui vous suivent."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Tout comme dans l'espace, le profil de l'utilisateur peut être personnalisé avec différents modules.
Vous pouvez découvrir quels sont les modules disponibles pour votre profil en regardant dans \"Modules\" dans le menu des paramètres de compte."],"This is your public user profile, which can be seen by any registered user.":["Ceci est votre profil d'utilisateur public, qui peut être vu par tout utilisateur enregistré."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Ajouter une photo de profil en cliquant ici ou par glisser-déposer. Faites la même chose pour mettre à jour votre photo de couverture."],"You've completed the user profile guide!":["Vous avez terminé le guide de profil de l'utilisateur!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Vous avez terminé le guide de profil utilisateur!
Pour poursuivre avec le guide d'administration, cliquez ici:

"],"Most recent activities":["Plus récentes activités"],"Posts":["Commentaires"],"Profile Guide":["Guide de profile"],"Space":["Espace"],"Space navigation menu":["Espace menu navigation"],"Writing posts":["Écrire une publication"],"Yay! You're done.":["Bravo ! Vous avez terminé."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Tous les utilisateurs qui sont membres de cet espace seront affichés ici.

Les nouveaux membres peuvent être ajoutés par quiconque ayant obtenu les droits d'accès de l'administrateur."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Donner aux autres utilisateurs une description rapide du thème de l'espace. Vous pouvez ajouter des informations sommaires ici.

L'administrateur de l'espace peut insérer et changer l'image de couverture de l'espace en cliquant dessus ou en faisant glisser l'image."],"New posts can be written and posted here.":["Les nouveaux messages peuvent être rédigés et publiés ici."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Une fois que vous avez rejoint ou créé un nouvel espace, vous pouvez travailler sur des projets, discuter de sujets ou tout simplement partager des informations avec d'autres utilisateurs.
Il existe différents outils pour personnaliser un espace, rendant ainsi le processus de collaboration plus agréable."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["C'est tout pour le guide de l'espace

Pour poursuivre avec le guide de profil utilisateur, cliquez ici :"],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["C'est là que vous pouvez naviguer dans l'espace - Où vous y trouverez les modules qui sont actifs ou disponibles pour l'espace particulier où vous êtes actuellement. Ceux-ci pourraient être des sondages, des tâches ou des notes par exemple
Seul l'administrateur de l'espace peut gérer les modules de l'espace."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Ce menu n'est visible que pour les administrateurs de l'espace. Ici vous pouvez gérer vos paramètres d'espace, ajouter des membres / blocs et activer / désactiver les outils pour cet espace."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Pour vous tenir au courant, les activités les plus récentes des autres utilisateurs dans cet espace seront affichées ici."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Vos messages ainsi que ceux des autres utilisateurs apparaissent ici.
Ceux-ci peuvent ensuite être aimés ou commentés."],"Account Menu":["Menu Compte"],"Notifications":["Notifications"],"Space Menu":["Menu Espace"],"Start space guide":["Démarrer la visite guidée d'un espace"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Ne perdez pas la trace des choses !

Cette icône vous tiendra au courant des activités et des messages qui vous concerne directement."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Le menu compte vous donne accès à vos paramètres privés et vous permet de gérer votre profil public."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["C'est le menu le plus important et sera probablement celui que vous utilisez le plus souvent !
Accédez à tous les espaces que vous avez rejoint et créer de nouveaux espaces ici
Le prochain guide vous montrera comment :"]," Remove panel":["Supprimer le panneau"],"Getting Started":["Commencer"],"Guide: Administration (Modules)":["Guide: Administration (Modules)"],"Guide: Overview":["Guide: Vue d'ensemble"],"Guide: Spaces":["Guide: Espaces"],"Guide: User profile":["Guide: Profile utilisateur"],"Get to know your way around the site's most important features with the following guides:":["Apprenez à utiliser les fonctionnalités les plus importantes du site à travers les guides suivants :"],"This user account is not approved yet!":["Ce compte utilisateur n'a pas encore été approuvé"],"You need to login to view this user profile!":["Vous devrez être connecté pour voir ce profil"],"Your password is incorrect!":["Mot de passe incorrect !"],"You cannot change your password here.":["Impossible de changer votre mot de passe ici."],"Invalid link! Please make sure that you entered the entire url.":["Lien invalide ! Vérifiez que vous avez indiqué l'URL complète !"],"Save profile":["Enregistrer le profil"],"The entered e-mail address is already in use by another user.":["L'adresse e-mail indiquée est déjà utilisée par un autre utilisateur."],"You cannot change your e-mail address here.":["Impossible de changer votre adresse e-mail ici."],"Account":["Compte"],"Create account":["Créer un compte"],"Current password":["Mot de passe actuel"],"E-Mail change":["Changement d'adresse e-mail"],"New E-Mail address":["Nouvelle adresse e-mail"],"Send activities?":["Envoyer les activités ?"],"Send notifications?":["Envoyer les notifications ?"],"New password":["Nouveau mot de passe"],"New password confirm":["Confirmez le nouveau mot de passe"],"Incorrect username/email or password.":["Nom d'utilisateur, e-mail ou mot de passe incorrects."],"Remember me next time":["Se souvenir de moi"],"Your account has not been activated by our staff yet.":["Votre compte n'a pas encore été activé par un administrateur."],"Your account is suspended.":["Désolé, votre compte est suspendu."],"Password recovery is not possible on your account type!":["La récupération de mot de passe n'est pas disponible pour votre type de compte !"],"E-Mail":["e-mail"],"Password Recovery":["Récupération de mot de passe"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" introuvable !"],"E-Mail is already in use! - Try forgot password.":["Cet e-mail est déjà utilisé."],"Hide panel on dashboard":["Cacher le panneau sur le tableau de bord"],"Invalid language!":["Langage invalide","Langue invalide !"],"Profile visibility":["Visibilité du profil"],"TimeZone":["Fuseau horaire"],"Default Space":["Espace par défaut"],"Group Administrators":["Administrateur(s) du groupe"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Les membres peuvent créer des espaces privés"],"Members can create public spaces":["Les membres peuvent créer des espaces public"],"Birthday":["Date de naissance"],"City":["Ville"],"Country":["Pays"],"Custom":["Personnalisé"],"Facebook URL":["Lien Facebook"],"Fax":["Fax"],"Female":["Femme"],"Firstname":["Prénom"],"Flickr URL":["Lien Flickr"],"Gender":["Genre"],"Google+ URL":["Lien Google+"],"Hide year in profile":["Masquer l'année dans votre profil"],"Lastname":["Nom"],"LinkedIn URL":["Lien LinkedIn"],"MSN":["MSN"],"Male":["Homme"],"Mobile":["Tel. portable"],"MySpace URL":["Lien MySpace"],"Phone Private":["Tel. privé"],"Phone Work":["Tel. travail"],"Skype Nickname":["ID Skype"],"State":["Région"],"Street":["Rue"],"Twitter URL":["Lien Twitter"],"Url":["Lien"],"Vimeo URL":["Lien Vimeo"],"XMPP Jabber Address":["Adresse XMPP/Jabber"],"Xing URL":["Lien Xing"],"Youtube URL":["Lien YouTube"],"Zip":["Code postal"],"Created by":["Créé par"],"Editable":["Modifiable"],"Field Type could not be changed!":["Le type du champ ne peut être modifié !"],"Fieldtype":["Type de champ"],"Internal Name":["Nom interne"],"Internal name already in use!":["Ce nom interne est déjà utilisé !"],"Internal name could not be changed!":["Le nom interne ne peut être modifié !"],"Invalid field type!":["Type de champ invalide !"],"LDAP Attribute":["Attributs LDAP"],"Module":["Module"],"Only alphanumeric characters allowed!":["Seuls les caractères alphanumériques sont acceptés !"],"Profile Field Category":["Catégorie de champs"],"Required":["Requis"],"Show at registration":["Voir à l'enregistrement"],"Sort order":["Ordre de tri"],"Translation Category ID":["Identifiant de traduction de la catégorie","Identifiant de la catégorie de traduction"],"Type Config":["Configuration de type"],"Visible":["Visible"],"Communication":["Communication"],"Social bookmarks":["Favoris sociaux"],"Datetime":["Date et heure"],"Number":["Nombre"],"Select List":["Liste de choix"],"Text":["Texte"],"Text Area":["Texte long"],"%y Years":["%y ans"],"Birthday field options":["Options de date de naissance"],"Date(-time) field options":["Option de date et heure"],"Show date/time picker":["Afficher le calendrier"],"Maximum value":["Valeur maximale"],"Minimum value":["Valeur minimale"],"Number field options":["Option de nombre"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Une valeur par ligne. Clé=>Valeur (exemple oui=>Oui)"],"Please select:":["Sélectionnez :"],"Possible values":["Valeurs possibles"],"Select field options":["Option de listes"],"Default value":["Valeur par défaut"],"Maximum length":["Longueur maximale"],"Minimum length":["Longueur minimale"],"Text Field Options":["Option de texte"],"Text area field options":["Option de texte long"],"Authentication mode":["Méthode d'authentification"],"New user needs approval":["Les nouveaux utilisateurs doivent être approuvés"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Le nom d'utilisateur ne peut contenir que des lettres, chiffres, espaces et les caractères spéciaux (+ - . _)"],"Wall":["Mur"],"Change E-mail":["Changer d'adresse e-mail","Changer d'adresses e-mail"],"Current E-mail address":["Adresse e-mail actuelle"],"Your e-mail address has been successfully changed to {email}.":["Votre adresse e-mail a été modifiée vers : {email}."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Nous venons juste de vous envoyer un message vers votre nouvelle adresse e-mail.
Merci de suivre les instructions qu'il contient."],"Change password":["Changer de mot de passe"],"Password changed":["Mot de passe modifié"],"Your password has been successfully changed!":["Votre mot de passe a été modifié !","Votre mot de passe a correctement été changé !"],"Modify your profile image":["Modifier votre image de profil"],"Delete account":["Supprimer votre compte"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Êtes-vous certain de vouloir supprimer votre compte ?
L'intégralité de votre contenu sera supprimé définitivement !"],"Delete account":["Supprimer définitivement le compte","Suppression du compte"],"Enter your password to continue":["Indiquez votre mot de passe pour continuer"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Désolé, en tant que propriétaire d'un espace, vous ne pouvez pas supprimer votre compte !
Choisissez un autre propriétaire pour votre espace ou supprimez-le."],"User details":["Détails de votre compte utilisateur"],"User modules":["Modules utilisateur"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Êtes-vous vraiment certain ? *TOUTES* les données des modules de votre profil seront supprimées définitivement !"],"Enhance your profile with modules.":["Améliorez votre profil avec des modules."],"User settings":["Réglages utilisateur"],"Getting Started":["Pour commencer"],"Registered users only":["Utilisateurs enregistrés uniquement"],"Visible for all (also unregistered users)":["Visible par tous (visiteurs également)"],"Desktop Notifications":["Notifications sur le bureau"],"Email Notifications":["Notifications par e-mail"],"Get a desktop notification when you are online.":["Recevoir les notifications sur votre bureau lorsque vous êtes en ligne."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Recevoir un e-mail pour chaque activité des utilisateurs que vous suivez
ou qui partagent un espace avec vous."],"Get an email, when other users comment or like your posts.":["Recevoir un e-mail quand un utilisateur commente ou aime vos sujets."],"Account registration":["Enregistrement de compte"],"Create Account":["Créer un compte"],"Your account has been successfully created!":["Votre compte à été créé !"],"After activating your account by the administrator, you will receive a notification by email.":["Vous recevrez une notification par e-mail après activation de celui-ci par un administrateur."],"Go to login page":["Aller à la page de connexion"],"To log in with your new account, click the button below.":["Pour vous connecter avec votre compte, cliquez sur le bouton ci-dessous."],"back to home":["Retour à l'accueil"],"Please sign in":["Connexion"],"Sign up":["Inscription"],"Create a new one.":["Créer un nouveau."],"Don't have an account? Join the network by entering your e-mail address.":["Vous n'avez pas de compte ? Rejoignez-nous en indiquant votre adresse e-mail."],"Forgot your password?":["Mot de passe perdu ?"],"If you're already a member, please login with your username/email and password.":["Si vous êtes déjà inscrit, identifiez-vous à l'aide de votre nom d'utilisateur ou adresse e-mail ainsi que votre mot de passe."],"Register":["Enregistrez-vous"],"email":["e-mail"],"password":["mot de passe"],"username or email":["nom d'utilisateur ou e-mail"],"Password recovery":["Récupération de votre mot de passe","Récupération de mot de passe"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Indiquez votre adresse e-mail. Nous vous enverrons les instructions de récupération de votre mot de passe."],"Password recovery":["Récupérer votre mot de passe"],"Reset password":["Envoyer"],"enter security code above":["entrez le code de sécurité"],"your email":["votre adresse e-mail"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Nous venons de vous envoyer un e-mail contenant le lien qui vous permettra de réinitialiser votre mot de passe."],"Password recovery!":["Mot de passe récupéré !"],"Registration successful!":["Enregistrement terminé !"],"Please check your email and follow the instructions!":["Vérifiez vos e-mails et suivez les instructions indiquées."],"Registration successful":["Enregistrement effectué"],"Change your password":["Changer votre mot de passe"],"Password reset":["Réinitialiser votre mot de passe"],"Change password":["Changer le mot de passe"],"Password reset":["Réinitialiser votre mot de passe"],"Password changed!":["Votre mot de passe a été changé !"],"Confirm your new email address":["Confirmez votre nouvelle adresse e-mail"],"Confirm":["Confirmer"],"Hello":["Bonjour"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Vous avez demandé un changement d'adresse e-mail.
Votre nouvelle adresse est {newemail}.

Pour confirmer cette nouvelle adresse, cliquez sur le bouton ci-dessous."],"Hello {displayName}":["Bonjour {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Veuillez utiliser ce lien endéans les 24 heures. Passé ce délai, il expirera automatiquement."],"Please use the following link within the next day to reset your password.":["Merci d'utiliser le lien suivant endéans les 24 heures pour réinitialiser votre mot de passe."],"Reset Password":["Réinitialiser le mot de passe"],"Registration Link":["Lien d'enregistrement"],"Sign up":["Enregistrement"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Bienvenue sur %appName%. Cliquez sur le bouton ci-dessous pour vous enregistrer."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["Enregistrez-vous dès maintenant pour rejoindre cet espace."],"Sign up now":["Inscrivez-vous maintenant","Enregistrez-vous maintenant"],"Space Invite":["Invitation à un espace"],"You got a space invite":["Vous avez reçu une invitation à rejoindre un espace"],"invited you to the space:":["vous à invité à rejoindre l'espace :"],"{userName} mentioned you in {contentTitle}.":["{userName} vous a mentionné dans {contentTitle}."],"{userName} is now following you.":["{userName} vous suit."],"About this user":["À propos de cet utilisateur"],"Modify your title image":["Modifier votre image titre"],"This profile stream is still empty!":["Ce profil est vide."],"Do you really want to delete your logo image?":["Souhaitez-vous supprimer votre logo ?"],"Account settings":["Réglages de votre compte"],"Profile":["Profil"],"Edit account":["Modifier votre compte"],"Following":["Vous suivez"],"Following user":["Membres que vous suivez"],"User followers":["Membres qui vous suivent"],"Member in these spaces":["Membre dans cet espace"],"User tags":["Mots-clé de l'utilisateur"],"No birthday.":["Aucun anniversaire."],"Back to modules":["Retour aux modules"],"Birthday Module Configuration":["Configuration du module Anniversaire"],"The number of days future bithdays will be shown within.":["Le nombre de jours avant qu'un anniversaire soit affiché."],"Tomorrow":["Demain"],"Upcoming":["Prochainement"],"You may configure the number of days within the upcoming birthdays are shown.":["Vous pouvez spécifier le nombre de jours avant qu'un anniversaire soit affiché."],"becomes":["aura"],"birthdays":["anniversaires"],"days":["jours"],"today":["aujourd'hui"],"years old.":["ans."],"Active":["Actif"],"Mark as unseen for all users":["Marquer comme non lu pour tous les utilisateurs"],"Breaking News Configuration":["Configuration de Breaking News"],"Note: You can use markdown syntax.":["Note : vous pouvez utiliser la syntaxe Markdown"],"Adds an calendar for private or public events to your profile and mainmenu.":["Ajoute un calendrier pour les événements privés ou publics à votre profil et au menu principal"],"Adds an event calendar to this space.":["Ajoute un calendrier à cet espace."],"All Day":["Toute la journée"],"Attending users":["Utilisateurs participants"],"Calendar":["Calendrier"],"Declining users":["Participants ayant décliné l'invitation"],"End Date":["Date de fin"],"End Date and Time":["Date et heure de fin"],"End Time":["Heure de fin"],"End time must be after start time!":["L'heure de fin doit être après l'heure de début !"],"Event":["Événement"],"Event not found!":["Événement introuvable !"],"Maybe attending users":["Probablement en attente de participants"],"Participation Mode":["Mode de participation"],"Recur":["Récurrence"],"Recur End":["Fin de la récurrence"],"Recur Interval":["Fréquence de répétition"],"Recur Type":["Type de récurrence"],"Select participants":["Choisir les participants"],"Start Date":["Date de début"],"Start Date and Time":["Date et heure de début"],"Start Time":["Heure de début"],"You don't have permission to access this event!":["Vous n'avez pas le droit d'accéder à cet événement !"],"You don't have permission to create events!":["Vous n'avez pas le droit de créer un événement !"],"You don't have permission to delete this event!":["Vous n'avez pas le droit d'effacer à cet événement !"],"You don't have permission to edit this event!":["Vous n'avez pas le droit de modifier à cet événement !"],"%displayName% created a new %contentTitle%.":["%displayName% a créé un nouveau %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% participe à %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% participe peut-être à %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% ne participe pas à %contentTitle%."],"Start Date/Time":["Heure et date de début"],"Create event":["Créer un événement"],"Edit event":["Editer un événement"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Note : Cet événement sera créé dans votre profil. Pour créer un événement dans un espace, ouvrez le calendrier de l'espace concerné."],"End Date/Time":["Heure et date de fin"],"Everybody can participate":["Tout le monde peut participer"],"No participants":["Pas de participant"],"Participants":["Participants"],"Attend":["Participe"],"Created by:":["Créé par :"],"Edit event":["Modifier l'événement"],"Edit this event":["Modifier cet événement"],"I´m attending":["Je participe"],"I´m maybe attending":["Je participe peut-être"],"I´m not attending":["Je ne participe pas"],"Maybe":["Peut-être"],"Filter events":["Filtrer les événements"],"Select calendars":["Choisir les calendriers"],"Already responded":["Déjà répondu"],"Followed spaces":["Espaces suivis"],"Followed users":["Utilisateurs suivis"],"My events":["Mes événements"],"Not responded yet":["Pas encore répondu"],"Loading...":["Chargement..."],"Upcoming events ":["Prochains événements "],":count attending":[":count oui"],":count declined":[":count non"],":count maybe":[":count peut être"],"Participants:":["Participants :"],"Create new Page":["Créer une nouvelle page"],"Custom Pages":["Pages personnalisées"],"Link":["Lien"],"No custom pages created yet!":["Aucune page personnalisée n'a été créée !"],"Sort Order":["Ordre de tri"],"Delete category":["Supprimer la catégorie"],"Delete link":["Supprimer le lien"],"Do you really want to delete this link?":["Souhaitez-vous supprimer ce lien ?"],"Linklist":["Liste des liens"],"Messages":["Messages"],"Recipient":["Destinataire"],"You cannot send a email to yourself!":["Vous ne pouvez pas envoyer un e-mail à vous-même."],"You could not send an email to yourself!":["Vous ne pouvez pas envoyer un e-mail à vous-même."],"New message from {senderName}":["Nouveau message de {senderName}"],"and {counter} other users":["et de {counter} autres utilisateurs"],"New message in discussion from %displayName%":["Nouveau message dans la conversation de %displayName%"],"New message":["Nouveau message"],"Reply now":["Répondre maintenant"],"sent you a new message:":["vous a envoyé un nouveau message :"],"sent you a new message in":["vous a envoyé un nouveau message dans"],"Add more participants to your conversation...":["Ajouter plus de participants à votre conversation..."],"Add user...":["Ajouter un utilisateur..."],"New message":["Nouveau message"],"Edit message entry":["Modifier le message"],"Messagebox":["Courrier"],"Inbox":["Boîte de réception"],"There are no messages yet.":["Il n'y a aucun message."],"Write new message":["Écrire un nouveau message"],"Confirm deleting conversation":["Confirmer la suppression de la conversation"],"Confirm leaving conversation":["Confirmation"],"Confirm message deletion":["Confirmer la suppression du message"],"Add user":["Ajouter un utilisateur"],"Do you really want to delete this conversation?":["Souhaitez-vous vraiment supprimer cette conversation ?"],"Do you really want to delete this message?":["Souhaitez-vous vraiment supprimer ce message ?"],"Do you really want to leave this conversation?":["Souhaitez-vous vraiment quitter cette conversation ?"],"Leave":["Quitter"],"Leave discussion":["Quitter la discussion"],"Write an answer...":["Écrire une réponse..."],"User Posts":["Publications de l'utilisateur"],"Show all messages":["Montrer tous les messages"],"Send message":["Envoyer le message"],"No users.":["Aucun membre."],"The number of users must not be greater than a 7.":["Le nombre doit être inférieur à 7."],"The number of users must not be negative.":["Le nombre ne peut pas être négatif."],"Most active people":["Les membres les plus actifs"],"Get a list":["Liste"],"Most Active Users Module Configuration":["Configuration du module \"Most Active Users\""],"The number of most active users that will be shown.":["Le nombre de membres devant être affiché."],"You may configure the number users to be shown.":["Vous devez spécifier le nombre de membres qui doivent être affichés."],"Comments created":["Commentaire(s)"],"Likes given":["Mention(s) \"J'aime\""],"Posts created":["Publication(s)"],"Notes":["Notes"],"Etherpad API Key":["Clé de l'API Etherpad"],"URL to Etherpad":["URL Etherpad"],"Could not get note content!":["Impossible d'obtenir le contenu de la note!"],"Could not get note users!":["Impossible d'obtenir les notes d'utilisateurs!"],"Note":["Note"],"{userName} created a new note {noteName}.":["{userName} a créé une nouvelle note {noteName}."],"{userName} has worked on the note {noteName}.":["{userName} a travaillé sur la note {noteName}."],"API Connection successful!":["Connexion à l'API avec succès!"],"Could not connect to API!":["Impossible de se connecter à l'API!"],"Current Status:":["Status courant:"],"Notes Module Configuration":["Configuration du module Notes"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Veuillez lire la documentation du module sous /protected/modules/notes/docs/install.txt pour plus de détails"],"Save & Test":["Enregistrer & Tester"],"The notes module needs a etherpad server up and running!":["Le module de notes requiert un serveur etherpad actif!"],"Save and close":["Enregistrer et Fermer"],"{userName} created a new note and assigned you.":["{userName} a créé une nouvelle note et vous l'a assignée."],"{userName} has worked on the note {spaceName}.":["{userName} a travaillé sur la note {spaceName}."],"Open note":["Note ouverte"],"Title of your new note":["Titre de votre nouvelle note"],"No notes found which matches your current filter(s)!":["Aucun note n'a été trouvée à partir de votre filtre courant!"],"There are no notes yet!":["Il n'y a pas encore de note!"],"Polls":["Sondages"],"Could not load poll!":["Impossible de charger le sondage"],"Invalid answer!":["Réponse invalide !"],"Users voted for: {answer}":["Les utilisateurs ont choisi : {answer}"],"Voting for multiple answers is disabled!":["Réponse multiple impossible."],"You have insufficient permissions to perform that operation!":["Vous n'avez pas la permission de faire ça."],"Answers":["Réponses"],"Multiple answers per user":["Réponses multiples par utilisateur"],"Please specify at least {min} answers!":["Attention, vous devrez spécifier {min} réponses minimum."],"Question":["Question"],"{userName} answered the {question}.":["{userName} a répondu à {question}."],"{userName} voted the {question}.":["{userName} a répondu à {question}."],"{userName} created a new {question}.":["{userName} a créé un sondage : {question}."],"{userName} created a new poll and assigned you.":["{userName} a créé un nouveau sondage et vous l'a assigné."],"Ask":["Demander"],"Reset my vote":["Annuler mon vote"],"Vote":["Voter"],"and {count} more vote for this.":["et {count} réponses en plus."],"votes":["réponses"],"Allow multiple answers per user?":["Autoriser les réponses multiples ?"],"Ask something...":["Votre question..."],"Possible answers (one per line)":["Réponses possibles (1 par ligne)"],"Display all":["Tout afficher"],"No poll found which matches your current filter(s)!":["Aucun sondage trouvé (avec ces filtres)"],"There are no polls yet!":["Il n'y a aucun sondage actuellement"],"There are no polls yet!
Be the first and create one...":["Il n'y a aucun sondage actuellement
Soyez le premier à en créer un..."],"Asked by me":["Mes demandes"],"No answered yet":["Pas de réponse"],"Only private polls":["Sondages privés seulement"],"Only public polls":["Sondage public seulement"],"by :displayName":["par :displayName"],"created by :displayName":["créé par :displayName"],"An user has reported your post as offensive.":["Un utilisateur a reporté votre publication comme offensive."],"An user has reported your post as spam.":["Un utilisateur a reporté votre publication comme indésirable."],"An user has reported your post for not belonging to the space.":["Un utilisateur a reporté votre publication comme inappropriée à cet espace."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% a reporté la publication %contentTitle% comme offensive."],"%displayName% has reported %contentTitle% as spam.":["%displayName% a reporté la publication %contentTitle% comme indésirable."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% a reporté la publication %contentTitle% inappropriée à cet espace."],"Appropriate":["Approprié"],"Tasks":["Tâches"],"Could not access task!":["Accès aux Tâches refusés !"],"Task":["Tâche"],"{userName} assigned to task {task}.":["{userName} a été assigné à la tâche {task}."],"{userName} created task {task}.":["{userName} a créé la tâche {task}."],"{userName} finished task {task}.":["{userName} a terminé la tâche {task}.","{userName} a fini {task}."],"{userName} assigned you to the task {task}.":["{userName} vous a assigné {task}."],"{userName} created a new task {task}.":["{userName} a créé une nouvelle tâche : {task}."],"Add Task":["Ajouter une tâche"],"Do you really want to delete this task?":["Vouhaitez-vous vraiment supprimer cette tâche ?"],"This task is already done":["Cette tâche est déjà faite"],"You're not assigned to this task":["Vous n'êtes pas assigné à cette tâche."],"Click, to finish this task":["Cliquer, pour finir la tâche"],"This task is already done. Click to reopen.":["Cette tâche est déjà faite. Cliquer pour ré-ouvrir."],"My tasks":["Mes tâches"],"From space: ":["De l'espace :"],"No tasks found which matches your current filter(s)!":["Pas de tâches trouvées avec ces filtres"],"There are no tasks yet!":["Il n'y a aucune tâche actuellement"],"There are no tasks yet!
Be the first and create one...":["Il n'y a pas de tâches ici !
Soyez le premier à en créer une..."],"Assigned to me":["Me l'assigner"],"Nobody assigned":["Personne d'assigné"],"State is finished":["État est Fini"],"State is open":["État est Ouvert"],"Assign users to this task":["Assigner des utilisateurs à cette tâche"],"What to do?":["Qu'y a t-il à faire ?"],"Do you want to handle this task?":["Voulez-vous traiter cette tâche ?"],"I do it!":["Je vais le faire !"],"Translation Manager":["Responsable de traduction"],"Translations":["Traductions"],"Translation Editor":["Éditeur de traductions"],"Confirm page deleting":["Confirmer la suppression de la page"],"Confirm page reverting":["Confirmer le retour à une version précédente"],"Overview of all pages":["Aperçu des pages"],"Page history":["Historique de la page"],"Wiki Module":["Module Wiki"],"Adds a wiki to this space.":["Ajouter un Wiki à cet espace."],"Adds a wiki to your profile.":["Ajouter un Wiki à votre profil."],"Back to page":["Revenir à la page"],"Do you really want to delete this page?":["Souhaitez-vous vraiment supprimer cette page ?"],"Do you really want to revert this page?":["Souhaitez-vous vraiment restaurer cette page ?"],"Edit page":["Modifier la page"],"Edited at":["Modifié le"],"Go back":["Retour"],"Invalid character in page title!":["Caractère invalide dans le titre de la page"],"Let's go!":["Allons-y"],"Main page":["Page principale"],"New page":["Nouvelle page"],"No pages created yet. So it's on you.
Create the first page now.":["Aucune pages actuellement."],"Overview":["Vue d'ensemble"],"Page History":["Historique"],"Page title already in use!":["Ce titre est déjà utilisé"],"Revert":["Restaurer"],"Revert this":["Restaurer ceci"],"View":["Voir"],"Wiki":["Wiki"],"by":["par"],"Wiki page":["Page Wiki"],"Create new page":["Créer une nouvelle page"],"Edit page":["Editer la page"],"Enter a wiki page name or url (e.g. http://example.com)":["Entrez le nom de la page ou un URL"],"New page title":["Titre de la page"],"Page content":["Contenu de la page"],"Allowed file extensions":["Extensions autorisées"],"Server":["Serveur"],"Security":["Sécurité"],"Flush entries":["Supprimer le journal"],"Purchases":["Achats"],"Alphabetical":["Alphabétique"],"Last visit":["Dernière visite"],"Add user":["Ajouter un utilisateur"],"Add new user":["Ajouter un utilisateur"],"Last login":["Dernière connexion"],"never":["jamais"],"Add new category":["Ajouter une catégorie"],"Add new field":["Ajouter un champ"],"OEmbed Provider":["OEmbed"],"Proxy":["Serveur Proxy"]} \ No newline at end of file +{"Latest updates":["Dernières mises à jour"],"Search":["Recherche"],"Account settings":["Paramètres du compte"],"Administration":["Administration"],"Back":["Retour"],"Back to dashboard":["Retour au tableau de bord"],"Choose language:":["Langage :"],"Collapse":["Réduire"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Le contenu d'un add-on doit être une instance de HActiveRecordContent ou HActiveRecordContentAddon!"],"Could not determine content container!":["Le contenu du conteneur ne peut être déterminé"],"Could not find content of addon!":["Le contenu du add-on ne peut être trouvé"],"Could not find requested module!":["Impossible de trouver le module demandé !"],"Error":["Erreur"],"Expand":["Agrandir"],"Insufficent permissions to create content!":["Vos droits d'accès sont insuffisants pour créer du contenu"],"Invalid request.":["Requête invalide"],"It looks like you may have taken the wrong turn.":["Il semble que vous n'êtes pas au bon endroit"],"Keyword:":["Mot-clé:"],"Language":["Langue","Langage"],"Latest news":["Dernières nouvelles"],"Login":["Login"],"Logout":["Se déconnecter"],"Menu":["Menu"],"Module is not on this content container enabled!":["Le module n'est pas activé pour ce conteneur"],"My profile":["Mon profil"],"New profile image":["Nouvelle image de profil"],"Nothing found with your input.":["Aucun élément trouvé à partir de votre saisie"],"Oooops...":["Oups..."],"Results":["Résultats"],"Search":["Rechercher"],"Search for users and spaces":["Rechercher des utilisateurs ou des espaces"],"Show more results":["Afficher plus de résultats"],"Sorry, nothing found!":["Désolé, aucun élément trouvé !"],"Space not found!":["Espace introuvable","Espace introuvable !"],"User Approvals":["Approbations utilisateur"],"User not found!":["Utilisateur non trouvé !"],"Welcome to %appName%":["Bienvenue sur %appName%"],"You cannot create public visible content!":["Vous ne pouvez créer un contenu public visible !"],"Your daily summary":["Votre rapport quotidien"],"Login required":["Login requis"],"An internal server error occurred.":["Une erreur interne est survenue."],"You are not allowed to perform this action.":["Vous n'êtes pas autorisé à effectuer cette action."],"Global {global} array cleaned using {method} method.":["Global {global} tableau vidé utilisant la méthode {method}."],"Upload error":["Erreur de Chargement","Erreur de chargement"],"Close":["Fermer"],"Add image/file":["Ajouter une image/fichier"],"Add link":["Ajouter un lien"],"Bold":["Gras"],"Code":["Code"],"Enter a url (e.g. http://example.com)":["Entrez un URL"],"Heading":["Entête"],"Image":["Image"],"Image/File":["Image/fichier"],"Insert Hyperlink":["Insérer un lien"],"Insert Image Hyperlink":["Insérer un lien vers image"],"Italic":["Italique"],"List":["Liste"],"Please wait while uploading...":["Veuillez patienter pendant le chargement..."],"Preview":["Prévisualiser"],"Quote":["Citation"],"Target":["Destination"],"Title":["Titre"],"Title of your link":["Titre de votre lien"],"URL/Link":["URL/lien"],"Could not create activity for this object type!":["Impossible de créer une activité pour ce type d'objet !"],"%displayName% created the new space %spaceName%":["%displayName% a créé un nouvel espace %spaceName%"],"%displayName% created this space.":["Espace créé par %displayName%"],"%displayName% joined the space %spaceName%":["%displayName% a rejoint l'espace %spaceName%"],"%displayName% joined this space.":["%displayName% a rejoint cet espace."],"%displayName% left the space %spaceName%":["%displayName% a quitté l'espace %spaceName%"],"%displayName% left this space.":["%displayName% a quitté cet espace."],"{user1} now follows {user2}.":["{user1} suit maintenant {user2}."],"see online":["voir en ligne"],"via":["par","via"],"Latest activities":["Activités récentes"],"There are no activities yet.":["Il n'y a aucune activité récente."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Bonjour {displayName},

\n\nVotre compte est activé.

\nCliquez sur le lien suivant pour vous connecter :
\n{loginURL}

\n \nCordialement,
\n{AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Bonjour {displayName},

\n\nVotre demande a été rejetée.

\n \nCordialement,
\n{AdminName}

"],"Group not found!":["Groupe non trouvé !"],"Could not uninstall module first! Module is protected.":["Désinstallation du module impossible ! Module Protégé."],"Module path %path% is not writeable!":["Le dossier %path% du module n'est pas accessible en écriture"],"Saved":["Enregistré"],"Database":["Base de Données"],"No theme":["Aucun Thème"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["Changement LDAP impossible ! - Vérifier l'extension PHP"],"File":["Fichier"],"No caching (Testing only!)":["Aucune cache (Test seulement)","Pas de cache"],"None - shows dropdown in user registration.":["Aucun - Combo déroulante lors de l'enregistrement."],"Saved and flushed cache":["Sauvegardé et cache purgée"],"Become this user":["Devenir cet utilisateur"],"Delete":["Supprimer"],"Disabled":["Désactivé"],"Enabled":["Activé"],"LDAP":["LDAP"],"Local":["Local"],"Save":["Enregistrer"],"Unapproved":["Non Approuvé"],"You cannot delete yourself!":["Vous ne pouvez pas supprimer vous-même !"],"Could not load category.":["Impossible de charger la catégorie."],"You can only delete empty categories!":["Vous pouvez uniquement supprimer les catégories vides !"],"Group":["Groupe"],"Message":["Message"],"Subject":["Objet","Sujet"],"Base DN":["Base DN"],"Enable LDAP Support":["Activer le LDAP"],"Encryption":["Chiffrement","Cryptage"],"Hostname":["Nom d'hôte"],"Login Filter":["Filtre Login"],"Password":["Mot de passe"],"Port":["Port"],"User Filer":["Filtre Utilisateur"],"Username":["Nom d'utilisateur"],"Username Attribute":["Attribut Utilisateur"],"Anonymous users can register":["Les utilisateurs anonyme peuvent s'enregistrer"],"Default user group for new users":["Groupe par défaut pour les nouveaux utilisateurs"],"Members can invite external users by email":["Les membres peuvent inviter des utilisateurs externe par EMail"],"Require group admin approval after registration":["L'approbation de l'administrateur du groupe est requis après l'enregistrement"],"Base URL":["URL"],"Default language":["Langage par défaut"],"Default space":["Espace par défaut"],"Invalid space":["Espace Invalide","Espace invalide"],"Logo upload":["Envoyer un logo"],"Name of the application":["Nom de l'application"],"Server Timezone":["Fuseau horaire"],"Show introduction tour for new users":["Afficher les \"premiers pas\" pour les nouveaux utilisateurs"],"Cache Backend":["Type de mémoire cache"],"Default Expire Time (in seconds)":["Temps d'expiration par défaut (en secondes)"],"PHP APC Extension missing - Type not available!":["Extension PHP APC non trouvée - Service non disponible !"],"PHP SQLite3 Extension missing - Type not available!":["Extension PHP SQLite3 non trouvée - Service non disponible !"],"Default pagination size (Entries per page)":["Taille de pagination par défaut (entrées par page)"],"Display Name (Format)":["Nom affiché (format)"],"Theme":["Thème"],"Convert command not found!":["Commande de conversion non trouvée !"],"Got invalid image magick response! - Correct command?":["Réponse de \"Image Magick\" incorrecte - Votre commande est-elle juste ?"],"Image Magick convert command (optional)":["Commande de conversion \"Image Magick\" (optionnel)"],"Maximum upload file size (in MB)":["Taille de fichier en Upload maximum (en Mo)"],"Use X-Sendfile for File Downloads":["Utiliser X-Sendfile pour le téléchargement ?"],"Administrator users":["Administrateurs"],"Description":["Description"],"Ldap DN":["DN LDAP"],"Name":["Nom"],"Allow Self-Signed Certificates?":["Autoriser les certificats auto-signés ?"],"E-Mail sender address":["Adresse expéditeur du Mail"],"E-Mail sender name":["Nom de l'expéditeur du Mail"],"Mail Transport Type":["Type de transport du Mail"],"Port number":["Port (ex : 25)"],"User":["Nom d'utilisateur","Utilisateur"],"Super Admins can delete each content object":["Les super administrateurs peuvent supprimer chaque objet contenu"],"HTML tracking code":["Code HTML de suivi de statistiques"],"Module directory for module %moduleId% already exists!":["Le dossier du module (%modulePath%) existe déjà !"],"Could not extract module!":["Impossible d'extraire le module"],"Could not fetch module list online! (%error%)":["Impossible d'afficher la liste des modules en ligne ! (%error%)"],"Could not get module info online! (%error%)":["Informations du module non disponible ! (%error%)"],"Download of module failed!":["Erreur de téléchargement du module !"],"Module directory %modulePath% is not writeable!":["Le dossier du module (%modulePath%) est en lecture seule !"],"Module download failed! (%error%)":["Erreur de téléchargement de module ! (%error%)"],"No compatible module version found!":["Version du module non compatible !","Aucun module compatible n'a été trouvé !"],"Activated":["Activé"],"No modules installed yet. Install some to enhance the functionality!":["Aucun module installé actuellement. Installez-en pour améliorer les fonctionnalités de HumHub."],"Version:":["Version :"],"Installed":["Installé"],"No modules found!":["Aucun module trouvé."],"All modules are up to date!":["Tous les modules sont à jour !"],"About HumHub":["À Propos de HumHub"],"Accept":["Accepter"],"Decline":["Refuse"],"Accept user: {displayName} ":["Utilisateur autorisé : {displayName}"],"Cancel":["Annuler"],"Send & save":["Enregistrer & Envoyer"],"Decline & delete user: {displayName}":["Refuser et supprimer l'utilisateur : {displayName}"],"Email":["Email","e-mail"],"Search for email":["Rechercher un Email","Rechercher par Email"],"Search for username":["Rechercher un Nom d'utilisateur","Rechercher par Nom d'Utilisateur"],"Pending user approvals":["Utilisateurs en attente d'approbation"],"Here you see all users who have registered and still waiting for a approval.":["Ici, voici la liste de tous les utilisateurs enregistrés mais en attente d'une approbation."],"Delete group":["Supprimer le groupe"],"Delete group":["Supprimer le groupe"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Pour supprimer le groupe \"{group}\" vous devez sélectionner un groupe alternatif pour les utilisateurs existant :"],"Create new group":["Nouveau groupe"],"Edit group":["Editer le groupe"],"Group name":["Nom du Groupe","Nom du groupe"],"Search for description":["Rechercher dans la description"],"Search for group name":["Rechercher un groupe par nom"],"Manage groups":["Gérer les groupes"],"Create new group":["Créer un nouveau groupe"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Vous pouvez séparer les utilisateurs en différents groupes (par équipe, département, ...) ainsi que définir leurs Espaces par défaut et leurs Administrateurs."],"Error logging":["Erreur de Journalisation"],"Displaying {count} entries per page.":["Afficher {count} entrées par page."],"Total {count} entries found.":["Total de {count} entrées trouvées."],"Available updates":["Mises à jour disponible"],"Browse online":["Voir en ligne"],"This module doesn't provide further informations.":["Ce module ne fournit pas d'autres informations."],"Modules directory":["Répertoire des Modules","Répertoire des modules","Répertoire des modules"],"Are you sure? *ALL* module data will be lost!":["Êtes-vous sur ? *TOUTES* les données du module seront perdu !"],"Are you sure? *ALL* module related data and files will be lost!":["Êtes-vous sur ? *TOUTES* les données et les fichiers du module seront perdu !"],"Configure":["Configurer"],"Disable":["Désactiver"],"Enable":["Activer"],"More info":["Plus d'info"],"Set as default":["Définir par défaut"],"Uninstall":["Désinstaller"],"Install":["Installer"],"Latest compatible version:":["Dernière version compatible :"],"Latest version:":["Dernière version : "],"Installed version:":["Version installé :"],"Latest compatible Version:":["Dernière version compatible :"],"Update":["Mise à jour"],"%moduleName% - Set as default module":["%moduleName% est définit comme module par défaut"],"Always activated":["Toujours activé"],"Deactivated":["Désactivé"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Ici, vous pouvez choisir ou non si un module devrait être automatiquement activé dans un espace ou un profil d'utilisateur. Si le module devrait être activé, choisissez \"toujours activé\"."],"Spaces":["Espaces"],"User Profiles":["Profils utilisateurs"],"Authentication - Basic":["Authentication - Basique"],"Basic":["Basique","Général"],"Authentication - LDAP":["Authentication - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["L'utilisation du protocole TLS/SSL est fortement recommandé dans les environnements de production pour prévenir de la transmission des mots de passe en clair."],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["Attribut LDAP pour Nom d'utilisateur. Exemple: "uid" ou "sAMAccountName""],"Status: Error! (Message: {message})":["Status : Erreur! (Message: {message})"],"Status: OK! ({userCount} Users)":["Status : OK! ({userCount} Utilisateurs)"],"The default base DN used for searching for accounts.":["La base par défaut DN utilisé pour la recherche de comptes."],"The default credentials password (used only with username above).":["Le mot de passe des informations d'identification par défaut (utilisé uniquement avec identifiant ci-dessus)."],"Cache Settings":["Paramètres de la mémoire cache"],"Save & Flush Caches":["Enregistrer & Purger le cache"],"CronJob settings":["Paramètres des tâches planifiées"],"Crontab of user: {user}":["Tâche planifiée de l'utilisateur : {user}"],"Last run (daily):":["Dernière exécution (journalières) :"],"Last run (hourly):":["Dernière exécution (horaires) :"],"Never":["Jamais","jamais"],"Or Crontab of root user":["Ou tâche du SuperUtilisateur (root)"],"Please make sure following cronjobs are installed:":["Merci de bien vouloir vérifier que les tâches planifiées sont installées :"],"Design settings":["Préférences de Mise en Page"],"Firstname Lastname (e.g. John Doe)":["Prénom Nom (ex. : John Doe)"],"Username (e.g. john)":["Nom d'utilisateur (ex. : john)"],"File settings":["Paramètres de fichier"],"Comma separated list. Leave empty to allow all.":["Extensions séparées par une virgule. Laissez vide pour tout autoriser."],"Current Image Libary: {currentImageLibary}":["Librairie d'image courante : {currentImageLibary}"],"PHP reported a maximum of {maxUploadSize} MB":["PHP informe un maximum d'Upload de {maxUploadSize} Mo"],"Basic settings":["Paramètres de Base"],"Dashboard":["Fil d'actualité"],"E.g. http://example.com/humhub":["Ex. http://example.com/humhub"],"New users will automatically added to these space(s).":["Les nouveaux utilisateurs seront automatiquement ajoutés à ces espaces"],"Mailing defaults":["Paramètres de Mailing par défaut"],"Activities":["Activités"],"Always":["Toujours","toujours"],"Daily summary":["Résumé quotidien","résumé quotidien"],"Defaults":["Par Défaut","Par défaut"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Définir les valeurs par défaut lorsque l'utilisateur reçoit des e-mails sur les notifications ou de nouvelles activités. Ces paramètres peuvent être réécrits par les utilisateurs dans les paramètres de compte."],"Notifications":["Notifications"],"Server Settings":["Paramètres du serveur","Paramètres Serveur"],"When I´m offline":["Quand je suis Hors Ligne","quand je suis déconnecté"],"Mailing settings":["Paramètres de Mailing par défaut"],"SMTP Options":["Options SMTP"],"Security settings and roles":["Rôles et Paramètres de Sécurité"],"Self test":["Auto tests"],"Checking HumHub software prerequisites.":["Vérifier les pré-requis de HumHub"],"Re-Run tests":["Executer la vérification"],"Statistic settings":["Paramètres de statistiques"],"All":["Tous"],"Delete space":["Supprimer l'Espace"],"Edit space":["Éditer l'Espace"],"Search for space name":["Rechercher un Espace (par nom)"],"Search for space owner":["Rechercher un Espace (par Propriétaire)"],"Space name":["Nom de l'Espace"],"Space owner":["Propriétaire de l'espace"],"View space":["Voir"],"Manage spaces":["Gérer les Espaces"],"In this overview you can find every space and manage it.":["Dans cette ensemble, vous pouvez trouver n'importe quel espace et le gérer"],"Settings":["Réglages"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Êtes vous sur de vouloir supprimer cet utilisateur ? Si celui-ci est le propriétaire d'un Espace, VOUS deviendrez le propriétaire de celui-ci."],"Delete user":["Supprimer l'Utilisateur"],"Delete user: {username}":["Supprimer l'Utilisateur : {username}"],"Edit user":["Éditer l'Utilisateur"],"Admin":["Administrateur"],"Delete user account":["Supprimer le compte utilisateur"],"Edit user account":["Éditer le compte utilisateur"],"No":["Non"],"View user profile":["Voir le profil"],"Yes":["Oui"],"Manage users":["Gérer les utilisateurs"],"In this overview you can find every registered user and manage him.":["Dans cette vision d'ensemble, vous pouvez trouver chaque utilisateur enregistré et le gérer"],"Create new profile category":["Créer une nouvelle catégorie de Profil"],"Edit profile category":["Éditer la catégorie"],"Create new profile field":["Créer un champ de profil"],"Edit profile field":["Éditer un champ de profil"],"Security & Roles":["Rôles et Sécurité"],"Administration menu":["Menu d'Administration"],"About":["À propos"],"Authentication":["Authentification"],"Caching":["Cache"],"Cron jobs":["Tâches planifiées"],"Design":["Mise en Page"],"Files":["Fichiers"],"Groups":["Groupes"],"Logging":["Journal"],"Mailing":["Notifications"],"Modules":["Modules"],"Self test & update":["Auto-Tests et Mise à Jour"],"Statistics":["Statistiques"],"User approval":["Approbation d'utilisateur"],"User profiles":["Profil utilisateur"],"Users":["Utilisateurs"],"Click here to review":["Cliquez ici pour réviser"],"New approval requests":["Nouvelles requêtes d'approbation"],"One or more user needs your approval as group admin.":["Un utilisateur ou plus nécessite l'approbation en tant qu'administrateur de groupe."],"Could not delete comment!":["Impossible d'effacer le commentaire !"],"Invalid target class given":["Classe cible invalide"],"Model & Id Parameter required!":["le modèle et le paramètre ID sont requis !"],"Target not found!":["Cible non trouvée !"],"Access denied!":["Accès refusé","Accès refusé !"],"Insufficent permissions!":["Droits insuffisants !"],"Comment":["commentaire"],"%displayName% wrote a new comment ":["%displayName% a écrit un commentaire"],"Comments":["Commentaires"],"Edit your comment...":["Éditer le commentaire..."],"%displayName% also commented your %contentTitle%.":["%displayName% a également commenté %contentTitle%."],"%displayName% commented %contentTitle%.":["%displayName% a commenté %contentTitle%."],"Show all {total} comments.":["Voir les {total} commentaires."],"Write a new comment...":["Écrire un nouveau commentaire..."],"Post":["la publication"],"Show %count% more comments":["Afficher %count% autres commentaires"],"Confirm comment deleting":["Confirmation de la suppression du commentaire"],"Do you really want to delete this comment?":["Souhaitez-vous vraiment supprimer ce commentaire ?"],"Edit":["Editer","Modifier"],"Updated :timeago":["mis à jour :timeago","actualisé il y a :timeago"],"{displayName} created a new {contentTitle}.":["{displayName} a publié {contentTitle}.","{displayName} a créé une nouvelle publication : {contentTitle}."],"Back to stream":["Retour au fil d'actualités","Retour au Stream"],"Filter":["Filtre"],"Sorting":["Trier"],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["Nombre maximum d'éléments collées atteint !\n\nVous pouvez coller seulement deux éléments à la fois.\nPour Toutefois coller cet article, décoller l'autre avant !"],"Could not load requested object!":["Impossible de charger l'objet demandé !"],"Unknown content class!":["Contenu de classe inconnu"],"Could not find requested content!":["Impossible de trouver le contenu demandé"],"Could not find requested permalink!":["Impossible de trouver le lien permanent demandé"],"{userName} created a new {contentTitle}.":["{userName} a publié : {contentTitle}."],"in":["dans"],"Submit":["Publier","Envoyer"],"No matches with your selected filters!":["Aucun résultat avec les filtres sélectionnés","Aucun résultat."],"Nothing here yet!":["Rien à afficher","Rien à afficher actuellement."],"Move to archive":["Archiver"],"Unarchive":["Désarchiver"],"Add a member to notify":["Indiquez le nom du membre à avertir"],"Make private":["Rendre privé"],"Make public":["Rendre public"],"Notify members":["Avertir les membres"],"Public":["Public"],"What's on your mind?":["Publiez quelque chose..."],"Confirm post deleting":["Confirmer la suppression de la publication"],"Do you really want to delete this post? All likes and comments will be lost!":["Souhaitez-vous vraiment supprimer cette publication ? Tous les \"j'aime\" et les commentaires seront définitivement perdus !"],"Archived":["Archivé"],"Sticked":["Mis en avant"],"Turn off notifications":["Désactiver les alertes"],"Turn on notifications":["Activer les alertes"],"Permalink to this page":["Lien permanent vers cette page"],"Permalink to this post":["Lien permanent vers cette publication"],"Permalink":["Lien permanent"],"Stick":["Coller"],"Unstick":["Décoller"],"Nobody wrote something yet.
Make the beginning and post something...":["Personne n'a rien écrit pour le moment.
Soyez le premier et écrivez quelque chose..."],"This profile stream is still empty":["Ce flux de profil est vide"],"This space is still empty!
Start by posting something here...":["Cet espace est vide
Commencez par écrire quelque chose ici..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Votre tableau de bord est vide !
Écrivez quelque chose sur votre profil ou rejoignez des espaces !"],"Your profile stream is still empty
Get started and post something...":["Votre profil est vide.
Commencez par écrire quelque chose..."],"Content with attached files":["Contenu avec pièces jointes"],"Created by me":["Créé par moi","Mes créations"],"Creation time":["Date de création"],"Include archived posts":["Inclure les archives"],"Last update":["Dernière mise à jour"],"Nothing found which matches your current filter(s)!":["Rien ne correspond à vos critères actuels !"],"Only private posts":["Uniquement les publications privées"],"Only public posts":["Uniquement les publications publiques"],"Posts only":["Uniquement les publications"],"Posts with links":["Publications avec liens"],"Show all":["Tout voir","Afficher tout"],"Where I´m involved":["Où je suis impliqué"],"No public contents to display found!":["Aucun contenu public à afficher actuellement."],"Directory":["Annuaire"],"Member Group Directory":["Annuaire des membres de groupes"],"show all members":["Voir tous les membres"],"Directory menu":["Menu annuaire"],"Members":["Membres"],"User profile posts":["Publications des membres"],"Member directory":["Annuaire des membres"],"Follow":["Suivre"],"No members found!":["Aucun membre."],"Unfollow":["Ne plus suivre"],"search for members":["chercher des membres"],"Space directory":["Annuaire espaces"],"No spaces found!":["Aucun espace trouvé."],"You are a member of this space":["Vous êtes membre de cet espace"],"search for spaces":["chercher des espaces"],"There are no profile posts yet!":["Il n'y a aucune publication actuellement"],"Group stats":["Statistiques des groupe"],"Average members":["Moyenne des membres"],"Top Group":["Meilleur groupe"],"Total groups":["Nombre de groupes"],"Member stats":["Statistiques des membres"],"New people":["Nouveaux membres"],"Follows somebody":["Suivent"],"Online right now":["En ligne en ce moment"],"Total users":["Nombre de membres"],"See all":["Voir tous"],"New spaces":["Nouvel espace"],"Space stats":["Statistiques des espaces"],"Most members":["Plus fréquenté"],"Private spaces":["Espaces privés"],"Total spaces":["Nombre d'espaces"],"Could not find requested file!":["Impossible de trouver le fichier demandé !"],"Insufficient permissions!":["Vous n'avez pas les permissions !"],"Created By":["Créé par"],"Created at":["Créé à"],"File name":["Nom du fichier"],"Guid":["GUID"],"ID":["ID"],"Invalid Mime-Type":["Type Mine invalide"],"Maximum file size ({maxFileSize}) has been exceeded!":["La taille maximale autorisée ({maxFileSize}) est dépassée."],"Mime Type":["Type Mime"],"Size":["Taille"],"This file type is not allowed!":["Ce type de fichier n'est pas autorisé"],"Updated at":["Mis à jour à"],"Updated by":["Mis à jour par"],"Could not upload File:":["Impossible d'envoyer le fichier :"],"Upload files":["Envoyer des fichiers"],"List of already uploaded files:":["Liste des fichiers déjà envoyés :"],"Create Admin Account":["Créer un compte administrateur"],"Name of your network":["Nom de votre réseau"],"Name of Database":["Nom de la base de données"],"Admin Account":["Compte Administrateur"],"Next":["Suivant"],"Social Network Name":["Nom du réseau social"],"Setup Complete":["Configuration terminée"],"Sign in":["Se connecter"],"Setup Wizard":["Setup Wizard"],"Welcome to HumHub
Your Social Network Toolbox":["Bienvenue sur HumHub
Votre réseau social"],"Initializing database...":["Initialisation de la base de données..."],"Your MySQL password.":["Votre mot de passe MySQL"],"Your MySQL username":["Votre nom d'utilisateur MySQL"],"System Check":["Vérification du système"],"Check again":["Vérifier à nouveau"],"Could not find target class!":["Impossible de trouver la cible !"],"Could not find target record!":["Impossible de trouver la cible !"],"Invalid class given!":["Classe invalide !"],"Users who like this":["Membres qui aiment ça"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} aime {contentTitle}"],"User who vote this":["Utilisateur ayant voté","Utilisateurs qui vont répondre à ça"],"%displayName% also likes the %contentTitle%.":["%displayName% aime aussi %contentTitle%."],"%displayName% likes %contentTitle%.":["%displayName% aime %contentTitle%."]," likes this.":[" aiment ça."],"You like this.":["Vous aimez ça."],"You
":["Vous
"],"Like":["Aime"],"Unlike":["N'aime plus"],"and {count} more like this.":["et {count} autres aiment ça."],"Could not determine redirect url for this kind of source object!":["Impossible de déterminer l'url de redirection pour ce type d'objet source"],"Could not load notification source object to redirect to!":["Impossible de charger l'objet source de notification vers cette redirection!"],"New":["Nouveau"],"Mark all as seen":["Tout marquer comme lu"],"There are no notifications yet.":["Il n'y a aucune notification."],"%displayName% created a new post.":["%displayName% a créé une nouvelle publication."],"Edit your post...":["Éditer la publication..."],"Read full post...":["Lire tout..."],"Search results":["Résultats de la recherche"],"Content":["Contenu"],"Send & decline":["Envoyer et refuser"],"Visible for all":["Visible de tous"]," Invite and request":[" Sur invitation et demande"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Impossible d'effacer un utilisateur propriétaire d'un espace ! Espace concerné : {spaceName}"],"Everyone can enter":["Tout le monde peut entrer"],"Invite and request":["Sur invitation et demande"],"Only by invite":["Sur invitation uniquement"],"Private (Invisible)":["Privé (invisible)"],"Public (Members & Guests)":["Public (membres et visiteurs)"],"Public (Members only)":["Public (membres uniquement)"],"Public (Registered users only)":["Public (utilisateurs enregistrés uniquement)"],"Public (Visible)":["Public (visible)"],"Visible for all (members and guests)":["Visite par tous (membres et visiteurs)"],"Space is invisible!":["Espace invisible"],"You need to login to view contents of this space!":["Vous devez être connecté pour voir ce contenu"],"As owner you cannot revoke your membership!":["En tant que propriétaire, vous ne pouvez pas révoquer votre participation !"],"Could not request membership!":["Demande de participation impossible !"],"There is no pending invite!":["Aucune invitation en attente !"],"This action is only available for workspace members!":["Cette action n'est disponible que pour les membres de cet espace !"],"You are not allowed to join this space!":["Vous n'êtes pas autorisé à rejoindre cet espace !"],"Space title is already in use!":["Ce nom d'espace est déjà utilisé."],"Type":["Type"],"Your password":["Indiquez votre mot de passe"],"Invites":["Invitations"],"New user by e-mail (comma separated)":["Nouveaux utilisateurs par e-mail (séparés par une virgule)"],"User is already member!":["Cet utilisateur est déjà membre."],"{email} is already registered!":["{email} est déjà inscrit."],"{email} is not valid!":["{email} n'est pas valide."],"Application message":["Message"],"Scope":["Etendue"],"Strength":["Contrainte"],"Created At":["Créé le"],"Join Policy":["Conditions d'adhésion"],"Owner":["Propriétaire"],"Status":["Statut"],"Tags":["Mots-clés","Tags"],"Updated At":["Mis à jour le"],"Visibility":["Visibilité"],"Website URL (optional)":["Lien vers site Web (option)"],"You cannot create private visible spaces!":["Vous ne pouvez pas créer un espace privé visible !"],"You cannot create public visible spaces!":["Vous ne pouvez pas créer un espace public visible !"],"Select the area of your image you want to save as user avatar and click Save.":["Choisissez la portion de l'image que vous désirez utiliser comme avatar et cliquez sur Enregistrer."],"Modify space image":["Modifier l'image de l'espace"],"Delete space":["Effacer l'espace"],"Are you sure, that you want to delete this space? All published content will be removed!":["Êtes-vous certain de vouloir supprimé cet espace ? Tout le contenu publié sera définitivement supprimé également !"],"Please provide your password to continue!":["Veuillez indiquez votre mot de passe pour continuer !"],"General space settings":["Paramètres de l'espace"],"Archive":["Archive"],"Choose the kind of membership you want to provide for this workspace.":["Choisissez le type de participation à cet espace."],"Choose the security level for this workspace to define the visibleness.":["Choisissez le niveau de sécurité de cet espace pour en définir la visibilité."],"Search members":["Rechercher des membres"],"Manage your space members":["Gérez les membres de votre espace"],"Outstanding sent invitations":["Invitations envoyées"],"Outstanding user requests":["Demandes d'utilisateurs en attente"],"Remove member":["Retirer le membre"],"Allow this user to
invite other users":["Autoriser cet utilisateur
à inviter d'autres utilisateurs"],"Allow this user to
make content public":["Autoriser cet utilisateur
à rendre public du contenu"],"Are you sure, that you want to remove this member from this space?":["Êtes-vous certain de vouloir retirer ce membre de cet espace ?"],"Can invite":["Autorisé à inviter"],"Can share":["Autorisé à partager"],"Change space owner":["Changer le propriétaire"],"External users who invited by email, will be not listed here.":["Les utilisateurs externes, invités par e-mail ne sont pas visibles ici."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Tous les membres actifs de cet espace sont visibles ci-dessous. Vous pouvez modifier leurs privilèges ou les retirer de ce espace."],"Is admin":["Est administrateur"],"Make this user an admin":["Donner les droits administrateur."],"No, cancel":["Non, annuler"],"Remove":["Effacer","Enlever"],"Request message":["Message de demande"],"Revoke invitation":["Révoquer l'invitation"],"The following users waiting for an approval to enter this space. Please take some action now.":["Les utilisateurs suivant attendent une approbation pour participer à cet espace. Merci de faire le nécessaire."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Les utilisateurs suivants ont été invités dans cet espace, mais n'ont pas encore répondus à cette demande."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Le propriétaire de l'espace est le super-administrateur et normalement le créateur de cet espace. Ici vous pouvez transmettre cette fonction à un autre utilisateur."],"Yes, remove":["Oui, effacer"],"Space Modules":["Modules des espaces"],"Are you sure? *ALL* module data for this space will be deleted!":["Êtes-vous certain ? *TOUTES* les données des modules de cet espace seront définitivement supprimées !"],"Currently there are no modules available for this space!":["Aucun module n'est disponible actuellement pour cet espace !"],"Enhance this space with modules.":["Améliorez cet espace avec des modules."],"Create new space":["Créer un nouvel espace"],"Advanced access settings":["Paramètres d'accès avancés"],"Advanced search settings":["Paramètres de recherche avancés","Paramètres avancés de la recherche"],"Also non-members can see this
space, but have no access":["Les non-membres peuvent voir cet espace
mais n'y ont pas accès"],"Create":["Créer"],"Every user can enter your space
without your approval":["Tout le monde peut entrer dans votre
espace sans votre approbation."],"For everyone":["Pour tout le monde"],"How you want to name your space?":["Indiquez le nom de votre espace"],"Please write down a small description for other users.":["Indiquez une description courte pour les autres utilisateurs."],"This space will be hidden
for all non-members":["Cet espace sera caché
pour les non membres"],"Users can also apply for a
membership to this space":["Les utilisateurs peuvent demander
un accès à cet espace"],"Users can be only added
by invitation":["Les utilisateurs ne peuvent être
ajoutés que par invitation"],"space description":["description de l'espace"],"space name":["nom de l'espace"],"{userName} requests membership for the space {spaceName}":["{userName} souhaite s'affilier à l'espace {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} à accepté votre demande d'affiliation à {spaceName}"],"{userName} declined your membership request for the space {spaceName}":["{userName} à refusé votre demande d'affiliation à {spaceName}"],"{userName} invited you to the space {spaceName}":["{userName} vous invite à rejoindre l'espace {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} a accepté votre invitation dans l'espace {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} a refusé votre invitation dans l'espace {spaceName}"],"This space is still empty!":["Cet espace est vide"],"Accept Invite":["Accepter l'invitation"],"Become member":["Devenir membre"],"Cancel membership":["Annuler l'affiliation"],"Cancel pending membership application":["Annuler la demande d'affiliation"],"Deny Invite":["Interdire l'invitation"],"Request membership":["Demander à devenir membre"],"You are the owner of this workspace.":["Vous être propriétaire de cet espace"],"created by":["créé par"],"Invite members":["Inviter des membres"],"Add an user":["Ajouter un utilisateur"],"Email addresses":["Adresse e-mail"],"Invite by email":["Inviter par e-mail"],"New user?":["Nouvel utilisateur ?"],"Pick users":["Sélectionnez les utilisateurs"],"Send":["Envoyer"],"To invite users to this space, please type their names below to find and pick them.":["Pour inviter des membres dans cet espace, saisissez leurs noms ci-dessous et cochez les."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Vous pouvez également inviter des utilisateurs qui ne sont pas encore inscrits. Indiquez simplement leurs adresses e-mails séparées par une virgule."],"Request space membership":["Demande d'adhésion"],"Please shortly introduce yourself, to become an approved member of this space.":["Merci de vous présenter en quelques mots afin de devenir un membre de cet espace."],"Your request was successfully submitted to the space administrators.":["Votre demande a été transmise à l'administrateur de cet espace."],"Ok":["Ok"],"User has become a member.":["L'utilisateur est membre."],"User has been invited.":["L'utilisateur a été invité."],"User has not been invited.":["L'utilisateur n'a pas encore été invité."],"Back to workspace":["Retour à l'espace de travail"],"Space preferences":["Espace préférences"],"General":["Général"],"My Space List":["Ma liste d'espaces"],"My space summary":["Résumé de l'espace"],"Space directory":["Annuaire des espaces"],"Space menu":["Menu Espace"],"Stream":["Flux"],"Change image":["Changer d'image"],"Current space image":["Image d'espace actuelle"],"Confirm image deleting":["Confirmer la suppression de l'image","Confirmr la suppression","Confirmer la suppression"],"Do you really want to delete your title image?":["Souhaitez-vous vraiment supprimer cette image ?","Souhaitez-vous vraiment supprimer l'image ?"],"Do you really want to delete your profile image?":["Souhaitez-vous vraiment supprimer l'image de votre profil ?","Souhaitez-vous vraiment supprimer l'image du profil ?"],"Invite":["Inviter"],"Something went wrong":["Quelque chose n'a pas fonctionné"],"Followers":["Vous suivent"],"Posts":["Publications"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Merci de vous présenter en quelques mots afin de devenir un membre de cet espace."],"Request workspace membership":["Demander de participation à l'espace","Demande de participation"],"Your request was successfully submitted to the workspace administrators.":["Votre demande de participation a été envoyée aux administrateurs."],"Create new space":["Créer un espace"],"My spaces":["Mes espaces"],"Space info":["Espace info"],"more":["plus"],"Accept invite":["Accepter l'invitation"],"Deny invite":["Décliner l'invitation"],"Leave space":["Se désabonner"],"New member request":["Nouvelles demandes d'affiliation"],"Space members":["Membres de l'espace","Espace membres"],"End guide":["Fin de la visite guidée"],"Next »":["Suivant »"],"« Prev":["« Précédent"],"Administration":["Administration"],"Hurray! That's all for now.":["Hourra! C'est tout pour maintenant."],"Modules":["Modules"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["En tant qu'admin, vou spouvez gérer la plateforme entière depuis ici.

Outre les modules, nous n'allons pas rentrer dans le détail ici, chacun a sa propre courte description ailleurs ."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Vous êtes actuellement dans le menu Outils. De là, vous pouvez accéder au marché en ligne HumHub, où vous pouvez installer un nombre toujours croissant d'outils à la volée.
Comme déjà mentionné, les outils augmentent les fonctions disponibles dans votre espace."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["\nVous avez maintenant appris à propos de tous les aspects les plus importants et êtes tous prêt pour commencer à utiliser la plate-forme.
Nous espérons que vous et tous les futurs utilisateurs serez satisfait d'utiliser ce site. Nous nous réjouissons de vos suggestions ou support que vous souhaitez offrir à notre projet. N'hésitez pas à nous contacter via www.humhub.org.
Restez à l'écoute. :-)"],"Dashboard":["Tableau de bord"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["ceci est votre tableau de bord.

Toute nouvelle activité ou commentaire qui peut vous intéresser sera affiché ici."],"Administration (Modules)":["Administration (Modules)"],"Edit account":["Modifier le compte"],"Hurray! The End.":["Hourra! Fin."],"Hurray! You're done!":["Hourra ! Vous avez terminé !"],"Profile menu":["Profil menu","Menu profil"],"Profile photo":["Profil photo"],"Profile stream":["Profile flux"],"User profile":["Profil utilisateur"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Cliquez sur ce bouton pour mettre à jour votre profil et vos paramètres de compte. Vous pouvez également ajouter plus d'informations à votre profil."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Chaque profil possède sa propre tableau d'affichage. Vos messages seront également diffusés sur les tableaux de bord des utilisateurs qui vous suivent."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Tout comme dans l'espace, le profil de l'utilisateur peut être personnalisé avec différents modules.
Vous pouvez découvrir quels sont les modules disponibles pour votre profil en regardant dans \"Modules\" dans le menu des paramètres de compte."],"This is your public user profile, which can be seen by any registered user.":["Ceci est votre profil d'utilisateur public, qui peut être vu par tout utilisateur enregistré."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Ajouter une photo de profil en cliquant ici ou par glisser-déposer. Faites la même chose pour mettre à jour votre photo de couverture."],"You've completed the user profile guide!":["Vous avez terminé le guide de profil de l'utilisateur!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Vous avez terminé le guide de profil utilisateur!
Pour poursuivre avec le guide d'administration, cliquez ici:

"],"Most recent activities":["Plus récentes activités"],"Posts":["Commentaires"],"Profile Guide":["Guide de profile"],"Space":["Espace"],"Space navigation menu":["Espace menu navigation"],"Writing posts":["Écrire une publication"],"Yay! You're done.":["Bravo ! Vous avez terminé."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Tous les utilisateurs qui sont membres de cet espace seront affichés ici.

Les nouveaux membres peuvent être ajoutés par quiconque ayant obtenu les droits d'accès de l'administrateur."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Donner aux autres utilisateurs une description rapide du thème de l'espace. Vous pouvez ajouter des informations sommaires ici.

L'administrateur de l'espace peut insérer et changer l'image de couverture de l'espace en cliquant dessus ou en faisant glisser l'image."],"New posts can be written and posted here.":["Les nouveaux messages peuvent être rédigés et publiés ici."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Une fois que vous avez rejoint ou créé un nouvel espace, vous pouvez travailler sur des projets, discuter de sujets ou tout simplement partager des informations avec d'autres utilisateurs.
Il existe différents outils pour personnaliser un espace, rendant ainsi le processus de collaboration plus agréable."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["C'est tout pour le guide de l'espace

Pour poursuivre avec le guide de profil utilisateur, cliquez ici :"],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["C'est là que vous pouvez naviguer dans l'espace - Où vous y trouverez les modules qui sont actifs ou disponibles pour l'espace particulier où vous êtes actuellement. Ceux-ci pourraient être des sondages, des tâches ou des notes par exemple
Seul l'administrateur de l'espace peut gérer les modules de l'espace."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Ce menu n'est visible que pour les administrateurs de l'espace. Ici vous pouvez gérer vos paramètres d'espace, ajouter des membres / blocs et activer / désactiver les outils pour cet espace."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Pour vous tenir au courant, les activités les plus récentes des autres utilisateurs dans cet espace seront affichées ici."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Vos messages ainsi que ceux des autres utilisateurs apparaissent ici.
Ceux-ci peuvent ensuite être aimés ou commentés."],"Account Menu":["Menu Compte"],"Notifications":["Notifications"],"Space Menu":["Menu Espace"],"Start space guide":["Démarrer la visite guidée d'un espace"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Ne perdez pas la trace des choses !

Cette icône vous tiendra au courant des activités et des messages qui vous concerne directement."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Le menu compte vous donne accès à vos paramètres privés et vous permet de gérer votre profil public."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["C'est le menu le plus important et sera probablement celui que vous utilisez le plus souvent !
Accédez à tous les espaces que vous avez rejoint et créer de nouveaux espaces ici
Le prochain guide vous montrera comment :"]," Remove panel":["Supprimer le panneau"],"Getting Started":["Commencer"],"Guide: Administration (Modules)":["Guide: Administration (Modules)"],"Guide: Overview":["Guide: Vue d'ensemble"],"Guide: Spaces":["Guide: Espaces"],"Guide: User profile":["Guide: Profile utilisateur"],"Get to know your way around the site's most important features with the following guides:":["Apprenez à utiliser les fonctionnalités les plus importantes du site à travers les guides suivants :"],"This user account is not approved yet!":["Ce compte utilisateur n'a pas encore été approuvé"],"You need to login to view this user profile!":["Vous devrez être connecté pour voir ce profil"],"Your password is incorrect!":["Mot de passe incorrect !"],"You cannot change your password here.":["Impossible de changer votre mot de passe ici."],"Invalid link! Please make sure that you entered the entire url.":["Lien invalide ! Vérifiez que vous avez indiqué l'URL complète !"],"Save profile":["Enregistrer le profil"],"The entered e-mail address is already in use by another user.":["L'adresse e-mail indiquée est déjà utilisée par un autre utilisateur."],"You cannot change your e-mail address here.":["Impossible de changer votre adresse e-mail ici."],"Account":["Compte"],"Create account":["Créer un compte"],"Current password":["Mot de passe actuel"],"E-Mail change":["Changement d'adresse e-mail"],"New E-Mail address":["Nouvelle adresse e-mail"],"Send activities?":["Envoyer les activités ?"],"Send notifications?":["Envoyer les notifications ?"],"New password":["Nouveau mot de passe"],"New password confirm":["Confirmez le nouveau mot de passe"],"Incorrect username/email or password.":["Nom d'utilisateur, e-mail ou mot de passe incorrects."],"Remember me next time":["Se souvenir de moi"],"Your account has not been activated by our staff yet.":["Votre compte n'a pas encore été activé par un administrateur."],"Your account is suspended.":["Désolé, votre compte est suspendu."],"Password recovery is not possible on your account type!":["La récupération de mot de passe n'est pas disponible pour votre type de compte !"],"E-Mail":["e-mail"],"Password Recovery":["Récupération de mot de passe"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" introuvable !"],"E-Mail is already in use! - Try forgot password.":["Cet e-mail est déjà utilisé."],"Hide panel on dashboard":["Cacher le panneau sur le tableau de bord"],"Invalid language!":["Langage invalide","Langue invalide !"],"Profile visibility":["Visibilité du profil"],"TimeZone":["Fuseau horaire"],"Default Space":["Espace par défaut"],"Group Administrators":["Administrateur(s) du groupe"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Les membres peuvent créer des espaces privés"],"Members can create public spaces":["Les membres peuvent créer des espaces public"],"Birthday":["Date de naissance"],"City":["Ville"],"Country":["Pays"],"Custom":["Personnalisé"],"Facebook URL":["Lien Facebook"],"Fax":["Fax"],"Female":["Femme"],"Firstname":["Prénom"],"Flickr URL":["Lien Flickr"],"Gender":["Genre"],"Google+ URL":["Lien Google+"],"Hide year in profile":["Masquer l'année dans votre profil"],"Lastname":["Nom"],"LinkedIn URL":["Lien LinkedIn"],"MSN":["MSN"],"Male":["Homme"],"Mobile":["Tel. portable"],"MySpace URL":["Lien MySpace"],"Phone Private":["Tel. privé"],"Phone Work":["Tel. travail"],"Skype Nickname":["ID Skype"],"State":["Région"],"Street":["Rue"],"Twitter URL":["Lien Twitter"],"Url":["Lien"],"Vimeo URL":["Lien Vimeo"],"XMPP Jabber Address":["Adresse XMPP/Jabber"],"Xing URL":["Lien Xing"],"Youtube URL":["Lien YouTube"],"Zip":["Code postal"],"Created by":["Créé par"],"Editable":["Modifiable"],"Field Type could not be changed!":["Le type du champ ne peut être modifié !"],"Fieldtype":["Type de champ"],"Internal Name":["Nom interne"],"Internal name already in use!":["Ce nom interne est déjà utilisé !"],"Internal name could not be changed!":["Le nom interne ne peut être modifié !"],"Invalid field type!":["Type de champ invalide !"],"LDAP Attribute":["Attributs LDAP"],"Module":["Module"],"Only alphanumeric characters allowed!":["Seuls les caractères alphanumériques sont acceptés !"],"Profile Field Category":["Catégorie de champs"],"Required":["Requis"],"Show at registration":["Voir à l'enregistrement"],"Sort order":["Ordre de tri"],"Translation Category ID":["Identifiant de traduction de la catégorie","Identifiant de la catégorie de traduction"],"Type Config":["Configuration de type"],"Visible":["Visible"],"Communication":["Communication"],"Social bookmarks":["Favoris sociaux"],"Datetime":["Date et heure"],"Number":["Nombre"],"Select List":["Liste de choix"],"Text":["Texte"],"Text Area":["Texte long"],"%y Years":["%y ans"],"Birthday field options":["Options de date de naissance"],"Date(-time) field options":["Option de date et heure"],"Show date/time picker":["Afficher le calendrier"],"Maximum value":["Valeur maximale"],"Minimum value":["Valeur minimale"],"Number field options":["Option de nombre"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Une valeur par ligne. Clé=>Valeur (exemple oui=>Oui)"],"Please select:":["Sélectionnez :"],"Possible values":["Valeurs possibles"],"Select field options":["Option de listes"],"Default value":["Valeur par défaut"],"Maximum length":["Longueur maximale"],"Minimum length":["Longueur minimale"],"Text Field Options":["Option de texte"],"Text area field options":["Option de texte long"],"Authentication mode":["Méthode d'authentification"],"New user needs approval":["Les nouveaux utilisateurs doivent être approuvés"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Le nom d'utilisateur ne peut contenir que des lettres, chiffres, espaces et les caractères spéciaux (+ - . _)"],"Wall":["Mur"],"Change E-mail":["Changer d'adresse e-mail","Changer d'adresses e-mail"],"Current E-mail address":["Adresse e-mail actuelle"],"Your e-mail address has been successfully changed to {email}.":["Votre adresse e-mail a été modifiée vers : {email}."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Nous venons juste de vous envoyer un message vers votre nouvelle adresse e-mail.
Merci de suivre les instructions qu'il contient."],"Change password":["Changer de mot de passe"],"Password changed":["Mot de passe modifié"],"Your password has been successfully changed!":["Votre mot de passe a été modifié !","Votre mot de passe a correctement été changé !"],"Modify your profile image":["Modifier votre image de profil"],"Delete account":["Supprimer votre compte"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Êtes-vous certain de vouloir supprimer votre compte ?
L'intégralité de votre contenu sera supprimé définitivement !"],"Delete account":["Supprimer définitivement le compte","Suppression du compte"],"Enter your password to continue":["Indiquez votre mot de passe pour continuer"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Désolé, en tant que propriétaire d'un espace, vous ne pouvez pas supprimer votre compte !
Choisissez un autre propriétaire pour votre espace ou supprimez-le."],"User details":["Détails de votre compte utilisateur"],"User modules":["Modules utilisateur"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Êtes-vous vraiment certain ? *TOUTES* les données des modules de votre profil seront supprimées définitivement !"],"Enhance your profile with modules.":["Améliorez votre profil avec des modules."],"User settings":["Réglages utilisateur"],"Getting Started":["Pour commencer"],"Registered users only":["Utilisateurs enregistrés uniquement"],"Visible for all (also unregistered users)":["Visible par tous (visiteurs également)"],"Desktop Notifications":["Notifications sur le bureau"],"Email Notifications":["Notifications par e-mail"],"Get a desktop notification when you are online.":["Recevoir les notifications sur votre bureau lorsque vous êtes en ligne."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Recevoir un e-mail pour chaque activité des utilisateurs que vous suivez
ou qui partagent un espace avec vous."],"Get an email, when other users comment or like your posts.":["Recevoir un e-mail quand un utilisateur commente ou aime vos sujets."],"Account registration":["Enregistrement de compte"],"Create Account":["Créer un compte"],"Your account has been successfully created!":["Votre compte à été créé !"],"After activating your account by the administrator, you will receive a notification by email.":["Vous recevrez une notification par e-mail après activation de celui-ci par un administrateur."],"Go to login page":["Aller à la page de connexion"],"To log in with your new account, click the button below.":["Pour vous connecter avec votre compte, cliquez sur le bouton ci-dessous."],"back to home":["Retour à l'accueil"],"Please sign in":["Connexion"],"Sign up":["Inscription"],"Create a new one.":["Créer un nouveau."],"Don't have an account? Join the network by entering your e-mail address.":["Vous n'avez pas de compte ? Rejoignez-nous en indiquant votre adresse e-mail."],"Forgot your password?":["Mot de passe perdu ?"],"If you're already a member, please login with your username/email and password.":["Si vous êtes déjà inscrit, identifiez-vous à l'aide de votre nom d'utilisateur ou adresse e-mail ainsi que votre mot de passe."],"Register":["Enregistrez-vous"],"email":["e-mail"],"password":["mot de passe"],"username or email":["nom d'utilisateur ou e-mail"],"Password recovery":["Récupération de votre mot de passe","Récupération de mot de passe"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Indiquez votre adresse e-mail. Nous vous enverrons les instructions de récupération de votre mot de passe."],"Password recovery":["Récupérer votre mot de passe"],"Reset password":["Envoyer"],"enter security code above":["entrez le code de sécurité"],"your email":["votre adresse e-mail"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Nous venons de vous envoyer un e-mail contenant le lien qui vous permettra de réinitialiser votre mot de passe."],"Password recovery!":["Mot de passe récupéré !"],"Registration successful!":["Enregistrement terminé !"],"Please check your email and follow the instructions!":["Vérifiez vos e-mails et suivez les instructions indiquées."],"Registration successful":["Enregistrement effectué"],"Change your password":["Changer votre mot de passe"],"Password reset":["Réinitialiser votre mot de passe"],"Change password":["Changer le mot de passe"],"Password reset":["Réinitialiser votre mot de passe"],"Password changed!":["Votre mot de passe a été changé !"],"Confirm your new email address":["Confirmez votre nouvelle adresse e-mail"],"Confirm":["Confirmer"],"Hello":["Bonjour"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Vous avez demandé un changement d'adresse e-mail.
Votre nouvelle adresse est {newemail}.

Pour confirmer cette nouvelle adresse, cliquez sur le bouton ci-dessous."],"Hello {displayName}":["Bonjour {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Veuillez utiliser ce lien endéans les 24 heures. Passé ce délai, il expirera automatiquement."],"Please use the following link within the next day to reset your password.":["Merci d'utiliser le lien suivant endéans les 24 heures pour réinitialiser votre mot de passe."],"Reset Password":["Réinitialiser le mot de passe"],"Registration Link":["Lien d'enregistrement"],"Sign up":["Enregistrement"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Bienvenue sur %appName%. Cliquez sur le bouton ci-dessous pour vous enregistrer."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["Enregistrez-vous dès maintenant pour rejoindre cet espace."],"Sign up now":["Inscrivez-vous maintenant","Enregistrez-vous maintenant"],"Space Invite":["Invitation à un espace"],"You got a space invite":["Vous avez reçu une invitation à rejoindre un espace"],"invited you to the space:":["vous à invité à rejoindre l'espace :"],"{userName} mentioned you in {contentTitle}.":["{userName} vous a mentionné dans {contentTitle}."],"{userName} is now following you.":["{userName} vous suit."],"About this user":["À propos de cet utilisateur"],"Modify your title image":["Modifier votre image titre"],"This profile stream is still empty!":["Ce profil est vide."],"Do you really want to delete your logo image?":["Souhaitez-vous supprimer votre logo ?"],"Account settings":["Réglages de votre compte"],"Profile":["Profil"],"Edit account":["Modifier votre compte"],"Following":["Vous suivez"],"Following user":["Membres que vous suivez"],"User followers":["Membres qui vous suivent"],"Member in these spaces":["Membre dans cet espace"],"User tags":["Mots-clé de l'utilisateur"],"No birthday.":["Aucun anniversaire."],"Back to modules":["Retour aux modules"],"Birthday Module Configuration":["Configuration du module Anniversaire"],"The number of days future bithdays will be shown within.":["Le nombre de jours avant qu'un anniversaire soit affiché."],"Tomorrow":["Demain"],"Upcoming":["Prochainement"],"You may configure the number of days within the upcoming birthdays are shown.":["Vous pouvez spécifier le nombre de jours avant qu'un anniversaire soit affiché."],"becomes":["aura"],"birthdays":["anniversaires"],"days":["jours"],"today":["aujourd'hui"],"years old.":["ans."],"Active":["Actif"],"Mark as unseen for all users":["Marquer comme non lu pour tous les utilisateurs"],"Breaking News Configuration":["Configuration de Breaking News"],"Note: You can use markdown syntax.":["Note : vous pouvez utiliser la syntaxe Markdown"],"Adds an calendar for private or public events to your profile and mainmenu.":["Ajoute un calendrier pour les événements privés ou publics à votre profil et au menu principal"],"Adds an event calendar to this space.":["Ajoute un calendrier à cet espace."],"All Day":["Toute la journée"],"Attending users":["Utilisateurs participants"],"Calendar":["Calendrier"],"Declining users":["Participants ayant décliné l'invitation"],"End Date":["Date de fin"],"End Date and Time":["Date et heure de fin"],"End Time":["Heure de fin"],"End time must be after start time!":["L'heure de fin doit être après l'heure de début !"],"Event":["Événement"],"Event not found!":["Événement introuvable !"],"Maybe attending users":["Probablement en attente de participants"],"Participation Mode":["Mode de participation"],"Recur":["Récurrence"],"Recur End":["Fin de la récurrence"],"Recur Interval":["Fréquence de répétition"],"Recur Type":["Type de récurrence"],"Select participants":["Choisir les participants"],"Start Date":["Date de début"],"Start Date and Time":["Date et heure de début"],"Start Time":["Heure de début"],"You don't have permission to access this event!":["Vous n'avez pas le droit d'accéder à cet événement !"],"You don't have permission to create events!":["Vous n'avez pas le droit de créer un événement !"],"You don't have permission to delete this event!":["Vous n'avez pas le droit d'effacer à cet événement !"],"You don't have permission to edit this event!":["Vous n'avez pas le droit de modifier à cet événement !"],"%displayName% created a new %contentTitle%.":["%displayName% a créé un nouveau %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% participe à %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% participe peut-être à %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% ne participe pas à %contentTitle%."],"Start Date/Time":["Heure et date de début"],"Create event":["Créer un événement"],"Edit event":["Editer un événement"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Note : Cet événement sera créé dans votre profil. Pour créer un événement dans un espace, ouvrez le calendrier de l'espace concerné."],"End Date/Time":["Heure et date de fin"],"Everybody can participate":["Tout le monde peut participer"],"No participants":["Pas de participant"],"Participants":["Participants"],"Attend":["Participe"],"Created by:":["Créé par :"],"Edit event":["Modifier l'événement"],"Edit this event":["Modifier cet événement"],"I´m attending":["Je participe"],"I´m maybe attending":["Je participe peut-être"],"I´m not attending":["Je ne participe pas"],"Maybe":["Peut-être"],"Filter events":["Filtrer les événements"],"Select calendars":["Choisir les calendriers"],"Already responded":["Déjà répondu"],"Followed spaces":["Espaces suivis"],"Followed users":["Utilisateurs suivis"],"My events":["Mes événements"],"Not responded yet":["Pas encore répondu"],"Loading...":["Chargement..."],"Upcoming events ":["Prochains événements "],":count attending":[":count oui"],":count declined":[":count non"],":count maybe":[":count peut être"],"Participants:":["Participants :"],"Create new Page":["Créer une nouvelle page"],"Custom Pages":["Pages personnalisées"],"Link":["Lien"],"No custom pages created yet!":["Aucune page personnalisée n'a été créée !"],"Sort Order":["Ordre de tri"],"Delete category":["Supprimer la catégorie"],"Delete link":["Supprimer le lien"],"Do you really want to delete this link?":["Souhaitez-vous supprimer ce lien ?"],"Linklist":["Liste des liens"],"Messages":["Messages"],"Recipient":["Destinataire"],"You cannot send a email to yourself!":["Vous ne pouvez pas envoyer un e-mail à vous-même."],"You could not send an email to yourself!":["Vous ne pouvez pas envoyer un e-mail à vous-même."],"New message from {senderName}":["Nouveau message de {senderName}"],"and {counter} other users":["et de {counter} autres utilisateurs"],"New message in discussion from %displayName%":["Nouveau message dans la conversation de %displayName%"],"New message":["Nouveau message"],"Reply now":["Répondre maintenant"],"sent you a new message:":["vous a envoyé un nouveau message :"],"sent you a new message in":["vous a envoyé un nouveau message dans"],"Add more participants to your conversation...":["Ajouter plus de participants à votre conversation..."],"Add user...":["Ajouter un utilisateur..."],"New message":["Nouveau message"],"Edit message entry":["Modifier le message"],"Messagebox":["Courrier"],"Inbox":["Boîte de réception"],"There are no messages yet.":["Il n'y a aucun message."],"Write new message":["Écrire un nouveau message"],"Confirm deleting conversation":["Confirmer la suppression de la conversation"],"Confirm leaving conversation":["Confirmation"],"Confirm message deletion":["Confirmer la suppression du message"],"Add user":["Ajouter un utilisateur"],"Do you really want to delete this conversation?":["Souhaitez-vous vraiment supprimer cette conversation ?"],"Do you really want to delete this message?":["Souhaitez-vous vraiment supprimer ce message ?"],"Do you really want to leave this conversation?":["Souhaitez-vous vraiment quitter cette conversation ?"],"Leave":["Quitter"],"Leave discussion":["Quitter la discussion"],"Write an answer...":["Écrire une réponse..."],"User Posts":["Publications de l'utilisateur"],"Show all messages":["Montrer tous les messages"],"Send message":["Envoyer le message"],"No users.":["Aucun membre."],"The number of users must not be greater than a 7.":["Le nombre doit être inférieur à 7."],"The number of users must not be negative.":["Le nombre ne peut pas être négatif."],"Most active people":["Les membres les plus actifs"],"Get a list":["Liste"],"Most Active Users Module Configuration":["Configuration du module \"Most Active Users\""],"The number of most active users that will be shown.":["Le nombre de membres devant être affiché."],"You may configure the number users to be shown.":["Vous devez spécifier le nombre de membres qui doivent être affichés."],"Comments created":["Commentaire(s)"],"Likes given":["Mention(s) \"J'aime\""],"Posts created":["Publication(s)"],"Notes":["Notes"],"Etherpad API Key":["Clé de l'API Etherpad"],"URL to Etherpad":["URL Etherpad"],"Could not get note content!":["Impossible d'obtenir le contenu de la note!"],"Could not get note users!":["Impossible d'obtenir les notes d'utilisateurs!"],"Note":["Note"],"{userName} created a new note {noteName}.":["{userName} a créé une nouvelle note {noteName}."],"{userName} has worked on the note {noteName}.":["{userName} a travaillé sur la note {noteName}."],"API Connection successful!":["Connexion à l'API avec succès!"],"Could not connect to API!":["Impossible de se connecter à l'API!"],"Current Status:":["Status courant:"],"Notes Module Configuration":["Configuration du module Notes"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Veuillez lire la documentation du module sous /protected/modules/notes/docs/install.txt pour plus de détails"],"Save & Test":["Enregistrer & Tester"],"The notes module needs a etherpad server up and running!":["Le module de notes requiert un serveur etherpad actif!"],"Save and close":["Enregistrer et Fermer"],"{userName} created a new note and assigned you.":["{userName} a créé une nouvelle note et vous l'a assignée."],"{userName} has worked on the note {spaceName}.":["{userName} a travaillé sur la note {spaceName}."],"Open note":["Note ouverte"],"Title of your new note":["Titre de votre nouvelle note"],"No notes found which matches your current filter(s)!":["Aucun note n'a été trouvée à partir de votre filtre courant!"],"There are no notes yet!":["Il n'y a pas encore de note!"],"Polls":["Sondages"],"Could not load poll!":["Impossible de charger le sondage"],"Invalid answer!":["Réponse invalide !"],"Users voted for: {answer}":["Les utilisateurs ont choisi : {answer}"],"Voting for multiple answers is disabled!":["Réponse multiple impossible."],"You have insufficient permissions to perform that operation!":["Vous n'avez pas la permission de faire ça."],"Answers":["Réponses"],"Multiple answers per user":["Réponses multiples par utilisateur"],"Please specify at least {min} answers!":["Attention, vous devrez spécifier {min} réponses minimum."],"Question":["Question"],"{userName} answered the {question}.":["{userName} a répondu à {question}."],"{userName} voted the {question}.":["{userName} a répondu à {question}."],"{userName} created a new {question}.":["{userName} a créé un sondage : {question}."],"{userName} created a new poll and assigned you.":["{userName} a créé un nouveau sondage et vous l'a assigné."],"Ask":["Demander"],"Reset my vote":["Annuler mon vote"],"Vote":["Voter"],"and {count} more vote for this.":["et {count} réponses en plus."],"votes":["réponses"],"Allow multiple answers per user?":["Autoriser les réponses multiples ?"],"Ask something...":["Votre question..."],"Possible answers (one per line)":["Réponses possibles (1 par ligne)"],"Display all":["Tout afficher"],"No poll found which matches your current filter(s)!":["Aucun sondage trouvé (avec ces filtres)"],"There are no polls yet!":["Il n'y a aucun sondage actuellement"],"There are no polls yet!
Be the first and create one...":["Il n'y a aucun sondage actuellement
Soyez le premier à en créer un..."],"Asked by me":["Mes demandes"],"No answered yet":["Pas de réponse"],"Only private polls":["Sondages privés seulement"],"Only public polls":["Sondage public seulement"],"by :displayName":["par :displayName"],"created by :displayName":["créé par :displayName"],"An user has reported your post as offensive.":["Un utilisateur a reporté votre publication comme offensive."],"An user has reported your post as spam.":["Un utilisateur a reporté votre publication comme indésirable."],"An user has reported your post for not belonging to the space.":["Un utilisateur a reporté votre publication comme inappropriée à cet espace."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% a reporté la publication %contentTitle% comme offensive."],"%displayName% has reported %contentTitle% as spam.":["%displayName% a reporté la publication %contentTitle% comme indésirable."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% a reporté la publication %contentTitle% inappropriée à cet espace."],"Appropriate":["Approprié"],"Tasks":["Tâches"],"Could not access task!":["Accès aux Tâches refusés !"],"Task":["Tâche"],"{userName} assigned to task {task}.":["{userName} a été assigné à la tâche {task}."],"{userName} created task {task}.":["{userName} a créé la tâche {task}."],"{userName} finished task {task}.":["{userName} a terminé la tâche {task}.","{userName} a fini {task}."],"{userName} assigned you to the task {task}.":["{userName} vous a assigné {task}."],"{userName} created a new task {task}.":["{userName} a créé une nouvelle tâche : {task}."],"Add Task":["Ajouter une tâche"],"Do you really want to delete this task?":["Vouhaitez-vous vraiment supprimer cette tâche ?"],"This task is already done":["Cette tâche est déjà faite"],"You're not assigned to this task":["Vous n'êtes pas assigné à cette tâche."],"Click, to finish this task":["Cliquer, pour finir la tâche"],"This task is already done. Click to reopen.":["Cette tâche est déjà faite. Cliquer pour ré-ouvrir."],"My tasks":["Mes tâches"],"From space: ":["De l'espace :"],"No tasks found which matches your current filter(s)!":["Pas de tâches trouvées avec ces filtres"],"There are no tasks yet!":["Il n'y a aucune tâche actuellement"],"There are no tasks yet!
Be the first and create one...":["Il n'y a pas de tâches ici !
Soyez le premier à en créer une..."],"Assigned to me":["Me l'assigner"],"Nobody assigned":["Personne d'assigné"],"State is finished":["État est Fini"],"State is open":["État est Ouvert"],"Assign users to this task":["Assigner des utilisateurs à cette tâche"],"What to do?":["Qu'y a t-il à faire ?"],"Do you want to handle this task?":["Voulez-vous traiter cette tâche ?"],"I do it!":["Je vais le faire !"],"Translation Manager":["Responsable de traduction"],"Translations":["Traductions"],"Translation Editor":["Éditeur de traductions"],"Confirm page deleting":["Confirmer la suppression de la page"],"Confirm page reverting":["Confirmer le retour à une version précédente"],"Overview of all pages":["Aperçu des pages"],"Page history":["Historique de la page"],"Wiki Module":["Module Wiki"],"Adds a wiki to this space.":["Ajouter un Wiki à cet espace."],"Adds a wiki to your profile.":["Ajouter un Wiki à votre profil."],"Back to page":["Revenir à la page"],"Do you really want to delete this page?":["Souhaitez-vous vraiment supprimer cette page ?"],"Do you really want to revert this page?":["Souhaitez-vous vraiment restaurer cette page ?"],"Edit page":["Modifier la page"],"Edited at":["Modifié le"],"Go back":["Retour"],"Invalid character in page title!":["Caractère invalide dans le titre de la page"],"Let's go!":["Allons-y"],"Main page":["Page principale"],"New page":["Nouvelle page"],"No pages created yet. So it's on you.
Create the first page now.":["Aucune pages actuellement."],"Overview":["Vue d'ensemble"],"Page History":["Historique"],"Page title already in use!":["Ce titre est déjà utilisé"],"Revert":["Restaurer"],"Revert this":["Restaurer ceci"],"View":["Voir"],"Wiki":["Wiki"],"by":["par"],"Wiki page":["Page Wiki"],"Create new page":["Créer une nouvelle page"],"Edit page":["Editer la page"],"Enter a wiki page name or url (e.g. http://example.com)":["Entrez le nom de la page ou un URL"],"New page title":["Titre de la page"],"Page content":["Contenu de la page"],"Allowed file extensions":["Extensions autorisées"],"Server":["Serveur"],"Security":["Sécurité"],"Flush entries":["Supprimer le journal"],"Purchases":["Achats"],"Alphabetical":["Alphabétique"],"Last visit":["Dernière visite"],"Add user":["Ajouter un utilisateur"],"Add new user":["Ajouter un utilisateur"],"Last login":["Dernière connexion"],"never":["jamais"],"Add new category":["Ajouter une catégorie"],"Add new field":["Ajouter un champ"],"OEmbed Provider":["OEmbed"],"Proxy":["Serveur Proxy"],"Search for user, spaces and content":["Chercher des utilisateurs, des espaces et des contenus"],"Search only in certain spaces:":["Chercher seulement dans certains espaces :"],"Default":["Défaut"],"Private":["Privé"],"Members":["Membres"],"Change Owner":["Modifier le propriétaire"],"General settings":["Paramètres généraux"],"Security settings":["Paramètres de sécurité"],"As owner of this space you can transfer this role to another administrator in space.":["En tant que propriétaire de cet espace, vous pouvez transférer ce rôle à un autre administrateur dans l'espace"],"Color":["Couleur"],"Transfer ownership":["Transférer la propriété"],"Last Visit":["Dernière visite"],"Request Message":["Message de la demande"],"Updated By":["Mis à jour par"],"Value":["Valeur"],"Add {n,plural,=1{space} other{spaces}}":["Ajouter {n,plural,=1{espace} other{espaces}}"],"Current Group:":["Groupe sélectionné :"],"Manage members":["Gérer les membres"],"Manage permissions":["Gérer les permissions"],"Pending approvals":["Demandes en attente"],"Pending invitations":["Invitations en attente"],"Cancel Membership":["Annuler la participation"],"Hide posts on dashboard":["Cacher les messages sur le tableau de bord"],"Show posts on dashboard":["Afficher les messages sur le tableau de bord"],"This option will hide new content from this space at your dashboard":["Cette option va cacher les nouveaux contenus de cet espace sur votre tableau de bord"],"This option will show new content from this space at your dashboard":["Cette option va afficher les nouveaux contenus de cet espace sur votre tableau de bord"],"Pending Approvals":["Demandes en attente"],"Pending Invites":["Invitations en attente"],"Permissions":["Permissions"]} \ No newline at end of file diff --git a/protected/humhub/messages/pl/archive.json b/protected/humhub/messages/pl/archive.json index df91d7aec2..483cb48f51 100644 --- a/protected/humhub/messages/pl/archive.json +++ b/protected/humhub/messages/pl/archive.json @@ -1 +1 @@ -{"Could not find requested module!":["Nie można znaleźć żądanego modułu. "],"Invalid request.":["Błędne żądanie."],"Keyword:":["Słowo kluczowe:"],"Nothing found with your input.":["Nic nie znaleziono."],"Results":["Wyniki"],"Show more results":["Pokaż więcej wyników"],"Sorry, nothing found!":["Przepraszam, nic nie znaleziono!"],"Welcome to %appName%":["Witaj w %appName%"],"Latest updates":["Najnowsze aktualizacje"],"Account settings":["Ustawienia konta"],"Administration":["Administracja"],"Back":["Wstecz"],"Back to dashboard":["Powrót do pulpitu"],"Collapse":["Zwiń"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Źródło zawartości dodatku musi być instancją HActiveRecordContent lub HActiveRecordContentAddon!"],"Could not determine content container!":["Nie można określić kontenera!"],"Could not find content of addon!":["Nie znaleziono zawartości dodatku!"],"Error":["Błąd"],"Expand":["Rozwiń"],"Insufficent permissions to create content!":["Brak wystarczających uprawnień by utworzyć element!"],"It looks like you may have taken the wrong turn.":["Chyba zabłądziłeś."],"Language":["Język"],"Latest news":["Najnowsze wiadomości"],"Login":["Login"],"Logout":["Wyloguj"],"Menu":["Menu"],"Module is not on this content container enabled!":["Moduł w tym kontenerze nie jest uruchomiony!"],"My profile":["Mój profil"],"New profile image":["Nowe zdjęcie profilowe"],"Oooops...":["Oooops..."],"Search":["Szukaj","Szukaj "],"Search for users and spaces":["Szukaj użytkowników i stref"],"Space not found!":["Nie znaleziono strefy! "],"User Approvals":["Akceptacja nowych użytkowników"],"User not found!":["Użytkownik nie znaleziony! ","Nie znaleziono użytkownika! "],"You cannot create public visible content!":["Nie można utworzyć zawartości publicznej!"],"Your daily summary":["Podsumowanie dzienne"],"Global {global} array cleaned using {method} method.":["Globalna tablica {global} została wyczyszczona używając metody {method}."],"Upload error":["Błąd wczytywania","Błąd wczytywania "],"Close":["Zamknij "],"Title":["Tytuł"],"Could not create activity for this object type!":["Nie można utworzyć aktywności dla tego typu obiektu!"],"%displayName% created the new space %spaceName%":["%displayName% utworzył nową strefę %spaceName%"],"%displayName% created this space.":["%displayName% utworzył tę strefę."],"%displayName% joined the space %spaceName%":["%displayName% dołączył do strefy %spaceName%"],"%displayName% joined this space.":["%displayName% dołączył do tej strefy. "],"%displayName% left the space %spaceName%":["%displayName% opuścił strefę %spaceName%"],"%displayName% left this space.":["%displayName% opuścił tę strefę. "],"{user1} now follows {user2}.":["Od teraz {user1} obserwuje {user2}."],"see online":["zobacz zalogowanych","pokaż online "],"via":["przez","przez "],"Latest activities":["Najnowsza aktywność"],"There are no activities yet.":["Brak aktywności."],"Group not found!":["Grupa nie znaleziona!"],"Could not uninstall module first! Module is protected.":["Nie można najpierw odinstalować modułu! Moduł jest chroniony. "],"Module path %path% is not writeable!":["Ścieżka %path% modułu jest niezapisywalna. "],"Saved":["Zapisano ","Zapisano"],"Database":["Baza danych "],"No theme":["Brak motywu "],"APC":["APC "],"Could not load LDAP! - Check PHP Extension":["Nie można wczytać LDAP! - Sprawdź rozszerzenie PHP "],"File":["Plik "],"No caching (Testing only!)":["Brak cache (tylko cele testowe) "],"None - shows dropdown in user registration.":["Żadne - pokazuje rozwijaną listę podczas rejestracji użytkownika "],"Saved and flushed cache":["Zapisano i opróżniono cache "],"Become this user":["Zostań tym użytkownikiem"],"Delete":["Usuń"],"Disabled":["Zablokowany "],"Enabled":["Włączony "],"LDAP":["LDAP"],"Local":["Lokalny "],"Save":["Zapisz "],"Unapproved":["Niezatwierdzony "],"You cannot delete yourself!":["Nie możesz usunąć samego siebie! "],"Could not load category.":["Nie można wczytać kategorii. "],"You can only delete empty categories!":["Możesz usunąć tylko pustą kategorię! "],"Group":["Grupa "],"Message":["Wiadomość "],"Subject":["Temat "],"Base DN":["Bazowy DN"],"Enable LDAP Support":["Włącz wsparcie LDAP"],"Encryption":["Szyfrowanie","Szyfrowanie "],"Hostname":["Nazwa hosta"],"Login Filter":["Filtr loginów"],"Password":["Hasło"],"Port":["Port"],"User Filer":["Filtr użytkowników"],"Username":["Nazwa użytkownika"],"Username Attribute":["Atrybut nazwy użytkownika "],"Anonymous users can register":["Anonimowi użytkownicy mogą rejestrować się "],"Default user group for new users":["Domyślna grupa użytkowników dla nowych użytkowników "],"Members can invite external users by email":["Członkowie mogą zapraszać zewnętrznych użytkowników za pomocą emalia "],"Require group admin approval after registration":["Wymagaj zatwierdzenia po rejestracji przez administratora grupy "],"Base URL":["Główny URL "],"Default language":["Domyślny język "],"Default space":["Domyślna strefa "],"Invalid space":["Nieprawidłowa strefa","Nieprawidłowa strefa "],"Name of the application":["Nazwa aplikacji "],"Show introduction tour for new users":["Pokazuj wycieczkę wprowadzającą nowym użytkownikom "],"Cache Backend":["Zaplecze cache "],"Default Expire Time (in seconds)":["Domyślny czas wygasania (w sekundach) "],"PHP APC Extension missing - Type not available!":["Brakuje rozszerzenia PHP ACP - typ niedostępny! "],"PHP SQLite3 Extension missing - Type not available!":["Brakuje rozszerzenia SQLite3 - typ niedostępny! "],"Default pagination size (Entries per page)":["Domyślna paginacja (wpisy na stronę) "],"Display Name (Format)":["Nazwa wyświetlana (format) "],"Dropdown space order":["Kolejność listy rozwijanej stref "],"Theme":["Motyw "],"Allowed file extensions":["Dozwolone rozszerzenia "],"Convert command not found!":["Polecenie konwertujące nie znalezione! "],"Got invalid image magick response! - Correct command?":["Otrzymano nieprawidłową odpowiedź image magick! - Czy prawidłowe polecenie? "],"Image Magick convert command (optional)":["Polecenie konwersji Image Magick (opcjonalne) "],"Maximum upload file size (in MB)":["Maksymalny rozmiar wgrywanego pliku (w MB) "],"Use X-Sendfile for File Downloads":["Użyj X-Sendfile przy pobieraniu plików "],"Administrator users":["Administratorzy "],"Description":["Opis"],"Ldap DN":["Ldap DN "],"Name":["Nazwa"],"E-Mail sender address":["Adres wysyłającego E-mail "],"E-Mail sender name":["Nazwa wysyłającego E-mail "],"Mail Transport Type":["Typ przesyłania maili"],"Port number":["Numer portu "],"Endpoint Url":["Punkt docelowy URL"],"Url Prefix":["Prefiks URL"],"User":["Użytkownik "],"Super Admins can delete each content object":["Super administratorzy mogą usunąć każdy zliczony obiekt "],"Default Join Policy":["Domyślna polityka dołączania "],"Default Visibility":["Domyślna widzialność "],"HTML tracking code":["Kod śledzący HTML "],"Module directory for module %moduleId% already exists!":["Katalog modułu dla modułu %moduleId% już istnieje!"],"Could not extract module!":["Nie można wypakować modułu!"],"Could not fetch module list online! (%error%)":["Nie można pobrać listy modułów będących online! (%error%)"],"Could not get module info online! (%error%)":["Nie można pobrać informacji na temat modułów modułów będących online! (%error%)"],"Download of module failed!":["Pobieranie modułu nie powiodło się!"],"Module directory %modulePath% is not writeable!":["Katalog modułu %modulePath% nie jest zapisywalny!"],"Module download failed! (%error%)":["Nie powiodło się pobieranie modułu! (%error%)"],"No compatible module version found!":["Nie znaleziono kompatybilnej wersji modułu! "],"Activated":["Aktywowane"],"Installed":["Zainstalowane"],"About HumHub":["O HumHubie"],"Accept":["Akceptuj"],"Decline":["Odrzuć"],"Accept user: {displayName} ":["Akceptuj użytkownika: {displayName}"],"Cancel":["Anuluj"],"Send & save":["Wyślij i zapisz"],"Decline & delete user: {displayName}":["Odrzuć i usuń użytkownika: {displayName}"],"Email":["E-mail"],"Search for email":["Szukaj e-maila","Szukaj e-maili"],"Search for username":["Szukaj nazwy użytkownika ","Szukaj nazw użytkownika"],"Pending user approvals":["Oczekujący użytkownicy do zatwierdzenia"],"Here you see all users who have registered and still waiting for a approval.":["Tutaj widzisz użytkowników którzy zarejestrowali się i wciąż czekają na zatwierdzenie. "],"Delete group":["Usuń grupę"],"Delete group":["Usuń grupę"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Aby usunąć grupę \"{group}\" potrzebujesz ustawić alternatywną grupę dla istniejących użytkowników: "],"Create new group":["Utwórz nową grupę"],"Edit group":["Edytuj grupę"],"Group name":["Nazwa grupy"],"Search for description":["Szukaj opisu"],"Search for group name":["Szukaj nazwy grupy "],"Manage groups":["Zarządzaj grupami"],"Create new group":["Utwórz nową grupę"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Możesz podzielić użytkowników do różnych grup (dla zespołów, wydziałów, itp.) i zdefiniować dla nich standardowe strefy i administratorów."],"Flush entries":["Wyczyść wpisy"],"Error logging":["Logi błędów"],"Displaying {count} entries per page.":["Pokazano {count} wpisów na stronę."],"Total {count} entries found.":["W sumie znaleziono {count} wpisów."],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Moduły rozszerzają funkcjonalność HumHuba. Tutaj możesz zainstalować i zarządzać modułami z HumHub Marketplace."],"Available updates":["Dostępne aktualizacje"],"Browse online":["Przeglądaj online"],"This module doesn't provide further informations.":["Ten moduł nie dostarcza dalszych informacji. "],"Modules directory":["Katalog modułów"],"Are you sure? *ALL* module data will be lost!":["Czy jesteś pewny? *WSZYSTKIE* dane modułu zostaną utracone!"],"Are you sure? *ALL* module related data and files will be lost!":["Czy jesteś pewny? *WSZYSTKIE* dane i pliki związane z modułem zostaną utracone!"],"Configure":["Konfiguruj"],"Disable":["Zablokuj"],"Enable":["Włącz"],"More info":["Więcej informacji"],"Set as default":["Ustaw jako domyślny"],"Uninstall":["Odinstaluj"],"Install":["Zainstaluj"],"Latest compatible version:":["Ostatnia kompatybilna wersja:"],"Latest version:":["Ostatnia wersja:"],"Installed version:":["Zainstalowana wersja:"],"Latest compatible Version:":["Ostatnia kompatybilna wersja:"],"Update":["Aktualizuj "],"%moduleName% - Set as default module":["%moduleName% - Ustaw jako moduł domyślny"],"Always activated":["Zawsze aktywny"],"Deactivated":["Wyłączony"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Tutaj możesz wybrać czy moduł powinien być automatycznie aktywowany w strefie lub profilu użytkownika. Jeżeli moduł powinien być aktywny, wybierz \"zawsze aktywny\"."],"Spaces":["Strefy","Strefy "],"User Profiles":["Profile użytkownika"],"Authentication - Basic":["Uwierzytelnianie - Podstawowe"],"Basic":["Podstawowe"],"Authentication - LDAP":["Uwierzytelnianie - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["TLS/SSL jest silnie faworyzowany w środowiskach produkcyjnych w celu zapobiegania przesyłaniu haseł jako czysty tekst."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Definiuje filtr do zatwierdzenia w czasie próby logowania. %uid zastępuje nazwę użytkownika w czasie akcji logowania. Przykład: "(sAMAccountName=%s)" lub "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["Atrybuty LDAP dla nazwy użytkownika. Przykład: "uid" lub "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Ogranicza dostęp do użytkowników spełniających te kryteria. Przykład: "(objectClass=posixAccount)" lub "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Status: Błąd! (Wiadomość: {message})"],"Status: OK! ({userCount} Users)":["Status: OK! ({userCount} użytkowników)"],"The default base DN used for searching for accounts.":["Domyślny bazowy DN używany do celów poszukiwania kont."],"The default credentials password (used only with username above).":["Domyślne hasło listy uwierzytelniającej (używane tylko z powyższą nazwą użytkownika)."],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["Domyślna nazwa użytkownika listy uwierzytelniającej. Niektóre serwery wymagają tego aby było w formularzu DN. Musi być dane w formularzu DN jeżeli serwer LDAP wymaga wiązania i wiązanie powinno być możliwe z prostymi nazwami użytkownika. "],"Cache Settings":["Ustawienia cache"],"Save & Flush Caches":["Zapisz i opróżnij cache"],"CronJob settings":["Ustawienia zadań cron"],"Crontab of user: {user}":["Crontab użytkownika: {user}"],"Last run (daily):":["Ostatnie wykonanie (dzienne):"],"Last run (hourly):":["Ostatnie wykonanie (godzinne):"],"Never":["Nigdy"],"Or Crontab of root user":["Lub Crontab użytkownika root"],"Please make sure following cronjobs are installed:":["Proszę upewnij się że następujące zadania cron są zainstalowane: "],"Design settings":["Ustawienia projektu"],"Alphabetical":["Alfabetycznie"],"Firstname Lastname (e.g. John Doe)":["Imię Nazwisko (np. Jan Kowalski)"],"Last visit":["Ostatnia wizyta"],"Username (e.g. john)":["Nazwa użytkownika (np. jan)"],"File settings":["Ustawienia plików"],"Comma separated list. Leave empty to allow all.":["Lista oddzielona przecinkami. Pozostaw pustą aby dopuścić wszystkie."],"Current Image Libary: {currentImageLibary}":["Obecna biblioteka graficzna: {currentImageLibary}"],"PHP reported a maximum of {maxUploadSize} MB":["PHP zgłasza maksimum {maxUploadSize} MB"],"Basic settings":["Ustawienia podstawowe"],"Dashboard":["Kokpit"],"E.g. http://example.com/humhub":["Np. http://przyklad.pl/humhub"],"New users will automatically added to these space(s).":["Nowi użytkownicy zostaną automatycznie dodani do tych stref."],"Mailing defaults":["Domyślny mailing"],"Activities":["Aktywności"],"Always":["Zawsze"],"Daily summary":["Dzienne podsumowanie"],"Defaults":["Domyślne"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Definiuje ustawienia domyślne kiedy użytkownik odbiera e-maile z powiadomieniami lub nowymi aktywnościami. To ustawienie może być nadpisane przez użytkowników w ustawieniach konta."],"Notifications":["Powiadomienia"],"Server Settings":["Ustawienia serwera"],"When I´m offline":["Kiedy jestem offline","Kiedy jestem offline "],"Mailing settings":["Ustawienia mailingu"],"SMTP Options":["Opcje SMTP"],"OEmbed Provider":["Dostawca OEmbed"],"Add new provider":["Dodaj nowego dostawcę"],"Currently active providers:":["Obecnie aktywni dostawcy:"],"Currently no provider active!":["Obecnie nie ma aktywnych dostawców!"],"Add OEmbed Provider":["Dodaj dostawcę OEmbed"],"Edit OEmbed Provider":["Edytuj dostawcę OEmbed"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Prefiks URL bez http:// lub https:// (np. youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Użyj zastępczego %url% dla URL. Formatem musi być JSON. (np. http://www.youtube.com/oembed?url=%url%&format=json)"],"Security settings and roles":["Ustawienia bezpieczeństwa i role"],"Self test":["Autotest"],"Checking HumHub software prerequisites.":["Sprawdzanie wstępnych wymagań oprogramowania HumHub."],"Re-Run tests":["Uruchom ponownie testy "],"Statistic settings":["Ustawienia statystyk"],"All":["Wszystkie","Wszyscy"],"Delete space":["Usuń strefę"],"Edit space":["Edytuj strefę"],"Search for space name":["Szukaj nazwy strefy"],"Search for space owner":["Szukaj właściciela strefy"],"Space name":["Nazwa strefy"],"Space owner":["Właściciel strefy"],"View space":["Pokaż strefę "],"Manage spaces":["Zarządzaj strefami"],"Define here default settings for new spaces.":["Zdefiniuj tutaj domyślne ustawienia dla nowych stref"],"In this overview you can find every space and manage it.":["W tym przeglądzie możesz znaleźć każdą strefę i zarządzać nią."],"Overview":["Przegląd"],"Settings":["Ustawienia"],"Space Settings":["Ustawienia strefy"],"Add user":["Dodaj użytkownika"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Czy jesteś pewny że chcesz usunąć tego użytkownika? Jeżeli ten użytkownik jest właścicielem stref ty staniesz się ich właścicielem."],"Delete user":["Usuń użytkownika"],"Delete user: {username}":["Usuń użytkownika: {username}"],"Edit user":["Edytuj użytkownika"],"Admin":["Administrator"],"Delete user account":["Usuń konto użytkownika"],"Edit user account":["Edytuj konto użytkownika"],"No":["Nie"],"View user profile":["Pokaż profil użytkownika"],"Yes":["Tak"],"Manage users":["Zarządzaj użytkownikami"],"Add new user":["Dodaj nowego użytkownika"],"In this overview you can find every registered user and manage him.":["W tym przeglądzie możesz znaleźć każdego zarejestrowanego użytkownika i zarządzać nim."],"Create new profile category":["Utwórz kategorię w profilu"],"Edit profile category":["Edytuj kategorię w profilu"],"Create new profile field":["Utwórz nowe pole w profilu"],"Edit profile field":["Edytuj nowe pole w profilu"],"Manage profiles fields":["Zarządzaj polami profilu"],"Add new category":["Dodaj nową kategorię"],"Add new field":["Dodaj nowe pole "],"Security & Roles":["Bezpieczeństwo i role"],"Administration menu":["Menu administracji"],"About":["O mnie"],"Authentication":["Uwierzytelnianie "],"Caching":["Cache"],"Cron jobs":["Zadania cron"],"Design":["Projekt"],"Files":["Pliki"],"Groups":["Grupy","Grupy "],"Logging":["Logi"],"Mailing":["Mailing"],"Modules":["Moduły"],"OEmbed Provider":["Dostawcy OEmbed"],"Self test & update":["Autotest i aktualizacje"],"Statistics":["Statystyki"],"User approval":["Zatwierdzenie użytkowników"],"User profiles":["Profile użytkowników"],"Users":["Użytkownicy "],"Click here to review":["Kliknij tutaj aby przejrzeć"],"New approval requests":["Nowe żądania zatwierdzenia"],"One or more user needs your approval as group admin.":["Jeden lub więcej użytkowników wymaga zatwierdzenia przez grupę administratorów. "],"Could not delete comment!":["Nie można usunąć komentarza! "],"Invalid target class given":["Nieprawidłowa klasa docelowa "],"Model & Id Parameter required!":["Wymagane parametry model i identyfikator! "],"Target not found!":["Nie znaleziono celu! "],"Access denied!":["Odmowa dostępu! ","Brak dostępu! "],"Insufficent permissions!":["Uprawnienia niedostateczne! "],"Comment":["komentarz ","Komentuj "],"%displayName% wrote a new comment ":["%displayName% napisał nowy komentarz "],"Comments":["Komentarze "],"Edit your comment...":["Edytuj swój komentarz... "],"%displayName% also commented your %contentTitle%.":["%displayName% także skomentował twój %contentTitle%. "],"%displayName% commented %contentTitle%.":["%displayName% skomentował %contentTitle% "],"Show all {total} comments.":["Pokaż {total} wszystkich komentarzy. "],"Post":["Post "],"Write a new comment...":["Napisz nowy komentarz... "],"Confirm comment deleting":["Potwierdź usunięcie komentarza "],"Do you really want to delete this comment?":["Czy naprawdę chcesz usunąć ten komentarz? "],"Edit":["Edytuj "],"Updated :timeago":["Zaktualizowano :timeago ","Zaktualizowano :timeago"],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["Została osiągnięta maksymalna liczba podpiętych załączników! \n\nMożesz na raz podpiąć tylko dwa załączniki.\nJednakże aby podpiąć ten załącznik, odepnij najpierw inny! "],"Could not load requested object!":["Nie można wczytać żądanego obiektu! "],"Unknown content class!":["Nieznana klasa zawartości! "],"Could not find requested content!":["Nie można znaleźć żądanej zawartości!"],"Could not find requested permalink!":["Nie można znaleźć żądanego linku! "],"{userName} created a new {contentTitle}.":["{userName} utworzył nowy {contentTitle}."],"in":["w"],"Submit":["Opublikuj "],"Move to archive":["Przenieś do archiwum"],"Unarchive":["Cofnij archiwizację ","Przywróć z archiwum"],"Public":["Publiczny"],"What's on your mind?":["Co ci chodzi po głowie? "],"Confirm post deleting":["Potwierdź usunięcie postu"],"Do you really want to delete this post? All likes and comments will be lost!":["Czy naprawdę chcesz usunąć ten post? Wszystkie polubienia i komentarze zostaną utracone! "],"Archived":["Zarchiwizowany"],"Sticked":["Przypięty "],"Turn off notifications":["Wyłącz powiadomienia"],"Turn on notifications":["Włącz powiadomienia "],"Permalink to this post":["Link do tego postu"],"Permalink":["Link "],"Stick":["Przypnij"],"Unstick":["Odepnij "],"Nobody wrote something yet.
Make the beginning and post something...":["Nikt jeszcze nic nie napisał.
Zrób początek i napisz coś..."],"This profile stream is still empty":["Ten strumień profilu jest wciąż pusty"],"This space is still empty!
Start by posting something here...":["Ta strefa jest wciąż pusta!
Zacznij pisząc tutaj coś..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Twój kokpit jest pusty!
Napisz coś na swoim profilu i dołącz do stref!"],"Your profile stream is still empty
Get started and post something...":["Twój strumień profilu jest wciąż pusty
Zacznij pisząc coś..."],"Nothing found which matches your current filter(s)!":["Nie znaleziono niczego pasującego do obecnego filtru(ów)!"],"Show all":["Pokaż wszystkie"],"Back to stream":["Powrót do strumienia"],"Content with attached files":["Zawartość z załączonymi plikami"],"Created by me":["Utworzone przez mnie","Utworzone przeze mnie "],"Creation time":["Czas utworzenia"],"Filter":["Filtr"],"Include archived posts":["Zawieraj zarchiwizowane posty"],"Last update":["Ostatnia aktualizacja"],"Only private posts":["Tylko prywatne posty"],"Only public posts":["Tylko publiczne posty"],"Posts only":["Tylko posty"],"Posts with links":["Posty z linkami"],"Sorting":["Sortowanie"],"Where I´m involved":["Gdzie jestem zaangażowany "],"Directory":["Książka adresowa "],"Member Group Directory":["Książka adresowa członków grup"],"show all members":["pokaż wszystkich członków "],"Directory menu":["Menu książki adresowej"],"Members":["Członkowie","Członkowie "],"User profile posts":["Posty użytkowników w profilach "],"Member directory":["Książka adresowa członka"],"Follow":["Obserwuj"],"No members found!":["Nie znaleziono członków!"],"Unfollow":["Nie obserwuj "],"search for members":["szukaj członków"],"Space directory":["Książka adresowa stref"],"No spaces found!":["Nie znaleziono stref! "],"You are a member of this space":["Jesteś członkiem tej strefy "],"search for spaces":["szukaj stref"],"Group stats":["Statystyki grupy"],"Average members":["Średnio członków"],"Top Group":["Maksimum grup"],"Total groups":["W sumie grup "],"Member stats":["Statystyki członków"],"New people":["Nowi ludzie"],"Follows somebody":["Obserwujący "],"Online right now":["Teraz online"],"Total users":["W sumie użytkowników "],"New spaces":["Nowych stref"],"Space stats":["Statystyki stref"],"Most members":["Najwięcej użytkowników"],"Private spaces":["Prywatne strefy"],"Total spaces":["W sumie stref "],"Could not find requested file!":["Nie można znaleźć żądanego pliku! "],"Insufficient permissions!":["Niedostateczne uprawnienia "],"Created By":["Utworzona przez"],"Created at":["Utworzone o","Utworzona o"],"File name":["Nazwa pliku "],"Guid":["Guid "],"ID":["Identyfikator"],"Invalid Mime-Type":["Nieprawidłowy typ mime "],"Maximum file size ({maxFileSize}) has been exceeded!":["Maksymalny rozmiar pliku {maxFileSize} został osiągnięty! "],"Mime Type":["Typ mime "],"Size":["Rozmiar "],"This file type is not allowed!":["Takie rozszerzenie pliku jest niedozwolone! "],"Updated at":["Zaktualizowane o ","Zaktualizowana o"],"Updated by":["Zaktualizowana przez"],"Could not upload File:":["Nie można wczytać pliku: "],"Upload files":["Wczytaj plik "],"List of already uploaded files:":["Lista już wczytanych plików: "],"Sign in":["Zaloguj się "],"Could not find target class!":["Nie można znaleźć docelowej klasy! "],"Could not find target record!":["Nie można znaleźć docelowego zapisu! "],"Invalid class given!":["Nieprawidłowa klasa! "],"Users who like this":["Użytkownicy którzy lubią to "],"{userDisplayName} likes {contentTitle}":["{userDisplayName} lubi {contentTitle} "],"%displayName% also likes the %contentTitle%.":["%displayName% lubi także %contentTitle% "],"%displayName% likes %contentTitle%.":["%displayName% lubi %contentTitle% "]," likes this.":["lubisz to. "],"You like this.":["Lubisz to. "],"You
":["Ty
"],"Like":["Lubię "],"Unlike":["Nie lubię "],"and {count} more like this.":["i {count} więcej lubi to. "],"Could not determine redirect url for this kind of source object!":["Nie można określić url przekierowania obiektu źródłowego! "],"Could not load notification source object to redirect to!":["Nie można wczytać obiektu źródłowego powiadomienia aby przekierować do niego! "],"New":["Nowe ","Nowa "],"Mark all as seen":["Oznacz wszystkie jako przeczytane "],"There are no notifications yet.":["Nie ma jeszcze powiadomień. "],"%displayName% created a new post.":["%displayName% utworzył nowy post. "],"Edit your post...":["Edytuj swój post... "],"Read full post...":["Przeczytaj cały post... "],"Send & decline":["Wyślij i odrzuć "],"Visible for all":["Widoczna dla wszystkich "]," Invite and request":["Zaproś i złóż podanie "],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Nie można usunąć użytkownika który jest właścicielem strefy! Nazwa strefy: {spaceName} "],"Everyone can enter":["Każdy może dołączyć "],"Invite and request":["Zaproś i złóż podanie "],"Only by invite":["Tylko przez zaproszenie "],"Private (Invisible)":["Prywatna (nie widoczna) "],"Public (Visible)":["Publiczna (widoczna) "],"Space is invisible!":["Strefa jest niewidoczna "],"As owner you cannot revoke your membership!":["Jako właściciel nie możesz odrzucić członkostwa! "],"Could not request membership!":["Nie możesz poprosić o członkostwo! "],"There is no pending invite!":["Nie ma oczekujących zaproszeń! "],"This action is only available for workspace members!":["Działanie dostępne tylko dla członków grupy roboczej! "],"You are not allowed to join this space!":["Nie masz zezwolenia na dołączenie do tej strefy! "],"Space title is already in use!":["Tytuł strefy jest już w użyciu!"],"Type":["Typ ","Rodzaj"],"Your password":["Twoje hasło","Twoje hasło "],"Invites":["Zaproszenia"],"New user by e-mail (comma separated)":["Nowi użytkownicy przez e-mail (oddzielone przecinkiem)"],"User is already member!":["Użytkownik jest już członkiem! "],"{email} is already registered!":["{email} jest już zarejestrowany! "],"{email} is not valid!":["{email} nie jest prawidłowy! "],"Application message":["Wiadomość o podanie"],"Scope":["Zasięg"],"Strength":["Siła "],"Created At":["Utworzona o"],"Join Policy":["Polityka dołączania"],"Owner":["Właściciel"],"Status":["Status"],"Tags":["Tagi","Tagi "],"Updated At":["Zaktualizowana o "],"Visibility":["Widzialność","Widzialna"],"Website URL (optional)":["URL strony internetowej (opcjonalny)"],"You cannot create private visible spaces!":["Nie możesz tworzyć prywatnych i widzialnych stref!"],"You cannot create public visible spaces!":["Nie możesz tworzyć publicznych i widzialnych stref! "],"Select the area of your image you want to save as user avatar and click Save.":["Zaznacz obszar twojego obrazka który chcesz zapisać jako awatar użytkownika i kliknij Zapisz."],"Modify space image":["Modyfikuj obrazek strefy"],"Delete space":["Usuń strefę"],"Are you sure, that you want to delete this space? All published content will be removed!":["Czy jesteś pewien, że chcesz usunąć tę strefę? Cała opublikowana zawartość zostanie usunięta! "],"Please provide your password to continue!":["Proszę wprowadź swoje hasło aby kontynuować! "],"General space settings":["Ustawienia ogólne strefy"],"Archive":["Archiwizuj"],"Choose the kind of membership you want to provide for this workspace.":["Wybierz rodzaj członkostwa który chcesz zapewnić tej grupie roboczej."],"Choose the security level for this workspace to define the visibleness.":["Wybierz poziom bezpieczeństwa dla tej grupy roboczej aby zdefiniować widoczność. "],"Manage your space members":["Zarządzaj użytkownikami strefy"],"Outstanding sent invitations":["Oczekujące wysłane zaproszenia"],"Outstanding user requests":["Oczekujące podania użytkowników "],"Remove member":["Usuń członka"],"Allow this user to
invite other users":["Pozwól temu użytkownikowi
zapraszać innych użytkowników"],"Allow this user to
make content public":["Pozwól temu użytkownikowi
upubliczniać zawartość"],"Are you sure, that you want to remove this member from this space?":["Czy jesteś pewny, że chcesz usunąć tego użytkownika ze strefy?"],"Can invite":["Może zapraszać"],"Can share":["Może udostępniać"],"Change space owner":["Zmień właściciela strefy"],"External users who invited by email, will be not listed here.":["Zewnętrzni użytkownicy którzy zostali zaproszeni mailowo, nie są tutaj wymienieni."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["W obszarze poniżej, możesz zobaczyć wszystkich aktywnych użytkowników tej strefy. Możesz edytować ich uprawnienia i usuwać ich z tej strefy."],"Is admin":["Jest administratorem"],"Make this user an admin":["Przyznaj administratora temu użytkownikowi"],"No, cancel":["Nie, anuluj"],"Remove":["Usuń"],"Request message":["Wiadomość o podanie "],"Revoke invitation":["Odwołaj zaproszenie"],"Search members":["Szukaj członków"],"The following users waiting for an approval to enter this space. Please take some action now.":["Następujący użytkownicy oczekują na zatwierdzenie możliwości dołączenia do strefy. Proszę zajmij stanowisko w tej sprawie."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Następujący użytkownicy zostali dotychczas zaproszeni do tej strefy, ale nie obserwowali aż do teraz zaproszenia."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Właścicielem strefy jest super administrator z wszystkimi uprawnieniami i zwykle jest twórcą tej strefy. Tutaj możesz przyznać tę rolę innemu użytkownikowi."],"Yes, remove":["Tak, usuń "],"Space Modules":["Moduły strefy"],"Are you sure? *ALL* module data for this space will be deleted!":["Czy jesteś pewien? *WSZYSTKIE* dane modułu tej strefy zostaną usunięte! "],"Currently there are no modules available for this space!":["Obecnie nie ma modułów dostępnych dla tej strefy! "],"Enhance this space with modules.":["Rozszerz możliwości tej strefy za pomocą modułów "],"Create new space":["Utwórz nową strefę"],"Advanced access settings":["Zaawansowanie ustawienia dostępu"],"Also non-members can see this
space, but have no access":["Także nie członkowie tej strefy
mogą ją zobaczyć, ale bez dostępu"],"Create":["Utwórz "],"Every user can enter your space
without your approval":["Każdy użytkownik może dołączyć do twojej strefy
bez twojej zgody"],"For everyone":["Dla wszystkich"],"How you want to name your space?":["Jak zamierzasz nazwać swoją strefę?"],"Please write down a small description for other users.":["Proszę napisz poniżej krótki opis dla innych użytkowników."],"This space will be hidden
for all non-members":["Ta strefa będzie ukryta
dla nie członków"],"Users can also apply for a
membership to this space":["Użytkownicy mogą aplikować o
członkostwo w tej strefie"],"Users can be only added
by invitation":["Użytkownicy mogą być dodawani
tylko przez zaproszenie"],"space description":["opis strefy"],"space name":["nazwa strefy"],"{userName} requests membership for the space {spaceName}":["{userName} złożył podanie o członkostwo w strefie {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} zaakceptował twoje członkostwo w strefie {spaceName}"],"{userName} declined your membership request for the space {spaceName}":["{userName} odrzucił twoje podanie o członkostwo w strefie {spaceName}"],"{userName} invited you to the space {spaceName}":["{userName} zaprosił cię do strefy {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} zaakceptował twoje zaproszenie do strefy {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} odrzucił twoje zaproszenie do strefy {spaceName}"],"Accept Invite":["Zaakceptuj zaproszenie"],"Become member":["Zostań członkiem"],"Cancel membership":["Anuluj członkostwo"],"Cancel pending membership application":["Anuluj oczekujące podania o członkostwo"],"Deny Invite":["Zablokuj zaproszenie"],"Request membership":["Złóż podanie o członkostwo"],"You are the owner of this workspace.":["Jesteś właścicielem tej grupy roboczej."],"created by":["utworzone przez "],"Invite members":["Zaproś członków"],"Add an user":["Dodaj użytkownika"],"Email addresses":["Adres e-mail"],"Invite by email":["Zaproś przez e-mail"],"Pick users":["Wybierz użytkowników"],"Send":["Wyślij ","Wyślij"],"To invite users to this space, please type their names below to find and pick them.":["Aby zaprosić użytkowników do tej strefy, proszę podaj ich imiona poniżej aby ich znaleźć i wybrać."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Możesz także zapraszać zewnętrznych użytkowników, którzy nie są obecnie zarejestrowani. Po prostu dodaj ich adresy e-mail oddzielone przecinkiem. "],"Request space membership":["Złóż podanie o członkostwo w strefie"],"Please shortly introduce yourself, to become an approved member of this space.":["Proszę krótko się przedstaw, aby zostać zatwierdzonym członkiem tej strefy."],"Your request was successfully submitted to the space administrators.":["Twoje podanie z powodzeniem zostało dodane i przesłane administratorom strefy."],"Ok":["Ok"],"Back to workspace":["Powróć do grupy roboczej"],"Space preferences":["Ustawienia stref"],"General":["Ogólne"],"My Space List":["Lista moich stref"],"My space summary":["Podsumowanie moich stref"],"Space directory":["Katalog stref"],"Space menu":["Menu stref"],"Stream":["Strumień ","Strumień"],"Change image":["Zamień obrazek"],"Current space image":["Obecny obrazek strefy "],"Invite":["Zaproś"],"Something went wrong":["Coś poszło źle"],"Followers":["Obserwujący"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Proszę krótko się przedstaw, aby zostać zatwierdzonym członkiem tej grupy roboczej."],"Request workspace membership":["Złóż podanie o członkostwo"],"Your request was successfully submitted to the workspace administrators.":["Twoje podanie z powodzeniem zostało dodane i przesłane administratorom strefy."],"Create new space":["Utwórz nową strefę"],"My spaces":["Moje strefy"],"Space info":["Informacja o strefie"],"Accept invite":["Zaakceptuj zaproszenie"],"Deny invite":["Zablokuj zaproszenie"],"Leave space":["Opuść strefę"],"New member request":["Nowe podanie o członkostwo"],"Space members":["Członkowie strefy","Członkowie stref"],"End guide":["Zakończ przewodnik"],"Next »":["Następne »"],"« Prev":["« Poprzednie "],"Administration":["Administracja"],"Hurray! That's all for now.":["Hura! To wszystko na teraz."],"Modules":["Moduły"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Jako administrator, możesz zarządzać całą platformą z tego miejsca.

Inaczej niż w modułach, nie będziemy tutaj przechodzić z punktu do punktu, jako że każdy ma swój własny krótki opis gdzie indziej."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Jesteś właśnie w menu narzędzi. Stąd możesz mieć dostęp do marketu HumHub dostępnego online, gdzie możesz instalować w locie rosnącą liczbę narzędzi.

Jak już wspomnieliśmy, narzędzia zwiększają liczbę cech dostępnych w twojej strefie."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Nauczyłeś się już wszystkich najważniejszych cech i ustawień, wszystko jest już ustawione w celu używania platformy.

Mamy nadzieję że ty i wszyscy przyszli użytkownicy będą cieszyli się z użytkowania strony. Patrzymy naprzód na każdą sugestię i wsparcie którą możesz zaoferować naszemu projektowi. Możesz skontaktować się z nami przez www.humhub.org.

Pozostań z nami. :-)"],"Dashboard":["Kokpit"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["To jest twój kokpit.

Każda nowa aktywność lub post który może ciebie interesować pojawi się tutaj. "],"Administration (Modules)":["Administracja (moduły)"],"Edit account":["Edytuj konto"],"Hurray! The End.":["Hura! Koniec."],"Hurray! You're done!":["Hura Zakończyłeś!"],"Profile menu":["Menu profil","Menu profilu"],"Profile photo":["Zdjęcie profilowe"],"Profile stream":["Strumień profilu"],"User profile":["Profil użytkownika"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Kliknij na ten przycisk aby zaktualizować ustawienia profilu i konta. Możesz także dodać więcej informacji do swojego profilu."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Każdy profil ma swoją tablicę. Twoje posty będą pojawiały się także u użytkowników którzy obserwują cię."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Po prostu polub w strefie, profil użytkownika może być spersonalizowany z użyciem różnych modułów.

Możesz zobaczyć które moduły są dostępne dla twojego profilu zaglądając w \"Moduły\" w menu ustawieniach konta."],"This is your public user profile, which can be seen by any registered user.":["To jest twój publiczny profil użytkownika, który może być oglądany przez zarejestrowanych użytkowników. "],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Wczytaj nową fotografię profilową, przez proste kliknięcie tutaj lub przez przeciągnięcie. Zrób to samo podczas aktualizacji fotografii okładki."],"You've completed the user profile guide!":["Zakończyłeś przewodnik po profilu użytkownika! "],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Zakończyłeś przewodnik po profilu użytkownika!

Aby zapoznać się z przewodnikiem administratora, kliknij tutaj:

"],"Most recent activities":["Najnowsze aktywności"],"Posts":["Posty"],"Profile Guide":["Przewodnik po profilu"],"Space":["Strefy"],"Space navigation menu":["Menu nawigacji stref"],"Writing posts":["Pisanie postów"],"Yay! You're done.":["Super! Zakończyłeś."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Wszyscy użytkownicy będący członkami strefy tutaj są wyświetlani.

Nowi członkowie mogą zostać dodani przez każdego kto ma przyznane uprawnienia przez administratora."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Daje innym użytkownikom krótki pomysł na to o czym jest ta strefa. Możesz tutaj dodać podstawowe informacje.

Administrator strefy może wstawić i zmienić fotografię okładki strefy przez kliknięcie na nim lub przeciągnięcie."],"New posts can be written and posted here.":["Nowe posty są tutaj pisane i publikowane."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Kiedy już dołączysz i utworzysz nową strefę możesz pracować nad projektami, dyskutować nad tematami lub tylko dzielić się informacjami z innymi użytkownikami.

Są dostępne różne narzędzie do spersonalizowania strefy, w ten sposób uczynisz pracę bardziej produktywną. "],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["To wszystko w przewodniku po strefach.

Aby zapoznać się z przewodnikiem profilu użytkownika, kliknij tutaj:"],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Jesteś tutaj gdzie możesz nawigować po strefie - gdzie możesz znaleźć czy moduły są aktywne lub dostępne dla jednostkowej strefy. Mogą to być na przykład głosowania, zadania lub notatki.

Tylko administrator strefy może zarządzać modułami strefy."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["To menu jest widoczne tylko dla administratorów strefy. Tutaj możesz zarządzać ustawieniami strefy, dodawać/blokować członków i aktywować/wyłączać narzędzia dla tej strefy."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Aby być na bieżąco aktywności innych użytkowników tej strefy są tutaj wyświetlane."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Posty twoje i innych użytkowników będą się tutaj pojawiały.

Mogą być polubione lub skomentowane. "],"Account Menu":["Menu konta"],"Notifications":["Powiadomienia"],"Space Menu":["Menu stref"],"Start space guide":["Przewodnik strefy początkowej"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Nie trać tropu!

Ta ikona pozwoli ci być informowanym o aktywnościach i postach które bezpośrednio ciebie dotyczą."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Menu konta daje ci dostęp do twoich ustawień prywatnych i pozwala ci zarządzać twoim profilem publicznym."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Najważniejsze menu i prawdopodobnie najczęściej używane!

Daje dostęp do wszystkich stref do których dołączyłeś i możesz w nim tworzyć nowe strefy.

Następny przewodnik pokaże ci jak: "]," Remove panel":["Usuń panel"],"Getting Started":["Rozpocznij"],"Guide: Administration (Modules)":["Przewodnik: Administracja (Moduły)"],"Guide: Overview":["Przewodnik: Przegląd"],"Guide: Spaces":["Przewodnik: Strefy"],"Guide: User profile":["Przewodnik: Profil użytkownika"],"Get to know your way around the site's most important features with the following guides:":["Bądź poinformowany na temat najważniejszych cech za sprawą następujących przewodników: "],"Your password is incorrect!":["Twoje hasło jest nieprawidłowe! "],"You cannot change your password here.":["Nie można tutaj zmienić twojego hasła. "],"Invalid link! Please make sure that you entered the entire url.":["Nieprawidłowy link! Proszę upewnij się czy wprowadziłeś cały adres URL."],"Save profile":["Zapisz profil"],"The entered e-mail address is already in use by another user.":["Wprowadzony adres e-mail jest już w użyciu przez innego użytkownika. "],"You cannot change your e-mail address here.":["Nie można tutaj zmienić twojego adresu e-mail."],"Account":["Konto"],"Create account":["Utwórz konto"],"Current password":["Obecne hasło"],"E-Mail change":["Zmień e-mail"],"New E-Mail address":["Nowy adres e-mail"],"Send activities?":["Wysyłać aktywności?"],"Send notifications?":["Wysyłać powiadomienia? "],"Incorrect username/email or password.":["Nieprawidłowa nazwa użytkownika/e-mail lub hasło."],"New password":["Nowe hasło"],"New password confirm":["Potwierdź nowe hasło"],"Remember me next time":["Zapamiętaj mnie następnym razem"],"Your account has not been activated by our staff yet.":["Twoje konto jeszcze nie zostało aktywowane przez obsługę. "],"Your account is suspended.":["Twoje konto jest zawieszone. "],"Password recovery is not possible on your account type!":["Odzyskiwanie hasła nie jest możliwe przy twoim typie konta! "],"E-Mail":["E-mail"],"Password Recovery":["Odzyskiwanie hasła"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" nie zostało znalezione! "],"Invalid language!":["Nieprawidłowy język! "],"Hide panel on dashboard":["Ukryj panel w kokpicie"],"Default Space":["Domyślna strefa"],"Group Administrators":["Administratorzy grup"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Członkowie mogą tworzyć prywatne strefy"],"Members can create public spaces":["Członkowie mogą tworzyć publiczne strefy"],"Birthday":["Dzień urodzenia"],"City":["Miasto"],"Country":["Państwo"],"Custom":["Niestandardowa"],"Facebook URL":["URL Facebooka"],"Fax":["Faks"],"Female":["Kobieta"],"Firstname":["Imię"],"Flickr URL":["URL Flickr"],"Gender":["Płeć"],"Google+ URL":["URL Google+"],"Hide year in profile":["Ukryj rok w profilu"],"Lastname":["Nazwisko"],"LinkedIn URL":["URL LinkedIn"],"MSN":["MSN"],"Male":["Mężczyzna"],"Mobile":["Telefon komórkowy"],"MySpace URL":["URL MySpace"],"Phone Private":["Telefon prywatny"],"Phone Work":["Telefon do pracy"],"Skype Nickname":["Nick Skype"],"State":["Województwo "],"Street":["Ulica"],"Twitter URL":["URL Twittera"],"Url":["Url"],"Vimeo URL":["URL Vimeo"],"XMPP Jabber Address":["Adres XMPP Jabber"],"Xing URL":["URL Xing"],"Youtube URL":["URL YouTube"],"Zip":["Kod pocztowy "],"Created by":["Utworzone przez","Utworzona przez"],"Editable":["Możliwe do edycji"],"Field Type could not be changed!":["Typ pola nie może być zmieniany! "],"Fieldtype":["Typ pola"],"Internal Name":["Wewnętrzna nazwa"],"Internal name already in use!":["Wewnętrzna nazwa jest już w użyciu! "],"Internal name could not be changed!":["Wewnętrzna nazwa nie może być zmieniana! "],"Invalid field type!":["Nieprawidłowy typ pola! "],"LDAP Attribute":["Atrybut LDAP"],"Module":["Moduł"],"Only alphanumeric characters allowed!":["Dozwolone są tylko znaki alfanumeryczne! "],"Profile Field Category":["Kategorie pola profilu"],"Required":["Wymagane"],"Show at registration":["Pokaż w czasie rejestracji"],"Sort order":["Kolejność sortowania"],"Translation Category ID":["Identyfikator kategorii tłumaczenia"],"Type Config":["Konfiguracja typu"],"Visible":["Widzialne "],"Communication":["Komunikacja"],"Social bookmarks":["Zakładki społecznościowe"],"Datetime":["Data"],"Number":["Numer"],"Select List":["Lista wyboru"],"Text":["Tekst"],"Text Area":["Obszar tekstowy"],"%y Years":["%y lat"],"Birthday field options":["Ustawienia pola daty urodzenia "],"Date(-time) field options":["Ustawienia pola daty(-czasu)"],"Number field options":["Ustawienia pola numeru "],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Jeden na linię. Format Klucz=>Wartość (np. tak=>Tak)"],"Please select:":["Proszę wybierz: "],"Select field options":["Opcje pola wyboru "],"Text Field Options":["Opcje pola tekstowego "],"Text area field options":["Opcje pola obszaru tekstu "],"Authentication mode":["Tryb uwierzytelniania "],"New user needs approval":["Nowi użytkownicy wymagają zatwierdzenia"],"Wall":["Tablica "],"Change E-mail":["Zmień e-mail"],"Your e-mail address has been successfully changed to {email}.":["Twój adres e-mail został z powodzeniem zmieniony na {email}."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Właśnie wysłaliśmy e-mail z potwierdzeniem na twój nowy adres.
Proszę podążaj za instrukcjami które zawiera. "],"Change password":["Zmień hasło"],"Password changed":["Zamień hasło"],"Your password has been successfully changed!":["Twoje hasła zostało z powodzeniem zmienione! ","Twoje hasło z powodzeniem zostało zmienione!"],"Modify your profile image":["Modyfikuj swój obrazek profilowy"],"Delete account":["Usuń konto"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Czy jesteś pewny, że chcesz usunąć swoje konto?
Cała opublikowana treść zostanie usunięta! "],"Delete account":["Usuń konto"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Przepraszamy, jesteś właścicielem grupy roboczej i nie można usunąć twojego konta!
Proszę przydziel innego właściciela lub usuń ją. "],"User details":["Szczegóły użytkownika "],"User modules":["Moduły użytkownika"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Czy jesteś pewny? *WSZYSTKIE* dane modułu na twoim profilu zostaną usunięte! "],"Enhance your profile with modules.":["Rozszerz możliwości swojego profilu przy pomocy modułów. "],"User settings":["Ustawienia użytkownika"],"Getting Started":["Rozpocznij"],"Email Notifications":["Powiadomienia e-mailem"],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Otrzymuj e-maila za każdym razem kiedy inni użytkownicy obserwują się lub pracują
razem w grupach roboczych."],"Get an email, when other users comment or like your posts.":["Otrzymuj e-maila, kiedy użytkownicy komentują lub lubią twoje posty."],"Account registration":["Rejestracja konta "],"Your account has been successfully created!":["Twoje konto zostało z powodzeniem utworzone! "],"After activating your account by the administrator, you will receive a notification by email.":["Po aktywacji twojego konta przez administratora, otrzymasz powiadomienie na skrzynkę e-mail."],"Go to login page":["Przejdź do strony logowania"],"To log in with your new account, click the button below.":["Aby zalogować się na twoje nowe konto, kliknij poniższy przycisk. "],"back to home":["powróć do strony domowej "],"Please sign in":["Proszę zaloguj się "],"Sign up":["Zarejestruj się"],"Create a new one.":["Stwórz nowe. "],"Don't have an account? Join the network by entering your e-mail address.":["Czy nie masz konta? Dołącz do sieci poprzez wprowadzenie Twojego adresu e-mail. "],"Forgot your password?":["Zapomniałeś swojego hasła? "],"If you're already a member, please login with your username/email and password.":["Jeżeli już jesteś członkiem, proszę zaloguj się używając swojej nazwy użytkownika/e-maila i hasła. "],"Register":["Zarejestruj się "],"email":["e-mail "],"password":["hasło "],"username or email":["nazwa użytkownika lub e-mail "],"Password recovery":["Odzyskiwanie hasła"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Wprowadź swój adres e-mail. Wyślemy do ciebie instrukcje odzyskiwania hasła."],"Reset password":["Resetuj hasło"],"enter security code above":["wprowadź powyższy kod bezpieczeństwa "],"your email":["twój e-mail "],"We’ve sent you an email containing a link that will allow you to reset your password.":["Wysłaliśmy do ciebie e-mail zawierający link który pozwala zresetować twoje hasło. "],"Password recovery!":["Odzyskiwanie hasła!"],"Registration successful!":["Rejestracja przebiegła pomyślnie! "],"Please check your email and follow the instructions!":["Proszę sprawdź twój e-mail i podążaj za instrukcjami! "],"Password reset":["Reset hasła"],"Change your password":["Zmień swoje hasło"],"Change password":["Zmień hasło"],"Password changed!":["Hasło zmienione!"],"Confirm
your new email address":["Potwierdź
twój nowy adres e-mail"],"Confirm":["Potwierdź"],"Hello":["Cześć"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Wysłałeś prośbę o zmianę twojego adresu e-mail.
Twoim nowym adresem e-mail jest {newemail}.

Aby potwierdzić nowy adres e-mail proszę kliknij poniższy przycisk. "],"Hello {displayName}":["Cześć {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Ten link wygaśnie jeżeli nie użyjesz go w ciągu 24 godzin."],"Please use the following link within the next day to reset your password.":["Proszę użyj podanego linku w czasie doby aby zresetować swoje hasło."],"Reset Password":["Resetuj hasło"],"Sign up":["Zarejestruj się "],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Witaj w %appName%. Proszę kliknij poniższy przycisk aby rozpocząć proces rejestracji. "],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Sieć społecznościowa zwiększy twoją komunikację i pracę zespołową.
Zarejestruj się teraz aby dołączyć do tej strefy."],"You got a space invite":["Otrzymałeś zaproszenie do strefy"],"invited you to the space:":["zaprosił cię do strefy: "],"{userName} mentioned you in {contentTitle}.":["{userName} wspomniał o tobie w {contentTitle}."],"About this user":["O tym użytkowniku "],"Modify your title image":["Modyfikuj swój obrazek tytułowy"],"Account settings":["Ustawienia konta"],"Profile":["Profil"],"Edit account":["Edytuj konto"],"Following":["Obserwowani"],"Following user":["Obserwujący użytkownika"],"User followers":["Obserwowani przez użytkownika "],"Member in these spaces":["Członkowie w tych strefach "],"User tags":["Tagi użytkownika "],"No birthday.":["Nie ma urodzin."],"Back to modules":["Powrót do modułów"],"Birthday Module Configuration":["Konfiguracja modułu Birthday"],"The number of days future bithdays will be shown within.":["Liczba dni naprzód kiedy dzień urodzin będzie się wyświetlał. "],"Tomorrow":["Jutro"],"Upcoming":["Nadchodzące "],"You may configure the number of days within the upcoming birthdays are shown.":["Możesz skonfigurować liczbę dni kiedy będą pokazywane nadchodzące urodziny."],"becomes":["będzie miał"],"birthdays":["urodziny"],"days":["dni"],"today":["dzisiaj"],"years old.":["lat."],"Active":["Aktywuj"],"Mark as unseen for all users":["Oznacz jako nieprzeczytaną dla wszystkich użytkowników."],"Breaking News Configuration":["Konfiguracja Breaking News"],"Note: You can use markdown syntax.":["Przypis: Możesz użyć składni markdown."],"End Date and Time":["Data i czas zakończenia"],"Recur":["Powtarza się"],"Recur End":["Zakończenie powtarzania się "],"Recur Interval":["Przedział powtarzania się "],"Recur Type":["Typ powtarzania się "],"Select participants":["Wybierz uczestników"],"Start Date and Time":["Data i czas początku"],"You don't have permission to access this event!":["Nie masz uprawnień aby mieć dostęp do tego wydarzenia! "],"You don't have permission to create events!":["Nie masz uprawnień aby tworzyć wydarzenia! "],"Adds an calendar for private or public events to your profile and mainmenu.":["Dodaje kalendarz dla wydarzeń prywatnych lub publicznych do twojego profilu i głównego menu."],"Adds an event calendar to this space.":["Dodaje kalendarz wydarzeń do tej strefy."],"All Day":["Wszystkie dni"],"Attending users":["Użytkownicy biorący udział"],"Calendar":["Kalendarz "],"Declining users":["Użytkownicy nie biorący udziału"],"End Date":["Data zakończenia"],"End time must be after start time!":["Data zakończenia musi być po dacie początku! "],"Event":["Wydarzenie"],"Event not found!":["Nie znaleziono wydarzenia! "],"Maybe attending users":["Możliwi użytkownicy biorący udział"],"Participation Mode":["Tryb uczestnictwa"],"Start Date":["Data początku"],"You don't have permission to delete this event!":["Nie masz uprawnień aby usunąć to wydarzenie!"],"You don't have permission to edit this event!":["Nie masz uprawnień aby edytować to wydarzenie! "],"%displayName% created a new %contentTitle%.":["%displayName% utworzył nowe %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% chce wziąć udział w %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% może chce wziąć udział w %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% nie chce wziąć udziału w %contentTitle%."],"Start Date/Time":["Data/czas początku"],"Create event":["Utwórz wydarzenie"],"Edit event":["Edytuj wydarzenie"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Zauważ: To wydarzenie zostanie utworzone na twoim profilu. Aby utworzyć wydarzenie dla strefy otwórz kalendarz w wybranej strefie."],"End Date/Time":["Data/czas zakończenia"],"Everybody can participate":["Każdy może wziąć udział"],"No participants":["Brak biorących udział"],"Participants":["Biorący udział"],"Created by:":["Utworzone przez:"],"Edit this event":["Edytuj to wydarzenie "],"I´m attending":["Biorę udział"],"I´m maybe attending":["Może biorę udział"],"I´m not attending":["Nie biorę udziału"],"Attend":["Biorący udział"],"Maybe":["Może"],"Filter events":["Filtruj wydarzenia"],"Select calendars":["Wybierz kalendarze"],"Already responded":["Już odpowiedzieli"],"Followed spaces":["Obserwowane strefy"],"Followed users":["Obserwowani użytkownicy"],"My events":["Moje wydarzenia"],"Not responded yet":["Nie odpowiedzieli jeszcze "],"Upcoming events ":["Nadchodzące wydarzenia"],":count attending":[":count biorący udział"],":count declined":[":count nie biorący udziału"],":count maybe":[":count może biorący udział"],"Participants:":["Uczestnicy: "],"Create new Page":["Dodaj stronę"],"Custom Pages":["Własne strony"],"HTML":["HTML"],"IFrame":["IFrame"],"Link":["Odnośnik","Link"],"MarkDown":["Znaczniki MarkDown"],"Navigation":["Nawigacja"],"No custom pages created yet!":["Nie stworzono jeszcze własnych stron!"],"Sort Order":["Sortuj"],"Top Navigation":["Górna nawigacja"],"User Account Menu (Settings)":["Konto użytkownika (Ustawienia)"],"The item order was successfully changed.":["Z powodzeniem zmieniono kolejność elementów. "],"Toggle view mode":["Tryb widoku przełącznika "],"You miss the rights to reorder categories.!":["Utraciłeś prawa do zmiany kolejności kategorii! "],"Confirm category deleting":["Potwierdź usunięcie kategorii"],"Confirm link deleting":["Potwierdź usunięcie linku"],"Delete category":["Usuń kategorię "],"Delete link":["Usuń link"],"Do you really want to delete this category? All connected links will be lost!":["Czy naprawdę chcesz usunąć tę kategorię? Wszystkie powiązane linki zostaną usunięte. "],"Do you really want to delete this link?":["Czy naprawdę chcesz usunąć ten link?"],"Extend link validation by a connection test.":["Rozszerz walidację linku przez test połączenia. "],"Linklist":["Lista linków"],"Linklist Module Configuration":["Konfiguracja modułu Linklist"],"Requested category could not be found.":["Nie można znaleźć żądanej kategorii. "],"Requested link could not be found.":["Nie można znaleźć żądanego linku. "],"Show the links as a widget on the right.":["Po prawej stronie pokaż linki jako widget. "],"The category you want to create your link in could not be found!":["Nie można znaleźć kategorii do której chcesz utworzyć link! "],"There have been no links or categories added to this space yet.":["Do tej strefy nie ma jeszcze dodanych linków lub kategorii."],"You can enable the extended validation of links for a space or user.":["Możesz włączyć rozszerzoną walidację linków dla strefy lub użytkownika. "],"You miss the rights to add/edit links!":["Utraciłeś prawa do dodania lub edycji linków! "],"You miss the rights to delete this category!":["Utraciłeś prawa do usunięcia tej kategorii! "],"You miss the rights to delete this link!":["Utraciłeś prawa do usunięcia tego linku! "],"You miss the rights to edit this category!":["Utraciłeś prawa do edycji tej kategorii! "],"You miss the rights to edit this link!":["Utraciłeś prawa do edycji tego linku! "],"Messages":["Wiadomości "],"You could not send an email to yourself!":["Nie można wysłać e-maila do samego siebie! "],"Recipient":["Odbiorca "],"New message from {senderName}":["Nowa wiadomość od {senderName} "],"and {counter} other users":["i {counter} innych użytkowników "],"New message in discussion from %displayName%":["Nowa wiadomość w dyskusji od %displayName% "],"New message":["Nowa wiadomość "],"Reply now":["Odpowiedz teraz "],"sent you a new message:":["wysłał(a) do ciebie nową wiadomość: "],"sent you a new message in":["wysłał(a) do ciebie nową wiadomość w "],"Add more participants to your conversation...":["Dodaj więcej odbiorców do twojej konwersacji "],"Add user...":["Dodaj użytkownika... "],"New message":["Nowa wiadomość "],"Messagebox":["Skrzynka wiadomości "],"Inbox":["Skrzynka odbiorcza "],"There are no messages yet.":["Nie ma jeszcze wiadomości. "],"Write new message":["Napisz nową wiadomość "],"Add user":["Dodaj użytkownika "],"Leave discussion":["Opuść dyskusję "],"Write an answer...":["Napisz odpowiedź... "],"User Posts":["Posty użytkownika "],"Sign up now":["Zarejestruj się teraz "],"Show all messages":["Pokaż wszystkie wiadomości "],"Notes":["Notatki "],"Etherpad API Key":["Klucz API Etherpad"],"URL to Etherpad":["URL do Etherpad"],"Could not get note content!":["Nie można wczytać zawartości notatki! "],"Could not get note users!":["Nie można wczytać użytkowników notatki! "],"Note":["Notatka "],"{userName} created a new note {noteName}.":["{userName} utworzył nową notatkę {noteName}."],"{userName} has worked on the note {noteName}.":["{userName} pracował nad notatką {noteName}."],"API Connection successful!":["Z powodzeniem połączono z API!"],"Could not connect to API!":["Nie można połączyć się z API!"],"Current Status:":["Obecny status: "],"Notes Module Configuration":["Konfiguracja modułu notatek"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Proszę przeczytaj dokumentację modułu pod adresem /protected/modules/notes/docs/install.txt aby uzyskać więcej szczegółów!"],"Save & Test":["Zapisz i testuj"],"The notes module needs a etherpad server up and running!":["Moduł notatek wymaga pracującego serwera etherpad! "],"Save and close":["Zapisz i zamknij"],"{userName} created a new note and assigned you.":["{userName} utworzył nową notatkę i przydzielił ciebie. "],"{userName} has worked on the note {spaceName}.":["{userName} pracował nad notatką {spaceName}."],"Open note":["Otwórz notatkę "],"Title of your new note":["Tytuł nowej notatki "],"No notes found which matches your current filter(s)!":["Nie znaleziono notatek pasujących do obecnego filtru(-ów)!"],"There are no notes yet!":["Nie ma jeszcze notatek! "],"Polls":["Głosowania "],"Could not load poll!":["Nie można wczytać głosowania! "],"Invalid answer!":["Nieprawidłowa odpowiedź! "],"Users voted for: {answer}":["Użytkownicy głosowali na: {answer}"],"Voting for multiple answers is disabled!":["Głosowanie na wielokrotne odpowiedzi jest zabronione! "],"You have insufficient permissions to perform that operation!":["Masz niewystarczające uprawnienia aby przeprowadzić tę operację! "],"Answers":["Odpowiedzi"],"Multiple answers per user":["Wielokrotne odpowiedzi na użytkownika"],"Please specify at least {min} answers!":["Proszę określ przynajmniej {min} odpowiedzi! "],"Question":["Pytanie "],"{userName} voted the {question}.":["{userName} zagłosował {question}."],"{userName} created a new {question}.":["{userName} utworzył nowe {question}."],"User who vote this":["Użytkownicy którzy głosowali na to "],"{userName} created a new poll and assigned you.":["{userName} utworzył nowe głosowanie i przydzielił ciebie. "],"Ask":["Zapytaj"],"Reset my vote":["Resetuj mój głos"],"Vote":["Głos"],"and {count} more vote for this.":["i {count} więcej głosów."],"votes":["głosy "],"Allow multiple answers per user?":["Zezwól na wielokrotne odpowiedzi na użytkownika? "],"Ask something...":["Zapytaj o coś..."],"Possible answers (one per line)":["Możliwe odpowiedzi (jedna na linię)"],"Display all":["Pokaż wszystkie"],"No poll found which matches your current filter(s)!":["Nie znaleziono głosowania według kryteriów obecnego filtru(-ów)! "],"Asked by me":["Moje zapytanie"],"No answered yet":["Jeszcze nie odpowiedziano"],"Only private polls":["Tylko prywatne głosowania"],"Only public polls":["Tylko publiczne głosowania"],"Tasks":["Zadania "],"Could not access task!":["Nie można uzyskać dostępu do zadań! "],"{userName} assigned to task {task}.":["{userName} dołączył do {task}."],"{userName} created task {task}.":["{userName} utworzył zadanie {task}."],"{userName} finished task {task}.":["{userName} zakończył zadanie {task}."],"{userName} assigned you to the task {task}.":["{userName} dołączył ciebie do zadania {task}."],"{userName} created a new task {task}.":["{userName} utworzył nowe zadanie {task}."],"This task is already done":["To zadanie już jest wykonane"],"You're not assigned to this task":["Nie zostałeś dołączony do zadania "],"Click, to finish this task":["Kliknij, aby zakończyć zadanie"],"This task is already done. Click to reopen.":["To zadanie jest już wykonane. Kliknij w celu ponowienia. "],"My tasks":["Moje zadania"],"From space: ":["Ze strefy: "],"No tasks found which matches your current filter(s)!":["Nie znaleziono zadań pasujących do obecnego filtru(-ów)!"],"There are no tasks yet!
Be the first and create one...":["Jeszcze nie ma żadnych zadań!
Bądź pierwszym który je utworzy..."],"Assigned to me":["Dodał mnie"],"Nobody assigned":["Nikt nie dołączył"],"State is finished":["Stan zakończony"],"State is open":["Stan otwarty "],"What to do?":["Co do zrobienia? "],"Translation Manager":["Menadżer tłumaczeń "],"Translations":["Tłumaczenia "],"Translation Editor":["Edytor tłumaczeń "]} \ No newline at end of file +{"Could not find requested module!":["Nie można znaleźć żądanego modułu. "],"Invalid request.":["Błędne żądanie."],"Keyword:":["Słowo kluczowe:"],"Nothing found with your input.":["Nic nie znaleziono."],"Results":["Wyniki"],"Show more results":["Pokaż więcej wyników"],"Sorry, nothing found!":["Przepraszam, nic nie znaleziono!"],"Welcome to %appName%":["Witaj w %appName%"],"Latest updates":["Najnowsze aktualizacje"],"Account settings":["Ustawienia konta"],"Administration":["Administracja"],"Back":["Wstecz"],"Back to dashboard":["Powrót do pulpitu"],"Collapse":["Zwiń"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Źródło zawartości dodatku musi być instancją HActiveRecordContent lub HActiveRecordContentAddon!"],"Could not determine content container!":["Nie można określić kontenera!"],"Could not find content of addon!":["Nie znaleziono zawartości dodatku!"],"Error":["Błąd"],"Expand":["Rozwiń"],"Insufficent permissions to create content!":["Brak wystarczających uprawnień by utworzyć element!"],"It looks like you may have taken the wrong turn.":["Chyba zabłądziłeś."],"Language":["Język"],"Latest news":["Najnowsze wiadomości"],"Login":["Login"],"Logout":["Wyloguj"],"Menu":["Menu"],"Module is not on this content container enabled!":["Moduł w tym kontenerze nie jest uruchomiony!"],"My profile":["Mój profil"],"New profile image":["Nowe zdjęcie profilowe"],"Oooops...":["Uuups..."],"Search":["Szukaj","Szukaj "],"Search for users and spaces":["Szukaj użytkowników i stref"],"Space not found!":["Nie znaleziono strefy! "],"User Approvals":["Akceptacja nowych użytkowników"],"User not found!":["Użytkownik nie znaleziony! ","Nie znaleziono użytkownika! "],"You cannot create public visible content!":["Nie można utworzyć zawartości publicznej!"],"Your daily summary":["Podsumowanie dzienne"],"Global {global} array cleaned using {method} method.":["Globalna tablica {global} została wyczyszczona używając metody {method}."],"Upload error":["Błąd wczytywania","Błąd wczytywania "],"Close":["Zamknij ","Zamknij"],"Title":["Nazwa","Tytuł"],"Could not create activity for this object type!":["Nie można utworzyć aktywności dla tego typu obiektu!"],"%displayName% created the new space %spaceName%":["%displayName% utworzył nową strefę %spaceName%"],"%displayName% created this space.":["%displayName% utworzył tę strefę."],"%displayName% joined the space %spaceName%":["%displayName% dołączył do strefy %spaceName%"],"%displayName% joined this space.":["%displayName% dołączył do tej strefy. "],"%displayName% left the space %spaceName%":["%displayName% opuścił strefę %spaceName%"],"%displayName% left this space.":["%displayName% opuścił tę strefę. "],"{user1} now follows {user2}.":["Od teraz {user1} obserwuje {user2}."],"see online":["zobacz zalogowanych","pokaż online "],"via":["przez","przez "],"Latest activities":["Najnowsza aktywność"],"There are no activities yet.":["Brak aktywności."],"Group not found!":["Grupa nie znaleziona!"],"Could not uninstall module first! Module is protected.":["Nie można najpierw odinstalować modułu! Moduł jest chroniony. "],"Module path %path% is not writeable!":["Ścieżka %path% modułu jest niezapisywalna. "],"Saved":["Zapisano ","Zapisano"],"Database":["Baza danych "],"No theme":["Brak motywu "],"APC":["APC ","APC"],"Could not load LDAP! - Check PHP Extension":["Nie można wczytać LDAP! - Sprawdź rozszerzenie PHP "],"File":["Plik"],"No caching (Testing only!)":["Brak cache (tylko cele testowe) ","Bez cache'u (funkcja testowa!)"],"None - shows dropdown in user registration.":["Żadne - pokazuje rozwijaną listę podczas rejestracji użytkownika "],"Saved and flushed cache":["Zapisano i opróżniono cache "],"Become this user":["Zostań tym użytkownikiem"],"Delete":["Usuń"],"Disabled":["Zablokowany "],"Enabled":["Włączony "],"LDAP":["LDAP"],"Local":["Lokalny "],"Save":["Zapisz "],"Unapproved":["Niezatwierdzony "],"You cannot delete yourself!":["Nie możesz usunąć samego siebie! "],"Could not load category.":["Nie można wczytać kategorii. "],"You can only delete empty categories!":["Możesz usunąć tylko pustą kategorię! "],"Group":["Grupa ","Grupa"],"Message":["Wiadomość "],"Subject":["Temat ","Temat"],"Base DN":["Bazowy DN"],"Enable LDAP Support":["Włącz wsparcie LDAP"],"Encryption":["Szyfrowanie","Szyfrowanie "],"Hostname":["Nazwa hosta"],"Login Filter":["Filtr loginów"],"Password":["Hasło"],"Port":["Port"],"User Filer":["Filtr użytkowników"],"Username":["Nazwa użytkownika"],"Username Attribute":["Atrybut nazwy użytkownika "],"Anonymous users can register":["Anonimowi użytkownicy mogą rejestrować się "],"Default user group for new users":["Domyślna grupa użytkowników dla nowych użytkowników "],"Members can invite external users by email":["Członkowie mogą zapraszać zewnętrznych użytkowników za pomocą emalia "],"Require group admin approval after registration":["Wymagaj zatwierdzenia po rejestracji przez administratora grupy "],"Base URL":["Główny URL "],"Default language":["Domyślny język "],"Default space":["Domyślna strefa "],"Invalid space":["Nieprawidłowa strefa","Nieprawidłowa strefa "],"Name of the application":["Nazwa aplikacji "],"Show introduction tour for new users":["Pokazuj wycieczkę wprowadzającą nowym użytkownikom "],"Cache Backend":["Zaplecze cache "],"Default Expire Time (in seconds)":["Domyślny czas wygasania (w sekundach) "],"PHP APC Extension missing - Type not available!":["Brakuje rozszerzenia PHP APC - typ niedostępny! "],"PHP SQLite3 Extension missing - Type not available!":["Brakuje rozszerzenia SQLite3 - typ niedostępny! "],"Default pagination size (Entries per page)":["Domyślna paginacja (wpisy na stronę) "],"Display Name (Format)":["Nazwa wyświetlana (format) "],"Dropdown space order":["Kolejność listy rozwijanej stref "],"Theme":["Motyw "],"Allowed file extensions":["Dozwolone rozszerzenia "],"Convert command not found!":["Polecenie konwertujące nie znalezione! "],"Got invalid image magick response! - Correct command?":["Otrzymano nieprawidłową odpowiedź image magick! - Czy prawidłowe polecenie? "],"Image Magick convert command (optional)":["Polecenie konwersji Image Magick (opcjonalne) "],"Maximum upload file size (in MB)":["Maksymalny rozmiar wgrywanego pliku (w MB) "],"Use X-Sendfile for File Downloads":["Użyj X-Sendfile przy pobieraniu plików "],"Administrator users":["Administratorzy "],"Description":["Opis"],"Ldap DN":["Ldap DN "],"Name":["Nazwa"],"E-Mail sender address":["Adres wysyłającego E-mail "],"E-Mail sender name":["Nazwa wysyłającego E-mail "],"Mail Transport Type":["Typ przesyłania maili"],"Port number":["Numer portu "],"Endpoint Url":["Punkt docelowy URL"],"Url Prefix":["Prefiks URL"],"User":["Użytkownik ","Użytkownik"],"Super Admins can delete each content object":["Super administratorzy mogą usunąć każdy zliczony obiekt "],"Default Join Policy":["Domyślna polityka dołączania "],"Default Visibility":["Domyślna widoczność "],"HTML tracking code":["Kod śledzący HTML "],"Module directory for module %moduleId% already exists!":["Katalog modułu dla modułu %moduleId% już istnieje!"],"Could not extract module!":["Nie można wypakować modułu!"],"Could not fetch module list online! (%error%)":["Nie można pobrać listy modułów będących online! (%error%)"],"Could not get module info online! (%error%)":["Nie można pobrać informacji na temat modułów modułów będących online! (%error%)"],"Download of module failed!":["Pobieranie modułu nie powiodło się!"],"Module directory %modulePath% is not writeable!":["Katalog modułu %modulePath% nie jest zapisywalny!"],"Module download failed! (%error%)":["Nie powiodło się pobieranie modułu! (%error%)"],"No compatible module version found!":["Nie znaleziono kompatybilnej wersji modułu! "],"Activated":["Aktywowane"],"Installed":["Zainstalowane"],"About HumHub":["O HumHubie"],"Accept":["Akceptuj"],"Decline":["Odrzuć"],"Accept user: {displayName} ":["Akceptuj użytkownika: {displayName}"],"Cancel":["Anuluj"],"Send & save":["Wyślij i zapisz"],"Decline & delete user: {displayName}":["Odrzuć i usuń użytkownika: {displayName}"],"Email":["E-mail"],"Search for email":["Szukaj e-maila","Szukaj e-maili"],"Search for username":["Szukaj nazwy użytkownika ","Szukaj nazw użytkownika"],"Pending user approvals":["Oczekujący użytkownicy do zatwierdzenia"],"Here you see all users who have registered and still waiting for a approval.":["Tutaj widzisz użytkowników którzy zarejestrowali się i wciąż czekają na zatwierdzenie. "],"Delete group":["Usuń grupę"],"Delete group":["Usuń grupę"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Aby usunąć grupę \"{group}\" potrzebujesz ustawić alternatywną grupę dla istniejących użytkowników: "],"Create new group":["Utwórz nową grupę"],"Edit group":["Edytuj grupę"],"Group name":["Nazwa grupy"],"Search for description":["Szukaj opisu"],"Search for group name":["Szukaj nazwy grupy "],"Manage groups":["Zarządzaj grupami"],"Create new group":["Utwórz nową grupę"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Możesz podzielić użytkowników do różnych grup (dla zespołów, wydziałów, itp.) i zdefiniować dla nich standardowe strefy i administratorów."],"Flush entries":["Wyczyść wpisy"],"Error logging":["Logi błędów"],"Displaying {count} entries per page.":["Pokazano {count} wpisów na stronę."],"Total {count} entries found.":["W sumie znaleziono {count} wpisów."],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Moduły rozszerzają funkcjonalność HumHuba. Tutaj możesz zainstalować i zarządzać modułami z HumHub Marketplace."],"Available updates":["Dostępne aktualizacje"],"Browse online":["Przeglądaj online"],"This module doesn't provide further informations.":["Ten moduł nie dostarcza dalszych informacji. "],"Modules directory":["Katalog modułów"],"Are you sure? *ALL* module data will be lost!":["Czy jesteś pewny? *WSZYSTKIE* dane modułu zostaną utracone!"],"Are you sure? *ALL* module related data and files will be lost!":["Czy jesteś pewny? *WSZYSTKIE* dane i pliki związane z modułem zostaną utracone!"],"Configure":["Konfiguruj"],"Disable":["Zablokuj"],"Enable":["Włącz"],"More info":["Więcej informacji"],"Set as default":["Ustaw jako domyślny"],"Uninstall":["Odinstaluj"],"Install":["Zainstaluj"],"Latest compatible version:":["Ostatnia kompatybilna wersja:"],"Latest version:":["Ostatnia wersja:"],"Installed version:":["Zainstalowana wersja:"],"Latest compatible Version:":["Ostatnia kompatybilna wersja:"],"Update":["Aktualizuj "],"%moduleName% - Set as default module":["%moduleName% - Ustaw jako moduł domyślny"],"Always activated":["Zawsze aktywny"],"Deactivated":["Wyłączony"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Tutaj możesz wybrać czy moduł powinien być automatycznie aktywowany w strefie lub profilu użytkownika. Jeżeli moduł powinien być aktywny, wybierz \"zawsze aktywny\"."],"Spaces":["Strefy","Strefy "],"User Profiles":["Profile użytkownika"],"Authentication - Basic":["Uwierzytelnianie - Podstawowe"],"Basic":["Podstawowe"],"Authentication - LDAP":["Uwierzytelnianie - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["TLS/SSL jest silnie faworyzowany w środowiskach produkcyjnych w celu zapobiegania przesyłaniu haseł jako czysty tekst."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Definiuje filtr do zatwierdzenia w czasie próby logowania. %uid zastępuje nazwę użytkownika w czasie akcji logowania. Przykład: "(sAMAccountName=%s)" lub "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["Atrybuty LDAP dla nazwy użytkownika. Przykład: "uid" lub "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Ogranicza dostęp do użytkowników spełniających te kryteria. Przykład: "(objectClass=posixAccount)" lub "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Status: Błąd! (Wiadomość: {message})"],"Status: OK! ({userCount} Users)":["Status: OK! ({userCount} użytkowników)"],"The default base DN used for searching for accounts.":["Domyślny bazowy DN używany do celów poszukiwania kont."],"The default credentials password (used only with username above).":["Domyślne hasło listy uwierzytelniającej (używane tylko z powyższą nazwą użytkownika)."],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["Domyślna nazwa użytkownika listy uwierzytelniającej. Niektóre serwery wymagają tego aby było w formularzu DN. Musi być dane w formularzu DN jeżeli serwer LDAP wymaga wiązania i wiązanie powinno być możliwe z prostymi nazwami użytkownika. "],"Cache Settings":["Ustawienia cache"],"Save & Flush Caches":["Zapisz i opróżnij cache"],"CronJob settings":["Ustawienia zadań cron"],"Crontab of user: {user}":["Crontab użytkownika: {user}"],"Last run (daily):":["Ostatnie wykonanie (dzienne):"],"Last run (hourly):":["Ostatnie wykonanie (godzinne):"],"Never":["Nigdy"],"Or Crontab of root user":["Lub Crontab użytkownika root"],"Please make sure following cronjobs are installed:":["Proszę upewnij się że następujące zadania cron są zainstalowane: "],"Design settings":["Ustawienia projektu"],"Alphabetical":["Alfabetycznie"],"Firstname Lastname (e.g. John Doe)":["Imię Nazwisko (np. Jan Kowalski)"],"Last visit":["Ostatnia wizyta"],"Username (e.g. john)":["Nazwa użytkownika (np. jan)"],"File settings":["Ustawienia plików"],"Comma separated list. Leave empty to allow all.":["Lista elementów oddzielonych przecinkiem (csv). Pozostaw pustą aby dopuścić wszystkie."],"Current Image Libary: {currentImageLibary}":["Obecna biblioteka graficzna: {currentImageLibary}"],"PHP reported a maximum of {maxUploadSize} MB":["PHP zgłasza maksimum {maxUploadSize} MB"],"Basic settings":["Ustawienia podstawowe"],"Dashboard":["Kokpit"],"E.g. http://example.com/humhub":["Np. http://przyklad.pl/humhub"],"New users will automatically added to these space(s).":["Nowi użytkownicy zostaną automatycznie dodani do tych stref."],"Mailing defaults":["Domyślny mailing"],"Activities":["Aktywności"],"Always":["Zawsze"],"Daily summary":["Dzienne podsumowanie","Podsumowanie dzienne"],"Defaults":["Domyślne"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Definiuje ustawienia domyślne kiedy użytkownik odbiera e-maile z powiadomieniami lub nowymi aktywnościami. To ustawienie może być nadpisane przez użytkowników w ustawieniach konta."],"Notifications":["Powiadomienia"],"Server Settings":["Ustawienia serwera"],"When I´m offline":["Kiedy jestem offline","Kiedy jestem offline "],"Mailing settings":["Ustawienia mailingu"],"SMTP Options":["Opcje SMTP"],"OEmbed Provider":["Dostawca OEmbed"],"Add new provider":["Dodaj nowego dostawcę"],"Currently active providers:":["Obecnie aktywni dostawcy:"],"Currently no provider active!":["Obecnie nie ma aktywnych dostawców!"],"Add OEmbed Provider":["Dodaj dostawcę OEmbed"],"Edit OEmbed Provider":["Edytuj dostawcę OEmbed"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Prefiks URL bez http:// lub https:// (np. youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Użyj zastępczego %url% dla URL. Formatem musi być JSON. (np. http://www.youtube.com/oembed?url=%url%&format=json)"],"Security settings and roles":["Ustawienia bezpieczeństwa i role"],"Self test":["Autotest"],"Checking HumHub software prerequisites.":["Sprawdzanie wstępnych wymagań oprogramowania HumHub."],"Re-Run tests":["Uruchom ponownie testy "],"Statistic settings":["Ustawienia statystyk"],"All":["Wszystko"],"Delete space":["Usuń strefę"],"Edit space":["Edytuj strefę"],"Search for space name":["Szukaj nazwy strefy"],"Search for space owner":["Szukaj właściciela strefy"],"Space name":["Nazwa strefy"],"Space owner":["Właściciel strefy"],"View space":["Pokaż strefę "],"Manage spaces":["Zarządzaj strefami"],"Define here default settings for new spaces.":["Zdefiniuj tutaj domyślne ustawienia dla nowych stref"],"In this overview you can find every space and manage it.":["W tym przeglądzie możesz znaleźć każdą strefę i zarządzać nią."],"Overview":["Przegląd"],"Settings":["Ustawienia"],"Space Settings":["Ustawienia strefy"],"Add user":["Dodaj użytkownika"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Czy jesteś pewny że chcesz usunąć tego użytkownika? Jeżeli ten użytkownik jest właścicielem stref ty staniesz się ich właścicielem."],"Delete user":["Usuń użytkownika"],"Delete user: {username}":["Usuń użytkownika: {username}"],"Edit user":["Edytuj użytkownika"],"Admin":["Administrator"],"Delete user account":["Usuń konto użytkownika"],"Edit user account":["Edytuj konto użytkownika"],"No":["Nie"],"View user profile":["Pokaż profil użytkownika"],"Yes":["Tak"],"Manage users":["Zarządzaj użytkownikami"],"Add new user":["Dodaj nowego użytkownika"],"In this overview you can find every registered user and manage him.":["W tym przeglądzie możesz znaleźć każdego zarejestrowanego użytkownika i zarządzać nim."],"Create new profile category":["Utwórz kategorię w profilu"],"Edit profile category":["Edytuj kategorię w profilu"],"Create new profile field":["Utwórz nowe pole w profilu"],"Edit profile field":["Edytuj nowe pole w profilu"],"Manage profiles fields":["Zarządzaj polami profilu"],"Add new category":["Dodaj nową kategorię"],"Add new field":["Dodaj nowe pole "],"Security & Roles":["Bezpieczeństwo i role"],"Administration menu":["Menu administracji"],"About":["O mnie"],"Authentication":["Uwierzytelnianie "],"Caching":["Cache"],"Cron jobs":["Zadania cron"],"Design":["Projekt"],"Files":["Pliki"],"Groups":["Grupy","Grupy "],"Logging":["Logi"],"Mailing":["Mailing"],"Modules":["Moduły"],"OEmbed Provider":["Dostawcy OEmbed"],"Self test & update":["Autotest i aktualizacje"],"Statistics":["Statystyki"],"User approval":["Zatwierdzenie użytkowników"],"User profiles":["Profile użytkowników"],"Users":["Użytkownicy ","Użytkownicy"],"Click here to review":["Kliknij tutaj aby przejrzeć"],"New approval requests":["Nowe żądania zatwierdzenia"],"One or more user needs your approval as group admin.":["Jeden lub więcej użytkowników wymaga zatwierdzenia przez grupę administratorów. "],"Could not delete comment!":["Nie można usunąć komentarza! "],"Invalid target class given":["Nieprawidłowa klasa docelowa "],"Model & Id Parameter required!":["Wymagane parametry model i identyfikator! "],"Target not found!":["Nie znaleziono celu! "],"Access denied!":["Brak dostępu!"],"Insufficent permissions!":["Uprawnienia niedostateczne! "],"Comment":["Komentuj "],"%displayName% wrote a new comment ":["%displayName% napisał(a) nowy komentarz "],"Comments":["Komentarze "],"Edit your comment...":["Edytuj swój komentarz... "],"%displayName% also commented your %contentTitle%.":["%displayName% także skomentował twój %contentTitle%. "],"%displayName% commented %contentTitle%.":["%displayName% skomentował(a) %contentTitle% "],"Show all {total} comments.":["Pokaż wszystkie {total} komentarze. "],"Post":["Post "],"Write a new comment...":["Napisz nowy komentarz... "],"Confirm comment deleting":["Potwierdź usunięcie komentarza "],"Do you really want to delete this comment?":["Czy naprawdę chcesz usunąć ten komentarz? "],"Edit":["Edytuj ","Edycja"],"Updated :timeago":["Zaktualizowano :timeago ","Zaktualizowano :timeago"],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["Została osiągnięta maksymalna liczba podpiętych załączników! \n\nMożesz na raz podpiąć tylko dwa załączniki.\nJednakże aby podpiąć ten załącznik, odepnij najpierw inny! "],"Could not load requested object!":["Nie można wczytać żądanego obiektu! "],"Unknown content class!":["Nieznana klasa zawartości! "],"Could not find requested content!":["Nie można znaleźć żądanej zawartości!"],"Could not find requested permalink!":["Nie można znaleźć żądanego linku! "],"{userName} created a new {contentTitle}.":["{userName} utworzył nowy {contentTitle}."],"in":["w"],"Submit":["Prześlij","Wyślij"],"Move to archive":["Przenieś do archiwum"],"Unarchive":["Cofnij archiwizację ","Przywróć z archiwum"],"Public":["Publiczny","Publiczna"],"What's on your mind?":["Co ci chodzi po głowie? "],"Confirm post deleting":["Potwierdź usunięcie postu"],"Do you really want to delete this post? All likes and comments will be lost!":["Czy naprawdę chcesz usunąć ten post? Wszystkie polubienia i komentarze zostaną utracone! ","Czy na pewno usunąć tę treść? Wszystkie komentarze i polubienia zostaną usunięte."],"Archived":["Zarchiwizowany"],"Sticked":["Przypięty "],"Turn off notifications":["Wyłącz powiadomienia"],"Turn on notifications":["Włącz powiadomienia "],"Permalink to this post":["Link do tego postu"],"Permalink":["Link ","Odnośnik"],"Stick":["Przypnij"],"Unstick":["Odepnij "],"Nobody wrote something yet.
Make the beginning and post something...":["Nikt jeszcze nic nie napisał.
Bądź pierwszy i napisz coś..."],"This profile stream is still empty":["Ten strumień profilu jest wciąż pusty"],"This space is still empty!
Start by posting something here...":["Ta strefa jest wciąż pusta!
Zacznij pisząc tutaj coś..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Twój kokpit jest pusty!
Napisz coś na swoim profilu i dołącz do stref!"],"Your profile stream is still empty
Get started and post something...":["Twój strumień profilu jest wciąż pusty
Napisz coś!"],"Nothing found which matches your current filter(s)!":["Nie znaleziono niczego pasującego do obecnego filtru(ów)!"],"Show all":["Pokaż wszystko"],"Back to stream":["Powrót do strumienia"],"Content with attached files":["Zawartość z załączonymi plikami"],"Created by me":["Utworzone przez mnie","Utworzone przeze mnie "],"Creation time":["Czas utworzenia"],"Filter":["Filtr"],"Include archived posts":["Zawieraj zarchiwizowane posty"],"Last update":["Ostatnia aktualizacja"],"Only private posts":["Tylko prywatne posty"],"Only public posts":["Tylko publiczne posty"],"Posts only":["Tylko posty"],"Posts with links":["Posty z linkami"],"Sorting":["Sortowanie"],"Where I´m involved":["Gdzie jestem zaangażowany "],"Directory":["Książka adresowa "],"Member Group Directory":["Książka adresowa członków grup"],"show all members":["pokaż wszystkich członków "],"Directory menu":["Menu książki adresowej"],"Members":["Członkowie","Członkowie "],"User profile posts":["Posty użytkowników w profilach "],"Member directory":["Lista użytkowników"],"Follow":["Obserwuj"],"No members found!":["Nie znaleziono członków!"],"Unfollow":["Nie obserwuj "],"search for members":["szukaj członków"],"Space directory":["Książka adresowa stref"],"No spaces found!":["Nie znaleziono stref! "],"You are a member of this space":["Jesteś członkiem tej strefy "],"search for spaces":["szukaj stref"],"Group stats":["Statystyki grupy"],"Average members":["Średnio członków"],"Top Group":["Największa grupa"],"Total groups":["Łącznie grup "],"Member stats":["Statystyki członków"],"New people":["Nowi ludzie"],"Follows somebody":["Obserwujący "],"Online right now":["Teraz online"],"Total users":["Łącznie użytkowników "],"New spaces":["Nowe strefy"],"Space stats":["Statystyki stref"],"Most members":["Najwięcej użytkowników"],"Private spaces":["Prywatne strefy"],"Total spaces":["Łącznie stref "],"Could not find requested file!":["Nie można znaleźć żądanego pliku! "],"Insufficient permissions!":["Niedostateczne uprawnienia "],"Created By":["Utworzona przez"],"Created at":["Utworzone o","Utworzona o"],"File name":["Nazwa pliku "],"Guid":["Guid "],"ID":["Identyfikator","ID"],"Invalid Mime-Type":["Nieprawidłowy typ mime "],"Maximum file size ({maxFileSize}) has been exceeded!":["Maksymalny rozmiar pliku {maxFileSize} został osiągnięty! "],"Mime Type":["Typ mime "],"Size":["Rozmiar"],"This file type is not allowed!":["Takie rozszerzenie pliku jest niedozwolone! "],"Updated at":["Zaktualizowane o ","Zaktualizowana o"],"Updated by":["Zaktualizowana przez"],"Could not upload File:":["Nie można wczytać pliku: "],"Upload files":["Wczytaj plik "],"List of already uploaded files:":["Lista już wczytanych plików: "],"Sign in":["Zaloguj się "],"Could not find target class!":["Nie można znaleźć docelowej klasy! "],"Could not find target record!":["Nie można znaleźć docelowego zapisu! "],"Invalid class given!":["Nieprawidłowa klasa! "],"Users who like this":["Użytkownicy którzy lubią to "],"{userDisplayName} likes {contentTitle}":["{userDisplayName} lubi {contentTitle} "],"%displayName% also likes the %contentTitle%.":["%displayName% lubi także %contentTitle% "],"%displayName% likes %contentTitle%.":["%displayName% lubi %contentTitle% "]," likes this.":[" lubi to. "],"You like this.":["Lubisz to. "],"You
":["Ty
"],"Like":["Lubię "],"Unlike":["Nie lubię "],"and {count} more like this.":["i {count} więcej lubi to. "],"Could not determine redirect url for this kind of source object!":["Nie można określić url przekierowania obiektu źródłowego! "],"Could not load notification source object to redirect to!":["Nie można wczytać obiektu źródłowego powiadomienia aby przekierować do niego! "],"New":["Nowe ","Nowa "],"Mark all as seen":["Oznacz wszystkie jako przeczytane "],"There are no notifications yet.":["Nie ma jeszcze powiadomień. "],"%displayName% created a new post.":["%displayName% utworzył nowy post. "],"Edit your post...":["Edytuj swój post... "],"Read full post...":["Przeczytaj cały post... "],"Send & decline":["Wyślij i odrzuć "],"Visible for all":["Widoczna dla wszystkich "]," Invite and request":["Zaproś i złóż podanie "],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Nie można usunąć użytkownika który jest właścicielem strefy! Nazwa strefy: {spaceName} "],"Everyone can enter":["Każdy może dołączyć "],"Invite and request":["Zaproś i złóż podanie "],"Only by invite":["Tylko przez zaproszenie "],"Private (Invisible)":["Prywatna (nie widoczna) "],"Public (Visible)":["Publiczna (widoczna) "],"Space is invisible!":["Strefa jest niewidoczna !"],"As owner you cannot revoke your membership!":["Jako właściciel nie możesz odrzucić członkostwa! "],"Could not request membership!":["Nie możesz poprosić o członkostwo! "],"There is no pending invite!":["Nie ma oczekujących zaproszeń! "],"This action is only available for workspace members!":["Działanie dostępne tylko dla członków grupy roboczej! "],"You are not allowed to join this space!":["Nie masz zezwolenia na dołączenie do tej strefy! "],"Space title is already in use!":["Tytuł strefy jest już w użyciu!"],"Type":["Typ ","Rodzaj","Typ"],"Your password":["Twoje hasło"],"Invites":["Zaproszenia"],"New user by e-mail (comma separated)":["Nowi użytkownicy przez e-mail (oddzielone przecinkiem)"],"User is already member!":["Użytkownik jest już członkiem! "],"{email} is already registered!":["{email} jest już zarejestrowany! "],"{email} is not valid!":["{email} nie jest prawidłowy! "],"Application message":["Wiadomość o podanie"],"Scope":["Zasięg"],"Strength":["Siła "],"Created At":["Utworzona o"],"Join Policy":["Polityka dołączania"],"Owner":["Właściciel"],"Status":["Status"],"Tags":["Tagi","Tagi "],"Updated At":["Zaktualizowana o "],"Visibility":["Widzialność","Widzialna"],"Website URL (optional)":["URL strony internetowej (opcjonalny)"],"You cannot create private visible spaces!":["Nie możesz tworzyć prywatnych i widzialnych stref!"],"You cannot create public visible spaces!":["Nie możesz tworzyć publicznych i widzialnych stref! "],"Select the area of your image you want to save as user avatar and click Save.":["Zaznacz obszar twojego obrazka który chcesz zapisać jako awatar użytkownika i kliknij Zapisz."],"Modify space image":["Modyfikuj obrazek strefy"],"Delete space":["Usuń strefę"],"Are you sure, that you want to delete this space? All published content will be removed!":["Czy jesteś pewien, że chcesz usunąć tę strefę? Cała opublikowana zawartość zostanie usunięta! "],"Please provide your password to continue!":["Proszę wprowadź swoje hasło aby kontynuować! "],"General space settings":["Ustawienia ogólne strefy"],"Archive":["Archiwizuj"],"Choose the kind of membership you want to provide for this workspace.":["Wybierz rodzaj członkostwa który chcesz zapewnić tej grupie roboczej."],"Choose the security level for this workspace to define the visibleness.":["Wybierz poziom bezpieczeństwa dla tej grupy roboczej aby zdefiniować widoczność. "],"Manage your space members":["Zarządzaj użytkownikami strefy"],"Outstanding sent invitations":["Oczekujące wysłane zaproszenia"],"Outstanding user requests":["Oczekujące podania użytkowników "],"Remove member":["Usuń członka"],"Allow this user to
invite other users":["Pozwól temu użytkownikowi
zapraszać innych użytkowników"],"Allow this user to
make content public":["Pozwól temu użytkownikowi
upubliczniać zawartość"],"Are you sure, that you want to remove this member from this space?":["Czy jesteś pewny, że chcesz usunąć tego użytkownika ze strefy?"],"Can invite":["Może zapraszać"],"Can share":["Może udostępniać"],"Change space owner":["Zmień właściciela strefy"],"External users who invited by email, will be not listed here.":["Zewnętrzni użytkownicy którzy zostali zaproszeni mailowo, nie są tutaj wymienieni."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["W obszarze poniżej, możesz zobaczyć wszystkich aktywnych użytkowników tej strefy. Możesz edytować ich uprawnienia i usuwać ich z tej strefy."],"Is admin":["Jest administratorem"],"Make this user an admin":["Przyznaj administratora temu użytkownikowi"],"No, cancel":["Nie, anuluj"],"Remove":["Usuń"],"Request message":["Wiadomość o podanie "],"Revoke invitation":["Odwołaj zaproszenie"],"Search members":["Szukaj członków"],"The following users waiting for an approval to enter this space. Please take some action now.":["Następujący użytkownicy oczekują na zatwierdzenie możliwości dołączenia do strefy. Proszę zajmij stanowisko w tej sprawie."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Następujący użytkownicy zostali dotychczas zaproszeni do tej strefy, ale nie obserwowali aż do teraz zaproszenia."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Właścicielem strefy jest super administrator z wszystkimi uprawnieniami i zwykle jest twórcą tej strefy. Tutaj możesz przyznać tę rolę innemu użytkownikowi."],"Yes, remove":["Tak, usuń "],"Space Modules":["Moduły strefy"],"Are you sure? *ALL* module data for this space will be deleted!":["Czy jesteś pewien? *WSZYSTKIE* dane modułu tej strefy zostaną usunięte! "],"Currently there are no modules available for this space!":["Obecnie nie ma modułów dostępnych dla tej strefy! "],"Enhance this space with modules.":["Rozszerz możliwości tej strefy za pomocą modułów "],"Create new space":["Utwórz nową strefę"],"Advanced access settings":["Zaawansowanie ustawienia dostępu"],"Also non-members can see this
space, but have no access":["Także nie członkowie tej strefy
mogą ją zobaczyć, ale bez dostępu"],"Create":["Utwórz "],"Every user can enter your space
without your approval":["Każdy użytkownik może dołączyć do twojej strefy
bez twojej zgody"],"For everyone":["Dla wszystkich"],"How you want to name your space?":["Jak zamierzasz nazwać swoją strefę?"],"Please write down a small description for other users.":["Proszę napisz poniżej krótki opis dla innych użytkowników."],"This space will be hidden
for all non-members":["Ta strefa będzie ukryta
dla nie członków"],"Users can also apply for a
membership to this space":["Użytkownicy mogą aplikować o
członkostwo w tej strefie"],"Users can be only added
by invitation":["Użytkownicy mogą być dodawani
tylko przez zaproszenie"],"space description":["opis strefy"],"space name":["nazwa strefy"],"{userName} requests membership for the space {spaceName}":["{userName} złożył podanie o członkostwo w strefie {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} zaakceptował twoje członkostwo w strefie {spaceName}"],"{userName} declined your membership request for the space {spaceName}":["{userName} odrzucił twoje podanie o członkostwo w strefie {spaceName}"],"{userName} invited you to the space {spaceName}":["{userName} zaprosił cię do strefy {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} zaakceptował twoje zaproszenie do strefy {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} odrzucił twoje zaproszenie do strefy {spaceName}"],"Accept Invite":["Zaakceptuj zaproszenie"],"Become member":["Zostań członkiem"],"Cancel membership":["Anuluj członkostwo"],"Cancel pending membership application":["Anuluj oczekujące podania o członkostwo"],"Deny Invite":["Zablokuj zaproszenie"],"Request membership":["Złóż podanie o członkostwo"],"You are the owner of this workspace.":["Jesteś właścicielem tej grupy roboczej."],"created by":["utworzone przez "],"Invite members":["Zaproś członków"],"Add an user":["Dodaj użytkownika"],"Email addresses":["Adres e-mail"],"Invite by email":["Zaproś przez e-mail"],"Pick users":["Wybierz użytkowników"],"Send":["Wyślij ","Wyślij"],"To invite users to this space, please type their names below to find and pick them.":["Aby zaprosić użytkowników do tej strefy, proszę podaj ich imiona poniżej aby ich znaleźć i wybrać."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Możesz także zapraszać zewnętrznych użytkowników, którzy nie są obecnie zarejestrowani. Po prostu dodaj ich adresy e-mail oddzielone przecinkiem. "],"Request space membership":["Złóż podanie o członkostwo w strefie"],"Please shortly introduce yourself, to become an approved member of this space.":["Proszę krótko się przedstaw, aby zostać zatwierdzonym członkiem tej strefy."],"Your request was successfully submitted to the space administrators.":["Twoje podanie z powodzeniem zostało dodane i przesłane administratorom strefy."],"Ok":["Ok"],"Back to workspace":["Powróć do grupy roboczej"],"Space preferences":["Ustawienia stref"],"General":["Ogólne"],"My Space List":["Lista moich stref"],"My space summary":["Podsumowanie moich stref"],"Space directory":["Katalog stref"],"Space menu":["Menu stref"],"Stream":["Strumień ","Strumień"],"Change image":["Zamień obrazek"],"Current space image":["Obecny obrazek strefy "],"Invite":["Zaproś"],"Something went wrong":["Coś poszło źle"],"Followers":["Obserwujący"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Proszę krótko się przedstaw, aby zostać zatwierdzonym członkiem tej grupy roboczej."],"Request workspace membership":["Złóż podanie o członkostwo"],"Your request was successfully submitted to the workspace administrators.":["Twoje podanie z powodzeniem zostało dodane i przesłane administratorom strefy."],"Create new space":["Utwórz nową strefę"],"My spaces":["Moje strefy"],"Space info":["Informacja o strefie"],"Accept invite":["Zaakceptuj zaproszenie"],"Deny invite":["Zablokuj zaproszenie"],"Leave space":["Opuść strefę"],"New member request":["Nowe podanie o członkostwo"],"Space members":["Członkowie strefy","Członkowie stref"],"End guide":["Zakończ przewodnik"],"Next »":["Następne »"],"« Prev":["« Poprzednie "],"Administration":["Administracja"],"Hurray! That's all for now.":["Hura! To wszystko na teraz."],"Modules":["Moduły"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Jako administrator, możesz zarządzać całą platformą z tego miejsca.

Inaczej niż w modułach, nie będziemy tutaj przechodzić z punktu do punktu, jako że każdy ma swój własny krótki opis gdzie indziej."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Jesteś właśnie w menu narzędzi. Stąd możesz mieć dostęp do marketu HumHub dostępnego online, gdzie możesz instalować w locie rosnącą liczbę narzędzi.

Jak już wspomnieliśmy, narzędzia zwiększają liczbę cech dostępnych w twojej strefie."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Nauczyłeś się już wszystkich najważniejszych cech i ustawień, wszystko jest już ustawione w celu używania platformy.

Mamy nadzieję że ty i wszyscy przyszli użytkownicy będą cieszyli się z użytkowania strony. Patrzymy naprzód na każdą sugestię i wsparcie którą możesz zaoferować naszemu projektowi. Możesz skontaktować się z nami przez www.humhub.org.

Pozostań z nami. :-)"],"Dashboard":["Kokpit"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["To jest twój kokpit.

Każda nowa aktywność lub post który może ciebie interesować pojawi się tutaj. "],"Administration (Modules)":["Administracja (moduły)"],"Edit account":["Edytuj konto"],"Hurray! The End.":["Hura! Koniec."],"Hurray! You're done!":["Hura Zakończyłeś!"],"Profile menu":["Menu profil","Menu profilu"],"Profile photo":["Zdjęcie profilowe"],"Profile stream":["Strumień profilu"],"User profile":["Profil użytkownika"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Kliknij na ten przycisk aby zaktualizować ustawienia profilu i konta. Możesz także dodać więcej informacji do swojego profilu."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Każdy profil ma swoją tablicę. Twoje posty będą pojawiały się także u użytkowników którzy obserwują cię."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Po prostu polub w strefie, profil użytkownika może być spersonalizowany z użyciem różnych modułów.

Możesz zobaczyć które moduły są dostępne dla twojego profilu zaglądając w \"Moduły\" w menu ustawieniach konta."],"This is your public user profile, which can be seen by any registered user.":["To jest twój publiczny profil użytkownika, który może być oglądany przez zarejestrowanych użytkowników. "],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Wczytaj nową fotografię profilową, przez proste kliknięcie tutaj lub przez przeciągnięcie. Zrób to samo podczas aktualizacji fotografii okładki."],"You've completed the user profile guide!":["Zakończyłeś przewodnik po profilu użytkownika! "],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Zakończyłeś przewodnik po profilu użytkownika!

Aby zapoznać się z przewodnikiem administratora, kliknij tutaj:

"],"Most recent activities":["Najnowsze aktywności"],"Posts":["Posty"],"Profile Guide":["Przewodnik po profilu"],"Space":["Strefy"],"Space navigation menu":["Menu nawigacji stref"],"Writing posts":["Pisanie postów"],"Yay! You're done.":["Super! Zakończyłeś."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Wszyscy użytkownicy będący członkami strefy tutaj są wyświetlani.

Nowi członkowie mogą zostać dodani przez każdego kto ma przyznane uprawnienia przez administratora."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Daje innym użytkownikom krótki pomysł na to o czym jest ta strefa. Możesz tutaj dodać podstawowe informacje.

Administrator strefy może wstawić i zmienić fotografię okładki strefy przez kliknięcie na nim lub przeciągnięcie."],"New posts can be written and posted here.":["Nowe posty są tutaj pisane i publikowane."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Kiedy już dołączysz i utworzysz nową strefę możesz pracować nad projektami, dyskutować nad tematami lub tylko dzielić się informacjami z innymi użytkownikami.

Są dostępne różne narzędzie do spersonalizowania strefy, w ten sposób uczynisz pracę bardziej produktywną. "],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["To wszystko w przewodniku po strefach.

Aby zapoznać się z przewodnikiem profilu użytkownika, kliknij tutaj:"],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Jesteś tutaj gdzie możesz nawigować po strefie - gdzie możesz znaleźć czy moduły są aktywne lub dostępne dla jednostkowej strefy. Mogą to być na przykład głosowania, zadania lub notatki.

Tylko administrator strefy może zarządzać modułami strefy."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["To menu jest widoczne tylko dla administratorów strefy. Tutaj możesz zarządzać ustawieniami strefy, dodawać/blokować członków i aktywować/wyłączać narzędzia dla tej strefy."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Aby być na bieżąco aktywności innych użytkowników tej strefy są tutaj wyświetlane."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Posty twoje i innych użytkowników będą się tutaj pojawiały.

Mogą być polubione lub skomentowane. "],"Account Menu":["Menu konta"],"Notifications":["Powiadomienia"],"Space Menu":["Menu stref"],"Start space guide":["Przewodnik strefy początkowej"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Nie trać tropu!

Ta ikona pozwoli ci być informowanym o aktywnościach i postach które bezpośrednio ciebie dotyczą."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Menu konta daje ci dostęp do twoich ustawień prywatnych i pozwala ci zarządzać twoim profilem publicznym."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Najważniejsze menu i prawdopodobnie najczęściej używane!

Daje dostęp do wszystkich stref do których dołączyłeś i możesz w nim tworzyć nowe strefy.

Następny przewodnik pokaże ci jak: "]," Remove panel":["Usuń panel"],"Getting Started":["Rozpocznij"],"Guide: Administration (Modules)":["Przewodnik: Administracja (Moduły)"],"Guide: Overview":["Przewodnik: Przegląd"],"Guide: Spaces":["Przewodnik: Strefy"],"Guide: User profile":["Przewodnik: Profil użytkownika"],"Get to know your way around the site's most important features with the following guides:":["Bądź poinformowany na temat najważniejszych cech za sprawą następujących przewodników: "],"Your password is incorrect!":["Twoje hasło jest nieprawidłowe! "],"You cannot change your password here.":["Nie można tutaj zmienić twojego hasła. "],"Invalid link! Please make sure that you entered the entire url.":["Nieprawidłowy link! Proszę upewnij się czy wprowadziłeś cały adres URL."],"Save profile":["Zapisz profil"],"The entered e-mail address is already in use by another user.":["Wprowadzony adres e-mail jest już w użyciu przez innego użytkownika. "],"You cannot change your e-mail address here.":["Nie można tutaj zmienić twojego adresu e-mail."],"Account":["Konto"],"Create account":["Utwórz konto"],"Current password":["Obecne hasło"],"E-Mail change":["Zmień e-mail"],"New E-Mail address":["Nowy adres e-mail"],"Send activities?":["Wysyłać aktywności?"],"Send notifications?":["Wysyłać powiadomienia? "],"Incorrect username/email or password.":["Nieprawidłowa nazwa użytkownika/e-mail lub hasło."],"New password":["Nowe hasło"],"New password confirm":["Potwierdź nowe hasło"],"Remember me next time":["Zapamiętaj mnie następnym razem"],"Your account has not been activated by our staff yet.":["Twoje konto jeszcze nie zostało aktywowane przez obsługę. "],"Your account is suspended.":["Twoje konto jest zawieszone. "],"Password recovery is not possible on your account type!":["Odzyskiwanie hasła nie jest możliwe przy twoim typie konta! "],"E-Mail":["E-mail"],"Password Recovery":["Odzyskiwanie hasła"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" nie zostało znalezione! "],"Invalid language!":["Nieprawidłowy język! "],"Hide panel on dashboard":["Ukryj panel w kokpicie"],"Default Space":["Domyślna strefa"],"Group Administrators":["Administratorzy grup"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Członkowie mogą tworzyć prywatne strefy"],"Members can create public spaces":["Członkowie mogą tworzyć publiczne strefy"],"Birthday":["Dzień urodzenia"],"City":["Miasto"],"Country":["Państwo"],"Custom":["Niestandardowa"],"Facebook URL":["URL Facebooka"],"Fax":["Faks"],"Female":["Kobieta"],"Firstname":["Imię"],"Flickr URL":["URL Flickr"],"Gender":["Płeć"],"Google+ URL":["URL Google+"],"Hide year in profile":["Ukryj rok w profilu"],"Lastname":["Nazwisko"],"LinkedIn URL":["URL LinkedIn"],"MSN":["MSN"],"Male":["Mężczyzna"],"Mobile":["Telefon komórkowy"],"MySpace URL":["URL MySpace"],"Phone Private":["Telefon prywatny"],"Phone Work":["Telefon do pracy"],"Skype Nickname":["Nick Skype"],"State":["Województwo "],"Street":["Ulica"],"Twitter URL":["URL Twittera"],"Url":["Url"],"Vimeo URL":["URL Vimeo"],"XMPP Jabber Address":["Adres XMPP Jabber"],"Xing URL":["URL Xing"],"Youtube URL":["URL YouTube"],"Zip":["Kod pocztowy "],"Created by":["Utworzone przez","Utworzona przez"],"Editable":["Możliwe do edycji"],"Field Type could not be changed!":["Typ pola nie może być zmieniany! "],"Fieldtype":["Typ pola"],"Internal Name":["Wewnętrzna nazwa"],"Internal name already in use!":["Wewnętrzna nazwa jest już w użyciu! "],"Internal name could not be changed!":["Wewnętrzna nazwa nie może być zmieniana! "],"Invalid field type!":["Nieprawidłowy typ pola! "],"LDAP Attribute":["Atrybut LDAP"],"Module":["Moduł"],"Only alphanumeric characters allowed!":["Dozwolone są tylko znaki alfanumeryczne! "],"Profile Field Category":["Kategorie pola profilu"],"Required":["Wymagane"],"Show at registration":["Pokaż w czasie rejestracji"],"Sort order":["Kolejność sortowania"],"Translation Category ID":["Identyfikator kategorii tłumaczenia"],"Type Config":["Konfiguracja typu"],"Visible":["Widzialne "],"Communication":["Komunikacja"],"Social bookmarks":["Zakładki społecznościowe"],"Datetime":["Data"],"Number":["Numer"],"Select List":["Lista wyboru"],"Text":["Tekst"],"Text Area":["Obszar tekstowy"],"%y Years":["%y lat"],"Birthday field options":["Ustawienia pola daty urodzenia "],"Date(-time) field options":["Ustawienia pola daty(-czasu)"],"Number field options":["Ustawienia pola numeru "],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Jeden na linię. Format Klucz=>Wartość (np. tak=>Tak)"],"Please select:":["Proszę wybierz: "],"Select field options":["Opcje pola wyboru "],"Text Field Options":["Opcje pola tekstowego "],"Text area field options":["Opcje pola obszaru tekstu "],"Authentication mode":["Tryb uwierzytelniania "],"New user needs approval":["Nowi użytkownicy wymagają zatwierdzenia"],"Wall":["Tablica "],"Change E-mail":["Zmień e-mail"],"Your e-mail address has been successfully changed to {email}.":["Twój adres e-mail został z powodzeniem zmieniony na {email}."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Właśnie wysłaliśmy e-mail z potwierdzeniem na twój nowy adres.
Proszę podążaj za instrukcjami które zawiera. "],"Change password":["Zmień hasło"],"Password changed":["Zamień hasło"],"Your password has been successfully changed!":["Twoje hasła zostało z powodzeniem zmienione! ","Twoje hasło z powodzeniem zostało zmienione!"],"Modify your profile image":["Modyfikuj swój obrazek profilowy"],"Delete account":["Usuń konto"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Czy jesteś pewny, że chcesz usunąć swoje konto?
Cała opublikowana treść zostanie usunięta! "],"Delete account":["Usuń konto"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Przepraszamy, jesteś właścicielem grupy roboczej i nie można usunąć twojego konta!
Proszę przydziel innego właściciela lub usuń ją. "],"User details":["Szczegóły użytkownika "],"User modules":["Moduły użytkownika"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Czy jesteś pewny? *WSZYSTKIE* dane modułu na twoim profilu zostaną usunięte! "],"Enhance your profile with modules.":["Rozszerz możliwości swojego profilu przy pomocy modułów. "],"User settings":["Ustawienia użytkownika"],"Getting Started":["Rozpocznij"],"Email Notifications":["Powiadomienia e-mailem"],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Otrzymuj e-maila za każdym razem kiedy inni użytkownicy obserwują się lub pracują
razem w grupach roboczych."],"Get an email, when other users comment or like your posts.":["Otrzymuj e-maila, kiedy użytkownicy komentują lub lubią twoje posty."],"Account registration":["Rejestracja konta "],"Your account has been successfully created!":["Twoje konto zostało z powodzeniem utworzone! "],"After activating your account by the administrator, you will receive a notification by email.":["Po aktywacji twojego konta przez administratora, otrzymasz powiadomienie na skrzynkę e-mail."],"Go to login page":["Przejdź do strony logowania"],"To log in with your new account, click the button below.":["Aby zalogować się na twoje nowe konto, kliknij poniższy przycisk. "],"back to home":["powróć do strony domowej "],"Please sign in":["Proszę zaloguj się "],"Sign up":["Zarejestruj się"],"Create a new one.":["Stwórz nowe. "],"Don't have an account? Join the network by entering your e-mail address.":["Czy nie masz konta? Dołącz do sieci poprzez wprowadzenie Twojego adresu e-mail. "],"Forgot your password?":["Zapomniałeś swojego hasła? "],"If you're already a member, please login with your username/email and password.":["Jeżeli już jesteś członkiem, proszę zaloguj się używając swojej nazwy użytkownika/e-maila i hasła. "],"Register":["Zarejestruj się "],"email":["e-mail "],"password":["hasło "],"username or email":["nazwa użytkownika lub e-mail "],"Password recovery":["Odzyskiwanie hasła"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Wprowadź swój adres e-mail. Wyślemy do ciebie instrukcje odzyskiwania hasła."],"Reset password":["Resetuj hasło"],"enter security code above":["wprowadź powyższy kod bezpieczeństwa "],"your email":["twój e-mail "],"We’ve sent you an email containing a link that will allow you to reset your password.":["Wysłaliśmy do ciebie e-mail zawierający link który pozwala zresetować twoje hasło. "],"Password recovery!":["Odzyskiwanie hasła!"],"Registration successful!":["Rejestracja przebiegła pomyślnie! "],"Please check your email and follow the instructions!":["Proszę sprawdź twój e-mail i podążaj za instrukcjami! "],"Password reset":["Reset hasła"],"Change your password":["Zmień swoje hasło"],"Change password":["Zmień hasło"],"Password changed!":["Hasło zmienione!"],"Confirm
your new email address":["Potwierdź
twój nowy adres e-mail"],"Confirm":["Potwierdź"],"Hello":["Cześć"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Wysłałeś prośbę o zmianę twojego adresu e-mail.
Twoim nowym adresem e-mail jest {newemail}.

Aby potwierdzić nowy adres e-mail proszę kliknij poniższy przycisk. "],"Hello {displayName}":["Cześć {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Ten link wygaśnie jeżeli nie użyjesz go w ciągu 24 godzin."],"Please use the following link within the next day to reset your password.":["Proszę użyj podanego linku w czasie doby aby zresetować swoje hasło."],"Reset Password":["Resetuj hasło"],"Sign up":["Zarejestruj się "],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Witaj w %appName%. Proszę kliknij poniższy przycisk aby rozpocząć proces rejestracji. "],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Sieć społecznościowa zwiększy twoją komunikację i pracę zespołową.
Zarejestruj się teraz aby dołączyć do tej strefy."],"You got a space invite":["Otrzymałeś zaproszenie do strefy"],"invited you to the space:":["zaprosił cię do strefy: "],"{userName} mentioned you in {contentTitle}.":["{userName} wspomniał o tobie w {contentTitle}."],"About this user":["O tym użytkowniku "],"Modify your title image":["Modyfikuj swój obrazek tytułowy"],"Account settings":["Ustawienia konta"],"Profile":["Profil"],"Edit account":["Edytuj konto"],"Following":["Obserwowani"],"Following user":["Obserwujący użytkownika"],"User followers":["Obserwowani przez użytkownika "],"Member in these spaces":["Członek stref"],"User tags":["Tagi użytkownika "],"No birthday.":["Nie ma urodzin."],"Back to modules":["Powrót do modułów"],"Birthday Module Configuration":["Konfiguracja modułu Birthday"],"The number of days future bithdays will be shown within.":["Liczba dni naprzód kiedy dzień urodzin będzie się wyświetlał. "],"Tomorrow":["Jutro"],"Upcoming":["Nadchodzące "],"You may configure the number of days within the upcoming birthdays are shown.":["Możesz skonfigurować liczbę dni kiedy będą pokazywane nadchodzące urodziny."],"becomes":["będzie miał"],"birthdays":["urodziny"],"days":["dni"],"today":["dzisiaj"],"years old.":["lat."],"Active":["Aktywuj"],"Mark as unseen for all users":["Oznacz jako nieprzeczytaną dla wszystkich użytkowników."],"Breaking News Configuration":["Konfiguracja Breaking News"],"Note: You can use markdown syntax.":["Przypis: Możesz użyć składni markdown."],"End Date and Time":["Data i czas zakończenia"],"Recur":["Powtarza się"],"Recur End":["Zakończenie powtarzania się "],"Recur Interval":["Przedział powtarzania się "],"Recur Type":["Typ powtarzania się "],"Select participants":["Wybierz uczestników"],"Start Date and Time":["Data i czas początku"],"You don't have permission to access this event!":["Nie masz uprawnień aby mieć dostęp do tego wydarzenia! "],"You don't have permission to create events!":["Nie masz uprawnień aby tworzyć wydarzenia! "],"Adds an calendar for private or public events to your profile and mainmenu.":["Dodaje kalendarz dla wydarzeń prywatnych lub publicznych do twojego profilu i głównego menu."],"Adds an event calendar to this space.":["Dodaje kalendarz wydarzeń do tej strefy."],"All Day":["Wszystkie dni"],"Attending users":["Użytkownicy biorący udział"],"Calendar":["Kalendarz "],"Declining users":["Użytkownicy nie biorący udziału"],"End Date":["Data zakończenia"],"End time must be after start time!":["Data zakończenia musi być po dacie początku! "],"Event":["Wydarzenie"],"Event not found!":["Nie znaleziono wydarzenia! "],"Maybe attending users":["Możliwi użytkownicy biorący udział"],"Participation Mode":["Tryb uczestnictwa"],"Start Date":["Data początku"],"You don't have permission to delete this event!":["Nie masz uprawnień aby usunąć to wydarzenie!"],"You don't have permission to edit this event!":["Nie masz uprawnień aby edytować to wydarzenie! "],"%displayName% created a new %contentTitle%.":["%displayName% utworzył nowe %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% chce wziąć udział w %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% może chce wziąć udział w %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% nie chce wziąć udziału w %contentTitle%."],"Start Date/Time":["Data/czas początku"],"Create event":["Utwórz wydarzenie"],"Edit event":["Edytuj wydarzenie"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Zauważ: To wydarzenie zostanie utworzone na twoim profilu. Aby utworzyć wydarzenie dla strefy otwórz kalendarz w wybranej strefie."],"End Date/Time":["Data/czas zakończenia"],"Everybody can participate":["Każdy może wziąć udział"],"No participants":["Brak biorących udział"],"Participants":["Uczestnicy"],"Created by:":["Utworzone przez:"],"Edit this event":["Edytuj to wydarzenie "],"I´m attending":["Biorę udział"],"I´m maybe attending":["Może biorę udział"],"I´m not attending":["Nie biorę udziału"],"Attend":["Wezmę udział"],"Maybe":["Może"],"Filter events":["Filtruj wydarzenia"],"Select calendars":["Wybierz kalendarze"],"Already responded":["Już odpowiedzieli"],"Followed spaces":["Obserwowane strefy"],"Followed users":["Obserwowani użytkownicy"],"My events":["Moje wydarzenia"],"Not responded yet":["Nie odpowiedzieli jeszcze "],"Upcoming events ":["Nadchodzące wydarzenia"],":count attending":[":count biorący udział"],":count declined":[":count nie biorący udziału"],":count maybe":[":count może biorący udział"],"Participants:":["Uczestnicy: "],"Create new Page":["Dodaj stronę"],"Custom Pages":["Własne strony"],"HTML":["HTML"],"IFrame":["IFrame"],"Link":["Odnośnik","Link"],"MarkDown":["Znaczniki MarkDown"],"Navigation":["Nawigacja"],"No custom pages created yet!":["Nie stworzono jeszcze własnych stron!"],"Sort Order":["Sortuj"],"Top Navigation":["Górna nawigacja"],"User Account Menu (Settings)":["Konto użytkownika (Ustawienia)"],"The item order was successfully changed.":["Z powodzeniem zmieniono kolejność elementów. "],"Toggle view mode":["Tryb widoku przełącznika "],"You miss the rights to reorder categories.!":["Utraciłeś prawa do zmiany kolejności kategorii! "],"Confirm category deleting":["Potwierdź usunięcie kategorii"],"Confirm link deleting":["Potwierdź usunięcie linku"],"Delete category":["Usuń kategorię "],"Delete link":["Usuń link"],"Do you really want to delete this category? All connected links will be lost!":["Czy naprawdę chcesz usunąć tę kategorię? Wszystkie powiązane linki zostaną usunięte. "],"Do you really want to delete this link?":["Czy naprawdę chcesz usunąć ten link?"],"Extend link validation by a connection test.":["Rozszerz walidację linku przez test połączenia. "],"Linklist":["Lista linków"],"Linklist Module Configuration":["Konfiguracja modułu Linklist"],"Requested category could not be found.":["Nie można znaleźć żądanej kategorii. "],"Requested link could not be found.":["Nie można znaleźć żądanego linku. "],"Show the links as a widget on the right.":["Po prawej stronie pokaż linki jako widget. "],"The category you want to create your link in could not be found!":["Nie można znaleźć kategorii do której chcesz utworzyć link! "],"There have been no links or categories added to this space yet.":["Do tej strefy nie ma jeszcze dodanych linków lub kategorii."],"You can enable the extended validation of links for a space or user.":["Możesz włączyć rozszerzoną walidację linków dla strefy lub użytkownika. "],"You miss the rights to add/edit links!":["Utraciłeś prawa do dodania lub edycji linków! "],"You miss the rights to delete this category!":["Utraciłeś prawa do usunięcia tej kategorii! "],"You miss the rights to delete this link!":["Utraciłeś prawa do usunięcia tego linku! "],"You miss the rights to edit this category!":["Utraciłeś prawa do edycji tej kategorii! "],"You miss the rights to edit this link!":["Utraciłeś prawa do edycji tego linku! "],"Messages":["Wiadomości "],"You could not send an email to yourself!":["Nie można wysłać e-maila do samego siebie! "],"Recipient":["Odbiorca "],"New message from {senderName}":["Nowa wiadomość od {senderName} "],"and {counter} other users":["i {counter} innych użytkowników "],"New message in discussion from %displayName%":["Nowa wiadomość w dyskusji od %displayName% "],"New message":["Nowa wiadomość "],"Reply now":["Odpowiedz teraz "],"sent you a new message:":["wysłał(a) do ciebie nową wiadomość: "],"sent you a new message in":["wysłał(a) do ciebie nową wiadomość w "],"Add more participants to your conversation...":["Dodaj więcej odbiorców do twojej konwersacji "],"Add user...":["Dodaj użytkownika... "],"New message":["Nowa wiadomość "],"Messagebox":["Skrzynka wiadomości "],"Inbox":["Skrzynka odbiorcza "],"There are no messages yet.":["Nie ma jeszcze wiadomości. "],"Write new message":["Napisz nową wiadomość "],"Add user":["Dodaj użytkownika "],"Leave discussion":["Opuść dyskusję "],"Write an answer...":["Napisz odpowiedź... "],"User Posts":["Posty użytkownika "],"Sign up now":["Zarejestruj się teraz "],"Show all messages":["Pokaż wszystkie wiadomości "],"Notes":["Notatki "],"Etherpad API Key":["Klucz API Etherpad"],"URL to Etherpad":["URL do Etherpad"],"Could not get note content!":["Nie można wczytać zawartości notatki! "],"Could not get note users!":["Nie można wczytać użytkowników notatki! "],"Note":["Notatka "],"{userName} created a new note {noteName}.":["{userName} utworzył nową notatkę {noteName}."],"{userName} has worked on the note {noteName}.":["{userName} pracował nad notatką {noteName}."],"API Connection successful!":["Z powodzeniem połączono z API!"],"Could not connect to API!":["Nie można połączyć się z API!"],"Current Status:":["Obecny status: "],"Notes Module Configuration":["Konfiguracja modułu notatek"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Proszę przeczytaj dokumentację modułu pod adresem /protected/modules/notes/docs/install.txt aby uzyskać więcej szczegółów!"],"Save & Test":["Zapisz i testuj"],"The notes module needs a etherpad server up and running!":["Moduł notatek wymaga pracującego serwera etherpad! "],"Save and close":["Zapisz i zamknij"],"{userName} created a new note and assigned you.":["{userName} utworzył nową notatkę i przydzielił ciebie. "],"{userName} has worked on the note {spaceName}.":["{userName} pracował nad notatką {spaceName}."],"Open note":["Otwórz notatkę "],"Title of your new note":["Tytuł nowej notatki "],"No notes found which matches your current filter(s)!":["Nie znaleziono notatek pasujących do obecnego filtru(-ów)!"],"There are no notes yet!":["Nie ma jeszcze notatek! "],"Polls":["Głosowania "],"Could not load poll!":["Nie można wczytać głosowania! "],"Invalid answer!":["Nieprawidłowa odpowiedź! "],"Users voted for: {answer}":["Użytkownicy głosowali na: {answer}"],"Voting for multiple answers is disabled!":["Głosowanie na wielokrotne odpowiedzi jest zabronione! "],"You have insufficient permissions to perform that operation!":["Masz niewystarczające uprawnienia aby przeprowadzić tę operację! "],"Answers":["Odpowiedzi"],"Multiple answers per user":["Wielokrotne odpowiedzi na użytkownika"],"Please specify at least {min} answers!":["Proszę określ przynajmniej {min} odpowiedzi! "],"Question":["Pytanie "],"{userName} voted the {question}.":["{userName} zagłosował {question}."],"{userName} created a new {question}.":["{userName} utworzył nowe {question}."],"User who vote this":["Użytkownicy którzy głosowali na to "],"{userName} created a new poll and assigned you.":["{userName} utworzył nowe głosowanie i przydzielił ciebie. "],"Ask":["Zapytaj"],"Reset my vote":["Resetuj mój głos"],"Vote":["Głos"],"and {count} more vote for this.":["i {count} więcej głosów."],"votes":["głosy "],"Allow multiple answers per user?":["Zezwól na wielokrotne odpowiedzi na użytkownika? "],"Ask something...":["Zapytaj o coś..."],"Possible answers (one per line)":["Możliwe odpowiedzi (jedna na linię)"],"Display all":["Pokaż wszystkie"],"No poll found which matches your current filter(s)!":["Nie znaleziono głosowania według kryteriów obecnego filtru(-ów)! "],"Asked by me":["Moje zapytanie"],"No answered yet":["Jeszcze nie odpowiedziano"],"Only private polls":["Tylko prywatne głosowania"],"Only public polls":["Tylko publiczne głosowania"],"Tasks":["Zadania "],"Could not access task!":["Nie można uzyskać dostępu do zadań! "],"{userName} assigned to task {task}.":["{userName} dołączył do zadania {task}."],"{userName} created task {task}.":["{userName} utworzył zadanie {task}."],"{userName} finished task {task}.":["{userName} zakończył zadanie {task}."],"{userName} assigned you to the task {task}.":["{userName} dołączył ciebie do zadania {task}."],"{userName} created a new task {task}.":["{userName} utworzył nowe zadanie {task}."],"This task is already done":["To zadanie już jest wykonane"],"You're not assigned to this task":["Nie zostałeś dołączony do zadania "],"Click, to finish this task":["Kliknij, aby zakończyć zadanie"],"This task is already done. Click to reopen.":["To zadanie jest już wykonane. Kliknij w celu ponowienia. "],"My tasks":["Moje zadania"],"From space: ":["Ze strefy: "],"No tasks found which matches your current filter(s)!":["Nie znaleziono zadań pasujących do obecnego filtru(-ów)!"],"There are no tasks yet!
Be the first and create one...":["Jeszcze nie ma żadnych zadań!
Bądź pierwszym który je utworzy..."],"Assigned to me":["Przypisane do mnie"],"Nobody assigned":["Nikogo nie przypisano"],"State is finished":["Stan zakończony"],"State is open":["Stan otwarty "],"What to do?":["Co jest do zrobienia? "],"Translation Manager":["Menadżer tłumaczeń "],"Translations":["Tłumaczenia "],"Translation Editor":["Edytor tłumaczeń "],"Allow":["Zezwól"],"Choose language:":["Wybierz język:"],"Default":["Domyślny","Domyślna"],"Deny":["Blokuj"],"Next":["Dalej"],"Please type at least 3 characters":["Wpisz przynajmniej 3 znaki"],"Login required":["Pole Login jest wymagane"],"An internal server error occurred.":["Wystąpił wewnętrzny błąd serwera"],"You are not allowed to perform this action.":["Nie masz uprawnień do przeprowadzenia tej operacji."],"Add image/file":["Dodaj obrazek/plik"],"Add link":["Dodaj odnośnik"],"Bold":["Pogrubienie"],"Code":["Kod"],"Enter a url (e.g. http://example.com)":["Wpisz url (n.p. http://example.com)"],"Heading":["Nagłówek"],"Image":["Obrazek"],"Image/File":["Obrazek/Plik"],"Insert Hyperlink":["Wstaw łącze"],"Insert Image Hyperlink":["Wstaw łącze obrazka"],"Italic":["Kursywa"],"List":["Lista"],"Please wait while uploading...":["Przesyłanie pliku..."],"Preview":["Podgląd"],"Quote":["Cytat"],"Target":["Cel"],"Title of your link":["Tytuł odnośnika"],"URL/Link":["URL/Odnośnik"],"code text here":["tutaj wpisz kod"],"emphasized text":["wyróżniony tekst"],"enter image description here":["wpisz opis obrazka"],"enter image title here":["wpisz tytuł obrazka"],"enter link description here":["wpisz opis odnośnika"],"heading text":["tekst nagłówka"],"list text here":["tutaj wpisz listę"],"quote here":["tutaj wpisz cytat"],"strong text":["pogrubiony tekst"],"Add purchased module by licence key":["Dodaj zakupiony moduł wprowadzając klucz licencyjny"],"Account Request for '{displayName}' has been approved.":["Konto dla '{displayName}' zostało zaakceptowane."],"Account Request for '{displayName}' has been declined.":["Konto dla '{displayName}' nie zostało zaakceptowane."],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["Dzień dobry {displayName},

\n\n Twoje konto zostało aktywowane.

\n\n Aby się zalogować, otwórz poniższy adres:
\n {loginURL}

\n\n Pozdrowienia,
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["Dzień dobry {displayName},

\n\n Twoja prośba o założenie konta została odrzucona.

\n\n Pozdrowienia,
\n {AdminName}

"],"E-Mail Address Attribute":["Atrybut adresu email"],"Fetch/Update Users Automatically":["Pobierz/Uaktualnij użytkowników automatycznie"],"Allow limited access for non-authenticated users (guests)":["Zezwól na ograniczony dostęp dla niezalogowanych użytkowników (gości)"],"Default user idle timeout, auto-logout (in seconds, optional)":["Domyślny czas bezczynności użytkownika, po którym zostanie wylogowany ( w sekundach, opcjonalnie)"],"Default user profile visibility":["Domyślna widoczność profilu użytkownika"],"Date input format":["Format daty"],"Logo upload":["Załaduj logo"],"Server Timezone":["Strefa czasowa serwera"],"Show sharing panel on dashboard":["Pokaż panel udostępniania na kokpicie"],"Show user profile post form on dashboard":["Pokaż formularz profilu użytkownika na kokpicie"],"Hide file info (name, size) for images on wall":["Ukryj informacje o pliku (nazwa, rozmiar) dla obrazków na ścianie"],"Hide file list widget from showing files for these objects on wall.":["Ukryj widget listy plików dla tych obiektów."],"Maximum preview image height (in pixels, optional)":["Maksymalna wysokość podglądu obrazka (w pikselach, opcjonalnie)"],"Maximum preview image width (in pixels, optional)":["Maksymalna szerokość podglądu obrazka (w pikselach, opcjonalnie)"],"Allow Self-Signed Certificates?":["Zezwalać na samo-podpisane certyfikaty?"],"No Proxy Hosts":["Brak Hostów Proxy"],"Server":["Serwer"],"Default Content Visiblity":["Domyślna widoczność treści"],"Security":["Bezpieczeństwo"],"No modules installed yet. Install some to enhance the functionality!":["Brak zainstalowanych modułów. Zainstaluj jakieś aby mieć nowe funkcje!"],"Version:":["Wersja:"],"No modules found!":["Nie znaleziono modułów!"],"No purchased modules found!":["Nie znaleziono zakupionych modułów!"],"search for available modules online":["szukaj dostępnych modułów online"],"All modules are up to date!":["Wszystkie moduły są aktualne!"],"Currently installed version: %currentVersion%":["Obecnie zainstalowana wersja: %currentVersion%"],"HumHub is currently in debug mode. Disable it when running on production!":["HumHub jest w trybie debugowania. Wyłącz go gdy udostępnisz stronę użytkownikom!"],"Licences":["Licencje"],"See installation manual for more details.":["Więcej informacji znajdziesz w instrukcji instalacji."],"There is a new update available! (Latest version: %version%)":["Dostępna jest aktualizacja! (Najnowsza wersja: %version%)"],"This HumHub installation is up to date!":["Ta instalacja HumHuba jest aktualna!"],"Purchases":["Zakupy"],"Module details":["Szczegóły modułu"],"Enable module...":["Włącz moduł..."],"Buy (%price%)":["Kup (%price%)"],"Installing module...":["Instaluję moduł..."],"Licence Key:":["Klucz licencyjny:"],"Updating module...":["Aktualizuję moduł..."],"There is a new HumHub Version (%version%) available.":["Dostępna jest nowa wersja HumHub - (%version%)."],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Minimalna wartość to 20 sekund. Jeśli puste, sesja zakończy się po 1400 sekundach (24 minuty) bez względu na aktywność."],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Właściwe tylko dla ograniczonego dostępu dla niezarejestrowanych użytkowników. Dotyczy jedynie nowych użytkowników."],"LDAP Attribute for E-Mail Address. Default: "mail"":["Atrybut LDAP dla adresu email. Domyślnie: "mail""],"Auto format based on user language - Example: {example}":["Auto-formatuj w oparciu o język użytkownika - przykład: {example}"],"Fixed format (mm/dd/yyyy) - Example: {example}":["Stały format (mm/dd/rrrr) - przykład: {example}"],"Comma separated list. Leave empty to show file list for all objects on wall.":["Lista elementów oddzielonych przecinkiem (csv). Zostaw puste aby pokazać listę plików dla wszystkich obiektów na ścianie."],"If not set, height will default to 200px.":["Jeśli puste to domyślna wysokość wyniesie 200px."],"If not set, width will default to 200px.":["Jeśli puste to domyślna szerokość wyniesie 200px."],"Confirm image deleting":["Potwierdź usunięcie obrazka"],"You're using no logo at the moment. Upload your logo now.":["Nie używasz logo. Prześlij teraz własne logo."],"Proxy settings":["Ustawienia Proxy"],"Last login":["Ostatnie logowanie"],"never":["nigdy"],"Proxy":["Serwer Proxy"],"Show %count% more comments":["Pokaż %count% kolejnych komentarzy"],"{displayName} created a new {contentTitle}.":["Nowy {contentTitle} został utworzony przez {displayName}.","{displayName} utworzył nowy {contentTitle}."],"No matches with your selected filters!":["Brak dopasowań dla wybranych filtrów!"],"Nothing here yet!":["Nic tu nie ma!"],"Add a member to notify":["Dodaj członka do powiadomienia"],"Make private":["Ustaw na prywatny"],"Make public":["Ustaw na publiczny"],"Notify members":["Powiadom członków"],"No public contents to display found!":["Nie znaleziono publicznie dostępnych treści!"],"Share your opinion with others":["Podziel się swoją opinią z innymi"],"Post a message on Facebook":["Dodaj wiadomość na Facebook"],"Share on Google+":["Podziel się na Google+"],"Share with people on LinkedIn ":["Podziel się z ludźmi na LinkedIn"],"Tweet about HumHub":["Tweetuj o HumHub"],"Group members - {group}":["Użytkownicy grupy - {group}"],"There are no profile posts yet!":["Nie ma postów profilowych!"],"See all":["Zobacz całość"],"Downloading & Installing Modules...":["Pobieranie i instalowanie modułów..."],"Calvin Klein – Between love and madness lies obsession.":["Calvin Klein – Pomiędzy miłością a obłędem znajduje się obsesja."],"Create Admin Account":["Utwórz konto Administratora"],"Nike – Just buy it. ;Wink;":["Nike – Just buy it. ;Wink;"],"We're looking for great slogans of famous brands. Maybe you can come up with some samples?":["Poszukujemy wspaniałych sloganów znanych marek. Może Ty coś wymyślisz?"],"Welcome Space":["Strefa Powitalna"],"Yay! I've just installed HumHub ;Cool;":["Hurra! Właśnie zainstalowałem HumHub ;Cool;"],"Your first sample space to discover the platform.":["Twoja pierwsza, przykładowa strefa do odkrywania platformy."],"Name of your network":["Nazwa Twojej sieci"],"Name of Database":["Nazwa bazy danych"],"Set up example content (recommended)":["Wstaw przykładowe treści (rekomendowane)"],"Allow access for non-registered users to public content (guest access)":["Zezwalaj na dostęp niezarejestrowanych użytkowników do treści publicznych (dostęp dla gości)"],"External user can register (The registration form will be displayed at Login))":["Zewnętrzny użytkownik może się zarejestrować (Formularz rejestracyjny będzie wyświetlany przy logowaniu)"],"Newly registered users have to be activated by an admin first":["Nowo zarejestrowani użytkownicy muszą zostać aktywowani przez administratora"],"Registered members can invite new users via email":["Zarejestrowani użytkownicy mogą zapraszać nowych poprzez email"],"I want to use HumHub for:":["Chcę używać HumHub do:"],"Admin Account":["Konto Administratora"],"You're almost done. In this step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Prawie gotowe. Wypełnij formularz dla utworzenia konta Administratora. Tym kontem można zarządzać całą siecią."],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Oczywiście Twoja nowa sieć potrzebuje nazwy. Zamień domyślną nazwę na własną. (na przykład nazwę firmy, organizacji czy klubu)"],"Social Network Name":["Nazwa sieci społecznościowej"],"Congratulations. You're done.":["Gratulacje. Wszystko zrobione."],"The installation completed successfully! Have fun with your new social network.":["Instalacja zakończona sukcesem! Dobrej zabawy z nową siecią społecznościową."],"HumHub is very flexible and can be adjusted and/or expanded for various different applications thanks to its’ different modules. The following modules are just a few examples and the ones we thought are most important for your chosen application.

You can always install or remove modules later. You can find more available modules after installation in the admin area.":["HumHub jest bardzo elastyczny. Możesz dostosowywać lub/i poszerzać jego funkcje za sprawą różnych modułów. Następujące moduły to tylko kilka przykładów najciekawszych według nas aplikacji.

Zawsze możesz dodać lub odinstalować moduły później. Więcej modułów znajdziesz w strefie administracyjnej zaraz po instalacji."],"Recommended Modules":["Rekomendowane ModułyM/strong>"],"Example contents":["Przykładowe treści."],"To avoid a blank dashboard after your initial login, HumHub can install example contents for you. Those will give you a nice general view of how HumHub works. You can always delete the individual contents.":["Aby uniknąć pustego kokpitu zaraz po pierwszym zalogowaniu, HumHub może zainstalować przykładowe treści. Przybliży Ci to ogólną zasadę działania HumHub. W każdym momencie możesz usunąć poszczególne treści."],"Here you can decide how new, unregistered users can access HumHub.":["Zadecyduj jak nowi, niezarejestrowani użytkownicy mogą korzystać z HumHub."],"Security Settings":["Ustawienia Bezpieczeństwa"],"Configuration":["Konfiguracja"],"My club":["Mój klub"],"My community":["Moja społeczność"],"My company (Social Intranet / Project management)":["Moja firma (Intranet / Zarządzanie projektami)"],"My educational institution (school, university)":["Moja instytucja edukacyjna (szkoła, uniwersytet)"],"Skip this step, I want to set up everything manually":["Pomiń ten krok aby skonfigurować wszystko manualnie"],"To simplify the configuration, we have predefined setups for the most common use cases with different options for modules and settings. You can adjust them during the next step.":["Aby ułatwić konfigurację, zdefiniowaliśmy wstępnie ustawienia dla najbardziej popularnych zastosowań, wraz z oddzielnymi ustawieniami dla modułów i konfiguracji. Możesz je poprawić w następnym kroku."],"Welcome to HumHub
Your Social Network Toolbox":["Witaj w HumHub
Szwajcarskim scyzoryku Twojej Sieci Społecznościowej"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Ten kreator pomoże Ci skonfigurować własną instalację HumHub.

Aby kontynuować naciśnij \"Dalej\"."],"Database Configuration":["Konfiguracja Bazy danych"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["Wprowadź szczegóły połączenia z bazą danych. Jeśli nie masz co do nich pewności, skontaktuj się z administratorem Twojego serwera."],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["Nazwa hosta dla twojego serwera MySQL. (np. localhost jeśli MySQL działa na tej samej maszynie)"],"Initializing database...":["Inicjalizuję bazę danych..."],"Ohh, something went wrong!":["Upss, coś poszło nie tak!"],"The name of the database you want to run HumHub in.":["Nazwa bazy danych dla HumHub"],"Your MySQL password.":["Hasło MySQL"],"Your MySQL username":["użytkownik MySQL"],"System Check":["Zbadaj System"],"Check again":["Zbadaj ponownie"],"Congratulations! Everything is ok and ready to start over!":["Gratulacje! Wszystko jest w porządku i gotowe do startu!"],"This overview shows all system requirements of HumHub.":["To podsumowanie prezentuje wszystkie wymagania systemowe HumHub."],"You":["Ty"],"You like this.":["Ty to lubisz."],"Search results":["Wyniki wyszukiwania"],"Advanced search settings":["Zaawansowane ustawienia wyszukiwania"],"Content":["Treść"],"Search for user, spaces and content":["Szukaj użytkownika, strefy i treści"],"Search only in certain spaces:":["Wyszukaj tylko w wybranych strefach:"],"Private":["Prywatna"],"Public (Members & Guests)":["Publiczna (Członkowie i Goście)"],"Public (Members only)":["Publiczna (Tylko członkowie)"],"Public (Registered users only)":["Publiczna (Tylko zarejestrowani)"],"Visible for all (members and guests)":["Widoczne dla wszystkich (użytkownicy i goście)"],"You need to login to view contents of this space!":["Aby oglądać treści w tej strefie, musisz się zalogować!"],"Members":["Członkowie"],"Change Owner":["Zmień Właściciela"],"General settings":["Ustawienia główne"],"Security settings":["Ustawienia bezpieczeństwa"],"As owner of this space you can transfer this role to another administrator in space.":["Jako właściciel tej strefy możesz przenieść tę funkcję na innego administratora w strefie."],"Color":["Kolor"],"Transfer ownership":["Przenieś właścicielstwo"],"Add {n,plural,=1{space} other{spaces}}":["Dodaj {n,plural,=1{strefę} other{strefy}}"],"Choose if new content should be public or private by default":["Wybierz czy nowe treści mają być domyślnie publiczne czy prywatne"],"Manage members":["Zarządzaj członkami"],"Manage permissions":["Zarządzaj pozwoleniami"],"Pending approvals":["Akceptacje w toku"],"Pending invitations":["Zaproszenia w toku"],"Add Modules":["Dodaj Moduły"],"You are not member of this space and there is no public content, yet!":["Nie jesteś członkiem tej strefy i nie ma tutaj jeszcze żadnych publicznych treści!"],"Done":["Zrobione"],"New user?":["Nowy użytkownik?"],"User has become a member.":["Użytkownik został członkiem"],"User has been invited.":["Użytkownik został zaproszony"],"User has not been invited.":["Użytkownik nie został zaproszony"],"":[""],"Cancel Membership":["Anuluj Członkowstwo"],"Hide posts on dashboard":["Ukryj wpisy na kokpicie"],"Show posts on dashboard":["Pokaż wpisy na kokpicie"],"This option will hide new content from this space at your dashboard":["Ta opcja ukryje nowe treści dla tej strefy na Twoim kokpicie"],"This option will show new content from this space at your dashboard":["Ta opcja pokaże nowe treści dla tej strefy na Twoim kokpicie"],"Do you really want to delete your title image?":["Na pewno chcesz usunąć obrazek tytułowy?","Czy na pewno chcesz usunąć obrazek tytułowy?"],"Do you really want to delete your profile image?":["Na pewno chcesz usunąć obrazek profilowy?","Czy na pewno usunąć obrazek profilowy?"],"Posts":["Wpisy"],"more":["więcej"],"Drag a photo here or click to browse your files":["Przeciągnij tu zdjęcie lub kliknij aby przeglądać pliki komputera"],"Hide my year of birth":["Ukryj rok urodzenia"],"Howdy %firstname%, thank you for using HumHub.":["Uszanowanie %firstname%, dziękujemy za używanie HumHub."],"You are the first user here... Yehaaa! Be a shining example and complete your profile,
so that future users know who is the top dog here and to whom they can turn to if they have questions.":["Jesteś tu pierwszym użytkownikiem... Taaaak! Daj wzorowy przykład i uzupełnij swój profil,
tak aby kolejni wiedzieli kto tu rządzi i do kogo można się zwrócić w razie pytań."],"Your firstname":["Imię"],"Your lastname":["Nazwisko"],"Your mobild phone number":["Numer telefonu komórkowego"],"Your phone number at work":["Numer telefonu w pracy"],"Your skills, knowledge and experience (comma seperated)":["Twoje umiejętności, wiedza i doświadczenie (oddzielone przecinkami)"],"Your title or position":["Stanowisko lub tytuł"],"Confirm new password":["Potwierdź nowe hasło"],"This user account is not approved yet!":["Konto tego użytkownika nie jest jeszcze zatwierdzone!"],"You need to login to view this user profile!":["Aby zobaczyć ten profil użytkownika, musisz się zalogować!"],"E-Mail is already in use! - Try forgot password.":["Ten e-mail jest już w użyciu! - Spróbuj opcji przywracania hasła. "],"Profile visibility":["Widoczność profilu"],"TimeZone":["Strefa czasowa"],"Show date/time picker":["Pokaż okienko wyboru daty/czasu"],"Maximum value":["Maksymalna wartość"],"Minimum value":["Minimalna wartość"],"Possible values":["Dopuszczalne wartości"],"Default value":["Domyślna wartość"],"Maximum length":["Maksymalna długość"],"Minimum length":["Minimalna długość"],"Regular Expression: Error message":["Wyrażenie regularne: komunikat błędu"],"Regular Expression: Validator":["Wyrażenie regularne: walidator"],"Validator":["Walidator"],"Current E-mail address":["Aktualny adres e-mail"],"Enter your password to continue":["Aby kontynuować wprowadź hasło"],"Registered users only":["Tylko dla zarejestrowanych"],"Visible for all (also unregistered users)":["Widoczne dla wszystkich (również nie zarejestrowanych)"],"Desktop Notifications":["Powiadomienia na Pulpicie"],"Get a desktop notification when you are online.":["Otrzymuj powiadomienia na pulpicie, jeśli jesteś online."],"Create Account":["Utwórz konto"],"Remember me":["Zapamiętaj mnie"],"Password recovery":["Odzyskiwanie hasła"],"Registration successful":["Zarejestrowano pomyślnie!"],"Password reset":["Resetowanie hasła"],"Registration Link":["Odnośnik rejestracyjny"],"
A social network to increase your communication and teamwork.
Register now\nto join this space.":["
Sieć społecznościowa wspomaga komunikację i pracę zespołową.
Zarejestruj się teraz aby dołączyć do strefy."],"Space Invite":["Zaproszenie do strefy"],"{userName} is now following you.":["{userName} zaczął Cię obserwować."],"This profile stream is still empty!":["Ten profil nie ma jeszcze treści!"],"Do you really want to delete your logo image?":["Czy na pewno usunąć logo?"],"End Time":["Koniec"],"Start Time":["Początek"],"Edit event":["Edytuj wydarzenie"]," The folder %filename% could not be saved.":["Nie można zapisać katalogu %filename%."],"%filename% has invalid extension and was skipped.":["%filename% ma nieprawidłowe rozszerzenie i został pominięty."],"%title% was replaced by a newer version.":["%title% zastąpiono nowszą wersją."],"/ (root)":["/ (root)"],"Confirm delete file":["Potwierdź usunięcie pliku"],"Create folder":["Utwórz nowy folder"],"Edit folder":["Edytuj katalog"],"Move files":["Przenieś pliki"],"A folder with this name already exists":["Katalog o takiej nazwie już istnieje"],"Add directory":["Dodaj katalog"],"Add file(s)":["Dodaj Plik(i)"],"Adds an file module to this space.":["Dodaje moduł plików do tej strefy"],"Adds files module to your profile.":["Dodaje moduł plików do twojego profilu"],"All posted files":["Wszystkie opublikowane pliki"],"Archive %filename% could not be extracted.":["Nie można rozpakować %filename%."],"Archive folder":["Archiwizuj katalog"],"Archive selected":["Archiwizuj zaznaczone"],"Could not save file %title%. ":["Nie można zapisać %title%.","Nie można zapisać pliku %title%."],"Creator":["Właściciel"],"Do you really want to delete this %number% item(s) wit all subcontent?":["Czy na pewno usunąć %number% elementów wraz z zawartością?"],"Download":["Pobierz"],"Download .zip":["Pobierz .zip"],"Download zip":["Pobierz ZIP"],"Edit directory":["Edytuj katalog"],"Enable Zip Support":["Włącz obsługę Zip"],"Files Module Configuration":["Konfiguracja Modułu Plików"],"Folder":["Katalog"],"Folder options":["Opcje katalogu"],"Insufficient rights to execute this action.":["Brak wystarczających uprawnień do wykonania tej operacji."],"Invalid parameter.":["Błędny parametr."],"Move":["Przenieś"],"Move file":["Przenieś plik"],"Move folder":["Przenieś katalog"],"Moving to the same folder is not valid. Choose a valid parent folder for %title%.":["Przenoszenie do tego samego katalogu jest niemożliwe. Wybierz poprawny katalog nadrzędny dla %title%."],"No valid items were selected to move.":["Nie zaznaczono poprawnych elementów do przeniesienia."],"Open":["Otwórz"],"Opening archive failed with error code %code%.":["Otwarcie archiwum spowodowało błąd. Kod błędu: %code%."],"Please select a valid destination folder for %title%.":["Wybierz poprawne miejsce docelowe dla %title%."],"Selected items...":["Zaznaczone obiekty..."],"Should not start or end with blank space.":["Bez białych znaków na początku i końcu."],"Show":["Pokaż"],"Show Image":["Pokaż Obrazek"],"Show Post":["Pokaż Post"],"The archive could not be created.":["Nie można było utworzyć archiwum."],"The folder %filename% already exists. Contents have been overwritten.":["Katalog %filename% jest już utworzony. Zawartość została nadpisana."],"The folder with the id %id% does not exist.":["Katalog o ID %id% nie istnieje."],"This folder is empty.":["Katalog jest pusty."],"Unfortunately you have no permission to upload/edit files.":["Niestety nie masz uprawnień do przesyłania/edycji plików."],"Updated":["Zaktualizowane"],"Upload":["Prześlij"],"Upload .zip":["Prześlij .zip"],"Upload files or create a subfolder with the buttons on the top.":["Prześlij pliku lub utwórz podkatalog za pomocą przycisków na górze."],"Upload files to the stream to fill this folder.":["Prześlij pliki na strumień aby wypełnić katalog zawartością."],"Zip support is not enabled.":["Wsparcie Zip nie jest włączone."],"root":["root"],"Without adding to navigation (Direct link)":["Bez dodawania do nawigacji (odnośnik bezpośredni)"],"Create page":["Utwórz stronę"],"Edit page":["Edytuj stronę"],"Default sort orders scheme: 100, 200, 300, ...":["Domyślna kolejność sortowania: 100, 200, 300, ..."],"Page title":["Tytuł strony"],"URL":["URL"],"Add Dropbox files":["Dodaj pliki z Dropbox"],"Invalid file":["Nieprawidłowy plik"],"Dropbox API Key":["Klucz API Dropbox"],"Show warning on posting":["Pokaż ostrzeżenie przy publikacji"],"Dropbox post":["Wpis typu Dropbox"],"Dropbox Module Configuration":["Konfiguracja modułu Dropbox"],"The dropbox module needs active dropbox application created! Please go to this site, choose \"Drop-ins app\" and provide an app name to get your API key.":["Moduł Dropbox wymaga utworzenia aktywnej aplikacji dropbox-owej! Przejdź na tę stronę. Wybierz \"Drop-ins app\" a następnie wpisz nazwę aplikacji aby uzyskać klucz do API."],"Dropbox settings":["Ustawienia Dropbox"],"Describe your files":["Opis dla Twoich plików"],"Sorry, the Dropbox module is not configured yet! Please get in touch with the administrator.":["Przepraszamy, moduł Dropbox nie jest jeszcze skonfigurowany! Skontaktuj się z Administratorem."],"The Dropbox module is not configured yet! Please configure it here.":["Moduł Dropbox nie jest jeszcze skonfigurowany! Zmień ustawienia tutaj."],"Select files from dropbox":["Wybierz pliki z Dropbox"],"Attention! You are sharing private files":["Uwaga! Udostępniasz prywatne pliki"],"Do not show this warning in future":["Nie pokazuj tego komunikatu w przyszłości"],"The files you want to share are private. In order to share files in your space we have generated a shared link. Everyone with the link can see the file.
Are you sure you want to share?":["Pliki, którymi chcesz się podzielić są prywatne. Aby się nimi podzielić w strefach, wygenerowaliśmy odnośnik udostępniania. Każda osoba z odnośnikiem może zobaczyć plik.
Czy na pewno chcesz udostępnić? "],"Yes, I'm sure":["Tak, jestem pewien."],"Enterprise Edition Trial Period":["Edycja Enterprise Okres Testowy"],"Invalid Enterprise Edition Licence":["Niepoprawna Licencja Edycji Enterprise"],"Register Enterprise Edition":["Zarejestruj Edycję Enterprise"],"Unregistered Enterprise Edition":["Niezarejestrowana Edycja Enterprise"],"Enterprise Edition":["Edycja Enterprise"],"Please enter your HumHub - Enterprise Edition licence key below. If you don't have a licence key yet, you can obtain one at %link%.":["Wprowadź proszę poniżej Twój klucz licencyjny dla HumHub - Edycja Enterprise. Jeśli nie masz klucza licencyjnego, możesz go uzyskać pod adresem %link%."],"Please register this HumHub - Enterprise Edition!":["Proszę, zarejestruj HumHub - Edycja Enterprise!"],"Please update this HumHub - Enterprise Edition licence!":["Proszę, uaktualnij licencję dla HumHub - Edycja Enterprise!"],"Registration successful!":["Rejstracja zakończona powodzeniem!"],"Validating...":["Waliduję..."],"You have {daysLeft} days left in your trial period.":["Pozostało {daysLeft} dni do końca okresu testowego."],"Enterprise Edition Licence":["Licencja Edycji Enterprise"],"Licence Serial Code":["Numer Seryjny Licencji"],"Please specify your Enterprise Edition Licence Code below, you can also leave it blank to start a 14 days trial.":["Wprowadź proszę Twój klucz licencyjny Edycji Enterprise, możesz także zostawić to pole puste aby rozpocząć 14-dniowy okres próbny."],"Create new ldap mapping":["Utwórz nowe mapowanie ldap"],"Edit ldap mapping":["Edytuj mapowanie ldap"],"LDAP member mapping":["Mapowanie użytkowników LDAP"],"Create new mapping":["Utwórz nowe mapowanie"],"Space ID":["ID Strefy"]," %itemTitle%":[" %itemTitle%"],"Change type":["Zmień typ"],"Create new %typeTitle%":["Utwórz nowy %typeTitle%"],"Create new space type":["Utwórz nowy typ strefy"],"Delete space type":["Usuń ten typ strefy"],"Edit space type":["Edytuj ten typ strefy"],"Manage space types":["Zarządzaj typami stref"],"Create new type":["Utwórz nowy typ"],"To delete the space type \"{type}\" you need to set an alternative type for existing spaces:":["Aby usunąć typ strefy \"{type}\" musisz ustawić alternatywny typ dla istniejących stref:"],"Types":["Typy"],"e.g. Project":["np. Projekt"],"e.g. Projects":["np. Projekty"],"Sorry! User Limit reached":["g>Przepraszamy!
limit użytkowników został osiągnięty"],"Administrative Contact":["Kontakt Administracyjny"],"Advanced Options":["Zaawansowane Opcje"],"Custom Domain":["Niestandardowa doemna"],"Datacenter":["Datacenter"],"Delete instance":["Usuń instancję"],"Export data":["Eksportuj dane"],"SFTP":["SFTP"],"Support / Get Help":["Wsparcie / Pomoc"],"There are currently no further user registrations possible due to maximum user limitations on this hosted instance!":["Nie możliwości rejestracji nowych użytkowników z uwagi na przekroczony ich limit w tej instancji hostingu."],"Your plan":["Twój plan"],"Added a new link %link% to category \"%category%\".":["Dodano nowy odnośnik %link% do kategorii \"%category%\"."],"No description available.":["Brak opisu."],"list":["lista"],"Choose a thumbnail":["Wybierz miniaturkę"],"You cannot send a email to yourself!":["Nie możesz wysłać wiadomości do samego siebie!"],"Add recipients":["Dodaj odbiorców"],"Edit message entry":["Edytuj treść wiadomości"],"Confirm deleting conversation":["Potwierdź usunięcie rozmowy"],"Confirm leaving conversation":["Potwierdź opuszczenie rozmowy"],"Confirm message deletion":["Potwierdź usunięcie wiadomości"],"Delete conversation":["Usuń rozmowę"],"Do you really want to delete this conversation?":["Na pewno chcesz usunąć rozmowę?"],"Do you really want to delete this message?":["Na pewno chcesz usunąć wiadomość?"],"Do you really want to leave this conversation?":["Na pewno chcesz opuścić rozmowę?"],"Leave":["Opuść"],"Leave conversation":["Opuść rozmowę"],"Send message":["Wyślij wiadomość"],"Adds a meeting manager to this space.":["Dodaje menadżera spotkań do tej strefy."],"Agenda Entry":["Plan spotkania"],"Format has to be HOUR : MINUTE":["Musi być w formacie GODZINA : MINUTA"],"Meeting":["Spotkanie"],"Meetings":["Spotkania"],"Begin":["Początek"],"Date":["Data"],"End":["Koniec"],"Location":["Miejsce"],"Room":["Pokój"],"Minutes":["Minut"],"End must be after begin":["Koniec musi nastąpić po początku"],"No valid time":["Brak poprawnego czasu"],"Back to overview":["Wróć do omówienia"],"Create new task":["Utwórz nowe zadanie","Utwórz zadanie"],"Assign users":["Przypisz uczestników","Przypisz użytkowników"],"Assign users to this task":["Przypisz uczestników do tego zadania","Przypisz użytkowników do tego zadania"],"Deadline":["Termin końcowy"],"Deadline for this task?":["Termin końcowy dla tego zadania?","Termin końcowy zadania?"],"Preassign user(s) for this task.":["Przypisz wstępnie uczestnika(ów) do tego zadania","Przypisz wstępnie użytkowników do tego zadania."],"Task description":["Opis zadania"],"What is to do?":["Co jest do zrobienia?"],"Confirm meeting deleting":["Potwierdź usunięcie spotkania"],"Create new meeting":["Utwórz nowe spotkanie"],"Edit meeting":["Edytuj spotkanie"],"Add external participants (free text)":["Dodaj zewnętrznych uczestników (otwarty tekst)"],"Add participant":["Dodaj uczestnika"],"Add participants":["Dodaj uczestników"],"Do you really want to delete this meeting?":["Na pewno usunąć to spotkanie?"],"External participants":["Zewnętrzni uczestnicy"],"Title of your meeting":["Tytuł twojego spotkania"],"hh:mm":["gg:mm"],"Confirm entry deleting":["Potwierdź usunięcie wpisu"],"Create new entry":["Utwórz nowy wpis"],"Edit entry":["Edytuj wpis"],"Add external moderators (free text)":["Dodaj zewnętrznych moderatorów (otwarty tekst)"],"Add moderator":["Dodaj moderatora"],"Do you really want to delete this entry?":["Na pewno usunąć ten wpis?"],"External moderators":["Zewnętrzni moderatorzy"],"Title of this entry":["Tytuł tego wpisu"],"Edit Note":["Edytuj notatkę"],"Note content":["Treść notatki"],"Meeting details: %link%":["Szczegóły spotkania: %link%"],"Next meetings":["Przyszłe spotkania"],"Past meetings":["Przeszłe meetings"],"Add a protocol":["Dodaj protokół"],"Add a task":["Dodaj zadanie"],"Create your first agenda entry by clicking the following button.":["Utwórz swój pierwszy plan spotkania klikając ten przycisk."],"Moderators":["Moderatorzy"],"New agenda entry":["Nowy plan spotkania"],"New meeting":["Nowe spotkanie"],"Print agenda":["Drukuj plan"],"Protocol":["Protokół"],"Share meeting":["Podziel się spotkaniem"],"Start now, by creating a new meeting!":["Zacznij już teraz, tworząc nowe spotkanie!"],"Today":["Dzisiaj"],"Unfortunately, there was no entry made until now.":["Niestety, nie było wpisu aż do teraz."],"Share meeting":["Podziel się spotkaniem"],"Add to your calendar and invite participants":["Dodaj do kalendarza i zaproś członków"],"Add to your personal calendar":["Dodaj do osobistego kalendarza"],"Export ICS":["Wyeksportuj ICS"],"Send notifications to all participants":["Wyślij powiadomienia do wszystkich uczestników"],"Send now":["Wyślij teraz"],"Sends internal notifications to all participants of the meeting.":["Wyślij wewnętrzne powiadomienia do wszystkich uczestników spotkania."],"This will create an ICS file, which adds this meeting only to your private calendar.":["Ta opcja wygeneruje plik ICS, który doda to spotkanie do Twojego prywatnego kalendarza."],"This will create an ICS file, which adds this meeting to your personal calendar, invite all other participants by email and waits for their response.":["Ta opcja wygeneruje plik ICS, który doda to spotkanie do Twojego prywatnego kalendarza, zaprosi wszystkich uczestników poprzez email i poczeka na ich odpowiedź."],"{userName} invited you to {meeting}.":["{userName} zaprosił Cię do wzięcia udziału w {meeting}."],"This task is related to %link%":["To zadanie jest powiązane z %link%"],"Get details...":["Zobacz szczegóły..."],"Most active people":["Najbardziej aktywni ludzie"],"Get a list":["Pobierz listę"],"Most Active Users Module Configuration":["Konfiguracja modułu Najbardziej Aktywnych Użytkowników"],"The number of most active users that will be shown.":["Liczba najbardziej aktywnych użytkowników."],"You may configure the number users to be shown.":["Możesz ustawić liczbę użytkowników do wyświetlenia."],"Comments created":["Utworzone komentarze"],"Likes given":["Ilość polubień"],"Posts created":["Wpisy utworzone"],"Could not get note users! ":["Nie można wczytać notatki użytkowników! "],"Anonymous poll!":["Głosowanie anonimowe!"],"Again? ;Weary;":["Znowu? ;Weary;"],"Right now, we are in the planning stages for our next meetup and we would like to know from you, where you would like to go?":["Planujemy właśnie etapy naszego kolejnego spotkania, chcemy się dowiedzieć gdzie chcesz się spotkać?"],"Why don't we go to Bemelmans Bar?":["Dlaczego nie skoczymy do Baru Mlecznego?"],"{userName} answered the {question}.":["{userName} odpowiedział(a) na {question}."],"Anonymous":["Anonimowo"],"Closed":["Zamknięte"],"Add answer...":["Dodaj odpowiedź..."],"Anonymous Votes?":["Głosy anonimowe?"],"Display answers in random order?":["Wyświetlaj odpowiedzi w losowej kolejności?"],"Edit answer (empty answers will be removed)...":["Edytuj odpowiedź (puste odpowiedzi zostaną usunięte)..."],"Edit your poll question...":["Edytuj pytanie głosowania..."],"There are no polls yet!":["Nie ma jeszcze sondy!"],"There are no polls yet!
Be the first and create one...":["Nie ma jeszcze sondy!
Bądź pierwszy i utwórz jedną..."],"Manage reported posts":["Zarządzaj zgłoszonymi treściami"],"Reported posts":["Zgłoszone treści"],"Why do you want to report this post?":["Dlaczego chcesz zgłosić tę treść?"],"by :displayName":["przez :displayName"],"created by :displayName":["utworzone przez :displayName"],"Doesn't belong to space":["Nie należy do strefy"],"Offensive":["Obraźliwe"],"Spam":["Spam"],"Here you can manage reported users posts.":["W tym miejscu możesz zarządzać zgłoszonymi treściami."],"An user has reported your post as offensive.":["Użytkownik zgłosił Twoją treść jako obraźliwą."],"An user has reported your post as spam.":["Użytkownik zgłosił Twoją treść jako spam."],"An user has reported your post for not belonging to the space.":["Użytkownik zgłosił Twoją treść jako nie należącą do strefy."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% zgłosił %contentTitle% jako obraźliwe."],"%displayName% has reported %contentTitle% as spam.":["%displayName% zgłosił %contentTitle% jako spam."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% zgłosił %contentTitle% jako nie pasujące do strefy."],"Here you can manage reported posts for this space.":["W tym miejscu możesz zarządzać zgłoszonymi treściami dla tej strefy."],"Confirm post deletion":["Potwierdź usunięcie treści"],"Confirm report deletion":["Potwierdź usunięcie zgłoszenie"],"Delete post":["Usuń treść"],"Delete report":["Usuń zgłoszenie"],"Do you really want to delete this report?":["Czy na pewno usunąć to zgłoszenie?"],"Reason":["Powód"],"Reporter":["Zgłaszający"],"There are no reported posts.":["Brak zgłoszonych treści."],"Does not belong to this space":["To nie należy do tej strefy"],"Help Us Understand What's Happening":["Pomóż nam zrozumieć co się dzieje"],"It's offensive":["To jest obraźliwe"],"It's spam":["To jest spam"],"Report post":["Zgłoś treść"],"API ID":["API ID"],"Allow Messages > 160 characters (default: not allowed -> currently not supported, as characters are limited by the view)":["Zezwalaj na wiadomości > 160 znaków (domyślnie: niedozwolone -> obecnie nie wspierane, gdyż znaki są limitowane przez widok)"],"An unknown error occurred.":["Wystąpił nieznany błąd"],"Body too long.":["Treść zbyt długa"],"Body too too short.":["Treść zbyt krótka"],"Characters left:":["Zostało znaków:"],"Choose Provider":["Wybierz dostawcę"],"Could not open connection to SMS-Provider, please contact an administrator.":["Nie można było nawiązać połączenia z dostawcą SMS. Skontaktuj się z administratorem."],"Gateway Number":["Numer bramki"],"Gateway isn't available for this network.":["Bramka nie dostępna dla tej sieci."],"Insufficent credits.":["Brak środków."],"Invalid IP address.":["Nieprawidłowy adres IP"],"Invalid destination.":["Nieprawidłowe przeznaczenie"],"Invalid sender.":["Nieprawidłowy nadawca"],"Invalid user id and/or password. Please contact an administrator to check the module configuration.":["Nieprawidłowy użytkownik i/lub hasło. Skontaktuj się z administratorem."],"No sufficient credit available for main-account.":["Brak wystarczających środków na koncie głównym."],"No sufficient credit available for sub-account.":["Brak wystarczających środków na subkoncie."],"Provider is not initialized. Please contact an administrator to check the module configuration.":["Dostawca nie jest zainicjowany. Skontaktuj się z administratorem."],"Receiver is invalid.":["Nieprawidłowy odbiorca"],"Receiver is not properly formatted, has to be in international format, either 00[...], or +[...].":["Odbiorca nie jest poprawnie sformatowany, numer musi być w formacie międzynarodowym, np. 00[,,.] lub +[...]"],"Reference tag to create a filter in statistics":["Tag referencyjny dla filtra statystyk"],"Route access violation.":["Pogwałcenie dostępu do trasy."],"SMS Module Configuration":["Konfiguracja modułu SMS."],"SMS has been rejected/couldn't be delivered.":["SMS został odrzucony/nie mógł być dostarczony."],"SMS has been successfully sent.":["SMS wysłano pomyślnie."],"SMS is lacking indication of price (premium number ads).":["SMS nie ma wskazania ceny (reklamy numeru premium)"],"SMS with identical message text has been sent too often within the last 180 secondsSMS with identical message text has been sent too often within the last 180 seconds.":["SMS o identycznej treści został wysłany zbyt często w ostatnich 180 sekundach."],"Save Configuration":["Zapisz ustawienia"],"Security error. Please contact an administrator to check the module configuration.":["Błąd bezpieczeństwa. Skontaktuj się z administratorem aby ten sprawdził konfigurację modułu."],"Select the Spryng route (default: BUSINESS)":["Wybierz trasę Spryng (domyślnie: BUSINESS)"],"Send SMS":["Wyślij SMS"],"Send a SMS":["Wyślij SMS"],"Send a SMS to ":["Wyślij SMS do"],"Sender is invalid.":["Nadawca jest nieprawidłowy"],"Technical error.":["Błąd techniczny."],"Test option. Sms are not delivered, but server responses as if the were.":["Opcja testowa. Sms-y nie są dostarczane, ale serwer odpowiada jak by były."],"To be able to send a sms to a specific account, make sure the profile field \"mobile\" exists in the account information.":["Aby wysyłać SMS do konkretnego konta, upewnij się że pole \"tel. komórkowy\" istnieje w informacjach o koncie."],"Unknown route.":["Nieznana trasa."],"Within this configuration you can choose between different sms-providers and configurate these. You need to edit your account information for the chosen provider properly to have the sms-functionality work properly.":["Dzięki tym ustawieniom możesz wybrać pomiędzy różnymi dostawcami sms oraz zmienić ich konfigurację. Musisz edytować informacje o koncie dla danego dostawcy, aby usługa sms działała poprawnie."],"Assigned user(s)":["Przypisani użytkownicy"],"Task":["Zadanie"],"Edit task":["Edytuj zadanie"],"Confirm deleting":["Potwierdź usunięcie"],"Add Task":["Dodaj Zadanie"],"Do you really want to delete this task?":["Na pewno usunąć to zadanie?"],"No open tasks...":["Brak otwartych zadań..."],"completed tasks":["wykonane zadania"],"There are no tasks yet!":["Nie ma jeszcze zadań!"],"Update HumHub":["Zaktualizuj HumHub"],"Update HumHub BETA":["Zaktualizuj HumHub BETA"],"Backup all your files & database before proceed":["Przed rozpoczęciem wykonaj kopię zapasową wszystkich plików i bazy danych."],"Check for next update":["Sprawdź kolejną aktualizację"],"Could not extract update package!":["Nie można rozpakować paczki z aktualizacją!"],"Could not get update info online! (%error%)":["Nie można pobrać informacji o aktualizacjach! (%error%)"],"Database migration results:":["Rezultat migracji bazy danych:"],"Do not use this updater in combination with Git or Composer installations!":["Nie używaj tego instalatora w połączeniu z instalacjami Git lub Composer!"],"Downloading update package...":["Pobieranie aktualizacji..."],"Error!":["Błąd!"],"Installing update package...":["Instalowanie aktualizacji..."],"Make sure all files are writable by application":["Upewnij się, czy wszystkie pliki mogą być zapisywane przez aplikację."],"Make sure custom modules or themes are compatible with version %version%":["Upewnij się, czy niestandardowe moduły i skórki są kompatybilne z wersją %version%"],"Please make sure following files are writable by application:":["Upewnij się, czy następujące pliki mogą być zapisywane przez aplikację:"],"Please note:":["Zauważ, że:"],"Please update installed marketplace modules before and after the update":["Zaktualizuj instalowane wcześniej moduły ze sklepu - przed i po procesie aktualizacji."],"Proceed Installation":["Przejdź do instalacji"],"Release Notes:":["Informacje o wersji:"],"Show database migration results":["Wyświetl rezultat migracji bazy danych"],"Start Installation":["Rozpocznij Instalację"],"The following files seems to be not original (%version%) and will be overwritten or deleted during update process.":["Następujące pliki nie przypominają oryginalnych plików wersji %version%. Zostaną one nadpisane lub usunięte podczas procesu aktualizacji."],"There is a new update to %version% available!":["Dostępna jest aktualizacja dla wersji %version%!"],"There is no new HumHub update available!":["Brak nowych aktualizacji HumHub!"],"Update HumHub BETA":["Zaktualizuj HumHub BETA"],"Update package invalid!":["Nieprawidłowa paczka aktualizacji!"],"Warning!":["Ostrzeżenie!"],"Warnings:":["Ostrzeżenia:"],"successfully installed!":["zainstalowane pomyślnie!"],"version update":["aktualizacja wersji"],"Update download failed! (%error%)":["Błąd pobierania aktualizacji! (%error%)"],"Confirm page deleting":["Potwierdź usunięcie strony"],"Confirm page reverting":["Potwierdź przywrócenie strony"],"Overview of all pages":["Podsumowanie wszystkich stron"],"Page history":["Historia strony"],"Wiki Module":["Moduł Wiki"],"Adds a wiki to this space.":["Dodaje wiki do tej strefy."],"Adds a wiki to your profile.":["Dodaje wiki do Twojego profilu."],"Back to page":["Powrót do strony"],"Do you really want to delete this page?":["Czy na pewno usunąć stronę?"],"Do you really want to revert this page?":["Czy na pewno przywrócić stronę?"],"Edit page":["Edytuj stronę"],"Edited at":["Edytowano"],"Go back":["Powrót"],"Invalid character in page title!":["Nieprawidłowy znak w tytule strony!"],"Let's go!":["Jedziemy!"],"Main page":["Strona główna"],"New page":["Nowa strona"],"No pages created yet. So it's on you.
Create the first page now.":["Brak utworzonych stron. Wszystko zależy od Ciebie.
Utwórz nową stronę teraz."],"Page History":["Historia strony"],"Page title already in use!":["Tytuł strony jest już zajęty!"],"Revert":["Przywróć"],"Revert this":["Przywróć to"],"View":["Widok"],"Wiki":["Wiki"],"by":["przez"],"Wiki page":["Strona Wiki"],"Create new page":["Utwórz nową stronę"],"Enter a wiki page name or url (e.g. http://example.com)":["Wprowadź tytuł wiki lub jej url (np. http://przykład.pl)"],"New page title":["Nowy tytuł strony"],"Page content":["Zawartość strony"],"Open wiki page...":["Otwórz stronę wiki..."]} \ No newline at end of file diff --git a/protected/humhub/messages/pl/base.php b/protected/humhub/messages/pl/base.php index 21d73a209b..65e32a6c05 100644 --- a/protected/humhub/messages/pl/base.php +++ b/protected/humhub/messages/pl/base.php @@ -1,56 +1,39 @@ '', - 'Choose language:' => '', - 'Default' => '', - 'Deny' => '', - 'Next' => '', - 'Please type at least 3 characters' => '', - 'Save' => '', - 'Latest updates' => 'Najnowsze aktualizacje', - 'Account settings' => 'Ustawienia konta', - 'Administration' => 'Administracja', - 'Back' => 'Wstecz', - 'Back to dashboard' => 'Powrót do pulpitu', - 'Collapse' => 'Zwiń', - 'Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!' => 'Źródło zawartości dodatku musi być instancją HActiveRecordContent lub HActiveRecordContentAddon!', - 'Could not determine content container!' => 'Nie można określić kontenera!', - 'Could not find content of addon!' => 'Nie znaleziono zawartości dodatku!', - 'Error' => 'Błąd', - 'Expand' => 'Rozwiń', - 'Insufficent permissions to create content!' => 'Brak wystarczających uprawnień by utworzyć element!', - 'It looks like you may have taken the wrong turn.' => 'Chyba zabłądziłeś.', - 'Language' => 'Język', - 'Latest news' => 'Najnowsze wiadomości', - 'Login' => 'Login', - 'Logout' => 'Wyloguj', - 'Menu' => 'Menu', - 'Module is not on this content container enabled!' => 'Moduł w tym kontenerze nie jest uruchomiony!', - 'My profile' => 'Mój profil', - 'New profile image' => 'Nowe zdjęcie profilowe', - 'Oooops...' => 'Oooops...', - 'Search' => 'Szukaj', - 'Search for users and spaces' => 'Szukaj użytkowników i stref', - 'Space not found!' => 'Nie znaleziono strefy!', - 'User Approvals' => 'Akceptacja nowych użytkowników', - 'User not found!' => 'Użytkownik nie został znaleziony', - 'You cannot create public visible content!' => 'Nie można utworzyć zawartości publicznej!', - 'Your daily summary' => 'Podsumowanie dzienne', -]; +return array ( + 'Latest updates' => 'Najnowsze aktualizacje', + 'Account settings' => 'Ustawienia konta', + 'Administration' => 'Administracja', + 'Allow' => 'Zezwól', + 'Back' => 'Wstecz', + 'Back to dashboard' => 'Powrót do pulpitu', + 'Choose language:' => 'Wybierz język:', + 'Collapse' => 'Zwiń', + 'Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!' => 'Źródło zawartości dodatku musi być instancją HActiveRecordContent lub HActiveRecordContentAddon!', + 'Could not determine content container!' => 'Nie można określić kontenera!', + 'Could not find content of addon!' => 'Nie znaleziono zawartości dodatku!', + 'Default' => 'Domyślny', + 'Deny' => 'Blokuj', + 'Error' => 'Błąd', + 'Expand' => 'Rozwiń', + 'Insufficent permissions to create content!' => 'Brak wystarczających uprawnień by utworzyć element!', + 'It looks like you may have taken the wrong turn.' => 'Chyba zabłądziłeś.', + 'Language' => 'Język', + 'Latest news' => 'Najnowsze wiadomości', + 'Login' => 'Login', + 'Logout' => 'Wyloguj', + 'Menu' => 'Menu', + 'Module is not on this content container enabled!' => 'Moduł w tym kontenerze nie jest uruchomiony!', + 'My profile' => 'Mój profil', + 'New profile image' => 'Nowe zdjęcie profilowe', + 'Next' => 'Dalej', + 'Oooops...' => 'Uuups...', + 'Please type at least 3 characters' => 'Wpisz przynajmniej 3 znaki', + 'Save' => 'Zapisz', + 'Search' => 'Szukaj', + 'Search for users and spaces' => 'Szukaj użytkowników i stref', + 'Space not found!' => 'Nie znaleziono strefy!', + 'User Approvals' => 'Akceptacja nowych użytkowników', + 'User not found!' => 'Użytkownik nie został znaleziony', + 'You cannot create public visible content!' => 'Nie można utworzyć zawartości publicznej!', + 'Your daily summary' => 'Podsumowanie dzienne', +); diff --git a/protected/humhub/messages/pl/error.php b/protected/humhub/messages/pl/error.php index 53de024611..930e95d6f3 100644 --- a/protected/humhub/messages/pl/error.php +++ b/protected/humhub/messages/pl/error.php @@ -1,23 +1,6 @@ Login required' => '', - 'An internal server error occurred.' => '', - 'You are not allowed to perform this action.' => '', -]; +return array ( + 'Login required' => 'Pole Login jest wymagane', + 'An internal server error occurred.' => 'Wystąpił wewnętrzny błąd serwera', + 'You are not allowed to perform this action.' => 'Nie masz uprawnień do przeprowadzenia tej operacji.', +); diff --git a/protected/humhub/messages/pl/widgets_views_markdownEditor.php b/protected/humhub/messages/pl/widgets_views_markdownEditor.php index 1b6f26bd44..f767d97db1 100644 --- a/protected/humhub/messages/pl/widgets_views_markdownEditor.php +++ b/protected/humhub/messages/pl/widgets_views_markdownEditor.php @@ -1,32 +1,32 @@ '', - 'Add link' => '', - 'Bold' => '', - 'Code' => '', - 'Enter a url (e.g. http://example.com)' => '', - 'Heading' => '', - 'Image' => '', - 'Image/File' => '', - 'Insert Hyperlink' => '', - 'Insert Image Hyperlink' => '', - 'Italic' => '', - 'List' => '', - 'Please wait while uploading...' => '', - 'Preview' => '', - 'Quote' => '', - 'Target' => '', - 'Title of your link' => '', - 'URL/Link' => '', - 'code text here' => '', - 'emphasized text' => '', - 'enter image description here' => '', - 'enter image title here' => '', - 'enter link description here' => '', - 'heading text' => '', - 'list text here' => '', - 'quote here' => '', - 'strong text' => '', + 'Add image/file' => 'Dodaj obrazek/plik', + 'Add link' => 'Dodaj odnośnik', + 'Bold' => 'Pogrubienie', 'Close' => 'Zamknij', + 'Code' => 'Kod', + 'Enter a url (e.g. http://example.com)' => 'Wpisz url (n.p. http://example.com)', + 'Heading' => 'Nagłówek', + 'Image' => 'Obrazek', + 'Image/File' => 'Obrazek/Plik', + 'Insert Hyperlink' => 'Wstaw łącze', + 'Insert Image Hyperlink' => 'Wstaw łącze obrazka', + 'Italic' => 'Kursywa', + 'List' => 'Lista', + 'Please wait while uploading...' => 'Przesyłanie pliku...', + 'Preview' => 'Podgląd', + 'Quote' => 'Cytat', + 'Target' => 'Cel', 'Title' => 'Tytuł', + 'Title of your link' => 'Tytuł odnośnika', + 'URL/Link' => 'URL/Odnośnik', + 'code text here' => 'tutaj wpisz kod', + 'emphasized text' => 'wyróżniony tekst', + 'enter image description here' => 'wpisz opis obrazka', + 'enter image title here' => 'wpisz tytuł obrazka', + 'enter link description here' => 'wpisz opis odnośnika', + 'heading text' => 'tekst nagłówka', + 'list text here' => 'tutaj wpisz listę', + 'quote here' => 'tutaj wpisz cytat', + 'strong text' => 'pogrubiony tekst', ); diff --git a/protected/humhub/messages/pt/widgets_views_markdownEditor.php b/protected/humhub/messages/pt/widgets_views_markdownEditor.php index ae522aad82..3bb4fb1b70 100644 --- a/protected/humhub/messages/pt/widgets_views_markdownEditor.php +++ b/protected/humhub/messages/pt/widgets_views_markdownEditor.php @@ -1,32 +1,32 @@ '', - 'Add link' => '', - 'Bold' => '', - 'Code' => '', - 'Enter a url (e.g. http://example.com)' => '', - 'Heading' => '', - 'Image' => '', - 'Image/File' => '', - 'Insert Hyperlink' => '', - 'Insert Image Hyperlink' => '', - 'Italic' => '', - 'List' => '', - 'Please wait while uploading...' => '', - 'Preview' => '', - 'Quote' => '', - 'Target' => '', - 'Title of your link' => '', - 'URL/Link' => '', - 'code text here' => '', - 'emphasized text' => '', - 'enter image description here' => '', - 'enter image title here' => '', - 'enter link description here' => '', - 'heading text' => '', - 'list text here' => '', - 'quote here' => '', - 'strong text' => '', + 'Add image/file' => 'Adicionar imagem/ficheiro', + 'Add link' => 'Adicionar link', + 'Bold' => 'Negrito', + 'Code' => 'Código', + 'Enter a url (e.g. http://example.com)' => 'Introduza um url (ex. http://example.com)', + 'Heading' => 'Cabeçalho', + 'Image' => 'Imagem', + 'Image/File' => 'Imagem/Ficheiro', + 'Insert Hyperlink' => 'Insira uma hiperligação', + 'Insert Image Hyperlink' => 'Insira a hiperligação da imagem', + 'Italic' => 'Itálico', + 'List' => 'Lista', + 'Please wait while uploading...' => 'Aguarde um pouco enquanto é feito o upload...', + 'Preview' => 'Visualizar', + 'Quote' => 'Citar', + 'Target' => 'Objectivo', + 'Title of your link' => 'Título do seu link', + 'URL/Link' => 'URL/Link', + 'code text here' => 'texto do código aqui', + 'emphasized text' => 'texto enfatizado', + 'enter image description here' => 'insira a descrição da imagem aqui', + 'enter image title here' => 'insira o título da imagem aqui', + 'enter link description here' => 'insira a descrição do link aqui', + 'heading text' => 'Texto do cabeçalho', + 'list text here' => 'lista de texto aqui', + 'quote here' => 'citar aqui', + 'strong text' => 'texto forte', 'Close' => 'Fechar', 'Title' => 'Título', ); diff --git a/protected/humhub/messages/pt_br/archive.json b/protected/humhub/messages/pt_br/archive.json index cc2a7dc83d..d172d06c9f 100644 --- a/protected/humhub/messages/pt_br/archive.json +++ b/protected/humhub/messages/pt_br/archive.json @@ -1 +1 @@ -{"Latest updates":["Atualizações"],"Search":["Busca"],"Account settings":["Configurações da conta"],"Administration":["Administração"],"Back":["Voltar"],"Back to dashboard":["Voltar para o painel"],"Choose language:":["Escolha o idioma:"],"Collapse":["Minimizar","Colapso"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Conteúdo fonte Addon deve ser instância de HActiveRecordContent ou HActiveRecordContentAddon!"],"Could not determine content container!":["Não foi possível determinar o conteúdo!"],"Could not find content of addon!":["Não foi possível encontrar o conteúdo !"],"Could not find requested module!":["Não foi possível encontrar o módulo requisitado!"],"Error":["Erro"],"Expand":["Expandir"],"Insufficent permissions to create content!":["Permissões insuficientes para criar conteúdo!"],"Invalid request.":["Requisição inválida."],"It looks like you may have taken the wrong turn.":["Parece que você pode ter tomado o caminho errado."],"Keyword:":["Palavra-chave:"],"Language":["Língua","Idioma"],"Latest news":["Últimas notícias"],"Login":["Login","Entrar"],"Logout":["Sair"],"Menu":["Menu"],"Module is not on this content container enabled!":["O módulo não está habilitado para este container!"],"My profile":["Meu perfil"],"New profile image":["Nova imagem de perfil"],"Nothing found with your input.":["Nada foi encontrado."],"Oooops...":["Oooops..."],"Results":["Resultados"],"Search":["Pesquisa","Buscar"],"Search for users and spaces":["Busca por usuários e espaços"],"Show more results":["Mostre mais resultados"],"Sorry, nothing found!":["Desculpe, nada foi encontrado!"],"Space not found!":["Espaço não encontrado!"],"User Approvals":["Aprovações de Usuários"],"User not found!":["Usuário não encontrado!"],"Welcome to %appName%":["Bem vindo a %appName%"],"You cannot create public visible content!":["Você não pode criar conteúdo com visibilidade pública!"],"Your daily summary":["Seu resumo diário"],"Login required":["Login Requerido"],"An internal server error occurred.":["Ocorreu um erro interno no servidor."],"You are not allowed to perform this action.":["Você não tem permissão para executar esta ação."],"Global {global} array cleaned using {method} method.":["O array global {global} foi limpo utilizando o método {method}."],"Upload error":["Erro ao enviar arquivo","Upload erro"],"Close":["Fechar"],"Add image/file":["Adicionar imagem / arquivo"],"Add link":["Adicionar Link"],"Bold":["Negrito"],"Code":["Código"],"Enter a url (e.g. http://example.com)":["Digite uma URL"],"Heading":["Título"],"Image":["Imagem"],"Image/File":["Imagem/Arquivo"],"Insert Hyperlink":["Inserir Hyperlink"],"Insert Image Hyperlink":["Inserir imagem com Hyperlink"],"Italic":["Itálico"],"List":["Lista"],"Please wait while uploading...":["Por favor aguarde enquanto o arquivo é carregado"],"Preview":["Pré-visualizar"],"Quote":["Cota"],"Target":["Alvo"],"Title":["Título"],"Title of your link":["Título do seu link"],"URL/Link":["URL/Link"],"code text here":["Código aqui"],"emphasized text":["Texto enfatizado"],"enter image description here":["Insira a descrição da imagem aqui"],"enter image title here":["Insira o título da imagem aqui"],"enter link description here":["Insira descrição do link aqui"],"heading text":["Texto do cabeçalho "],"list text here":["Listar texto aqui"],"quote here":["Citação aqui"],"strong text":["Negrito"],"Could not create activity for this object type!":["Não foi possível criar a atividade para este tipo de objeto!"],"%displayName% created the new space %spaceName%":["%displayName% criou o novo espaço %spaceName%"],"%displayName% created this space.":["%displayName% criou este espaço."],"%displayName% joined the space %spaceName%":["%displayName% entrou no espaço %spaceName%"],"%displayName% joined this space.":["%displayName% entrou neste espaço."],"%displayName% left the space %spaceName%":["%displayName% deixou o espaço %spaceName%"],"%displayName% left this space.":["%displayName% deixou este espaço."],"{user1} now follows {user2}.":["{user1} agora segue {user2}."],"see online":["ver online","ver on-line"],"via":["via"],"Latest activities":["Últimas atividades"],"There are no activities yet.":["Não há atividades ainda."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Olá {displayName},

\n \n sua conta foi ativada.

\n \n Clique aqui para acessar:
\n {loginURL}

\n \n Atenciosamente
\n {AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Olá {displayName},

\n \n Seu cadastro foi recusado.

\n \n Atenciosamente
\n {AdminName}

"],"Account Request for '{displayName}' has been approved.":["Pedido de cadastro de '{displayName}' foi recusado."],"Account Request for '{displayName}' has been declined.":["Pedido de cadastro de '{displayName}' foi recusado."],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["Olá {displayName},

\n\n Sua conta foi ativada.

\n\n Clique aqui para acessar:
\n {loginURL}

\n\n Atenciosamente,
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["Olá, {displayName},

\n\n Seu pedido de acesso foi recusado.

\n\n Atenciosamente,
\n {AdminName}

"],"Group not found!":["Grupo não encontrado!"],"Could not uninstall module first! Module is protected.":["Não pode instalar o primeiro módulo! O módulo está protegido."],"Module path %path% is not writeable!":["O caminho do módulo %path% não tem permissão de escrita!"],"Saved":["Salvo"],"Database":["Banco de dados"],"No theme":["Sem tema"],"APC":["APC","Cache Alternativo PHP (APC)"],"Could not load LDAP! - Check PHP Extension":["Não pode carregar o LDAP! - Verifique a extensão PHP"],"File":["Arquivo"],"No caching (Testing only!)":["Sem cache (Somente teste!)","Sem cache(Apenas testando!)"],"None - shows dropdown in user registration.":["Nenhum - mostra uma lista no registro de usuário."],"Saved and flushed cache":["Salvo e cache descarregado."],"LDAP":["LDAP"],"Local":["Local"],"Become this user":["Torne-se este usuário"],"Delete":["Excluir","Apagar"],"Disabled":["Desabilitado"],"Enabled":["Habilitado"],"Save":["Salvar"],"Unapproved":["Não aprovado"],"You cannot delete yourself!":["Você não pode se excluir!"],"Could not load category.":["Não foi possível carregar a categoria."],"You can only delete empty categories!":["Você só pode apagar categorias vazias!"],"Group":["Grupo"],"Message":["Mensagem"],"Subject":["Assunto"],"Base DN":["Base DN"],"E-Mail Address Attribute":["Atributo de e-mail"],"Enable LDAP Support":["Habilitar suporte LDAP"],"Encryption":["Criptografia","Encriptação"],"Fetch/Update Users Automatically":["Fetch/Update usuários automaticamente"],"Hostname":["Hostname"],"Login Filter":["Filtro de login"],"Password":["Senha"],"Port":["Porta"],"User Filer":["Usuário arquivado"],"Username":["Nome do usuário"],"Username Attribute":["Atributo do nome do usuário"],"Allow limited access for non-authenticated users (guests)":["Permitir acesso limitado para usuários não autenticados (convidados)"],"Anonymous users can register":["Usuários anônimos podem se registrar"],"Default user group for new users":["Grupo de usuário padrão para novos usuários"],"Default user idle timeout, auto-logout (in seconds, optional)":["Tempo máximo de espera antes de sair (em segundos, opcional)"],"Default user profile visibility":["Visibilidade padrão do perfil do usuário"],"Members can invite external users by email":["Membros podem convidar usuários externos por email"],"Require group admin approval after registration":["Exigir aprovação do grupo de administração após o registro"],"Base URL":["URL base"],"Default language":["Idioma padrão"],"Default space":["Espaço padrão"],"Invalid space":["Espaço inválido"],"Logo upload":["Enviar logomarca"],"Name of the application":["Nome da aplicação"],"Server Timezone":["Fuso horário do servidor"],"Show introduction tour for new users":["Mostrar tour de introdução para novos usuários"],"Show user profile post form on dashboard":["Possibilitar ao usuário postar no painel"],"Cache Backend":["Backend de cache"],"Default Expire Time (in seconds)":["Tempo para expirar (em segundos)"],"PHP APC Extension missing - Type not available!":["Estensão PHP APC faltando - Tipo não disponível!"],"PHP SQLite3 Extension missing - Type not available!":["Extensão PHP SQLite3 faltando - Tipo não disponível!"],"Dropdown space order":["Ordem da lista de espaços"],"Default pagination size (Entries per page)":["Tamanho padrão da paginação (Resultados por página)"],"Display Name (Format)":["Exibir Nome (Formato)"],"Theme":["Tema"],"Allowed file extensions":["Permitir extensões de arquivo"],"Convert command not found!":["Comando de conversão não encontrado!"],"Got invalid image magick response! - Correct command?":["Recebeu uma resposta inválida do Image Magick! - Comando correto?"],"Hide file info (name, size) for images on wall":["Ocultar informações do arquivo (nome, tamanho) para imagens no muro"],"Hide file list widget from showing files for these objects on wall.":["Ocultar widget de lista de arquivos ao exibir arquivos para estes objetos no muro."],"Image Magick convert command (optional)":["Comando de conversão do Image Magick (opcional)"],"Maximum preview image height (in pixels, optional)":["Altura máxima de pré-visualização da imagem (em pixels, opcional)"],"Maximum preview image width (in pixels, optional)":["Largura máxima de pré-visualização da imagem (em pixels, opcional)"],"Maximum upload file size (in MB)":["Tamanho máximo de arquivo (em MB)"],"Use X-Sendfile for File Downloads":["Usar X-Sendfile para baixar arquivos"],"Administrator users":["Administrador dos usuários"],"Description":["Descrição"],"Ldap DN":["Ldap DN"],"Name":["Nome"],"Allow Self-Signed Certificates?":["Permitir certificados auto assinados?"],"E-Mail sender address":["Email que irá enviar"],"E-Mail sender name":["Nome que irá enviar"],"Mail Transport Type":["Tipo de Transporte de Email"],"Port number":["Número da porta"],"Endpoint Url":["Final da URL"],"Url Prefix":["Prefixo da URL"],"No Proxy Hosts":["Nenhum servidor proxy"],"Server":["Servidor"],"User":["Usuário"],"Super Admins can delete each content object":["Super Admins podem apagar cada conteúdo de objeto"],"Default Join Policy":["Política padrão de adesão"],"Default Visibility":["Visibilidade Default"],"HTML tracking code":["HTML Rastreamento de código"],"Module directory for module %moduleId% already exists!":["O directório para o módulo %moduleId% já existe!"],"Could not extract module!":["Não foi possível extrair módulo!"],"Could not fetch module list online! (%error%)":["Não foi possível obter lista de módulos online! (%error%)"],"Could not get module info online! (%error%)":["Não foi possível obter informações do módulo online! (erro%%)"],"Download of module failed!":["Download do módulo falhou!"],"Module directory %modulePath% is not writeable!":["O diretório do módulo %modulePath% não é gravável!"],"Module download failed! (%error%)":["Módulo de download falhou! (%error%)"],"No compatible module version found!":["Nenhuma versão compatível do módulo foi encontrada!","Nenhuma versão compatível do módulo encontrado!"],"Activated":["Ativado"],"No modules installed yet. Install some to enhance the functionality!":["Nenhum módulo instalado ainda. Instale alguns para melhorar a funcionalidade!"],"Version:":["Versão:"],"Installed":["Instalado"],"No modules found!":["Nenhum módulo encontrado!"],"search for available modules online":["procura por módulos disponíveis online"],"All modules are up to date!":["Todos os módulos estão atualizados!"],"About HumHub":["Sobre HumHub"],"Currently installed version: %currentVersion%":["Versão instalada: %currentVersion%"],"HumHub is currently in debug mode. Disable it when running on production!":["HumHub está em modo debug. Desabilite isso quando no mode de produção!"],"Licences":["Licenças"],"See installation manual for more details.":["Veja o manual de instalação para maiores detalhes(rá!)."],"There is a new update available! (Latest version: %version%)":["Uma nova atualização está disponível! (Versão mais recente: %version%)"],"This HumHub installation is up to date!":["Esta instalação do HumHum está atualizada!"],"Accept":["Aceitar"],"Decline":["Recusar"],"Accept user: {displayName} ":["Aceitar usuário: {displayName} "],"Cancel":["Cancelar"],"Send & save":["Enviar e salvar"],"Decline & delete user: {displayName}":["Recusar e apagar o usuário: {displayName}"],"Email":["E-mail"],"Search for email":["Busca por e-mail","Buscar por e-mail"],"Search for username":["Busca por nome de usuário","Buscar por nome de usuário"],"Pending user approvals":["Aprovações de usuários pendentes "],"Here you see all users who have registered and still waiting for a approval.":["Aqui você pode ver todos os usuários que se cadastraram e ainda estão aguardando por aprovação."],"Delete group":["Apagar grupo"],"Delete group":["Apagar grupo"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Para apagar o grupo \"{group}\" você precisa definir um grupo alternativo para os usuários existentes:"],"Create new group":["Criar novo grupo"],"Edit group":["Modificar grupo"],"Group name":["Nome do Grupo"],"Search for description":["Buscar pela descrição"],"Search for group name":["Buscar pelo nome do grupo"],"Manage groups":["Gerenciar grupos"],"Create new group":["Criar novo grupo"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Você pode dividir os usuários em diferentes grupos (por equipes, departamentos, etc.) e definir espaços padrões e administradores para eles."],"Error logging":["Erro logging"],"Displaying {count} entries per page.":["Exibindo {count} entradas por página."],"Flush entries":["Flush entradas"],"Total {count} entries found.":["Total de {count} entradas encontradas."],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Módulos de estender a funcionalidade do HumHub. Aqui você pode instalar e gerenciar módulos do HumHub Marketplace."],"Available updates":["Atualizações disponíveis"],"Browse online":["Encontrar online"],"Module details":["Detalhes do módulo"],"This module doesn't provide further informations.":["Este módulo não fornece maiores informações."],"Processing...":["Processando..."],"Modules directory":["Diretório dos Módulos"],"Are you sure? *ALL* module data will be lost!":["Você tem certeza? *TODOS* os dados do módulo serão perdidos!"],"Are you sure? *ALL* module related data and files will be lost!":["Você tem certeza? *TODOS* dados e arquivos de módulo relacionados serão perdidos!"],"Configure":["Configurar"],"Disable":["Desabilitar"],"Enable":["Habilitar"],"Enable module...":["Habilitar módulo..."],"More info":["Mais informações"],"Set as default":["Marcar como padrão"],"Uninstall":["Desinstalar"],"Install":["Instalar"],"Installing module...":["Instalando módulo..."],"Latest compatible version:":["Última versão compatível"],"Latest version:":["Última versão"],"Installed version:":["Versão instalada:"],"Latest compatible Version:":["Última versão compatível:"],"Update":["Atualizar"],"Updating module...":["Atualizando módulo..."],"%moduleName% - Set as default module":["%moduleName% - Definir como módulo padrão"],"Always activated":["Sempre ativado"],"Deactivated":["Desativado"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Aqui você pode escolher se quer ou não que um módulo seja ativado automaticamente em um perfil do espaço ou usuário. Se o módulo deve ser ativado, escolha \"sempre ativo\"."],"Spaces":["Espaços"],"User Profiles":["Perfis de Usuário"],"There is a new HumHub Version (%version%) available.":["Está disponível uma nova versão do HumHub: (%version%)."],"Authentication - Basic":["Autenticação - Básica"],"Basic":["Básico"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Valor mínimo é de 20 segundos. Se não for definido, a sessão será interrompida após 1400 segundo (24 minutos), independentemente da atividade (tempo limite de sessão padrão)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Apenas aplicável quando o acesso limitado para usuários não-autenticados está habilitado. Afeta apenas novos usuários."],"Authentication - LDAP":["Autenticação - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["A TLS/SSL é fortemente favorecido em ambientes de produção para evitar senhas de ser transmitida em texto puro."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Define o filtro a ser aplicado, quando o login é feito. %uid substitui o nome de usuário no processo de login. Exemplo: "sAMAccountName=%s)" or "(uid=%s)""],"LDAP Attribute for E-Mail Address. Default: "mail"":["Atributo LDAP para e-mail. Padrão: "mail""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["Atributo LDAP para usuário. Exemplo: "uid" or "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Limitar o acesso aos utilizadores que cumpram esse critério. Exemplo: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Status: Erro! (Mensagem: {message})"],"Status: OK! ({userCount} Users)":["Status: OK! ({userCount} Usuários)"],"The default base DN used for searching for accounts.":["A base padrão DN utilizado para a busca de contas."],"The default credentials password (used only with username above).":["A senha padrão (usada apenas com nome de usuário acima)."],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["O Username padrão. Alguns servidores exigem que este seja em forma DN. Isso deve ser dada de forma DN se o servidor LDAP requer uma DN para ligar e deve ser possível com usernames simples."],"Cache Settings":["Configurações de cache"],"Save & Flush Caches":["Salvar & Flush Caches"],"CronJob settings":["Configurações de tarefas Agendadas"],"Crontab of user: {user}":["Crontab do usuário: {user}"],"Last run (daily):":["Última execução (daily):"],"Last run (hourly):":["Última execução (hourly):"],"Never":["Nunca"],"Or Crontab of root user":["Ou Crontab de usuário root"],"Please make sure following cronjobs are installed:":["Por favor, certifique-se os seguintes cronjobs estão instalados:"],"Alphabetical":["Alfabética"],"Last visit":["Última visita"],"Design settings":["Configurações de aparência"],"Firstname Lastname (e.g. John Doe)":["Primeiro e último nome (ex: João Silva)"],"Username (e.g. john)":["Nome de usuário (ex: joao)"],"File settings":["Configurações de arquivos"],"Comma separated list. Leave empty to allow all.":["Lista separada por vírgulas. Deixe em branco para permitir todos."],"Comma separated list. Leave empty to show file list for all objects on wall.":["Lista separada por vírgulas. Deixe em branco para exibir a lista de arquivos para todos os objetos no muro."],"Current Image Libary: {currentImageLibary}":["Biblioteca de Imagem Atual: {currentImageLibary}"],"If not set, height will default to 200px.":["Caso não esteja marcado, a altura padrão se tornará 200 pixels."],"If not set, width will default to 200px.":["Caso não esteja marcado, a largura padrão se tornará 200 pixels."],"PHP reported a maximum of {maxUploadSize} MB":["O PHP permite um máximo de {maxUploadSize} MB"],"Basic settings":["Configurações básicas"],"Confirm image deleting":["Confirme apagar imagem","Confirme apagar a imagem"],"Dashboard":["Painel"],"E.g. http://example.com/humhub":["Ex. http://exemplo.com.br/humhub"],"New users will automatically added to these space(s).":["Novos usuários serão automaticamente adicionados a estes espaço(s)."],"You're using no logo at the moment. Upload your logo now.":["Você não está usando uma logomarca atualmente. Envie sua logomarca agora."],"Mailing defaults":["Emails padrões"],"Activities":["Atividades"],"Always":["Sempre"],"Daily summary":["Resumo diário","Resumo do dia"],"Defaults":["Padrões"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Definir padrões quando um usuário receber e-mails sobre as notificações ou novas atividades. Esta configuração pode ser substituída pelos usuários em nas configurações de conta."],"Notifications":["Notificações"],"Server Settings":["Configurações do Servidor"],"When I´m offline":["Quando eu estiver offline","Quando estiver offline"],"Mailing settings":["Configurações de Email"],"SMTP Options":["Opções de SMTP"],"OEmbed Provider":["Provedor OEmbed "],"Add new provider":["Adicionar novo provedor"],"Currently active providers:":["Provedores atualmente ativos:"],"Currently no provider active!":["Atualmente nenhum provedor está ativo!"],"Add OEmbed Provider":["Adicionar Provedor OEmbed "],"Edit OEmbed Provider":["Editar Provedot OEmbed "],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url Prefixo sem http: // ou https: // (por exemplo, youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Use %url% como placeholder para URL. Formato precisa ser JSON. (por exemplo http://www.youtube.com/oembed?url=%url%&format=json)"],"Proxy settings":["Configurações de Proxy "],"Security settings and roles":["Configurações e regras de Segurança "],"Self test":["Auto teste"],"Checking HumHub software prerequisites.":["Verificando os pré-requisitos de software HumHub."],"Re-Run tests":["Re-executar testes"],"Statistic settings":["Configurações de Estatísticas "],"All":["Todos"],"Delete space":["Apagar espaço"],"Edit space":["Modificar espaço"],"Search for space name":["Buscar pelo nome do espaço"],"Search for space owner":["Buscar pelo dono do espaço"],"Space name":["Nome do espaço"],"Space owner":["Dono do espaço","Proprietário do espaço"],"View space":["Visualizar espaço"],"Manage spaces":["Gerenciar espaços"],"Define here default settings for new spaces.":["Defina aqui configurações padrão para novos espaços."],"In this overview you can find every space and manage it.":["Nesta visão geral você pode encontrar todos os espaços e gerenciá-los."],"Overview":["Visão global"],"Settings":["Configurações"],"Space Settings":["Configurações do Espaço"],"Add user":["Adicionar usuário"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Tem certeza de que deseja apagar este usuário? Se este usuário for dono de um ou mais espaços, você se tornará dono destes espaços."],"Delete user":["Apagar usuário"],"Delete user: {username}":["Apagar usuário: {username}"],"Edit user":["Editar usuário"],"Admin":["Admin"],"Delete user account":["Apagar conta do usuário"],"Edit user account":["Modificar conta do usuário"],"No":["Não"],"View user profile":["Visualizar perfil de usuário"],"Yes":["Sim"],"Manage users":["Gerenciando usuários"],"Add new user":["Adicionar novo usuário"],"In this overview you can find every registered user and manage him.":["Nesta visão geral você pode encontrar todos os utilizadores registados e controlá-los."],"Create new profile category":["Criar nova categoria de perfil"],"Edit profile category":["Modificar categoria de perfil"],"Create new profile field":["Criar novo campo de perfil"],"Edit profile field":["Modificar campo de perfil"],"Manage profiles fields":["Gerenciar campos dos perfis"],"Add new category":["Adicionar nova categoria"],"Add new field":["Adicionar novo campo"],"Security & Roles":["Segurança e Regras"],"Administration menu":["Menu de administração"],"About":["Sobre"],"Authentication":["Autenticação"],"Caching":["Fazer cache"],"Cron jobs":["Tarefas agendadas"],"Design":["Aparência"],"Files":["Arquivos"],"Groups":["Grupos"],"Logging":["Log de erros"],"Mailing":["E-mails"],"Modules":["Módulos"],"OEmbed Provider":["Provedor OEmbed"],"Proxy":["Proxy"],"Self test & update":["Auto-teste e atualização"],"Statistics":["Estatísticas"],"User approval":["Aprovação de Usuários"],"User profiles":["Perfis de usuário"],"Users":["Usuários"],"Click here to review":["Clique aqui para rever"],"New approval requests":["Novas solicitações de aprovação"],"One or more user needs your approval as group admin.":["Um ou mais usuários necessitam da sua aprovação como administrador de grupo."],"Could not delete comment!":["Não foi possível excluir o comentário!"],"Invalid target class given":["Classe de destino inválida"],"Model & Id Parameter required!":["Model & Id são obrigatórios!"],"Target not found!":["Alvo não encontrado!"],"Access denied!":["Acesso negado!"],"Insufficent permissions!":["Permissões insuficientes!"],"Comment":["Comentário","Comentar"],"%displayName% wrote a new comment ":["%displayName% escreveu um novo comentário"],"Comments":["Comentários"],"Edit your comment...":["Editar seu comentário..."],"%displayName% also commented your %contentTitle%.":["%displayName% também comentou o %contentTitle%."],"%displayName% commented %contentTitle%.":["%displayName% comentou %contentTitle%."],"Show all {total} comments.":["Mostrar todos {total} comentários."],"Post":["Post"],"Write a new comment...":["Escreva um novo comentário..."],"Show %count% more comments":["Mostrar mais %count% comentários"],"Confirm comment deleting":["Confirmar exclusão de comentário"],"Edit":["Editar"],"Do you really want to delete this comment?":["Você realmente deseja apagar este comentário?"],"Updated :timeago":["Atualizado :timeago","atualizado :timeago"],"{displayName} created a new {contentTitle}.":["{displayName} criou um(a) novo(a) {contentTitle}."],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["Número máximo de marcações de itens atingida!\n\nVocê pode marcar somente dois item de cada vez.\nPara marcar este item, desmarque outro antes!"],"Could not load requested object!":["Não foi possível carregar o objeto solicitado!"],"Invalid model given!":["Modelo inválido fornecido!"],"Unknown content class!":["Classe de conteúdo desconhecida!"],"Could not find requested content!":["Não foi possível encontrar o conteúdo solicitado!"],"Could not find requested permalink!":["Não foi possível encontrar o link solicitado!"],"{userName} created a new {contentTitle}.":["{userName} criou um(a) novo(a) {contentTitle}.","{userName} criou um novo {contentTitle}."],"in":["em"],"Submit":["Enviar"],"No matches with your selected filters!":["Nada foi encontrado com os filtros utilizados.","Nada foi encontrado com os filtros utilizados!"],"Nothing here yet!":["Nada aqui ainda!"],"Move to archive":["Mover para arquivar"],"Unarchive":["Desarquivar"],"Add a member to notify":["Adicionar um membro para notificar"],"Make private":["Tornar privado"],"Make public":["Tornar público"],"Notify members":["Notificar membros"],"Public":["Público"],"What's on your mind?":["O que se passa em sua mente?","O que se passa na sua mente?"],"Confirm post deleting":["Confirma exclusão do post"],"Do you really want to delete this post? All likes and comments will be lost!":["Você realmente deseja excluir este post? Todos os comentários e curtidas serão perdidos!","Você realmente quer excluir esta postagem? Todas as curtidas e comentários serão perdidos!"],"Archived":["Arquivado"],"Sticked":["Colado"],"Turn off notifications":["Desativar notificações"],"Turn on notifications":["Ativar notificações"],"Permalink to this post":["Link permanente para este post"],"Permalink":["Link permanente","Link perene"],"Permalink to this page":["Link permanente para esta página"],"Stick":["Colar"],"Unstick":["Descolar"],"Nobody wrote something yet.
Make the beginning and post something...":["Ninguém escreveu algo ainda.
Seja o primeiro a postar algo..."],"This profile stream is still empty":["O stream desse perfil ainda está vazio "],"This space is still empty!
Start by posting something here...":["Este espaço ainda está vazio!
Poste algo aqui..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":[" O seu painel está vazio!
poste algo em seu perfil e inscreva-se em alguns espaços!"],"Your profile stream is still empty
Get started and post something...":["O seu fluxo de perfil ainda está vazio
Comece e postar alguma coisa..."],"Back to stream":["Voltar ao stream","Voltar para o stream"],"Content with attached files":["Conteúdo com arquivos anexados"],"Created by me":["Criado por mim"],"Creation time":["Hora de criação"],"Filter":["Filtro"],"Include archived posts":["Incluir posts arquivados"],"Last update":["Última atualização"],"Nothing found which matches your current filter(s)!":["Nada que corresponda ao seu filtro atual foi encontrado!"],"Only private posts":["Somente posts privados"],"Only public posts":["Somente post públicos"],"Posts only":["Somente posts"],"Posts with links":["Posts com links"],"Show all":["Mostrar todos"],"Sorting":["Ordenar","Ordenando"],"Where I´m involved":["Onde estou envolvido"],"No public contents to display found!":["Nenhum conteúdo foi encontrado!"],"Directory":["Diretório"],"Member Group Directory":["Membro - Diretório de Grupos"],"show all members":["exibir todos os membros"],"Directory menu":["Menu"],"Members":["Membros","Usuários"],"User profile posts":["Posts dos usuários"],"Member directory":["Usuários"],"Follow":["Seguir"],"No members found!":["Nenhum usuário foi encontrado!"],"Unfollow":["Deixar de seguir"],"search for members":["procurar usuários"],"Space directory":["Espaço"],"No spaces found!":["Nenhum espaço encontrado!"],"You are a member of this space":["Você é um membro deste espaço"],"search for spaces":["busca por espaços"],"There are no profile posts yet!":["Não há posts em seu perfil ainda!"],"Group stats":["Estatística de Grupo"],"Average members":["Média de membros"],"Top Group":["Top Grupo"],"Total groups":["Total de grupos"],"Member stats":["Estatística de Usuário"],"New people":["Novos usuários"],"Follows somebody":["Segue alguém"],"Online right now":["online agora"],"Total users":["Total de usuários"],"See all":["Ver todos"],"New spaces":["Novos espaços"],"Space stats":["Estatística de Espaços"],"Most members":["Possui mais usuários"],"Private spaces":["Espaços privados"],"Total spaces":["Total de espaços"],"Could not find requested file!":["Não foi possível encontrar o arquivo solicitado!"],"Insufficient permissions!":["Permissões insuficientes!"],"Created By":["Criado por"],"Created at":["Criado em"],"File name":["Nome do arquivo"],"Guid":["Guid"],"ID":["ID"],"Invalid Mime-Type":["Mime-Type inválido"],"Maximum file size ({maxFileSize}) has been exceeded!":["Tamanho máximo do arquivo ({maxFileSize}) foi ultrapassado!"],"Mime Type":["Mime Type"],"Size":["Tamanho"],"This file type is not allowed!":["Este tipo de arquivo não é permitido!"],"Updated at":["Atualizado em"],"Updated by":["Atualizado por"],"Could not upload File:":["Não foi possível fazer o upload do arquivo:"],"Upload files":["Fazer upload de arquivos"],"List of already uploaded files:":["Lista de arquivos já enviados:"],"Create Admin Account":["Criar conta de Administrador"],"Name of your network":["Nome de sua rede"],"Name of Database":["Nome do banco de dados"],"Admin Account":["Conta de Administrador"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Está quase pronto. Na última etapa, você tem que preencher o formulário para criar uma conta de administrador. Com esta conta você pode gerenciar toda a rede."],"Next":["Avançar"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Naturalmente, a sua nova rede social precisa de um nome. Por favor, altere o nome padrão por um que você gosta. (Por exemplo, o nome da sua empresa, organização ou clube)"],"Social Network Name":["Nome da Rede Social"],"Setup Complete":["Configuração Completa"],"Congratulations. You're done.":["Parabéns. Você terminou."],"Sign in":["Entrar"],"The installation completed successfully! Have fun with your new social network.":["A instalação foi concluída com sucesso! Divirta-se com sua nova rede social."],"Setup Wizard":["Assistente de Configurações"],"Welcome to HumHub
Your Social Network Toolbox":["Bem-vindo ao HumHub
Sua ferramenta de Rede Social"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Este assistente irá instalar e configurar sua própria instância HumHub.
Para continuar, clique em Avançar."],"Database Configuration":["Banco de Dados Configuração"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["Abaixo, você terá que digitar os detalhes da conexão de banco de dados. Se você não tem certeza sobre isso, por favor, entre em contato com o administrador do sistema."],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["Hostname do seu Servidor de Banco de Dados MySQL (ex. localhost se o MySQL está sendo executado na mesma máquina)"],"Initializing database...":["Preparando o banco de dados..."],"Ohh, something went wrong!":["Ohh, algo deu errado!"],"The name of the database you want to run HumHub in.":["O nome do banco de dados que você deseja executar o HumHub."],"Yes, database connection works!":["Yes, a conexão com o banco de dados funcionou!"],"Your MySQL password.":["Sua senha MySQL"],"Your MySQL username":["Seu usuário MySQL"],"System Check":["Verificação do Sistema"],"Check again":["Verificar novamente"],"Congratulations! Everything is ok and ready to start over!":["Parabéns! Está tudo ok e pronto para recomeçar!"],"This overview shows all system requirements of HumHub.":["Esta visão geral mostra todos os requisitos do sistema de HumHub."],"Could not find target class!":["Não foi possível localizar a classe alvo!"],"Could not find target record!":["Não foi possível localizar o alvo record!"],"Invalid class given!":["Classe inválida!"],"Users who like this":["Usuários que curtiram isso"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} curtiu {contentTitle}"],"%displayName% also likes the %contentTitle%.":["%displayName% também curtiu %contentTitle%."],"%displayName% likes %contentTitle%.":["%displayName% curtiu %contentTitle%."]," likes this.":["curtiram isso."],"You like this.":["Vocêcurtiu isso."],"You
":["Você
"],"Like":["Curtir"],"Unlike":["Descurtir"],"and {count} more like this.":["mais {count} curtiram isso."],"Could not determine redirect url for this kind of source object!":["Não foi possível determinar redirecionamento de url para este tipo de objeto de origem!"],"Could not load notification source object to redirect to!":["Não foi possível carregar notificação do objeto de origem para redirecionar para!"],"New":["Novo","Nova"],"Mark all as seen":["Marcar tudo como visto"],"There are no notifications yet.":["Ainda não há notificações."],"%displayName% created a new post.":["%displayName% criou um novo post.."],"Edit your post...":["Edite seu post..."],"Read full post...":["Ler post completo..."],"Search results":["Resultados da pesquisa"],"Content":["Conteúdo"],"Send & decline":["Enviar & recusar"],"Visible for all":["Visível para todos"]," Invite and request":["Convite"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Não foi possível excluir o usuário que é dono de um espaço! Nome do espaço: {spacename}"],"Everyone can enter":["Todo mundo pode entrar"],"Invite and request":["Convite"],"Only by invite":["Só por convite"],"Private (Invisible)":["Privado (invisível)"],"Public (Members & Guests)":["Público (Membros e Convidados)"],"Public (Members only)":["Público (Apenas membros)"],"Public (Registered users only)":["Público (Apenas usuários registrados)"],"Public (Visible)":["Público (Visível)"],"Visible for all (members and guests)":["Visível para todos (membros e convidados)"],"Space is invisible!":["Espaço está invisível !"],"You need to login to view contents of this space!":["Você precisa logar para ver o conteúdo deste espaço!"],"As owner you cannot revoke your membership!":["Como proprietário, você não pode revogar a sua inscrição!"],"Could not request membership!":["Não foi possível solicitar a inscrição!"],"There is no pending invite!":["Não existe convite pendente!"],"This action is only available for workspace members!":["Esta ação está disponível apenas para os membros do workspace!"],"You are not allowed to join this space!":["Você não tem permissão para se entrar neste espaço!"],"Space title is already in use!":["Título para o espaço já está em uso!"],"Type":["Tipo"],"Your password":["Sua senha"],"Invites":["Convites"],"New user by e-mail (comma separated)":["Novo usuário por e-mail (separados por vírgula)"],"User is already member!":["Usuário já é membro!"],"{email} is already registered!":["{email} já está registrado!"],"{email} is not valid!":["{email} não é válido!"],"Application message":["Mensagem da aplicação"],"Scope":["Escopo"],"Strength":["Título"],"Created At":["Criado em"],"Join Policy":["Política de acesso"],"Owner":["Dono"],"Status":["Status"],"Tags":["Tags"],"Updated At":["Modificado em"],"Visibility":["Visibilidade"],"Website URL (optional)":["Website (opcional)"],"You cannot create private visible spaces!":["Você não pode criar espaços visíveis privados!"],"You cannot create public visible spaces!":["Você não pode criar espaços públicos visíveis!"],"Select the area of your image you want to save as user avatar and click Save.":["Selecione a área da imagem que você deseja salvar como avatar do usuário e clique em Salvar."],"Modify space image":["Mudar imagem do espaço"],"Delete space":["Excluir espaço"],"Are you sure, that you want to delete this space? All published content will be removed!":["Tem a certeza que quer deletar este espaço? Todo o conteúdo publicado será removido!"],"Please provide your password to continue!":["Por favor, forneça sua senha para continuar!"],"General space settings":["Configurações gerais do espaço"],"Archive":["Arquivar"],"Choose the kind of membership you want to provide for this workspace.":["Escolha o tipo de associação que você deseja fornecer para este espaço."],"Choose the security level for this workspace to define the visibleness.":["Escolha o nível de segurança para este espaço para definir a visibilidade."],"Manage your space members":["Gerenciar os membros do seu espaço"],"Outstanding sent invitations":["Convites Pendentes"],"Outstanding user requests":["Solicitações de usuários pendentes"],"Remove member":["Remover membro"],"Allow this user to
invite other users":["Permitir que este usuário
convide outros usuários"],"Allow this user to
make content public":["Permitir que este usuário
crie conteúdo público"],"Are you sure, that you want to remove this member from this space?":["Tem certeza que deseja remover este membro deste espaço?"],"Can invite":["Pode convidar"],"Can share":["Pode compartilhar"],"Change space owner":["Alterar a proprietário do espaço"],"External users who invited by email, will be not listed here.":["Os usuários externos convidados por e-mail, não serão listadas aqui."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Na área abaixo, você vê todos os membros ativos deste espaço. Você pode editar os seus privilégios ou removê-lo."],"Is admin":["É admin"],"Make this user an admin":["Fazer este usuário um administrador"],"No, cancel":["Não, cancelar"],"Remove":["Excluir"],"Request message":["Mensagem de solicitação"],"Revoke invitation":["Revogar convite"],"Search members":["Procurar membros"],"The following users waiting for an approval to enter this space. Please take some action now.":["Os seguintes usuários estão à espera de uma aprovação para entrar neste espaço. Por favor, tome alguma ação agora."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Os seguintes usuários já foram convidados para este espaço, mas ainda não aceitaram o convite."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["O proprietário do espaço é o super administrador de um espaço com todos os privilégios e, normalmente, o criador do espaço. Aqui você pode alterar esse papel para outro usuário."],"Yes, remove":["Sim, excluir"],"Space Modules":["Módulo de Espaço"],"Are you sure? *ALL* module data for this space will be deleted!":["Você tem certeza? *TODOS* os dados do módulo para este espaço vai ser apagado!"],"Currently there are no modules available for this space!":["Atualmente não há módulos disponíveis para este espaço!"],"Enhance this space with modules.":["Melhorar este espaço com módulos."],"Create new space":["Criar novo espaço"],"Advanced access settings":["Configurações avançadas de acesso"],"Advanced search settings":["Pesquisa avançada"],"Also non-members can see this
space, but have no access":["Os não-membros também poderão visualizar este
espaço, mas não terão acesso"],"Create":["Criar"],"Every user can enter your space
without your approval":["Qualquer usuário pode entrar no seu espaço
sem a sua aprovação"],"For everyone":["Para todos"],"How you want to name your space?":["Como você quer chamar o seu espaço?"],"Please write down a small description for other users.":["Por favor, escreva uma pequena descrição para os usuários."],"This space will be hidden
for all non-members":["Este espaço será escondido
para todos os não-membros"],"Users can also apply for a
membership to this space":["Os usuários também podem se inscrever
para ser membro deste espaço"],"Users can be only added
by invitation":["Os usuários podem ser adicionados apenas
por convite"],"space description":["descrição do espaço"],"space name":["nome do espaço"],"{userName} requests membership for the space {spaceName}":["{userName} solicitou adesão ao espaço {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName}, a sua inscrição para o espaço {spaceName} foi aprovada"],"{userName} declined your membership request for the space {spaceName}":["{userName}, o seu pedido de adesão para o espaço {spaceName} foi recusado"],"{userName} invited you to the space {spaceName}":["{userName} convidou-o para o espaço {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} aceitou seu convite para o espaço {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} recusou seu convite para o espaço {spaceName}"],"This space is still empty!":["Este espaço ainda está vazio!"],"Accept Invite":["Aceitar Convite"],"Become member":["Seja membro"],"Cancel membership":["Cancelar assinatura como membro"],"Cancel pending membership application":["Cancelar pedido pendente de adesão"],"Deny Invite":["Recusar Convite"],"Request membership":["Pedido de adesão"],"You are the owner of this workspace.":["Você é o proprietário deste espaço."],"created by":["criado por"],"Invite members":["Convidar membros"],"Add an user":["Adicionar um usuário"],"Email addresses":["Endereço de e-mail"],"Invite by email":["Convidar por e-mail"],"New user?":["Novo usuário?"],"Pick users":["Escolher usuários"],"Send":["Enviar"],"To invite users to this space, please type their names below to find and pick them.":["Para convidar usuários para este espaço, por favor digite os nomes abaixo para encontrá-los e adicioná-los."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Você também pode convidar usuários externos, que não estão cadastrados na rede. Basta adicionar os seus endereços de e-mail separados por vírgula."],"Request space membership":["Solicitar adesão ao espaço"],"Please shortly introduce yourself, to become an approved member of this space.":["Por favor, apresente-se em breve, para se tornar um membro aprovado deste espaço."],"Your request was successfully submitted to the space administrators.":["O seu pedido foi enviado com sucesso para os administradores do espaço."],"Ok":["Ok"],"User has become a member.":["O usuário se tornou um membro."],"User has been invited.":["O usuário foi convidado."],"User has not been invited.":["O usuário não foi convidado."],"Back to workspace":["Voltar para o espaço"],"Space preferences":["Preferências do Espaço"],"General":["Geral"],"My Space List":["Minha lista de espaços"],"My space summary":["Meu resumo do espaço"],"Space directory":["Espaço"],"Space menu":["Menu do Espaço"],"Stream":["Stream"],"Change image":["Mudar imagem"],"Current space image":["Imagem atual do espaço"],"Do you really want to delete your title image?":["Você realmente quer apagar sua imagem da capa?"],"Do you really want to delete your profile image?":["Você realmente quer apagar sua imagem de perfil?"],"Invite":["Convite"],"Something went wrong":["Algo deu errado"],"Followers":["Seguidores"],"Posts":["Postagens"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Por favor, apresente-se em breve para tornar-se um membro aprovado deste espaço."],"Request workspace membership":["Pedido de adesão ao espaço"],"Your request was successfully submitted to the workspace administrators.":["O seu pedido foi enviado com sucesso para os administradores do espaço."],"Create new space":["Criar novo espaço"],"My spaces":["Meus espaços"],"Space info":["Informações do espaço"],"more":["mais"],"Accept invite":["Aceitar convite"],"Deny invite":["Recusar convite"],"Leave space":["Deixar espaço"],"New member request":["Novo pedido de membro"],"Space members":["Membros do espaço","Membros do Espaço"],"End guide":["Fim do guia"],"Next »":["Próximo »"],"« Prev":["« Anterior"],"Administration":["Administração"],"Hurray! That's all for now.":["Uhuuu! Isso é tudo por agora."],"Modules":["Módulos"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Como administrador, você pode gerenciar toda a plataforma a partir daqui.
Além dos módulos, nós não estamos indo para cada ponto em detalhes, pois cada um tem a sua própria descrição em outro lugar."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Você está atualmente no menu de ferramentas. A partir daqui você pode acessar o mercado online HumHub, onde você pode instalar um número cada vez maior de ferramentas on-the-fly.
Como já mencionado, as ferramentas para aumentar os recursos disponíveis para o seu espaço."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Você já aprendeu sobre todas as características e configurações mais importantes e está tudo pronto para começar a utilizar a plataforma.
Esperamos que você e todos os futuros usuários gostem de usar este site. Nós estamos olhando para a frente e quaisquer sugestões ou apoio que desejam oferecer para o nosso projeto. Não hesite em contactar-nos através do www.humhub.org.
Fique atento. :-)"],"Dashboard":["Painel"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Este é o seu painel.
Quaisquer novas atividades ou mensagens que possam lhe interessar serão exibidos aqui."],"Administration (Modules)":["Administração(Módulos)"],"Edit account":["Editar conta"],"Hurray! The End.":["Uhuu! The End."],"Hurray! You're done!":["Uhuuu! Você concluiu!"],"Profile menu":["Menu do perfil","Menu do Perfil"],"Profile photo":["Foto do perfil"],"Profile stream":["Stream do perfil"],"User profile":["Perfil do usuário"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Clique neste botão para atualizar suas configurações de perfil e de conta. Você também pode adicionar mais informações ao seu perfil."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Cada perfil tem a sua própria pin board. Seus posts também aparecerão nos painéis dos usuários que estão seguindo você."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Assim como no espaço, o perfil do usuário pode ser personalizado com vários módulos.

Você pode ver quais módulos estão disponíveis para o seu perfil, olhando-os em \"Módulos\" no menu de configurações da conta."],"This is your public user profile, which can be seen by any registered user.":["Este é o seu perfil de usuário público, que pode ser visto por qualquer usuário registrado."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Para carregar uma nova foto de perfil, basta clicar aqui ou por drag&drop. Faça a mesma coisa para atualizar sua foto da capa."],"You've completed the user profile guide!":["Você completou o guia de perfil do usuário!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Você completou o guia perfil de usuário!

Para continuar com o guia de administração, clique aqui:

"],"Most recent activities":["Atividades mais recentes"],"Posts":["Posts"],"Profile Guide":["Guia do Perfil"],"Space":["Espaço"],"Space navigation menu":["Menu de navegação do Espaço"],"Writing posts":["Escrevendo posts"],"Yay! You're done.":["Hey! Você acabou."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Todos os usuários que são um membro deste espaço serão exibidos aqui.

Os novos membros podem ser adicionados por qualquer pessoa que tenha sido dado direitos de acesso pelo administrador."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Dê a outros usuários uma breve ideia do que trata o espaço. Você pode adicionar as informações básicas aqui.

O administrador do espaço pode inserir e alterar foto da capa do espaço clicando sobre ele ou por drag & drop."],"New posts can be written and posted here.":["Novos posts podem ser escritos e publicados aqui."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Assim que você entrar ou criar um novo espaço, pode discutir temas ou apenas compartilhar informações com outros usuários.

Existem várias ferramentas para personalizar um espaço, tornando assim o processo de comunicação mais fluido."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["Isso é tudo para o guia espaço
Para continuar com o guia de perfil de usuário, clique aqui:"],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["É aqui que você pode navegar no espaço - Onde você encontra os módulos que estão ativos ou disponíveis para o espaço está acessando atualmente. Estes poderiam ser enquetes, tarefas ou notas por exemplo

Só o administrador pode gerenciar os módulos do espaço."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Este menu só é visível para os administradores do espaço. Aqui você pode gerenciar suas configurações, adicionar/bloquear membros e ativar/desativar ferramentas para este espaço."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Para mantê-lo atualizado, as atividades mais recentes de outros usuários deste espaço serão exibidas aqui."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["As suas, e posts de outros usuários aparecerão aqui.

estas podem ser curtidas e/ou comentadas."],"Account Menu":["Menu da Conta"],"Notifications":["Notificações"],"Space Menu":["Menu do Espaço"],"Start space guide":["Iniciar guia do espaço"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Não perder a noção das coisas!

Este ícone irá mantê-lo informado sobre as atividades e os posts que dizem respeito diretamente a você."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["O menu conta dá acesso às suas configurações privadas e permite-lhe gerenciar o seu perfil público."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Este é o menu mais importante e, provavelmente, vai ser o que você usará com mais frequência.

Permite acessar todos os espaços que você faz parte e criar novos espaços.

O próximo guia vai te mostrar como fazer:"]," Remove panel":["Remover o painel"],"Getting Started":["Primeiros Passos"],"Guide: Administration (Modules)":["Guia: Administração(Módulos)"],"Guide: Overview":["Guia: visão geral"],"Guide: Spaces":["Guia: Espaços"],"Guide: User profile":["Guia:Perfil do usuário"],"Get to know your way around the site's most important features with the following guides:":["Conheça este ambiente em torno das características mais importantes com os seguintes guias:"],"This user account is not approved yet!":["Esta conta de usuário não foi aprovada ainda!"],"You need to login to view this user profile!":["Você precisa fazer o login para visualizar este perfil do usuário!"],"Your password is incorrect!":["Sua senha está incorreta!"],"You cannot change your password here.":["Você não pode mudar sua senha aqui."],"Invalid link! Please make sure that you entered the entire url.":["Link inválido! Certifique-se de que você digitou a URL inteira."],"Save profile":["Salvar perfil"],"The entered e-mail address is already in use by another user.":["O endereço de e-mail inserido já está em uso por outro usuário."],"You cannot change your e-mail address here.":["Você não pode mudar seu endereço de e-mail aqui."],"Account":["Conta"],"Create account":["Criar uma conta"],"Current password":["Senha atual"],"E-Mail change":["Mudança de e-mail"],"New E-Mail address":["Novo endereço de e-mail"],"Send activities?":["Enviar atividades ?"],"Send notifications?":["Enviar notificações ?"],"Incorrect username/email or password.":["Usuário/email ou senha incorreto."],"New password":["Nova senha"],"New password confirm":["Confirmação de nova senha"],"Remember me next time":["Lembre-se de mim na próxima vez"],"Your account has not been activated by our staff yet.":["A sua conta não foi ativada pela nossa equipe ainda."],"Your account is suspended.":["Sua conta está suspensa."],"Password recovery is not possible on your account type!":["Não é possível recuperar a senha no seu tipo de conta!"],"E-Mail":["E-mail","E-Mail"],"Password Recovery":["Recuperação de senha"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" não foi encontrado!"],"E-Mail is already in use! - Try forgot password.":["E-mail já cadastrado! - Tente Esqueceu a senha."],"Hide panel on dashboard":["Ocultar o painel no painel de controle"],"Invalid language!":["Idioma inválido!","Língua inválida!"],"Profile visibility":["Visibilidade do perfil"],"TimeZone":["Fuso horário"],"Default Space":["Espaço padrão"],"Group Administrators":["Administradores do grupo"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Membros podem criar espaços privados"],"Members can create public spaces":["Membros podem criar espaços públicos"],"Birthday":["Aniversário"],"Custom":["Personalizar"],"Female":["Feminino"],"Gender":["Gênero"],"Hide year in profile":["Esconder idade no perfil"],"Male":["Masculino"],"City":["Cidade"],"Country":["País"],"Facebook URL":["URL Facebook"],"Fax":["Fax"],"Firstname":["Primeiro nome"],"Flickr URL":["URL Flickr"],"Google+ URL":["URL Google+"],"Lastname":["Último nome"],"LinkedIn URL":["URL LinkedIn"],"MSN":["MSN"],"Mobile":["Celular"],"MySpace URL":["URL MySpace"],"Phone Private":["Telefone particular"],"Phone Work":["Telefone empresarial"],"Skype Nickname":["Apelido no Skype"],"State":["Estado"],"Street":["Endereço"],"Twitter URL":["URL Twitter"],"Url":["Url"],"Vimeo URL":["URL Vimeo"],"XMPP Jabber Address":["Endereço XMPP Jabber"],"Xing URL":["URL Xing"],"Youtube URL":["URL Youtube"],"Zip":["CEP"],"Created by":["Criado por"],"Editable":["Editável"],"Field Type could not be changed!":["Campo Tipo não pode ser mudado!"],"Fieldtype":["Tipo de campo"],"Internal Name":["Nome Interno"],"Internal name already in use!":["Nome interno está em uso!"],"Internal name could not be changed!":["Nome interno não pode ser mudado!"],"Invalid field type!":["Tipo de campo inválido!"],"LDAP Attribute":["Atributo LDAP"],"Module":["Módulo"],"Only alphanumeric characters allowed!":["Somente caracteres alfanuméricos são permitidos!"],"Profile Field Category":["Campo da categoria perfil"],"Required":["Obrigatório"],"Show at registration":["Mostrar na inscrição"],"Sort order":["Ordem de classificação","Ordenar"],"Translation Category ID":["ID da categoria tradução"],"Type Config":["Tipo de configuração"],"Visible":["Visível"],"Communication":["Comunicação"],"Social bookmarks":["Bookmarks sociais"],"Datetime":["Data e hora"],"Number":["Número"],"Select List":["Selecione a lista"],"Text":["Texto"],"Text Area":["Área de Texto"],"%y Years":["%y Anos"],"Birthday field options":["Opções do campo aniversário"],"Date(-time) field options":["Date(-time) opções de campo"],"Show date/time picker":["Mostrar data/hora"],"Maximum value":["Valor máximo"],"Minimum value":["Valor mínimo"],"Number field options":["Opções do campo Número"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Uma opção por linha. Key=>Value Format (e.g. yes=>Yes)"],"Please select:":["Selecione"],"Possible values":["Valores possíveis"],"Select field options":["Opções do campo de seleção"],"Default value":["Valor padrão"],"Maximum length":["Comprimento máximo"],"Minimum length":["Comprimento mínimo"],"Regular Expression: Error message":["Expressão regular: Mensagem de erro"],"Regular Expression: Validator":["Expressão regular: Vlidador"],"Text Field Options":["Opções do campo texto"],"Validator":["Validador"],"Text area field options":["Opções do campo text area"],"Authentication mode":["Modo de autenticação"],"New user needs approval":["Novo usuário precisa de aprovação"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Nome de usuário pode conter somente letras, números, espaços e caracteres especiais (+-._)"],"Wall":["Parede"],"Change E-mail":["Mudança de E-mail"],"Current E-mail address":["E-mail atual"],"Your e-mail address has been successfully changed to {email}.":["Seu e-mail foi alterado com sucesso para {email}."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Acabamos de enviar um email de confirmação para o novo endereço.
Por favor, siga as instruções contidas nele."],"Change password":["Mudança de senha"],"Password changed":["Senha alterada"],"Your password has been successfully changed!":["Sua senha foi alterada com sucesso!"],"Modify your profile image":["Modificar sua imagem do perfil","Modificar a imagem do seu perfil"],"Delete account":["Excluir conta"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Tem a certeza que quer deletar a sua conta?
Todo o seu conteúdo publicado será removido!"],"Delete account":["Excluir conta","Deletar conta"],"Enter your password to continue":["Insira sua senha para continuar"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Desculpe, como um proprietário de um espaço, você não pode apagar a sua conta!
Por favor atribua outro proprietário para o(s) espaço(s) ou exclua-os."],"User details":["Detalhes do usuário"],"User modules":["Módulos do Usuário"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Você tem certeza? *TODOS* os dados do módulo para o seu perfil será excluído!"],"Enhance your profile with modules.":["Melhore o seu perfil com módulos."],"User settings":["Configurações do Usuário"],"Getting Started":["Primeiros passos"],"Registered users only":["Somente usuários registrados"],"Visible for all (also unregistered users)":["Visível para todos (usuários não registrados também)"],"Desktop Notifications":["Notificações de Área de Trabalho"],"Email Notifications":["Notificações por E-mail"],"Get a desktop notification when you are online.":["Receba notificações de Área de Trabalho quando estiver online."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Receba um e-mail, por todas as atividades de outros usuários que você segue ou trabalham
juntos em espaços de trabalho."],"Get an email, when other users comment or like your posts.":["Receba um e-mail, quando outros usuários comentarem ou gostarem de suas respostas."],"Account registration":["Conta registro"],"Create Account":["Criar conta"],"Your account has been successfully created!":["A sua conta foi criada com sucesso!"],"After activating your account by the administrator, you will receive a notification by email.":["Depois da sua conta ser ativada pelo administrador, você receberá uma notificação por e-mail."],"Go to login page":["Ir para a página de login"],"To log in with your new account, click the button below.":["Para efetuar o login com a sua nova conta, clique no botão abaixo."],"back to home":["Voltar ao início"],"Please sign in":["Por favor faça o login"],"Sign up":["Crie sua conta"],"Create a new one.":["Criar uma nova"],"Don't have an account? Join the network by entering your e-mail address.":["Não tem uma conta? Junte-se à rede, digitando o seu endereço de e-mail."],"Forgot your password?":["Esqueceu sua senha?"],"If you're already a member, please login with your username/email and password.":["Se você já é membro, por favor, faça o login com seu nome de usuário ou e-mail e senha."],"Register":["Cadastrar"],"email":["e-mail"],"password":["senha"],"username or email":["nome do usuário ou e-mail"],"Password recovery":["Recuperação de Senha","Recuperar Senha"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Basta digitar o seu endereço de e-mail que te enviaremos instruções de recuperação!"],"Password recovery":["Recuperação de senha"],"Reset password":["Resetar senha"],"enter security code above":["Digite o código de segurança acima"],"your email":["seu e-mail"],"Password recovery!":["Recuperação de senha!"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Enviamos um e-mail contendo um link que lhe permitirá redefinir sua senha."],"Registration successful!":["Cadastrado com sucesso!"],"Please check your email and follow the instructions!":["Por favor, verifique seu e-mail e siga as instruções!"],"Registration successful":["Cadastro efetuado com sucesso"],"Change your password":["Alterar sua senha"],"Password reset":["Redefinir Senha"],"Change password":["Alterar senha"],"Password reset":["Reconfigurar senha"],"Password changed!":["Senha alterada!"],"Confirm your new email address":["Confirme seu novo endereço de e-mail"],"Confirm":["Confirmar"],"Hello":["Olá"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Você solicitou a mudança do seu endereço de e-mail.
Seu novo endereço de e-mail é {newemail}.

Para confirmar, por favor clique no botão abaixo."],"Hello {displayName}":["Olá {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Se você não usar este link no prazo de 24 horas, ele irá expirar."],"Please use the following link within the next day to reset your password.":["Por favor use o seguinte link no dia seguinte para redefinir sua senha."],"Reset Password":["Resetar Senha"],"Registration Link":["Link para Registro"],"Sign up":["Inscrever-se"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Bem vindo a %appName%, Por favor, clique no botão abaixo para prosseguir com o seu registo."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Uma rede social para aumentar a sua rede de comunicação.
Cadastre-se agora\n                                                         para aderir a este espaço."],"Sign up now":["Entre agora","Registe-se agora"],"Space Invite":["Convite de espaço"],"You got a space invite":["Você tem convite para um espaço"],"invited you to the space:":["convidou você para o espaço:"],"{userName} mentioned you in {contentTitle}.":["{userName} mencionou você em {contentTitle}."],"{userName} is now following you.":["{userName} agora está seguindo você."],"About this user":["Sobre esse usuário"],"Modify your title image":["Modificar o título da sua imagem"],"This profile stream is still empty!":["Este fluxo de perfil ainda está vazio"],"Do you really want to delete your logo image?":["Você realmente quer apagar sua imagem do logotipo?"],"Account settings":["Configurações da Conta"],"Profile":["Perfil"],"Edit account":["Editar conta"],"Following":["Seguindo"],"Following user":["Seguindo usuários"],"User followers":["Usuários seguidores"],"Member in these spaces":["Membro nesses espaços"],"User tags":["Tags do Usuário"],"No birthday.":["Nenhum aniversariante."],"Back to modules":["Voltar aos módulos"],"Birthday Module Configuration":["Configuração do Módulo de Aniversário"],"The number of days future bithdays will be shown within.":["O número de dias para exibição dos próximos aniversários no calendário."],"Tomorrow":["Amanhã"],"Upcoming":["Próximos"],"You may configure the number of days within the upcoming birthdays are shown.":["Você pode configurar o número de dias antes dos próximos aniversários para que sejam mostrados no calendário."],"becomes":["tornar-se"],"birthdays":["aniversários"],"days":["dias"],"today":["hoje"],"years old.":["anos de idade."],"Active":["Ativo"],"Mark as unseen for all users":["Marcar como não-visto para todos usuários"],"Breaking News Configuration":["Configuração Breaking News"],"Note: You can use markdown syntax.":["Nota: Você pode usar a sintaxe markdown."],"End Date and Time":["Data e hora final"],"Recur":["Lembrete"],"Recur End":["Final do lembrete"],"Recur Interval":["Intervalo do lembrete"],"Recur Type":["Tipo de lembrete"],"Select participants":["Selecionar participantes"],"Start Date and Time":["Data e hora inicial"],"You don't have permission to access this event!":["Você não tem permissão para acessar este evento!"],"You don't have permission to create events!":["Você não tem permissão para criar eventos!"],"Adds an calendar for private or public events to your profile and mainmenu.":["Adicione um calendário para eventos privados ou públicos em seu perfil e menu principal."],"Adds an event calendar to this space.":["Adicione um evento para este espaço."],"All Day":["Todo dia"],"Attending users":["Confirmaram presença"],"Calendar":["Calendário "],"Declining users":["Não Confirmaram presença"],"End Date":["Data Final"],"End Time":["Hora de término"],"End time must be after start time!":["A hora de término precisa ser depois da hora de início!"],"Event":["Evento"],"Event not found!":["Evento não encontrado!"],"Maybe attending users":["Talvez marcarão presença"],"Participation Mode":["Modo de Participação"],"Start Date":["Data de Inicio"],"Start Time":["Hora de início"],"You don't have permission to delete this event!":["Você não tem permissão para apagar este evento!"],"You don't have permission to edit this event!":["Você não tem permissão para editar este evento!"],"%displayName% created a new %contentTitle%.":["%displayName% criou um novo %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% participou %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% talvez tenha participado %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% não participou %contentTitle%."],"Start Date/Time":["Data/Hora de Início"],"Create event":["Criar evento"],"Edit event":["Editar evento"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Obs:Este evento será criado no seu perfil. Para criar um evento em um espaço, abra o calendário do espaço desejado."],"End Date/Time":["Data/Hora Final"],"Everybody can participate":["Todos podem participar"],"No participants":["Sem participantes"],"Participants":["Participantes"],"Created by:":["Criado por:"],"Edit this event":["Editar esse evento"],"I´m attending":["Estou participando"],"I´m maybe attending":["Talvez participarei"],"I´m not attending":["Não vou participar"],"Attend":["Participar"],"Edit event":["Editar evento"],"Maybe":["Talvez"],"Filter events":["Filtrar eventos"],"Select calendars":["Selecionar calendários"],"Already responded":["Já respondeu"],"Followed spaces":["Espaços seguidos"],"Followed users":["Usuários seguidos"],"My events":["Meus eventos"],"Not responded yet":["Ainda não respondeu"],"Upcoming events ":["Próximos eventos"],":count attending":[":count participando"],":count declined":[":count recusado"],":count maybe":[":count talvez"],"Participants:":["Participantes:"],"Create new Page":["Criar nova página"],"Custom Pages":["Personalizar Páginas"],"HTML":["HTML"],"IFrame":["IFrame"],"Link":["Link"],"MarkDown":["MarkDown"],"Navigation":["Navegação"],"No custom pages created yet!":["Não há páginas personalizadas criadas ainda!"],"Sort Order":["Ordem de Classificação"],"Top Navigation":["Menu Superior"],"User Account Menu (Settings)":["Menu da Conta de Usuário (Configurações)"],"Create page":["Criar página"],"Edit page":["Editar página"],"Default sort orders scheme: 100, 200, 300, ...":["Ordenação padrão: 100, 200, 300, ..."],"Page title":["Título da página"],"URL":["URL"],"The item order was successfully changed.":["A ordem do item foi alterada com sucesso."],"Toggle view mode":["Alternar modo de visualização"],"You miss the rights to reorder categories.!":["Você não tem permissão para reordenar categorias!"],"Confirm category deleting":["Confirmar exclusão de categoria"],"Confirm link deleting":["Confirmar exclusão de link"],"Delete category":["Excluir categoria"],"Delete link":["Excluir link"],"Do you really want to delete this category? All connected links will be lost!":["Você realmente quer apagar esta categoria? Todos os links relacionados serão perdidos!"],"Do you really want to delete this link?":["Você realmente quer apagar este link?"],"Extend link validation by a connection test.":["Estender validação de link por um teste de conexão."],"Linklist":["Links úteis"],"Linklist Module Configuration":["Linklist Módulo de Configuração"],"Requested category could not be found.":["Categoria solicitada não pôde ser encontrada."],"Requested link could not be found.":["Link solicitado não pôde ser encontrado."],"Show the links as a widget on the right.":["Mostrar os links como um widget na direita."],"The category you want to create your link in could not be found!":["A categoria que você deseja criar o seu link não foi encontrada!"],"There have been no links or categories added to this space yet.":["Ainda não há links ou categorias adicionadas a este espaço."],"You can enable the extended validation of links for a space or user.":["Você pode ativar a validação estendida de links para um espaço ou usuário."],"You miss the rights to add/edit links!":["Você não tem permissão para adicionar/editar links!"],"You miss the rights to delete this category!":["Você não tem permissão para apagar esta categoria!"],"You miss the rights to delete this link!":["Você não tem permissão para eliminar este link!"],"You miss the rights to edit this category!":["Você não tem permissão para editar esta categoria!"],"You miss the rights to edit this link!":["Você não tem permissão para editar esse link!"],"Messages":["Mensagens"],"You could not send an email to yourself!":["Você não deveria enviar um e-mail para si! Ora bolas!","Você não pode enviar um e-mail para si!"],"Recipient":["Destinatário"],"You cannot send a email to yourself!":["Você não pode enviar um e-mail para você mesmo! Ora!","Você NÃO PODE enviar um e-mail para si mesmo!"],"New message from {senderName}":["Nova mensagem de {senderName}"],"and {counter} other users":["e {counter} outros usuários"],"New message in discussion from %displayName%":["Nova mensagem em discussão de %displayName%"],"New message":["Nova mensagem"],"Reply now":["Responder agora"],"sent you a new message:":["enviar uma nova mensagem:"],"sent you a new message in":["enviar uma nova mensagem em"],"Add more participants to your conversation...":["Adicionar mais participantes na sua conversa ..."],"Add user...":["Adicionar usuário..."],"New message":["Nova mensagem"],"Edit message entry":["Editar mensagem"],"Messagebox":["Caixa de mensagem"],"Inbox":["Caixa de entrada"],"There are no messages yet.":["Não há mensagens ainda."],"Write new message":["Escrever nova mensagem"],"Confirm deleting conversation":["Confirmar apagar conversa"],"Confirm leaving conversation":["Confirmar deixar conversa"],"Confirm message deletion":["Confirmar apagar mensagem"],"Add user":["Adicionar usuário"],"Do you really want to delete this conversation?":["Você quer realmente apagar esta conversa?"],"Do you really want to delete this message?":["Você realmente quer apagar esta mensagem?"],"Do you really want to leave this conversation?":["Você quer realmente sair desta conversa?"],"Leave":["Sair"],"Leave discussion":["Deixar discussão"],"Write an answer...":["Escreva uma resposta ..."],"User Posts":["Posts do Usuário"],"Show all messages":["Mostrar todas as mensagens"],"Send message":["Enviar mensagem"],"No users.":["Nenhum usuário."],"The number of users must not be greater than a 7.":["O número de usuários não pode ser maior que 7."],"The number of users must not be negative.":["O número de usuários não pode ser negativo."],"Most active people":["Pessoa mais ativa","Pessoa mais ativa"],"Get a list":["Listar"],"Most Active Users Module Configuration":["Modulo de configuração de usuários mais ativos"],"The number of most active users that will be shown.":["Número máximo de usuários mais ativos que será apresentado."],"You may configure the number users to be shown.":["Você pode configurar o número de usuários para ser apresentado."],"Comments created":["Comentários criados"],"Likes given":["Curtidas dadas"],"Posts created":["Posts criados"],"Notes":["Notas"],"Etherpad API Key":["Chave da API do Etherpad"],"URL to Etherpad":["URL para Etherpad"],"Could not get note content!":["Não foi possível obter o conteúdo da nota!"],"Could not get note users!":["Não foi possível obter os usuários de nota!"],"Note":["Nota"],"{userName} created a new note {noteName}.":["{userName} criou uma nova nota ({noteName})."],"{userName} has worked on the note {noteName}.":["{userName} trabalhou na nota {noteName}."],"API Connection successful!":["API - Conexão bem sucedida!"],"Could not connect to API!":["Não foi possível conectar-se a API!"],"Current Status:":["Status atual:"],"Notes Module Configuration":["Configuração do Módulo de Notas"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Por favor, leia a documentação do módulo em protected/modules/notes/docs/install.txt para mais detalhes!"],"Save & Test":["Salvar & Testar"],"The notes module needs a etherpad server up and running!":["O módulo de notas precisa de um servidor EtherPad Up e executando!"],"Save and close":["Salvar e fechar"],"{userName} created a new note and assigned you.":["{userName} criou uma nova nota e atribuiu a você."],"{userName} has worked on the note {spaceName}.":["{userName} trabalhou na nota {spaceName}."],"Open note":["Abrir nota"],"Title of your new note":["Título da sua nova nota"],"No notes found which matches your current filter(s)!":["Nenhuma anotação foi encontrada que coincide com o seu(s) filtro(s) atual(ais)"],"There are no notes yet!":["Ainda não existem notas!"],"Polls":["Enquete"],"Could not load poll!":["Não foi possível carregar enquete!"],"Invalid answer!":["Resposta inválida!"],"Users voted for: {answer}":["Usuários votaram em: {answer}"],"Voting for multiple answers is disabled!":["A votação para múltiplas respostas está desabilitada!"],"You have insufficient permissions to perform that operation!":["Você não tem permissões suficientes para executar essa operação!"],"Answers":["Respostas"],"Multiple answers per user":["Múltiplas respostas por usuário"],"Please specify at least {min} answers!":["Especifique pelo menos {min} respostas!"],"Question":["Pergunta"],"{userName} voted the {question}.":["{userName} eleito o {question}."],"{userName} answered the {question}.":["{userName} respondeu a {question}."],"{userName} created a new {question}.":["{userName} criou uma nova enquete: {question}."],"User who vote this":["Usuário que vota nesta"],"{userName} created a new poll and assigned you.":["{userName} criou uma nova enquete e atribuiu a você."],"Ask":["Perguntar"],"Reset my vote":["Resetar meu voto"],"Vote":["Votar"],"and {count} more vote for this.":["e mais {count} votos para este."],"votes":["votos"],"Allow multiple answers per user?":["Permitir várias respostas por usuário?"],"Ask something...":["Pergunte alguma coisa..."],"Possible answers (one per line)":["Possíveis respostas (um por linha)"],"Display all":["Mostrar tudo"],"No poll found which matches your current filter(s)!":["Nenhuma enquete encontrada que corresponda(m) ao(s) seu(s) filtro(s) atual(ais)!"],"There are no polls yet!":["Não existem enquetes ainda!"],"There are no polls yet!
Be the first and create one...":["Ainda não existem enquetes!
Seja o primeiro e criar uma..."],"Asked by me":["Enviadas por mim"],"No answered yet":["Ainda não há resposta"],"Only private polls":["Somente pesquisas particulares"],"Only public polls":["Somente sondagens públicas"],"Manage reported posts":["Gerenciar posts reportados"],"Reported posts":["Posts reportados"],"Why do you want to report this post?":["Por que você quer denunciar essa postagem?"],"by :displayName":["por :displayName"],"created by :displayName":["criado por :displayName"],"Doesn't belong to space":["Não está relacionado ao espaço"],"Offensive":["Ofensivo"],"Spam":["Spam"],"Here you can manage reported users posts.":["Aqui você pode gerenciar posts de usuários reportados."],"An user has reported your post as offensive.":["Um usuário marcou seu post como ofensivo."],"An user has reported your post as spam.":["Um usuário marcou seu post como spam."],"An user has reported your post for not belonging to the space.":["Um usuário marcou seu post como não relacionado a este espaço."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% reportou %contentTitle% como ofensivo."],"%displayName% has reported %contentTitle% as spam.":["%displayName% reportou %contentTitle% como spam."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% reportou %contentTitle% como não relacioinado ao espaço."],"Here you can manage reported posts for this space.":["Aqui você pode gerenciar posts reportados deste espaço."],"Appropriate":["Apropriado"],"Confirm post deletion":["Confirme exclusão da postagem"],"Confirm report deletion":["Confirme exclusão da denúncia"],"Delete post":["Excluir postagem"],"Delete report":["Excluir denúncia"],"Do you really want to delete this report?":["Você realmente quer excluir esta denúncia?"],"Reason":["Motivo"],"Reporter":["Relator"],"There are no reported posts.":["Não há postagens denunciadas."],"Does not belong to this space":["Não pertence a este espaço"],"Help Us Understand What's Happening":["Ajude-nos a entender o que está acontecendo"],"It's offensive":["É ofensivo"],"It's spam":["É SPAM"],"Report post":["Denunciar postagem"],"API ID":["ID da API"],"Allow Messages > 160 characters (default: not allowed -> currently not supported, as characters are limited by the view)":["Permitir mensagens maiores que 160 caracteres (padrão: não permitido -> atualmente não há suporte, uma vez que os caracteres são limitados pela view)"],"An unknown error occurred.":["Um erro desconhecido ocorreu."],"Body too long.":["Texto muito longo."],"Body too too short.":["Texto muito curto."],"Characters left:":["Caracteres restantes: "],"Choose Provider":["Escolha o provedor"],"Could not open connection to SMS-Provider, please contact an administrator.":["Não foi possível estabelecer conexão com o servidor de SMS, gentileza entrar em contato com um administrador."],"Gateway Number":["Número do gateway"],"Gateway isn't available for this network.":["O Gateway não está disponível para esta rede."],"Insufficent credits.":["Créditos insuficientes."],"Invalid IP address.":["Endereço IP inválido."],"Invalid destination.":["Destino inválido."],"Invalid sender.":["Remetente inválido."],"Invalid user id and/or password. Please contact an administrator to check the module configuration.":["Usuário ou senha inválido. Gentileza contactar um administrador para verificar a configuração do módulo."],"No sufficient credit available for main-account.":["Não há créditos suficientes para a contra principal."],"No sufficient credit available for sub-account.":["Não há créditos suficientes para uma sub-conta."],"Provider is not initialized. Please contact an administrator to check the module configuration.":["Provedor não iniciado. Gentileza contatar um administrador para verificar a configuração do módulo."],"Receiver is invalid.":["Destinatário é inválido."],"Receiver is not properly formatted, has to be in international format, either 00[...], or +[...].":["Destinatário não está propriamente formatado, deve estar no formato internacional, ou 00[...], ou +[...]."],"Reference tag to create a filter in statistics":["Marcação de referência para criar filtro nas estatísticas."],"Route access violation.":["Violação de acesso de rota."],"SMS Module Configuration":["Configuração do Módulo SMS"],"SMS has been rejected/couldn't be delivered.":["O SMS foi rejeitado/não pôde ser entregue."],"SMS has been successfully sent.":["O SMS foi enviado com sucesso."],"SMS is lacking indication of price (premium number ads).":["Não há indicação de preço para o SMS (premium number ads)."],"SMS with identical message text has been sent too often within the last 180 secondsSMS with identical message text has been sent too often within the last 180 seconds.":["SMS com mensagens de texto idênticas foram enviadas com muita frequencia nos últimos 180 segundos. "],"Save Configuration":["Salvar Configurações"],"Security error. Please contact an administrator to check the module configuration.":["Erro de segurança. Gentileza contatar um administrador para verificar a configuração do módulo."],"Select the Spryng route (default: BUSINESS)":["Selecione a tora Spryng(?) (Padrão: BUSINESS)"],"Send SMS":["Enviar SMS"],"Send a SMS":["Envie um SMS"],"Send a SMS to ":["Envie um SMS para"],"Sender is invalid.":["Remetente é inválido."],"Technical error.":["Erro técnico."],"Test option. Sms are not delivered, but server responses as if the were.":["Opção de teste. SMS não são entregues, mas o servidor responde como se tivessem sido."],"To be able to send a sms to a specific account, make sure the profile field \"mobile\" exists in the account information.":["Para ser possível enviar um SMS para uma conta específica, certifique-se de que o campo \"mobile\" exista na conta do usuário."],"Unknown route.":["Rota desconhecida."],"Within this configuration you can choose between different sms-providers and configurate these. You need to edit your account information for the chosen provider properly to have the sms-functionality work properly.":["Nesta configuração você pode escolher entre diferentes provedores de SMS e configurá-los. Você deve fornecer suas informações de conta de forma adequada para o provedor escolhido para que a funcionalidade SMS funcione corretamente."],"Tasks":["Tarefas"],"Could not access task!":["Não foi possível acessar a tarefa!"],"Task":["Tarefa"],"{userName} assigned to task {task}.":["{userName} atribuído à tarefa {task}."],"{userName} created task {task}.":["{userName} criou a tarefa {task}."],"{userName} finished task {task}.":["{userName} finalizou a tarefa {task}."],"{userName} assigned you to the task {task}.":["{userName} atribuiu a você a tarefa {task}."],"{userName} created a new task {task}.":["{userName} criou a nova tarefa {task}."],"Create new task":["Criar nova tarefa"],"Edit task":["Editar tarefa"],"Assign users":["Designar usuários"],"Assign users to this task":["Atribuir usuários para esta tarefa"],"Deadline":["Prazo"],"Deadline for this task?":["Prazo para esta tarefa?"],"Preassign user(s) for this task.":["Pré-atribuir usuários para esta tarefa."],"Task description":["Descrição da tarefa"],"What is to do?":["O que é para fazer?"],"Confirm deleting":["Confirmar exclusão"],"Add Task":["Adicionar tarefa"],"Do you really want to delete this task?":["Você realmente quer excluir esta tarefa?"],"No open tasks...":["Não há tarefas abertas..."],"completed tasks":["Tarefas finalizadas"],"This task is already done":["Esta tarefa já está feita"],"You're not assigned to this task":["Você não está designado para esta tarefa"],"Click, to finish this task":["Clique, para finalizar esta tarefa"],"This task is already done. Click to reopen.":["Esta tarefa já está feita. Clique para reabrir."],"My tasks":["Minhas tarefas"],"From space: ":["Do espaço:"],"No tasks found which matches your current filter(s)!":["Nenhuma tarefa encontrada que corresponda ao seu(s) filtro(s) atual(ais)!"],"There are no tasks yet!":["Não há tarefas ainda!"],"There are no tasks yet!
Be the first and create one...":["Não há tarefas ainda!
Seja o primeiro e criar uma..."],"Assigned to me":["Designado para mim"],"Nobody assigned":["Ninguém atribuído"],"State is finished":["Estado está finalizado"],"State is open":["Estado está aberto"],"What to do?":["O que fazer?"],"Translation Manager":["Gerenciador de traduções"],"Translations":["Traduções"],"Translation Editor":["Editor de traduções"],"Confirm page deleting":["Confirme apagar a página"],"Confirm page reverting":["Confirme reverter a página"],"Overview of all pages":["Visão geral de todas as páginas"],"Page history":["Histórico da Página
"],"Wiki Module":["Módulo Wiki"],"Adds a wiki to this space.":["Adicionar uma wiki para este espaço"],"Adds a wiki to your profile.":["Adicionar uma wiki para este perfil."],"Back to page":["Voltar para a página"],"Do you really want to delete this page?":["Você realmente quer apagar esta página?"],"Do you really want to revert this page?":["Você realmente quer reverter esta página?"],"Edit page":["Editar página"],"Edited at":["Editado em"],"Go back":["Voltar"],"Invalid character in page title!":["Caractere inválido no título da página!"],"Let's go!":["Vamos lá!"],"Main page":["Página principal"],"New page":["Nova página"],"No pages created yet. So it's on you.
Create the first page now.":["Não existem páginas criadas ainda. Então é com você.
Crie a primeira página agora."],"Page History":["Histórico da página"],"Page title already in use!":["Título da página já está em uso!"],"Revert":["Reverter"],"Revert this":["Reverter este"],"View":["Visualizar"],"Wiki":["Wiki"],"by":["por"],"Wiki page":["Página Wiki"],"Create new page":["Criar nova página"],"Enter a wiki page name or url (e.g. http://example.com)":["Insira o nome ou url da página Wiki (ex. http://exemplo.com)"],"New page title":["Título da nova página"],"Page content":["Conteúdo da página"],"Open wiki page...":["Abrir página wiki..."]} \ No newline at end of file +{"Latest updates":["Atualizações"],"Search":["Busca"],"Account settings":["Configurações da conta"],"Administration":["Administração"],"Back":["Voltar"],"Back to dashboard":["Voltar para o painel"],"Choose language:":["Escolha o idioma:"],"Collapse":["Minimizar","Colapso"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Conteúdo fonte Addon deve ser instância de HActiveRecordContent ou HActiveRecordContentAddon!"],"Could not determine content container!":["Não foi possível determinar o conteúdo!"],"Could not find content of addon!":["Não foi possível encontrar o conteúdo !"],"Could not find requested module!":["Não foi possível encontrar o módulo requisitado!"],"Error":["Erro"],"Expand":["Expandir"],"Insufficent permissions to create content!":["Permissões insuficientes para criar conteúdo!"],"Invalid request.":["Requisição inválida."],"It looks like you may have taken the wrong turn.":["Parece que você pode ter tomado o caminho errado."],"Keyword:":["Palavra-chave:"],"Language":["Língua","Idioma"],"Latest news":["Últimas notícias"],"Login":["Login","Entrar"],"Logout":["Sair"],"Menu":["Menu"],"Module is not on this content container enabled!":["O módulo não está habilitado para este container!"],"My profile":["Meu perfil"],"New profile image":["Nova imagem de perfil"],"Nothing found with your input.":["Nada foi encontrado."],"Oooops...":["Oooops..."],"Results":["Resultados"],"Search":["Pesquisa","Buscar"],"Search for users and spaces":["Busca por usuários e espaços"],"Show more results":["Mostre mais resultados"],"Sorry, nothing found!":["Desculpe, nada foi encontrado!"],"Space not found!":["Espaço não encontrado!"],"User Approvals":["Aprovações de Usuários"],"User not found!":["Usuário não encontrado!"],"Welcome to %appName%":["Bem vindo a %appName%"],"You cannot create public visible content!":["Você não pode criar conteúdo com visibilidade pública!"],"Your daily summary":["Seu resumo diário"],"Login required":["Login Requerido"],"An internal server error occurred.":["Ocorreu um erro interno no servidor."],"You are not allowed to perform this action.":["Você não tem permissão para executar esta ação."],"Global {global} array cleaned using {method} method.":["O array global {global} foi limpo utilizando o método {method}."],"Upload error":["Erro ao enviar arquivo","Upload erro"],"Close":["Fechar"],"Add image/file":["Adicionar imagem / arquivo"],"Add link":["Adicionar Link"],"Bold":["Negrito"],"Code":["Código"],"Enter a url (e.g. http://example.com)":["Digite uma URL"],"Heading":["Título"],"Image":["Imagem"],"Image/File":["Imagem/Arquivo"],"Insert Hyperlink":["Inserir Hyperlink"],"Insert Image Hyperlink":["Inserir imagem com Hyperlink"],"Italic":["Itálico"],"List":["Lista"],"Please wait while uploading...":["Por favor aguarde enquanto o arquivo é carregado"],"Preview":["Pré-visualizar"],"Quote":["Cota"],"Target":["Alvo"],"Title":["Título"],"Title of your link":["Título do seu link"],"URL/Link":["URL/Link"],"code text here":["Código aqui"],"emphasized text":["Texto enfatizado"],"enter image description here":["Insira a descrição da imagem aqui"],"enter image title here":["Insira o título da imagem aqui"],"enter link description here":["Insira descrição do link aqui"],"heading text":["Texto do cabeçalho "],"list text here":["Listar texto aqui"],"quote here":["Citação aqui"],"strong text":["Negrito"],"Could not create activity for this object type!":["Não foi possível criar a atividade para este tipo de objeto!"],"%displayName% created the new space %spaceName%":["%displayName% criou o novo espaço %spaceName%"],"%displayName% created this space.":["%displayName% criou este espaço."],"%displayName% joined the space %spaceName%":["%displayName% entrou no espaço %spaceName%"],"%displayName% joined this space.":["%displayName% entrou neste espaço."],"%displayName% left the space %spaceName%":["%displayName% deixou o espaço %spaceName%"],"%displayName% left this space.":["%displayName% deixou este espaço."],"{user1} now follows {user2}.":["{user1} agora segue {user2}."],"see online":["ver online","ver on-line"],"via":["via"],"Latest activities":["Últimas atividades"],"There are no activities yet.":["Não há atividades ainda."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Olá {displayName},

\n \n sua conta foi ativada.

\n \n Clique aqui para acessar:
\n {loginURL}

\n \n Atenciosamente
\n {AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Olá {displayName},

\n \n Seu cadastro foi recusado.

\n \n Atenciosamente
\n {AdminName}

"],"Account Request for '{displayName}' has been approved.":["Pedido de cadastro de '{displayName}' foi recusado."],"Account Request for '{displayName}' has been declined.":["Pedido de cadastro de '{displayName}' foi recusado."],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["Olá {displayName},

\n\n Sua conta foi ativada.

\n\n Clique aqui para acessar:
\n {loginURL}

\n\n Atenciosamente,
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["Olá, {displayName},

\n\n Seu pedido de acesso foi recusado.

\n\n Atenciosamente,
\n {AdminName}

"],"Group not found!":["Grupo não encontrado!"],"Could not uninstall module first! Module is protected.":["Não pode instalar o primeiro módulo! O módulo está protegido."],"Module path %path% is not writeable!":["O caminho do módulo %path% não tem permissão de escrita!"],"Saved":["Salvo"],"Database":["Banco de dados"],"No theme":["Sem tema"],"APC":["APC","Cache Alternativo PHP (APC)"],"Could not load LDAP! - Check PHP Extension":["Não pode carregar o LDAP! - Verifique a extensão PHP"],"File":["Arquivo"],"No caching (Testing only!)":["Sem cache (Somente teste!)","Sem cache(Apenas testando!)"],"None - shows dropdown in user registration.":["Nenhum - mostra uma lista no registro de usuário."],"Saved and flushed cache":["Salvo e cache descarregado."],"LDAP":["LDAP"],"Local":["Local"],"Become this user":["Torne-se este usuário"],"Delete":["Excluir","Apagar"],"Disabled":["Desabilitado"],"Enabled":["Habilitado"],"Save":["Salvar"],"Unapproved":["Não aprovado"],"You cannot delete yourself!":["Você não pode se excluir!"],"Could not load category.":["Não foi possível carregar a categoria."],"You can only delete empty categories!":["Você só pode apagar categorias vazias!"],"Group":["Grupo"],"Message":["Mensagem"],"Subject":["Assunto"],"Base DN":["Base DN"],"E-Mail Address Attribute":["Atributo de e-mail"],"Enable LDAP Support":["Habilitar suporte LDAP"],"Encryption":["Criptografia","Encriptação"],"Fetch/Update Users Automatically":["Fetch/Update usuários automaticamente"],"Hostname":["Hostname"],"Login Filter":["Filtro de login"],"Password":["Senha"],"Port":["Porta"],"User Filer":["Usuário arquivado"],"Username":["Nome do usuário"],"Username Attribute":["Atributo do nome do usuário"],"Allow limited access for non-authenticated users (guests)":["Permitir acesso limitado para usuários não autenticados (convidados)"],"Anonymous users can register":["Usuários anônimos podem se registrar"],"Default user group for new users":["Grupo de usuário padrão para novos usuários"],"Default user idle timeout, auto-logout (in seconds, optional)":["Tempo máximo de espera antes de sair (em segundos, opcional)"],"Default user profile visibility":["Visibilidade padrão do perfil do usuário"],"Members can invite external users by email":["Membros podem convidar usuários externos por email"],"Require group admin approval after registration":["Exigir aprovação do grupo de administração após o registro"],"Base URL":["URL base"],"Default language":["Idioma padrão"],"Default space":["Espaço padrão"],"Invalid space":["Espaço inválido"],"Logo upload":["Enviar logomarca"],"Name of the application":["Nome da aplicação"],"Server Timezone":["Fuso horário do servidor"],"Show introduction tour for new users":["Mostrar tour de introdução para novos usuários"],"Show user profile post form on dashboard":["Possibilitar ao usuário postar no painel"],"Cache Backend":["Backend de cache"],"Default Expire Time (in seconds)":["Tempo para expirar (em segundos)"],"PHP APC Extension missing - Type not available!":["Estensão PHP APC faltando - Tipo não disponível!"],"PHP SQLite3 Extension missing - Type not available!":["Extensão PHP SQLite3 faltando - Tipo não disponível!"],"Dropdown space order":["Ordem da lista de espaços"],"Default pagination size (Entries per page)":["Tamanho padrão da paginação (Resultados por página)"],"Display Name (Format)":["Exibir Nome (Formato)"],"Theme":["Tema"],"Allowed file extensions":["Permitir extensões de arquivo"],"Convert command not found!":["Comando de conversão não encontrado!"],"Got invalid image magick response! - Correct command?":["Recebeu uma resposta inválida do Image Magick! - Comando correto?"],"Hide file info (name, size) for images on wall":["Ocultar informações do arquivo (nome, tamanho) para imagens no muro"],"Hide file list widget from showing files for these objects on wall.":["Ocultar widget de lista de arquivos ao exibir arquivos para estes objetos no muro."],"Image Magick convert command (optional)":["Comando de conversão do Image Magick (opcional)"],"Maximum preview image height (in pixels, optional)":["Altura máxima de pré-visualização da imagem (em pixels, opcional)"],"Maximum preview image width (in pixels, optional)":["Largura máxima de pré-visualização da imagem (em pixels, opcional)"],"Maximum upload file size (in MB)":["Tamanho máximo de arquivo (em MB)"],"Use X-Sendfile for File Downloads":["Usar X-Sendfile para baixar arquivos"],"Administrator users":["Administrador dos usuários"],"Description":["Descrição"],"Ldap DN":["Ldap DN"],"Name":["Nome"],"Allow Self-Signed Certificates?":["Permitir certificados auto assinados?"],"E-Mail sender address":["Email que irá enviar"],"E-Mail sender name":["Nome que irá enviar"],"Mail Transport Type":["Tipo de Transporte de Email"],"Port number":["Número da porta"],"Endpoint Url":["Final da URL"],"Url Prefix":["Prefixo da URL"],"No Proxy Hosts":["Nenhum servidor proxy"],"Server":["Servidor"],"User":["Usuário"],"Super Admins can delete each content object":["Super Admins podem apagar cada conteúdo de objeto"],"Default Join Policy":["Política padrão de adesão"],"Default Visibility":["Visibilidade Default"],"HTML tracking code":["HTML Rastreamento de código"],"Module directory for module %moduleId% already exists!":["O directório para o módulo %moduleId% já existe!"],"Could not extract module!":["Não foi possível extrair módulo!"],"Could not fetch module list online! (%error%)":["Não foi possível obter lista de módulos online! (%error%)"],"Could not get module info online! (%error%)":["Não foi possível obter informações do módulo online! (erro%%)"],"Download of module failed!":["Download do módulo falhou!"],"Module directory %modulePath% is not writeable!":["O diretório do módulo %modulePath% não é gravável!"],"Module download failed! (%error%)":["Módulo de download falhou! (%error%)"],"No compatible module version found!":["Nenhuma versão compatível do módulo foi encontrada!","Nenhuma versão compatível do módulo encontrado!"],"Activated":["Ativado"],"No modules installed yet. Install some to enhance the functionality!":["Nenhum módulo instalado ainda. Instale alguns para melhorar a funcionalidade!"],"Version:":["Versão:"],"Installed":["Instalado"],"No modules found!":["Nenhum módulo encontrado!"],"search for available modules online":["procura por módulos disponíveis online"],"All modules are up to date!":["Todos os módulos estão atualizados!"],"About HumHub":["Sobre HumHub"],"Currently installed version: %currentVersion%":["Versão instalada: %currentVersion%"],"HumHub is currently in debug mode. Disable it when running on production!":["HumHub está em modo debug. Desabilite isso quando no mode de produção!"],"Licences":["Licenças"],"See installation manual for more details.":["Veja o manual de instalação para maiores detalhes(rá!)."],"There is a new update available! (Latest version: %version%)":["Uma nova atualização está disponível! (Versão mais recente: %version%)"],"This HumHub installation is up to date!":["Esta instalação do HumHum está atualizada!"],"Accept":["Aceitar"],"Decline":["Recusar"],"Accept user: {displayName} ":["Aceitar usuário: {displayName} "],"Cancel":["Cancelar"],"Send & save":["Enviar e salvar"],"Decline & delete user: {displayName}":["Recusar e apagar o usuário: {displayName}"],"Email":["E-mail"],"Search for email":["Busca por e-mail","Buscar por e-mail"],"Search for username":["Busca por nome de usuário","Buscar por nome de usuário"],"Pending user approvals":["Aprovações de usuários pendentes "],"Here you see all users who have registered and still waiting for a approval.":["Aqui você pode ver todos os usuários que se cadastraram e ainda estão aguardando por aprovação."],"Delete group":["Apagar grupo"],"Delete group":["Apagar grupo"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Para apagar o grupo \"{group}\" você precisa definir um grupo alternativo para os usuários existentes:"],"Create new group":["Criar novo grupo"],"Edit group":["Modificar grupo"],"Group name":["Nome do Grupo"],"Search for description":["Buscar pela descrição"],"Search for group name":["Buscar pelo nome do grupo"],"Manage groups":["Gerenciar grupos"],"Create new group":["Criar novo grupo"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Você pode dividir os usuários em diferentes grupos (por equipes, departamentos, etc.) e definir espaços padrões e administradores para eles."],"Error logging":["Erro logging"],"Displaying {count} entries per page.":["Exibindo {count} entradas por página."],"Flush entries":["Flush entradas"],"Total {count} entries found.":["Total de {count} entradas encontradas."],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Módulos de estender a funcionalidade do HumHub. Aqui você pode instalar e gerenciar módulos do HumHub Marketplace."],"Available updates":["Atualizações disponíveis"],"Browse online":["Encontrar online"],"Module details":["Detalhes do módulo"],"This module doesn't provide further informations.":["Este módulo não fornece maiores informações."],"Processing...":["Processando..."],"Modules directory":["Diretório dos Módulos"],"Are you sure? *ALL* module data will be lost!":["Você tem certeza? *TODOS* os dados do módulo serão perdidos!"],"Are you sure? *ALL* module related data and files will be lost!":["Você tem certeza? *TODOS* dados e arquivos de módulo relacionados serão perdidos!"],"Configure":["Configurar"],"Disable":["Desabilitar"],"Enable":["Habilitar"],"Enable module...":["Habilitar módulo..."],"More info":["Mais informações"],"Set as default":["Marcar como padrão"],"Uninstall":["Desinstalar"],"Install":["Instalar"],"Installing module...":["Instalando módulo..."],"Latest compatible version:":["Última versão compatível"],"Latest version:":["Última versão"],"Installed version:":["Versão instalada:"],"Latest compatible Version:":["Última versão compatível:"],"Update":["Atualizar"],"Updating module...":["Atualizando módulo..."],"%moduleName% - Set as default module":["%moduleName% - Definir como módulo padrão"],"Always activated":["Sempre ativado"],"Deactivated":["Desativado"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Aqui você pode escolher se quer ou não que um módulo seja ativado automaticamente em um perfil do espaço ou usuário. Se o módulo deve ser ativado, escolha \"sempre ativo\"."],"Spaces":["Espaços"],"User Profiles":["Perfis de Usuário"],"There is a new HumHub Version (%version%) available.":["Está disponível uma nova versão do HumHub: (%version%)."],"Authentication - Basic":["Autenticação - Básica"],"Basic":["Básico"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Valor mínimo é de 20 segundos. Se não for definido, a sessão será interrompida após 1400 segundo (24 minutos), independentemente da atividade (tempo limite de sessão padrão)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Apenas aplicável quando o acesso limitado para usuários não-autenticados está habilitado. Afeta apenas novos usuários."],"Authentication - LDAP":["Autenticação - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["A TLS/SSL é fortemente favorecido em ambientes de produção para evitar senhas de ser transmitida em texto puro."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Define o filtro a ser aplicado, quando o login é feito. %uid substitui o nome de usuário no processo de login. Exemplo: "sAMAccountName=%s)" or "(uid=%s)""],"LDAP Attribute for E-Mail Address. Default: "mail"":["Atributo LDAP para e-mail. Padrão: "mail""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["Atributo LDAP para usuário. Exemplo: "uid" or "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Limitar o acesso aos utilizadores que cumpram esse critério. Exemplo: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Status: Erro! (Mensagem: {message})"],"Status: OK! ({userCount} Users)":["Status: OK! ({userCount} Usuários)"],"The default base DN used for searching for accounts.":["A base padrão DN utilizado para a busca de contas."],"The default credentials password (used only with username above).":["A senha padrão (usada apenas com nome de usuário acima)."],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["O Username padrão. Alguns servidores exigem que este seja em forma DN. Isso deve ser dada de forma DN se o servidor LDAP requer uma DN para ligar e deve ser possível com usernames simples."],"Cache Settings":["Configurações de cache"],"Save & Flush Caches":["Salvar & Flush Caches"],"CronJob settings":["Configurações de tarefas Agendadas"],"Crontab of user: {user}":["Crontab do usuário: {user}"],"Last run (daily):":["Última execução (daily):"],"Last run (hourly):":["Última execução (hourly):"],"Never":["Nunca"],"Or Crontab of root user":["Ou Crontab de usuário root"],"Please make sure following cronjobs are installed:":["Por favor, certifique-se os seguintes cronjobs estão instalados:"],"Alphabetical":["Alfabética"],"Last visit":["Última visita"],"Design settings":["Configurações de aparência"],"Firstname Lastname (e.g. John Doe)":["Primeiro e último nome (ex: João Silva)"],"Username (e.g. john)":["Nome de usuário (ex: joao)"],"File settings":["Configurações de arquivos"],"Comma separated list. Leave empty to allow all.":["Lista separada por vírgulas. Deixe em branco para permitir todos."],"Comma separated list. Leave empty to show file list for all objects on wall.":["Lista separada por vírgulas. Deixe em branco para exibir a lista de arquivos para todos os objetos no muro."],"Current Image Libary: {currentImageLibary}":["Biblioteca de Imagem Atual: {currentImageLibary}"],"If not set, height will default to 200px.":["Caso não esteja marcado, a altura padrão se tornará 200 pixels."],"If not set, width will default to 200px.":["Caso não esteja marcado, a largura padrão se tornará 200 pixels."],"PHP reported a maximum of {maxUploadSize} MB":["O PHP permite um máximo de {maxUploadSize} MB"],"Basic settings":["Configurações básicas"],"Confirm image deleting":["Confirme apagar imagem","Confirme apagar a imagem"],"Dashboard":["Painel"],"E.g. http://example.com/humhub":["Ex. http://exemplo.com.br/humhub"],"New users will automatically added to these space(s).":["Novos usuários serão automaticamente adicionados a estes espaço(s)."],"You're using no logo at the moment. Upload your logo now.":["Você não está usando uma logomarca atualmente. Envie sua logomarca agora."],"Mailing defaults":["Emails padrões"],"Activities":["Atividades"],"Always":["Sempre"],"Daily summary":["Resumo diário","Resumo do dia"],"Defaults":["Padrões"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Definir padrões quando um usuário receber e-mails sobre as notificações ou novas atividades. Esta configuração pode ser substituída pelos usuários em nas configurações de conta."],"Notifications":["Notificações"],"Server Settings":["Configurações do Servidor"],"When I´m offline":["Quando eu estiver offline","Quando estiver offline"],"Mailing settings":["Configurações de Email"],"SMTP Options":["Opções de SMTP"],"OEmbed Provider":["Provedor OEmbed "],"Add new provider":["Adicionar novo provedor"],"Currently active providers:":["Provedores atualmente ativos:"],"Currently no provider active!":["Atualmente nenhum provedor está ativo!"],"Add OEmbed Provider":["Adicionar Provedor OEmbed "],"Edit OEmbed Provider":["Editar Provedot OEmbed "],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url Prefixo sem http: // ou https: // (por exemplo, youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Use %url% como placeholder para URL. Formato precisa ser JSON. (por exemplo http://www.youtube.com/oembed?url=%url%&format=json)"],"Proxy settings":["Configurações de Proxy "],"Security settings and roles":["Configurações e regras de Segurança "],"Self test":["Auto teste"],"Checking HumHub software prerequisites.":["Verificando os pré-requisitos de software HumHub."],"Re-Run tests":["Re-executar testes"],"Statistic settings":["Configurações de Estatísticas "],"All":["Todos"],"Delete space":["Apagar espaço"],"Edit space":["Modificar espaço"],"Search for space name":["Buscar pelo nome do espaço"],"Search for space owner":["Buscar pelo dono do espaço"],"Space name":["Nome do espaço"],"Space owner":["Dono do espaço","Proprietário do espaço"],"View space":["Visualizar espaço"],"Manage spaces":["Gerenciar espaços"],"Define here default settings for new spaces.":["Defina aqui configurações padrão para novos espaços."],"In this overview you can find every space and manage it.":["Nesta visão geral você pode encontrar todos os espaços e gerenciá-los."],"Overview":["Visão global"],"Settings":["Configurações"],"Space Settings":["Configurações do Espaço"],"Add user":["Adicionar usuário"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Tem certeza de que deseja apagar este usuário? Se este usuário for dono de um ou mais espaços, você se tornará dono destes espaços."],"Delete user":["Apagar usuário"],"Delete user: {username}":["Apagar usuário: {username}"],"Edit user":["Editar usuário"],"Admin":["Admin"],"Delete user account":["Apagar conta do usuário"],"Edit user account":["Modificar conta do usuário"],"No":["Não"],"View user profile":["Visualizar perfil de usuário"],"Yes":["Sim"],"Manage users":["Gerenciando usuários"],"Add new user":["Adicionar novo usuário"],"In this overview you can find every registered user and manage him.":["Nesta visão geral você pode encontrar todos os utilizadores registados e controlá-los."],"Create new profile category":["Criar nova categoria de perfil"],"Edit profile category":["Modificar categoria de perfil"],"Create new profile field":["Criar novo campo de perfil"],"Edit profile field":["Modificar campo de perfil"],"Manage profiles fields":["Gerenciar campos dos perfis"],"Add new category":["Adicionar nova categoria"],"Add new field":["Adicionar novo campo"],"Security & Roles":["Segurança e Regras"],"Administration menu":["Menu de administração"],"About":["Sobre"],"Authentication":["Autenticação"],"Caching":["Fazer cache"],"Cron jobs":["Tarefas agendadas"],"Design":["Aparência"],"Files":["Arquivos"],"Groups":["Grupos"],"Logging":["Log de erros"],"Mailing":["E-mails"],"Modules":["Módulos"],"OEmbed Provider":["Provedor OEmbed"],"Proxy":["Proxy"],"Self test & update":["Auto-teste e atualização"],"Statistics":["Estatísticas"],"User approval":["Aprovação de Usuários"],"User profiles":["Perfis de usuário"],"Users":["Usuários"],"Click here to review":["Clique aqui para rever"],"New approval requests":["Novas solicitações de aprovação"],"One or more user needs your approval as group admin.":["Um ou mais usuários necessitam da sua aprovação como administrador de grupo."],"Could not delete comment!":["Não foi possível excluir o comentário!"],"Invalid target class given":["Classe de destino inválida"],"Model & Id Parameter required!":["Model & Id são obrigatórios!"],"Target not found!":["Alvo não encontrado!"],"Access denied!":["Acesso negado!"],"Insufficent permissions!":["Permissões insuficientes!"],"Comment":["Comentário","Comentar"],"%displayName% wrote a new comment ":["%displayName% escreveu um novo comentário"],"Comments":["Comentários"],"Edit your comment...":["Editar seu comentário..."],"%displayName% also commented your %contentTitle%.":["%displayName% também comentou o %contentTitle%."],"%displayName% commented %contentTitle%.":["%displayName% comentou %contentTitle%."],"Show all {total} comments.":["Mostrar todos {total} comentários."],"Post":["Post"],"Write a new comment...":["Escreva um novo comentário..."],"Show %count% more comments":["Mostrar mais %count% comentários"],"Confirm comment deleting":["Confirmar exclusão de comentário"],"Edit":["Editar"],"Do you really want to delete this comment?":["Você realmente deseja apagar este comentário?"],"Updated :timeago":["Atualizado :timeago","atualizado :timeago"],"{displayName} created a new {contentTitle}.":["{displayName} criou um(a) novo(a) {contentTitle}."],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["Número máximo de marcações de itens atingida!\n\nVocê pode marcar somente dois item de cada vez.\nPara marcar este item, desmarque outro antes!"],"Could not load requested object!":["Não foi possível carregar o objeto solicitado!"],"Invalid model given!":["Modelo inválido fornecido!"],"Unknown content class!":["Classe de conteúdo desconhecida!"],"Could not find requested content!":["Não foi possível encontrar o conteúdo solicitado!"],"Could not find requested permalink!":["Não foi possível encontrar o link solicitado!"],"{userName} created a new {contentTitle}.":["{userName} criou um(a) novo(a) {contentTitle}.","{userName} criou um novo {contentTitle}."],"in":["em"],"Submit":["Enviar"],"No matches with your selected filters!":["Nada foi encontrado com os filtros utilizados.","Nada foi encontrado com os filtros utilizados!"],"Nothing here yet!":["Nada aqui ainda!"],"Move to archive":["Mover para arquivar"],"Unarchive":["Desarquivar"],"Add a member to notify":["Adicionar um membro para notificar"],"Make private":["Tornar privado"],"Make public":["Tornar público"],"Notify members":["Notificar membros"],"Public":["Público"],"What's on your mind?":["O que se passa em sua mente?","O que se passa na sua mente?"],"Confirm post deleting":["Confirma exclusão do post"],"Do you really want to delete this post? All likes and comments will be lost!":["Você realmente deseja excluir este post? Todos os comentários e curtidas serão perdidos!","Você realmente quer excluir esta postagem? Todas as curtidas e comentários serão perdidos!"],"Archived":["Arquivado"],"Sticked":["Colado"],"Turn off notifications":["Desativar notificações"],"Turn on notifications":["Ativar notificações"],"Permalink to this post":["Link permanente para este post"],"Permalink":["Link permanente","Link perene"],"Permalink to this page":["Link permanente para esta página"],"Stick":["Colar"],"Unstick":["Descolar"],"Nobody wrote something yet.
Make the beginning and post something...":["Ninguém escreveu algo ainda.
Seja o primeiro a postar algo..."],"This profile stream is still empty":["O stream desse perfil ainda está vazio "],"This space is still empty!
Start by posting something here...":["Este espaço ainda está vazio!
Poste algo aqui..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":[" O seu painel está vazio!
poste algo em seu perfil e inscreva-se em alguns espaços!"],"Your profile stream is still empty
Get started and post something...":["O seu fluxo de perfil ainda está vazio
Comece e postar alguma coisa..."],"Back to stream":["Voltar ao stream","Voltar para o stream"],"Content with attached files":["Conteúdo com arquivos anexados"],"Created by me":["Criado por mim"],"Creation time":["Hora de criação"],"Filter":["Filtro"],"Include archived posts":["Incluir posts arquivados"],"Last update":["Última atualização"],"Nothing found which matches your current filter(s)!":["Nada que corresponda ao seu filtro atual foi encontrado!"],"Only private posts":["Somente posts privados"],"Only public posts":["Somente post públicos"],"Posts only":["Somente posts"],"Posts with links":["Posts com links"],"Show all":["Mostrar todos"],"Sorting":["Ordenar","Ordenando"],"Where I´m involved":["Onde estou envolvido"],"No public contents to display found!":["Nenhum conteúdo foi encontrado!"],"Directory":["Diretório"],"Member Group Directory":["Membro - Diretório de Grupos"],"show all members":["exibir todos os membros"],"Directory menu":["Menu"],"Members":["Membros","Usuários"],"User profile posts":["Posts dos usuários"],"Member directory":["Usuários"],"Follow":["Seguir"],"No members found!":["Nenhum usuário foi encontrado!"],"Unfollow":["Deixar de seguir"],"search for members":["procurar usuários"],"Space directory":["Espaço"],"No spaces found!":["Nenhum espaço encontrado!"],"You are a member of this space":["Você é um membro deste espaço"],"search for spaces":["busca por espaços"],"There are no profile posts yet!":["Não há posts em seu perfil ainda!"],"Group stats":["Estatística de Grupo"],"Average members":["Média de membros"],"Top Group":["Top Grupo"],"Total groups":["Total de grupos"],"Member stats":["Estatística de Usuário"],"New people":["Novos usuários"],"Follows somebody":["Segue alguém"],"Online right now":["online agora"],"Total users":["Total de usuários"],"See all":["Ver todos"],"New spaces":["Novos espaços"],"Space stats":["Estatística de Espaços"],"Most members":["Possui mais usuários"],"Private spaces":["Espaços privados"],"Total spaces":["Total de espaços"],"Could not find requested file!":["Não foi possível encontrar o arquivo solicitado!"],"Insufficient permissions!":["Permissões insuficientes!"],"Created By":["Criado por"],"Created at":["Criado em"],"File name":["Nome do arquivo"],"Guid":["Guid"],"ID":["ID"],"Invalid Mime-Type":["Mime-Type inválido"],"Maximum file size ({maxFileSize}) has been exceeded!":["Tamanho máximo do arquivo ({maxFileSize}) foi ultrapassado!"],"Mime Type":["Mime Type"],"Size":["Tamanho"],"This file type is not allowed!":["Este tipo de arquivo não é permitido!"],"Updated at":["Atualizado em"],"Updated by":["Atualizado por"],"Could not upload File:":["Não foi possível fazer o upload do arquivo:"],"Upload files":["Fazer upload de arquivos"],"List of already uploaded files:":["Lista de arquivos já enviados:"],"Create Admin Account":["Criar conta de Administrador"],"Name of your network":["Nome de sua rede"],"Name of Database":["Nome do banco de dados"],"Admin Account":["Conta de Administrador"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Está quase pronto. Na última etapa, você tem que preencher o formulário para criar uma conta de administrador. Com esta conta você pode gerenciar toda a rede."],"Next":["Avançar"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Naturalmente, a sua nova rede social precisa de um nome. Por favor, altere o nome padrão por um que você gosta. (Por exemplo, o nome da sua empresa, organização ou clube)"],"Social Network Name":["Nome da Rede Social"],"Setup Complete":["Configuração Completa"],"Congratulations. You're done.":["Parabéns. Você terminou."],"Sign in":["Entrar"],"The installation completed successfully! Have fun with your new social network.":["A instalação foi concluída com sucesso! Divirta-se com sua nova rede social."],"Setup Wizard":["Assistente de Configurações"],"Welcome to HumHub
Your Social Network Toolbox":["Bem-vindo ao HumHub
Sua ferramenta de Rede Social"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Este assistente irá instalar e configurar sua própria instância HumHub.
Para continuar, clique em Avançar."],"Database Configuration":["Banco de Dados Configuração"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["Abaixo, você terá que digitar os detalhes da conexão de banco de dados. Se você não tem certeza sobre isso, por favor, entre em contato com o administrador do sistema."],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["Hostname do seu Servidor de Banco de Dados MySQL (ex. localhost se o MySQL está sendo executado na mesma máquina)"],"Initializing database...":["Preparando o banco de dados..."],"Ohh, something went wrong!":["Ohh, algo deu errado!"],"The name of the database you want to run HumHub in.":["O nome do banco de dados que você deseja executar o HumHub."],"Yes, database connection works!":["Yes, a conexão com o banco de dados funcionou!"],"Your MySQL password.":["Sua senha MySQL"],"Your MySQL username":["Seu usuário MySQL"],"System Check":["Verificação do Sistema"],"Check again":["Verificar novamente"],"Congratulations! Everything is ok and ready to start over!":["Parabéns! Está tudo ok e pronto para recomeçar!"],"This overview shows all system requirements of HumHub.":["Esta visão geral mostra todos os requisitos do sistema de HumHub."],"Could not find target class!":["Não foi possível localizar a classe alvo!"],"Could not find target record!":["Não foi possível localizar o alvo record!"],"Invalid class given!":["Classe inválida!"],"Users who like this":["Usuários que curtiram isso"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} curtiu {contentTitle}"],"%displayName% also likes the %contentTitle%.":["%displayName% também curtiu %contentTitle%."],"%displayName% likes %contentTitle%.":["%displayName% curtiu %contentTitle%."]," likes this.":["curtiram isso."],"You like this.":["Vocêcurtiu isso."],"You
":["Você
"],"Like":["Curtir"],"Unlike":["Descurtir"],"and {count} more like this.":["mais {count} curtiram isso."],"Could not determine redirect url for this kind of source object!":["Não foi possível determinar redirecionamento de url para este tipo de objeto de origem!"],"Could not load notification source object to redirect to!":["Não foi possível carregar notificação do objeto de origem para redirecionar para!"],"New":["Novo","Nova"],"Mark all as seen":["Marcar tudo como visto"],"There are no notifications yet.":["Ainda não há notificações."],"%displayName% created a new post.":["%displayName% criou um novo post.."],"Edit your post...":["Edite seu post..."],"Read full post...":["Ler post completo..."],"Search results":["Resultados da pesquisa"],"Content":["Conteúdo"],"Send & decline":["Enviar & recusar"],"Visible for all":["Visível para todos"]," Invite and request":["Convite"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Não foi possível excluir o usuário que é dono de um espaço! Nome do espaço: {spacename}"],"Everyone can enter":["Todo mundo pode entrar"],"Invite and request":["Convite"],"Only by invite":["Só por convite"],"Private (Invisible)":["Privado (invisível)"],"Public (Members & Guests)":["Público (Membros e Convidados)"],"Public (Members only)":["Público (Apenas membros)"],"Public (Registered users only)":["Público (Apenas usuários registrados)"],"Public (Visible)":["Público (Visível)"],"Visible for all (members and guests)":["Visível para todos (membros e convidados)"],"Space is invisible!":["Espaço está invisível !"],"You need to login to view contents of this space!":["Você precisa logar para ver o conteúdo deste espaço!"],"As owner you cannot revoke your membership!":["Como proprietário, você não pode revogar a sua inscrição!"],"Could not request membership!":["Não foi possível solicitar a inscrição!"],"There is no pending invite!":["Não existe convite pendente!"],"This action is only available for workspace members!":["Esta ação está disponível apenas para os membros do workspace!"],"You are not allowed to join this space!":["Você não tem permissão para se entrar neste espaço!"],"Space title is already in use!":["Título para o espaço já está em uso!"],"Type":["Tipo"],"Your password":["Sua senha"],"Invites":["Convites"],"New user by e-mail (comma separated)":["Novo usuário por e-mail (separados por vírgula)"],"User is already member!":["Usuário já é membro!"],"{email} is already registered!":["{email} já está registrado!"],"{email} is not valid!":["{email} não é válido!"],"Application message":["Mensagem da aplicação"],"Scope":["Escopo"],"Strength":["Título"],"Created At":["Criado em"],"Join Policy":["Política de acesso"],"Owner":["Dono"],"Status":["Status"],"Tags":["Tags"],"Updated At":["Modificado em"],"Visibility":["Visibilidade"],"Website URL (optional)":["Website (opcional)"],"You cannot create private visible spaces!":["Você não pode criar espaços visíveis privados!"],"You cannot create public visible spaces!":["Você não pode criar espaços públicos visíveis!"],"Select the area of your image you want to save as user avatar and click Save.":["Selecione a área da imagem que você deseja salvar como avatar do usuário e clique em Salvar."],"Modify space image":["Mudar imagem do espaço"],"Delete space":["Excluir espaço"],"Are you sure, that you want to delete this space? All published content will be removed!":["Tem a certeza que quer deletar este espaço? Todo o conteúdo publicado será removido!"],"Please provide your password to continue!":["Por favor, forneça sua senha para continuar!"],"General space settings":["Configurações gerais do espaço"],"Archive":["Arquivar"],"Choose the kind of membership you want to provide for this workspace.":["Escolha o tipo de associação que você deseja fornecer para este espaço."],"Choose the security level for this workspace to define the visibleness.":["Escolha o nível de segurança para este espaço para definir a visibilidade."],"Manage your space members":["Gerenciar os membros do seu espaço"],"Outstanding sent invitations":["Convites Pendentes"],"Outstanding user requests":["Solicitações de usuários pendentes"],"Remove member":["Remover membro"],"Allow this user to
invite other users":["Permitir que este usuário
convide outros usuários"],"Allow this user to
make content public":["Permitir que este usuário
crie conteúdo público"],"Are you sure, that you want to remove this member from this space?":["Tem certeza que deseja remover este membro deste espaço?"],"Can invite":["Pode convidar"],"Can share":["Pode compartilhar"],"Change space owner":["Alterar a proprietário do espaço"],"External users who invited by email, will be not listed here.":["Os usuários externos convidados por e-mail, não serão listadas aqui."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Na área abaixo, você vê todos os membros ativos deste espaço. Você pode editar os seus privilégios ou removê-lo."],"Is admin":["É admin"],"Make this user an admin":["Fazer este usuário um administrador"],"No, cancel":["Não, cancelar"],"Remove":["Excluir"],"Request message":["Mensagem de solicitação"],"Revoke invitation":["Revogar convite"],"Search members":["Procurar membros"],"The following users waiting for an approval to enter this space. Please take some action now.":["Os seguintes usuários estão à espera de uma aprovação para entrar neste espaço. Por favor, tome alguma ação agora."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Os seguintes usuários já foram convidados para este espaço, mas ainda não aceitaram o convite."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["O proprietário do espaço é o super administrador de um espaço com todos os privilégios e, normalmente, o criador do espaço. Aqui você pode alterar esse papel para outro usuário."],"Yes, remove":["Sim, excluir"],"Space Modules":["Módulo de Espaço"],"Are you sure? *ALL* module data for this space will be deleted!":["Você tem certeza? *TODOS* os dados do módulo para este espaço vai ser apagado!"],"Currently there are no modules available for this space!":["Atualmente não há módulos disponíveis para este espaço!"],"Enhance this space with modules.":["Melhorar este espaço com módulos."],"Create new space":["Criar novo espaço"],"Advanced access settings":["Configurações avançadas de acesso"],"Advanced search settings":["Pesquisa avançada"],"Also non-members can see this
space, but have no access":["Os não-membros também poderão visualizar este
espaço, mas não terão acesso"],"Create":["Criar"],"Every user can enter your space
without your approval":["Qualquer usuário pode entrar no seu espaço
sem a sua aprovação"],"For everyone":["Para todos"],"How you want to name your space?":["Como você quer chamar o seu espaço?"],"Please write down a small description for other users.":["Por favor, escreva uma pequena descrição para os usuários."],"This space will be hidden
for all non-members":["Este espaço será escondido
para todos os não-membros"],"Users can also apply for a
membership to this space":["Os usuários também podem se inscrever
para ser membro deste espaço"],"Users can be only added
by invitation":["Os usuários podem ser adicionados apenas
por convite"],"space description":["descrição do espaço"],"space name":["nome do espaço"],"{userName} requests membership for the space {spaceName}":["{userName} solicitou adesão ao espaço {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName}, a sua inscrição para o espaço {spaceName} foi aprovada"],"{userName} declined your membership request for the space {spaceName}":["{userName}, o seu pedido de adesão para o espaço {spaceName} foi recusado"],"{userName} invited you to the space {spaceName}":["{userName} convidou-o para o espaço {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} aceitou seu convite para o espaço {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} recusou seu convite para o espaço {spaceName}"],"This space is still empty!":["Este espaço ainda está vazio!"],"Accept Invite":["Aceitar Convite"],"Become member":["Seja membro"],"Cancel membership":["Cancelar assinatura como membro"],"Cancel pending membership application":["Cancelar pedido pendente de adesão"],"Deny Invite":["Recusar Convite"],"Request membership":["Pedido de adesão"],"You are the owner of this workspace.":["Você é o proprietário deste espaço."],"created by":["criado por"],"Invite members":["Convidar membros"],"Add an user":["Adicionar um usuário"],"Email addresses":["Endereço de e-mail"],"Invite by email":["Convidar por e-mail"],"New user?":["Novo usuário?"],"Pick users":["Escolher usuários"],"Send":["Enviar"],"To invite users to this space, please type their names below to find and pick them.":["Para convidar usuários para este espaço, por favor digite os nomes abaixo para encontrá-los e adicioná-los."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Você também pode convidar usuários externos, que não estão cadastrados na rede. Basta adicionar os seus endereços de e-mail separados por vírgula."],"Request space membership":["Solicitar adesão ao espaço"],"Please shortly introduce yourself, to become an approved member of this space.":["Por favor, apresente-se em breve, para se tornar um membro aprovado deste espaço."],"Your request was successfully submitted to the space administrators.":["O seu pedido foi enviado com sucesso para os administradores do espaço."],"Ok":["Ok"],"User has become a member.":["O usuário se tornou um membro."],"User has been invited.":["O usuário foi convidado."],"User has not been invited.":["O usuário não foi convidado."],"Back to workspace":["Voltar para o espaço"],"Space preferences":["Preferências do Espaço"],"General":["Geral"],"My Space List":["Minha lista de espaços"],"My space summary":["Meu resumo do espaço"],"Space directory":["Espaço"],"Space menu":["Menu do Espaço"],"Stream":["Stream"],"Change image":["Mudar imagem"],"Current space image":["Imagem atual do espaço"],"Do you really want to delete your title image?":["Você realmente quer apagar sua imagem da capa?"],"Do you really want to delete your profile image?":["Você realmente quer apagar sua imagem de perfil?"],"Invite":["Convite"],"Something went wrong":["Algo deu errado"],"Followers":["Seguidores"],"Posts":["Postagens"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Por favor, apresente-se em breve para tornar-se um membro aprovado deste espaço."],"Request workspace membership":["Pedido de adesão ao espaço"],"Your request was successfully submitted to the workspace administrators.":["O seu pedido foi enviado com sucesso para os administradores do espaço."],"Create new space":["Criar novo espaço"],"My spaces":["Meus espaços"],"Space info":["Informações do espaço"],"more":["mais"],"Accept invite":["Aceitar convite"],"Deny invite":["Recusar convite"],"Leave space":["Deixar espaço"],"New member request":["Novo pedido de membro"],"Space members":["Membros do espaço","Membros do Espaço"],"End guide":["Fim do guia"],"Next »":["Próximo »"],"« Prev":["« Anterior"],"Administration":["Administração"],"Hurray! That's all for now.":["Uhuuu! Isso é tudo por agora."],"Modules":["Módulos"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Como administrador, você pode gerenciar toda a plataforma a partir daqui.
Além dos módulos, nós não estamos indo para cada ponto em detalhes, pois cada um tem a sua própria descrição em outro lugar."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Você está atualmente no menu de ferramentas. A partir daqui você pode acessar o mercado online HumHub, onde você pode instalar um número cada vez maior de ferramentas on-the-fly.
Como já mencionado, as ferramentas para aumentar os recursos disponíveis para o seu espaço."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Você já aprendeu sobre todas as características e configurações mais importantes e está tudo pronto para começar a utilizar a plataforma.
Esperamos que você e todos os futuros usuários gostem de usar este site. Nós estamos olhando para a frente e quaisquer sugestões ou apoio que desejam oferecer para o nosso projeto. Não hesite em contactar-nos através do www.humhub.org.
Fique atento. :-)"],"Dashboard":["Painel"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Este é o seu painel.
Quaisquer novas atividades ou mensagens que possam lhe interessar serão exibidos aqui."],"Administration (Modules)":["Administração(Módulos)"],"Edit account":["Editar conta"],"Hurray! The End.":["Uhuu! The End."],"Hurray! You're done!":["Uhuuu! Você concluiu!"],"Profile menu":["Menu do perfil","Menu do Perfil"],"Profile photo":["Foto do perfil"],"Profile stream":["Stream do perfil"],"User profile":["Perfil do usuário"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Clique neste botão para atualizar suas configurações de perfil e de conta. Você também pode adicionar mais informações ao seu perfil."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Cada perfil tem a sua própria pin board. Seus posts também aparecerão nos painéis dos usuários que estão seguindo você."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Assim como no espaço, o perfil do usuário pode ser personalizado com vários módulos.

Você pode ver quais módulos estão disponíveis para o seu perfil, olhando-os em \"Módulos\" no menu de configurações da conta."],"This is your public user profile, which can be seen by any registered user.":["Este é o seu perfil de usuário público, que pode ser visto por qualquer usuário registrado."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Para carregar uma nova foto de perfil, basta clicar aqui ou por drag&drop. Faça a mesma coisa para atualizar sua foto da capa."],"You've completed the user profile guide!":["Você completou o guia de perfil do usuário!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Você completou o guia perfil de usuário!

Para continuar com o guia de administração, clique aqui:

"],"Most recent activities":["Atividades mais recentes"],"Posts":["Posts"],"Profile Guide":["Guia do Perfil"],"Space":["Espaço"],"Space navigation menu":["Menu de navegação do Espaço"],"Writing posts":["Escrevendo posts"],"Yay! You're done.":["Hey! Você acabou."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Todos os usuários que são um membro deste espaço serão exibidos aqui.

Os novos membros podem ser adicionados por qualquer pessoa que tenha sido dado direitos de acesso pelo administrador."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Dê a outros usuários uma breve ideia do que trata o espaço. Você pode adicionar as informações básicas aqui.

O administrador do espaço pode inserir e alterar foto da capa do espaço clicando sobre ele ou por drag & drop."],"New posts can be written and posted here.":["Novos posts podem ser escritos e publicados aqui."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Assim que você entrar ou criar um novo espaço, pode discutir temas ou apenas compartilhar informações com outros usuários.

Existem várias ferramentas para personalizar um espaço, tornando assim o processo de comunicação mais fluido."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["Isso é tudo para o guia espaço
Para continuar com o guia de perfil de usuário, clique aqui:"],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["É aqui que você pode navegar no espaço - Onde você encontra os módulos que estão ativos ou disponíveis para o espaço está acessando atualmente. Estes poderiam ser enquetes, tarefas ou notas por exemplo

Só o administrador pode gerenciar os módulos do espaço."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Este menu só é visível para os administradores do espaço. Aqui você pode gerenciar suas configurações, adicionar/bloquear membros e ativar/desativar ferramentas para este espaço."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Para mantê-lo atualizado, as atividades mais recentes de outros usuários deste espaço serão exibidas aqui."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["As suas, e posts de outros usuários aparecerão aqui.

estas podem ser curtidas e/ou comentadas."],"Account Menu":["Menu da Conta"],"Notifications":["Notificações"],"Space Menu":["Menu do Espaço"],"Start space guide":["Iniciar guia do espaço"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Não perder a noção das coisas!

Este ícone irá mantê-lo informado sobre as atividades e os posts que dizem respeito diretamente a você."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["O menu conta dá acesso às suas configurações privadas e permite-lhe gerenciar o seu perfil público."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Este é o menu mais importante e, provavelmente, vai ser o que você usará com mais frequência.

Permite acessar todos os espaços que você faz parte e criar novos espaços.

O próximo guia vai te mostrar como fazer:"]," Remove panel":["Remover o painel"],"Getting Started":["Primeiros Passos"],"Guide: Administration (Modules)":["Guia: Administração(Módulos)"],"Guide: Overview":["Guia: visão geral"],"Guide: Spaces":["Guia: Espaços"],"Guide: User profile":["Guia:Perfil do usuário"],"Get to know your way around the site's most important features with the following guides:":["Conheça este ambiente em torno das características mais importantes com os seguintes guias:"],"This user account is not approved yet!":["Esta conta de usuário não foi aprovada ainda!"],"You need to login to view this user profile!":["Você precisa fazer o login para visualizar este perfil do usuário!"],"Your password is incorrect!":["Sua senha está incorreta!"],"You cannot change your password here.":["Você não pode mudar sua senha aqui."],"Invalid link! Please make sure that you entered the entire url.":["Link inválido! Certifique-se de que você digitou a URL inteira."],"Save profile":["Salvar perfil"],"The entered e-mail address is already in use by another user.":["O endereço de e-mail inserido já está em uso por outro usuário."],"You cannot change your e-mail address here.":["Você não pode mudar seu endereço de e-mail aqui."],"Account":["Conta"],"Create account":["Criar uma conta"],"Current password":["Senha atual"],"E-Mail change":["Mudança de e-mail"],"New E-Mail address":["Novo endereço de e-mail"],"Send activities?":["Enviar atividades ?"],"Send notifications?":["Enviar notificações ?"],"Incorrect username/email or password.":["Usuário/email ou senha incorreto."],"New password":["Nova senha"],"New password confirm":["Confirmação de nova senha"],"Remember me next time":["Lembre-se de mim na próxima vez"],"Your account has not been activated by our staff yet.":["A sua conta não foi ativada pela nossa equipe ainda."],"Your account is suspended.":["Sua conta está suspensa."],"Password recovery is not possible on your account type!":["Não é possível recuperar a senha no seu tipo de conta!"],"E-Mail":["E-mail","E-Mail"],"Password Recovery":["Recuperação de senha"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" não foi encontrado!"],"E-Mail is already in use! - Try forgot password.":["E-mail já cadastrado! - Tente Esqueceu a senha."],"Hide panel on dashboard":["Ocultar o painel no painel de controle"],"Invalid language!":["Idioma inválido!","Língua inválida!"],"Profile visibility":["Visibilidade do perfil"],"TimeZone":["Fuso horário"],"Default Space":["Espaço padrão"],"Group Administrators":["Administradores do grupo"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Membros podem criar espaços privados"],"Members can create public spaces":["Membros podem criar espaços públicos"],"Birthday":["Aniversário"],"Custom":["Personalizar"],"Female":["Feminino"],"Gender":["Gênero"],"Hide year in profile":["Esconder idade no perfil"],"Male":["Masculino"],"City":["Cidade"],"Country":["País"],"Facebook URL":["URL Facebook"],"Fax":["Fax"],"Firstname":["Primeiro nome"],"Flickr URL":["URL Flickr"],"Google+ URL":["URL Google+"],"Lastname":["Último nome"],"LinkedIn URL":["URL LinkedIn"],"MSN":["MSN"],"Mobile":["Celular"],"MySpace URL":["URL MySpace"],"Phone Private":["Telefone particular"],"Phone Work":["Telefone empresarial"],"Skype Nickname":["Apelido no Skype"],"State":["Estado"],"Street":["Endereço"],"Twitter URL":["URL Twitter"],"Url":["Url"],"Vimeo URL":["URL Vimeo"],"XMPP Jabber Address":["Endereço XMPP Jabber"],"Xing URL":["URL Xing"],"Youtube URL":["URL Youtube"],"Zip":["CEP"],"Created by":["Criado por"],"Editable":["Editável"],"Field Type could not be changed!":["Campo Tipo não pode ser mudado!"],"Fieldtype":["Tipo de campo"],"Internal Name":["Nome Interno"],"Internal name already in use!":["Nome interno está em uso!"],"Internal name could not be changed!":["Nome interno não pode ser mudado!"],"Invalid field type!":["Tipo de campo inválido!"],"LDAP Attribute":["Atributo LDAP"],"Module":["Módulo"],"Only alphanumeric characters allowed!":["Somente caracteres alfanuméricos são permitidos!"],"Profile Field Category":["Campo da categoria perfil"],"Required":["Obrigatório"],"Show at registration":["Mostrar na inscrição"],"Sort order":["Ordem de classificação","Ordenar"],"Translation Category ID":["ID da categoria tradução"],"Type Config":["Tipo de configuração"],"Visible":["Visível"],"Communication":["Comunicação"],"Social bookmarks":["Bookmarks sociais"],"Datetime":["Data e hora"],"Number":["Número"],"Select List":["Selecione a lista"],"Text":["Texto"],"Text Area":["Área de Texto"],"%y Years":["%y Anos"],"Birthday field options":["Opções do campo aniversário"],"Date(-time) field options":["Date(-time) opções de campo"],"Show date/time picker":["Mostrar data/hora"],"Maximum value":["Valor máximo"],"Minimum value":["Valor mínimo"],"Number field options":["Opções do campo Número"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Uma opção por linha. Key=>Value Format (e.g. yes=>Yes)"],"Please select:":["Selecione"],"Possible values":["Valores possíveis"],"Select field options":["Opções do campo de seleção"],"Default value":["Valor padrão"],"Maximum length":["Comprimento máximo"],"Minimum length":["Comprimento mínimo"],"Regular Expression: Error message":["Expressão regular: Mensagem de erro"],"Regular Expression: Validator":["Expressão regular: Vlidador"],"Text Field Options":["Opções do campo texto"],"Validator":["Validador"],"Text area field options":["Opções do campo text area"],"Authentication mode":["Modo de autenticação"],"New user needs approval":["Novo usuário precisa de aprovação"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Nome de usuário pode conter somente letras, números, espaços e caracteres especiais (+-._)"],"Wall":["Parede"],"Change E-mail":["Mudança de E-mail"],"Current E-mail address":["E-mail atual"],"Your e-mail address has been successfully changed to {email}.":["Seu e-mail foi alterado com sucesso para {email}."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Acabamos de enviar um email de confirmação para o novo endereço.
Por favor, siga as instruções contidas nele."],"Change password":["Mudança de senha"],"Password changed":["Senha alterada"],"Your password has been successfully changed!":["Sua senha foi alterada com sucesso!"],"Modify your profile image":["Modificar sua imagem do perfil","Modificar a imagem do seu perfil"],"Delete account":["Excluir conta"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Tem a certeza que quer deletar a sua conta?
Todo o seu conteúdo publicado será removido!"],"Delete account":["Excluir conta","Deletar conta"],"Enter your password to continue":["Insira sua senha para continuar"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Desculpe, como um proprietário de um espaço, você não pode apagar a sua conta!
Por favor atribua outro proprietário para o(s) espaço(s) ou exclua-os."],"User details":["Detalhes do usuário"],"User modules":["Módulos do Usuário"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Você tem certeza? *TODOS* os dados do módulo para o seu perfil será excluído!"],"Enhance your profile with modules.":["Melhore o seu perfil com módulos."],"User settings":["Configurações do Usuário"],"Getting Started":["Primeiros passos"],"Registered users only":["Somente usuários registrados"],"Visible for all (also unregistered users)":["Visível para todos (usuários não registrados também)"],"Desktop Notifications":["Notificações de Área de Trabalho"],"Email Notifications":["Notificações por E-mail"],"Get a desktop notification when you are online.":["Receba notificações de Área de Trabalho quando estiver online."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Receba um e-mail, por todas as atividades de outros usuários que você segue ou trabalham
juntos em espaços de trabalho."],"Get an email, when other users comment or like your posts.":["Receba um e-mail, quando outros usuários comentarem ou gostarem de suas respostas."],"Account registration":["Conta registro"],"Create Account":["Criar conta"],"Your account has been successfully created!":["A sua conta foi criada com sucesso!"],"After activating your account by the administrator, you will receive a notification by email.":["Depois da sua conta ser ativada pelo administrador, você receberá uma notificação por e-mail."],"Go to login page":["Ir para a página de login"],"To log in with your new account, click the button below.":["Para efetuar o login com a sua nova conta, clique no botão abaixo."],"back to home":["Voltar ao início"],"Please sign in":["Por favor faça o login"],"Sign up":["Crie sua conta"],"Create a new one.":["Criar uma nova"],"Don't have an account? Join the network by entering your e-mail address.":["Não tem uma conta? Junte-se à rede, digitando o seu endereço de e-mail."],"Forgot your password?":["Esqueceu sua senha?"],"If you're already a member, please login with your username/email and password.":["Se você já é membro, por favor, faça o login com seu nome de usuário ou e-mail e senha."],"Register":["Cadastrar"],"email":["e-mail"],"password":["senha"],"username or email":["nome do usuário ou e-mail"],"Password recovery":["Recuperação de Senha","Recuperar Senha"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Basta digitar o seu endereço de e-mail que te enviaremos instruções de recuperação!"],"Password recovery":["Recuperação de senha"],"Reset password":["Resetar senha"],"enter security code above":["Digite o código de segurança acima"],"your email":["seu e-mail"],"Password recovery!":["Recuperação de senha!"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Enviamos um e-mail contendo um link que lhe permitirá redefinir sua senha."],"Registration successful!":["Cadastrado com sucesso!"],"Please check your email and follow the instructions!":["Por favor, verifique seu e-mail e siga as instruções!"],"Registration successful":["Cadastro efetuado com sucesso"],"Change your password":["Alterar sua senha"],"Password reset":["Redefinir Senha"],"Change password":["Alterar senha"],"Password reset":["Reconfigurar senha"],"Password changed!":["Senha alterada!"],"Confirm
your new email address":["Confirme seu novo endereço de e-mail"],"Confirm":["Confirmar"],"Hello":["Olá"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Você solicitou a mudança do seu endereço de e-mail.
Seu novo endereço de e-mail é {newemail}.

Para confirmar, por favor clique no botão abaixo."],"Hello {displayName}":["Olá {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Se você não usar este link no prazo de 24 horas, ele irá expirar."],"Please use the following link within the next day to reset your password.":["Por favor use o seguinte link no dia seguinte para redefinir sua senha."],"Reset Password":["Resetar Senha"],"Registration Link":["Link para Registro"],"Sign up":["Inscrever-se"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Bem vindo a %appName%, Por favor, clique no botão abaixo para prosseguir com o seu registo."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Uma rede social para aumentar a sua rede de comunicação.
Cadastre-se agora\n                                                         para aderir a este espaço."],"Sign up now":["Entre agora","Registe-se agora"],"Space Invite":["Convite de espaço"],"You got a space invite":["Você tem convite para um espaço"],"invited you to the space:":["convidou você para o espaço:"],"{userName} mentioned you in {contentTitle}.":["{userName} mencionou você em {contentTitle}."],"{userName} is now following you.":["{userName} agora está seguindo você."],"About this user":["Sobre esse usuário"],"Modify your title image":["Modificar o título da sua imagem"],"This profile stream is still empty!":["Este fluxo de perfil ainda está vazio"],"Do you really want to delete your logo image?":["Você realmente quer apagar sua imagem do logotipo?"],"Account settings":["Configurações da Conta"],"Profile":["Perfil"],"Edit account":["Editar conta"],"Following":["Seguindo"],"Following user":["Seguindo usuários"],"User followers":["Usuários seguidores"],"Member in these spaces":["Membro nesses espaços"],"User tags":["Tags do Usuário"],"No birthday.":["Nenhum aniversariante."],"Back to modules":["Voltar aos módulos"],"Birthday Module Configuration":["Configuração do Módulo de Aniversário"],"The number of days future bithdays will be shown within.":["O número de dias para exibição dos próximos aniversários no calendário."],"Tomorrow":["Amanhã"],"Upcoming":["Próximos"],"You may configure the number of days within the upcoming birthdays are shown.":["Você pode configurar o número de dias antes dos próximos aniversários para que sejam mostrados no calendário."],"becomes":["tornar-se"],"birthdays":["aniversários"],"days":["dias"],"today":["hoje"],"years old.":["anos de idade."],"Active":["Ativo"],"Mark as unseen for all users":["Marcar como não-visto para todos usuários"],"Breaking News Configuration":["Configuração Breaking News"],"Note: You can use markdown syntax.":["Nota: Você pode usar a sintaxe markdown."],"End Date and Time":["Data e hora final"],"Recur":["Lembrete"],"Recur End":["Final do lembrete"],"Recur Interval":["Intervalo do lembrete"],"Recur Type":["Tipo de lembrete"],"Select participants":["Selecionar participantes"],"Start Date and Time":["Data e hora inicial"],"You don't have permission to access this event!":["Você não tem permissão para acessar este evento!"],"You don't have permission to create events!":["Você não tem permissão para criar eventos!"],"Adds an calendar for private or public events to your profile and mainmenu.":["Adicione um calendário para eventos privados ou públicos em seu perfil e menu principal."],"Adds an event calendar to this space.":["Adicione um evento para este espaço."],"All Day":["Todo dia"],"Attending users":["Confirmaram presença"],"Calendar":["Calendário "],"Declining users":["Não Confirmaram presença"],"End Date":["Data Final"],"End Time":["Hora de término"],"End time must be after start time!":["A hora de término precisa ser depois da hora de início!"],"Event":["Evento"],"Event not found!":["Evento não encontrado!"],"Maybe attending users":["Talvez marcarão presença"],"Participation Mode":["Modo de Participação"],"Start Date":["Data de Inicio"],"Start Time":["Hora de início"],"You don't have permission to delete this event!":["Você não tem permissão para apagar este evento!"],"You don't have permission to edit this event!":["Você não tem permissão para editar este evento!"],"%displayName% created a new %contentTitle%.":["%displayName% criou um novo %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% participou %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% talvez tenha participado %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% não participou %contentTitle%."],"Start Date/Time":["Data/Hora de Início"],"Create event":["Criar evento"],"Edit event":["Editar evento"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Obs:Este evento será criado no seu perfil. Para criar um evento em um espaço, abra o calendário do espaço desejado."],"End Date/Time":["Data/Hora Final"],"Everybody can participate":["Todos podem participar"],"No participants":["Sem participantes"],"Participants":["Participantes"],"Created by:":["Criado por:"],"Edit this event":["Editar esse evento"],"I´m attending":["Estou participando"],"I´m maybe attending":["Talvez participarei"],"I´m not attending":["Não vou participar"],"Attend":["Participar"],"Edit event":["Editar evento"],"Maybe":["Talvez"],"Filter events":["Filtrar eventos"],"Select calendars":["Selecionar calendários"],"Already responded":["Já respondeu"],"Followed spaces":["Espaços seguidos"],"Followed users":["Usuários seguidos"],"My events":["Meus eventos"],"Not responded yet":["Ainda não respondeu"],"Upcoming events ":["Próximos eventos"],":count attending":[":count participando"],":count declined":[":count recusado"],":count maybe":[":count talvez"],"Participants:":["Participantes:"],"Create new Page":["Criar nova página"],"Custom Pages":["Personalizar Páginas"],"HTML":["HTML"],"IFrame":["IFrame"],"Link":["Link"],"MarkDown":["MarkDown"],"Navigation":["Navegação"],"No custom pages created yet!":["Não há páginas personalizadas criadas ainda!"],"Sort Order":["Ordem de Classificação"],"Top Navigation":["Menu Superior"],"User Account Menu (Settings)":["Menu da Conta de Usuário (Configurações)"],"Create page":["Criar página"],"Edit page":["Editar página"],"Default sort orders scheme: 100, 200, 300, ...":["Ordenação padrão: 100, 200, 300, ..."],"Page title":["Título da página"],"URL":["URL"],"The item order was successfully changed.":["A ordem do item foi alterada com sucesso."],"Toggle view mode":["Alternar modo de visualização"],"You miss the rights to reorder categories.!":["Você não tem permissão para reordenar categorias!"],"Confirm category deleting":["Confirmar exclusão de categoria"],"Confirm link deleting":["Confirmar exclusão de link"],"Delete category":["Excluir categoria"],"Delete link":["Excluir link"],"Do you really want to delete this category? All connected links will be lost!":["Você realmente quer apagar esta categoria? Todos os links relacionados serão perdidos!"],"Do you really want to delete this link?":["Você realmente quer apagar este link?"],"Extend link validation by a connection test.":["Estender validação de link por um teste de conexão."],"Linklist":["Links úteis"],"Linklist Module Configuration":["Linklist Módulo de Configuração"],"Requested category could not be found.":["Categoria solicitada não pôde ser encontrada."],"Requested link could not be found.":["Link solicitado não pôde ser encontrado."],"Show the links as a widget on the right.":["Mostrar os links como um widget na direita."],"The category you want to create your link in could not be found!":["A categoria que você deseja criar o seu link não foi encontrada!"],"There have been no links or categories added to this space yet.":["Ainda não há links ou categorias adicionadas a este espaço."],"You can enable the extended validation of links for a space or user.":["Você pode ativar a validação estendida de links para um espaço ou usuário."],"You miss the rights to add/edit links!":["Você não tem permissão para adicionar/editar links!"],"You miss the rights to delete this category!":["Você não tem permissão para apagar esta categoria!"],"You miss the rights to delete this link!":["Você não tem permissão para eliminar este link!"],"You miss the rights to edit this category!":["Você não tem permissão para editar esta categoria!"],"You miss the rights to edit this link!":["Você não tem permissão para editar esse link!"],"Messages":["Mensagens"],"You could not send an email to yourself!":["Você não deveria enviar um e-mail para si! Ora bolas!","Você não pode enviar um e-mail para si!"],"Recipient":["Destinatário"],"You cannot send a email to yourself!":["Você não pode enviar um e-mail para você mesmo! Ora!","Você NÃO PODE enviar um e-mail para si mesmo!"],"New message from {senderName}":["Nova mensagem de {senderName}"],"and {counter} other users":["e {counter} outros usuários"],"New message in discussion from %displayName%":["Nova mensagem em discussão de %displayName%"],"New message":["Nova mensagem"],"Reply now":["Responder agora"],"sent you a new message:":["enviar uma nova mensagem:"],"sent you a new message in":["enviar uma nova mensagem em"],"Add more participants to your conversation...":["Adicionar mais participantes na sua conversa ..."],"Add user...":["Adicionar usuário..."],"New message":["Nova mensagem"],"Edit message entry":["Editar mensagem"],"Messagebox":["Caixa de mensagem"],"Inbox":["Caixa de entrada"],"There are no messages yet.":["Não há mensagens ainda."],"Write new message":["Escrever nova mensagem"],"Confirm deleting conversation":["Confirmar apagar conversa"],"Confirm leaving conversation":["Confirmar deixar conversa"],"Confirm message deletion":["Confirmar apagar mensagem"],"Add user":["Adicionar usuário"],"Do you really want to delete this conversation?":["Você quer realmente apagar esta conversa?"],"Do you really want to delete this message?":["Você realmente quer apagar esta mensagem?"],"Do you really want to leave this conversation?":["Você quer realmente sair desta conversa?"],"Leave":["Sair"],"Leave discussion":["Deixar discussão"],"Write an answer...":["Escreva uma resposta ..."],"User Posts":["Posts do Usuário"],"Show all messages":["Mostrar todas as mensagens"],"Send message":["Enviar mensagem"],"No users.":["Nenhum usuário."],"The number of users must not be greater than a 7.":["O número de usuários não pode ser maior que 7."],"The number of users must not be negative.":["O número de usuários não pode ser negativo."],"Most active people":["Pessoa mais ativa","Pessoa mais ativa"],"Get a list":["Listar"],"Most Active Users Module Configuration":["Modulo de configuração de usuários mais ativos"],"The number of most active users that will be shown.":["Número máximo de usuários mais ativos que será apresentado."],"You may configure the number users to be shown.":["Você pode configurar o número de usuários para ser apresentado."],"Comments created":["Comentários criados"],"Likes given":["Curtidas dadas"],"Posts created":["Posts criados"],"Notes":["Notas"],"Etherpad API Key":["Chave da API do Etherpad"],"URL to Etherpad":["URL para Etherpad"],"Could not get note content!":["Não foi possível obter o conteúdo da nota!"],"Could not get note users!":["Não foi possível obter os usuários de nota!"],"Note":["Nota"],"{userName} created a new note {noteName}.":["{userName} criou uma nova nota ({noteName})."],"{userName} has worked on the note {noteName}.":["{userName} trabalhou na nota {noteName}."],"API Connection successful!":["API - Conexão bem sucedida!"],"Could not connect to API!":["Não foi possível conectar-se a API!"],"Current Status:":["Status atual:"],"Notes Module Configuration":["Configuração do Módulo de Notas"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Por favor, leia a documentação do módulo em protected/modules/notes/docs/install.txt para mais detalhes!"],"Save & Test":["Salvar & Testar"],"The notes module needs a etherpad server up and running!":["O módulo de notas precisa de um servidor EtherPad Up e executando!"],"Save and close":["Salvar e fechar"],"{userName} created a new note and assigned you.":["{userName} criou uma nova nota e atribuiu a você."],"{userName} has worked on the note {spaceName}.":["{userName} trabalhou na nota {spaceName}."],"Open note":["Abrir nota"],"Title of your new note":["Título da sua nova nota"],"No notes found which matches your current filter(s)!":["Nenhuma anotação foi encontrada que coincide com o seu(s) filtro(s) atual(ais)"],"There are no notes yet!":["Ainda não existem notas!"],"Polls":["Enquete"],"Could not load poll!":["Não foi possível carregar enquete!"],"Invalid answer!":["Resposta inválida!"],"Users voted for: {answer}":["Usuários votaram em: {answer}"],"Voting for multiple answers is disabled!":["A votação para múltiplas respostas está desabilitada!"],"You have insufficient permissions to perform that operation!":["Você não tem permissões suficientes para executar essa operação!"],"Answers":["Respostas"],"Multiple answers per user":["Múltiplas respostas por usuário"],"Please specify at least {min} answers!":["Especifique pelo menos {min} respostas!"],"Question":["Pergunta"],"{userName} voted the {question}.":["{userName} eleito o {question}."],"{userName} answered the {question}.":["{userName} respondeu a {question}."],"{userName} created a new {question}.":["{userName} criou uma nova enquete: {question}."],"User who vote this":["Usuário que vota nesta"],"{userName} created a new poll and assigned you.":["{userName} criou uma nova enquete e atribuiu a você."],"Ask":["Perguntar"],"Reset my vote":["Resetar meu voto"],"Vote":["Votar"],"and {count} more vote for this.":["e mais {count} votos para este."],"votes":["votos"],"Allow multiple answers per user?":["Permitir várias respostas por usuário?"],"Ask something...":["Pergunte alguma coisa..."],"Possible answers (one per line)":["Possíveis respostas (um por linha)"],"Display all":["Mostrar tudo"],"No poll found which matches your current filter(s)!":["Nenhuma enquete encontrada que corresponda(m) ao(s) seu(s) filtro(s) atual(ais)!"],"There are no polls yet!":["Não existem enquetes ainda!"],"There are no polls yet!
Be the first and create one...":["Ainda não existem enquetes!
Seja o primeiro e criar uma..."],"Asked by me":["Enviadas por mim"],"No answered yet":["Ainda não há resposta"],"Only private polls":["Somente pesquisas particulares"],"Only public polls":["Somente sondagens públicas"],"Manage reported posts":["Gerenciar posts reportados"],"Reported posts":["Posts reportados"],"Why do you want to report this post?":["Por que você quer denunciar essa postagem?"],"by :displayName":["por :displayName"],"created by :displayName":["criado por :displayName"],"Doesn't belong to space":["Não está relacionado ao espaço"],"Offensive":["Ofensivo"],"Spam":["Spam"],"Here you can manage reported users posts.":["Aqui você pode gerenciar posts de usuários reportados."],"An user has reported your post as offensive.":["Um usuário marcou seu post como ofensivo."],"An user has reported your post as spam.":["Um usuário marcou seu post como spam."],"An user has reported your post for not belonging to the space.":["Um usuário marcou seu post como não relacionado a este espaço."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% reportou %contentTitle% como ofensivo."],"%displayName% has reported %contentTitle% as spam.":["%displayName% reportou %contentTitle% como spam."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% reportou %contentTitle% como não relacioinado ao espaço."],"Here you can manage reported posts for this space.":["Aqui você pode gerenciar posts reportados deste espaço."],"Appropriate":["Apropriado"],"Confirm post deletion":["Confirme exclusão da postagem"],"Confirm report deletion":["Confirme exclusão da denúncia"],"Delete post":["Excluir postagem"],"Delete report":["Excluir denúncia"],"Do you really want to delete this report?":["Você realmente quer excluir esta denúncia?"],"Reason":["Motivo"],"Reporter":["Relator"],"There are no reported posts.":["Não há postagens denunciadas."],"Does not belong to this space":["Não pertence a este espaço"],"Help Us Understand What's Happening":["Ajude-nos a entender o que está acontecendo"],"It's offensive":["É ofensivo"],"It's spam":["É SPAM"],"Report post":["Denunciar postagem"],"API ID":["ID da API"],"Allow Messages > 160 characters (default: not allowed -> currently not supported, as characters are limited by the view)":["Permitir mensagens maiores que 160 caracteres (padrão: não permitido -> atualmente não há suporte, uma vez que os caracteres são limitados pela view)"],"An unknown error occurred.":["Um erro desconhecido ocorreu."],"Body too long.":["Texto muito longo."],"Body too too short.":["Texto muito curto."],"Characters left:":["Caracteres restantes: "],"Choose Provider":["Escolha o provedor"],"Could not open connection to SMS-Provider, please contact an administrator.":["Não foi possível estabelecer conexão com o servidor de SMS, gentileza entrar em contato com um administrador."],"Gateway Number":["Número do gateway"],"Gateway isn't available for this network.":["O Gateway não está disponível para esta rede."],"Insufficent credits.":["Créditos insuficientes."],"Invalid IP address.":["Endereço IP inválido."],"Invalid destination.":["Destino inválido."],"Invalid sender.":["Remetente inválido."],"Invalid user id and/or password. Please contact an administrator to check the module configuration.":["Usuário ou senha inválido. Gentileza contactar um administrador para verificar a configuração do módulo."],"No sufficient credit available for main-account.":["Não há créditos suficientes para a contra principal."],"No sufficient credit available for sub-account.":["Não há créditos suficientes para uma sub-conta."],"Provider is not initialized. Please contact an administrator to check the module configuration.":["Provedor não iniciado. Gentileza contatar um administrador para verificar a configuração do módulo."],"Receiver is invalid.":["Destinatário é inválido."],"Receiver is not properly formatted, has to be in international format, either 00[...], or +[...].":["Destinatário não está propriamente formatado, deve estar no formato internacional, ou 00[...], ou +[...]."],"Reference tag to create a filter in statistics":["Marcação de referência para criar filtro nas estatísticas."],"Route access violation.":["Violação de acesso de rota."],"SMS Module Configuration":["Configuração do Módulo SMS"],"SMS has been rejected/couldn't be delivered.":["O SMS foi rejeitado/não pôde ser entregue."],"SMS has been successfully sent.":["O SMS foi enviado com sucesso."],"SMS is lacking indication of price (premium number ads).":["Não há indicação de preço para o SMS (premium number ads)."],"SMS with identical message text has been sent too often within the last 180 secondsSMS with identical message text has been sent too often within the last 180 seconds.":["SMS com mensagens de texto idênticas foram enviadas com muita frequencia nos últimos 180 segundos. "],"Save Configuration":["Salvar Configurações"],"Security error. Please contact an administrator to check the module configuration.":["Erro de segurança. Gentileza contatar um administrador para verificar a configuração do módulo."],"Select the Spryng route (default: BUSINESS)":["Selecione a tora Spryng(?) (Padrão: BUSINESS)"],"Send SMS":["Enviar SMS"],"Send a SMS":["Envie um SMS"],"Send a SMS to ":["Envie um SMS para"],"Sender is invalid.":["Remetente é inválido."],"Technical error.":["Erro técnico."],"Test option. Sms are not delivered, but server responses as if the were.":["Opção de teste. SMS não são entregues, mas o servidor responde como se tivessem sido."],"To be able to send a sms to a specific account, make sure the profile field \"mobile\" exists in the account information.":["Para ser possível enviar um SMS para uma conta específica, certifique-se de que o campo \"mobile\" exista na conta do usuário."],"Unknown route.":["Rota desconhecida."],"Within this configuration you can choose between different sms-providers and configurate these. You need to edit your account information for the chosen provider properly to have the sms-functionality work properly.":["Nesta configuração você pode escolher entre diferentes provedores de SMS e configurá-los. Você deve fornecer suas informações de conta de forma adequada para o provedor escolhido para que a funcionalidade SMS funcione corretamente."],"Tasks":["Tarefas"],"Could not access task!":["Não foi possível acessar a tarefa!"],"Task":["Tarefa"],"{userName} assigned to task {task}.":["{userName} atribuído à tarefa {task}."],"{userName} created task {task}.":["{userName} criou a tarefa {task}."],"{userName} finished task {task}.":["{userName} finalizou a tarefa {task}."],"{userName} assigned you to the task {task}.":["{userName} atribuiu a você a tarefa {task}."],"{userName} created a new task {task}.":["{userName} criou a nova tarefa {task}."],"Create new task":["Criar nova tarefa"],"Edit task":["Editar tarefa"],"Assign users":["Designar usuários"],"Assign users to this task":["Atribuir usuários para esta tarefa"],"Deadline":["Prazo"],"Deadline for this task?":["Prazo para esta tarefa?"],"Preassign user(s) for this task.":["Pré-atribuir usuários para esta tarefa."],"Task description":["Descrição da tarefa"],"What is to do?":["O que é para fazer?"],"Confirm deleting":["Confirmar exclusão"],"Add Task":["Adicionar tarefa"],"Do you really want to delete this task?":["Você realmente quer excluir esta tarefa?"],"No open tasks...":["Não há tarefas abertas..."],"completed tasks":["Tarefas finalizadas"],"This task is already done":["Esta tarefa já está feita"],"You're not assigned to this task":["Você não está designado para esta tarefa"],"Click, to finish this task":["Clique, para finalizar esta tarefa"],"This task is already done. Click to reopen.":["Esta tarefa já está feita. Clique para reabrir."],"My tasks":["Minhas tarefas"],"From space: ":["Do espaço:"],"No tasks found which matches your current filter(s)!":["Nenhuma tarefa encontrada que corresponda ao seu(s) filtro(s) atual(ais)!"],"There are no tasks yet!":["Não há tarefas ainda!"],"There are no tasks yet!
Be the first and create one...":["Não há tarefas ainda!
Seja o primeiro e criar uma..."],"Assigned to me":["Designado para mim"],"Nobody assigned":["Ninguém atribuído"],"State is finished":["Estado está finalizado"],"State is open":["Estado está aberto"],"What to do?":["O que fazer?"],"Translation Manager":["Gerenciador de traduções"],"Translations":["Traduções"],"Translation Editor":["Editor de traduções"],"Confirm page deleting":["Confirme apagar a página"],"Confirm page reverting":["Confirme reverter a página"],"Overview of all pages":["Visão geral de todas as páginas"],"Page history":["Histórico da Página
"],"Wiki Module":["Módulo Wiki"],"Adds a wiki to this space.":["Adicionar uma wiki para este espaço"],"Adds a wiki to your profile.":["Adicionar uma wiki para este perfil."],"Back to page":["Voltar para a página"],"Do you really want to delete this page?":["Você realmente quer apagar esta página?"],"Do you really want to revert this page?":["Você realmente quer reverter esta página?"],"Edit page":["Editar página"],"Edited at":["Editado em"],"Go back":["Voltar"],"Invalid character in page title!":["Caractere inválido no título da página!"],"Let's go!":["Vamos lá!"],"Main page":["Página principal"],"New page":["Nova página"],"No pages created yet. So it's on you.
Create the first page now.":["Não existem páginas criadas ainda. Então é com você.
Crie a primeira página agora."],"Page History":["Histórico da página"],"Page title already in use!":["Título da página já está em uso!"],"Revert":["Reverter"],"Revert this":["Reverter este"],"View":["Visualizar"],"Wiki":["Wiki"],"by":["por"],"Wiki page":["Página Wiki"],"Create new page":["Criar nova página"],"Enter a wiki page name or url (e.g. http://example.com)":["Insira o nome ou url da página Wiki (ex. http://exemplo.com)"],"New page title":["Título da nova página"],"Page content":["Conteúdo da página"],"Open wiki page...":["Abrir página wiki..."],"Downloading & Installing Modules...":["Baixando e instalando módulos..."]} \ No newline at end of file diff --git a/protected/humhub/messages/ru/archive.json b/protected/humhub/messages/ru/archive.json index 01f98eebc0..bb9f710db3 100644 --- a/protected/humhub/messages/ru/archive.json +++ b/protected/humhub/messages/ru/archive.json @@ -1 +1 @@ -{"Latest updates":["Последние обновления"],"Search":["Поиск"],"Account settings":["Настройки аккаунта"],"Administration":["Администрирование"],"Back":["Назад"],"Back to dashboard":["Вернуться на главную"],"Choose language:":["Выберите язык:"],"Collapse":["Свернуть"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Источник Content Addon должен быть сущностью HActiveRecordContent либо HActiveRecordContentAddon!"],"Could not determine content container!":["Не удалось определить оболочку контента!"],"Could not find content of addon!":["Не удалось найти содержимое дополнения!"],"Could not find requested module!":["Не удалось найти запрошенный модуль!"],"Error":["Ошибка"],"Expand":["Развернуть"],"Insufficent permissions to create content!":["Недостаточно прав чтобы создать контент!"],"Invalid request.":["Некорректный запрос."],"It looks like you may have taken the wrong turn.":["Похоже что вы сделали что-то не так."],"Keyword:":["Ключевое слово:"],"Language":["Язык"],"Latest news":["Последние новости"],"Login":["Войти"],"Logout":["Выйти"],"Menu":["Меню"],"Module is not on this content container enabled!":["Модуль не включён в этой оболочке контента"],"My profile":["Мой профиль"],"New profile image":["Новое изображение профиля"],"Nothing found with your input.":["Ничего не найдено по вашему запросу."],"Oooops...":["Ой..."],"Results":["Результаты"],"Search":["Поиск"],"Search for users and spaces":["Искать людей и пространства"],"Show more results":["Показать больше результатов"],"Sorry, nothing found!":["Извините, ничего не найдено!"],"Space not found!":["Пространство не найдено!"],"User Approvals":["Подтверждение пользователей"],"User not found!":["Пользователь не найден!"],"Welcome to %appName%":["Добро пожаловать в %appName%"],"You cannot create public visible content!":["Вы не можете создать публичный контент!"],"Your daily summary":["Ваша статистика за сегодня"],"Login required":["требуется логин"],"An internal server error occurred.":["Произошла внутренняя ошибка сервера."],"You are not allowed to perform this action.":["Вы не можете выполнить это действие."],"Global {global} array cleaned using {method} method.":["Глобальный массив {global} очищен с помощью метода {method}."],"Upload error":["Ошибка при загрузке","Ошибка загрузки"],"Close":["Закрыть"],"Add image/file":["Добавить изображение/файл"],"Add link":["Добавить ссылку"],"Bold":["Жирный"],"Code":["Код"],"Enter a url (e.g. http://example.com)":["Введите ссылку (например http://example.com)"],"Heading":["Заголовок"],"Image":["Изображение"],"Image/File":["Изображение/Файл"],"Insert Hyperlink":["Вставить гиперссылку"],"Insert Image Hyperlink":["Вставить гиперссылку на изображение"],"Italic":["Курсив"],"List":["Список"],"Please wait while uploading...":["Пожалуйста, подождите пока загружается ..."],"Preview":["Предпросмотр"],"Quote":["Цитата"],"Target":["Цель"],"Title":["Наименование"],"Title of your link":["Название вашей ссылки"],"URL/Link":["Адрес/Ссылка"],"code text here":["текст кода здесь"],"emphasized text":["выделенный текст"],"enter image description here":["введите описание изображения здесь"],"enter image title here":["введите название картинки здесь"],"enter link description here":["введите описание ссылки здесь"],"heading text":["заголовок текста"],"list text here":["текстовый список здесь"],"quote here":["процитировать"],"strong text":["выделенный текст"],"Could not create activity for this object type!":["Не удалось создать событие с этим типом объекта!"],"%displayName% created the new space %spaceName%":["%displayName% создал новое пространство %spaceName%"],"%displayName% created this space.":["%displayName% создал это пространство."],"%displayName% joined the space %spaceName%":["%displayName% присоединился к пространству %spaceName%"],"%displayName% joined this space.":["%displayName% присоединился к этому пространству."],"%displayName% left the space %spaceName%":["%displayName% покинул пространство %spaceName%"],"%displayName% left this space.":["%displayName% покинул это пространство."],"{user1} now follows {user2}.":["{user1} теперь читает {user2}."],"see online":["смотреть онлайн"],"via":["через"],"Latest activities":["Лента активности"],"There are no activities yet.":["Пока ничего нет."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Здравствуйте {displayName},

\n  \n    Ваша учетная запись была активирована.

\n   \n    Нажмите сюда, чтобы войти:
\n    {loginURL}

\n   \n    С наилучшими пожеланиями
\n    {AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Здравствуйте {displayName},

\n \n ваша учетная запись была отклонена.

\n \n С наилучшими пожеланиями
\n {AdminName}

"],"Account Request for '{displayName}' has been approved.":["Учетная запись для '{displayName}' была утверждена."],"Account Request for '{displayName}' has been declined.":["Учетная запись для '{displayName}' была отклонена."],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["Здравствуйте {displayName},

\n\n Ваш аккаунт был активирован.

\n\n Кликните сюда, чтобы войти:
\n {loginURL}

\n\n С наилучшими пожеланиями
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["Здравствуйте {displayName},

\n\n Ваш запрос на регистрацию был отклонен.

\n\n С наилучшими пожеланиями
\n {AdminName}

"],"Group not found!":["Группа не найдена!"],"Could not uninstall module first! Module is protected.":["Не удалось удалить модуль! Модуль защищен."],"Module path %path% is not writeable!":["Путь к модулю %path% не доступен для записи!"],"Saved":["Сохранено","Сохранён"],"Database":["База данных"],"No theme":["Нет темы"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["Не удалось загрузить LDAP! - Проверьте расширения PHP"],"File":["Файл"],"No caching (Testing only!)":["Нет кэширования (только тестирование!)","Нет кэширование (только тестирование!)"],"None - shows dropdown in user registration.":["Нет - показывать в драпдауне при регистрации пользователя."],"Saved and flushed cache":["Сохранено, кеш сброшен"],"LDAP":["LDAP"],"Local":["Локальный"],"Become this user":["Войти как данный пользователь"],"Delete":["Удалить"],"Disabled":["Отключен"],"Enabled":["Включен","Включено"],"Save":["Сохранить"],"Unapproved":["Неподтвержден"],"You cannot delete yourself!":["Вы не можете удалить себя!"],"Could not load category.":["Невозможно загрузить категорию."],"You can only delete empty categories!":["Вы можете удалять только пустые категории!"],"Group":["Группа"],"Message":["Сообщение"],"Subject":["Тема"],"Base DN":["Base DN"],"E-Mail Address Attribute":["Адрес E-Mail Атрибут"],"Enable LDAP Support":["Включить поддержку LDAP"],"Encryption":["Шифрование"],"Fetch/Update Users Automatically":["Выбор/Обновление пользователей автоматически"],"Hostname":["Хост"],"Login Filter":["Фильтр логинов"],"Password":["Пароль"],"Port":["Порт"],"User Filer":["Пользовательский файлер"],"Username":["Логин","Имя пользователя"],"Username Attribute":["Пользовательские данные"],"Allow limited access for non-authenticated users (guests)":["Возможность ограниченного доступа для не прошедших проверку подлинности пользователей (гостей)"],"Anonymous users can register":["Гости могут регистрироваться"],"Default user group for new users":["Группа по-умолчанию для новых пользователей"],"Default user idle timeout, auto-logout (in seconds, optional)":["Тайм-аут пользователя по умолчанию, авто-выход (в секундах, по желанию)"],"Default user profile visibility":["Профиль пользователя по умолчанию отображается"],"Members can invite external users by email":["Участники могут приглашать других пользователей через email"],"Require group admin approval after registration":["Обязательная активация администратором группы после регистрации"],"Base URL":["Основной URL"],"Default language":["Язык по-умолчанию"],"Default space":["Пространство по-умолчанию"],"Invalid space":["Неверное пространство"],"Logo upload":["Загрузить логотип"],"Name of the application":["Название приложения"],"Server Timezone":["Временная зона сервера"],"Show introduction tour for new users":["Показывать приветственный тур для новых пользователей"],"Show user profile post form on dashboard":["Показать поле ввода сообщений профиля в панели События"],"Cache Backend":["Кеширование бекэнда"],"Default Expire Time (in seconds)":["Время ожидания по-умолчанию (в секундах)"],"PHP APC Extension missing - Type not available!":["Отсуствует расширение PHP APC - данные не поддерживаются!"],"PHP SQLite3 Extension missing - Type not available!":["Отсуствует расширение PHP SQLite3 - данные не поддерживаются!"],"Dropdown space order":["Порядок отображения пространств в выпадающем меню."],"Default pagination size (Entries per page)":["Пагинация по-умолчанию (штук на странице)"],"Display Name (Format)":["Отображать название (Формат)"],"Theme":["Тема оформления"],"Allowed file extensions":["Допустимые расширения файлов"],"Convert command not found!":["Команда конвертации не найдена!"],"Got invalid image magick response! - Correct command?":["Получен неверный ответ от модуля image magick - Команда корректна?"],"Hide file info (name, size) for images on wall":["Скрыть информация о файле (имя, размер) при использовании изображения"],"Hide file list widget from showing files for these objects on wall.":["Скрыть файл списка виджетов для показа этих объектов на стене."],"Image Magick convert command (optional)":["Команда конвертации модуля Image Magic (опционально)"],"Maximum preview image height (in pixels, optional)":["Максимальная высота превью изображения (в пикселях, опционально)"],"Maximum preview image width (in pixels, optional)":["Максимальная ширина превью изображения (в пикселях, опционально)"],"Maximum upload file size (in MB)":["Максимальный размер файла (МБ)"],"Use X-Sendfile for File Downloads":["Использовать X-Sendfile для загрузки файлов"],"Allow Self-Signed Certificates?":["Разрешить самоподписанные сертификаты?"],"E-Mail sender address":["E-mail отправителя"],"E-Mail sender name":["Имя отправителя"],"Mail Transport Type":["Способ отправки письма"],"Port number":["Порт"],"Endpoint Url":["URL конечной точки"],"Url Prefix":["Префикс Url"],"No Proxy Hosts":["Без прокси сервера"],"Server":["Сервер"],"User":["Пользователь"],"Super Admins can delete each content object":["Супер Администраторы могут удалять любой контент"],"Default Join Policy":["Доступ по умолчанию"],"Default Visibility":["Визуализация по умолчанию"],"HTML tracking code":["Код счетчика"],"Module directory for module %moduleId% already exists!":["Папка модуля %moduleId% уже существует!"],"Could not extract module!":["Не удалось установить модуль!"],"Could not fetch module list online! (%error%)":["Не удалось получить список модулей! (%error%)"],"Could not get module info online! (%error%)":["Не удалось получить информацию о модуле! (%error%)"],"Download of module failed!":["Не удалось загрузить модуль!"],"Module directory %modulePath% is not writeable!":["Папка модуля %modulePath% запрещена к записи!"],"Module download failed! (%error%)":["Не удалось загрузить модуль! (%error%)"],"No compatible module version found!":["Совместимой версии модуля не найдено!","Совместимых версий модуля не найдено!"],"Activated":["Активирован"],"No modules installed yet. Install some to enhance the functionality!":["Ни один из модулей не установлен еще. Установите некоторые для повышения функциональности!"],"Version:":["Версия:"],"Installed":["Установленные"],"No modules found!":["Модули не найдены!"],"search for available modules online":["искать доступные модули онлайн"],"All modules are up to date!":["Все модули в актуальном состоянии!"],"About HumHub":["Версия HumHub"],"Currently installed version: %currentVersion%":["В настоящее время установлена версия: %currentVersion%"],"HumHub is currently in debug mode. Disable it when running on production!":["Сайт находится в режиме отладки. Отключите его до окончания процесса!"],"Licences":["Лицензии"],"See installation manual for more details.":["Смотрите руководство по установке для получения более подробной информации."],"There is a new update available! (Latest version: %version%)":["Доступно новое обновление! (Последняя версия: %version%)"],"This HumHub installation is up to date!":["Ваша версия HumHub в актуальном состоянии!"],"Accept":["Активировать"],"Decline":["Отключить","Отказать"],"Accept user: {displayName} ":["Активировать пользователя: {displayName} "],"Cancel":["Отменить"],"Send & save":["Сохранить и отправить"],"Decline & delete user: {displayName}":["Отключить и удалить пользователя: {displayName}"],"Email":["Email"],"Search for email":["Искать по email"],"Search for username":["Искать по логину"],"Pending user approvals":["В ожидании подтверждения регистрации"],"Here you see all users who have registered and still waiting for a approval.":["Здесь Вы можете видеть пользователей, которые зарегистрировались и ожидают подтверждения."],"Delete group":["Удаление группы"],"Delete group":["Удалить группу"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Чтобы удалить группу \"{group}\" Вы должны задать другую группу для следующих пользователей:"],"Create new group":["Создать новую группу"],"Edit group":["Редактировать группу"],"Description":["Описание"],"Group name":["Название группы"],"Ldap DN":["Ldap DN"],"Search for description":["Искать по описанию"],"Search for group name":["Искать по названию группы"],"Manage groups":["Управление группами"],"Create new group":["Создать новую группу"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Вы можете разделить пользователей по разным группам (команды, отделы и тд.) и определить для них пространства по-умолчанию и администраторов."],"Flush entries":["Очистить журнал"],"Error logging":["Журнал ошибок"],"Displaying {count} entries per page.":["Отображать {count} записей на странице."],"Total {count} entries found.":["Всего найдено {count} записей"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Модули расширения функциональности сайта. Здесь вы можете установить и управлять модулями из каталога расширений HumHub."],"Available updates":["Доступные обновления"],"Browse online":["Искать онлайн"],"Module details":["Модуль подробно"],"This module doesn't provide further informations.":["Этот модуль не предоставил полной информации"],"Processing...":["Выполняется..."],"Modules directory":["Директория модулей"],"Are you sure? *ALL* module data will be lost!":["Вы уверены? *ALL* данные модуля будут утеряны!"],"Are you sure? *ALL* module related data and files will be lost!":["Вы уверены? *ALL* данные и файлы связанные с модулем будут удалены!"],"Configure":["Настроить"],"Disable":["Отключить","Выключить"],"Enable":["Включить"],"Enable module...":["Включить модуль ..."],"More info":["Подробнее"],"Set as default":["Установить по-умолчанию"],"Uninstall":["Удалить"],"Install":["Установить"],"Installing module...":["Установить модуль..."],"Latest compatible version:":["Последняя совместимая версия:"],"Latest version:":["Последняя версия:"],"Installed version:":["Установленная версия:"],"Latest compatible Version:":["Последняя совместимая версия:"],"Update":["Обновить"],"Updating module...":["Обновить модуль..."],"%moduleName% - Set as default module":["%moduleName% - Сделать модулем по-умолчанию"],"Always activated":["Всегда активирован"],"Deactivated":["Деактивировать"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Здесь Вы можете выбрать, хотите ли Вы чтобы модуль был автоматически активирован в пространстве или профиле пользователя. Если модуль должен быть активирован, выберите \"Всегда активирован\"."],"Spaces":["Пространства"],"User Profiles":["Профили пользователей"],"There is a new HumHub Version (%version%) available.":["Доступна новая версия HumHub (%version%)."],"Authentication - Basic":["Идентификация - Основная"],"Basic":["Основная","Основные"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Минимальное значение составляет 20 секунд. Если не установлен, сессия завершится через 1400 секунд (24 минуты) независимо от активности (таймаут сессии по умолчанию)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Применяется только при ограниченном доступе для не прошедших проверку подлинности пользователей. Влияет только на новых пользователей."],"Authentication - LDAP":["Идентификация - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["Рекомендуется использовать TLS/SSL шифрование на реальных проектах, чтобы защититься от передачи паролей в открытом виде."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Задает фильтр, который должен применяться при попытке входа. %uid заменяет имя пользователя во время логина. Например: "(sAMAccountName=%s)" или "(uid=%s)""],"LDAP Attribute for E-Mail Address. Default: "mail"":["LDAP Атрибут для E-Mail адреса. По умолчанию: "mail""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["LDAP Атрибут для Логина. Пример: & quotuid & Quot; или & Quot; sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Ограничить доступ к пользователям с указанными критериями. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Статус: Ошибка! (Текст ошибки: {message})"],"Status: OK! ({userCount} Users)":["Статус: OK! ({userCount} Пользователей)"],"The default base DN used for searching for accounts.":["База по умолчанию DN используется для поиска аккаунтов."],"The default credentials password (used only with username above).":["Пароль по умолчанию (используется только с именем пользователя, приведенном выше)"],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["Имя пользователя по умолчанию. Некоторые сервера требуют, чтобы имя пользователя было в форме DN, поэтому если LDAP сервер этого требует, имя должно быть приведено в надлежащем формате."],"Cache Settings":["Настройки кеширования"],"Save & Flush Caches":["Сохранить и удалить кеш"],"CronJob settings":["Настройки планировщика задач"],"Crontab of user: {user}":["Действия Cron пользователя: {user}"],"Last run (daily):":["Последний запуск (ежедневный):"],"Last run (hourly):":["Последный запуск (ежечасный):"],"Never":["Никогда"],"Or Crontab of root user":["Или действия Cron root-пользователя"],"Please make sure following cronjobs are installed:":["Пожалуйста, убедитесь, что все задачи Cron установлены:"],"Alphabetical":["Алфавитный"],"Last visit":["Последний визит"],"Design settings":["Настройки внешнего вида"],"Firstname Lastname (e.g. John Doe)":["Имя Фамилия (например, Василий Иванов)"],"Username (e.g. john)":["Логин"],"File settings":["Настройки вложений"],"Comma separated list. Leave empty to allow all.":["Список, разделенный запятыми. Оставьте пустым, если хотите разрешить всем."],"Comma separated list. Leave empty to show file list for all objects on wall.":["Список, разделенный запятыми. Оставьте пустым, чтобы показать список файлов для всех объектов на стене."],"Current Image Libary: {currentImageLibary}":["Используемая библиотека изображений: {currentImageLibary}"],"If not set, height will default to 200px.":["Если не установлено, высота по умолчанию будет 200px."],"If not set, width will default to 200px.":["Если не установлено, ширина по умолчанию будет 200px."],"PHP reported a maximum of {maxUploadSize} MB":["PHP загружает максимум {maxUploadSize} MB"],"Basic settings":["Основные настройки"],"Confirm image deleting":["Подтвердите удаление изображения"],"Dashboard":["События"],"E.g. http://example.com/humhub":["например, http://example.com/humhub"],"New users will automatically added to these space(s).":["Новые пользователи автоматически добавляются в данн(-ое/-ые) пространств(-о/-а)"],"You're using no logo at the moment. Upload your logo now.":["На данный момент Вы не используете логотипа. Загрузить логотип сейчас."],"Mailing defaults":["Настройки рассылок"],"Activities":["Действия","Активность"],"Always":["Всегда"],"Daily summary":["Суммарно за день","Дневной дайджест"],"Defaults":["По-умолчанию"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Определить по-умолчанию, когда пользователь будет получать письма по email об оповещениях или новых действиях. Данные настройки могут быть изменены пользовтелем в настройках учетной записи."],"Notifications":["Уведомления"],"Server Settings":["Настройки сервера"],"When I´m offline":["Когда я не в сети","Когда я оффлайн"],"Mailing settings":["Настройки сообщений"],"SMTP Options":["SMTP-настройки"],"OEmbed Provider":["Поставщик службы"],"Add new provider":["Добавить нового поставщика"],"Currently active providers:":["Активные службы и сервисы"],"Currently no provider active!":["Не активировано ни одной службы"],"Add OEmbed Provider":["Добавить поставщика службы"],"Edit OEmbed Provider":["Редактировать поставщика службы"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url Префикс без http:// или https:// (например: youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Используйте %url% вместо URL. Строка должна быть в JSON формате. (например http://www.youtube.com/oembed?url=%url%&format=json)"],"Proxy settings":["Настройки прокси"],"Security settings and roles":["Настройки ролей и безопасности"],"Self test":["Тест системы"],"Checking HumHub software prerequisites.":["Проверка необходимого програмного обеспечения для сайта."],"Re-Run tests":["Перезапустить тест"],"Statistic settings":["Настройки статистики"],"All":["Все"],"Delete space":["Удалить пространство"],"Edit space":["Редактировать пространство"],"Search for space name":["Поиск по названию пространства"],"Search for space owner":["Поиск по создателю пространства"],"Space name":["Название пространства"],"Space owner":["Владелец пространства"],"View space":["Посмотреть пространство"],"Manage spaces":["Управление пространствами"],"Define here default settings for new spaces.":["Определить настройки по умолчанию для новых пространств."],"In this overview you can find every space and manage it.":["Здесь Вы можете найти все пространства и управлять ими."],"Overview":["Обзор"],"Settings":["Настройки"],"Space Settings":["Настройки Пространств"],"Add user":["Добавить пользователя"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Вы действительно хотите удалить данного пользователя? Если данный пользователь является создателем каких-нибудь пространств, Вы станете создателем этих пространств."],"Delete user":["Удалить пользователя"],"Delete user: {username}":["Удалить пользователя: {username}"],"Edit user":["Редактирование пользователя"],"Admin":["Администратор"],"Delete user account":["Удалить аккаунт пользователя"],"Edit user account":["Редактировать аккаунт пользователя"],"No":["Нет"],"View user profile":["Просмотреть профиль пользователя"],"Yes":["Да"],"Manage users":["Управление пользователями"],"Add new user":["Добавить нового пользователя"],"In this overview you can find every registered user and manage him.":["Здесь Вы можете найти любого зарегистрированного пользователя и управлять им."],"Create new profile category":["Создать новую категорию профилей "],"Edit profile category":["Редактировать категорию профилей "],"Create new profile field":["Создать новое поле профиля"],"Edit profile field":["Редактировать поле профиля"],"Manage profiles fields":["Управление полями профилей"],"Add new category":["Добавить новую категорию"],"Add new field":["Добавить новое поле"],"Security & Roles":["Безопасность и Роли"],"Administration menu":["Меню администратора"],"About":["Версия","Обо мне","Информация"],"Authentication":["Идентификация"],"Caching":["Кеширование"],"Cron jobs":["Планировщик задач"],"Design":["Дизайн"],"Files":["Файлы"],"Groups":["Группы"],"Logging":["Журнал ошибок"],"Mailing":["Рассылки"],"Modules":["Модули"],"OEmbed Provider":["Поставщик службы"],"Proxy":["Прокси"],"Self test & update":["Тестирование и обновление"],"Statistics":["Статистика"],"User approval":["Подтверждение регистрации"],"User profiles":["Профили пользователей"],"Users":["Пользователи"],"Click here to review":["Посмотреть полностью"],"New approval requests":["Новые запросы на подтверждение"],"One or more user needs your approval as group admin.":["Один или несколько пользователей ждут Вашего подтверждения как администратора группы."],"Access denied!":["Доступ запрещен!"],"Could not delete comment!":["Не удалось удалить комментарий!"],"Insufficent permissions!":["Недостаточно полномочий!"],"Invalid target class given":["Указан неверный целевой класс!"],"Model & Id Parameter required!":["Необходимы Model & Id Parameter!"],"Target not found!":["Получатель не найден!"],"Comment":["Комментарий","комментарий"],"%displayName% wrote a new comment ":["%displayName% добавил комментарий"],"Comments":["Комментарии"],"Edit your comment...":["Редактировать комментарий..."],"%displayName% also commented your %contentTitle%.":["%displayName% также прокомментировал ваш %contentTitle%"],"%displayName% commented %contentTitle%.":["%displayName% прокомментировал %contentTitle%."],"Show all {total} comments.":["Показать все {total} комментарии"],"Write a new comment...":["Написать новый комментарий..."],"Post":["Сообщение"],"Show %count% more comments":["Показать %count% больше комментариев"],"Edit":["Редактировать"],"Confirm comment deleting":["Подтвердите удаление комментария"],"Do you really want to delete this comment?":["Вы действительно хотите удалить этот комментарий?"],"Updated :timeago":["Обновлено :timeago"],"{displayName} created a new {contentTitle}.":["{displayName} создал новый {contentTitle}.","{displayName} ответил на новое {contentTitle}."],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["Достигнуто максимальное число закрепленных записей.\n\nМожно закреплять только две записи одновременно. \nЧтобы все же закрепить эту запись, открепите любую другую."],"Could not load requested object!":["Не могу загрузить запрошенный объект!"],"Invalid model given!":["Дана недействительная модель!"],"Unknown content class!":["Неизвестный класс контента!"],"Could not find requested content!":["Не удалось найти запрашиваемый контент!"],"Could not find requested permalink!":["Не удалось найти запрашиваемую постоянную ссылку!"],"{userName} created a new {contentTitle}.":["{userName} создал новый {contentTitle}."],"in":["в","через"],"Submit":["Принять"],"No matches with your selected filters!":["Нет результата, соответствующего вашему фильтру!","Нет вариантов с выбранными фильтрами!"],"Nothing here yet!":["Пока ничего нет!","Здесь ничего еще нет!"],"Move to archive":["Переместить в архив"],"Unarchive":["Извлечь из архива","Разархивировать"],"Add a member to notify":["Добавить участника, чтобы уведомить"],"Make private":["Сделать личным"],"Make public":["Обнародовать"],"Notify members":["Уведомлять пользователей"],"Public":["Обнародованное","Обнародованный","Публичное"],"What's on your mind?":["О чем вы думаете?"],"Confirm post deleting":["Подтвердить удаление записи"],"Do you really want to delete this post? All likes and comments will be lost!":["Вы действительно хотите удалить эту запись? Все лайки и комментарии будут утеряны!","Вы действительно хотите удалить это сообщение? Все лайки и комментарии и будут потеряны!"],"Archived":["Заархивированный"],"Sticked":["Закрепленный"],"Turn off notifications":["Отключить уведомления"],"Turn on notifications":["Включить уведомления"],"Permalink to this post":["Постоянная ссылка для этой записи"],"Permalink":["Постоянная ссылка"],"Permalink to this page":["Постоянная ссылка этой страницы"],"Stick":["Закрепить"],"Unstick":["Открепить"],"Nobody wrote something yet.
Make the beginning and post something...":["Ещё никто ничего не написал.
Начните первым..."],"This profile stream is still empty":["Поток профиля всё-ещё пуст"],"This space is still empty!
Start by posting something here...":["Это пространство ещё пусто!
Начните размещая что-нибудь здесь..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Ваша страница пуста!
Отправьте что-нибудь в профиле или присоединитесь к пространствам!"],"Your profile stream is still empty
Get started and post something...":["Ваш поток профиля всё ещё пуст
Положите начало отправив что-нибудь..."],"Back to stream":["Вернуться в поток"],"Content with attached files":["Контент с прикреплёнными файлами"],"Created by me":["Созданные мной","Создано мной"],"Creation time":["Время создания"],"Filter":["Фильтр"],"Include archived posts":["Включить архивированные сообщения"],"Last update":["Последнее обновление"],"Nothing found which matches your current filter(s)!":["Ничего соответсвующего вашим фильтрам не найдено!"],"Only private posts":["Только личные сообщения"],"Only public posts":["Только обнародованные сообщение"],"Posts only":["Только сообщения"],"Posts with links":["Сообщения с ссылками"],"Show all":["Показать все"],"Sorting":["Сортировка"],"Where I´m involved":["В которых я участвую"],"No public contents to display found!":["Открытого контента для отображения не найдено!"],"Directory":["Каталог"],"Member Group Directory":["Группы участников"],"show all members":["показать всех участников"],"Directory menu":["Каталог меню"],"Members":["Участники"],"User profile posts":["Сообщения профиля"],"Member directory":["Раздел участников"],"Follow":["Следить"],"No members found!":["Участники не найдены!"],"Unfollow":["Перестать следить"],"search for members":["поиск участников"],"Space directory":["Пространства"],"No spaces found!":["Пространства не найдены!"],"You are a member of this space":["Вы являетесь участником этого пространства"],"search for spaces":["искать пространства"],"There are no profile posts yet!":["Сообщений в профиле пока нет!"],"Group stats":["Статистика по группам"],"Average members":["Участников в среднем"],"Top Group":["Самая большая группа"],"Total groups":["Всего групп"],"Member stats":["Статистика участников"],"New people":["Новые люди"],"Follows somebody":["Подписчиков"],"Online right now":["Сейчас на сайте"],"Total users":["Всего участников"],"See all":["Посмотреть все"],"New spaces":["Новые пространства"],"Space stats":["Статистика пространств"],"Most members":["Наибольшее число участников"],"Private spaces":["Скрытые пространства"],"Total spaces":["Всего пространств"],"Could not find requested file!":["Не удалось найти запрашиваемый файл!"],"Insufficient permissions!":["Недостаточно полномочий!"],"Maximum file size ({maxFileSize}) has been exceeded!":["Максимальный размер файла был {MaxFileSize} достигнут!"],"This file type is not allowed!":["Этот тип файла не допустим!"],"Created By":["Создано"],"Created at":["Создано"],"File name":["Название"],"Guid":["Guid"],"ID":["ID"],"Invalid Mime-Type":["Неверный Mime-Type"],"Mime Type":["Mime Type"],"Size":["Размер"],"Updated at":["Обновлено"],"Updated by":["Обновлено пользователем"],"Could not upload File:":["Не удалось загрузить файл:"],"Upload files":["Загрузить файлы"],"List of already uploaded files:":["Список загруженных файлов:"],"Create Admin Account":["Создать аккаунт администратора"],"Name of your network":["Название вашей сети"],"Name of Database":["Имя базы данных"],"Admin Account":["Аккаунт администратора"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Вы почти закончили. На последнем этапе вы должны заполнить форму, чтобы создать учетную запись администратора. С этой учетной записи вы сможете управлять всей сетью."],"Next":["Следующий"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Конечно, ваша новая социальная сеть нуждается в названии. Пожалуйста, измените название по умолчанию на то, которое вам нравится. (Например название вашей компании, организации или клуба)"],"Social Network Name":["Социальная сеть Название"],"Setup Complete":["Полная настройка"],"Congratulations. You're done.":["Поздравляем. Выполнено."],"Sign in":["Войти"],"The installation completed successfully! Have fun with your new social network.":["Установка завершена успешно! Удачи в ваших начинаниях."],"Setup Wizard":["Мастер установки"],"Welcome to HumHub
Your Social Network Toolbox":["Добро пожаловать в HumHub
Ваша социальная сеть"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Мастер установки настроит ваш собственный экземпляр HumHub.

Чтобы продолжить, нажмите кнопку Далее."],"Database Configuration":["Настройки базы данных"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["Ниже вы должны ввести свои данные для подключения к базе данных. Если вы не уверены в них, пожалуйста, обратитесь к системному администратору."],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["Имя хоста для сервера базы данных MySQL (например, localhost, если MySQL работает на той же машине)"],"Initializing database...":["Инициализация базы данных ..."],"Ohh, something went wrong!":["Ох, что-то пошло не так!"],"The name of the database you want to run HumHub in.":["Имя базы данных."],"Yes, database connection works!":["Да, соединение с базой данных работает!"],"Your MySQL password.":["Пароль MySQL"],"Your MySQL username":["Имя пользователя MySQL"],"System Check":["Проверить систему"],"Check again":["Проверьте еще раз"],"Congratulations! Everything is ok and ready to start over!":["Поздравляем! Все в порядке и готово чтобы начать все сначала!"],"This overview shows all system requirements of HumHub.":["Этот обзор показывает все системные требования HumHub."],"Could not find target class!":["Не удалось найти целевой класс!"],"Could not find target record!":["Не удалось найти целевую запись!"],"Invalid class given!":["Указан некорректный класс!"],"Users who like this":["Пользователи которым это нравится"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} нравится {contentTitle}"],"%displayName% also likes the %contentTitle%.":["%displayName% также нравится the %contentTitle%."],"%displayName% likes %contentTitle%.":["%displayName% нравится %contentTitle%."],"Like":["Нравится"],"Unlike":["Не нравится"]," likes this.":[" нравится это"],"You like this.":["Вам это нравится."],"You
":["Вы
"],"and {count} more like this.":["и ещё {count} нравится это."],"Could not determine redirect url for this kind of source object!":["Не удалось определить ссылку для этого типа исходного объекта!"],"Could not load notification source object to redirect to!":["Не удалось загрузить исходный объект уведомлений для перехода!"],"New":["Новое"],"Mark all as seen":["Пометить все как прочитанное"],"There are no notifications yet.":["Пока нет уведомлений."],"%displayName% created a new post.":["%displayName% создал новое сообщение."],"Edit your post...":["Отредактируйте свое сообщение..."],"Read full post...":["Читать дальше..."],"Search results":["Поиск результатов"],"Content":["Содержание"],"Send & decline":["Отправить и отказать"]," Invite and request":["Приглашение или запрос"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Нельзя удалить владельца пространства. Пространство: {spaceName}"],"Everyone can enter":["Каждый может вступить"],"Invite and request":["Приглашение или запрос"],"Only by invite":["Только по приглашению"],"Private (Invisible)":["Приватное (Скрыто)"],"Public (Members & Guests)":["Открыто (Участники & Гости)"],"Public (Members only)":["Открыто (только участники)"],"Public (Registered users only)":["Открыто (только для зарегистрированных)"],"Public (Visible)":["Открыто (Отображается)"],"Visible for all":["Отображается для всех"],"Visible for all (members and guests)":["Отображается для всех (участники и гости)"],"Space is invisible!":["Пространство скрыто!"],"You need to login to view contents of this space!":["Вы должны зарегистрироваться, чтобы посмотреть содержимое этого пространства!"],"As owner you cannot revoke your membership!":["Как владелец вы не можете отменить своё членство!"],"Could not request membership!":["Не удалось запросить членство!"],"There is no pending invite!":["Нет ожидающих приглашений!"],"This action is only available for workspace members!":["Это действие только доступно для пользователей рабочего пространства!"],"You are not allowed to join this space!":["Вы не можете присоединиться к этому пространству!"],"Space title is already in use!":["Такое название пространства уже используется!"],"Type":["Тип"],"Your password":["Ваш пароль"],"Invites":["Приглашения"],"New user by e-mail (comma separated)":["Новые пользователи по электронной почте (через запятую)"],"User is already member!":["Пользователь уже является участником!"],"{email} is already registered!":["{email} уже зарегистрирован!"],"{email} is not valid!":["{email} некорректный!"],"Application message":["Сообщение"],"Scope":["Сфера"],"Strength":["Сила"],"Created At":["Создано в"],"Join Policy":["Полномочия"],"Name":["Имя","Название"],"Owner":["Владелец"],"Status":["Статус"],"Tags":["Теги","Интересы"],"Updated At":["Обновлено в"],"Visibility":["Видимость"],"Website URL (optional)":["URL вебсайта (опционально)"],"You cannot create private visible spaces!":["Вы не можете создавать приватные видимые пространства!"],"You cannot create public visible spaces!":["Вы не можете создавать публичные видимые пространства!"],"Modify space image":["Изменить изображение для пространства"],"Select the area of your image you want to save as user avatar and click Save.":["Выберите область изображения, которую хотите использовать как аватар и нажмите Сохранить."],"Delete space":["Удалить пространство"],"Are you sure, that you want to delete this space? All published content will be removed!":["Вы уверены, что хотите удалить это пространство? Все опубликованные материалы будут удалены!"],"Please provide your password to continue!":["Введите пароль для продолжения!"],"General space settings":["Главные настройки пространства"],"Archive":["Архив"],"Choose the kind of membership you want to provide for this workspace.":["Политика вступления"],"Choose the security level for this workspace to define the visibleness.":["Могут просматривать"],"Manage your space members":["Управление участниками пространства"],"Outstanding sent invitations":["Оставшиеся приглашения"],"Outstanding user requests":["Оставшиеся запросы"],"Remove member":["Удалить пользователя"],"Allow this user to
invite other users":["Разрешить пользователю
приглашать других"],"Allow this user to
make content public":["Разрешить пользователю
добавлять собственные материалы"],"Are you sure, that you want to remove this member from this space?":["Вы уверенны что хотите удалить этого пользователя из текущего пространства?"],"Can invite":["Может приглашать других"],"Can share":["Может делиться"],"Change space owner":["Менять пользователя"],"External users who invited by email, will be not listed here.":["Не зарегистрированные пользователи, приглашенные по электронной почте не будут перечислены здесь."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Список участников пространства. Вы можете отредактировать их привилегии или удалить их."],"Is admin":["Администратор"],"Make this user an admin":["Сделать администратором"],"No, cancel":["Нет, отменить"],"Remove":["Удалить"],"Request message":["Сообщение"],"Revoke invitation":["Отозвать приглашение"],"Search members":["Поиск участников"],"The following users waiting for an approval to enter this space. Please take some action now.":["Заявки на вступление в пространство. "],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Приглашенные, но не вступившие участники."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Владелец пространства супер админ пространства со всеми привилегиями создателя пространства. Здесь вы можете изменить эту роль другому пользователю."],"Yes, remove":["Да, удалить"],"Enhance this space with modules.":["Расширьте возможности этого пространства с помощью модулей."],"Space Modules":["Модули Пространства"],"Are you sure? *ALL* module data for this space will be deleted!":["Вы уверены? Вся информация связанная с этим пространством будет удалена!"],"Currently there are no modules available for this space!":["Модули, доступные для этого пространства отсутствуют"],"Create new space":["Создать новое пространство"],"Advanced access settings":["Расширенные настройки доступа"],"Advanced search settings":["Расширенный поиск настроек"],"Also non-members can see this
space, but have no access":["Пользователи не являющиеся участниками пространства могут видеть его,
но не имеют доступа"],"Create":["Создать"],"Every user can enter your space
without your approval":["Каждый может вступить
(разрешение не требуется)"],"For everyone":["Для каждого"],"How you want to name your space?":["Выберите имя для пространства"],"Please write down a small description for other users.":["Пожалуйста, напишите небольшое описание для других пользователей."],"This space will be hidden
for all non-members":["Пространство будет скрыто
от всех пользователей, не являющихся его участниками"],"Users can also apply for a
membership to this space":["Пользователи могут запросить
разрешение на вступление"],"Users can be only added
by invitation":["Вступить можно только
по приглашению"],"space description":["описание пространства"],"space name":["название пространства"],"{userName} requests membership for the space {spaceName}":["{userName} запросил разрешение на вступление в {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} подтвердил ваш запрос на вступление {spaceName}"],"{userName} declined your membership request for the space {spaceName}":["{userName} отклонил ваш запрос на вступление в {spaceName}"],"{userName} invited you to the space {spaceName}":["{userName} приглашает вступить в {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} принял ваше приглашение в пространство {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} отклонил ваше приглашение в пространство {spaceName}"],"This space is still empty!":["Это пространство по прежнему пусто!"],"Accept Invite":["Принять приглашение"],"Become member":["Вступить"],"Cancel membership":["Отменить членство"],"Cancel pending membership application":["Отозвать заявку на участие"],"Deny Invite":["Запретить приглашение"],"Request membership":["Отправить запрос на вступление"],"You are the owner of this workspace.":["Вы владелец данного пространства"],"created by":["создан"],"Invite members":["Пригласить членов"],"Add an user":["Добавить пользователя"],"Email addresses":["Адреса электронной почты"],"Invite by email":["Пригласить по электронной почте"],"New user?":["Новый пользователь?"],"Pick users":["Выберите пользователей"],"Send":["Отправить"],"To invite users to this space, please type their names below to find and pick them.":["Для приглашения пользователей в это пространство, пожалуйста введите их имена ниже для их поиска и выбора."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Вы также можете выбрать пользоватлей, которые не зарегистрированы в настоящее время. Просто добавьте их адреса электронной почты через запятую."],"Request space membership":["Отправить запрос на вступление","Запрос на вступление"],"Please shortly introduce yourself, to become an approved member of this space.":["Коротко представьтесь"],"Your request was successfully submitted to the space administrators.":["Вы уже отправили запрос на вступление в это пространство"],"Ok":["Ок"],"User has become a member.":["Пользователь стал участником."],"User has been invited.":["Пользователь был приглашен."],"User has not been invited.":["Пользователь не был приглашен."],"Space preferences":["Настройки пространств"],"Back to workspace":["Вернуться к рабочей области"],"General":["Основной","Общее"],"My Space List":["Мои пространства"],"My space summary":["Сводка пространства"],"Space directory":["Директория пространства"],"Space menu":["Меню"],"Stream":["Активность","Поток"],"Change image":["Сменить иконку"],"Current space image":["Иконка пространства"],"Do you really want to delete your title image?":["Вы действительно хотите удалить заголовок изображения?"],"Do you really want to delete your profile image?":["Вы действительно хотите удалить изображение профиля?"],"Invite":["Приглашение"],"Something went wrong":["Что-то пошло не так"],"Followers":["Подписчиков","Подписчиков:"],"Posts":["Сообщений"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Коротко опишите почему вы хотите вступить в это пространство"],"Request workspace membership":["Отправить запрос на вступление"],"Your request was successfully submitted to the workspace administrators.":["Ваш запрос отправлен"],"Create new space":["Создать Новое Пространство"],"My spaces":["Мои Пространства","Мои пространства"],"more":["развернуть"],"Space info":["Информация о пространстве"],"New member request":["Новые запросы"],"Space members":["Участники","Участники пространства"],"Accept invite":["Принять приглашение"],"Deny invite":["Заблокировать приглашение"],"Leave space":["Покинуть пространство"],"End guide":["Завершить"],"Next »":["Вперед »"],"« Prev":["« Назад"],"Administration":["Администрирование"],"Hurray! That's all for now.":["Ура! Это все на сегодня."],"Modules":["Модули"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["В роли администратора вы можете управлять всей платформой отсюда.

Кроме модулей мы не будет подробно ни на чем останавливаться, так как у каждого элемента есть свое короткое описание."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Сейчас вы в меню инструментов. Отсюда вы можете получить доступ к каталогу HumHub, откуда можно установить дополнительные модули.

Как уже упоминалось, инструменты увеличивают работоспосбоность ваших Пространств. "],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Вы уже узнали почти о всех основных возможностях и настройках, и готовы к использованию платформы.

Надеемся, вы и все будущие пользователя получат удовольствие от использования сайта. Будем рады любым предложениям и замечаниям, которые помогут улучшить проект. Оставайтесь на связи и пишите нам в любое время. :-)"],"Dashboard":["Главная"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Это ваша главная страница.
Все новые действия, которые могут представлять для вас интерес, будет отображаться здесь."],"Administration (Modules)":["Администрирование (Модули)"],"Edit account":["Редактировать учетную запись"],"Hurray! The End.":["Урра! Конец."],"Hurray! You're done!":["Урра! Вы сделали это!"],"Profile menu":["Меню учетной записи","Меню профиля"],"Profile photo":["Аватар"],"Profile stream":["Поток"],"User profile":["Профиль пользователя"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Нажмите на эту кнопку, чтобы обновить профиль и настройки учетной записи."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["У каждого профиля есть своя доска. Ваши записи будут отображаться также у тех пользователей, которые следят за вами."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Так же как и Пространство профиль пользователя можно персонализировать с помощью различных модулей.

Вы можете увидеть, какие модули доступны для вашего профила, открыв \"Модули\" в настройках учетной записи."],"This is your public user profile, which can be seen by any registered user.":["Это публичный профиль, который могут видеть остальные пользователи."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Загрузите новый аватар просто перетянув картинку сюда либо кликнув на старую. Таким же образом можно обновить и заглавное фото. "],"You've completed the user profile guide!":["Вы завершили тур по свойствам учтеной записи!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Вы завершии тур по свойствам учтеной записи!

Чтобы перейти к туру по опциям администрирования, нажмите сюда:

"],"Most recent activities":["Последние действия"],"Posts":["Записи"],"Profile Guide":["Руководство к профилю"],"Space":["Пространство"],"Space navigation menu":["Навигация по пространству"],"Writing posts":["Написание постов"],"Yay! You're done.":["Ура! Вы закончили!"],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Все пользователи, которые являются участниками этого пространства будут показаны здесь.

Новые участники могут добавляться теми пользователями, которым были даны надлежащие права."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Расскажите пользователям вкратце для чего создано это Пространство. Вы можете добавить эту информацию здесь.

Администратор Пространства может менять заглавную картинку нажатием на нее либо перетягиванием новой."],"New posts can be written and posted here.":["Новые записи можно писать и добалять здесь."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Как только вы создали новое пространство, пользователи могут работать над проектами, обсуждать различные темы или просто делиться информацией друг с другом.

Есть много инструментов для персонализации Пространства - они помогают более продуктивной работе."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["Вот и весь обзор.

Чтобы продолжить работать с профилем, нажмите здесь: "],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Вот здесь мы можете получить информацию о Пространстве - просматривать активные и не активные модули. Они могут включать, например, голосования, заметки и задачи.

Модулями может управлять только администратор Пространства."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Это меню видно только администраторам Пространства. Здесь можно управлять настройками, добавлять/удалять пользователей, активировать/деактивировать инструменты."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Чтобы быть в курсе событий, последние действия пользователей в этом пространстве будут показаны здесь."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Ваши записи и записи других пользователей будут показаны здесь.

Их можно лайкать или комментировать."],"Account Menu":["Меню настроек учетной записи"],"Notifications":["Уведомления"],"Space Menu":["Меню Пространства"],"Start space guide":["Начать тур по пространству"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Не пропустите ничего!

Эта иконка будет информировать вас о том, что касается лично вас."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Меню настроек учетной записи дает вам доступ к личным настройкам и позволяет редактировать то, что увидят о вас остальные."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Это самое важное меню и, наверное, то место, где вы чаще всего будете бывать!

Переходите во все Пространства, к которым присоединились и создавайте собственные.

Сейчас вы узнаете как это сделать: "]," Remove panel":["Убрать панель"],"Getting Started":["С чего начать?"],"Guide: Administration (Modules)":["Обзор: Администрирование (Модули)"],"Guide: Overview":["Обзор: Общая информация"],"Guide: Spaces":["Обзор: Пространства"],"Guide: User profile":["Обзор: Учетные записи"],"Get to know your way around the site's most important features with the following guides:":["Узнайте о самых важных особенностях сайта с помощью следующих кратких обзоров:"],"This user account is not approved yet!":["Эта учетная запись пользователя еще не утверждена!"],"You need to login to view this user profile!":["Вы должны зарегистрироваться, чтобы посмотреть анкету этого пользователя!"],"Your password is incorrect!":["Неверный пароль!"],"Invalid link! Please make sure that you entered the entire url.":["Некорректная ссылка! Удостоверьтесь что url по которому вы перешли - правильный."],"Save profile":["Сохранить профиль"],"The entered e-mail address is already in use by another user.":["Введённый e-mail уже используется другим пользователем"],"You cannot change your e-mail address here.":["Вы не можете изменить ваш e-mail здесь."],"You cannot change your password here.":["Вы не можете изменить свой пароль здесь."],"Account":["Аккаунт"],"Create account":["Создать аккаунт"],"Current password":["Текущий пароль"],"E-Mail change":["Изменение E-Mail"],"New E-Mail address":["Новый адрес E-Mail"],"Send activities?":["Отправлять обновления?"],"Send notifications?":["Отправлять уведомления?"],"Incorrect username/email or password.":["Некорректное имя пользователя/email или пароль."],"New password":["Новый пароль"],"New password confirm":["Подтвердить новый пароль"],"Remember me next time":["Запомнить меня"],"Your account has not been activated by our staff yet.":["Наши сотрудники ещё не активировали вашу учётную запись."],"Your account is suspended.":["Ваша учётная запись заблокирована."],"E-Mail":["E-mail"],"Password Recovery":["Восстановление пароля"],"Password recovery is not possible on your account type!":["Восстановление пароля недоступно для вашего типа учётной записи!"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" не найден!"],"E-Mail is already in use! - Try forgot password.":["E-Mail уже используется! - Попробуйте забытый пароль."],"Hide panel on dashboard":["Скрыть панель"],"Invalid language!":["Неверный язык!"],"Profile visibility":["Профиль отображается"],"TimeZone":["Часовой пояс"],"Default Space":["Пространство по умолчанию"],"Group Administrators":["Администраторы группы"],"Members can create private spaces":["Пользователи могут создавать личные пространства"],"Members can create public spaces":["Пользователи могут создавать общие пространства"],"LDAP DN":["LDAP DN"],"Birthday":["День рождения"],"City":["Город"],"Country":["Страна"],"Custom":["Не указан"],"Facebook URL":["Страница Facebook"],"Fax":["Факс"],"Female":["Женский"],"Firstname":["Имя"],"Flickr URL":["Станица Flickr"],"Gender":["Пол"],"Google+ URL":["Страница Google+"],"Hide year in profile":["Скрыть год рождения в профиле"],"Lastname":["Фамилия"],"LinkedIn URL":["Страница LinkedIn"],"MSN":["MSN"],"Male":["Мужской"],"Mobile":["Мобильный"],"MySpace URL":["Страница MySpace"],"Phone Private":["Личный телефон"],"Phone Work":["Рабочий телефон"],"Skype Nickname":["Имя в Skype"],"State":["Регион"],"Street":["Улица"],"Twitter URL":["Страница Twitter"],"Url":["Вебсайт"],"Vimeo URL":["Страница Vimeo"],"XMPP Jabber Address":["Адрес XMPP Jabber"],"Xing URL":["Страница Xing"],"Youtube URL":["Страница Youtube"],"Zip":["Индекс"],"Created by":["Создано пользователем"],"Editable":["Можно редактировать"],"Field Type could not be changed!":["Нельзя редактировать!"],"Fieldtype":["Тип поля"],"Internal Name":["Внутренний Id"],"Internal name already in use!":["Такой id уже используется!"],"Internal name could not be changed!":["Внутренний Id невозможно будет изменить!"],"Invalid field type!":["Некорректный тип поля!"],"LDAP Attribute":["Атрибут LDAP"],"Module":["Модуль"],"Only alphanumeric characters allowed!":["Допустимы только буквенно-цифровые символы"],"Profile Field Category":["Категория профиля"],"Required":["Обязательное"],"Show at registration":["Показывать при регистрации"],"Sort order":["Порядок сортировки"],"Translation Category ID":["ID категории перевода"],"Type Config":["Тип конфигурации"],"Visible":["Отображается"],"Communication":["Связь"],"Social bookmarks":["Социальные сети"],"Datetime":["Дата"],"Number":["Номер"],"Select List":["Выбрать"],"Text":["Текст"],"Text Area":["Текстовое поле"],"%y Years":["%y лет"],"Birthday field options":["Опции поля дня рождения"],"Show date/time picker":["Показать дату/время выбора"],"Date(-time) field options":["Опции поля даты (времени)"],"Maximum value":["Максимальное значение"],"Minimum value":["Минимальное значение"],"Number field options":["Опции числового поля"],"Possible values":["Допустимые значения"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Каждая опция должна быть помещена на отдельной строке. Ключ=>Значение (например да=>Да)"],"Please select:":["Пожалуйста выберите:"],"Select field options":["Выберите опции поля"],"Default value":["Значение по умолчанию"],"Maximum length":["Максимальная длина"],"Minimum length":["Минимальная длина"],"Regular Expression: Error message":["Регулярное выражение: Сообщение об ошибке"],"Regular Expression: Validator":["Регулярное выражение: Средство проверки"],"Validator":["Средство проверки"],"Text Field Options":["Опции текстового поля"],"Text area field options":["Опции текстового поля"],"Authentication mode":["Режим проверки"],"New user needs approval":["Новым пользователям необходимо подтсверждение"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Имя пользователя может содержать только буквы, цифры, пробелы и специальные символы (+ -._)"],"Wall":["Стена"],"Change E-mail":["Изменить E-mail"],"Current E-mail address":["Текущий E-mail адрес"],"Your e-mail address has been successfully changed to {email}.":["Ваш e-mail успешно изменен на {email}."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Мы только что послали вам письмо для подтверждения на на новй адрес
Пожалуйста следуйте приведенным там инструкциям"],"Change password":["Изменить пароль"],"Password changed":["Пароль изменен\n\n"],"Your password has been successfully changed!":["Ваш пароль успешно изменен!","Ваш пароль был успешно изменен!"],"Modify your profile image":["Изменить аватар","Изменить аватар"],"Delete account":["Удалить аккаунт"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Вы уверены, что хотите удалить аккаунт?
Все опубликованные вами данные будут удалены!"],"Delete account":["Удалить аккаунт"],"Enter your password to continue":["Введите ваш паспорт для продолжения"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Извините, владелец пространства не может удалить свой аккаунт! Пожалуйста назначьте другого владельца своих пространст и повторите попытку."],"User details":["Подробные сведения о пользователе"],"User modules":["Пользовательские модули"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Вы уверены? Все данные модуля для вашего профиля будут удалены!"],"Enhance your profile with modules.":["Расширить профиль с помощью модулей."],"User settings":["Настройки данных пользователя"],"Getting Started":["Панель ознакомительного тура по сайту"],"Registered users only":["Только для зарегистрированных пользователей"],"Visible for all (also unregistered users)":["Отображается для всех (включая незарегистрированных пользователей)"],"Desktop Notifications":["Уведомления рабочего стола"],"Email Notifications":["Уведомления по почте"],"Get a desktop notification when you are online.":["Получение уведомлений на рабочем столе, когда вы онлайн."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Получать уведомление по email обо всех активностях пользователей на которых вы подписаны или с которыми работаете вместе в пространствах. "],"Get an email, when other users comment or like your posts.":["Получать уведомление по email, когда другие пользователи комментируют или ставят лайки вашим записям."],"Account registration":["Регистрация учетной записи"],"Create Account":["Создать аккаунт"],"Your account has been successfully created!":["Ваша учетная запись успешно создана!"],"After activating your account by the administrator, you will receive a notification by email.":["После активации вашего аккаунта администратором вы получите уведомление по email."],"Go to login page":["Перейти на страницу входа"],"To log in with your new account, click the button below.":["Чтобы войти с помощью вашего нового аккаунта, нажмите кнопку ниже."],"back to home":["вернуться на главную"],"Please sign in":["Пожалуйста войдите"],"Sign up":["Создать учетную запись"],"Create a new one.":["Создать новый"],"Don't have an account? Join the network by entering your e-mail address.":["У вас нет аккаунта? Присоеденитесь к сети с помощью email"],"Forgot your password?":["Забыли пароль?"],"If you're already a member, please login with your username/email and password.":["Если у вас есть учетная запись, пожалуйста войдите с помощью имени пользователя или email."],"Register":["Регистрация"],"email":["email"],"password":["Пароль"],"username or email":["Имя пользователя или пароль"],"Password recovery":["Восстановление пароля","Восстановить пароль"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Просто введите ваш e-mail адрес. Мы вышлем Вам инструкции по восстановлению!"],"Password recovery":["Восстановление пароля"],"Reset password":["Сброс пароля"],"enter security code above":["введите код"],"your email":["ваш email"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Мы отправили вам письмо, содержащее ссылку, которая позволит вам сбросить пароль."],"Password recovery!":["Восстановление пароля!"],"Registration successful!":["Регистрация прошла успешно!"],"Please check your email and follow the instructions!":["Пожалуйста проверьте email и следуйте инструкциям!"],"Registration successful":["Регистрация прошла успешно"],"Change your password":["Изменить пароль"],"Password reset":["Сбросить пароль"],"Change password":["Изменить пароль"],"Password reset":["Восстановление пароля"],"Password changed!":["Пароль изменен!"],"Confirm
your new email address":["Подтвердите новый email"],"Confirm":["Подтвердить"],"Hello":["Привет"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Вы запросили смену email.
Новый адрес вашей почты {newemail}. Чтобы подтвердить его, пожалуйста нажмите на кнопку ниже."],"Hello {displayName}":["Привет {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Если вы не используете эту ссылку в течение 24 часов, она будет исчерпана."],"Please use the following link within the next day to reset your password.":["Воспользуйтесь следующей ссылкой в течение следующего дня, чтобы восстановить свой пароль."],"Reset Password":["Сбросить пароль"],"Registration Link":["Регистрация ссылки"],"Sign up":["Зарегистрироваться"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Добро пожаловать в %appName%. Пожалуйста нажмите на кнопку ниже, чтобы продолжить регистриацию."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Социальная сеть, созданная чтобы помочь общению и командной работе.
Зарегестрируйтесь сейчас, чтобы присоединится к пространству."],"Sign up now":["Зарегистрироваться сейчас","Зарегистрируйтесь"],"Space Invite":["Приглашения в пространство"],"You got a space invite":["Вы получили приглашение в пространство."],"invited you to the space:":["пригласил вас в пространство:"],"{userName} mentioned you in {contentTitle}.":["{userName} упомянул вас в {contentTitle}."],"{userName} is now following you.":["{userName} теперь подписан на вас."],"About this user":["Информация об этом пользователе"],"Modify your title image":["Изменить аватар"],"This profile stream is still empty!":["Поток профиля пуст!"],"Do you really want to delete your logo image?":["Вы действительно хотите удалить изображение логотипа?"],"Account settings":["Настройки учетной записи"],"Profile":["Профиль"],"Edit account":["Редактировать аккаунт"],"Following":["Подписан (а)"],"Following user":["Подписан (а) на:"],"User followers":["Подписавшиеся:"],"Member in these spaces":["Участник этих пространств"],"User tags":["Интересы пользователя"],"No birthday.":["Сегодня никто не празднует день рождения."],"Back to modules":["Назад к модулям"],"Birthday Module Configuration":["Настройки модуля День рождения"],"The number of days future bithdays will be shown within.":["Количество отображаемых в блоке дней рождения."],"Tomorrow":["Завтра"],"Upcoming":["Предстоящие"],"You may configure the number of days within the upcoming birthdays are shown.":["Вы можете настроить количество предстоящих дней рождения для отображения в блоке."],"becomes":["исполняется"],"birthdays":["дни рождения"],"days":["дня"],"today":["сегодня"],"years old.":["лет."],"Active":["Активно"],"Mark as unseen for all users":["Пометить как \"Непросмотренное\" для всех пользователей"],"Breaking News Configuration":["Настройки новостей"],"Note: You can use markdown syntax.":["К сведению: Вы можете использовать синтаксис markdown"],"End Date and Time":["Дата и время окончания"],"Recur":["Повторять"],"Recur End":["Конец повторения"],"Recur Interval":["Интервал повторения"],"Recur Type":["Тип повторения"],"Select participants":["Выбрать участников"],"Start Date and Time":["Дата и время начала"],"You don't have permission to access this event!":["У вас нет доступа к этому событию!"],"You don't have permission to create events!":["У вас нет доступа для создания события!"],"Adds an calendar for private or public events to your profile and mainmenu.":["Добавляет календарь для лчиных или публичных событий в ваш профиль или в главное меню."],"Adds an event calendar to this space.":["Добавляет календарь к этому Пространству"],"All Day":["Весь день"],"Attending users":["Пользователи, которые собираются посетить событие"],"Calendar":["Календарь"],"Declining users":["Пользователи, которые отказались посетить событие"],"End Date":["Дата окончания"],"End Time":["Время окончания"],"End time must be after start time!":["Время окончания должно быть позже начала"],"Event":["Событие"],"Event not found!":["Событие не найдено!"],"Maybe attending users":["Пользователи, которые возможно посетят событие"],"Participation Mode":["Режим участия"],"Start Date":["Дата начала"],"Start Time":["Время начала"],"You don't have permission to delete this event!":["У вас нет доступа для удаления этого события!"],"You don't have permission to edit this event!":["У вас нет доступа для редактирования этого события!"],"%displayName% created a new %contentTitle%.":["%displayName% создал новое %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% посетит %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% возможно посетит %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% не посетит %contentTitle%."],"Start Date/Time":["Дата/время начала"],"Create event":["Создать событие"],"Edit event":["Редактировать событие"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Внимание: это событие будет создано в вашем профиле. Чтобы создать событие для пространства, откройте календарь в желаемом пространстве"],"End Date/Time":["Дата/время окончания"],"Everybody can participate":["Любой может принять участие"],"No participants":["Нет участников"],"Participants":["Участники"],"Created by:":["Создано: "],"Edit this event":["Редактировать событие"],"I´m attending":["Я собираюсь посетить"],"I´m maybe attending":["Может быть, пойду"],"I´m not attending":["Я не пойду"],"Attend":["Посетить"],"Edit event":["Редактировать событие"],"Maybe":["Возможно"],"Filter events":["Фильтровать события"],"Select calendars":["Выбор календаря"],"Already responded":["Уже отвечено"],"Followed spaces":["Пространства, за которыми слежу"],"Followed users":["Пользователи, за которыми слежу"],"My events":["Мои события"],"Not responded yet":["Пока без ответа"],"Upcoming events ":["Будущие события"],":count attending":[":человек посетит"],":count declined":[":отказалось посетить"],":count maybe":[":возможно посетят"],"Participants:":["Участники:"],"Create new Page":["Создать новую страницу"],"Custom Pages":["Персональные страницы"],"HTML":["HTML"],"IFrame":["Фрейм"],"Link":["Ссылка"],"MarkDown":["Форматирование"],"Navigation":["Навигация"],"No custom pages created yet!":["Персональные страницы пока не созданы!"],"Sort Order":["Порядок сортировки"],"Top Navigation":["Лучшие"],"User Account Menu (Settings)":["Аккаунт пользователя (настройки)"],"Without adding to navigation (Direct link)":["Без добавления в навигацию (Прямая ссылка)"],"Create page":["Создать страницу"],"Edit page":["Редактировать страницу"],"Default sort orders scheme: 100, 200, 300, ...":["По умолчанию схема сортировки заказов: 100, 200, 300, ..."],"Page title":["Заголовок страницы"],"URL":["Ссылка"],"Confirm category deleting":["Подтвердить удаление категории"],"Confirm link deleting":["Подтвердить удаление ссылки"],"Added a new link %link% to category \"%category%\".":["Добавлена новая ссылка %link% для категории \"%category%\"."],"Delete category":["Удалить категорию"],"Delete link":["Удалить ссылку"],"Do you really want to delete this category? All connected links will be lost!":["Вы действительно хотите удалить эту категорию? Все подключенные ссылки будут потеряны!"],"Do you really want to delete this link?":["Вы действительно хотите удалить эту ссылку?"],"Extend link validation by a connection test.":["Расширьте проверку ссылки с помощью теста соединения."],"Linklist":["Список ссылок"],"Linklist Module Configuration":["Настройки списка ссылок"],"No description available.":["Нет описания."],"Requested category could not be found.":["Запрашиваемая категория не может быть найдена."],"Requested link could not be found.":["Запрашиваемая ссылка не может быть найдена."],"Show the links as a widget on the right.":["Показать ссылки в качестве виджета справа."],"The category you want to create your link in could not be found!":["Категория где вы хотите создать ссылку не может быть найдена!"],"The item order was successfully changed.":["Порядок элементов успешно изменен."],"There have been no links or categories added to this space yet.":["Никаких ссылок или категорий, добавленных в это пространство пока нет."],"Toggle view mode":["Переключить режим просмотра"],"You can enable the extended validation of links for a space or user.":["Вы можете включить расширенную проверку ссылок для пространства или пользователя."],"You miss the rights to add/edit links!":["У Вас отсутствуют права на добавление/редактирование ссылок!"],"You miss the rights to delete this category!":["У Вас отсутствуют права на удаление этой категории!"],"You miss the rights to delete this link!":["У Вас отсутствуют права на удаление этой ссылки!"],"You miss the rights to edit this category!":["У Вас отсутствуют права на редактирование этой категории!"],"You miss the rights to edit this link!":["У Вас отсутствуют права на редактирование этой ссылки!"],"You miss the rights to reorder categories.!":["У Вас отсутствуют права на переопределение порядка категорий.!"],"list":["список"],"Messages":["Сообщения"],"You could not send an email to yourself!":["Вы не можете отправить письмо себе!"],"Recipient":["Получатель"],"You cannot send a email to yourself!":["Вы не можете отправлять сообщение самому себе!","Вы не можете отправить сообщение самому себе!"],"New message from {senderName}":["Новое сообщение от {senderName}"],"and {counter} other users":["и {counter} других пользователей"],"New message in discussion from %displayName%":["Новое сообщение в переписке от %displayName%"],"New message":["Новое сообщение"],"Reply now":["Ответить сейчас"],"sent you a new message:":["отправил вам новое сообщение:"],"sent you a new message in":["отправил вам новое сообщение в"],"Add more participants to your conversation...":["Добавить участников в переписку..."],"Add user...":["Добавить пользователя..."],"New message":["Новое сообщение"],"Edit message entry":["Редактирование сообщения"],"Messagebox":["Сообщения"],"Inbox":["Входящие"],"There are no messages yet.":["Здесь пока нет сообщений."],"Write new message":["Написать новое сообщение"],"Confirm deleting conversation":["Подтвердите удаление переписки"],"Confirm leaving conversation":["Подтвердите выход из переписки"],"Confirm message deletion":["Подтвердите удаление сообщения"],"Add user":["Добавить пользователя"],"Do you really want to delete this conversation?":["Вы действительно хотите удалить эту переписку?"],"Do you really want to delete this message?":["Вы действительно хотите удалить это сообщение?"],"Do you really want to leave this conversation?":["Вы действительно хотите покинуть эту переписку?"],"Leave":["Покинуть"],"Leave discussion":["Покинуть переписку"],"Write an answer...":["Написать ответ ..."],"User Posts":["Сообщения пользователей"],"Show all messages":["Показать все сообщения"],"Send message":["Отправить сообщение"],"No users.":["Нет пользователей."],"The number of users must not be greater than a 7.":["Количество пользователей не должно быть больше 7."],"The number of users must not be negative.":["Количество пользователей не должно быть отрицательным."],"Most active people":["Самые активные пользователи"],"Get a list":["Получить список"],"Most Active Users Module Configuration":["Настройки модуля самые активные пользователи"],"The number of most active users that will be shown.":["Количество активных пользователей, которое будет отображаться."],"You may configure the number users to be shown.":["Вы можете настроить количество пользователей для отображения."],"Comments created":["Созданных комментариев"],"Likes given":["Полученных лайков"],"Posts created":["Созданных сообщений"],"Notes":["Заметки"],"Etherpad API Key":["API ключ Etherpad"],"URL to Etherpad":["Путь к Etherpad (URL)"],"Could not get note content!":["Не могу прочить содерджимое заметки!"],"Could not get note users!":["Не могу получить пользователей заметки!"],"Note":["Заметка"],"{userName} created a new note {noteName}.":["{userName} создал новую заметку {noteName}."],"{userName} has worked on the note {noteName}.":["{userName} работал над заметкой {noteName}."],"API Connection successful!":["API соединение прошло успешно!"],"Could not connect to API!":["Не удалось соединение с API!"],"Current Status:":["Текущий статус:"],"Notes Module Configuration":["Конфигурация модуля Заметок"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Пожалуйста прочитайте докуметацию к модулю /protected/modules/notes/docs/install.txt для получения дополнительной информации"],"Save & Test":["Сохранить и протестировать"],"The notes module needs a etherpad server up and running!":["Для модуля заметок необходим работающий сервер Etherpad"],"Save and close":["Сохранить и закрыть"],"{userName} created a new note and assigned you.":["{userName} создал новую заметку и назначил для вас"],"{userName} has worked on the note {spaceName}.":["{userName} работал над заметкой {spaceName}."],"Open note":["Открыть заметку"],"Title of your new note":["Заголовок вашей новой заметки"],"No notes found which matches your current filter(s)!":["Не найдено заметок в соответствии с установленными фильтрами!"],"There are no notes yet!":["Еще нет заметок!"],"Polls":["Опросы"],"Could not load poll!":["Не удалось загрузить опрос!"],"Invalid answer!":["Неверный ответ!"],"Users voted for: {answer}":["Пользователи проголосовали за: {answer}"],"Voting for multiple answers is disabled!":["Голосование за несколько вариантов отключено!"],"You have insufficient permissions to perform that operation!":["Вы должны иметь доступ на выполнение этой операции!"],"Again? ;Weary;":["Еще раз? ; Устали;"],"Right now, we are in the planning stages for our next meetup and we would like to know from you, where you would like to go?":["Сейчас мы находимся в стадии планирования нашей следующей встречи и мы хотели бы знать, куда вы хотели бы пойти?"],"To Daniel\nClub A Steakhouse\nPisillo Italian Panini\n":["Для Даниила\nКлуб стейк-хаус\nPisillo итальянский Панини"],"Why don't we go to Bemelmans Bar?":["Почему бы нам не пойти в Bemelmans Бар?"],"Answers":["Ответы"],"Multiple answers per user":["Пользователь может выбирать несколько вариантов ответов"],"Please specify at least {min} answers!":["Пожалуйста выберите хотя бы {min} ответ(ов)! "],"Question":["Опрос"],"{userName} voted the {question}.":["{userName} проголосовал за {question}."],"{userName} answered the {question}.":["{userName} ответил на {question}."],"{userName} created a new {question}.":["{userName} создал новый {question}."],"User who vote this":["Пользователи, которые проголосовали"],"{userName} created a new poll and assigned you.":["{userName} создал новый опрос и назначил его для вас. "],"Ask":["Спросить"],"Reset my vote":["Отозвать мой голос"],"Vote":["Голосование"],"and {count} more vote for this.":["еще {count} человек проголосовало."],"votes":["голосов"],"Allow multiple answers per user?":["Разрешить несколько варинатов ответов пользователю?"],"Ask something...":["Спросить как нибудь..."],"Possible answers (one per line)":["Варианты ответов (по одному в каждой строке) "],"Display all":["Показать все"],"No poll found which matches your current filter(s)!":["Ответ соответствующий вашему фильтру не найден!"],"There are no polls yet!":["Здесь нет пока опросов!"],"There are no polls yet!
Be the first and create one...":[" Опросов пока нет! Будьте первым..."],"Asked by me":["Мои опросы"],"No answered yet":["Пока без ответа"],"Only private polls":["Только приватные опросы"],"Only public polls":["Только публичные опросы"],"Manage reported posts":["Управление репортами"],"Reported posts":["Репорты"],"Why do you want to report this post?":["Почему вы хотите написать этот репорт?"],"by :displayName":[" :displayName"],"created by :displayName":["создано :displayName"],"Doesn't belong to space":["Не принадлежит к пространству"],"Offensive":["Оскорбление"],"Spam":["Спам"],"Here you can manage reported users posts.":["Здесь вы можете управлять репортами пользователей."],"An user has reported your post as offensive.":["Пользователь счел ваш пост оскорбительным."],"An user has reported your post as spam.":["Пользователь отметил ваш пост как спам."],"An user has reported your post for not belonging to the space.":["Пользователь отметил ваш пост несоответствующим данному пространству."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% отметил %contentTitle% как оскорбительный."],"%displayName% has reported %contentTitle% as spam.":["%displayName% отметил %contentTitle% как спам."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% отметил %contentTitle% несоответствующим данному пространству."],"Here you can manage reported posts for this space.":["Здесь вы можете управлять репортами для данного пространства."],"Appropriate":["Соответствующий"],"Confirm post deletion":["Подтвердите удаление сообщения"],"Confirm report deletion":["Подтвердите удаление репорта"],"Delete post":["Удалить сообщение"],"Delete report":["Удалить репорт"],"Do you really want to delete this report?":["Вы действительно хотите удалить этот репорт?"],"Reason":["Причина"],"Reporter":["Репорт"],"There are no reported posts.":["Здесь не зарегистрировано ни одного сообщения."],"Does not belong to this space":["Не принадлежит к этому пространству"],"Help Us Understand What's Happening":["Помогите нам понять, что происходит"],"It's offensive":["Это нарушение"],"It's spam":["Это спам"],"Report post":["Жалоба на сообщение"],"API ID":["API ID"],"Allow Messages > 160 characters (default: not allowed -> currently not supported, as characters are limited by the view)":["Разрешить сообщения объемом> 160 символов (по умолчанию: не допускается -> в настоящее время не поддерживается)"],"An unknown error occurred.":["Произошла неизвестная ошибка."],"Body too long.":["Сообщение слишком длинное."],"Body too too short.":["Сообщение слишком короткое."],"Characters left:":["Осталось символов:"],"Choose Provider":["Выбор оператора"],"Could not open connection to SMS-Provider, please contact an administrator.":["Не удалось подключиться к SMS-провайдеру, пожалуйста, свяжитесь с администратором."],"Gateway Number":["Номер шлюза"],"Gateway isn't available for this network.":["Шлюз не доступен для этой сети."],"Insufficent credits.":["Недостаточный уровень кредита."],"Invalid IP address.":["Неверный IP-адрес."],"Invalid destination.":["Неверное место назначения."],"Invalid sender.":["Неправильный отправитель."],"Invalid user id and/or password. Please contact an administrator to check the module configuration.":["Недопустимый идентификатор пользователя и / или пароль. Пожалуйста, свяжитесь с администратором, чтобы проверить конфигурацию модуля."],"No sufficient credit available for main-account.":["Недостаточно кредита для основной-счета."],"No sufficient credit available for sub-account.":["Недостаточно кредита для субсчета."],"Provider is not initialized. Please contact an administrator to check the module configuration.":["Оператор не инициализирован. Пожалуйста, свяжитесь с администратором, чтобы проверить конфигурацию модуля."],"Receiver is invalid.":["Получатель является недействительным."],"Receiver is not properly formatted, has to be in international format, either 00[...], or +[...].":["Получатель в ненадлежащем формате , должен быть в международном формате, либо 00 [...], или + [...]."],"Reference tag to create a filter in statistics":["Ссылка тег, для создания фильтра в статистике"],"Route access violation.":["Нарушение прав доступа маршрута."],"SMS Module Configuration":["Конфигурация SMS модуля"],"SMS has been rejected/couldn't be delivered.":["SMS отклонено / не может быть доставлено."],"SMS has been successfully sent.":["SMS успешно отправлено."],"SMS is lacking indication of price (premium number ads).":["Отсутствует указание цены SMS"],"SMS with identical message text has been sent too often within the last 180 secondsSMS with identical message text has been sent too often within the last 180 seconds.":["SMS с одинаковым текстом сообщения было отправлено слишком часто в течение последних 180 секунд."],"Save Configuration":["Сохранить настройки"],"Security error. Please contact an administrator to check the module configuration.":["Ошибка безопасности. Пожалуйста, свяжитесь с администратором, чтобы проверить конфигурацию модуля."],"Select the Spryng route (default: BUSINESS)":["Выберите маршрут Spryng (по умолчанию: БИЗНЕС)"],"Send SMS":["Отправить SMS"],"Send a SMS":["Отправить SMS"],"Send a SMS to ":["Отправить SMS"],"Sender is invalid.":["Отправитель является недействительным."],"Technical error.":["Технические ошибки."],"Test option. Sms are not delivered, but server responses as if the were.":["Опция Тест. SMS не доставляются, но сервер откликается, как если бы они доставлялись."],"To be able to send a sms to a specific account, make sure the profile field \"mobile\" exists in the account information.":["Для того, чтобы отправить SMS на определенный номер, убедитесь, что поле профиля \"мобильный\" заполнено в информации об учетной записи."],"Unknown route.":["Неизвестный маршрут."],"Within this configuration you can choose between different sms-providers and configurate these. You need to edit your account information for the chosen provider properly to have the sms-functionality work properly.":["В этой конфигурации вы можете выбрать между различными SMS -операторами и конфигурировать их. Вам необходимо отредактировать информацию об учетной записи для выбранного оператора надлежащим образом, чтобы иметь должную SMS -функциональность в работе."],"Tasks":["Задачи"],"Could not access task!":["Не удалось получить доступ к задаче!"],"Task":["Задача"],"{userName} assigned to task {task}.":["{userName} назначен для выполнения задачи {task}."],"{userName} created task {task}.":["{userName} создал задачу {task}."],"{userName} finished task {task}.":["{userName} завершил задачу {task}."],"{userName} assigned you to the task {task}.":["{userName} назначил для вас задачу {task}."],"{userName} created a new task {task}.":["{userName} создал новую задачу {task}."],"Create new task":["Создать новую задача"],"Edit task":["Редактировать задачу"],"Assign users":["Назначить пользователей"],"Assign users to this task":["Связать пользователей с этой задачей"],"Deadline":["Крайний срок"],"Deadline for this task?":["Срок для решения этой задачи?"],"Preassign user(s) for this task.":["Предварительный (е) пользователь (и) этой задачи."],"Task description":["Описание задачи"],"What is to do?":["Что делать?"],"Confirm deleting":["Подтвердить удаление"],"Add Task":["Добавить задачу"],"Do you really want to delete this task?":["Вы действительно хотите удалить эту задачу?"],"No open tasks...":["Нет открытых задач ..."],"completed tasks":["выполненные задачи"],"This task is already done":["Эта задача уже выполнена"],"You're not assigned to this task":["Эта задача назначена не для вас"],"Click, to finish this task":["Нажмите, чтобы завершить эту задачу"],"This task is already done. Click to reopen.":["Эта задача уже выполнена. Нажмите чтобы снова открыть."],"My tasks":["Мои задачи"],"From space: ":["Из пространства:"],"There are no tasks yet!":["Здесь нет пока задач!"],"There are no tasks yet!
Be the first and create one...":["Задач пока нет!
Будьте первым в создании..."],"Assigned to me":["Назначенное для меня"],"No tasks found which matches your current filter(s)!":["Нет задач, соответствующих вашему фильтру!"],"Nobody assigned":["Никто не назначен"],"State is finished":["Статус завершено"],"State is open":["Статус открыто"],"What to do?":["Что сделать?"],"Translation Manager":["Менеджер перевода"],"Translations":["Переводчик"],"Translation Editor":["Редактор перевода"],"Confirm page deleting":["Подтвердите удаление страницы"],"Confirm page reverting":["Подтвердите восстановление страницы"],"Overview of all pages":["Обзор всех страниц"],"Page history":["История страницы"],"Wiki Module":["Модуль Wiki"],"Adds a wiki to this space.":["Добавляет wiki в это пространство."],"Adds a wiki to your profile.":["Добавляет wiki в ваш профиль."],"Back to page":["Назад к странице"],"Do you really want to delete this page?":["Вы действительно хотите удалить эту страницу?"],"Do you really want to revert this page?":["Вы действительно хотите восстановить эту страницу?"],"Edit page":["Редактировать страницу"],"Edited at":["Отредактировано"],"Go back":["Вернуться"],"Invalid character in page title!":["Неверный символ в заголовке страницы!"],"Let's go!":["Вперед!"],"Main page":["Главная страница"],"New page":["Новая страница"],"No pages created yet. So it's on you.
Create the first page now.":["Созданных страниц пока нет.
Создайте первую страницу сейчас."],"Page History":["История страницы"],"Page title already in use!":["Название страницы уже используется!"],"Revert":["Восстановить"],"Revert this":["Восстановить это"],"View":["Просмотр"],"Wiki":["Wiki"],"by":["от"],"Wiki page":["Страница Wiki"],"Create new page":["Создать новую страницу"],"Enter a wiki page name or url (e.g. http://example.com)":["Введите название страницы wiki или ссылку (например http://example.com)"],"New page title":["Название новой страницы"],"Page content":["Содержание страницы"],"Open wiki page...":["Открыть страницу вики..."],"Allow":["Разрешено"],"Default":["По умолчанию"],"Deny":["Отказано"],"Please type at least 3 characters":["Пожалуйста, введите не менее 3 символов"],"Add purchased module by licence key":["Добавить лицензионный ключ для приобретенного модуля"],"Show sharing panel on dashboard":["Показать шаринг панель в разделе События"],"Default Content Visiblity":["Содержание по умолчанию визуализируется"],"Security":["Безопасность"],"No purchased modules found!":["Приобретенных модулей не найдено!"],"Purchases":["Покупки"],"Buy (%price%)":["Купить (% цена%)"],"Licence Key:":["Лицензионный ключ:"],"Last login":["Последний логин"],"never":["никогда"],"Share your opinion with others":["Поделиться вашим мнением с другими"],"Post a message on Facebook":["Опубликовать сообщение на Facebook"],"Share on Google+":["Поделиться на Google+"],"Share with people on LinkedIn ":["Поделиться с пользователями на LinkedIn"],"Tweet about HumHub":["Твитнуть о HumHub"],"Downloading & Installing Modules...":["Загрузка & Установка модулей ..."],"Calvin Klein – Between love and madness lies obsession.":["Calvin Klein - Между любовью и безумием лежит одержимость."],"Nike – Just buy it. ;Wink;":["Nike – Просто купите это. ;Wink;"],"We're looking for great slogans of famous brands. Maybe you can come up with some samples?":["Мы ищем слоганы для известных брендов. Может быть, вы можете прийти с некоторыми образцами?"],"Welcome Space":["Добро пожаловать в пространство"],"Yay! I've just installed HumHub ;Cool;":["Ура! Я только что установил HumHub ;Cool;"],"Your first sample space to discover the platform.":["Ваше первое пробное пространство на данной платформе."],"Set up example content (recommended)":["Настройте образец контента (рекомендуется)"],"Allow access for non-registered users to public content (guest access)":["Разрешить доступ для незарегистрированных пользователей к содержанию сайта (гостевой доступ)"],"External user can register (The registration form will be displayed at Login))":["Вошедший пользователь может зарегистрироваться (Регистрационная форма будет отображаться при входе))"],"Newly registered users have to be activated by an admin first":["Недавно зарегистрированные пользователи, для активации администратором в первую очередь"],"Registered members can invite new users via email":["Зарегистрированные участники могут приглашать новых пользователей по электронной почте"],"I want to use HumHub for:":["Я хочу использовать HumHub для:"],"You're almost done. In this step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Вы почти закончили. На этом этапе вы должны заполнить форму, чтобы создать учетную запись администратора. С этого аккаунта вы можете управлять всей сетью."],"HumHub is very flexible and can be adjusted and/or expanded for various different applications thanks to its’ different modules. The following modules are just a few examples and the ones we thought are most important for your chosen application.

You can always install or remove modules later. You can find more available modules after installation in the admin area.":["HumHub является очень гибким и может быть скорректированы и / или расширен различными приложениями, благодаря своим модулям. Следующие модули являются лишь некоторым примером и те, которые мы думали, являются наиболее важными для выбранной заявки.

Вы всегда можете установить или удалить модули позже. Вы можете найти больше доступных модулей после установки в админ панели."],"Recommended Modules":["Рекомендованные Модули"],"Example contents":["Пример содержания"],"To avoid a blank dashboard after your initial login, HumHub can install example contents for you. Those will give you a nice general view of how HumHub works. You can always delete the individual contents.":["Чтобы избежать пустой главной страницы после первоначальной регистрации, на HumHub можно установить примерное содержимое для вас. Это даст вам хороший общий вид того, как HumHub работает. Вы всегда можете удалить отдельное содержимое."],"Here you can decide how new, unregistered users can access HumHub.":["Здесь вы можете решить, как новые, незарегистрированные пользователи могут получить доступ к HumHub."],"Security Settings":["Settings Безопасности"],"Configuration":["Конфигурация"],"My club":["Мой клуб"],"My community":["Мое комьюнити"],"My company (Social Intranet / Project management)":["Моя компания (Социальная Интранет / Управление проектами)"],"My educational institution (school, university)":["Мое образовательное учреждение (школа, университет)"],"Skip this step, I want to set up everything manually":["Пропустить этот шаг, для того, чтобы настроить все вручную"],"To simplify the configuration, we have predefined setups for the most common use cases with different options for modules and settings. You can adjust them during the next step.":["Для упрощения настройки, у нас есть предопределенные настройки для наиболее распространенных случаев использования с различными опциями для модулей и настроек. Вы можете настроить их на следующем этапе."],"You":["Вы"],"You like this.":["Вам нравится это"],"Search for user, spaces and content":["Поиск пользователей, пространств и содержания"],"Private":["Приватно"],"Sorry! User Limit reached":["Извините Пользователь достиг лимита"],"Delete instance":["Удалить экземпляр"],"Export data":["Экспорт данных"],"Hosting":["Хостинг"],"There are currently no further user registrations possible due to maximum user limitations on this hosted instance!":["Есть в настоящее время можно не далее регистраций пользователей за счет максимального ограничения пользователя на этом состоялся экземпляр!"],"Your plan":["Ваш план"],"Group members - {group}":["Группа участников - {group}"],"Search only in certain spaces:":["Искать только в некоторых пространствах:"],"Members":["Участники"],"Change Owner":["Сменить Владельца"],"General settings":["Основные настройки"],"Security settings":["Настройки безопасности"],"As owner of this space you can transfer this role to another administrator in space.":["Вы как владелец этого пространства можно перенести эту роль другому администратору в пространстве."],"Color":["Цвет"],"Transfer ownership":["Передать владение"],"Add {n,plural,=1{space} other{spaces}}":["Добавить {n,plural,=1{space} другие{spaces}}"],"Choose if new content should be public or private by default":["Выберите, если новое содержание должно быть публичным или частным по умолчанию"],"Manage members":["Управление пользователями"],"Manage permissions":["Управление правами"],"Pending approvals":["В ожидании одобрения"],"Pending invitations":["В ожидании приглашения"],"Add Modules":["Добавить модули"],"You are not member of this space and there is no public content, yet!":["Вы не член данного пространства, общедоступных материалов пока нет!"],"Done":["Выполнено"],"Cancel Membership":["Отменить членство"],"Hide posts on dashboard":["Скрыть сообщения в панели События"],"Show posts on dashboard":["Показать сообщение в панели События"],"This option will hide new content from this space at your dashboard":["Эта опция будет скрывать новый контент из данного пространства в панели События"],"This option will show new content from this space at your dashboard":["Эта опция будет показывать новый контент из данного пространства в панели События"],"Drag a photo here or click to browse your files":["Перетащите фотографию сюда или нажмите, чтобы просмотреть файлы"],"Hide my year of birth":["Скрыть мой год рождения"],"Howdy %firstname%, thank you for using HumHub.":["Привет %firstname%, спасибо за использование HumHub."],"You are the first user here... Yehaaa! Be a shining example and complete your profile,
so that future users know who is the top dog here and to whom they can turn to if they have questions.":["Вы первый пользователь здесь... Урааа! Будьте ярким примером и заполните свой профиль,
чтобы будущие пользователи знали, кто является хозяином положения здесь и кому они могут обратиться, если у них есть вопросы."],"Your firstname":["Ваше имя"],"Your lastname":["Ваша фамилия"],"Your mobild phone number":["Ваш сотовый номер"],"Your phone number at work":["Ваш рабочий номер"],"Your skills, knowledge and experience (comma seperated)":["Ваши навыки, знания и опыт (через запятую)"],"Your title or position":["Ваше титульное положение"],"Confirm new password":["Подтвердить новый пароль"],"Remember me":["Запомнить меня"],"
A social network to increase your communication and teamwork.
Register now\nto join this space.":["
Изображения социальной сети для улучшения связи и совместной работы.
Зарегистрируйтесь сейчас чтобы присоединиться к этому пространству."],"Add Dropbox files":["Добавить файлы дропбокс"],"Invalid file":["Неверный формат файла"],"Dropbox API Key":["Дропбокс API Key"],"Show warning on posting":["Показать предупреждение в публикации"],"Dropbox post":["Дропбокс сообщение"],"Dropbox Module Configuration":["Конфигурация модуля Дропбокс"],"The dropbox module needs active dropbox application created! Please go to this site, choose \"Drop-ins app\" and provide an app name to get your API key.":["Для модуля Дропбокс требуется активация приложения Дропбокс! Пожалуйста перейдите по этой ссылке site, выберите \"Drop-ins app\" введите имя приложения, чтобы получить свой ключ API."],"Dropbox settings":["Настройки дропбокс"],"Describe your files":["Опишите ваши файлы"],"Sorry, the Dropbox module is not configured yet! Please get in touch with the administrator.":["К сожалению, модуль Дропбокс еще не настроен! Пожалуйста, свяжитесь с администратором."],"The Dropbox module is not configured yet! Please configure it here.":["Модуль Dropbox еще не настроен! Пожалуйста настройте его здесь."],"Select files from dropbox":["Выберите файлы из дропбокс"],"Attention! You are sharing private files":["Внимание! Вы открыли доступ к личным файлам"],"Do not show this warning in future":["Не показывать это предупреждение впредь"],"The files you want to share are private. In order to share files in your space we have generated a shared link. Everyone with the link can see the file.
Are you sure you want to share?":["Файлы, которыми вы хотите поделиться являются личными. Для того, чтобы открыть доступ к файлам вашего пространства мы сформировали общую ссылку. Каждый по ссылке может увидеть файл.
Вы уверены, что хотите поделиться?"],"Yes, I'm sure":["Да, я уверен"],"Administrative Contact":["Контактная информация администрации"],"Advanced Options":["Дополнительные параметры"],"Custom Domain":["Персональный домен"],"Datacenter":["Датацентр"],"Support / Get Help":["Поддержка / Получить помощь"],"Add recipients":["Добавить получателей"],"Delete conversation":["Удалить диалог"],"Leave conversation":["Создать диалог"],"Could not get note users! ":["Не удалось получить заметки пользователей!"],"Assigned user(s)":["Назначенный пользователь (и)"]} \ No newline at end of file +{"Latest updates":["Последние обновления"],"Search":["Поиск"],"Account settings":["Настройки аккаунта"],"Administration":["Администрирование"],"Back":["Назад"],"Back to dashboard":["Вернуться на главную"],"Choose language:":["Выберите язык:"],"Collapse":["Свернуть"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["Источник Content Addon должен быть сущностью HActiveRecordContent либо HActiveRecordContentAddon!"],"Could not determine content container!":["Не удалось определить оболочку контента!"],"Could not find content of addon!":["Не удалось найти содержимое дополнения!"],"Could not find requested module!":["Не удалось найти запрошенный модуль!"],"Error":["Ошибка"],"Expand":["Развернуть"],"Insufficent permissions to create content!":["Недостаточно прав чтобы создать контент!"],"Invalid request.":["Некорректный запрос."],"It looks like you may have taken the wrong turn.":["Похоже что вы сделали что-то не так."],"Keyword:":["Ключевое слово:"],"Language":["Язык"],"Latest news":["Последние новости"],"Login":["Войти"],"Logout":["Выйти"],"Menu":["Меню"],"Module is not on this content container enabled!":["Модуль не включён в этой оболочке контента"],"My profile":["Мой профиль"],"New profile image":["Новое изображение профиля"],"Nothing found with your input.":["Ничего не найдено по вашему запросу."],"Oooops...":["Ой..."],"Results":["Результаты"],"Search":["Поиск"],"Search for users and spaces":["Искать людей и пространства"],"Show more results":["Показать больше результатов"],"Sorry, nothing found!":["Извините, ничего не найдено!"],"Space not found!":["Группа не найдена!"],"User Approvals":["Подтверждение пользователей"],"User not found!":["Пользователь не найден!"],"Welcome to %appName%":["Добро пожаловать в %appName%"],"You cannot create public visible content!":["Вы не можете создать публичный контент!"],"Your daily summary":["Ваша статистика за сегодня"],"Login required":["требуется логин"],"An internal server error occurred.":["Произошла внутренняя ошибка сервера."],"You are not allowed to perform this action.":["Вы не можете выполнить это действие."],"Global {global} array cleaned using {method} method.":["Глобальный массив {global} очищен с помощью метода {method}."],"Upload error":["Ошибка при загрузке","Ошибка загрузки"],"Close":["Закрыть"],"Add image/file":["Добавить изображение/файл"],"Add link":["Добавить ссылку"],"Bold":["Жирный"],"Code":["Код"],"Enter a url (e.g. http://example.com)":["Введите ссылку (например http://example.com)"],"Heading":["Заголовок"],"Image":["Изображение"],"Image/File":["Изображение/Файл"],"Insert Hyperlink":["Вставить гиперссылку"],"Insert Image Hyperlink":["Вставить гиперссылку на изображение"],"Italic":["Курсив"],"List":["Список"],"Please wait while uploading...":["Пожалуйста, подождите пока загружается ..."],"Preview":["Предпросмотр"],"Quote":["Цитата"],"Target":["Цель"],"Title":["Наименование"],"Title of your link":["Название вашей ссылки"],"URL/Link":["Адрес/Ссылка"],"code text here":["текст кода здесь"],"emphasized text":["выделенный текст"],"enter image description here":["введите описание изображения здесь"],"enter image title here":["введите название картинки здесь"],"enter link description here":["введите описание ссылки здесь"],"heading text":["заголовок текста"],"list text here":["текстовый список здесь"],"quote here":["процитировать"],"strong text":["выделенный текст"],"Could not create activity for this object type!":["Не удалось создать событие с этим типом объекта!"],"%displayName% created the new space %spaceName%":["%displayName% создал новое пространство %spaceName%"],"%displayName% created this space.":["%displayName% создал это пространство."],"%displayName% joined the space %spaceName%":["%displayName% присоединился к пространству %spaceName%"],"%displayName% joined this space.":["%displayName% присоединился к этому пространству."],"%displayName% left the space %spaceName%":["%displayName% покинул пространство %spaceName%"],"%displayName% left this space.":["%displayName% покинул это пространство."],"{user1} now follows {user2}.":["{user1} теперь читает {user2}."],"see online":["смотреть онлайн"],"via":["через"],"Latest activities":["Лента активности"],"There are no activities yet.":["Пока ничего нет."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Здравствуйте {displayName},

\n  \n    Ваша учетная запись была активирована.

\n   \n    Нажмите сюда, чтобы войти:
\n    {loginURL}

\n   \n    С наилучшими пожеланиями
\n    {AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Здравствуйте {displayName},

\n \n ваша учетная запись была отклонена.

\n \n С наилучшими пожеланиями
\n {AdminName}

"],"Account Request for '{displayName}' has been approved.":["Учетная запись для '{displayName}' была утверждена."],"Account Request for '{displayName}' has been declined.":["Учетная запись для '{displayName}' была отклонена."],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["Здравствуйте {displayName},

\n\n Ваш аккаунт был активирован.

\n\n Кликните сюда, чтобы войти:
\n {loginURL}

\n\n С наилучшими пожеланиями
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["Здравствуйте {displayName},

\n\n Ваш запрос на регистрацию был отклонен.

\n\n С наилучшими пожеланиями
\n {AdminName}

"],"Group not found!":["Группа не найдена!"],"Could not uninstall module first! Module is protected.":["Не удалось удалить модуль! Модуль защищен."],"Module path %path% is not writeable!":["Путь к модулю %path% не доступен для записи!"],"Saved":["Сохранено","Сохранён"],"Database":["База данных"],"No theme":["Нет темы"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["Не удалось загрузить LDAP! - Проверьте расширения PHP"],"File":["Файл"],"No caching (Testing only!)":["Нет кэширования (только тестирование!)","Нет кэширование (только тестирование!)"],"None - shows dropdown in user registration.":["Нет - показывать в драпдауне при регистрации пользователя."],"Saved and flushed cache":["Сохранено, кеш сброшен"],"LDAP":["LDAP"],"Local":["Локальный"],"Become this user":["Войти как данный пользователь"],"Delete":["Удалить"],"Disabled":["Отключен"],"Enabled":["Включен","Включено"],"Save":["Сохранить"],"Unapproved":["Неподтвержден"],"You cannot delete yourself!":["Вы не можете удалить себя!"],"Could not load category.":["Невозможно загрузить категорию."],"You can only delete empty categories!":["Вы можете удалять только пустые категории!"],"Group":["Группа"],"Message":["Сообщение"],"Subject":["Тема"],"Base DN":["Base DN"],"E-Mail Address Attribute":["Адрес E-Mail Атрибут"],"Enable LDAP Support":["Включить поддержку LDAP"],"Encryption":["Шифрование"],"Fetch/Update Users Automatically":["Выбор/Обновление пользователей автоматически"],"Hostname":["Хост"],"Login Filter":["Фильтр логинов"],"Password":["Пароль"],"Port":["Порт"],"User Filer":["Пользовательский файлер"],"Username":["Логин","Имя пользователя"],"Username Attribute":["Пользовательские данные"],"Allow limited access for non-authenticated users (guests)":["Возможность ограниченного доступа для не прошедших проверку подлинности пользователей (гостей)"],"Anonymous users can register":["Гости могут регистрироваться"],"Default user group for new users":["Группа по-умолчанию для новых пользователей"],"Default user idle timeout, auto-logout (in seconds, optional)":["Тайм-аут пользователя по умолчанию, авто-выход (в секундах, по желанию)"],"Default user profile visibility":["Профиль пользователя по умолчанию отображается"],"Members can invite external users by email":["Участники могут приглашать других пользователей через email"],"Require group admin approval after registration":["Обязательная активация администратором группы после регистрации"],"Base URL":["Основной URL"],"Default language":["Язык по-умолчанию"],"Default space":["Пространство по-умолчанию"],"Invalid space":["Неверное пространство"],"Logo upload":["Загрузить логотип"],"Name of the application":["Название приложения"],"Server Timezone":["Временная зона сервера"],"Show introduction tour for new users":["Показывать приветственный тур для новых пользователей"],"Show user profile post form on dashboard":["Показать поле ввода сообщений профиля в панели События"],"Cache Backend":["Кеширование бекэнда"],"Default Expire Time (in seconds)":["Время ожидания по-умолчанию (в секундах)"],"PHP APC Extension missing - Type not available!":["Отсуствует расширение PHP APC - данные не поддерживаются!"],"PHP SQLite3 Extension missing - Type not available!":["Отсуствует расширение PHP SQLite3 - данные не поддерживаются!"],"Dropdown space order":["Порядок отображения пространств в выпадающем меню."],"Default pagination size (Entries per page)":["Пагинация по-умолчанию (штук на странице)"],"Display Name (Format)":["Отображать название (Формат)"],"Theme":["Тема оформления"],"Allowed file extensions":["Допустимые расширения файлов"],"Convert command not found!":["Команда конвертации не найдена!"],"Got invalid image magick response! - Correct command?":["Получен неверный ответ от модуля image magick - Команда корректна?"],"Hide file info (name, size) for images on wall":["Скрыть информация о файле (имя, размер) при использовании изображения"],"Hide file list widget from showing files for these objects on wall.":["Скрыть файл списка виджетов для показа этих объектов на стене."],"Image Magick convert command (optional)":["Команда конвертации модуля Image Magic (опционально)"],"Maximum preview image height (in pixels, optional)":["Максимальная высота превью изображения (в пикселях, опционально)"],"Maximum preview image width (in pixels, optional)":["Максимальная ширина превью изображения (в пикселях, опционально)"],"Maximum upload file size (in MB)":["Максимальный размер файла (МБ)"],"Use X-Sendfile for File Downloads":["Использовать X-Sendfile для загрузки файлов"],"Allow Self-Signed Certificates?":["Разрешить самоподписанные сертификаты?"],"E-Mail sender address":["E-mail отправителя"],"E-Mail sender name":["Имя отправителя"],"Mail Transport Type":["Способ отправки письма"],"Port number":["Порт"],"Endpoint Url":["URL конечной точки"],"Url Prefix":["Префикс Url"],"No Proxy Hosts":["Без прокси сервера"],"Server":["Сервер"],"User":["Пользователь"],"Super Admins can delete each content object":["Супер Администраторы могут удалять любой контент"],"Default Join Policy":["Доступ по умолчанию"],"Default Visibility":["Визуализация по умолчанию"],"HTML tracking code":["Код счетчика"],"Module directory for module %moduleId% already exists!":["Папка модуля %moduleId% уже существует!"],"Could not extract module!":["Не удалось установить модуль!"],"Could not fetch module list online! (%error%)":["Не удалось получить список модулей! (%error%)"],"Could not get module info online! (%error%)":["Не удалось получить информацию о модуле! (%error%)"],"Download of module failed!":["Не удалось загрузить модуль!"],"Module directory %modulePath% is not writeable!":["Папка модуля %modulePath% запрещена к записи!"],"Module download failed! (%error%)":["Не удалось загрузить модуль! (%error%)"],"No compatible module version found!":["Совместимой версии модуля не найдено!","Совместимых версий модуля не найдено!"],"Activated":["Активирован"],"No modules installed yet. Install some to enhance the functionality!":["Ни один из модулей не установлен еще. Установите некоторые для повышения функциональности!"],"Version:":["Версия:"],"Installed":["Установленные"],"No modules found!":["Модули не найдены!"],"search for available modules online":["искать доступные модули онлайн"],"All modules are up to date!":["Все модули в актуальном состоянии!"],"About HumHub":["Версия HumHub"],"Currently installed version: %currentVersion%":["В настоящее время установлена версия: %currentVersion%"],"HumHub is currently in debug mode. Disable it when running on production!":["Сайт находится в режиме отладки. Отключите его до окончания процесса!"],"Licences":["Лицензии"],"See installation manual for more details.":["Смотрите руководство по установке для получения более подробной информации."],"There is a new update available! (Latest version: %version%)":["Доступно новое обновление! (Последняя версия: %version%)"],"This HumHub installation is up to date!":["Ваша версия HumHub в актуальном состоянии!"],"Accept":["Активировать"],"Decline":["Отключить","Отказать"],"Accept user: {displayName} ":["Активировать пользователя: {displayName} "],"Cancel":["Отменить"],"Send & save":["Сохранить и отправить"],"Decline & delete user: {displayName}":["Отключить и удалить пользователя: {displayName}"],"Email":["Email"],"Search for email":["Искать по email"],"Search for username":["Искать по логину"],"Pending user approvals":["В ожидании подтверждения регистрации"],"Here you see all users who have registered and still waiting for a approval.":["Здесь Вы можете видеть пользователей, которые зарегистрировались и ожидают подтверждения."],"Delete group":["Удаление группы"],"Delete group":["Удалить группу"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["Чтобы удалить группу \"{group}\" Вы должны задать другую группу для следующих пользователей:"],"Create new group":["Создать новую группу"],"Edit group":["Редактировать группу"],"Description":["Описание"],"Group name":["Название группы"],"Ldap DN":["Ldap DN"],"Search for description":["Искать по описанию"],"Search for group name":["Искать по названию группы"],"Manage groups":["Управление группами"],"Create new group":["Создать новую группу"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Вы можете разделить пользователей по разным группам (команды, отделы и тд.) и определить для них пространства по-умолчанию и администраторов."],"Flush entries":["Очистить журнал"],"Error logging":["Журнал ошибок"],"Displaying {count} entries per page.":["Отображать {count} записей на странице."],"Total {count} entries found.":["Всего найдено {count} записей"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Модули расширения функциональности сайта. Здесь вы можете установить и управлять модулями из каталога расширений HumHub."],"Available updates":["Доступные обновления"],"Browse online":["Искать онлайн"],"Module details":["Модуль подробно"],"This module doesn't provide further informations.":["Этот модуль не предоставил полной информации"],"Processing...":["Выполняется..."],"Modules directory":["Директория модулей"],"Are you sure? *ALL* module data will be lost!":["Вы уверены? *ALL* данные модуля будут утеряны!"],"Are you sure? *ALL* module related data and files will be lost!":["Вы уверены? *ALL* данные и файлы связанные с модулем будут удалены!"],"Configure":["Настроить"],"Disable":["Отключить","Выключить"],"Enable":["Включить"],"Enable module...":["Включить модуль ..."],"More info":["Подробнее"],"Set as default":["Установить по-умолчанию"],"Uninstall":["Удалить"],"Install":["Установить"],"Installing module...":["Установить модуль..."],"Latest compatible version:":["Последняя совместимая версия:"],"Latest version:":["Последняя версия:"],"Installed version:":["Установленная версия:"],"Latest compatible Version:":["Последняя совместимая версия:"],"Update":["Обновить"],"Updating module...":["Обновить модуль..."],"%moduleName% - Set as default module":["%moduleName% - Сделать модулем по-умолчанию"],"Always activated":["Всегда активирован"],"Deactivated":["Деактивировать"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Здесь Вы можете выбрать, хотите ли Вы чтобы модуль был автоматически активирован в пространстве или профиле пользователя. Если модуль должен быть активирован, выберите \"Всегда активирован\"."],"Spaces":["Пространства"],"User Profiles":["Профили пользователей"],"There is a new HumHub Version (%version%) available.":["Доступна новая версия HumHub (%version%)."],"Authentication - Basic":["Идентификация - Основная"],"Basic":["Основная","Основные"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Минимальное значение составляет 20 секунд. Если не установлен, сессия завершится через 1400 секунд (24 минуты) независимо от активности (таймаут сессии по умолчанию)"],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Применяется только при ограниченном доступе для не прошедших проверку подлинности пользователей. Влияет только на новых пользователей."],"Authentication - LDAP":["Идентификация - LDAP"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["Рекомендуется использовать TLS/SSL шифрование на реальных проектах, чтобы защититься от передачи паролей в открытом виде."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Задает фильтр, который должен применяться при попытке входа. %uid заменяет имя пользователя во время логина. Например: "(sAMAccountName=%s)" или "(uid=%s)""],"LDAP Attribute for E-Mail Address. Default: "mail"":["LDAP Атрибут для E-Mail адреса. По умолчанию: "mail""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["LDAP Атрибут для Логина. Пример: & quotuid & Quot; или & Quot; sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Ограничить доступ к пользователям с указанными критериями. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Статус: Ошибка! (Текст ошибки: {message})"],"Status: OK! ({userCount} Users)":["Статус: OK! ({userCount} Пользователей)"],"The default base DN used for searching for accounts.":["База по умолчанию DN используется для поиска аккаунтов."],"The default credentials password (used only with username above).":["Пароль по умолчанию (используется только с именем пользователя, приведенном выше)"],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["Имя пользователя по умолчанию. Некоторые сервера требуют, чтобы имя пользователя было в форме DN, поэтому если LDAP сервер этого требует, имя должно быть приведено в надлежащем формате."],"Cache Settings":["Настройки кеширования"],"Save & Flush Caches":["Сохранить и удалить кеш"],"CronJob settings":["Настройки планировщика задач"],"Crontab of user: {user}":["Действия Cron пользователя: {user}"],"Last run (daily):":["Последний запуск (ежедневный):"],"Last run (hourly):":["Последный запуск (ежечасный):"],"Never":["Никогда"],"Or Crontab of root user":["Или действия Cron root-пользователя"],"Please make sure following cronjobs are installed:":["Пожалуйста, убедитесь, что все задачи Cron установлены:"],"Alphabetical":["Алфавитный"],"Last visit":["Последний визит"],"Design settings":["Настройки внешнего вида"],"Firstname Lastname (e.g. John Doe)":["Имя Фамилия (например, Василий Иванов)"],"Username (e.g. john)":["Логин"],"File settings":["Настройки вложений"],"Comma separated list. Leave empty to allow all.":["Список, разделенный запятыми. Оставьте пустым, если хотите разрешить всем."],"Comma separated list. Leave empty to show file list for all objects on wall.":["Список, разделенный запятыми. Оставьте пустым, чтобы показать список файлов для всех объектов на стене."],"Current Image Libary: {currentImageLibary}":["Используемая библиотека изображений: {currentImageLibary}"],"If not set, height will default to 200px.":["Если не установлено, высота по умолчанию будет 200px."],"If not set, width will default to 200px.":["Если не установлено, ширина по умолчанию будет 200px."],"PHP reported a maximum of {maxUploadSize} MB":["PHP загружает максимум {maxUploadSize} MB"],"Basic settings":["Основные настройки"],"Confirm image deleting":["Подтвердите удаление изображения"],"Dashboard":["События"],"E.g. http://example.com/humhub":["например, http://example.com/humhub"],"New users will automatically added to these space(s).":["Новые пользователи автоматически добавляются в данн(-ое/-ые) пространств(-о/-а)"],"You're using no logo at the moment. Upload your logo now.":["На данный момент Вы не используете логотипа. Загрузить логотип сейчас."],"Mailing defaults":["Настройки рассылок"],"Activities":["Действия","Активность"],"Always":["Всегда"],"Daily summary":["Суммарно за день","Дневной дайджест"],"Defaults":["По-умолчанию"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Определить по-умолчанию, когда пользователь будет получать письма по email об оповещениях или новых действиях. Данные настройки могут быть изменены пользовтелем в настройках учетной записи."],"Notifications":["Уведомления"],"Server Settings":["Настройки сервера"],"When I´m offline":["Когда я не в сети","Когда я оффлайн"],"Mailing settings":["Настройки сообщений"],"SMTP Options":["SMTP-настройки"],"OEmbed Provider":["Поставщик службы"],"Add new provider":["Добавить нового поставщика"],"Currently active providers:":["Активные службы и сервисы"],"Currently no provider active!":["Не активировано ни одной службы"],"Add OEmbed Provider":["Добавить поставщика службы"],"Edit OEmbed Provider":["Редактировать поставщика службы"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url Префикс без http:// или https:// (например: youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Используйте %url% вместо URL. Строка должна быть в JSON формате. (например http://www.youtube.com/oembed?url=%url%&format=json)"],"Proxy settings":["Настройки прокси"],"Security settings and roles":["Настройки ролей и безопасности"],"Self test":["Тест системы"],"Checking HumHub software prerequisites.":["Проверка необходимого програмного обеспечения для сайта."],"Re-Run tests":["Перезапустить тест"],"Statistic settings":["Настройки статистики"],"All":["Все"],"Delete space":["Удалить пространство"],"Edit space":["Редактировать пространство"],"Search for space name":["Поиск по названию пространства"],"Search for space owner":["Поиск по создателю пространства"],"Space name":["Название пространства"],"Space owner":["Владелец пространства"],"View space":["Посмотреть пространство"],"Manage spaces":["Управление пространствами"],"Define here default settings for new spaces.":["Определить настройки по умолчанию для новых пространств."],"In this overview you can find every space and manage it.":["Здесь Вы можете найти все пространства и управлять ими."],"Overview":["Обзор"],"Settings":["Настройки"],"Space Settings":["Настройки Пространств"],"Add user":["Добавить пользователя"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Вы действительно хотите удалить данного пользователя? Если данный пользователь является создателем каких-нибудь пространств, Вы станете создателем этих пространств."],"Delete user":["Удалить пользователя"],"Delete user: {username}":["Удалить пользователя: {username}"],"Edit user":["Редактирование пользователя"],"Admin":["Администратор"],"Delete user account":["Удалить аккаунт пользователя"],"Edit user account":["Редактировать аккаунт пользователя"],"No":["Нет"],"View user profile":["Просмотреть профиль пользователя"],"Yes":["Да"],"Manage users":["Управление пользователями"],"Add new user":["Добавить нового пользователя"],"In this overview you can find every registered user and manage him.":["Здесь Вы можете найти любого зарегистрированного пользователя и управлять им."],"Create new profile category":["Создать новую категорию профилей "],"Edit profile category":["Редактировать категорию профилей "],"Create new profile field":["Создать новое поле профиля"],"Edit profile field":["Редактировать поле профиля"],"Manage profiles fields":["Управление полями профилей"],"Add new category":["Добавить новую категорию"],"Add new field":["Добавить новое поле"],"Security & Roles":["Безопасность и Роли"],"Administration menu":["Меню администратора"],"About":["Версия","Обо мне","Информация"],"Authentication":["Идентификация"],"Caching":["Кеширование"],"Cron jobs":["Планировщик задач"],"Design":["Дизайн"],"Files":["Файлы"],"Groups":["Группы"],"Logging":["Журнал ошибок"],"Mailing":["Рассылки"],"Modules":["Модули"],"OEmbed Provider":["Поставщик службы"],"Proxy":["Прокси"],"Self test & update":["Тестирование и обновление"],"Statistics":["Статистика"],"User approval":["Подтверждение регистрации"],"User profiles":["Профили пользователей"],"Users":["Пользователи"],"Click here to review":["Посмотреть полностью"],"New approval requests":["Новые запросы на подтверждение"],"One or more user needs your approval as group admin.":["Один или несколько пользователей ждут Вашего подтверждения как администратора группы."],"Access denied!":["Доступ запрещен!"],"Could not delete comment!":["Не удалось удалить комментарий!"],"Insufficent permissions!":["Недостаточно полномочий!"],"Invalid target class given":["Указан неверный целевой класс!"],"Model & Id Parameter required!":["Необходимы Model & Id Parameter!"],"Target not found!":["Получатель не найден!"],"Comment":["Комментарий","комментарий"],"%displayName% wrote a new comment ":["%displayName% добавил комментарий"],"Comments":["Комментарии"],"Edit your comment...":["Редактировать комментарий..."],"%displayName% also commented your %contentTitle%.":["%displayName% также прокомментировал ваш %contentTitle%"],"%displayName% commented %contentTitle%.":["%displayName% прокомментировал %contentTitle%."],"Show all {total} comments.":["Показать все {total} комментарии"],"Write a new comment...":["Написать новый комментарий..."],"Post":["Сообщение"],"Show %count% more comments":["Показать %count% больше комментариев"],"Edit":["Редактировать"],"Confirm comment deleting":["Подтвердите удаление комментария"],"Do you really want to delete this comment?":["Вы действительно хотите удалить этот комментарий?"],"Updated :timeago":["Обновлено :timeago"],"{displayName} created a new {contentTitle}.":["{displayName} создал новый {contentTitle}.","{displayName} ответил на новое {contentTitle}."],"Maximum number of sticked items reached!\n\nYou can stick only two items at once.\nTo however stick this item, unstick another before!":["Достигнуто максимальное число закрепленных записей.\n\nМожно закреплять только две записи одновременно. \nЧтобы все же закрепить эту запись, открепите любую другую."],"Could not load requested object!":["Не могу загрузить запрошенный объект!"],"Invalid model given!":["Дана недействительная модель!"],"Unknown content class!":["Неизвестный класс контента!"],"Could not find requested content!":["Не удалось найти запрашиваемый контент!"],"Could not find requested permalink!":["Не удалось найти запрашиваемую постоянную ссылку!"],"{userName} created a new {contentTitle}.":["{userName} создал новый {contentTitle}."],"in":["в","через"],"Submit":["Принять"],"No matches with your selected filters!":["Нет результата, соответствующего вашему фильтру!","Нет вариантов с выбранными фильтрами!"],"Nothing here yet!":["Пока ничего нет!","Здесь ничего еще нет!"],"Move to archive":["Переместить в архив"],"Unarchive":["Извлечь из архива","Разархивировать"],"Add a member to notify":["Добавить участника, чтобы уведомить"],"Make private":["Сделать личным"],"Make public":["Обнародовать"],"Notify members":["Уведомлять пользователей"],"Public":["Обнародованное","Обнародованный","Публичное"],"What's on your mind?":["О чем вы думаете?"],"Confirm post deleting":["Подтвердить удаление записи"],"Do you really want to delete this post? All likes and comments will be lost!":["Вы действительно хотите удалить эту запись? Все лайки и комментарии будут утеряны!","Вы действительно хотите удалить это сообщение? Все лайки и комментарии и будут потеряны!"],"Archived":["Заархивированный"],"Sticked":["Закрепленный"],"Turn off notifications":["Отключить уведомления"],"Turn on notifications":["Включить уведомления"],"Permalink to this post":["Постоянная ссылка для этой записи"],"Permalink":["Постоянная ссылка"],"Permalink to this page":["Постоянная ссылка этой страницы"],"Stick":["Закрепить"],"Unstick":["Открепить"],"Nobody wrote something yet.
Make the beginning and post something...":["Ещё никто ничего не написал.
Начните первым..."],"This profile stream is still empty":["Поток профиля всё-ещё пуст"],"This space is still empty!
Start by posting something here...":["Это пространство ещё пусто!
Начните разместив что-нибудь здесь..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Ваша страница пуста!
Отправьте что-нибудь в профиле или присоединитесь к пространствам!"],"Your profile stream is still empty
Get started and post something...":["Ваш поток профиля всё ещё пуст
Положите начало отправив что-нибудь..."],"Back to stream":["Вернуться в поток"],"Content with attached files":["Контент с прикреплёнными файлами"],"Created by me":["Созданные мной","Создано мной"],"Creation time":["Время создания"],"Filter":["Фильтр"],"Include archived posts":["Включить архивированные сообщения"],"Last update":["Последнее обновление"],"Nothing found which matches your current filter(s)!":["Ничего соответсвующего вашим фильтрам не найдено!"],"Only private posts":["Только личные сообщения"],"Only public posts":["Только обнародованные сообщение"],"Posts only":["Только сообщения"],"Posts with links":["Сообщения с ссылками"],"Show all":["Показать все"],"Sorting":["Сортировка"],"Where I´m involved":["В которых я участвую"],"No public contents to display found!":["Открытого контента для отображения не найдено!"],"Directory":["Каталог"],"Member Group Directory":["Группы участников"],"show all members":["показать всех участников"],"Directory menu":["Каталог меню"],"Members":["Участники"],"User profile posts":["Сообщения профиля"],"Member directory":["Раздел участников"],"Follow":["Следить"],"No members found!":["Участники не найдены!"],"Unfollow":["Перестать следить"],"search for members":["поиск участников"],"Space directory":["Пространства"],"No spaces found!":["Пространства не найдены!"],"You are a member of this space":["Вы являетесь участником этого пространства"],"search for spaces":["искать пространства"],"There are no profile posts yet!":["Сообщений в профиле пока нет!"],"Group stats":["Статистика по группам"],"Average members":["Участников в среднем"],"Top Group":["Самая большая группа"],"Total groups":["Всего групп"],"Member stats":["Статистика участников"],"New people":["Новые люди"],"Follows somebody":["Подписчиков"],"Online right now":["Сейчас на сайте"],"Total users":["Всего участников"],"See all":["Посмотреть все"],"New spaces":["Новые пространства"],"Space stats":["Статистика пространств"],"Most members":["Наибольшее число участников"],"Private spaces":["Скрытые пространства"],"Total spaces":["Всего пространств"],"Could not find requested file!":["Не удалось найти запрашиваемый файл!"],"Insufficient permissions!":["Недостаточно полномочий!"],"Maximum file size ({maxFileSize}) has been exceeded!":["Максимальный размер файла был {MaxFileSize} достигнут!"],"This file type is not allowed!":["Этот тип файла не допустим!"],"Created By":["Создано"],"Created at":["Создано"],"File name":["Название"],"Guid":["Guid"],"ID":["ID"],"Invalid Mime-Type":["Неверный Mime-Type"],"Mime Type":["Mime Type"],"Size":["Размер"],"Updated at":["Обновлено"],"Updated by":["Обновлено пользователем"],"Could not upload File:":["Не удалось загрузить файл:"],"Upload files":["Загрузить файлы"],"List of already uploaded files:":["Список загруженных файлов:"],"Create Admin Account":["Создать аккаунт администратора"],"Name of your network":["Название вашей сети"],"Name of Database":["Имя базы данных"],"Admin Account":["Аккаунт администратора"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Вы почти закончили. На последнем этапе вы должны заполнить форму, чтобы создать учетную запись администратора. С этой учетной записи вы сможете управлять всей сетью."],"Next":["Следующий"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Конечно, ваша новая социальная сеть нуждается в названии. Пожалуйста, измените название по умолчанию на то, которое вам нравится. (Например название вашей компании, организации или клуба)"],"Social Network Name":["Социальная сеть Название"],"Setup Complete":["Полная настройка"],"Congratulations. You're done.":["Поздравляем. Выполнено."],"Sign in":["Войти"],"The installation completed successfully! Have fun with your new social network.":["Установка завершена успешно! Удачи в ваших начинаниях."],"Setup Wizard":["Мастер установки"],"Welcome to HumHub
Your Social Network Toolbox":["Добро пожаловать в HumHub
Ваша социальная сеть"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Мастер установки настроит ваш собственный экземпляр HumHub.

Чтобы продолжить, нажмите кнопку Далее."],"Database Configuration":["Настройки базы данных"],"Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.":["Ниже вы должны ввести свои данные для подключения к базе данных. Если вы не уверены в них, пожалуйста, обратитесь к системному администратору."],"Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)":["Имя хоста для сервера базы данных MySQL (например, localhost, если MySQL работает на той же машине)"],"Initializing database...":["Инициализация базы данных ..."],"Ohh, something went wrong!":["Ох, что-то пошло не так!"],"The name of the database you want to run HumHub in.":["Имя базы данных."],"Yes, database connection works!":["Да, соединение с базой данных работает!"],"Your MySQL password.":["Пароль MySQL"],"Your MySQL username":["Имя пользователя MySQL"],"System Check":["Проверить систему"],"Check again":["Проверьте еще раз"],"Congratulations! Everything is ok and ready to start over!":["Поздравляем! Все в порядке и готово чтобы начать все сначала!"],"This overview shows all system requirements of HumHub.":["Этот обзор показывает все системные требования HumHub."],"Could not find target class!":["Не удалось найти целевой класс!"],"Could not find target record!":["Не удалось найти целевую запись!"],"Invalid class given!":["Указан некорректный класс!"],"Users who like this":["Пользователи которым это нравится"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} нравится {contentTitle}"],"%displayName% also likes the %contentTitle%.":["%displayName% также нравится the %contentTitle%."],"%displayName% likes %contentTitle%.":["%displayName% нравится %contentTitle%."],"Like":["Нравится"],"Unlike":["Не нравится"]," likes this.":[" нравится это"],"You like this.":["Вам это нравится."],"You
":["Вы
"],"and {count} more like this.":["и ещё {count} нравится это."],"Could not determine redirect url for this kind of source object!":["Не удалось определить ссылку для этого типа исходного объекта!"],"Could not load notification source object to redirect to!":["Не удалось загрузить исходный объект уведомлений для перехода!"],"New":["Новое"],"Mark all as seen":["Пометить все как прочитанное"],"There are no notifications yet.":["Пока нет уведомлений."],"%displayName% created a new post.":["%displayName% создал новое сообщение."],"Edit your post...":["Отредактируйте свое сообщение..."],"Read full post...":["Читать дальше..."],"Search results":["Поиск результатов"],"Content":["Содержание"],"Send & decline":["Отправить и отказать"]," Invite and request":["Приглашение или запрос"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Нельзя удалить владельца пространства. Пространство: {spaceName}"],"Everyone can enter":["Каждый может вступить"],"Invite and request":["Приглашение или запрос"],"Only by invite":["Только по приглашению"],"Private (Invisible)":["Приватное (Скрыто)"],"Public (Members & Guests)":["Открыто (Участники & Гости)"],"Public (Members only)":["Открыто (Только участники)"],"Public (Registered users only)":["Открыто (Только для зарегистрированных)"],"Public (Visible)":["Открыто (Отображается)"],"Visible for all":["Отображается для всех"],"Visible for all (members and guests)":["Отображается для всех (Участники и гости)"],"Space is invisible!":["Группа скрыта!"],"You need to login to view contents of this space!":["Вы должны зарегистрироваться, чтобы посмотреть содержимое этой группы!"],"As owner you cannot revoke your membership!":["Как владелец вы не можете отменить своё членство!"],"Could not request membership!":["Не удалось запросить членство!"],"There is no pending invite!":["Нет ожидающих приглашений!"],"This action is only available for workspace members!":["Это действие доступно только для пользователей рабочего пространства!"],"You are not allowed to join this space!":["Вы не можете присоединиться к этому пространству!"],"Space title is already in use!":["Такое название пространства уже используется!"],"Type":["Тип"],"Your password":["Ваш пароль"],"Invites":["Приглашения"],"New user by e-mail (comma separated)":["Новые пользователи по электронной почте (через запятую)"],"User is already member!":["Пользователь уже является участником!"],"{email} is already registered!":["{email} уже зарегистрирован!"],"{email} is not valid!":["{email} некорректный!"],"Application message":["Сообщение"],"Scope":["Сфера"],"Strength":["Сила"],"Created At":["Создано в"],"Join Policy":["Полномочия"],"Name":["Имя","Название"],"Owner":["Владелец"],"Status":["Статус"],"Tags":["Теги","Интересы"],"Updated At":["Обновлено в"],"Visibility":["Видимость"],"Website URL (optional)":["URL вебсайта (опционально)"],"You cannot create private visible spaces!":["Вы не можете создавать приватные видимые пространства!"],"You cannot create public visible spaces!":["Вы не можете создавать публичные видимые пространства!"],"Modify space image":["Изменить изображение для пространства"],"Select the area of your image you want to save as user avatar and click Save.":["Выберите область изображения, которую хотите использовать как аватар и нажмите Сохранить."],"Delete space":["Удалить пространство"],"Are you sure, that you want to delete this space? All published content will be removed!":["Вы уверены, что хотите удалить это пространство? Все опубликованные материалы будут удалены!"],"Please provide your password to continue!":["Введите пароль для продолжения!"],"General space settings":["Главные настройки пространства"],"Archive":["Архив"],"Choose the kind of membership you want to provide for this workspace.":["Политика вступления"],"Choose the security level for this workspace to define the visibleness.":["Могут просматривать"],"Manage your space members":["Управление участниками пространства"],"Outstanding sent invitations":["Оставшиеся приглашения"],"Outstanding user requests":["Оставшиеся запросы"],"Remove member":["Удалить пользователя"],"Allow this user to
invite other users":["Разрешить пользователю
приглашать других"],"Allow this user to
make content public":["Разрешить пользователю
добавлять собственные материалы"],"Are you sure, that you want to remove this member from this space?":["Вы уверенны что хотите удалить этого пользователя из текущего пространства?"],"Can invite":["Может приглашать других"],"Can share":["Может делиться"],"Change space owner":["Менять пользователя"],"External users who invited by email, will be not listed here.":["Не зарегистрированные пользователи, приглашенные по электронной почте не будут перечислены здесь."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Список участников пространства. Вы можете отредактировать их привилегии или удалить их."],"Is admin":["Администратор"],"Make this user an admin":["Сделать администратором"],"No, cancel":["Нет, отменить"],"Remove":["Удалить"],"Request message":["Сообщение"],"Revoke invitation":["Отозвать приглашение"],"Search members":["Поиск участников"],"The following users waiting for an approval to enter this space. Please take some action now.":["Заявки на вступление в пространство. "],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Приглашенные, но не вступившие участники."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Владелец пространства супер админ пространства со всеми привилегиями создателя пространства. Здесь вы можете изменить эту роль другому пользователю."],"Yes, remove":["Да, удалить"],"Enhance this space with modules.":["Расширьте возможности этого пространства с помощью модулей."],"Space Modules":["Модули Пространства"],"Are you sure? *ALL* module data for this space will be deleted!":["Вы уверены? Вся информация связанная с этим пространством будет удалена!"],"Currently there are no modules available for this space!":["Модули, доступные для этого пространства отсутствуют"],"Create new space":["Создать новое пространство"],"Advanced access settings":["Расширенные настройки доступа"],"Advanced search settings":["Расширенный поиск настроек"],"Also non-members can see this
space, but have no access":["Пользователи не являющиеся участниками пространства могут видеть его,
но не имеют доступа"],"Create":["Создать"],"Every user can enter your space
without your approval":["Каждый может вступить
(разрешение не требуется)"],"For everyone":["Для каждого"],"How you want to name your space?":["Выберите имя для пространства"],"Please write down a small description for other users.":["Пожалуйста, напишите небольшое описание для других пользователей."],"This space will be hidden
for all non-members":["Пространство будет скрыто
от всех пользователей, не являющихся его участниками"],"Users can also apply for a
membership to this space":["Пользователи могут запросить
разрешение на вступление"],"Users can be only added
by invitation":["Вступить можно только
по приглашению"],"space description":["описание пространства"],"space name":["название пространства"],"{userName} requests membership for the space {spaceName}":["{userName} запросил разрешение на вступление в {spaceName}"],"{userName} approved your membership for the space {spaceName}":["{userName} подтвердил ваш запрос на вступление {spaceName}"],"{userName} declined your membership request for the space {spaceName}":["{userName} отклонил ваш запрос на вступление в {spaceName}"],"{userName} invited you to the space {spaceName}":["{userName} приглашает вступить в {spaceName}"],"{userName} accepted your invite for the space {spaceName}":["{userName} принял ваше приглашение в пространство {spaceName}"],"{userName} declined your invite for the space {spaceName}":["{userName} отклонил ваше приглашение в пространство {spaceName}"],"This space is still empty!":["Это пространство по прежнему пусто!"],"Accept Invite":["Принять приглашение"],"Become member":["Вступить"],"Cancel membership":["Отменить членство"],"Cancel pending membership application":["Отозвать заявку на участие"],"Deny Invite":["Запретить приглашение"],"Request membership":["Отправить запрос на вступление"],"You are the owner of this workspace.":["Вы владелец данного пространства"],"created by":["создан"],"Invite members":["Пригласить членов"],"Add an user":["Добавить пользователя"],"Email addresses":["Адреса электронной почты"],"Invite by email":["Пригласить по электронной почте"],"New user?":["Новый пользователь?"],"Pick users":["Выберите пользователей"],"Send":["Отправить"],"To invite users to this space, please type their names below to find and pick them.":["Для приглашения пользователей в это пространство, пожалуйста введите их имена ниже для их поиска и выбора."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Вы также можете выбрать пользоватлей, которые не зарегистрированы в настоящее время. Просто добавьте их адреса электронной почты через запятую."],"Request space membership":["Отправить запрос на вступление","Запрос на вступление"],"Please shortly introduce yourself, to become an approved member of this space.":["Коротко представьтесь"],"Your request was successfully submitted to the space administrators.":["Вы уже отправили запрос на вступление в это пространство"],"Ok":["Ок"],"User has become a member.":["Пользователь стал участником."],"User has been invited.":["Пользователь был приглашен."],"User has not been invited.":["Пользователь не был приглашен."],"Space preferences":["Настройки пространств"],"Back to workspace":["Вернуться к рабочей области"],"General":["Общее"],"My Space List":["Мои пространства"],"My space summary":["Сводка пространства"],"Space directory":["Директория пространства"],"Space menu":["Меню"],"Stream":["Активность","Поток"],"Change image":["Сменить иконку"],"Current space image":["Иконка пространства"],"Do you really want to delete your title image?":["Вы действительно хотите удалить заголовок изображения?"],"Do you really want to delete your profile image?":["Вы действительно хотите удалить изображение профиля?"],"Invite":["Приглашение"],"Something went wrong":["Что-то пошло не так"],"Followers":["Подписчиков","Подписчиков:"],"Posts":["Сообщений"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Коротко напишите почему вы хотите вступить в это пространство"],"Request workspace membership":["Отправить запрос на вступление"],"Your request was successfully submitted to the workspace administrators.":["Ваш запрос отправлен"],"Create new space":["Создать новое пространство"],"My spaces":["Мои пространства"],"more":["развернуть"],"Space info":["Информация о пространстве"],"New member request":["Новые запросы"],"Space members":["Участники","Участники пространства"],"Accept invite":["Принять приглашение"],"Deny invite":["Заблокировать приглашение"],"Leave space":["Покинуть пространство"],"End guide":["Завершить"],"Next »":["Вперед »"],"« Prev":["« Назад"],"Administration":["Администрирование"],"Hurray! That's all for now.":["Ура! Это все на сегодня."],"Modules":["Модули"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["В роли администратора вы можете управлять всей платформой отсюда.

Кроме модулей мы не будет подробно ни на чем останавливаться, так как у каждого элемента есть свое короткое описание."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Сейчас вы в меню инструментов. Отсюда вы можете получить доступ к каталогу HumHub, откуда можно установить дополнительные модули.

Как уже упоминалось, инструменты увеличивают работоспосбоность ваших Пространств. "],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["Вы уже узнали почти о всех основных возможностях и настройках, и готовы к использованию платформы.

Надеемся, вы и все будущие пользователя получат удовольствие от использования сайта. Будем рады любым предложениям и замечаниям, которые помогут улучшить проект. Оставайтесь на связи и пишите нам в любое время. :-)"],"Dashboard":["Главная"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Это ваша главная страница.
Все новые действия, которые могут представлять для вас интерес, будет отображаться здесь."],"Administration (Modules)":["Администрирование (Модули)"],"Edit account":["Редактировать учетную запись"],"Hurray! The End.":["Урра! Конец."],"Hurray! You're done!":["Урра! Вы сделали это!"],"Profile menu":["Меню учетной записи","Меню профиля"],"Profile photo":["Аватар"],"Profile stream":["Поток"],"User profile":["Профиль пользователя"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Нажмите на эту кнопку, чтобы обновить профиль и настройки учетной записи."],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["У каждого профиля есть своя доска. Ваши записи будут отображаться также у тех пользователей, которые следят за вами."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Так же как и Пространство профиль пользователя можно персонализировать с помощью различных модулей.

Вы можете увидеть, какие модули доступны для вашего профила, открыв \"Модули\" в настройках учетной записи."],"This is your public user profile, which can be seen by any registered user.":["Это публичный профиль, который могут видеть остальные пользователи."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Загрузите новый аватар просто перетянув картинку сюда либо кликнув на старую. Таким же образом можно обновить и заглавное фото. "],"You've completed the user profile guide!":["Вы завершили тур по свойствам учтеной записи!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Вы завершии тур по свойствам учтеной записи!

Чтобы перейти к туру по опциям администрирования, нажмите сюда:

"],"Most recent activities":["Последние действия"],"Posts":["Записи"],"Profile Guide":["Руководство к профилю"],"Space":["Пространство"],"Space navigation menu":["Навигация по пространству"],"Writing posts":["Написание постов"],"Yay! You're done.":["Ура! Вы закончили!"],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Все пользователи, которые являются участниками этого пространства будут показаны здесь.

Новые участники могут добавляться теми пользователями, которым были даны надлежащие права."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Расскажите пользователям вкратце для чего создано это Пространство. Вы можете добавить эту информацию здесь.

Администратор Пространства может менять заглавную картинку нажатием на нее либо перетягиванием новой."],"New posts can be written and posted here.":["Новые записи можно писать и добалять здесь."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Как только вы создали новое пространство, пользователи могут работать над проектами, обсуждать различные темы или просто делиться информацией друг с другом.

Есть много инструментов для персонализации Пространства - они помогают более продуктивной работе."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["Вот и весь обзор.

Чтобы продолжить работать с профилем, нажмите здесь: "],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Вот здесь мы можете получить информацию о Пространстве - просматривать активные и не активные модули. Они могут включать, например, голосования, заметки и задачи.

Модулями может управлять только администратор Пространства."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Это меню видно только администраторам Пространства. Здесь можно управлять настройками, добавлять/удалять пользователей, активировать/деактивировать инструменты."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Чтобы быть в курсе событий, последние действия пользователей в этом пространстве будут показаны здесь."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Ваши записи и записи других пользователей будут показаны здесь.

Их можно лайкать или комментировать."],"Account Menu":["Меню настроек учетной записи"],"Notifications":["Уведомления"],"Space Menu":["Меню Пространства"],"Start space guide":["Начать тур по пространству"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Не пропустите ничего!

Эта иконка будет информировать вас о том, что касается лично вас."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Меню настроек учетной записи дает вам доступ к личным настройкам и позволяет редактировать то, что увидят о вас остальные."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Это самое важное меню и, наверное, то место, где вы чаще всего будете бывать!

Переходите во все Пространства, к которым присоединились и создавайте собственные.

Сейчас вы узнаете как это сделать: "]," Remove panel":["Убрать панель"],"Getting Started":["С чего начать?"],"Guide: Administration (Modules)":["Обзор: Администрирование (Модули)"],"Guide: Overview":["Обзор: Общая информация"],"Guide: Spaces":["Обзор: Пространства"],"Guide: User profile":["Обзор: Учетные записи"],"Get to know your way around the site's most important features with the following guides:":["Узнайте о самых важных особенностях сайта с помощью следующих кратких обзоров:"],"This user account is not approved yet!":["Эта учетная запись пользователя еще не утверждена!"],"You need to login to view this user profile!":["Вы должны зарегистрироваться, чтобы посмотреть анкету этого пользователя!"],"Your password is incorrect!":["Неверный пароль!"],"Invalid link! Please make sure that you entered the entire url.":["Некорректная ссылка! Удостоверьтесь что url по которому вы перешли - правильный."],"Save profile":["Сохранить профиль"],"The entered e-mail address is already in use by another user.":["Введённый e-mail уже используется другим пользователем"],"You cannot change your e-mail address here.":["Вы не можете изменить ваш e-mail здесь."],"You cannot change your password here.":["Вы не можете изменить свой пароль здесь."],"Account":["Аккаунт"],"Create account":["Создать аккаунт"],"Current password":["Текущий пароль"],"E-Mail change":["Изменение E-Mail"],"New E-Mail address":["Новый адрес E-Mail"],"Send activities?":["Отправлять обновления?"],"Send notifications?":["Отправлять уведомления?"],"Incorrect username/email or password.":["Некорректное имя пользователя/email или пароль."],"New password":["Новый пароль"],"New password confirm":["Подтвердить новый пароль"],"Remember me next time":["Запомнить меня"],"Your account has not been activated by our staff yet.":["Наши сотрудники ещё не активировали вашу учётную запись."],"Your account is suspended.":["Ваша учётная запись заблокирована."],"E-Mail":["E-mail"],"Password Recovery":["Восстановление пароля"],"Password recovery is not possible on your account type!":["Восстановление пароля недоступно для вашего типа учётной записи!"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" не найден!"],"E-Mail is already in use! - Try forgot password.":["E-Mail уже используется! - Попробуйте забытый пароль."],"Hide panel on dashboard":["Скрыть панель"],"Invalid language!":["Неверный язык!"],"Profile visibility":["Профиль отображается"],"TimeZone":["Часовой пояс"],"Default Space":["Пространство по умолчанию"],"Group Administrators":["Администраторы группы"],"Members can create private spaces":["Пользователи могут создавать личные пространства"],"Members can create public spaces":["Пользователи могут создавать общие пространства"],"LDAP DN":["LDAP DN"],"Birthday":["День рождения"],"City":["Город"],"Country":["Страна"],"Custom":["Не указан"],"Facebook URL":["Страница Facebook"],"Fax":["Факс"],"Female":["Женский"],"Firstname":["Имя"],"Flickr URL":["Станица Flickr"],"Gender":["Пол"],"Google+ URL":["Страница Google+"],"Hide year in profile":["Скрыть год рождения в профиле"],"Lastname":["Фамилия"],"LinkedIn URL":["Страница LinkedIn"],"MSN":["MSN"],"Male":["Мужской"],"Mobile":["Мобильный"],"MySpace URL":["Страница MySpace"],"Phone Private":["Личный телефон"],"Phone Work":["Рабочий телефон"],"Skype Nickname":["Имя в Skype"],"State":["Регион"],"Street":["Улица"],"Twitter URL":["Страница Twitter"],"Url":["Вебсайт"],"Vimeo URL":["Страница Vimeo"],"XMPP Jabber Address":["Адрес XMPP Jabber"],"Xing URL":["Страница Xing"],"Youtube URL":["Страница Youtube"],"Zip":["Индекс"],"Created by":["Создано пользователем"],"Editable":["Можно редактировать"],"Field Type could not be changed!":["Нельзя редактировать!"],"Fieldtype":["Тип поля"],"Internal Name":["Внутренний Id"],"Internal name already in use!":["Такой id уже используется!"],"Internal name could not be changed!":["Внутренний Id невозможно будет изменить!"],"Invalid field type!":["Некорректный тип поля!"],"LDAP Attribute":["Атрибут LDAP"],"Module":["Модуль"],"Only alphanumeric characters allowed!":["Допустимы только буквенно-цифровые символы"],"Profile Field Category":["Категория профиля"],"Required":["Обязательное"],"Show at registration":["Показывать при регистрации"],"Sort order":["Порядок сортировки"],"Translation Category ID":["ID категории перевода"],"Type Config":["Тип конфигурации"],"Visible":["Отображается"],"Communication":["Связь"],"Social bookmarks":["Социальные сети"],"Datetime":["Дата"],"Number":["Номер"],"Select List":["Выбрать"],"Text":["Текст"],"Text Area":["Текстовое поле"],"%y Years":["%y лет"],"Birthday field options":["Опции поля дня рождения"],"Show date/time picker":["Показать дату/время выбора"],"Date(-time) field options":["Опции поля даты (времени)"],"Maximum value":["Максимальное значение"],"Minimum value":["Минимальное значение"],"Number field options":["Опции числового поля"],"Possible values":["Допустимые значения"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Каждая опция должна быть помещена на отдельной строке. Ключ=>Значение (например да=>Да)"],"Please select:":["Пожалуйста выберите:"],"Select field options":["Выберите опции поля"],"Default value":["Значение по умолчанию"],"Maximum length":["Максимальная длина"],"Minimum length":["Минимальная длина"],"Regular Expression: Error message":["Регулярное выражение: Сообщение об ошибке"],"Regular Expression: Validator":["Регулярное выражение: Средство проверки"],"Validator":["Средство проверки"],"Text Field Options":["Опции текстового поля"],"Text area field options":["Опции текстового поля"],"Authentication mode":["Режим проверки"],"New user needs approval":["Новым пользователям необходимо подтсверждение"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Имя пользователя может содержать только буквы, цифры, пробелы и специальные символы (+ -._)"],"Wall":["Стена"],"Change E-mail":["Изменить E-mail"],"Current E-mail address":["Текущий E-mail адрес"],"Your e-mail address has been successfully changed to {email}.":["Ваш e-mail успешно изменен на {email}."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Мы только что послали вам письмо для подтверждения на на новй адрес
Пожалуйста следуйте приведенным там инструкциям"],"Change password":["Изменить пароль"],"Password changed":["Пароль изменен\n\n"],"Your password has been successfully changed!":["Ваш пароль успешно изменен!","Ваш пароль был успешно изменен!"],"Modify your profile image":["Изменить аватар","Изменить аватар"],"Delete account":["Удалить аккаунт"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Вы уверены, что хотите удалить аккаунт?
Все опубликованные вами данные будут удалены!"],"Delete account":["Удалить аккаунт"],"Enter your password to continue":["Введите ваш паспорт для продолжения"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Извините, владелец пространства не может удалить свой аккаунт! Пожалуйста назначьте другого владельца своих пространст и повторите попытку."],"User details":["Подробные сведения о пользователе"],"User modules":["Пользовательские модули"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Вы уверены? Все данные модуля для вашего профиля будут удалены!"],"Enhance your profile with modules.":["Расширить профиль с помощью модулей."],"User settings":["Настройки данных пользователя"],"Getting Started":["Панель ознакомительного тура по сайту"],"Registered users only":["Только для зарегистрированных пользователей"],"Visible for all (also unregistered users)":["Отображается для всех (включая незарегистрированных пользователей)"],"Desktop Notifications":["Уведомления рабочего стола"],"Email Notifications":["Уведомления по почте"],"Get a desktop notification when you are online.":["Получение уведомлений на рабочем столе, когда вы онлайн."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["Получать уведомление по email обо всех активностях пользователей на которых вы подписаны или с которыми работаете вместе в пространствах. "],"Get an email, when other users comment or like your posts.":["Получать уведомление по email, когда другие пользователи комментируют или ставят лайки вашим записям."],"Account registration":["Регистрация учетной записи"],"Create Account":["Создать аккаунт"],"Your account has been successfully created!":["Ваша учетная запись успешно создана!"],"After activating your account by the administrator, you will receive a notification by email.":["После активации вашего аккаунта администратором вы получите уведомление по email."],"Go to login page":["Перейти на страницу входа"],"To log in with your new account, click the button below.":["Чтобы войти с помощью вашего нового аккаунта, нажмите кнопку ниже."],"back to home":["вернуться на главную"],"Please sign in":["Пожалуйста войдите"],"Sign up":["Создать учетную запись"],"Create a new one.":["Создать новый"],"Don't have an account? Join the network by entering your e-mail address.":["У вас нет аккаунта? Присоеденитесь к сети с помощью email"],"Forgot your password?":["Забыли пароль?"],"If you're already a member, please login with your username/email and password.":["Если у вас есть учетная запись, пожалуйста войдите с помощью имени пользователя или email."],"Register":["Регистрация"],"email":["email"],"password":["Пароль"],"username or email":["Имя пользователя или пароль","Имя пользователя или Email"],"Password recovery":["Восстановление пароля","Восстановить пароль"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Просто введите ваш e-mail адрес. Мы вышлем Вам инструкции по восстановлению!"],"Password recovery":["Восстановление пароля"],"Reset password":["Сброс пароля"],"enter security code above":["введите код"],"your email":["ваш email"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Мы отправили вам письмо, содержащее ссылку, которая позволит вам сбросить пароль."],"Password recovery!":["Восстановление пароля!"],"Registration successful!":["Регистрация прошла успешно!"],"Please check your email and follow the instructions!":["Пожалуйста проверьте email и следуйте инструкциям!"],"Registration successful":["Регистрация прошла успешно"],"Change your password":["Изменить пароль"],"Password reset":["Сбросить пароль"],"Change password":["Изменить пароль"],"Password reset":["Восстановление пароля"],"Password changed!":["Пароль изменен!"],"Confirm your new email address":["Подтвердите новый email"],"Confirm":["Подтвердить"],"Hello":["Привет"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Вы запросили смену email.
Новый адрес вашей почты {newemail}. Чтобы подтвердить его, пожалуйста нажмите на кнопку ниже."],"Hello {displayName}":["Привет {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Если вы не используете эту ссылку в течение 24 часов, она будет исчерпана."],"Please use the following link within the next day to reset your password.":["Воспользуйтесь следующей ссылкой в течение следующего дня, чтобы восстановить свой пароль."],"Reset Password":["Сбросить пароль"],"Registration Link":["Регистрация ссылки"],"Sign up":["Зарегистрироваться"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["Добро пожаловать в %appName%. Пожалуйста нажмите на кнопку ниже, чтобы продолжить регистриацию."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Социальная сеть, созданная чтобы помочь общению и командной работе.
Зарегестрируйтесь сейчас, чтобы присоединится к пространству."],"Sign up now":["Зарегистрироваться сейчас","Зарегистрируйтесь"],"Space Invite":["Приглашения в пространство"],"You got a space invite":["Вы получили приглашение в пространство."],"invited you to the space:":["пригласил вас в пространство:"],"{userName} mentioned you in {contentTitle}.":["{userName} упомянул вас в {contentTitle}."],"{userName} is now following you.":["{userName} теперь подписан на вас."],"About this user":["Информация об этом пользователе"],"Modify your title image":["Изменить аватар"],"This profile stream is still empty!":["Поток профиля пуст!"],"Do you really want to delete your logo image?":["Вы действительно хотите удалить изображение логотипа?"],"Account settings":["Настройки учетной записи"],"Profile":["Профиль"],"Edit account":["Редактировать аккаунт"],"Following":["Подписан (а)"],"Following user":["Подписан (а) на:"],"User followers":["Подписавшиеся:"],"Member in these spaces":["Участник этих пространств"],"User tags":["Интересы пользователя"],"No birthday.":["Сегодня никто не празднует день рождения."],"Back to modules":["Назад к модулям"],"Birthday Module Configuration":["Настройки модуля День рождения"],"The number of days future bithdays will be shown within.":["Количество отображаемых в блоке дней рождения."],"Tomorrow":["Завтра"],"Upcoming":["Предстоящие"],"You may configure the number of days within the upcoming birthdays are shown.":["Вы можете настроить количество предстоящих дней рождения для отображения в блоке."],"becomes":["исполняется"],"birthdays":["дни рождения"],"days":["дня"],"today":["сегодня"],"years old.":["лет."],"Active":["Активно"],"Mark as unseen for all users":["Пометить как \"Непросмотренное\" для всех пользователей"],"Breaking News Configuration":["Настройки новостей"],"Note: You can use markdown syntax.":["К сведению: Вы можете использовать синтаксис markdown"],"End Date and Time":["Дата и время окончания"],"Recur":["Повторять"],"Recur End":["Конец повторения"],"Recur Interval":["Интервал повторения"],"Recur Type":["Тип повторения"],"Select participants":["Выбрать участников"],"Start Date and Time":["Дата и время начала"],"You don't have permission to access this event!":["У вас нет доступа к этому событию!"],"You don't have permission to create events!":["У вас нет доступа для создания события!"],"Adds an calendar for private or public events to your profile and mainmenu.":["Добавляет календарь для лчиных или публичных событий в ваш профиль или в главное меню."],"Adds an event calendar to this space.":["Добавляет календарь к этому Пространству"],"All Day":["Весь день"],"Attending users":["Пользователи, которые собираются посетить событие"],"Calendar":["Календарь"],"Declining users":["Пользователи, которые отказались посетить событие"],"End Date":["Дата окончания"],"End Time":["Время окончания"],"End time must be after start time!":["Время окончания должно быть позже начала"],"Event":["Событие"],"Event not found!":["Событие не найдено!"],"Maybe attending users":["Пользователи, которые возможно посетят событие"],"Participation Mode":["Режим участия"],"Start Date":["Дата начала"],"Start Time":["Время начала"],"You don't have permission to delete this event!":["У вас нет доступа для удаления этого события!"],"You don't have permission to edit this event!":["У вас нет доступа для редактирования этого события!"],"%displayName% created a new %contentTitle%.":["%displayName% создал новое %contentTitle%."],"%displayName% attends to %contentTitle%.":["%displayName% посетит %contentTitle%."],"%displayName% maybe attends to %contentTitle%.":["%displayName% возможно посетит %contentTitle%."],"%displayName% not attends to %contentTitle%.":["%displayName% не посетит %contentTitle%."],"Start Date/Time":["Дата/время начала"],"Create event":["Создать событие"],"Edit event":["Редактировать событие"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Внимание: это событие будет создано в вашем профиле. Чтобы создать событие для пространства, откройте календарь в желаемом пространстве"],"End Date/Time":["Дата/время окончания"],"Everybody can participate":["Любой может принять участие"],"No participants":["Нет участников"],"Participants":["Участники"],"Created by:":["Создано: "],"Edit this event":["Редактировать событие"],"I´m attending":["Я собираюсь посетить"],"I´m maybe attending":["Может быть, пойду"],"I´m not attending":["Я не пойду"],"Attend":["Посетить"],"Edit event":["Редактировать событие"],"Maybe":["Возможно"],"Filter events":["Фильтровать события"],"Select calendars":["Выбор календаря"],"Already responded":["Уже отвечено"],"Followed spaces":["Пространства, за которыми слежу"],"Followed users":["Пользователи, за которыми слежу"],"My events":["Мои события"],"Not responded yet":["Пока без ответа"],"Upcoming events ":["Будущие события"],":count attending":[":человек посетит"],":count declined":[":отказалось посетить"],":count maybe":[":возможно посетят"],"Participants:":["Участники:"],"Create new Page":["Создать новую страницу"],"Custom Pages":["Персональные страницы"],"HTML":["HTML"],"IFrame":["Фрейм"],"Link":["Ссылка"],"MarkDown":["Форматирование"],"Navigation":["Навигация"],"No custom pages created yet!":["Персональные страницы пока не созданы!"],"Sort Order":["Порядок сортировки"],"Top Navigation":["Лучшие"],"User Account Menu (Settings)":["Аккаунт пользователя (настройки)"],"Without adding to navigation (Direct link)":["Без добавления в навигацию (Прямая ссылка)"],"Create page":["Создать страницу"],"Edit page":["Редактировать страницу"],"Default sort orders scheme: 100, 200, 300, ...":["По умолчанию схема сортировки заказов: 100, 200, 300, ..."],"Page title":["Заголовок страницы"],"URL":["Ссылка"],"Confirm category deleting":["Подтвердить удаление категории"],"Confirm link deleting":["Подтвердить удаление ссылки"],"Added a new link %link% to category \"%category%\".":["Добавлена новая ссылка %link% для категории \"%category%\"."],"Delete category":["Удалить категорию"],"Delete link":["Удалить ссылку"],"Do you really want to delete this category? All connected links will be lost!":["Вы действительно хотите удалить эту категорию? Все подключенные ссылки будут потеряны!"],"Do you really want to delete this link?":["Вы действительно хотите удалить эту ссылку?"],"Extend link validation by a connection test.":["Расширьте проверку ссылки с помощью теста соединения."],"Linklist":["Список ссылок"],"Linklist Module Configuration":["Настройки списка ссылок"],"No description available.":["Нет описания."],"Requested category could not be found.":["Запрашиваемая категория не может быть найдена."],"Requested link could not be found.":["Запрашиваемая ссылка не может быть найдена."],"Show the links as a widget on the right.":["Показать ссылки в качестве виджета справа."],"The category you want to create your link in could not be found!":["Категория где вы хотите создать ссылку не может быть найдена!"],"The item order was successfully changed.":["Порядок элементов успешно изменен."],"There have been no links or categories added to this space yet.":["Никаких ссылок или категорий, добавленных в это пространство пока нет."],"Toggle view mode":["Переключить режим просмотра"],"You can enable the extended validation of links for a space or user.":["Вы можете включить расширенную проверку ссылок для пространства или пользователя."],"You miss the rights to add/edit links!":["У Вас отсутствуют права на добавление/редактирование ссылок!"],"You miss the rights to delete this category!":["У Вас отсутствуют права на удаление этой категории!"],"You miss the rights to delete this link!":["У Вас отсутствуют права на удаление этой ссылки!"],"You miss the rights to edit this category!":["У Вас отсутствуют права на редактирование этой категории!"],"You miss the rights to edit this link!":["У Вас отсутствуют права на редактирование этой ссылки!"],"You miss the rights to reorder categories.!":["У Вас отсутствуют права на переопределение порядка категорий.!"],"list":["список"],"Messages":["Сообщения"],"You could not send an email to yourself!":["Вы не можете отправить письмо себе!"],"Recipient":["Получатель"],"You cannot send a email to yourself!":["Вы не можете отправлять сообщение самому себе!","Вы не можете отправить сообщение самому себе!"],"New message from {senderName}":["Новое сообщение от {senderName}"],"and {counter} other users":["и {counter} других пользователей"],"New message in discussion from %displayName%":["Новое сообщение в переписке от %displayName%"],"New message":["Новое сообщение"],"Reply now":["Ответить сейчас"],"sent you a new message:":["отправил вам новое сообщение:"],"sent you a new message in":["отправил вам новое сообщение в"],"Add more participants to your conversation...":["Добавить участников в переписку..."],"Add user...":["Добавить пользователя..."],"New message":["Новое сообщение"],"Edit message entry":["Редактирование сообщения"],"Messagebox":["Сообщения"],"Inbox":["Входящие"],"There are no messages yet.":["Здесь пока нет сообщений."],"Write new message":["Написать новое сообщение"],"Confirm deleting conversation":["Подтвердите удаление переписки"],"Confirm leaving conversation":["Подтвердите выход из переписки"],"Confirm message deletion":["Подтвердите удаление сообщения"],"Add user":["Добавить пользователя"],"Do you really want to delete this conversation?":["Вы действительно хотите удалить эту переписку?"],"Do you really want to delete this message?":["Вы действительно хотите удалить это сообщение?"],"Do you really want to leave this conversation?":["Вы действительно хотите покинуть эту переписку?"],"Leave":["Покинуть"],"Leave discussion":["Покинуть переписку"],"Write an answer...":["Написать ответ ..."],"User Posts":["Сообщения пользователей"],"Show all messages":["Показать все сообщения"],"Send message":["Отправить сообщение"],"No users.":["Нет пользователей."],"The number of users must not be greater than a 7.":["Количество пользователей не должно быть больше 7."],"The number of users must not be negative.":["Количество пользователей не должно быть отрицательным."],"Most active people":["Самые активные пользователи"],"Get a list":["Получить список"],"Most Active Users Module Configuration":["Настройки модуля самые активные пользователи"],"The number of most active users that will be shown.":["Количество активных пользователей, которое будет отображаться."],"You may configure the number users to be shown.":["Вы можете настроить количество пользователей для отображения."],"Comments created":["Созданных комментариев"],"Likes given":["Полученных лайков"],"Posts created":["Созданных сообщений"],"Notes":["Заметки"],"Etherpad API Key":["API ключ Etherpad"],"URL to Etherpad":["Путь к Etherpad (URL)"],"Could not get note content!":["Не могу прочить содерджимое заметки!"],"Could not get note users!":["Не могу получить пользователей заметки!"],"Note":["Заметка"],"{userName} created a new note {noteName}.":["{userName} создал новую заметку {noteName}."],"{userName} has worked on the note {noteName}.":["{userName} работал над заметкой {noteName}."],"API Connection successful!":["API соединение прошло успешно!"],"Could not connect to API!":["Не удалось соединение с API!"],"Current Status:":["Текущий статус:"],"Notes Module Configuration":["Конфигурация модуля Заметок"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Пожалуйста прочитайте докуметацию к модулю /protected/modules/notes/docs/install.txt для получения дополнительной информации"],"Save & Test":["Сохранить и протестировать"],"The notes module needs a etherpad server up and running!":["Для модуля заметок необходим работающий сервер Etherpad"],"Save and close":["Сохранить и закрыть"],"{userName} created a new note and assigned you.":["{userName} создал новую заметку и назначил для вас"],"{userName} has worked on the note {spaceName}.":["{userName} работал над заметкой {spaceName}."],"Open note":["Открыть заметку"],"Title of your new note":["Заголовок вашей новой заметки"],"No notes found which matches your current filter(s)!":["Не найдено заметок в соответствии с установленными фильтрами!"],"There are no notes yet!":["Еще нет заметок!"],"Polls":["Опросы"],"Could not load poll!":["Не удалось загрузить опрос!"],"Invalid answer!":["Неверный ответ!"],"Users voted for: {answer}":["Пользователи проголосовали за: {answer}"],"Voting for multiple answers is disabled!":["Голосование за несколько вариантов отключено!"],"You have insufficient permissions to perform that operation!":["Вы должны иметь доступ на выполнение этой операции!"],"Again? ;Weary;":["Еще раз? ; Устали;"],"Right now, we are in the planning stages for our next meetup and we would like to know from you, where you would like to go?":["Сейчас мы находимся в стадии планирования нашей следующей встречи и мы хотели бы знать, куда вы хотели бы пойти?"],"To Daniel\nClub A Steakhouse\nPisillo Italian Panini\n":["Для Даниила\nКлуб стейк-хаус\nPisillo итальянский Панини"],"Why don't we go to Bemelmans Bar?":["Почему бы нам не пойти в Bemelmans Бар?"],"Answers":["Ответы"],"Multiple answers per user":["Пользователь может выбирать несколько вариантов ответов"],"Please specify at least {min} answers!":["Пожалуйста выберите хотя бы {min} ответ(ов)! "],"Question":["Опрос"],"{userName} voted the {question}.":["{userName} проголосовал за {question}."],"{userName} answered the {question}.":["{userName} ответил на {question}."],"{userName} created a new {question}.":["{userName} создал новый {question}."],"User who vote this":["Пользователи, которые проголосовали"],"{userName} created a new poll and assigned you.":["{userName} создал новый опрос и назначил его для вас. "],"Ask":["Спросить"],"Reset my vote":["Отозвать мой голос"],"Vote":["Голосование"],"and {count} more vote for this.":["еще {count} человек проголосовало."],"votes":["голосов"],"Allow multiple answers per user?":["Разрешить несколько варинатов ответов пользователю?"],"Ask something...":["Спросить как нибудь..."],"Possible answers (one per line)":["Варианты ответов (по одному в каждой строке) "],"Display all":["Показать все"],"No poll found which matches your current filter(s)!":["Ответ соответствующий вашему фильтру не найден!"],"There are no polls yet!":["Здесь нет пока опросов!"],"There are no polls yet!
Be the first and create one...":[" Опросов пока нет! Будьте первым..."],"Asked by me":["Мои опросы"],"No answered yet":["Пока без ответа"],"Only private polls":["Только приватные опросы"],"Only public polls":["Только публичные опросы"],"Manage reported posts":["Управление репортами"],"Reported posts":["Репорты"],"Why do you want to report this post?":["Почему вы хотите написать этот репорт?"],"by :displayName":[" :displayName"],"created by :displayName":["создано :displayName"],"Doesn't belong to space":["Не принадлежит к пространству"],"Offensive":["Оскорбление"],"Spam":["Спам"],"Here you can manage reported users posts.":["Здесь вы можете управлять репортами пользователей."],"An user has reported your post as offensive.":["Пользователь счел ваш пост оскорбительным."],"An user has reported your post as spam.":["Пользователь отметил ваш пост как спам."],"An user has reported your post for not belonging to the space.":["Пользователь отметил ваш пост несоответствующим данному пространству."],"%displayName% has reported %contentTitle% as offensive.":["%displayName% отметил %contentTitle% как оскорбительный."],"%displayName% has reported %contentTitle% as spam.":["%displayName% отметил %contentTitle% как спам."],"%displayName% has reported %contentTitle% for not belonging to the space.":["%displayName% отметил %contentTitle% несоответствующим данному пространству."],"Here you can manage reported posts for this space.":["Здесь вы можете управлять репортами для данного пространства."],"Appropriate":["Соответствующий"],"Confirm post deletion":["Подтвердите удаление сообщения"],"Confirm report deletion":["Подтвердите удаление репорта"],"Delete post":["Удалить сообщение"],"Delete report":["Удалить репорт"],"Do you really want to delete this report?":["Вы действительно хотите удалить этот репорт?"],"Reason":["Причина"],"Reporter":["Репорт"],"There are no reported posts.":["Здесь не зарегистрировано ни одного сообщения."],"Does not belong to this space":["Не принадлежит к этому пространству"],"Help Us Understand What's Happening":["Помогите нам понять, что происходит"],"It's offensive":["Это нарушение"],"It's spam":["Это спам"],"Report post":["Жалоба на сообщение"],"API ID":["API ID"],"Allow Messages > 160 characters (default: not allowed -> currently not supported, as characters are limited by the view)":["Разрешить сообщения объемом> 160 символов (по умолчанию: не допускается -> в настоящее время не поддерживается)"],"An unknown error occurred.":["Произошла неизвестная ошибка."],"Body too long.":["Сообщение слишком длинное."],"Body too too short.":["Сообщение слишком короткое."],"Characters left:":["Осталось символов:"],"Choose Provider":["Выбор оператора"],"Could not open connection to SMS-Provider, please contact an administrator.":["Не удалось подключиться к SMS-провайдеру, пожалуйста, свяжитесь с администратором."],"Gateway Number":["Номер шлюза"],"Gateway isn't available for this network.":["Шлюз не доступен для этой сети."],"Insufficent credits.":["Недостаточный уровень кредита."],"Invalid IP address.":["Неверный IP-адрес."],"Invalid destination.":["Неверное место назначения."],"Invalid sender.":["Неправильный отправитель."],"Invalid user id and/or password. Please contact an administrator to check the module configuration.":["Недопустимый идентификатор пользователя и / или пароль. Пожалуйста, свяжитесь с администратором, чтобы проверить конфигурацию модуля."],"No sufficient credit available for main-account.":["Недостаточно кредита для основной-счета."],"No sufficient credit available for sub-account.":["Недостаточно кредита для субсчета."],"Provider is not initialized. Please contact an administrator to check the module configuration.":["Оператор не инициализирован. Пожалуйста, свяжитесь с администратором, чтобы проверить конфигурацию модуля."],"Receiver is invalid.":["Получатель является недействительным."],"Receiver is not properly formatted, has to be in international format, either 00[...], or +[...].":["Получатель в ненадлежащем формате , должен быть в международном формате, либо 00 [...], или + [...]."],"Reference tag to create a filter in statistics":["Ссылка тег, для создания фильтра в статистике"],"Route access violation.":["Нарушение прав доступа маршрута."],"SMS Module Configuration":["Конфигурация SMS модуля"],"SMS has been rejected/couldn't be delivered.":["SMS отклонено / не может быть доставлено."],"SMS has been successfully sent.":["SMS успешно отправлено."],"SMS is lacking indication of price (premium number ads).":["Отсутствует указание цены SMS"],"SMS with identical message text has been sent too often within the last 180 secondsSMS with identical message text has been sent too often within the last 180 seconds.":["SMS с одинаковым текстом сообщения было отправлено слишком часто в течение последних 180 секунд."],"Save Configuration":["Сохранить настройки"],"Security error. Please contact an administrator to check the module configuration.":["Ошибка безопасности. Пожалуйста, свяжитесь с администратором, чтобы проверить конфигурацию модуля."],"Select the Spryng route (default: BUSINESS)":["Выберите маршрут Spryng (по умолчанию: БИЗНЕС)"],"Send SMS":["Отправить SMS"],"Send a SMS":["Отправить SMS"],"Send a SMS to ":["Отправить SMS"],"Sender is invalid.":["Отправитель является недействительным."],"Technical error.":["Технические ошибки."],"Test option. Sms are not delivered, but server responses as if the were.":["Опция Тест. SMS не доставляются, но сервер откликается, как если бы они доставлялись."],"To be able to send a sms to a specific account, make sure the profile field \"mobile\" exists in the account information.":["Для того, чтобы отправить SMS на определенный номер, убедитесь, что поле профиля \"мобильный\" заполнено в информации об учетной записи."],"Unknown route.":["Неизвестный маршрут."],"Within this configuration you can choose between different sms-providers and configurate these. You need to edit your account information for the chosen provider properly to have the sms-functionality work properly.":["В этой конфигурации вы можете выбрать между различными SMS -операторами и конфигурировать их. Вам необходимо отредактировать информацию об учетной записи для выбранного оператора надлежащим образом, чтобы иметь должную SMS -функциональность в работе."],"Tasks":["Задачи"],"Could not access task!":["Не удалось получить доступ к задаче!"],"Task":["Задача"],"{userName} assigned to task {task}.":["{userName} назначен для выполнения задачи {task}."],"{userName} created task {task}.":["{userName} создал задачу {task}."],"{userName} finished task {task}.":["{userName} завершил задачу {task}."],"{userName} assigned you to the task {task}.":["{userName} назначил для вас задачу {task}."],"{userName} created a new task {task}.":["{userName} создал новую задачу {task}."],"Create new task":["Создать новую задача"],"Edit task":["Редактировать задачу"],"Assign users":["Назначить пользователей"],"Assign users to this task":["Связать пользователей с этой задачей"],"Deadline":["Крайний срок"],"Deadline for this task?":["Срок для решения этой задачи?"],"Preassign user(s) for this task.":["Предварительный (е) пользователь (и) этой задачи."],"Task description":["Описание задачи"],"What is to do?":["Что делать?"],"Confirm deleting":["Подтвердить удаление"],"Add Task":["Добавить задачу"],"Do you really want to delete this task?":["Вы действительно хотите удалить эту задачу?"],"No open tasks...":["Нет открытых задач ..."],"completed tasks":["выполненные задачи"],"This task is already done":["Эта задача уже выполнена"],"You're not assigned to this task":["Эта задача назначена не для вас"],"Click, to finish this task":["Нажмите, чтобы завершить эту задачу"],"This task is already done. Click to reopen.":["Эта задача уже выполнена. Нажмите чтобы снова открыть."],"My tasks":["Мои задачи"],"From space: ":["Из пространства:"],"There are no tasks yet!":["Здесь нет пока задач!"],"There are no tasks yet!
Be the first and create one...":["Задач пока нет!
Будьте первым в создании..."],"Assigned to me":["Назначенное для меня"],"No tasks found which matches your current filter(s)!":["Нет задач, соответствующих вашему фильтру!"],"Nobody assigned":["Никто не назначен"],"State is finished":["Статус завершено"],"State is open":["Статус открыто"],"What to do?":["Что сделать?"],"Translation Manager":["Менеджер перевода"],"Translations":["Переводчик"],"Translation Editor":["Редактор перевода"],"Confirm page deleting":["Подтвердите удаление страницы"],"Confirm page reverting":["Подтвердите восстановление страницы"],"Overview of all pages":["Обзор всех страниц"],"Page history":["История страницы"],"Wiki Module":["Модуль Wiki"],"Adds a wiki to this space.":["Добавляет wiki в это пространство."],"Adds a wiki to your profile.":["Добавляет wiki в ваш профиль."],"Back to page":["Назад к странице"],"Do you really want to delete this page?":["Вы действительно хотите удалить эту страницу?"],"Do you really want to revert this page?":["Вы действительно хотите восстановить эту страницу?"],"Edit page":["Редактировать страницу"],"Edited at":["Отредактировано"],"Go back":["Вернуться"],"Invalid character in page title!":["Неверный символ в заголовке страницы!"],"Let's go!":["Вперед!"],"Main page":["Главная страница"],"New page":["Новая страница"],"No pages created yet. So it's on you.
Create the first page now.":["Созданных страниц пока нет.
Создайте первую страницу сейчас."],"Page History":["История страницы"],"Page title already in use!":["Название страницы уже используется!"],"Revert":["Восстановить"],"Revert this":["Восстановить это"],"View":["Просмотр"],"Wiki":["Wiki"],"by":["от"],"Wiki page":["Страница Wiki"],"Create new page":["Создать новую страницу"],"Enter a wiki page name or url (e.g. http://example.com)":["Введите название страницы wiki или ссылку (например http://example.com)"],"New page title":["Название новой страницы"],"Page content":["Содержание страницы"],"Open wiki page...":["Открыть страницу вики..."],"Allow":["Разрешено"],"Default":["По умолчанию"],"Deny":["Отказано"],"Please type at least 3 characters":["Пожалуйста, введите не менее 3 символов"],"Add purchased module by licence key":["Добавить лицензионный ключ для приобретенного модуля"],"Show sharing panel on dashboard":["Показать шаринг панель в разделе События"],"Default Content Visiblity":["Содержание по умолчанию визуализируется"],"Security":["Безопасность"],"No purchased modules found!":["Приобретенных модулей не найдено!"],"Purchases":["Покупки"],"Buy (%price%)":["Купить (% цена%)"],"Licence Key:":["Лицензионный ключ:"],"Last login":["Последний логин"],"never":["никогда"],"Share your opinion with others":["Поделиться вашим мнением с другими"],"Post a message on Facebook":["Опубликовать сообщение на Facebook"],"Share on Google+":["Поделиться на Google+"],"Share with people on LinkedIn ":["Поделиться с пользователями на LinkedIn"],"Tweet about HumHub":["Твитнуть о HumHub"],"Downloading & Installing Modules...":["Загрузка & Установка модулей ..."],"Calvin Klein – Between love and madness lies obsession.":["Calvin Klein - Между любовью и безумием лежит одержимость."],"Nike – Just buy it. ;Wink;":["Nike – Просто купите это. ;Wink;"],"We're looking for great slogans of famous brands. Maybe you can come up with some samples?":["Мы ищем слоганы для известных брендов. Может быть, вы можете прийти с некоторыми образцами?"],"Welcome Space":["Добро пожаловать в пространство"],"Yay! I've just installed HumHub ;Cool;":["Ура! Я только что установил HumHub ;Cool;"],"Your first sample space to discover the platform.":["Ваше первое пробное пространство на данной платформе."],"Set up example content (recommended)":["Настройте образец контента (рекомендуется)"],"Allow access for non-registered users to public content (guest access)":["Разрешить доступ для незарегистрированных пользователей к содержанию сайта (гостевой доступ)"],"External user can register (The registration form will be displayed at Login))":["Вошедший пользователь может зарегистрироваться (Регистрационная форма будет отображаться при входе))"],"Newly registered users have to be activated by an admin first":["Недавно зарегистрированные пользователи, для активации администратором в первую очередь"],"Registered members can invite new users via email":["Зарегистрированные участники могут приглашать новых пользователей по электронной почте"],"I want to use HumHub for:":["Я хочу использовать HumHub для:"],"You're almost done. In this step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Вы почти закончили. На этом этапе вы должны заполнить форму, чтобы создать учетную запись администратора. С этого аккаунта вы можете управлять всей сетью."],"HumHub is very flexible and can be adjusted and/or expanded for various different applications thanks to its’ different modules. The following modules are just a few examples and the ones we thought are most important for your chosen application.

You can always install or remove modules later. You can find more available modules after installation in the admin area.":["HumHub является очень гибким и может быть скорректированы и / или расширен различными приложениями, благодаря своим модулям. Следующие модули являются лишь некоторым примером и те, которые мы думали, являются наиболее важными для выбранной заявки.

Вы всегда можете установить или удалить модули позже. Вы можете найти больше доступных модулей после установки в админ панели."],"Recommended Modules":["Рекомендованные Модули"],"Example contents":["Пример содержания"],"To avoid a blank dashboard after your initial login, HumHub can install example contents for you. Those will give you a nice general view of how HumHub works. You can always delete the individual contents.":["Чтобы избежать пустой главной страницы после первоначальной регистрации, на HumHub можно установить примерное содержимое для вас. Это даст вам хороший общий вид того, как HumHub работает. Вы всегда можете удалить отдельное содержимое."],"Here you can decide how new, unregistered users can access HumHub.":["Здесь вы можете решить, как новые, незарегистрированные пользователи могут получить доступ к HumHub."],"Security Settings":["Settings Безопасности"],"Configuration":["Конфигурация"],"My club":["Мой клуб"],"My community":["Мое комьюнити"],"My company (Social Intranet / Project management)":["Моя компания (Социальная Интранет / Управление проектами)"],"My educational institution (school, university)":["Мое образовательное учреждение (школа, университет)"],"Skip this step, I want to set up everything manually":["Пропустить этот шаг, для того, чтобы настроить все вручную"],"To simplify the configuration, we have predefined setups for the most common use cases with different options for modules and settings. You can adjust them during the next step.":["Для упрощения настройки, у нас есть предопределенные настройки для наиболее распространенных случаев использования с различными опциями для модулей и настроек. Вы можете настроить их на следующем этапе."],"You":["Вы"],"You like this.":["Вам нравится это"],"Search for user, spaces and content":["Поиск пользователей, пространств и содержания"],"Private":["Приватно"],"Sorry! User Limit reached":["Извините Пользователь достиг лимита"],"Delete instance":["Удалить экземпляр"],"Export data":["Экспорт данных"],"Hosting":["Хостинг"],"There are currently no further user registrations possible due to maximum user limitations on this hosted instance!":["Есть в настоящее время можно не далее регистраций пользователей за счет максимального ограничения пользователя на этом состоялся экземпляр!"],"Your plan":["Ваш план"],"Group members - {group}":["Группа участников - {group}"],"Search only in certain spaces:":["Искать только в некоторых пространствах:"],"Members":["Участники"],"Change Owner":["Сменить Владельца"],"General settings":["Основные настройки"],"Security settings":["Настройки безопасности"],"As owner of this space you can transfer this role to another administrator in space.":["Вы как владелец этого пространства можете передать эту роль другому администратору в пространстве."],"Color":["Цвет"],"Transfer ownership":["Передать владение"],"Add {n,plural,=1{space} other{spaces}}":["Добавить {n,plural,=1{space} другие{spaces}}"],"Choose if new content should be public or private by default":["Выберите, если новое содержание должно быть публичным или частным по умолчанию"],"Manage members":["Управление пользователями"],"Manage permissions":["Управление правами"],"Pending approvals":["В ожидании одобрения"],"Pending invitations":["В ожидании приглашения"],"Add Modules":["Добавить модули"],"You are not member of this space and there is no public content, yet!":["Вы не член данного пространства, общедоступных материалов пока нет!"],"Done":["Выполнено"],"Cancel Membership":["Отменить членство"],"Hide posts on dashboard":["Скрыть сообщения в панели События"],"Show posts on dashboard":["Показать сообщение в панели События"],"This option will hide new content from this space at your dashboard":["Эта опция будет скрывать новый контент из данного пространства в панели События"],"This option will show new content from this space at your dashboard":["Эта опция будет показывать новый контент из данного пространства в панели События"],"Drag a photo here or click to browse your files":["Перетащите фотографию сюда или нажмите, чтобы просмотреть файлы"],"Hide my year of birth":["Скрыть мой год рождения"],"Howdy %firstname%, thank you for using HumHub.":["Привет %firstname%, спасибо за использование HumHub."],"You are the first user here... Yehaaa! Be a shining example and complete your profile,
so that future users know who is the top dog here and to whom they can turn to if they have questions.":["Вы первый пользователь здесь... Урааа! Будьте ярким примером и заполните свой профиль,
чтобы будущие пользователи знали, кто является хозяином положения здесь и кому они могут обратиться, если у них есть вопросы."],"Your firstname":["Ваше имя"],"Your lastname":["Ваша фамилия"],"Your mobild phone number":["Ваш сотовый номер"],"Your phone number at work":["Ваш рабочий номер"],"Your skills, knowledge and experience (comma seperated)":["Ваши навыки, знания и опыт (через запятую)"],"Your title or position":["Ваше титульное положение"],"Confirm new password":["Подтвердить новый пароль"],"Remember me":["Запомнить меня"],"
A social network to increase your communication and teamwork.
Register now\nto join this space.":["
Изображения социальной сети для улучшения связи и совместной работы.
Зарегистрируйтесь сейчас чтобы присоединиться к этому пространству."],"Add Dropbox files":["Добавить файлы дропбокс"],"Invalid file":["Неверный формат файла"],"Dropbox API Key":["Дропбокс API Key"],"Show warning on posting":["Показать предупреждение в публикации"],"Dropbox post":["Дропбокс сообщение"],"Dropbox Module Configuration":["Конфигурация модуля Дропбокс"],"The dropbox module needs active dropbox application created! Please go to this site, choose \"Drop-ins app\" and provide an app name to get your API key.":["Для модуля Дропбокс требуется активация приложения Дропбокс! Пожалуйста перейдите по этой ссылке site, выберите \"Drop-ins app\" введите имя приложения, чтобы получить свой ключ API."],"Dropbox settings":["Настройки дропбокс"],"Describe your files":["Опишите ваши файлы"],"Sorry, the Dropbox module is not configured yet! Please get in touch with the administrator.":["К сожалению, модуль Дропбокс еще не настроен! Пожалуйста, свяжитесь с администратором."],"The Dropbox module is not configured yet! Please configure it here.":["Модуль Dropbox еще не настроен! Пожалуйста настройте его здесь."],"Select files from dropbox":["Выберите файлы из дропбокс"],"Attention! You are sharing private files":["Внимание! Вы открыли доступ к личным файлам"],"Do not show this warning in future":["Не показывать это предупреждение впредь"],"The files you want to share are private. In order to share files in your space we have generated a shared link. Everyone with the link can see the file.
Are you sure you want to share?":["Файлы, которыми вы хотите поделиться являются личными. Для того, чтобы открыть доступ к файлам вашего пространства мы сформировали общую ссылку. Каждый по ссылке может увидеть файл.
Вы уверены, что хотите поделиться?"],"Yes, I'm sure":["Да, я уверен"],"Administrative Contact":["Контактная информация администрации"],"Advanced Options":["Дополнительные параметры"],"Custom Domain":["Персональный домен"],"Datacenter":["Датацентр"],"Support / Get Help":["Поддержка / Получить помощь"],"Add recipients":["Добавить получателей"],"Delete conversation":["Удалить диалог"],"Leave conversation":["Создать диалог"],"Could not get note users! ":["Не удалось получить заметки пользователей!"],"Assigned user(s)":["Назначенный пользователь (и)"],"Choose a thumbnail":["Выберите значок"]} \ No newline at end of file diff --git a/protected/humhub/messages/tr/archive.json b/protected/humhub/messages/tr/archive.json index 3ce00a9bd0..e3ffc94fb3 100644 --- a/protected/humhub/messages/tr/archive.json +++ b/protected/humhub/messages/tr/archive.json @@ -1 +1 @@ -{"Could not find requested module!":["İstenen modül bulunamadı!"],"Invalid request.":["Geçersiz istek."],"Keyword:":["Anahtar:"],"Nothing found with your input.":["Hiç bir girdi bulunamadı."],"Results":["Sonuçlar"],"Show more results":["Daha fazla sonuç göster"],"Sorry, nothing found!":["Üzgünüz, sonuç bulunamadı!"],"Welcome to %appName%":["%appName% uygulamasına hoşgeldin"],"Latest updates":["Son güncellemeler"],"Search":["Arama"],"Account settings":["Hesap ayarları"],"Administration":["Yönetim"],"Back":["Geri"],"Back to dashboard":["Panele geri dön"],"Choose language:":["Dil Seçin:"],"Collapse":["Başarısız"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["İçerik eklenti kaynağı HActiveRecordContent ya da HActiveRecordAddon şeklinde olmalı!"],"Could not determine content container!":["İçerik kabı saptanamıyor!"],"Could not find content of addon!":["Eklenti içeriği bulunamadı!"],"Error":["Hata"],"Expand":["Göster"],"Insufficent permissions to create content!":["İçerik oluşturmak için izinler yetersiz!"],"It looks like you may have taken the wrong turn.":["Yanlış bir geridönüş var gibi görünüyor."],"Language":["Dil"],"Latest news":["Güncel haberler"],"Login":["Giriş"],"Logout":["Çıkış"],"Menu":["Menü"],"Module is not on this content container enabled!":["Etkin içerik kabı üzerinde modül etkin değil!"],"My profile":["Profilim"],"New profile image":["Yeni profil resmi"],"Oooops...":["Hata..."],"Search":["Arama"],"Search for users and spaces":["Kullanıcı ve alanlarda ara"],"Space not found!":["Mekan bulunamadı!"],"User Approvals":["Kullanıcı onayları"],"User not found!":["Kullanıcı bulunamadı!","Kullanıcı Bulunamadı"],"You cannot create public visible content!":["Genel içerik oluşturmazsınız!"],"Your daily summary":["Günlük özet"],"Login required":["Giriş Yapınız"],"An internal server error occurred.":["Sunucu hatası oluştu."],"You are not allowed to perform this action.":["Bu eylemi gerçekleştirmek için izin gereklidir."],"Global {global} array cleaned using {method} method.":["Küresel {global} dizi yöntemi {method} ile temizlenmelidir."],"Upload error":["Yükleme hatası"],"Close":["Kapat"],"Add image/file":["Resim/Dosya Ekle"],"Add link":["Link Ekle"],"Bold":["Kalın"],"Code":["Kod"],"Enter a url (e.g. http://example.com)":["Url girin (Örnek: http://example.com)"],"Heading":["Başlık"],"Image":["Resim"],"Image/File":["Resim/Dosya"],"Insert Hyperlink":["Bağlantı Ekle"],"Insert Image Hyperlink":["Resim Bağlantısi Ekle"],"Italic":["İtalik"],"List":["Liste"],"Please wait while uploading...":["Yüklenirken lütfen bekleyin..."],"Preview":["Görüntüle"],"Quote":["Alıntı"],"Target":["Hedef"],"Title":["Başlık"],"Title of your link":["Bağlantı Başlığı"],"URL/Link":["URL/Adres"],"code text here":["kod metni girin"],"emphasized text":["vurgulanan metin"],"enter image description here":["resim açıklaması girin"],"enter image title here":["resim başlığını girin"],"enter link description here":["bağlantı açıklaması girin"],"heading text":["başlık metni"],"list text here":["metin listesi girin"],"quote here":["alıntı girin"],"strong text":["kalın metin"],"Could not create activity for this object type!":["Bu nesne türü için etkinlik oluşturamazsınız!"],"%displayName% created the new space %spaceName%":["%displayName% yeni bir alan oluşturdu %spaceName%"],"%displayName% created this space.":["%displayName% bu alanı oluşturdu."],"%displayName% joined the space %spaceName%":["%displayName% - %spaceName% alanına katıldı"],"%displayName% joined this space.":["%displayName% alana katıldı."],"%displayName% left the space %spaceName%":["%displayName% - %spaceName% alanından ayrıldı"],"%displayName% left this space.":["%displayName% alandan ayrıldı."],"{user1} now follows {user2}.":["{user1} artık {user2} takip ediyor."],"see online":["kimle çevrimiçi","çevrimiçi gör"],"via":["ile"],"Latest activities":["En son aktiviteler"],"There are no activities yet.":["Henüz bir aktivite yok."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Merhaba {displayName},

\n \n Hesabınız aktive edildi

\n \n Giriş yapmak için tıklayın:
\n {loginURL}

\n \n Saygılarımızla
\n {AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Merhaba {displayName},

\n \n Hesab talebiniz reddedildi.

\n \n Saygılarımızla
\n {AdminName}

"],"Account Request for '{displayName}' has been approved.":["Hesap talebi '{displayName}' kabul edildi."],"Account Request for '{displayName}' has been declined.":["Hesap talebi '{displayName}' reddedildi."],"Group not found!":["Grup bulunamadı!"],"Could not uninstall module first! Module is protected.":["Modül direkt kaldırılamaz! Modül korumada."],"Module path %path% is not writeable!":["Modül yolu %path% yazılabilir değil!"],"Saved":["Kaydedildi"],"Database":["Veritabanı"],"No theme":["Tema yok"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["LDAP yüklenemedi! - PHP Eklentisini kontrol t"],"File":["Dosya"],"No caching (Testing only!)":["Önbellek yok (Sadece test!)","Önbellek yok(Sadece test!)"],"None - shows dropdown in user registration.":["Yok - kullanıcı kaydında açılır gösterim."],"Saved and flushed cache":["Kaydedildi ve önbellek düzeltildi"],"LDAP":["LDAP"],"Local":["Yerel"],"You cannot delete yourself!":["Kendini silemezsin!"],"Become this user":["Bu kullanıcı ol"],"Delete":["Sil"],"Disabled":["Devre dışı"],"Enabled":["Etkin"],"Save":["Kaydet"],"Unapproved":["Onaylanmamış"],"Could not load category.":["Kategori yüklenemedi."],"You can only delete empty categories!":["Sadece boş kategorileri silebilirsiniz!"],"Group":["Grup"],"Message":["Mesaj"],"Subject":["Konu"],"Base DN":["DN Temeli"],"Enable LDAP Support":["LDAP desteği aktif"],"Encryption":["Şifreleme"],"Fetch/Update Users Automatically":["Kullanıcıları Otomatik Getir/Güncelle"],"Hostname":["Host adı","Host adı (Örnek: localhost)"],"Login Filter":["Giriş filtresi"],"Password":["Şifre"],"Port":["Port"],"User Filer":["Kullanıcı filtresi"],"Username":["Kullanıcı adı"],"Username Attribute":["Kullanıcı niteliği"],"Allow limited access for non-authenticated users (guests)":["Kimliği doğrulanmamış kullanıcılar için sınırlı erişime izin ver (misafir)"],"Anonymous users can register":["Anonim kullanıcılar kayıt olabilir"],"Default user group for new users":["Yeni kullanıcılar için varsayılan kullanıcı grubu"],"Default user idle timeout, auto-logout (in seconds, optional)":["Varsayılan kullanıcı boşta kalma (Zaman aşımı), otomatik çıkış (saniye cinsinden, isteğe bağlı)"],"Default user profile visibility":["Varsayılan kullanıcı profili görünürlüğü"],"Members can invite external users by email":["Kullanıcılar eposta ile davet gönderebilirler"],"Require group admin approval after registration":["Kayıttan sonra grup yöneticisinin onayı gerekir"],"Base URL":["Temel URL"],"Default language":["Varsayılan dil"],"Default space":["Varsayılan alan"],"Invalid space":["Geçersiz alan"],"Logo upload":["Logo Yükle"],"Name of the application":["Uygulama adı"],"Show introduction tour for new users":["Yeni kullanıcılar için tanıtım turu göster"],"Show user profile post form on dashboard":["Panoda kullanıcı profil paylaşım alanı"],"Cache Backend":["Önbellek arkaucu"],"Default Expire Time (in seconds)":["Varsayılan bitiş zamanı (saniye)"],"PHP APC Extension missing - Type not available!":["PHP APC uzantısı eksik - Tür mevcut değil!"],"PHP SQLite3 Extension missing - Type not available!":["PHP SQLite3 uzantısı eksik - Tür mevcut değil!"],"Dropdown space order":["Açılır menu arası boşluk"],"Default pagination size (Entries per page)":["Standart sayfalama boyutu (sayfa başına yazı)"],"Display Name (Format)":["Görünen isim (Biçim)"],"Theme":["Tema"],"Allowed file extensions":["İzin verilen dosya Uzantıları"],"Convert command not found!":["Dönüştürme komutu bulunamadı!"],"Got invalid image magick response! - Correct command?":["Boş image magick karşılığı! - Doğru komut?"],"Hide file info (name, size) for images on wall":["Duvara görüntülenen dosyaların (isim, boyut) bilgilerini sakla"],"Hide file list widget from showing files for these objects on wall.":["Duvarda gösterilen nesnelerin dosya listesi widget'ı gizle."],"Image Magick convert command (optional)":["Image Magick dönüştürme komutu (isteğe bağlı)"],"Maximum preview image height (in pixels, optional)":["Maksimum görüntü önizleme yüksekliği (piksel, isteğe bağlı)"],"Maximum preview image width (in pixels, optional)":["Maksimum önizleme görüntü genişliği (piksel, isteğe bağlı)"],"Maximum upload file size (in MB)":["Maksimum dosya yükleme boyutu (MB türünden)"],"Use X-Sendfile for File Downloads":["Dosya indirmek için X-Sendfile kullan"],"Allow Self-Signed Certificates?":["Sertifikaları kendinden İmzalı izin ver?"],"E-Mail sender address":["Eposta gönderen adresi"],"E-Mail sender name":["Eposta gönderen adı"],"Mail Transport Type":["Posta transfer türü"],"Port number":["Port numarası"],"Endpoint Url":["Endpoint Adres"],"Url Prefix":["Url Önek"],"No Proxy Hosts":["Proxy Sunucu yok"],"Server":["Sunucu"],"User":["Kullanıcı"],"Super Admins can delete each content object":["Süper yöneticiler tüm içerik ve nesneleri silebilir"],"Default Join Policy":["Varsayılan Politikaya Katıl"],"Default Visibility":["Varsayılan Görünürlük"],"HTML tracking code":["HTML izleme kodu"],"Module directory for module %moduleId% already exists!":["Modül yolu için modül %moduleId% zaten var!"],"Could not extract module!":["Modül çıkarılamadı!"],"Could not fetch module list online! (%error%)":["Çevrimiçi modül listesi alınamadı! (%error%)"],"Could not get module info online! (%error%)":["Çevrimiçi modül bilgisi alınamadı! (%error%)"],"Download of module failed!":["Modülü indirme başarısız oldu!"],"Module directory %modulePath% is not writeable!":["Modül yolu %modulePath% yazılabilir değil!"],"Module download failed! (%error%)":["Modül indirme başarısız! %error%"],"No compatible module version found!":["Hiçbir uyumlu modül sürümü bulundu!","Uyumlu modül versiyonu bulunamadı!"],"Activated":["Aktifleştirildi","Aktif","Aktive edildi"],"No modules installed yet. Install some to enhance the functionality!":["Daha hiç modül yüklenmedi. Fonksiyonelliği artırmak için modül yükle!"],"Version:":["Versiyon:"],"Installed":["Yüklendi","Yüklü"],"No modules found!":["Modül bulunamadı!"],"All modules are up to date!":["Tüm modüller güncel!"],"About HumHub":["HumHub hakkında"],"Currently installed version: %currentVersion%":["Şu anda yüklü sürüm: %currentVersion%"],"Licences":["Lisanslar"],"There is a new update available! (Latest version: %version%)":["Yeni bir güncelleme mevcut! (Son sürüm: %version%)"],"This HumHub installation is up to date!":["HumHub sürümünüz güncel!"],"Accept":["Kabul et"],"Decline":["Reddet","Katılmıyorum"],"Accept user: {displayName} ":["Kullanıcıyı kabul et: {displayName}"],"Cancel":["İptal"],"Send & save":["Gönder ve kaydet"],"Decline & delete user: {displayName}":["Kullanıcıyı reddet ve sil: {displayName}"],"Email":["Eposta","Email"],"Search for email":["Eposta için arama"],"Search for username":["Kullanıcı adı için arama"],"Pending user approvals":["Onay bekleyen kullanıdılar"],"Here you see all users who have registered and still waiting for a approval.":["Burda kayıtlı ve halen onay bekleyen kullanıcılar görüntülenir."],"Delete group":["Grup sil"],"Delete group":["Grubu sil"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["\"{group}\" grubunu silmek için mevcut kullanıcılara bir grup seçmeniz gerekli:"],"Create new group":["Yeni grup oluştur"],"Edit group":["Grup düzenle"],"Description":["Açıklama"],"Group name":["Grup adı"],"Ldap DN":["Ldap DN"],"Search for description":["Açıklama için arama"],"Search for group name":["Grup adı için ara"],"Manage groups":["Grupları yönet"],"Create new group":["Yeni Grup Oluştur"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Kullanıcıları bölebilir ve farklı gruplara atayabilir, (takım, birim benzeri) ve standart alan ya da yöneticiler seçebilirsiniz."],"Flush entries":["Tüm girdileri sil"],"Error logging":["Hata günlüğü"],"Displaying {count} entries per page.":["Sayfabaşına görüntülenen girdiler {count}"],"Total {count} entries found.":["Toplam bulunan girdiler {count}"],"Available updates":["Mevcut güncellemeler"],"Browse online":["Çevrimiçi gözat"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Modüller HumHub un fonksiyonelliğini artırır. Burada HumHub Marketten modül yüklüyebilir veya yönetebilirsin."],"Module details":["Modül ayrıntıları"],"This module doesn't provide further informations.":["Bu modül daha fazla bilgi içermez."],"Processing...":["İşleniyor..."],"Modules directory":["Modül dizini"],"Are you sure? *ALL* module data will be lost!":["*TÜM* modül verileri kaybedilecek! Emin misiniz?"],"Are you sure? *ALL* module related data and files will be lost!":["*TÜM* modül verileri ve dosyaları kaybedilecek! Emin misiniz?"],"Configure":["Yapılandırma","Kurulum"],"Disable":["Pasif","Devre dışı","Deaktif"],"Enable":["Aktif"],"More info":["Daha fazla bilgi"],"Set as default":["Varsayılan yap"],"Uninstall":["Kaldır"],"Install":["Yükle"],"Latest compatible version:":["En son uyumlu sürüm:"],"Latest version:":["Son versiyon:"],"Installed version:":["Yüklenen versiyon:"],"Latest compatible Version:":["En son uyumlu versiyon:"],"Update":["Güncelle"],"%moduleName% - Set as default module":["%moduleName% - Varsayılan modül olarak ayarla"],"Always activated":["Daima aktif"],"Deactivated":["Deaktif"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Bir modülün kullanıcının ya da alanlarda otomatik olarak aktif olup olmayacağını seçebilirsiniz. Eğer tüm bölümlerde aktif olmasını istiyorsanız \"Daima aktif\"i seçin."],"Spaces":["Mekanlar"],"User Profiles":["Kullanıcı profilleri"],"There is a new HumHub Version (%version%) available.":["Mevcut yeni (%version%) HumHub sürümü var."],"Authentication - Basic":["Temel - Kimlik"],"Basic":["Temel"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Minumum 20 saniyedir. 1400 saniye (24 dakika) (varsayılan oturum zaman aşımı) sonra zaman aşımına olacaktır."],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Kimliği doğrulanmış kullanıcılar için sınırlı erişim etkin olduğunda geçerli olur. Sadece yeni kullanıcılar etkiler."],"Authentication - LDAP":["LDAP - Kimlik doğrulama"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["SSL / TLS açık metin olarak iletilir şifreleri önlemek için üretim ortamlarında tercih edilir."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Giriş denendiğinde, uygulamak için filtreyi tanımlar. % uid giriş eylem adı değiştirir. Örnek: "(sAMAccountName=%s)" or "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["Kullanıcı adı için LDAP özelliği. Örnek: "uid" or "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Bu kriterleri karşılayan kullanıcılara erişim sınırlandırma. Örnek: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Durum: Hata! (Mesaj: {message})"],"Status: OK! ({userCount} Users)":["Durum: TAMAM! ( {usercount} Kullanıcılar)"],"The default base DN used for searching for accounts.":["Hesaplar için yapılan aramada varsayılan temel DN kullan."],"The default credentials password (used only with username above).":["Varsayılan kimlik şifresi (Sadece kullanıcı adı ile kullanılır)"],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["Varsayılan kimlik ismi. Bazı sunucular bu DN formda olmasını gerektirir.LDAP sunucusu bağlamak ve bağlayıcı basit kullanıcı adları ile mümkün olmalıdır DN gerektiriyorsa, bu DN şeklinde verilmelidir."],"Cache Settings":["Ön bellek Ayarları"],"Save & Flush Caches":["Kaydet ve önbelleği göm"],"CronJob settings":["CronJob Ayarları"],"Crontab of user: {user}":["Kullanıcı crontab: {user}"],"Last run (daily):":["Son çalışma (günlük):"],"Last run (hourly):":["Son çalışma (saatlik):"],"Never":["Asla"],"Or Crontab of root user":["Ya da Crontab root kullanıcı"],"Please make sure following cronjobs are installed:":["Lütfen aşağıdaki cronjobs öğelerinin yüklü olduğundan emin olun:"],"Alphabetical":["Alfabetik\n"],"Last visit":["Son Ziyaret"],"Design settings":["Dizayn Ayarları"],"Firstname Lastname (e.g. John Doe)":["Ad Soyad (Örnek: Mehmet Çifçi)"],"Username (e.g. john)":["Kullanıcı adı (Örnek: mehmet)"],"File settings":["Dosya Ayarları"],"Comma separated list. Leave empty to allow all.":["Virgülle ayrılmış liste. Hepsine izin vermek için boş bırak"],"Comma separated list. Leave empty to show file list for all objects on wall.":["Listeleri virgül ile ayır. Duvara tüm nesneler için dosya listesini göstermek için boş bırakın."],"Current Image Libary: {currentImageLibary}":["Geçerli Resim Kütüphanesi: {currentImageLibary}"],"If not set, height will default to 200px.":["Ayarlı değilse, yükseklik 200px (varsayılan) olacaktır."],"If not set, width will default to 200px.":["Ayarlı değilse, genişlik 200px (varsayılan) olacaktır."],"PHP reported a maximum of {maxUploadSize} MB":["PHP maksimum sunulan {maxUploadSize} MB"],"Basic settings":["Temel Ayarlar"],"Confirm image deleting":["Görüntü silmeyi onayla"],"Dashboard":["Panel","Pano"],"E.g. http://example.com/humhub":["Örn. http://example.com/humhub"],"New users will automatically added to these space(s).":["Yeni kullanıcılar otomatik olarak belirli alana eklenir."],"You're using no logo at the moment. Upload your logo now.":["Şu anda logo kullanmıyorsun. Şimdi logo yükle."],"Mailing defaults":["Posta varsayılanları"],"Activities":["Aktiviteler"],"Always":["Daima","Herzaman"],"Daily summary":["Günlük özet"],"Defaults":["Varsayılan"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Kullanıcı bildirimleri veya yenilikler hakkında eposta alma özelliği varsayılan olarak tanımlıdır. Bu ayarı kullanıcı hesap ayarları bölümünden değiştirebilir."],"Notifications":["Bildirimler"],"Server Settings":["Sunucu Ayarları"],"When I´m offline":["Çevrimdışı olduğum zaman","Ben çevrimdışıyken"],"Mailing settings":["Posta Ayarları"],"SMTP Options":["SMTP Ayarları"],"OEmbed Provider":["OEmbed Sağlayıcı"],"Add new provider":["Yeni Sağlayacı Ekle"],"Currently active providers:":["Şuan da etkin sağlayıcılar:"],"Currently no provider active!":["Şuan sağlayıcılar aktif değil!"],"Add OEmbed Provider":["OEmbed Sağlayıcısı Ekle"],"Edit OEmbed Provider":["OEmbed Sağlayıcısını Düzenle"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url Önek http:// ve https:// (Örnek: youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Url için %url% yer tutucusunu kullanın. Url biçimi JSON olmalıdır. (Örnek: http://www.youtube.com/oembed?url=%url%&format=json)"],"Proxy settings":["Proxy ayarları"],"Security settings and roles":["Güvenlik Ayarları ve Roller"],"Self test":["Kendi kendini test et"],"Checking HumHub software prerequisites.":["HumHub yazılım önkoşulları denetleniyor."],"Re-Run tests":["Yeniden test et"],"Statistic settings":["İstatistik Ayarları"],"All":["Hepsi"],"Delete space":["Mekan sil"],"Edit space":["Mekan düzenle"],"Search for space name":["Mekan adı için arama"],"Search for space owner":["Mekan sahibi için arama"],"Space name":["Mekan adı"],"Space owner":["Mekan sahibi"],"View space":["Mekan görüntüle"],"Manage spaces":["Mekan Yönetimi"],"Define here default settings for new spaces.":["Yeni mekanlar için varsayılan ayarları tanımla"],"In this overview you can find every space and manage it.":["Tüm mekanlar bulunabilir ve yönetilebilir."],"Overview":["Genel Bakış"],"Settings":["Ayarlar"],"Space Settings":["Mekan Ayarları"],"Add user":["Yeni kullanıcı ekle"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Eğer bu kullanıcıya ait bazı mekanlar varsa, sen bu mekanların sahibi olacaksın. Bu kullanıcıyı silmek istediğinizden emin misiniz? "],"Delete user":["Kullanıcıyı sil"],"Delete user: {username}":["Kullanıcıyı sil: {username}"],"Edit user":["Kullanıcıyı düzenle"],"Admin":["Yönetici"],"Delete user account":["Kullanıcı hesabını sil"],"Edit user account":["Kullanıcı hesabını düzenle"],"No":["Hayır"],"View user profile":["Kullanıcı profilini görüntüle"],"Yes":["Evet"],"Manage users":["Kullanıcıları yönet"],"Add new user":["Yeni kullanıcı ekle"],"In this overview you can find every registered user and manage him.":["Kayıtlı kullanıcıları bulabilir, görüntüleyebilir ve yönetebilirsiniz."],"Create new profile category":["Yeni Profil Kategorisi oluştur"],"Edit profile category":["Profil Kategorisi düzenle"],"Create new profile field":["Yeni Profil Alanı oluştur"],"Edit profile field":["Profil Alanı düzenle"],"Manage profiles fields":["Profil alanlarını yönet"],"Add new category":["Yeni kategori ekle"],"Add new field":["Yeni alan ekle"],"Security & Roles":["Güvenlik ve roller"],"Administration menu":["Yönetici Menüsü"],"About":["Hakkında","Hakkımda"],"Authentication":["Kimlik doğrulama"],"Caching":["Ön bellekleme"],"Cron jobs":["Cron Jobs"],"Design":["Dizayn"],"Files":["Dosyalar"],"Groups":["Gruplar"],"Logging":["Kayıtlar"],"Mailing":["Postalama"],"Modules":["Modüller"],"OEmbed Provider":["OEmbed Sağlayıcı"],"Proxy":["Proxy"],"Self test & update":["Test ve güncelleme"],"Statistics":["İstatistikler"],"User approval":["Kullanıcı onayları"],"User profiles":["Kullanıcı profilleri"],"Users":["Kullanıcılar"],"Click here to review":["Görüntülemek için tıklayın"],"New approval requests":["Yeni onay istekleri"],"One or more user needs your approval as group admin.":["Bir veya daha fazla kullanıcı grubu yönetici onayı bekliyor."],"Could not delete comment!":["Yorumu silinemedi!"],"Invalid target class given":["Verilen hedef sınıfı geçersiz"],"Model & Id Parameter required!":["Model & Id Parametresi gerekli!"],"Target not found!":["Hedef bulunamadı!"],"Access denied!":["Erişim engellendi!","Erişim reddedildi!"],"Insufficent permissions!":["Yetersiz izinler!"],"Comment":["Yorum"],"%displayName% wrote a new comment ":["%displayName% yeni bir yorum yazdı"],"Comments":["Yorumlar"],"Edit your comment...":["Yorumunu düzenle..."],"%displayName% also commented your %contentTitle%.":["%contentTitle% içeriğe %displayName% yeni bir yorum yazdı."],"%displayName% commented %contentTitle%.":["%displayName% %contentTitle% içeriğini yorumladı."],"Show all {total} comments.":["Tüm yorumları göster {total}."],"Write a new comment...":["Yeni bir yorum yaz..."],"Post":["Gönderi"],"Show %count% more comments":["Daha %count% fazla yorum göster"],"Confirm comment deleting":["Yorum silme işlemini onayla"],"Do you really want to delete this comment?":["Bu yorumu silmek istediğine emin misin?"],"Edit":["Düzenle"],"Updated :timeago":["Güncellendi :timeago"],"Could not load requested object!":["İstenen obje yüklenemedi"],"Unknown content class!":["Bilinmeyen içerik sınıfı!"],"Could not find requested content!":["İstenen içerik bulunamadı!"],"Could not find requested permalink!":["İstenen permalink bulunamadı!"],"{userName} created a new {contentTitle}.":["{userName} kullanıcısı {contentTitle} gönderisini oluşturdu"],"Submit":["Gönder"],"Move to archive":["Arşive taşı"],"Unarchive":["Arşivden taşı","Arşivden çıkar"],"Add a member to notify":["Bilgilendirme için bir kullanıcı ekle"],"Make private":["Gizli yap"],"Make public":["Açık yap"],"Notify members":["Üyeleri bilgilendir"],"Public":["Herkes"],"What's on your mind?":["Aklında ne var?","Aklında neler var?"],"Confirm post deleting":["Gönderi silinmesini Onayla"],"Do you really want to delete this post? All likes and comments will be lost!":["Bu gönderiyi silmek istediğine emin misin? Tüm yorumlar ve beğeniler kaybolacak!"],"Archived":["Arşiv"],"Sticked":["Yapışkan"],"Turn off notifications":["Bildirimleri kapat"],"Turn on notifications":["Bildirimleri aç"],"Permalink to this post":["Gönderim için Permalink"],"Permalink":["Permalink"],"Stick":["Başa Tuttur"],"Unstick":["Baştan Kaldır"],"Nobody wrote something yet.
Make the beginning and post something...":["Daha hiçkimse birşey yazmamış.
Bir başlangıç yap ve birşeyler yaz..."],"This profile stream is still empty":["Bu profilin yayını hala boş"],"This space is still empty!
Start by posting something here...":["Bu mekan hala boş!Burada bir şey paylaşarak başla..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Panon bomboş!Profilinde birşeyler paylaş veya birkaç mekana katıl!"],"Your profile stream is still empty
Get started and post something...":["Profil yayının hala boş
Başlangıç olarak birşeyler paylaş..."],"Nothing found which matches your current filter(s)!":["Filtrenize uyan hiçbir şey bulunamadı!"],"Show all":["Hepsini göster"],"Back to stream":["Yayına dön","Akışlara geri dön"],"Content with attached files":["Ekli dosyalarla içerik"],"Created by me":["Benim tarafımdan oluşturuldu","Açtıklarım"],"Creation time":["Oluşturulma zamanı","Oluşturma süresi"],"Filter":["Filtre"],"Include archived posts":["Arşivlenen gönderileri içer"],"Last update":["Son güncelleme"],"Only private posts":["Sadece gizli gönderiler"],"Only public posts":["Sadece açık gönderiler"],"Posts only":["Sadece gönderiler"],"Posts with links":["Linkler gönderilerle birlikte"],"Sorting":["Sıralama"],"Where I´m involved":["Nerede gelişebilirim"],"No public contents to display found!":["Gösterilebilecek içerik bulanamadı!"],"Directory":["Dizin"],"Member Group Directory":["Kullanıcı Grup dizini"],"show all members":["tüm kullanıcıları göster"],"Directory menu":["Dizin menüsü"],"Members":["Üyeler","Kullanıcılar"],"User profile posts":["Kullanıcı gönderileri"],"Member directory":["Kullanıcı dizini"],"Follow":["Takip et"],"No members found!":["Kullanıcı bulunamadı!"],"Unfollow":["Takibi Bırak"],"search for members":["kullanıcılar için ara"],"Space directory":["Mekan dizini"],"No spaces found!":["Mekan bulunamadı!"],"You are a member of this space":["Bu mekanın bir üyesisiniz"],"search for spaces":["mekanlarda ara"],"There are no profile posts yet!":["Profil mesajı henüz bulunmamaktadır!"],"Group stats":["Grup istatistikleri"],"Average members":["Ortalama üye"],"Top Group":["En iyi grup"],"Total groups":["Toplam gruplar"],"Member stats":["Kullanıcı istatistikleri"],"New people":["Yeni insanlar"],"Follows somebody":["Birilerini takip et"],"Online right now":["Şu anda çevrimiçi"],"Total users":["Toplam kullanıcı"],"See all":["Tümünü gör"],"New spaces":["Yeni mekanlar"],"Space stats":["Mekan istatistikleri"],"Most members":["Çoğu üye"],"Private spaces":["Özel mekanlar"],"Total spaces":["Toplam mekanlar"],"Could not find requested file!":["İstenen dosya bulunamadı!"],"Insufficient permissions!":["Yetersiz izinler!"],"Maximum file size ({maxFileSize}) has been exceeded!":["Maksimum dosya büyüklüğüne {maxFileSize} ulaşıldı"],"This file type is not allowed!":["Bu dosya türü için izin yok!"],"Created By":["Oluşturan"],"Created at":["Oluşturulma zamanı"],"File name":["Dosya adı"],"Guid":["Guid"],"ID":["ID","Kimlik"],"Invalid Mime-Type":["Geçersiz Mime-Type"],"Mime Type":["Mime Type"],"Size":["Boyut"],"Updated at":["Güncelleme zamanı"],"Updated by":["Güncelleyen"],"Could not upload File:":["Dosya yüklenemedi:"],"Upload files":["Dosya yükle"],"List of already uploaded files:":["Yüklenen dosyaların listesi:"],"Create Admin Account":["Yönetici Hesabı Oluştur"],"Name of your network":["Sosyal Ağınızın Adı"],"Name of Database":["Database Adı"],"Admin Account":["Yönetici Hesabı"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Neredeyse bitti. Son adımda bir yönetici hesabı oluşturmak için formu doldurmanız gerekli. Bu hesapla sosyal ağı yöneteceksiniz."],"Next":["İleri"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Yeni bir Sosyal Ağ adı gerekiyor. Beğendiğiniz bir isim giriniz."],"Social Network Name":["Sosyal Ağ İsim"],"Congratulations. You're done.":["Tebrikler tüm adımları tamamladınız."],"Setup Complete":["Kurulum Tamamlandı"],"Sign in":["Giriş Yap"],"The installation completed successfully! Have fun with your new social network.":["Kurulum başarıyla tamamlandı!
Yeni sosyal ağınız ile paylaşım yapmaya başlayabilirsiniz."],"Setup Wizard":["Kurulum Sihirbazı"],"Welcome to HumHub
Your Social Network Toolbox":["Humhub Sosyal Ağ Kurulumu"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Kurulum sihirbazı ile kendi Humhub Sosyal Ağınızı oluşturabilirsiniz.
Devam etmek için İleri'yi tıklatın."],"Yes, database connection works!":["Evet, veritabanı bağlantısı çalışıyor!"],"Database Configuration":["Database Ayarlamaları"],"Ohh, something went wrong!":["Ohh, bir şeyler yanlış gitti!"],"Your MySQL password.":["MySQL şifre"],"Your MySQL username":["MySQL kullanıcı adı"],"System Check":["Sistem Kontrol"],"Check again":["Kontrol Et"],"Could not find target class!":["Hedef bölüm bulunamadı!"],"Could not find target record!":["Hedef kayıt bulunamadı!"],"Invalid class given!":["Verilen bölüm geçersiz!"],"Users who like this":["Hangi kullanıcılar beğendi"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} beğendi {contentTitle}"],"%displayName% also likes the %contentTitle%.":["%contentTitle% içeriğini %displayName% beğendi."],"%displayName% likes %contentTitle%.":["%displayName% %contentTitle% içeriğini beğendi."],"Like":["Beğen"],"Unlike":["Beğenme"]," likes this.":["beğendi."],"You like this.":["Bunu beğendin."],"You
":["Sen
"],"and {count} more like this.":["ve {count} kişi beğendi."],"Could not determine redirect url for this kind of source object!":["Kaynak nesne için yönlendirilen link saptanamıyor!"],"Could not load notification source object to redirect to!":["Kaynak nesne için yönlendirilen bildirim bulunamıyor!"],"New":["Yeni"],"Mark all as seen":["Hepsini okundu işaretle"],"There are no notifications yet.":["Henüz bildirim bulunmuyor."],"%displayName% created a new post.":["%displayName% yeni bir gönderi yazdı."],"Edit your post...":["Gönderini düzenle..."],"Read full post...":["Gönderinin tamamını oku..."],"Search results":["Arama sonuçları"],"Content":["İçerik"],"Send & decline":["Gönder ve kabul etme"],"Visible for all":["Tümü görebilir"]," Invite and request":[" Davet et ve İstek yolla"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Mekan sahibi bir kullanıcı silinemedi! Mekanın adı: {spaceName}"],"Everyone can enter":["Herkes girebilir"],"Invite and request":["Davet et ve İstek yolla"],"Only by invite":["Sadece davelliler"],"Private (Invisible)":["Özel (Görünmez)"],"Public (Members & Guests)":["Genel (Üyeler & Misafir)"],"Public (Members only)":["Genel (Üyeler için)"],"Public (Registered users only)":["Genel (Sadece kayıtlı kullanıcılar)"],"Public (Visible)":["Genel (Görünür)"],"Visible for all (members and guests)":["Tümü görebilir (Üye ve Misafir)"],"Space is invisible!":["Mekan görünmez!"],"You need to login to view contents of this space!":["Bu alanda içeriğini görüntülemek için giriş yapmalısınız!"],"As owner you cannot revoke your membership!":["Sahibi olarak siz üyeliğinizi iptal edemezsiniz!"],"Could not request membership!":["Üyelik isteği olmadı!"],"There is no pending invite!":["Bekleyen davet bulunmuyor!"],"This action is only available for workspace members!":["Bu eylem sadece mekan üyeleri için kullanabilir!"],"You are not allowed to join this space!":["Bu mekana katılmanıza izin verilmiyor!"],"Your password":["Şifreniz"],"New user by e-mail (comma separated)":["e-mail adresi ile yeni kullanıcı (virgülle ayılmış)"],"Invites":["Davetler"],"User is already member!":["Kullanıcı zaten üye"],"{email} is already registered!":["{email} zaten kayıtlı!"],"{email} is not valid!":["{email} adresi geçersiz!"],"Application message":["Uygulama mesajı"],"Scope":["Faaliyet"],"Strength":["Kadro"],"Created At":["Oluşturulma zamanı"],"Join Policy":["Politikaya Katıl"],"Name":["İsim","Ad"],"Owner":["Sahibi"],"Status":["Durum"],"Tags":["Etiketler"],"Updated At":["Güncelleme zamanı"],"Visibility":["Görünüm"],"Website URL (optional)":["Website adresi (isteğe bağlı)"],"You cannot create private visible spaces!":["Özel görünür mekanlar oluşturamazsın!"],"You cannot create public visible spaces!":["Genel görünür mekanlar oluşturamazsın!"],"Select the area of your image you want to save as user avatar and click Save.":["Kullanıcı fotoğrafı olarak kullanmak istediğin alanı seç ve Kaydet e tıkla"],"Modify space image":["Mekan resmi değiştir"],"Delete space":["Mekanı Sil"],"Are you sure, that you want to delete this space? All published content will be removed!":["Tüm yayınlanan içerikler silinecektir! Bu mekanı silmek istediğinizden emin misiniz?"],"Please provide your password to continue!":["Lütfen devam etmek için şifrenizi girin!"],"General space settings":["Genel mekan ayarları"],"Archive":["Arşiv"],"Choose the kind of membership you want to provide for this workspace.":["Bu çalışma alanı için geçerli bir üyelik türü seçin."],"Choose the security level for this workspace to define the visibleness.":["Bu çalışma alanının görünürlük düzeyini seçin."],"Search members":["Üyelerde ara"],"Manage your space members":["Mekan üyelerini yönet"],"Outstanding sent invitations":["Gönderilmeyi bekleyen davetler"],"Outstanding user requests":["Gönderilmeyi bekleyen istekler"],"Remove member":["Üyeyi sil"],"Allow this user to
invite other users":["Bu kullanıcının diğerlerini
davet etmesine izin ver"],"Allow this user to
make content public":["Bu kullanıcının içerik
oluşturmasına izin ver"],"Are you sure, that you want to remove this member from this space?":["Bu üyeyi mekandan silmek istediğinize emin misiniz?"],"Can invite":["Davet edebilir"],"Can share":["Paylaşabilir"],"Change space owner":["Mekan sahibi değiştir"],"External users who invited by email, will be not listed here.":["Kimler eposta ile davet gönderebilir, burada listelenmez."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Aşağıdaki mekanda aktif kullanıcılara bakın. Ayrıcalıklarını düzenleyebilir ya da kaldırabilirsiniz."],"Is admin":["Yönetici"],"Make this user an admin":["Bu kullanıcıyı yönetici yap"],"No, cancel":["Hayır, iptal"],"Remove":["Sil"],"Request message":["İstek mesajı"],"Revoke invitation":["Daveti geri al"],"The following users waiting for an approval to enter this space. Please take some action now.":["Aşağıdaki kullanıcılar mekana katılmak için onay bekliyor. Lütfen bir aksiyon seçin."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Aşağıdaki kullanıcılar zaten bu mekana davet edildi, fakat şimdiye kadar daveti takip etmediler."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Tüm ayrıcalıklara ve süper admin yetkilerine olan mekan sahipleri ve mekan oluşturan normal kullanıcılar. Burda başka bir kullanıcı ile rolleri değiştirebilirsiniz."],"Yes, remove":["Evet, sil"],"Space Modules":["Mekan Modülleri"],"Are you sure? *ALL* module data for this space will be deleted!":["Emin misiniz? Bu alan için *TÜM * modül verileri silinecek!"],"Currently there are no modules available for this space!":["Şu anda bu mekanda hiçbir modül bulunmuyor!"],"Enhance this space with modules.":["Modüller ile bu alanı geliştirin."],"Create new space":["Yeni mekan oluştur"],"Advanced access settings":["Gelişmiş erişim ayarları "],"Advanced search settings":["Gelişmiş arama ayarları"],"Also non-members can see this
space, but have no access":["Üye olmayanlar bu mekanı
görebilir, fakat erişemezler."],"Create":["Oluştur"],"Every user can enter your space
without your approval":["Tüm kullanıcılar onay olmadan
mekana katılabilirler"],"For everyone":["Herkes için"],"How you want to name your space?":["Mekanınıza nasıl bir isim istiyorsunuz?"],"Please write down a small description for other users.":["Diğer kullanıcılar için küçük bir açıklama yazınız."],"This space will be hidden
for all non-members":["Bu mekan üye olmayanlar için gizli olacak"],"Users can also apply for a
membership to this space":["Kullanıcılar bu alana
üyelik için başvurabilir"],"Users can be only added
by invitation":["Kullanıcılar sadece
davetiye ile eklenebilir"],"space description":["mekan açıklaması"],"space name":["mekan adı"],"{userName} requests membership for the space {spaceName}":["{spaceName} mekanı için üyelik talepleri {userName}"],"{userName} approved your membership for the space {spaceName}":["{spaceName} mekanı için üyeliğiniz onaylandı {userName}"],"{userName} declined your membership request for the space {spaceName}":["{spaceName} mekanı için üyelik talebiniz reddedildi {userName}"],"{userName} invited you to the space {spaceName}":["{userName} sizi {spaceName} mekanına davet etti"],"{userName} accepted your invite for the space {spaceName}":["{spaceName} mekanı için davetiniz kabul edildi {userName}"],"{userName} declined your invite for the space {spaceName}":["{spaceName} mekanı için davetiniz reddedildi {userName}"],"This space is still empty!":["Bu alan halen boş!"],"Accept Invite":["Daveti kabul et"],"Become member":["Üye ol"],"Cancel membership":["Üyeliği iptal et"],"Cancel pending membership application":["Bekleyen üyelik başvurusunu iptal et"],"Deny Invite":["Daveti reddet"],"Request membership":["Üyelik isteği"],"You are the owner of this workspace.":["Bu mekanın sahibi"],"created by":["oluşturan"],"Invite members":["Üye davet et"],"Add an user":["Kullanıcı ekle"],"Email addresses":["Email adresleri"],"Invite by email":["Email ile davet et"],"New user?":["Yeni kullanıcı?"],"Pick users":["Kullanıcıları seç"],"Send":["Gönder"],"To invite users to this space, please type their names below to find and pick them.":["Bu mekana kullanıcıları davet etmek, bulmak ve onları almak için aşağıya isimlerini yazınız."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Dışardan kullanıcı davet edebilirsiniz. Sadece virgülle ayırarak e-posta adreslerini ekleyin."],"Request space membership":["Mekan üyeliği isteği","Mekan üyelik isteği"],"Please shortly introduce yourself, to become an approved member of this space.":["Bu mekana üye olabilmek için lütfen kısaca kendinizi tanıtın."],"Your request was successfully submitted to the space administrators.":["İsteğiniz başarılı bir şekilde mekan sahiplerine iletildi."],"Ok":["Tamam"],"User has become a member.":["Kullanıcı üye yapılmıştır."],"User has been invited.":["Kullanıcı davet edildi."],"User has not been invited.":["Kullanıcı davet edilmemiştir."],"Back to workspace":["Mekana geri dön"],"Space preferences":["Mekan tercihleri"],"General":["Genel"],"My Space List":["Mekan listesi"],"My space summary":["Mekan özeti"],"Space directory":["Mekan dizini"],"Space menu":["Mekan menüsü"],"Stream":["Akış","Yayın"],"Change image":["Resmi değiştir"],"Current space image":["Geçerli mekan resmi"],"Do you really want to delete your title image?":["Kapak resmini silmek istiyor musun?","Başlık görüntüsünü silmek istiyor musunuz?"],"Do you really want to delete your profile image?":["Profil resmini silmek istiyor musun?"],"Invite":["Davet"],"Something went wrong":["Birşeyler yanlış"],"Followers":["Takipçiler"],"Posts":["Mesajlar"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Bu mekana üye olabilmek için lütfen kısaca kendinizi tanıtın."],"Request workspace membership":["Mekan üyeliği talebi"],"Your request was successfully submitted to the workspace administrators.":["İsteğiniz başarılı bir şekilde yöneticilere iletildi."],"Create new space":["Yeni mekan aç"],"My spaces":["Mekanlarım","Mekanım"],"Space info":["Mekan bilgisi"],"more":["daha"],"Accept invite":["Daveti kabul et"],"Deny invite":["Davet reddet"],"Leave space":["Mekandan ayrıl"],"New member request":["Yeni üye isteği"],"Space members":["Mekan üyeleri"],"End guide":["Klavuz sonu"],"Next »":["İleri »"],"« Prev":["« Geri"],"Administration":["Yönetim"],"Hurray! That's all for now.":["Yaşasın! Şimdilik hepsi bu."],"Modules":["Modüller"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Bir yönetici olarak, buradan tüm platformu yönetebilirsiniz.

Modüllerden ayrı olarak, burada olarak her bir noktaya detay oluşturabilir, kendi kısa açıklamalarını belirtebilirsiniz."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Şu an araçlar menüsündesiniz. Burdan HumHub online pazarına erişebilir, anında yüklemeler yapabilirsiniz.

Araçları mekanları özelleştirmek için kullanabilirsiniz."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["En önemli özellikleri ve ayarları öğrendin ve hepsi platformu kullanmaya başlaman için ayarlandı.

Umarız sen ve gelecekteki tüm kullanıcılar siteyi kullanırken eğlenirsiniz. Projemiz için her türlü istediğin öneri ve desteklerini bekliyor olacağız. Bizle rahatlıkla www.humhub.org adresinden iletişime geçebilirsin.

Bizi izlemeye devam edin. :-)"],"Dashboard":["Kontrol paneli"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Bu sizin kontrol paneliniz

Yeni aktiviyelere ve gönderiler bu link altında gösterilir."],"Administration (Modules)":["Yönetim (Modüller)"],"Edit account":["Hesap düzenle"],"Hurray! The End.":["Yaşasın! Bitti."],"Hurray! You're done!":["Yaşasın! Başardın!"],"Profile menu":["Profil menü","Profil menüsü"],"Profile photo":["Profil resmi"],"Profile stream":["Profil akışı"],"User profile":["Kullanıcı profili"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Butona tıklayarak profilini güncelleyebilir veya hesap ayarlarını düzenleyebilirsin. Ayrıca profili daha fazla bilgi ekleyebilirsin. "],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Her profil kendi panolarına sahiptir. Ayrıca seni takip eden kişiler gönderilerini buradn görebilir."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Mekan gibi, kullanıcı profili de çeşitli modüllerle kişiselleştirilebilir.

Profilin için uygun olan modüllere hesap ayarları menüsündeki \"Modüller\" sekmesinden bakabilirsin."],"This is your public user profile, which can be seen by any registered user.":["Bu senin açık kullanıcı profilin, profilin üye olan kullanıcılar tarafından görünürdür."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Buraya tıklayarak veya sürükle&bırak ile kolayca profil fotoğrafı yükleyebilirsin. Aynı şeyi kapak fotoğrafın için de yapabilirsin."],"You've completed the user profile guide!":["Kullanıcı profil rehberini bitirdin!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Kullanıcı profil rehberini bitirdin!

Yönetim rehberine devam etmek için, buraya tıkla:

"],"Most recent activities":["Son aktiviteler"],"Posts":["Gönderiler"],"Profile Guide":["Profil Rehberi"],"Space":["Mekan"],"Space navigation menu":["Mekan navigasyon menü"],"Writing posts":["Gönderi oluşturma"],"Yay! You're done.":["Hey! Herşeyi kaptın."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Mekanın tüm üyeleri burada görünecek.

Yeni üyeler yöneticinin yetki verdiği herhangi bir üye tarafından eklenebiMekanın tüm üyeleri burada görünecek.

Yeni üyeler yöneticinin yetki verdiği herhangi bir üye tarafından eklenebilir."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Diğer üyelere mekan hakkında kısa öz bilgi ver. Buraya basit bilgiler ekleyebilirsin.

Mekan yöneticisi mekanın kapak fotoğrafını tıklayarak veya sürükle&bırak ile değiştirebiDiğer üyelere mekan hakkında kısa öz bilgi ver. Buraya basit bilgiler ekleyebilirsin.

Mekan yöneticisi mekanın kapak fotoğrafını tıklayarak veya sürükle&bırak ile değiştirebilir."],"New posts can be written and posted here.":["Yeni gönderiler burada yazılıp gönderilebiYeni gönderiler burada yazılıp gönderilebilir."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Mekana katıldığında veya yeni oluşturduğunda projeler üzerinde çalışabilirsin, konular üzerinde tartış veya sadece diğerleri ile bilgi paylaş.

Mekanı kişiselleştirmek için birçok araç mevcut, bu sayede proje sürecini daha üretken hale getirebilirsin."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["Bu mekan rehberi için.

Profil rehberine devam etmek için, buraya tıklBu mekan rehberi için.

Profil rehberine devam etmek için, buraya tıkla: "],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Buradan mekanını yönetebilirsin - seçtiğin veya bulunduğun mekan için modülleri aktifleştirip inaktifleştirebileceğin araçlar mevcut. Örneğin oylamalar, görevler veya notlar olabilir.

Sadece mekan yöneticisi modülleri yönetebiBuradan mekanını yönetebilirsin - seçtiğin veya bulunduğun mekan için modülleri aktifleştirip inaktifleştirebileceğin araçlar mevcut. Örneğin oylamalar, görevler veya notlar olabilir.

Sadece mekan yöneticisi modülleri yönetebilir."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Bu menü sadece mekan yöneticileri için görünür. Buradan mekan ayarlarını yönetebilir, üye ekleme/engelleme ve modül aktifleştirme/deaktifleştirme işlemlerini yapabilirsin."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Kendini güncel tutman için, diğer kullanıcıların son aktiviteleri burada görünecek."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Senin ve diğer kullanıcıların gönderileri burada görünecek.

Buradan beğenilebilir veya yorumda bulunulabilir. "],"Account Menu":["Hesap Menüsü"],"Notifications":["Bildirimler"],"Space Menu":["Mekan Menüsü"],"Start space guide":["Mekan rehberine Başla"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Hiçbirşeyi kaçırma!

Bu ikon seni ilgilendiren aktiviteler ve gönderiler hakkında seni doğrudan bilgilendirecek."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Hesap menüsü sana gizli ayarlarına erişim hakkı ve açık profilini yönetmeni sağlar."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Bu en önemli menü muhtemelen en çok kullandığın menü olacak!

Katıldığın mekanlara gözat, yeni mekanlar oluştur.

Sonraki adımda nasıl olacağını göreceksin:"]," Remove panel":[" Paneli kaldır"],"Getting Started":["Başlarken"],"Guide: Administration (Modules)":["Rehber: Yönetim (Modüller)"],"Guide: Overview":["Rehber: Genel bakış"],"Guide: Spaces":["Rehber: Mekanlar"],"Guide: User profile":["Rehber: Kullanıcı profili"],"Get to know your way around the site's most important features with the following guides:":["Takip eden adımlarla sitenin en önemli özelliklerini tanıyın:"],"This user account is not approved yet!":["Bu kullanıcı hesabı henüz onaylanmamış!"],"You need to login to view this user profile!":["Bu kullanıcının profilini görmek için giriş yapmalısınız!"],"Your password is incorrect!":["Girdiğin şifre yanlış"],"You cannot change your password here.":["Burada şifreni değiştiremezsin."],"Invalid link! Please make sure that you entered the entire url.":["Geçersiz link! Lütfen url nin tamamını girdiğinizden emin olun."],"Save profile":["Profili kaydet"],"The entered e-mail address is already in use by another user.":["Girdiğin mail adresi zaten başka bir kullanıcı tarafından kullanımda."],"You cannot change your e-mail address here.":["Burada mail adresini değiştiremezsin."],"Account":["Hesap"],"Create account":["Hesap Oluştur"],"Current password":["Kullandığın şifren","Şuanki şifre"],"E-Mail change":["Mail adresi değiştir"],"New E-Mail address":["Yeni mail adresi"],"Send activities?":["Aktiviteleri gönder?"],"Send notifications?":["Bildirimleri gönder?"],"Incorrect username/email or password.":["Yanlış kullanıcı adı/email veya şifre"],"New password":["Yeni şifre"],"New password confirm":["Yeni şifre doğrula"],"Remember me next time":["Daha sonra hatırla"],"Your account has not been activated by our staff yet.":["Hesabın çalışanlar taradından daha aktive edilmedi."],"Your account is suspended.":["Hesabın banlandı."],"Password recovery is not possible on your account type!":["Hesap türünüz şifre kurtarma için uygun değil!"],"E-Mail":["Email","E-Posta","E-posta"],"Password Recovery":["Şifre Kurtarma"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" bulunamadı!"],"E-Mail is already in use! - Try forgot password.":["E-Posta adresi kullanılıyor - Şifremi Unuttum."],"Hide panel on dashboard":["Panoda paneli gizle"],"Invalid language!":["Geçersiz Dil!","Geçersiz dil!"],"Profile visibility":["Profil görünürlük"],"TimeZone":["Zaman Dilimi"],"Default Space":["Varsayılan Mekan"],"Group Administrators":["Grup Yöneticisi"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Üyeler gizli mekan oluşturabilir"],"Members can create public spaces":["Üyeler açık mekan oluşturabilir"],"Birthday":["Doğumtarihi","Doğumgünü"],"City":["Şehir"],"Country":["Ülke"],"Custom":["Gelenek"],"Facebook URL":["Facebook Adres"],"Fax":["Fax"],"Female":["Bayan"],"Firstname":["Ad"],"Flickr URL":["Flickr Adres"],"Gender":["Cinsiyet"],"Google+ URL":["Google+ Adres"],"Hide year in profile":["Yılı profilde gizle"],"Lastname":["Soyad"],"LinkedIn URL":["LinkedIn Adres"],"MSN":["MSN"],"Male":["Erkek"],"Mobile":["Mobil"],"MySpace URL":["MySpace Adres"],"Phone Private":["Telefon No"],"Phone Work":["İş Telefonu"],"Skype Nickname":["Skype Adı"],"State":["İlçe"],"Street":["Cadde"],"Twitter URL":["Twitter Adres"],"Url":["Adres"],"Vimeo URL":["Vimeo Adres"],"XMPP Jabber Address":["XMPP Jabber Adres"],"Xing URL":["Xing Adres"],"Youtube URL":["Youtube Adres"],"Zip":["Zip"],"Created by":["Oluşturan"],"Editable":["Düzenlenebilir"],"Field Type could not be changed!":["Alan değiştirilemez!"],"Fieldtype":["Alan Tipi"],"Internal Name":["iç Adı"],"Internal name already in use!":["İç ad zaten kullanımda"],"Internal name could not be changed!":["iç ad değiştirilemedi"],"Invalid field type!":["Geçersiz alan tipi"],"LDAP Attribute":["LDAP özelliği"],"Module":["Modül"],"Only alphanumeric characters allowed!":["Sadece alfanümerik karakterler izinli!"],"Profile Field Category":["Profil alanı Kategorisi"],"Required":["Gerekli"],"Show at registration":["Kayıtta göster"],"Sort order":["Sırala"],"Translation Category ID":["Çeviri kategori ID si","Çeviri kategori id si"],"Type Config":["Ayar Tipi"],"Visible":["Görünür"],"Communication":["İletişim"],"Social bookmarks":["Sosyal imler"],"Datetime":["Tarih zamanı"],"Number":["Rakam"],"Select List":["Seçim Listesi"],"Text":["Yazı"],"Text Area":["Yazı alanı"],"%y Years":["%y Yıl"],"Birthday field options":["Doğumgünü alanı seçenekleri"],"Date(-time) field options":["Tarih (-zaman) alanı seçenekleri"],"Show date/time picker":["Tarih/zaman seçici göster"],"Maximum value":["Maksimum değer"],"Minimum value":["Minimum değer"],"Number field options":["Rakam alanı seçenekleri"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Her satır için bir secenek. Anahtar=>Değer Formatı (Örn. evet=>evet)"],"Please select:":["Lütfen seç:"],"Possible values":["Uygun değerler"],"Select field options":["Çoktan seçmeli seçenekleri"],"Default value":["Varsayılan değer"],"Maximum length":["Maksimum uzunluk"],"Minimum length":["Minimum uzunluk"],"Regular Expression: Error message":["Düzenli İfade: Hata mesajı"],"Regular Expression: Validator":["Düzenli İfade: Doğrulayıcı"],"Text Field Options":["Yazı Alanı Seçenekleri"],"Validator":["Doğrulayıcı"],"Text area field options":["Yazı alanı seçenekleri"],"Authentication mode":["Kimlik Doğrulama modu"],"New user needs approval":["Yeni kullanıcı onay bekliyor"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Kullanıcı adı sadece harfler, rakamlar, boşluk ve özel karakter (+-._) içerebilir"],"Wall":["Duvar"],"Change E-mail":["Mail adresiDeğiştir","Email Değiştir","Mail adresini Değiştir"],"Current E-mail address":["Geçerlli E-posta adresi"],"Your e-mail address has been successfully changed to {email}.":["Yeni mail adresin {email} adresi ile başarıyla değiştirildi."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Yeni mail adresine bir doğrulama maili gönderdik.
Lütfen içindeki adımları takip et"],"Change password":["Şifreni Değiştir"],"Password changed":["Şifre Değişti"],"Your password has been successfully changed!":["Şifren başarı ile değiştirildi!"],"Modify your profile image":["Profil resmini değiştir","Profil fotoğrafını değiştir"],"Delete account":["Hesabı Sil"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Hesabını silmek istediğine emin misin?
Tüm yayında olan gönderilerin kaldırılacak! "],"Delete account":["Hesabı sil","Hesabı Sil"],"Enter your password to continue":["Devam için şifrenizi girin"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Özür dileriz, bir mekan sahibi olarak hesabını silemezsin!
Lütfen mekanı başka bir kullanıcıya devret veya hepsini sil!"],"User details":["Kullanıcı detayları"],"User modules":["Kullanıcı modülleri"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Profilindeki *TÜM* modül verileri silinmiş olacak! Emin misin?"],"Enhance your profile with modules.":["Profilini modüllerle genişlet."],"User settings":["Kullanıcı ayarları"],"Getting Started":["Başlarken"],"Registered users only":["Kayıtlı kullanıcılar sadece"],"Visible for all (also unregistered users)":["Görünürlük tüm (ayrıca kayıtsız kullanıcılar için) "],"Desktop Notifications":["Masaüstü Bildirimler"],"Email Notifications":["Email Bildirimleri"],"Get a desktop notification when you are online.":["Çevrimiçi olduğunuzda bir masaüstü bildirim alın."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["İş mekanları içerisinde takip ettiğin her kişinin her aktivitesi için."],"Get an email, when other users comment or like your posts.":["Gönderine kullanıcılar yorum yaptığında veya beğendiğinde mail al."],"Account registration":["Hesap oluştur"],"Create Account":["Hesap Oluştur"],"Your account has been successfully created!":["Hesabın başarı ile oluşturuldu!"],"After activating your account by the administrator, you will receive a notification by email.":["Hesabın yöneticiler tarafından aktif edildikten sonra, bir mail ile bilgilendirileceksin."],"Go to login page":["Giriş sayfasına git"],"To log in with your new account, click the button below.":["Yeni hesabınla giriş yapmak için, aşağıdaki butona tıkla."],"back to home":["anasayfaya dön","Anasayfaya dön"],"Please sign in":["Giriş yap"],"Sign up":["Kayıt ol"],"Create a new one.":["Yeni oluştur"],"Don't have an account? Join the network by entering your e-mail address.":["Bir hesabınız yok mu? E-posta adresinizi girerek kayıt olun."],"Forgot your password?":["Şifreni mi unuttun?"],"If you're already a member, please login with your username/email and password.":["Üye iseniz Kullanıcı Adı/ E-posta ve şifreniz ile giriş yapınız."],"Register":["Kayıt Ol"],"email":["E-posta"],"password":["Şifre"],"username or email":["Kullanıcı Adı / E-posta"],"Password recovery":[" Şifre kurtarma","Şifre kurtarma"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Sadece mail adresini gir. Sana şifreni kurtarma adımlarını göndereceğiz."],"Password recovery":["Şifre kurtarma"],"Reset password":["Şifre sıfırla"],"enter security code above":["Yeni Şifre"],"your email":["E-posta Adresin"],"Password recovery!":["Şifre kurtar!"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Sana şifreni sıfırlamana yardımcı olacak bir mail gönderdik."],"Registration successful!":["Kayıt başarılı!"],"Please check your email and follow the instructions!":["Lütfen email adresini kontrol et ve bilgilere uyLütfen email adresini kontrol et ve bilgilere uy!"],"Registration successful":["Kayıt başarılı"],"Change your password":["Şifreni Değiştir"],"Password reset":["Şifreni sıfırla"],"Change password":["Şifre değiştir"],"Password reset":["Şifreni sıfırla"],"Password changed!":["Şifre değişti!"],"Confirm your new email address":["Yeni mail adresinizi doğrulayın"],"Confirm":["Doğrula"],"Hello":["Merhaba"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Email adresini değiştirmek için istek yolladın.
Yeni mail adresin {newemail}.

Yeni mail adresini kabul etmek için aşağıdaki butona tıkla."],"Hello {displayName}":["Merhaba {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Eğer bu linki 24 saat içinde kullanmazsan, geçerliliği bitecek."],"Please use the following link within the next day to reset your password.":["Lütfen 24 saat içerisinde şifrenizi kurtarmak için takip eden linke tıklayın."],"Reset Password":["Şifre Sıfırla"],"Registration Link":["Kayıt Linki"],"Sign up":["Kaydol"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["%appName% uygulamasına hoşgeldin. Üyelikle devam etmek için lütfen aşağıdaki butona tıkla."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Bir sosyal ağ iletişi ve takımına katılmak için..
Şimdi kaydol ve mekana katıl."],"Sign up now":["Şimdi kaydolun","Şimdi kayıt ol"],"Space Invite":["Mekan DavMekan Davet"],"You got a space invite":["Bir mekan davetin var"],"invited you to the space:":["Mekana davet eden:"],"{userName} mentioned you in {contentTitle}.":["{userName} {contentTitle} içeriğinde senden bahsetti."],"{userName} is now following you.":["{userName} şimdi seni takip ediyor."],"About this user":["Bu kullanıcı hakkında"],"Modify your title image":["Başlık fotoğrafını değiştir"],"This profile stream is still empty!":["Profil yayını hala boş!"],"Do you really want to delete your logo image?":["Logo görüntüsünü silmek istiyor musun?"],"Account settings":["Hesap ayarları"],"Profile":["Profil"],"Edit account":["Hesabı düzenle"],"Following":["Takip edilenler"],"Following user":["Takip edilen kullanıcı"],"User followers":["Kullanıcı takipçileri"],"Member in these spaces":["Üye mekanları"],"User tags":["Kullanıcı etiketler"],"No birthday.":["Hiçbir doğum günü yok."],"Back to modules":["Modüllere dön"],"Tomorrow":["Yarın"],"Upcoming":["Yaklaşan"],"becomes":["olur"],"birthdays":["doğum günü"],"days":["Günler"],"today":["bugün"],"years old.":["yaşında."],"Active":["Aktif"],"Mark as unseen for all users":["Tüm kullanıcılar için işaretle olarak görünmeyen"],"Breaking News Configuration":["Son Dakika Haberleri Yapılandırma"],"Note: You can use markdown syntax.":["Not: Markdown söz dizimini kullanabilirsiniz."],"End Date and Time":["Bitiş tarihi ve saati"],"Recur":["Hatırlatma"],"Recur End":["Son hatırlatma"],"Recur Interval":["Aralıklarla hatırlatma"],"Recur Type":["Hatırlatma şekli"],"Select participants":["Katılımcıları seç"],"Start Date and Time":["Başlangıç tarihi ve saati"],"You don't have permission to access this event!":["Bu etkinliğe erişmek için izniniz yok!"],"You don't have permission to create events!":["Etkinlik oluşturmak için izniniz yok!"],"Adds an calendar for private or public events to your profile and mainmenu.":["Profilinize ve ana menünüze etkinlikler için bir takvim ekler."],"Adds an event calendar to this space.":["Bu mekana bir etkinlik takvimi ekler."],"All Day":["Tüm günler"],"Attending users":["Katılanlar"],"Calendar":["Takvim"],"Declining users":["Katılmayanlar"],"End Date":["Bitiş tarihi"],"End time must be after start time!":["Bitiş saati başlangıç ​​zamanından sonra olmalıdır!"],"Event":["Etkinlik"],"Event not found!":["Etkinlik bulunamadı!"],"Maybe attending users":["Belki katılanlar"],"Participation Mode":["Katılım şekli"],"Start Date":["Başlangıç tarihi"],"You don't have permission to delete this event!":["Bu etkinliği silmek için izniniz yok!"],"You don't have permission to edit this event!":["Bu etkinliği düzenlemek için izniniz yok!"],"%displayName% created a new %contentTitle%.":["%displayName% yeni bir %contentTitle% içerik oluşturdu."],"%displayName% attends to %contentTitle%.":["%contentTitle% etkinliğe %displayName% katıldı."],"%displayName% maybe attends to %contentTitle%.":["%contentTitle% etkinliğe %displayName% belki katılıcak."],"%displayName% not attends to %contentTitle%.":["%contentTitle% etkinliğe %displayName% katılmıyor."],"Start Date/Time":["Başlangıç tarih/saat"],"Create event":["Etkinlik oluştur"],"Edit event":["Etkinlik düzenle"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Not: Bu etkinlik profilinizde oluşturulur. Eğer mekanda etkinlik açmak istiyorsanız mekan takvimini kullanın."],"End Date/Time":["Bitiş tarih/saat"],"Everybody can participate":["Herkes katılabilir"],"No participants":["Katılımsız"],"Participants":["Katılımcılar"],"Created by:":["Oluşturan:"],"Edit this event":["Etkinliği düzenle"],"I´m attending":["Katılıyorum"],"I´m maybe attending":["Belki katılırım"],"I´m not attending":["Katılmıyorum"],"Attend":["Katılıyorum"],"Maybe":["Belki"],"Filter events":["Etkinlik filtresi"],"Select calendars":["Takvim seç"],"Already responded":["Cevaplananlar"],"Followed spaces":["Mekan"],"Followed users":["Kullanıcı"],"My events":["Etkinliklerim"],"Not responded yet":["Cevaplanmadı"],"Upcoming events ":["Yakındaki etkinlikler"],":count attending":[":katılan"],":count declined":[":katılmayan"],":count maybe":[":belki katılan"],"Participants:":["Katılımcılar"],"Create new Page":["Yeni Sayfa Oluştur"],"Custom Pages":["Özel Sayfalar"],"HTML":["Html"],"IFrame":["İframe"],"Link":["Bağlantı"],"Navigation":["Navigasyon"],"No custom pages created yet!":["Özel sayfalar henüz oluşturulmadı!"],"Sort Order":["Sıralama","Sıralama Düzeni"],"Top Navigation":["En Navigasyon"],"Type":["Tip"],"User Account Menu (Settings)":["Kullanıcı Hesap Menüsü (Ayarlar)"],"Create page":["Sayfa oluştur"],"Edit page":["Sayfa düzenle","Sayfayı Düzenle"],"Default sort orders scheme: 100, 200, 300, ...":["Varsayılan sıralama düzeni: 100, 200, 300, ..."],"Page title":["Sayfa Başlık"],"URL":["Url"],"Toggle view mode":["Geçiş görünümü modu"],"Delete category":["Kategoriyi sil"],"Delete link":["Bağlantıyı sil"],"Linklist":["Bağlantılar"],"Requested link could not be found.":["Bağlantı bulunamadı."],"Messages":["Mesajlar"],"You could not send an email to yourself!":["Kendinize eposta gönderemezsiniz!","Kendinize eposta göndermezsiniz!"],"Recipient":["Alıcı"],"New message from {senderName}":["Yeni mesaj var. Gönderen {senderName}"],"and {counter} other users":["ve {counter} diğer kullanıcılar"],"New message in discussion from %displayName%":["Tartışmaya %displayName% yeni mesaj gönderdi"],"New message":["Yeni mesaj"],"Reply now":["Cevapla"],"sent you a new message:":["yeni bir mesaj gönder:"],"sent you a new message in":["yeni bir mesaj gönder"],"Add more participants to your conversation...":["Konuşmaya daha fazla katılımcı ekleyin..."],"Add user...":["Kullanıcı ekle..."],"New message":["Yeni mesaj"],"Edit message entry":["Mesaj düzenleme"],"Messagebox":["Mesaj kutusu"],"Inbox":["Gelen kutusu"],"There are no messages yet.":["Henüz mesaj bulunmuyor."],"Write new message":["Yeni bir mesaj yaz"],"Confirm deleting conversation":["Konuşmayı sil"],"Confirm leaving conversation":["Konuşmadan ayrıl"],"Confirm message deletion":["Mesajı sil"],"Add user":["Kullanıcı ekle"],"Do you really want to delete this conversation?":["Konuşmayı silmek istiyor musun?"],"Do you really want to delete this message?":["Mesajı silmek istiyor musun?"],"Do you really want to leave this conversation?":["Konuşmadan ayrılmak istiyor musun?"],"Leave":["Ayrıl"],"Leave discussion":["Tartışmadan ayrıl"],"Write an answer...":["Bir cevap yaz"],"User Posts":["Gönderiler"],"Show all messages":["Tüm mesajları göster"],"Send message":["Mesaj gönder"],"Comments created":["Yorumlar"],"Likes given":["Beğeniler"],"Posts created":["Mesajlar"],"Notes":["Notlar"],"Etherpad API Key":["Etherpad API Anahtarı"],"URL to Etherpad":["Etherpad linki"],"Could not get note content!":["İçerik notları alınamadı!"],"Could not get note users!":["Kullanıcı notları alınamadı!"],"Note":["Not"],"{userName} created a new note {noteName}.":["{userName} kullanıcı {noteName} yeni bir not yazdı."],"{userName} has worked on the note {noteName}.":["{userName} kullanıcı {noteName} not üzerinde çalıştı."],"API Connection successful!":["API bağlantısı başarılı!"],"Could not connect to API!":["API bağlantısı sağlanamadı!"],"Current Status:":["Şu an ki durum:"],"Notes Module Configuration":["Not modül yapılandırma"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Lütfen \"/protected/modules/notes/docs/install.txt\" altındaki modül dökümanını okuyun. "],"Save & Test":["Kaydet ve test et"],"The notes module needs a etherpad server up and running!":["Not modülü için çalışan bir etherpad sunucusuna ihtiyaç var!"],"Save and close":["Kaydet ve kapat"],"{userName} created a new note and assigned you.":["{userName} sizin için yeni bir not oluşturdu."],"{userName} has worked on the note {spaceName}.":["{userName} kullanıcı {spaceName} bulunan not üzerinde çalıştı."],"Open note":["Notu aç"],"Title of your new note":["Yeni not başlığı"],"No notes found which matches your current filter(s)!":["Geçerli filtreyle eşleşen hiç bir not bulunamadı!"],"There are no notes yet!":["Henüz not girilmemiş!"],"Polls":["Anketler"],"Could not load poll!":["Anket yüklenemedi!"],"Invalid answer!":["Geçersiz cevap!"],"Users voted for: {answer}":["Kullanıcılar oyladı: {answer}"],"Voting for multiple answers is disabled!":["Birden fazla cevap için oylama devre dışı bırakıldı!"],"You have insufficient permissions to perform that operation!":["Bu işlemi gerçekleştirmek için yeterli izinlere sahip değilsiniz!"],"Answers":["Cevaplar"],"Multiple answers per user":["Kullanıcılar için çoklu cevap"],"Please specify at least {min} answers!":["Lütfen en az {min} cevap işaretleyin!"],"Question":["Soru"],"{userName} voted the {question}.":["{question} anketi {userName} oyladı."],"{userName} created a new {question}.":["{userName} yeni bir soru sordu {question}."],"User who vote this":["Hangi kullanıcılar oyladı"],"{userName} created a new poll and assigned you.":["{userName} sizin için bir soru sordu."],"Ask":["Sor"],"Reset my vote":["Oyumu sıfırla"],"Vote":["Oyla"],"and {count} more vote for this.":["ve {count} oy verildi."],"votes":["oylar"],"Allow multiple answers per user?":["Birden fazla cevap verilsin mi?"],"Ask something...":["Bir şeyler sor..."],"Possible answers (one per line)":["Olası cevaplar (her satır bir cevap)"],"Display all":["Hepsini görüntüle"],"No poll found which matches your current filter(s)!":["Geçerli filtre ile eşleşen anket yok!"],"Asked by me":["Bana sorulan"],"No answered yet":["Henüz cevap yok"],"Only private polls":["Sadece özel anketler"],"Only public polls":["Sadece genel anketler"],"Manage reported posts":["Yönet bildirilen mesajlar"],"Reported posts":["Raporlar"],"by :displayName":["tarafından :displayName"],"Doesn't belong to space":["Mekana ait değil"],"Offensive":["Saldırgan"],"Spam":["Spam"],"Here you can manage reported users posts.":["Bu alanda kullanıcıların mesaj raporlarını yönetebilirsiniz."],"Here you can manage reported posts for this space.":["Bu alanda bildirilen mesajları yönetebilirsiniz."],"Appropriate":["Uygun"],"Delete post":["Mesajı sil"],"Reason":["Neden"],"Reporter":["Tarafından"],"Tasks":["Görevler"],"Could not access task!":["Göreve erişilemedi!"],"{userName} assigned to task {task}.":["{userName} size bir görev atadı {task}."],"{userName} created task {task}.":["{userName} görev oluşturdu {task}."],"{userName} finished task {task}.":["{task} Görev sona erdi {userName} .","{userName} görev sona erdi {task}."],"{userName} assigned you to the task {task}.":["{userName} size {task} görevini atadı."],"{userName} created a new task {task}.":["{userName} yeni bir görev oluşturdu {task}."],"This task is already done":["Görev zaten yapıldı"],"You're not assigned to this task":["Bu göreve atanmadınız."],"Click, to finish this task":["Görevi tamamlamak için tıklayın"],"This task is already done. Click to reopen.":["Görev zaten yapıldı. Yeniden aç."],"My tasks":["Benim görevlerim"],"From space: ":["Mekandan:"],"No tasks found which matches your current filter(s)!":["Filtrenize uygun görev bulunamadı!"],"There are no tasks yet!
Be the first and create one...":["Henüz görev yok!
İlk görevi oluşturun..."],"Assigned to me":["Bana atanan"],"Nobody assigned":["Hiç kimseye atanan"],"State is finished":["Durum sona erdi"],"State is open":["Durum açık"],"What to do?":["Ne yapalım?"],"Translation Manager":["Çeviri Menejeri"],"Translations":["Çeviriler"],"Translation Editor":["Çeviri Editörü"],"Wiki Module":["Wiki Modül"],"Edit page":["Sayfa Düzenle"],"Main page":["Anasayfa"],"New page":["Yeni sayfa"],"Revert":["Eski haline dön"],"View":["Görünüm"],"Create new page":["Yeni sayfa oluştur"],"New page title":["Yeni Sayfa Başlığı"],"Allow":["İzin ver"],"Default":["Standart"],"Deny":["Reddet"],"Please type at least 3 characters":["Lütfen en az 3 karakter giriniz"],"Add purchased module by licence key":["Satın alınan lisans anahtarı ile modül ekle"],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["Merhaba {displayName},

\n\n Hesabınız aktive edildi.

\n\n Giriş yapmak için tıklayın:
\n {loginURL}

\n\n Saygılarımızla
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["Merhaba {displayName},

\n\n hesap talebiniz reddedildi.

\n\n Saygılarımızla
\n {AdminName}

"],"E-Mail Address Attribute":["E-posta adres özelliği"],"Server Timezone":["Sunucu Saat Dilimi"],"Show sharing panel on dashboard":["Panoda paylaşım panelini göster"],"Default Content Visiblity":["Varsayılan İçerik Görünürlüğü"],"Security":["Güvenlik"],"No purchased modules found!":["Satın alınan modül bulunamadı!"],"Share your opinion with others":["Başkaları ile fikrini paylaş"],"Post a message on Facebook":["Facebook'ta bir mesaj gönder"],"Share on Google+":["Google + 'da Paylaş"],"Share with people on LinkedIn ":["LinkedIn'de kişilerle paylaşın"],"Tweet about HumHub":["Humhub hakkında tweet"],"Downloading & Installing Modules...":["İndirilenler & Modüller yükleniyor..."],"I want to use HumHub for:":["Humhub kullanmak isteğiniz nedir:"],"Recommended Modules":["Önerilen Modüller"],"Search for user, spaces and content":["Kullanıcı, Mekan ve içerik ara"],"Your firstname":["Adınız"],"Your lastname":["Soyadınız"],"Your mobild phone number":["Cep telefonu numaranız"],"Your phone number at work":["İş yeri telefonu numaranız"],"Your title or position":["Çalışma konumunuz"],"End Time":["Bitiş Zamanı"],"Start Time":["Başlangıç Zamanı"],"Edit event":["Etkinlik düzenle"],"Add Dropbox files":["Dropbox'tan dosya ekle"],"Invalid file":["Geçersiz dosya"],"Dropbox API Key":["Dropbox API Anahtarı"],"Show warning on posting":["Mesajla ilgili uyarı göster"],"Dropbox post":["Dropbox sonrası"],"Describe your files":["Dosya açıklaması"],"Sorry! User Limit reached":["Üzgünüm! Kullanıcı Sınırına ulaştı"],"Delete instance":["Örneği Silin","Örneği silin"],"Export data":["İhracat verileri"],"Hosting":["Hosting"],"There are currently no further user registrations possible due to maximum user limitations on this hosted instance!":["Kullandığınız host paketinde maksimum kullanıcı sınırlaması bulunmaktadır. Daha fazla kullanıcı kayıt mümkün değildir!"],"Your plan":["Paketiniz"],"Confirm category deleting":["Kategori silmeyi onayla"],"Confirm link deleting":["Bağlantı silmeyi onayla"],"No description available.":["Kullanılabilir açıklama yok."],"list":["liste"],"Meeting":["Toplantı"],"Meetings":["Toplantılar"],"Meeting details: %link%":["Toplantı detayları: %link%"],"Done":["Bitti"],"Send now":["Şimdi gönder"]} \ No newline at end of file +{"Could not find requested module!":["İstenen modül bulunamadı!"],"Invalid request.":["Geçersiz istek."],"Keyword:":["Anahtar:"],"Nothing found with your input.":["Hiç bir girdi bulunamadı."],"Results":["Sonuçlar"],"Show more results":["Daha fazla sonuç göster"],"Sorry, nothing found!":["Üzgünüz, sonuç bulunamadı!"],"Welcome to %appName%":["%appName% uygulamasına hoşgeldin"],"Latest updates":["Son güncellemeler"],"Search":["Arama"],"Account settings":["Hesap ayarları"],"Administration":["Yönetim"],"Back":["Geri"],"Back to dashboard":["Panele geri dön"],"Choose language:":["Dil Seçin:"],"Collapse":["Başarısız"],"Content Addon source must be instance of HActiveRecordContent or HActiveRecordContentAddon!":["İçerik eklenti kaynağı HActiveRecordContent ya da HActiveRecordAddon şeklinde olmalı!"],"Could not determine content container!":["İçerik kabı saptanamıyor!"],"Could not find content of addon!":["Eklenti içeriği bulunamadı!"],"Error":["Hata"],"Expand":["Göster"],"Insufficent permissions to create content!":["İçerik oluşturmak için izinler yetersiz!"],"It looks like you may have taken the wrong turn.":["Yanlış bir geridönüş var gibi görünüyor."],"Language":["Dil"],"Latest news":["Güncel haberler"],"Login":["Giriş"],"Logout":["Çıkış"],"Menu":["Menü"],"Module is not on this content container enabled!":["Etkin içerik kabı üzerinde modül etkin değil!"],"My profile":["Profilim"],"New profile image":["Yeni profil resmi"],"Oooops...":["Hata..."],"Search":["Arama"],"Search for users and spaces":["Kullanıcı ve alanlarda ara"],"Space not found!":["Mekan bulunamadı!"],"User Approvals":["Kullanıcı onayları"],"User not found!":["Kullanıcı bulunamadı!","Kullanıcı Bulunamadı"],"You cannot create public visible content!":["Genel içerik oluşturmazsınız!"],"Your daily summary":["Günlük özet"],"Login required":["Giriş Yapınız"],"An internal server error occurred.":["Sunucu hatası oluştu."],"You are not allowed to perform this action.":["Bu eylemi gerçekleştirmek için izin gereklidir."],"Global {global} array cleaned using {method} method.":["Küresel {global} dizi yöntemi {method} ile temizlenmelidir."],"Upload error":["Yükleme hatası"],"Close":["Kapat"],"Add image/file":["Resim/Dosya Ekle"],"Add link":["Link Ekle"],"Bold":["Kalın"],"Code":["Kod"],"Enter a url (e.g. http://example.com)":["Url girin (Örnek: http://example.com)"],"Heading":["Başlık"],"Image":["Resim"],"Image/File":["Resim/Dosya"],"Insert Hyperlink":["Bağlantı Ekle"],"Insert Image Hyperlink":["Resim Bağlantısi Ekle"],"Italic":["İtalik"],"List":["Liste"],"Please wait while uploading...":["Yüklenirken lütfen bekleyin..."],"Preview":["Görüntüle"],"Quote":["Alıntı"],"Target":["Hedef"],"Title":["Başlık"],"Title of your link":["Bağlantı Başlığı"],"URL/Link":["URL/Adres"],"code text here":["kod metni girin"],"emphasized text":["vurgulanan metin"],"enter image description here":["resim açıklaması girin"],"enter image title here":["resim başlığını girin"],"enter link description here":["bağlantı açıklaması girin"],"heading text":["başlık metni"],"list text here":["metin listesi girin"],"quote here":["alıntı girin"],"strong text":["kalın metin"],"Could not create activity for this object type!":["Bu nesne türü için etkinlik oluşturamazsınız!"],"%displayName% created the new space %spaceName%":["%displayName% yeni bir alan oluşturdu %spaceName%"],"%displayName% created this space.":["%displayName% bu alanı oluşturdu."],"%displayName% joined the space %spaceName%":["%displayName% - %spaceName% alanına katıldı"],"%displayName% joined this space.":["%displayName% alana katıldı."],"%displayName% left the space %spaceName%":["%displayName% - %spaceName% alanından ayrıldı"],"%displayName% left this space.":["%displayName% alandan ayrıldı."],"{user1} now follows {user2}.":["{user1} artık {user2} takip ediyor."],"see online":["kimle çevrimiçi","çevrimiçi gör"],"via":["ile"],"Latest activities":["En son aktiviteler"],"There are no activities yet.":["Henüz bir aktivite yok."],"Hello {displayName},

\n \n your account has been activated.

\n \n Click here to login:
\n {loginURL}

\n \n Kind Regards
\n {AdminName}

":["Merhaba {displayName},

\n \n Hesabınız aktive edildi

\n \n Giriş yapmak için tıklayın:
\n {loginURL}

\n \n Saygılarımızla
\n {AdminName}

"],"Hello {displayName},

\n \n your account request has been declined.

\n \n Kind Regards
\n {AdminName}

":["Merhaba {displayName},

\n \n Hesab talebiniz reddedildi.

\n \n Saygılarımızla
\n {AdminName}

"],"Account Request for '{displayName}' has been approved.":["Hesap talebi '{displayName}' kabul edildi."],"Account Request for '{displayName}' has been declined.":["Hesap talebi '{displayName}' reddedildi."],"Group not found!":["Grup bulunamadı!"],"Could not uninstall module first! Module is protected.":["Modül direkt kaldırılamaz! Modül korumada."],"Module path %path% is not writeable!":["Modül yolu %path% yazılabilir değil!"],"Saved":["Kaydedildi"],"Database":["Veritabanı"],"No theme":["Tema yok"],"APC":["APC"],"Could not load LDAP! - Check PHP Extension":["LDAP yüklenemedi! - PHP Eklentisini kontrol t"],"File":["Dosya"],"No caching (Testing only!)":["Önbellek yok (Sadece test!)","Önbellek yok(Sadece test!)"],"None - shows dropdown in user registration.":["Yok - kullanıcı kaydında açılır gösterim."],"Saved and flushed cache":["Kaydedildi ve önbellek düzeltildi"],"LDAP":["LDAP"],"Local":["Yerel"],"You cannot delete yourself!":["Kendini silemezsin!"],"Become this user":["Bu kullanıcı ol"],"Delete":["Sil"],"Disabled":["Devre dışı"],"Enabled":["Etkin"],"Save":["Kaydet"],"Unapproved":["Onaylanmamış"],"Could not load category.":["Kategori yüklenemedi."],"You can only delete empty categories!":["Sadece boş kategorileri silebilirsiniz!"],"Group":["Grup"],"Message":["Mesaj"],"Subject":["Konu"],"Base DN":["DN Temeli"],"Enable LDAP Support":["LDAP desteği aktif"],"Encryption":["Şifreleme"],"Fetch/Update Users Automatically":["Kullanıcıları Otomatik Getir/Güncelle"],"Hostname":["Host adı","Host adı (Örnek: localhost)"],"Login Filter":["Giriş filtresi"],"Password":["Şifre"],"Port":["Port"],"User Filer":["Kullanıcı filtresi"],"Username":["Kullanıcı adı"],"Username Attribute":["Kullanıcı niteliği"],"Allow limited access for non-authenticated users (guests)":["Kimliği doğrulanmamış kullanıcılar için sınırlı erişime izin ver (misafir)"],"Anonymous users can register":["Anonim kullanıcılar kayıt olabilir"],"Default user group for new users":["Yeni kullanıcılar için varsayılan kullanıcı grubu"],"Default user idle timeout, auto-logout (in seconds, optional)":["Varsayılan kullanıcı boşta kalma (Zaman aşımı), otomatik çıkış (saniye cinsinden, isteğe bağlı)"],"Default user profile visibility":["Varsayılan kullanıcı profili görünürlüğü"],"Members can invite external users by email":["Kullanıcılar eposta ile davet gönderebilirler"],"Require group admin approval after registration":["Kayıttan sonra grup yöneticisinin onayı gerekir"],"Base URL":["Temel URL"],"Default language":["Varsayılan dil"],"Default space":["Varsayılan alan"],"Invalid space":["Geçersiz alan"],"Logo upload":["Logo Yükle"],"Name of the application":["Uygulama adı"],"Show introduction tour for new users":["Yeni kullanıcılar için tanıtım turu göster"],"Show user profile post form on dashboard":["Panoda kullanıcı profil paylaşım alanı"],"Cache Backend":["Önbellek arkaucu"],"Default Expire Time (in seconds)":["Varsayılan bitiş zamanı (saniye)"],"PHP APC Extension missing - Type not available!":["PHP APC uzantısı eksik - Tür mevcut değil!"],"PHP SQLite3 Extension missing - Type not available!":["PHP SQLite3 uzantısı eksik - Tür mevcut değil!"],"Dropdown space order":["Açılır menu arası boşluk"],"Default pagination size (Entries per page)":["Standart sayfalama boyutu (sayfa başına yazı)"],"Display Name (Format)":["Görünen isim (Biçim)"],"Theme":["Tema"],"Allowed file extensions":["İzin verilen dosya Uzantıları"],"Convert command not found!":["Dönüştürme komutu bulunamadı!"],"Got invalid image magick response! - Correct command?":["Boş image magick karşılığı! - Doğru komut?"],"Hide file info (name, size) for images on wall":["Duvara görüntülenen dosyaların (isim, boyut) bilgilerini sakla"],"Hide file list widget from showing files for these objects on wall.":["Duvarda gösterilen nesnelerin dosya listesi widget'ı gizle."],"Image Magick convert command (optional)":["Image Magick dönüştürme komutu (isteğe bağlı)"],"Maximum preview image height (in pixels, optional)":["Maksimum görüntü önizleme yüksekliği (piksel, isteğe bağlı)"],"Maximum preview image width (in pixels, optional)":["Maksimum önizleme görüntü genişliği (piksel, isteğe bağlı)"],"Maximum upload file size (in MB)":["Maksimum dosya yükleme boyutu (MB türünden)"],"Use X-Sendfile for File Downloads":["Dosya indirmek için X-Sendfile kullan"],"Allow Self-Signed Certificates?":["Sertifikaları kendinden İmzalı izin ver?"],"E-Mail sender address":["Eposta gönderen adresi"],"E-Mail sender name":["Eposta gönderen adı"],"Mail Transport Type":["Posta transfer türü"],"Port number":["Port numarası"],"Endpoint Url":["Endpoint Adres"],"Url Prefix":["Url Önek"],"No Proxy Hosts":["Proxy Sunucu yok"],"Server":["Sunucu"],"User":["Kullanıcı"],"Super Admins can delete each content object":["Süper yöneticiler tüm içerik ve nesneleri silebilir"],"Default Join Policy":["Varsayılan Politikaya Katıl"],"Default Visibility":["Varsayılan Görünürlük"],"HTML tracking code":["HTML izleme kodu"],"Module directory for module %moduleId% already exists!":["Modül yolu için modül %moduleId% zaten var!"],"Could not extract module!":["Modül çıkarılamadı!"],"Could not fetch module list online! (%error%)":["Çevrimiçi modül listesi alınamadı! (%error%)"],"Could not get module info online! (%error%)":["Çevrimiçi modül bilgisi alınamadı! (%error%)"],"Download of module failed!":["Modülü indirme başarısız oldu!"],"Module directory %modulePath% is not writeable!":["Modül yolu %modulePath% yazılabilir değil!"],"Module download failed! (%error%)":["Modül indirme başarısız! %error%"],"No compatible module version found!":["Hiçbir uyumlu modül sürümü bulundu!","Uyumlu modül versiyonu bulunamadı!"],"Activated":["Aktifleştirildi","Aktif","Aktive edildi"],"No modules installed yet. Install some to enhance the functionality!":["Daha hiç modül yüklenmedi. Fonksiyonelliği artırmak için modül yükle!"],"Version:":["Versiyon:"],"Installed":["Yüklendi","Yüklü"],"No modules found!":["Modül bulunamadı!"],"All modules are up to date!":["Tüm modüller güncel!"],"About HumHub":["HumHub hakkında"],"Currently installed version: %currentVersion%":["Şu anda yüklü sürüm: %currentVersion%"],"Licences":["Lisanslar"],"There is a new update available! (Latest version: %version%)":["Yeni bir güncelleme mevcut! (Son sürüm: %version%)"],"This HumHub installation is up to date!":["HumHub sürümünüz güncel!"],"Accept":["Kabul et"],"Decline":["Reddet","Katılmıyorum"],"Accept user: {displayName} ":["Kullanıcıyı kabul et: {displayName}"],"Cancel":["İptal"],"Send & save":["Gönder ve kaydet"],"Decline & delete user: {displayName}":["Kullanıcıyı reddet ve sil: {displayName}"],"Email":["Eposta","Email"],"Search for email":["Eposta için arama"],"Search for username":["Kullanıcı adı için arama"],"Pending user approvals":["Onay bekleyen kullanıdılar"],"Here you see all users who have registered and still waiting for a approval.":["Burda kayıtlı ve halen onay bekleyen kullanıcılar görüntülenir."],"Delete group":["Grup sil"],"Delete group":["Grubu sil"],"To delete the group \"{group}\" you need to set an alternative group for existing users:":["\"{group}\" grubunu silmek için mevcut kullanıcılara bir grup seçmeniz gerekli:"],"Create new group":["Yeni grup oluştur"],"Edit group":["Grup düzenle"],"Description":["Açıklama"],"Group name":["Grup adı"],"Ldap DN":["Ldap DN"],"Search for description":["Açıklama için arama"],"Search for group name":["Grup adı için ara"],"Manage groups":["Grupları yönet"],"Create new group":["Yeni Grup Oluştur"],"You can split users into different groups (for teams, departments etc.) and define standard spaces and admins for them.":["Kullanıcıları bölebilir ve farklı gruplara atayabilir, (takım, birim benzeri) ve standart alan ya da yöneticiler seçebilirsiniz."],"Flush entries":["Tüm girdileri sil"],"Error logging":["Hata günlüğü"],"Displaying {count} entries per page.":["Sayfabaşına görüntülenen girdiler {count}"],"Total {count} entries found.":["Toplam bulunan girdiler {count}"],"Available updates":["Mevcut güncellemeler"],"Browse online":["Çevrimiçi gözat"],"Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.":["Modüller HumHub un fonksiyonelliğini artırır. Burada HumHub Marketten modül yüklüyebilir veya yönetebilirsin."],"Module details":["Modül ayrıntıları"],"This module doesn't provide further informations.":["Bu modül daha fazla bilgi içermez."],"Processing...":["İşleniyor..."],"Modules directory":["Modül dizini"],"Are you sure? *ALL* module data will be lost!":["*TÜM* modül verileri kaybedilecek! Emin misiniz?"],"Are you sure? *ALL* module related data and files will be lost!":["*TÜM* modül verileri ve dosyaları kaybedilecek! Emin misiniz?"],"Configure":["Yapılandırma","Kurulum"],"Disable":["Pasif","Devre dışı","Deaktif"],"Enable":["Aktif"],"More info":["Daha fazla bilgi"],"Set as default":["Varsayılan yap"],"Uninstall":["Kaldır"],"Install":["Yükle"],"Latest compatible version:":["En son uyumlu sürüm:"],"Latest version:":["Son versiyon:"],"Installed version:":["Yüklenen versiyon:"],"Latest compatible Version:":["En son uyumlu versiyon:"],"Update":["Güncelle"],"%moduleName% - Set as default module":["%moduleName% - Varsayılan modül olarak ayarla"],"Always activated":["Daima aktif"],"Deactivated":["Deaktif"],"Here you can choose whether or not a module should be automatically activated on a space or user profile. If the module should be activated, choose \"always activated\".":["Bir modülün kullanıcının ya da alanlarda otomatik olarak aktif olup olmayacağını seçebilirsiniz. Eğer tüm bölümlerde aktif olmasını istiyorsanız \"Daima aktif\"i seçin."],"Spaces":["Mekanlar"],"User Profiles":["Kullanıcı profilleri"],"There is a new HumHub Version (%version%) available.":["Mevcut yeni (%version%) HumHub sürümü var."],"Authentication - Basic":["Temel - Kimlik"],"Basic":["Temel"],"Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)":["Minumum 20 saniyedir. 1400 saniye (24 dakika) (varsayılan oturum zaman aşımı) sonra zaman aşımına olacaktır."],"Only applicable when limited access for non-authenticated users is enabled. Only affects new users.":["Kimliği doğrulanmış kullanıcılar için sınırlı erişim etkin olduğunda geçerli olur. Sadece yeni kullanıcılar etkiler."],"Authentication - LDAP":["LDAP - Kimlik doğrulama"],"A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.":["SSL / TLS açık metin olarak iletilir şifreleri önlemek için üretim ortamlarında tercih edilir."],"Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"":["Giriş denendiğinde, uygulamak için filtreyi tanımlar. % uid giriş eylem adı değiştirir. Örnek: "(sAMAccountName=%s)" or "(uid=%s)""],"LDAP Attribute for Username. Example: "uid" or "sAMAccountName"":["Kullanıcı adı için LDAP özelliği. Örnek: "uid" or "sAMAccountName""],"Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"":["Bu kriterleri karşılayan kullanıcılara erişim sınırlandırma. Örnek: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))""],"Status: Error! (Message: {message})":["Durum: Hata! (Mesaj: {message})"],"Status: OK! ({userCount} Users)":["Durum: TAMAM! ( {usercount} Kullanıcılar)"],"The default base DN used for searching for accounts.":["Hesaplar için yapılan aramada varsayılan temel DN kullan."],"The default credentials password (used only with username above).":["Varsayılan kimlik şifresi (Sadece kullanıcı adı ile kullanılır)"],"The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.":["Varsayılan kimlik ismi. Bazı sunucular bu DN formda olmasını gerektirir.LDAP sunucusu bağlamak ve bağlayıcı basit kullanıcı adları ile mümkün olmalıdır DN gerektiriyorsa, bu DN şeklinde verilmelidir."],"Cache Settings":["Ön bellek Ayarları"],"Save & Flush Caches":["Kaydet ve önbelleği göm"],"CronJob settings":["CronJob Ayarları"],"Crontab of user: {user}":["Kullanıcı crontab: {user}"],"Last run (daily):":["Son çalışma (günlük):"],"Last run (hourly):":["Son çalışma (saatlik):"],"Never":["Asla"],"Or Crontab of root user":["Ya da Crontab root kullanıcı"],"Please make sure following cronjobs are installed:":["Lütfen aşağıdaki cronjobs öğelerinin yüklü olduğundan emin olun:"],"Alphabetical":["Alfabetik\n"],"Last visit":["Son Ziyaret"],"Design settings":["Dizayn Ayarları"],"Firstname Lastname (e.g. John Doe)":["Ad Soyad (Örnek: Mehmet Çifçi)"],"Username (e.g. john)":["Kullanıcı adı (Örnek: mehmet)"],"File settings":["Dosya Ayarları"],"Comma separated list. Leave empty to allow all.":["Virgülle ayrılmış liste. Hepsine izin vermek için boş bırak"],"Comma separated list. Leave empty to show file list for all objects on wall.":["Listeleri virgül ile ayır. Duvara tüm nesneler için dosya listesini göstermek için boş bırakın."],"Current Image Libary: {currentImageLibary}":["Geçerli Resim Kütüphanesi: {currentImageLibary}"],"If not set, height will default to 200px.":["Ayarlı değilse, yükseklik 200px (varsayılan) olacaktır."],"If not set, width will default to 200px.":["Ayarlı değilse, genişlik 200px (varsayılan) olacaktır."],"PHP reported a maximum of {maxUploadSize} MB":["PHP maksimum sunulan {maxUploadSize} MB"],"Basic settings":["Temel Ayarlar"],"Confirm image deleting":["Görüntü silmeyi onayla"],"Dashboard":["Panel","Pano"],"E.g. http://example.com/humhub":["Örn. http://example.com/humhub"],"New users will automatically added to these space(s).":["Yeni kullanıcılar otomatik olarak belirli alana eklenir."],"You're using no logo at the moment. Upload your logo now.":["Şu anda logo kullanmıyorsun. Şimdi logo yükle."],"Mailing defaults":["Posta varsayılanları"],"Activities":["Aktiviteler"],"Always":["Daima","Herzaman"],"Daily summary":["Günlük özet"],"Defaults":["Varsayılan"],"Define defaults when a user receive e-mails about notifications or new activities. This settings can be overwritten by users in account settings.":["Kullanıcı bildirimleri veya yenilikler hakkında eposta alma özelliği varsayılan olarak tanımlıdır. Bu ayarı kullanıcı hesap ayarları bölümünden değiştirebilir."],"Notifications":["Bildirimler"],"Server Settings":["Sunucu Ayarları"],"When I´m offline":["Çevrimdışı olduğum zaman","Ben çevrimdışıyken"],"Mailing settings":["Posta Ayarları"],"SMTP Options":["SMTP Ayarları"],"OEmbed Provider":["OEmbed Sağlayıcı"],"Add new provider":["Yeni Sağlayacı Ekle"],"Currently active providers:":["Şuan da etkin sağlayıcılar:"],"Currently no provider active!":["Şuan sağlayıcılar aktif değil!"],"Add OEmbed Provider":["OEmbed Sağlayıcısı Ekle"],"Edit OEmbed Provider":["OEmbed Sağlayıcısını Düzenle"],"Url Prefix without http:// or https:// (e.g. youtube.com)":["Url Önek http:// ve https:// (Örnek: youtube.com)"],"Use %url% as placeholder for URL. Format needs to be JSON. (e.g. http://www.youtube.com/oembed?url=%url%&format=json)":["Url için %url% yer tutucusunu kullanın. Url biçimi JSON olmalıdır. (Örnek: http://www.youtube.com/oembed?url=%url%&format=json)"],"Proxy settings":["Proxy ayarları"],"Security settings and roles":["Güvenlik Ayarları ve Roller"],"Self test":["Kendi kendini test et"],"Checking HumHub software prerequisites.":["HumHub yazılım önkoşulları denetleniyor."],"Re-Run tests":["Yeniden test et"],"Statistic settings":["İstatistik Ayarları"],"All":["Hepsi"],"Delete space":["Mekan sil"],"Edit space":["Mekan düzenle"],"Search for space name":["Mekan adı için arama"],"Search for space owner":["Mekan sahibi için arama"],"Space name":["Mekan adı"],"Space owner":["Mekan sahibi"],"View space":["Mekan görüntüle"],"Manage spaces":["Mekan Yönetimi"],"Define here default settings for new spaces.":["Yeni mekanlar için varsayılan ayarları tanımla"],"In this overview you can find every space and manage it.":["Tüm mekanlar bulunabilir ve yönetilebilir."],"Overview":["Genel Bakış"],"Settings":["Ayarlar"],"Space Settings":["Mekan Ayarları"],"Add user":["Yeni kullanıcı ekle"],"Are you sure you want to delete this user? If this user is owner of some spaces, you will become owner of these spaces.":["Eğer bu kullanıcıya ait bazı mekanlar varsa, sen bu mekanların sahibi olacaksın. Bu kullanıcıyı silmek istediğinizden emin misiniz? "],"Delete user":["Kullanıcıyı sil"],"Delete user: {username}":["Kullanıcıyı sil: {username}"],"Edit user":["Kullanıcıyı düzenle"],"Admin":["Yönetici"],"Delete user account":["Kullanıcı hesabını sil"],"Edit user account":["Kullanıcı hesabını düzenle"],"No":["Hayır"],"View user profile":["Kullanıcı profilini görüntüle"],"Yes":["Evet"],"Manage users":["Kullanıcıları yönet"],"Add new user":["Yeni kullanıcı ekle"],"In this overview you can find every registered user and manage him.":["Kayıtlı kullanıcıları bulabilir, görüntüleyebilir ve yönetebilirsiniz."],"Create new profile category":["Yeni Profil Kategorisi oluştur"],"Edit profile category":["Profil Kategorisi düzenle"],"Create new profile field":["Yeni Profil Alanı oluştur"],"Edit profile field":["Profil Alanı düzenle"],"Manage profiles fields":["Profil alanlarını yönet"],"Add new category":["Yeni kategori ekle"],"Add new field":["Yeni alan ekle"],"Security & Roles":["Güvenlik ve roller"],"Administration menu":["Yönetici Menüsü"],"About":["Hakkında","Hakkımda"],"Authentication":["Kimlik doğrulama"],"Caching":["Ön bellekleme"],"Cron jobs":["Cron Jobs"],"Design":["Dizayn"],"Files":["Dosyalar"],"Groups":["Gruplar"],"Logging":["Kayıtlar"],"Mailing":["Postalama"],"Modules":["Modüller"],"OEmbed Provider":["OEmbed Sağlayıcı"],"Proxy":["Proxy"],"Self test & update":["Test ve güncelleme"],"Statistics":["İstatistikler"],"User approval":["Kullanıcı onayları"],"User profiles":["Kullanıcı profilleri"],"Users":["Kullanıcılar"],"Click here to review":["Görüntülemek için tıklayın"],"New approval requests":["Yeni onay istekleri"],"One or more user needs your approval as group admin.":["Bir veya daha fazla kullanıcı grubu yönetici onayı bekliyor."],"Could not delete comment!":["Yorumu silinemedi!"],"Invalid target class given":["Verilen hedef sınıfı geçersiz"],"Model & Id Parameter required!":["Model & Id Parametresi gerekli!"],"Target not found!":["Hedef bulunamadı!"],"Access denied!":["Erişim engellendi!","Erişim reddedildi!"],"Insufficent permissions!":["Yetersiz izinler!"],"Comment":["Yorum"],"%displayName% wrote a new comment ":["%displayName% yeni bir yorum yazdı"],"Comments":["Yorumlar"],"Edit your comment...":["Yorumunu düzenle..."],"%displayName% also commented your %contentTitle%.":["%contentTitle% içeriğe %displayName% yeni bir yorum yazdı."],"%displayName% commented %contentTitle%.":["%displayName% %contentTitle% içeriğini yorumladı."],"Show all {total} comments.":["Tüm yorumları göster {total}."],"Write a new comment...":["Yeni bir yorum yaz..."],"Post":["Gönderi"],"Show %count% more comments":["Daha %count% fazla yorum göster"],"Confirm comment deleting":["Yorum silme işlemini onayla"],"Do you really want to delete this comment?":["Bu yorumu silmek istediğine emin misin?"],"Edit":["Düzenle"],"Updated :timeago":["Güncellendi :timeago"],"Could not load requested object!":["İstenen obje yüklenemedi"],"Unknown content class!":["Bilinmeyen içerik sınıfı!"],"Could not find requested content!":["İstenen içerik bulunamadı!"],"Could not find requested permalink!":["İstenen permalink bulunamadı!"],"{userName} created a new {contentTitle}.":["{userName} kullanıcısı {contentTitle} gönderisini oluşturdu"],"Submit":["Gönder"],"Move to archive":["Arşive taşı"],"Unarchive":["Arşivden taşı","Arşivden çıkar"],"Add a member to notify":["Bilgilendirme için bir kullanıcı ekle"],"Make private":["Gizli yap"],"Make public":["Açık yap"],"Notify members":["Üyeleri bilgilendir"],"Public":["Herkes"],"What's on your mind?":["Aklında ne var?","Aklında neler var?"],"Confirm post deleting":["Gönderi silinmesini Onayla"],"Do you really want to delete this post? All likes and comments will be lost!":["Bu gönderiyi silmek istediğine emin misin? Tüm yorumlar ve beğeniler kaybolacak!"],"Archived":["Arşiv"],"Sticked":["Yapışkan"],"Turn off notifications":["Bildirimleri kapat"],"Turn on notifications":["Bildirimleri aç"],"Permalink to this post":["Gönderim için Permalink"],"Permalink":["Permalink"],"Stick":["Başa Tuttur"],"Unstick":["Baştan Kaldır"],"Nobody wrote something yet.
Make the beginning and post something...":["Daha hiçkimse birşey yazmamış.
Bir başlangıç yap ve birşeyler yaz..."],"This profile stream is still empty":["Bu profilin yayını hala boş"],"This space is still empty!
Start by posting something here...":["Bu mekan hala boş!Burada bir şey paylaşarak başla..."],"Your dashboard is empty!
Post something on your profile or join some spaces!":["Panon bomboş!Profilinde birşeyler paylaş veya birkaç mekana katıl!"],"Your profile stream is still empty
Get started and post something...":["Profil yayının hala boş
Başlangıç olarak birşeyler paylaş..."],"Nothing found which matches your current filter(s)!":["Filtrenize uyan hiçbir şey bulunamadı!"],"Show all":["Hepsini göster"],"Back to stream":["Yayına dön","Akışlara geri dön"],"Content with attached files":["Ekli dosyalarla içerik"],"Created by me":["Benim tarafımdan oluşturuldu","Açtıklarım"],"Creation time":["Oluşturulma zamanı","Oluşturma süresi"],"Filter":["Filtre"],"Include archived posts":["Arşivlenen gönderileri içer"],"Last update":["Son güncelleme"],"Only private posts":["Sadece gizli gönderiler"],"Only public posts":["Sadece açık gönderiler"],"Posts only":["Sadece gönderiler"],"Posts with links":["Linkler gönderilerle birlikte"],"Sorting":["Sıralama"],"Where I´m involved":["Nerede gelişebilirim"],"No public contents to display found!":["Gösterilebilecek içerik bulanamadı!"],"Directory":["Dizin"],"Member Group Directory":["Kullanıcı Grup dizini"],"show all members":["tüm kullanıcıları göster"],"Directory menu":["Dizin menüsü"],"Members":["Üyeler","Kullanıcılar"],"User profile posts":["Kullanıcı gönderileri"],"Member directory":["Kullanıcı dizini"],"Follow":["Takip et"],"No members found!":["Kullanıcı bulunamadı!"],"Unfollow":["Takibi Bırak"],"search for members":["kullanıcılar için ara"],"Space directory":["Mekan dizini"],"No spaces found!":["Mekan bulunamadı!"],"You are a member of this space":["Bu mekanın bir üyesisiniz"],"search for spaces":["mekanlarda ara"],"There are no profile posts yet!":["Profil mesajı henüz bulunmamaktadır!"],"Group stats":["Grup istatistikleri"],"Average members":["Ortalama üye"],"Top Group":["En iyi grup"],"Total groups":["Toplam gruplar"],"Member stats":["Kullanıcı istatistikleri"],"New people":["Yeni insanlar"],"Follows somebody":["Birilerini takip et"],"Online right now":["Şu anda çevrimiçi"],"Total users":["Toplam kullanıcı"],"See all":["Tümünü gör"],"New spaces":["Yeni mekanlar"],"Space stats":["Mekan istatistikleri"],"Most members":["Çoğu üye"],"Private spaces":["Özel mekanlar"],"Total spaces":["Toplam mekanlar"],"Could not find requested file!":["İstenen dosya bulunamadı!"],"Insufficient permissions!":["Yetersiz izinler!"],"Maximum file size ({maxFileSize}) has been exceeded!":["Maksimum dosya büyüklüğüne {maxFileSize} ulaşıldı"],"This file type is not allowed!":["Bu dosya türü için izin yok!"],"Created By":["Oluşturan"],"Created at":["Oluşturulma zamanı"],"File name":["Dosya adı"],"Guid":["Guid"],"ID":["ID","Kimlik"],"Invalid Mime-Type":["Geçersiz Mime-Type"],"Mime Type":["Mime Type"],"Size":["Boyut"],"Updated at":["Güncelleme zamanı"],"Updated by":["Güncelleyen"],"Could not upload File:":["Dosya yüklenemedi:"],"Upload files":["Dosya yükle"],"List of already uploaded files:":["Yüklenen dosyaların listesi:"],"Create Admin Account":["Yönetici Hesabı Oluştur"],"Name of your network":["Sosyal Ağınızın Adı"],"Name of Database":["Database Adı"],"Admin Account":["Yönetici Hesabı"],"You're almost done. In the last step you have to fill out the form to create an admin account. With this account you can manage the whole network.":["Neredeyse bitti. Son adımda bir yönetici hesabı oluşturmak için formu doldurmanız gerekli. Bu hesapla sosyal ağı yöneteceksiniz."],"Next":["İleri"],"Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)":["Yeni bir Sosyal Ağ adı gerekiyor. Beğendiğiniz bir isim giriniz."],"Social Network Name":["Sosyal Ağ İsim"],"Congratulations. You're done.":["Tebrikler tüm adımları tamamladınız."],"Setup Complete":["Kurulum Tamamlandı"],"Sign in":["Giriş Yap"],"The installation completed successfully! Have fun with your new social network.":["Kurulum başarıyla tamamlandı!
Yeni sosyal ağınız ile paylaşım yapmaya başlayabilirsiniz."],"Setup Wizard":["Kurulum Sihirbazı"],"Welcome to HumHub
Your Social Network Toolbox":["Humhub Sosyal Ağ Kurulumu"],"This wizard will install and configure your own HumHub instance.

To continue, click Next.":["Kurulum sihirbazı ile kendi Humhub Sosyal Ağınızı oluşturabilirsiniz.
Devam etmek için İleri'yi tıklatın."],"Yes, database connection works!":["Evet, veritabanı bağlantısı çalışıyor!"],"Database Configuration":["Database Ayarlamaları"],"Ohh, something went wrong!":["Ohh, bir şeyler yanlış gitti!"],"Your MySQL password.":["MySQL şifre"],"Your MySQL username":["MySQL kullanıcı adı"],"System Check":["Sistem Kontrol"],"Check again":["Kontrol Et"],"Could not find target class!":["Hedef bölüm bulunamadı!"],"Could not find target record!":["Hedef kayıt bulunamadı!"],"Invalid class given!":["Verilen bölüm geçersiz!"],"Users who like this":["Hangi kullanıcılar beğendi"],"{userDisplayName} likes {contentTitle}":["{userDisplayName} beğendi {contentTitle}"],"%displayName% also likes the %contentTitle%.":["%contentTitle% içeriğini %displayName% beğendi."],"%displayName% likes %contentTitle%.":["%displayName% %contentTitle% içeriğini beğendi."],"Like":["Beğen"],"Unlike":["Beğenme"]," likes this.":["beğendi."],"You like this.":["Bunu beğendin."],"You
":["Sen
"],"and {count} more like this.":["ve {count} kişi beğendi."],"Could not determine redirect url for this kind of source object!":["Kaynak nesne için yönlendirilen link saptanamıyor!"],"Could not load notification source object to redirect to!":["Kaynak nesne için yönlendirilen bildirim bulunamıyor!"],"New":["Yeni"],"Mark all as seen":["Hepsini okundu işaretle"],"There are no notifications yet.":["Henüz bildirim bulunmuyor."],"%displayName% created a new post.":["%displayName% yeni bir gönderi yazdı."],"Edit your post...":["Gönderini düzenle..."],"Read full post...":["Gönderinin tamamını oku..."],"Search results":["Arama sonuçları"],"Content":["İçerik"],"Send & decline":["Gönder ve kabul etme"],"Visible for all":["Tümü görebilir"]," Invite and request":[" Davet et ve İstek yolla"],"Could not delete user who is a space owner! Name of Space: {spaceName}":["Mekan sahibi bir kullanıcı silinemedi! Mekanın adı: {spaceName}"],"Everyone can enter":["Herkes girebilir"],"Invite and request":["Davet et ve İstek yolla"],"Only by invite":["Sadece davelliler"],"Private (Invisible)":["Özel (Görünmez)"],"Public (Members & Guests)":["Genel (Üyeler & Misafir)"],"Public (Members only)":["Genel (Üyeler için)"],"Public (Registered users only)":["Genel (Sadece kayıtlı kullanıcılar)"],"Public (Visible)":["Genel (Görünür)"],"Visible for all (members and guests)":["Tümü görebilir (Üye ve Misafir)"],"Space is invisible!":["Mekan görünmez!"],"You need to login to view contents of this space!":["Bu alanda içeriğini görüntülemek için giriş yapmalısınız!"],"As owner you cannot revoke your membership!":["Sahibi olarak siz üyeliğinizi iptal edemezsiniz!"],"Could not request membership!":["Üyelik isteği olmadı!"],"There is no pending invite!":["Bekleyen davet bulunmuyor!"],"This action is only available for workspace members!":["Bu eylem sadece mekan üyeleri için kullanabilir!"],"You are not allowed to join this space!":["Bu mekana katılmanıza izin verilmiyor!"],"Your password":["Şifreniz"],"New user by e-mail (comma separated)":["e-mail adresi ile yeni kullanıcı (virgülle ayılmış)"],"Invites":["Davetler"],"User is already member!":["Kullanıcı zaten üye"],"{email} is already registered!":["{email} zaten kayıtlı!"],"{email} is not valid!":["{email} adresi geçersiz!"],"Application message":["Uygulama mesajı"],"Scope":["Faaliyet"],"Strength":["Kadro"],"Created At":["Oluşturulma zamanı"],"Join Policy":["Politikaya Katıl"],"Name":["İsim","Ad"],"Owner":["Sahibi"],"Status":["Durum"],"Tags":["Etiketler"],"Updated At":["Güncelleme zamanı"],"Visibility":["Görünüm"],"Website URL (optional)":["Website adresi (isteğe bağlı)"],"You cannot create private visible spaces!":["Özel görünür mekanlar oluşturamazsın!"],"You cannot create public visible spaces!":["Genel görünür mekanlar oluşturamazsın!"],"Select the area of your image you want to save as user avatar and click Save.":["Kullanıcı fotoğrafı olarak kullanmak istediğin alanı seç ve Kaydet e tıkla"],"Modify space image":["Mekan resmi değiştir"],"Delete space":["Mekanı Sil"],"Are you sure, that you want to delete this space? All published content will be removed!":["Tüm yayınlanan içerikler silinecektir! Bu mekanı silmek istediğinizden emin misiniz?"],"Please provide your password to continue!":["Lütfen devam etmek için şifrenizi girin!"],"General space settings":["Genel mekan ayarları"],"Archive":["Arşiv"],"Choose the kind of membership you want to provide for this workspace.":["Bu çalışma alanı için geçerli bir üyelik türü seçin."],"Choose the security level for this workspace to define the visibleness.":["Bu çalışma alanının görünürlük düzeyini seçin."],"Search members":["Üyelerde ara"],"Manage your space members":["Mekan üyelerini yönet"],"Outstanding sent invitations":["Gönderilmeyi bekleyen davetler"],"Outstanding user requests":["Gönderilmeyi bekleyen istekler"],"Remove member":["Üyeyi sil"],"Allow this user to
invite other users":["Bu kullanıcının diğerlerini
davet etmesine izin ver"],"Allow this user to
make content public":["Bu kullanıcının içerik
oluşturmasına izin ver"],"Are you sure, that you want to remove this member from this space?":["Bu üyeyi mekandan silmek istediğinize emin misiniz?"],"Can invite":["Davet edebilir"],"Can share":["Paylaşabilir"],"Change space owner":["Mekan sahibi değiştir"],"External users who invited by email, will be not listed here.":["Kimler eposta ile davet gönderebilir, burada listelenmez."],"In the area below, you see all active members of this space. You can edit their privileges or remove it from this space.":["Aşağıdaki mekanda aktif kullanıcılara bakın. Ayrıcalıklarını düzenleyebilir ya da kaldırabilirsiniz."],"Is admin":["Yönetici"],"Make this user an admin":["Bu kullanıcıyı yönetici yap"],"No, cancel":["Hayır, iptal"],"Remove":["Sil"],"Request message":["İstek mesajı"],"Revoke invitation":["Daveti geri al"],"The following users waiting for an approval to enter this space. Please take some action now.":["Aşağıdaki kullanıcılar mekana katılmak için onay bekliyor. Lütfen bir aksiyon seçin."],"The following users were already invited to this space, but haven't accepted the invitation yet.":["Aşağıdaki kullanıcılar zaten bu mekana davet edildi, fakat şimdiye kadar daveti takip etmediler."],"The space owner is the super admin of a space with all privileges and normally the creator of the space. Here you can change this role to another user.":["Tüm ayrıcalıklara ve süper admin yetkilerine olan mekan sahipleri ve mekan oluşturan normal kullanıcılar. Burda başka bir kullanıcı ile rolleri değiştirebilirsiniz."],"Yes, remove":["Evet, sil"],"Space Modules":["Mekan Modülleri"],"Are you sure? *ALL* module data for this space will be deleted!":["Emin misiniz? Bu alan için *TÜM * modül verileri silinecek!"],"Currently there are no modules available for this space!":["Şu anda bu mekanda hiçbir modül bulunmuyor!"],"Enhance this space with modules.":["Modüller ile bu alanı geliştirin."],"Create new space":["Yeni mekan oluştur"],"Advanced access settings":["Gelişmiş erişim ayarları "],"Advanced search settings":["Gelişmiş arama ayarları"],"Also non-members can see this
space, but have no access":["Üye olmayanlar bu mekanı
görebilir, fakat erişemezler."],"Create":["Oluştur"],"Every user can enter your space
without your approval":["Tüm kullanıcılar onay olmadan
mekana katılabilirler"],"For everyone":["Herkes için"],"How you want to name your space?":["Mekanınıza nasıl bir isim istiyorsunuz?"],"Please write down a small description for other users.":["Diğer kullanıcılar için küçük bir açıklama yazınız."],"This space will be hidden
for all non-members":["Bu mekan üye olmayanlar için gizli olacak"],"Users can also apply for a
membership to this space":["Kullanıcılar bu alana
üyelik için başvurabilir"],"Users can be only added
by invitation":["Kullanıcılar sadece
davetiye ile eklenebilir"],"space description":["mekan açıklaması"],"space name":["mekan adı"],"{userName} requests membership for the space {spaceName}":["{spaceName} mekanı için üyelik talepleri {userName}"],"{userName} approved your membership for the space {spaceName}":["{spaceName} mekanı için üyeliğiniz onaylandı {userName}"],"{userName} declined your membership request for the space {spaceName}":["{spaceName} mekanı için üyelik talebiniz reddedildi {userName}"],"{userName} invited you to the space {spaceName}":["{userName} sizi {spaceName} mekanına davet etti"],"{userName} accepted your invite for the space {spaceName}":["{spaceName} mekanı için davetiniz kabul edildi {userName}"],"{userName} declined your invite for the space {spaceName}":["{spaceName} mekanı için davetiniz reddedildi {userName}"],"This space is still empty!":["Bu alan halen boş!"],"Accept Invite":["Daveti kabul et"],"Become member":["Üye ol"],"Cancel membership":["Üyeliği iptal et"],"Cancel pending membership application":["Bekleyen üyelik başvurusunu iptal et"],"Deny Invite":["Daveti reddet"],"Request membership":["Üyelik isteği"],"You are the owner of this workspace.":["Bu mekanın sahibi"],"created by":["oluşturan"],"Invite members":["Üye davet et"],"Add an user":["Kullanıcı ekle"],"Email addresses":["Email adresleri"],"Invite by email":["Email ile davet et"],"New user?":["Yeni kullanıcı?"],"Pick users":["Kullanıcıları seç"],"Send":["Gönder"],"To invite users to this space, please type their names below to find and pick them.":["Bu mekana kullanıcıları davet etmek, bulmak ve onları almak için aşağıya isimlerini yazınız."],"You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.":["Dışardan kullanıcı davet edebilirsiniz. Sadece virgülle ayırarak e-posta adreslerini ekleyin."],"Request space membership":["Mekan üyeliği isteği","Mekan üyelik isteği"],"Please shortly introduce yourself, to become an approved member of this space.":["Bu mekana üye olabilmek için lütfen kısaca kendinizi tanıtın."],"Your request was successfully submitted to the space administrators.":["İsteğiniz başarılı bir şekilde mekan sahiplerine iletildi."],"Ok":["Tamam"],"User has become a member.":["Kullanıcı üye yapılmıştır."],"User has been invited.":["Kullanıcı davet edildi."],"User has not been invited.":["Kullanıcı davet edilmemiştir."],"Back to workspace":["Mekana geri dön"],"Space preferences":["Mekan tercihleri"],"General":["Genel"],"My Space List":["Mekan listesi"],"My space summary":["Mekan özeti"],"Space directory":["Mekan dizini"],"Space menu":["Mekan menüsü"],"Stream":["Akış","Yayın"],"Change image":["Resmi değiştir"],"Current space image":["Geçerli mekan resmi"],"Do you really want to delete your title image?":["Kapak resmini silmek istiyor musun?","Başlık görüntüsünü silmek istiyor musunuz?"],"Do you really want to delete your profile image?":["Profil resmini silmek istiyor musun?"],"Invite":["Davet"],"Something went wrong":["Birşeyler yanlış"],"Followers":["Takipçiler"],"Posts":["Mesajlar"],"Please shortly introduce yourself, to become a approved member of this workspace.":["Bu mekana üye olabilmek için lütfen kısaca kendinizi tanıtın."],"Request workspace membership":["Mekan üyeliği talebi"],"Your request was successfully submitted to the workspace administrators.":["İsteğiniz başarılı bir şekilde yöneticilere iletildi."],"Create new space":["Yeni mekan aç"],"My spaces":["Mekanlarım","Mekanım"],"Space info":["Mekan bilgisi"],"more":["daha"],"Accept invite":["Daveti kabul et"],"Deny invite":["Davet reddet"],"Leave space":["Mekandan ayrıl"],"New member request":["Yeni üye isteği"],"Space members":["Mekan üyeleri"],"End guide":["Klavuz sonu"],"Next »":["İleri »"],"« Prev":["« Geri"],"Administration":["Yönetim"],"Hurray! That's all for now.":["Yaşasın! Şimdilik hepsi bu."],"Modules":["Modüller"],"As an admin, you can manage the whole platform from here.

Apart from the modules, we are not going to go into each point in detail here, as each has its own short description elsewhere.":["Bir yönetici olarak, buradan tüm platformu yönetebilirsiniz.

Modüllerden ayrı olarak, burada olarak her bir noktaya detay oluşturabilir, kendi kısa açıklamalarını belirtebilirsiniz."],"You are currently in the tools menu. From here you can access the HumHub online marketplace, where you can install an ever increasing number of tools on-the-fly.

As already mentioned, the tools increase the features available for your space.":["Şu an araçlar menüsündesiniz. Burdan HumHub online pazarına erişebilir, anında yüklemeler yapabilirsiniz.

Araçları mekanları özelleştirmek için kullanabilirsiniz."],"You have now learned about all the most important features and settings and are all set to start using the platform.

We hope you and all future users will enjoy using this site. We are looking forward to any suggestions or support you wish to offer for our project. Feel free to contact us via www.humhub.org.

Stay tuned. :-)":["En önemli özellikleri ve ayarları öğrendin ve hepsi platformu kullanmaya başlaman için ayarlandı.

Umarız sen ve gelecekteki tüm kullanıcılar siteyi kullanırken eğlenirsiniz. Projemiz için her türlü istediğin öneri ve desteklerini bekliyor olacağız. Bizle rahatlıkla www.humhub.org adresinden iletişime geçebilirsin.

Bizi izlemeye devam edin. :-)"],"Dashboard":["Kontrol paneli"],"This is your dashboard.

Any new activities or posts that might interest you will be displayed here.":["Bu sizin kontrol paneliniz

Yeni aktiviyelere ve gönderiler bu link altında gösterilir."],"Administration (Modules)":["Yönetim (Modüller)"],"Edit account":["Hesap düzenle"],"Hurray! The End.":["Yaşasın! Bitti."],"Hurray! You're done!":["Yaşasın! Başardın!"],"Profile menu":["Profil menü","Profil menüsü"],"Profile photo":["Profil resmi"],"Profile stream":["Profil akışı"],"User profile":["Kullanıcı profili"],"Click on this button to update your profile and account settings. You can also add more information to your profile.":["Butona tıklayarak profilini güncelleyebilir veya hesap ayarlarını düzenleyebilirsin. Ayrıca profili daha fazla bilgi ekleyebilirsin. "],"Each profile has its own pin board. Your posts will also appear on the dashboards of those users who are following you.":["Her profil kendi panolarına sahiptir. Ayrıca seni takip eden kişiler gönderilerini buradn görebilir."],"Just like in the space, the user profile can be personalized with various modules.

You can see which modules are available for your profile by looking them in “Modules” in the account settings menu.":["Mekan gibi, kullanıcı profili de çeşitli modüllerle kişiselleştirilebilir.

Profilin için uygun olan modüllere hesap ayarları menüsündeki \"Modüller\" sekmesinden bakabilirsin."],"This is your public user profile, which can be seen by any registered user.":["Bu senin açık kullanıcı profilin, profilin üye olan kullanıcılar tarafından görünürdür."],"Upload a new profile photo by simply clicking here or by drag&drop. Do just the same for updating your cover photo.":["Buraya tıklayarak veya sürükle&bırak ile kolayca profil fotoğrafı yükleyebilirsin. Aynı şeyi kapak fotoğrafın için de yapabilirsin."],"You've completed the user profile guide!":["Kullanıcı profil rehberini bitirdin!"],"You've completed the user profile guide!

To carry on with the administration guide, click here:

":["Kullanıcı profil rehberini bitirdin!

Yönetim rehberine devam etmek için, buraya tıkla:

"],"Most recent activities":["Son aktiviteler"],"Posts":["Gönderiler"],"Profile Guide":["Profil Rehberi"],"Space":["Mekan"],"Space navigation menu":["Mekan navigasyon menü"],"Writing posts":["Gönderi oluşturma"],"Yay! You're done.":["Hey! Herşeyi kaptın."],"All users who are a member of this space will be displayed here.

New members can be added by anyone who has been given access rights by the admin.":["Mekanın tüm üyeleri burada görünecek.

Yeni üyeler yöneticinin yetki verdiği herhangi bir üye tarafından eklenebiMekanın tüm üyeleri burada görünecek.

Yeni üyeler yöneticinin yetki verdiği herhangi bir üye tarafından eklenebilir."],"Give other useres a brief idea what the space is about. You can add the basic information here.

The space admin can insert and change the space's cover photo either by clicking on it or by drag&drop.":["Diğer üyelere mekan hakkında kısa öz bilgi ver. Buraya basit bilgiler ekleyebilirsin.

Mekan yöneticisi mekanın kapak fotoğrafını tıklayarak veya sürükle&bırak ile değiştirebiDiğer üyelere mekan hakkında kısa öz bilgi ver. Buraya basit bilgiler ekleyebilirsin.

Mekan yöneticisi mekanın kapak fotoğrafını tıklayarak veya sürükle&bırak ile değiştirebilir."],"New posts can be written and posted here.":["Yeni gönderiler burada yazılıp gönderilebiYeni gönderiler burada yazılıp gönderilebilir."],"Once you have joined or created a new space you can work on projects, discuss topics or just share information with other users.

There are various tools to personalize a space, thereby making the work process more productive.":["Mekana katıldığında veya yeni oluşturduğunda projeler üzerinde çalışabilirsin, konular üzerinde tartış veya sadece diğerleri ile bilgi paylaş.

Mekanı kişiselleştirmek için birçok araç mevcut, bu sayede proje sürecini daha üretken hale getirebilirsin."],"That's it for the space guide.

To carry on with the user profile guide, click here: ":["Bu mekan rehberi için.

Profil rehberine devam etmek için, buraya tıklBu mekan rehberi için.

Profil rehberine devam etmek için, buraya tıkla: "],"This is where you can navigate the space – where you find which modules are active or available for the particular space you are currently in. These could be polls, tasks or notes for example.

Only the space admin can manage the space's modules.":["Buradan mekanını yönetebilirsin - seçtiğin veya bulunduğun mekan için modülleri aktifleştirip inaktifleştirebileceğin araçlar mevcut. Örneğin oylamalar, görevler veya notlar olabilir.

Sadece mekan yöneticisi modülleri yönetebiBuradan mekanını yönetebilirsin - seçtiğin veya bulunduğun mekan için modülleri aktifleştirip inaktifleştirebileceğin araçlar mevcut. Örneğin oylamalar, görevler veya notlar olabilir.

Sadece mekan yöneticisi modülleri yönetebilir."],"This menu is only visible for space admins. Here you can manage your space settings, add/block members and activate/deactivate tools for this space.":["Bu menü sadece mekan yöneticileri için görünür. Buradan mekan ayarlarını yönetebilir, üye ekleme/engelleme ve modül aktifleştirme/deaktifleştirme işlemlerini yapabilirsin."],"To keep you up to date, other users' most recent activities in this space will be displayed here.":["Kendini güncel tutman için, diğer kullanıcıların son aktiviteleri burada görünecek."],"Yours, and other users' posts will appear here.

These can then be liked or commented on.":["Senin ve diğer kullanıcıların gönderileri burada görünecek.

Buradan beğenilebilir veya yorumda bulunulabilir. "],"Account Menu":["Hesap Menüsü"],"Notifications":["Bildirimler"],"Space Menu":["Mekan Menüsü"],"Start space guide":["Mekan rehberine Başla"],"Don't lose track of things!

This icon will keep you informed of activities and posts that concern you directly.":["Hiçbirşeyi kaçırma!

Bu ikon seni ilgilendiren aktiviteler ve gönderiler hakkında seni doğrudan bilgilendirecek."],"The account menu gives you access to your private settings and allows you to manage your public profile.":["Hesap menüsü sana gizli ayarlarına erişim hakkı ve açık profilini yönetmeni sağlar."],"This is the most important menu and will probably be the one you use most often!

Access all the spaces you have joined and create new spaces here.

The next guide will show you how:":["Bu en önemli menü muhtemelen en çok kullandığın menü olacak!

Katıldığın mekanlara gözat, yeni mekanlar oluştur.

Sonraki adımda nasıl olacağını göreceksin:"]," Remove panel":[" Paneli kaldır"],"Getting Started":["Başlarken"],"Guide: Administration (Modules)":["Rehber: Yönetim (Modüller)"],"Guide: Overview":["Rehber: Genel bakış"],"Guide: Spaces":["Rehber: Mekanlar"],"Guide: User profile":["Rehber: Kullanıcı profili"],"Get to know your way around the site's most important features with the following guides:":["Takip eden adımlarla sitenin en önemli özelliklerini tanıyın:"],"This user account is not approved yet!":["Bu kullanıcı hesabı henüz onaylanmamış!"],"You need to login to view this user profile!":["Bu kullanıcının profilini görmek için giriş yapmalısınız!"],"Your password is incorrect!":["Girdiğin şifre yanlış"],"You cannot change your password here.":["Burada şifreni değiştiremezsin."],"Invalid link! Please make sure that you entered the entire url.":["Geçersiz link! Lütfen url nin tamamını girdiğinizden emin olun."],"Save profile":["Profili kaydet"],"The entered e-mail address is already in use by another user.":["Girdiğin mail adresi zaten başka bir kullanıcı tarafından kullanımda."],"You cannot change your e-mail address here.":["Burada mail adresini değiştiremezsin."],"Account":["Hesap"],"Create account":["Hesap Oluştur"],"Current password":["Kullandığın şifren","Şuanki şifre"],"E-Mail change":["Mail adresi değiştir"],"New E-Mail address":["Yeni mail adresi"],"Send activities?":["Aktiviteleri gönder?"],"Send notifications?":["Bildirimleri gönder?"],"Incorrect username/email or password.":["Yanlış kullanıcı adı/email veya şifre"],"New password":["Yeni şifre"],"New password confirm":["Yeni şifre doğrula"],"Remember me next time":["Daha sonra hatırla"],"Your account has not been activated by our staff yet.":["Hesabın çalışanlar taradından daha aktive edilmedi."],"Your account is suspended.":["Hesabın banlandı."],"Password recovery is not possible on your account type!":["Hesap türünüz şifre kurtarma için uygun değil!"],"E-Mail":["Email","E-Posta","E-posta"],"Password Recovery":["Şifre Kurtarma"],"{attribute} \"{value}\" was not found!":["{attribute} \"{value}\" bulunamadı!"],"E-Mail is already in use! - Try forgot password.":["E-Posta adresi kullanılıyor - Şifremi Unuttum."],"Hide panel on dashboard":["Panoda paneli gizle"],"Invalid language!":["Geçersiz Dil!","Geçersiz dil!"],"Profile visibility":["Profil görünürlük"],"TimeZone":["Zaman Dilimi"],"Default Space":["Varsayılan Mekan"],"Group Administrators":["Grup Yöneticisi"],"LDAP DN":["LDAP DN"],"Members can create private spaces":["Üyeler gizli mekan oluşturabilir"],"Members can create public spaces":["Üyeler açık mekan oluşturabilir"],"Birthday":["Doğumtarihi","Doğumgünü"],"City":["Şehir"],"Country":["Ülke"],"Custom":["Gelenek"],"Facebook URL":["Facebook Adres"],"Fax":["Fax"],"Female":["Bayan"],"Firstname":["Ad"],"Flickr URL":["Flickr Adres"],"Gender":["Cinsiyet"],"Google+ URL":["Google+ Adres"],"Hide year in profile":["Yılı profilde gizle"],"Lastname":["Soyad"],"LinkedIn URL":["LinkedIn Adres"],"MSN":["MSN"],"Male":["Erkek"],"Mobile":["Mobil"],"MySpace URL":["MySpace Adres"],"Phone Private":["Telefon No"],"Phone Work":["İş Telefonu"],"Skype Nickname":["Skype Adı"],"State":["İlçe"],"Street":["Cadde"],"Twitter URL":["Twitter Adres"],"Url":["Adres"],"Vimeo URL":["Vimeo Adres"],"XMPP Jabber Address":["XMPP Jabber Adres"],"Xing URL":["Xing Adres"],"Youtube URL":["Youtube Adres"],"Zip":["Zip"],"Created by":["Oluşturan"],"Editable":["Düzenlenebilir"],"Field Type could not be changed!":["Alan değiştirilemez!"],"Fieldtype":["Alan Tipi"],"Internal Name":["iç Adı"],"Internal name already in use!":["İç ad zaten kullanımda"],"Internal name could not be changed!":["iç ad değiştirilemedi"],"Invalid field type!":["Geçersiz alan tipi"],"LDAP Attribute":["LDAP özelliği"],"Module":["Modül"],"Only alphanumeric characters allowed!":["Sadece alfanümerik karakterler izinli!"],"Profile Field Category":["Profil alanı Kategorisi"],"Required":["Gerekli"],"Show at registration":["Kayıtta göster"],"Sort order":["Sırala"],"Translation Category ID":["Çeviri kategori ID si","Çeviri kategori id si"],"Type Config":["Ayar Tipi"],"Visible":["Görünür"],"Communication":["İletişim"],"Social bookmarks":["Sosyal imler"],"Datetime":["Tarih zamanı"],"Number":["Rakam"],"Select List":["Seçim Listesi"],"Text":["Yazı"],"Text Area":["Yazı alanı"],"%y Years":["%y Yıl"],"Birthday field options":["Doğumgünü alanı seçenekleri"],"Date(-time) field options":["Tarih (-zaman) alanı seçenekleri"],"Show date/time picker":["Tarih/zaman seçici göster"],"Maximum value":["Maksimum değer"],"Minimum value":["Minimum değer"],"Number field options":["Rakam alanı seçenekleri"],"One option per line. Key=>Value Format (e.g. yes=>Yes)":["Her satır için bir secenek. Anahtar=>Değer Formatı (Örn. evet=>evet)"],"Please select:":["Lütfen seç:"],"Possible values":["Uygun değerler"],"Select field options":["Çoktan seçmeli seçenekleri"],"Default value":["Varsayılan değer"],"Maximum length":["Maksimum uzunluk"],"Minimum length":["Minimum uzunluk"],"Regular Expression: Error message":["Düzenli İfade: Hata mesajı"],"Regular Expression: Validator":["Düzenli İfade: Doğrulayıcı"],"Text Field Options":["Yazı Alanı Seçenekleri"],"Validator":["Doğrulayıcı"],"Text area field options":["Yazı alanı seçenekleri"],"Authentication mode":["Kimlik Doğrulama modu"],"New user needs approval":["Yeni kullanıcı onay bekliyor"],"Username can contain only letters, numbers, spaces and special characters (+-._)":["Kullanıcı adı sadece harfler, rakamlar, boşluk ve özel karakter (+-._) içerebilir"],"Wall":["Duvar"],"Change E-mail":["Mail adresiDeğiştir","Email Değiştir","Mail adresini Değiştir"],"Current E-mail address":["Geçerlli E-posta adresi"],"Your e-mail address has been successfully changed to {email}.":["Yeni mail adresin {email} adresi ile başarıyla değiştirildi."],"We´ve just sent an confirmation e-mail to your new address.
Please follow the instructions inside.":["Yeni mail adresine bir doğrulama maili gönderdik.
Lütfen içindeki adımları takip et"],"Change password":["Şifreni Değiştir"],"Password changed":["Şifre Değişti"],"Your password has been successfully changed!":["Şifren başarı ile değiştirildi!"],"Modify your profile image":["Profil resmini değiştir","Profil fotoğrafını değiştir"],"Delete account":["Hesabı Sil"],"Are you sure, that you want to delete your account?
All your published content will be removed! ":["Hesabını silmek istediğine emin misin?
Tüm yayında olan gönderilerin kaldırılacak! "],"Delete account":["Hesabı sil","Hesabı Sil"],"Enter your password to continue":["Devam için şifrenizi girin"],"Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.":["Özür dileriz, bir mekan sahibi olarak hesabını silemezsin!
Lütfen mekanı başka bir kullanıcıya devret veya hepsini sil!"],"User details":["Kullanıcı detayları"],"User modules":["Kullanıcı modülleri"],"Are you really sure? *ALL* module data for your profile will be deleted!":["Profilindeki *TÜM* modül verileri silinmiş olacak! Emin misin?"],"Enhance your profile with modules.":["Profilini modüllerle genişlet."],"User settings":["Kullanıcı ayarları"],"Getting Started":["Başlarken"],"Registered users only":["Kayıtlı kullanıcılar sadece"],"Visible for all (also unregistered users)":["Görünürlük tüm (ayrıca kayıtsız kullanıcılar için) "],"Desktop Notifications":["Masaüstü Bildirimler"],"Email Notifications":["Email Bildirimleri"],"Get a desktop notification when you are online.":["Çevrimiçi olduğunuzda bir masaüstü bildirim alın."],"Get an email, by every activity from other users you follow or work
together in workspaces.":["İş mekanları içerisinde takip ettiğin her kişinin her aktivitesi için."],"Get an email, when other users comment or like your posts.":["Gönderine kullanıcılar yorum yaptığında veya beğendiğinde mail al."],"Account registration":["Hesap oluştur"],"Create Account":["Hesap Oluştur"],"Your account has been successfully created!":["Hesabın başarı ile oluşturuldu!"],"After activating your account by the administrator, you will receive a notification by email.":["Hesabın yöneticiler tarafından aktif edildikten sonra, bir mail ile bilgilendirileceksin."],"Go to login page":["Giriş sayfasına git"],"To log in with your new account, click the button below.":["Yeni hesabınla giriş yapmak için, aşağıdaki butona tıkla."],"back to home":["anasayfaya dön","Anasayfaya dön"],"Please sign in":["Giriş yap"],"Sign up":["Kayıt ol"],"Create a new one.":["Yeni oluştur"],"Don't have an account? Join the network by entering your e-mail address.":["Bir hesabınız yok mu? E-posta adresinizi girerek kayıt olun."],"Forgot your password?":["Şifreni mi unuttun?"],"If you're already a member, please login with your username/email and password.":["Üye iseniz Kullanıcı Adı/ E-posta ve şifreniz ile giriş yapınız."],"Register":["Kayıt Ol"],"email":["E-posta"],"password":["Şifre"],"username or email":["Kullanıcı Adı / E-posta"],"Password recovery":[" Şifre kurtarma","Şifre kurtarma"],"Just enter your e-mail address. We´ll send you recovery instructions!":["Sadece mail adresini gir. Sana şifreni kurtarma adımlarını göndereceğiz."],"Password recovery":["Şifre kurtarma"],"Reset password":["Şifre sıfırla"],"enter security code above":["Yeni Şifre"],"your email":["E-posta Adresin"],"Password recovery!":["Şifre kurtar!"],"We’ve sent you an email containing a link that will allow you to reset your password.":["Sana şifreni sıfırlamana yardımcı olacak bir mail gönderdik."],"Registration successful!":["Kayıt başarılı!"],"Please check your email and follow the instructions!":["Lütfen email adresini kontrol et ve bilgilere uyLütfen email adresini kontrol et ve bilgilere uy!"],"Registration successful":["Kayıt başarılı"],"Change your password":["Şifreni Değiştir"],"Password reset":["Şifreni sıfırla"],"Change password":["Şifre değiştir"],"Password reset":["Şifreni sıfırla"],"Password changed!":["Şifre değişti!"],"Confirm your new email address":["Yeni mail adresinizi doğrulayın"],"Confirm":["Doğrula"],"Hello":["Merhaba"],"You have requested to change your e-mail address.
Your new e-mail address is {newemail}.

To confirm your new e-mail address please click on the button below.":["Email adresini değiştirmek için istek yolladın.
Yeni mail adresin {newemail}.

Yeni mail adresini kabul etmek için aşağıdaki butona tıkla."],"Hello {displayName}":["Merhaba {displayName}"],"If you don't use this link within 24 hours, it will expire.":["Eğer bu linki 24 saat içinde kullanmazsan, geçerliliği bitecek."],"Please use the following link within the next day to reset your password.":["Lütfen 24 saat içerisinde şifrenizi kurtarmak için takip eden linke tıklayın."],"Reset Password":["Şifre Sıfırla"],"Registration Link":["Kayıt Linki"],"Sign up":["Kaydol"],"Welcome to %appName%. Please click on the button below to proceed with your registration.":["%appName% uygulamasına hoşgeldin. Üyelikle devam etmek için lütfen aşağıdaki butona tıkla."],"
A social network to increase your communication and teamwork.
Register now\n to join this space.":["
Bir sosyal ağ iletişi ve takımına katılmak için..
Şimdi kaydol ve mekana katıl."],"Sign up now":["Şimdi kaydolun","Şimdi kayıt ol"],"Space Invite":["Mekan DavMekan Davet"],"You got a space invite":["Bir mekan davetin var"],"invited you to the space:":["Mekana davet eden:"],"{userName} mentioned you in {contentTitle}.":["{userName} {contentTitle} içeriğinde senden bahsetti."],"{userName} is now following you.":["{userName} şimdi seni takip ediyor."],"About this user":["Bu kullanıcı hakkında"],"Modify your title image":["Başlık fotoğrafını değiştir"],"This profile stream is still empty!":["Profil yayını hala boş!"],"Do you really want to delete your logo image?":["Logo görüntüsünü silmek istiyor musun?"],"Account settings":["Hesap ayarları"],"Profile":["Profil"],"Edit account":["Hesabı düzenle"],"Following":["Takip edilenler"],"Following user":["Takip edilen kullanıcı"],"User followers":["Kullanıcı takipçileri"],"Member in these spaces":["Üye mekanları"],"User tags":["Kullanıcı etiketler"],"No birthday.":["Hiçbir doğum günü yok."],"Back to modules":["Modüllere dön"],"Tomorrow":["Yarın"],"Upcoming":["Yaklaşan"],"becomes":["olur"],"birthdays":["doğum günü"],"days":["Günler"],"today":["bugün"],"years old.":["yaşında."],"Active":["Aktif"],"Mark as unseen for all users":["Tüm kullanıcılar için işaretle olarak görünmeyen"],"Breaking News Configuration":["Son Dakika Haberleri Yapılandırma"],"Note: You can use markdown syntax.":["Not: Markdown söz dizimini kullanabilirsiniz."],"End Date and Time":["Bitiş tarihi ve saati"],"Recur":["Hatırlatma"],"Recur End":["Son hatırlatma"],"Recur Interval":["Aralıklarla hatırlatma"],"Recur Type":["Hatırlatma şekli"],"Select participants":["Katılımcıları seç"],"Start Date and Time":["Başlangıç tarihi ve saati"],"You don't have permission to access this event!":["Bu etkinliğe erişmek için izniniz yok!"],"You don't have permission to create events!":["Etkinlik oluşturmak için izniniz yok!"],"Adds an calendar for private or public events to your profile and mainmenu.":["Profilinize ve ana menünüze etkinlikler için bir takvim ekler."],"Adds an event calendar to this space.":["Bu mekana bir etkinlik takvimi ekler."],"All Day":["Tüm günler"],"Attending users":["Katılanlar"],"Calendar":["Takvim"],"Declining users":["Katılmayanlar"],"End Date":["Bitiş tarihi"],"End time must be after start time!":["Bitiş saati başlangıç ​​zamanından sonra olmalıdır!"],"Event":["Etkinlik"],"Event not found!":["Etkinlik bulunamadı!"],"Maybe attending users":["Belki katılanlar"],"Participation Mode":["Katılım şekli"],"Start Date":["Başlangıç tarihi"],"You don't have permission to delete this event!":["Bu etkinliği silmek için izniniz yok!"],"You don't have permission to edit this event!":["Bu etkinliği düzenlemek için izniniz yok!"],"%displayName% created a new %contentTitle%.":["%displayName% yeni bir %contentTitle% içerik oluşturdu."],"%displayName% attends to %contentTitle%.":["%contentTitle% etkinliğe %displayName% katıldı."],"%displayName% maybe attends to %contentTitle%.":["%contentTitle% etkinliğe %displayName% belki katılıcak."],"%displayName% not attends to %contentTitle%.":["%contentTitle% etkinliğe %displayName% katılmıyor."],"Start Date/Time":["Başlangıç tarih/saat"],"Create event":["Etkinlik oluştur"],"Edit event":["Etkinlik düzenle"],"Note: This event will be created on your profile. To create a space event open the calendar on the desired space.":["Not: Bu etkinlik profilinizde oluşturulur. Eğer mekanda etkinlik açmak istiyorsanız mekan takvimini kullanın."],"End Date/Time":["Bitiş tarih/saat"],"Everybody can participate":["Herkes katılabilir"],"No participants":["Katılımsız"],"Participants":["Katılımcılar"],"Created by:":["Oluşturan:"],"Edit this event":["Etkinliği düzenle"],"I´m attending":["Katılıyorum"],"I´m maybe attending":["Belki katılırım"],"I´m not attending":["Katılmıyorum"],"Attend":["Katılıyorum"],"Maybe":["Belki"],"Filter events":["Etkinlik filtresi"],"Select calendars":["Takvim seç"],"Already responded":["Cevaplananlar"],"Followed spaces":["Mekan"],"Followed users":["Kullanıcı"],"My events":["Etkinliklerim"],"Not responded yet":["Cevaplanmadı"],"Upcoming events ":["Yakındaki etkinlikler"],":count attending":[":katılan"],":count declined":[":katılmayan"],":count maybe":[":belki katılan"],"Participants:":["Katılımcılar"],"Create new Page":["Yeni Sayfa Oluştur"],"Custom Pages":["Özel Sayfalar"],"HTML":["Html"],"IFrame":["İframe"],"Link":["Bağlantı"],"Navigation":["Navigasyon"],"No custom pages created yet!":["Özel sayfalar henüz oluşturulmadı!"],"Sort Order":["Sıralama","Sıralama Düzeni"],"Top Navigation":["En Navigasyon"],"Type":["Tip"],"User Account Menu (Settings)":["Kullanıcı Hesap Menüsü (Ayarlar)"],"Create page":["Sayfa oluştur"],"Edit page":["Sayfa düzenle","Sayfayı Düzenle"],"Default sort orders scheme: 100, 200, 300, ...":["Varsayılan sıralama düzeni: 100, 200, 300, ..."],"Page title":["Sayfa Başlık"],"URL":["Url"],"Toggle view mode":["Geçiş görünümü modu"],"Delete category":["Kategoriyi sil"],"Delete link":["Bağlantıyı sil"],"Linklist":["Bağlantılar"],"Requested link could not be found.":["Bağlantı bulunamadı."],"Messages":["Mesajlar"],"You could not send an email to yourself!":["Kendinize eposta gönderemezsiniz!","Kendinize eposta göndermezsiniz!"],"Recipient":["Alıcı"],"New message from {senderName}":["Yeni mesaj var. Gönderen {senderName}"],"and {counter} other users":["ve {counter} diğer kullanıcılar"],"New message in discussion from %displayName%":["Tartışmaya %displayName% yeni mesaj gönderdi"],"New message":["Yeni mesaj"],"Reply now":["Cevapla"],"sent you a new message:":["yeni bir mesaj gönder:"],"sent you a new message in":["yeni bir mesaj gönder"],"Add more participants to your conversation...":["Konuşmaya daha fazla katılımcı ekleyin..."],"Add user...":["Kullanıcı ekle..."],"New message":["Yeni mesaj"],"Edit message entry":["Mesaj düzenleme"],"Messagebox":["Mesaj kutusu"],"Inbox":["Gelen kutusu"],"There are no messages yet.":["Henüz mesaj bulunmuyor."],"Write new message":["Yeni bir mesaj yaz"],"Confirm deleting conversation":["Konuşmayı sil"],"Confirm leaving conversation":["Konuşmadan ayrıl"],"Confirm message deletion":["Mesajı sil"],"Add user":["Kullanıcı ekle"],"Do you really want to delete this conversation?":["Konuşmayı silmek istiyor musun?"],"Do you really want to delete this message?":["Mesajı silmek istiyor musun?"],"Do you really want to leave this conversation?":["Konuşmadan ayrılmak istiyor musun?"],"Leave":["Ayrıl"],"Leave discussion":["Tartışmadan ayrıl"],"Write an answer...":["Bir cevap yaz"],"User Posts":["Gönderiler"],"Show all messages":["Tüm mesajları göster"],"Send message":["Mesaj gönder"],"Comments created":["Yorumlar"],"Likes given":["Beğeniler"],"Posts created":["Mesajlar"],"Notes":["Notlar"],"Etherpad API Key":["Etherpad API Anahtarı"],"URL to Etherpad":["Etherpad linki"],"Could not get note content!":["İçerik notları alınamadı!"],"Could not get note users!":["Kullanıcı notları alınamadı!"],"Note":["Not"],"{userName} created a new note {noteName}.":["{userName} kullanıcı {noteName} yeni bir not yazdı."],"{userName} has worked on the note {noteName}.":["{userName} kullanıcı {noteName} not üzerinde çalıştı."],"API Connection successful!":["API bağlantısı başarılı!"],"Could not connect to API!":["API bağlantısı sağlanamadı!"],"Current Status:":["Şu an ki durum:"],"Notes Module Configuration":["Not modül yapılandırma"],"Please read the module documentation under /protected/modules/notes/docs/install.txt for more details!":["Lütfen \"/protected/modules/notes/docs/install.txt\" altındaki modül dökümanını okuyun. "],"Save & Test":["Kaydet ve test et"],"The notes module needs a etherpad server up and running!":["Not modülü için çalışan bir etherpad sunucusuna ihtiyaç var!"],"Save and close":["Kaydet ve kapat"],"{userName} created a new note and assigned you.":["{userName} sizin için yeni bir not oluşturdu."],"{userName} has worked on the note {spaceName}.":["{userName} kullanıcı {spaceName} bulunan not üzerinde çalıştı."],"Open note":["Notu aç"],"Title of your new note":["Yeni not başlığı"],"No notes found which matches your current filter(s)!":["Geçerli filtreyle eşleşen hiç bir not bulunamadı!"],"There are no notes yet!":["Henüz not girilmemiş!"],"Polls":["Anketler"],"Could not load poll!":["Anket yüklenemedi!"],"Invalid answer!":["Geçersiz cevap!"],"Users voted for: {answer}":["Kullanıcılar oyladı: {answer}"],"Voting for multiple answers is disabled!":["Birden fazla cevap için oylama devre dışı bırakıldı!"],"You have insufficient permissions to perform that operation!":["Bu işlemi gerçekleştirmek için yeterli izinlere sahip değilsiniz!"],"Answers":["Cevaplar"],"Multiple answers per user":["Kullanıcılar için çoklu cevap"],"Please specify at least {min} answers!":["Lütfen en az {min} cevap işaretleyin!"],"Question":["Soru"],"{userName} voted the {question}.":["{question} anketi {userName} oyladı."],"{userName} created a new {question}.":["{userName} yeni bir soru sordu {question}."],"User who vote this":["Hangi kullanıcılar oyladı"],"{userName} created a new poll and assigned you.":["{userName} sizin için bir soru sordu."],"Ask":["Sor"],"Reset my vote":["Oyumu sıfırla"],"Vote":["Oyla"],"and {count} more vote for this.":["ve {count} oy verildi."],"votes":["oylar"],"Allow multiple answers per user?":["Birden fazla cevap verilsin mi?"],"Ask something...":["Bir şeyler sor..."],"Possible answers (one per line)":["Olası cevaplar (her satır bir cevap)"],"Display all":["Hepsini görüntüle"],"No poll found which matches your current filter(s)!":["Geçerli filtre ile eşleşen anket yok!"],"Asked by me":["Bana sorulan"],"No answered yet":["Henüz cevap yok"],"Only private polls":["Sadece özel anketler"],"Only public polls":["Sadece genel anketler"],"Manage reported posts":["Yönet bildirilen mesajlar"],"Reported posts":["Raporlar"],"by :displayName":["tarafından :displayName"],"Doesn't belong to space":["Mekana ait değil"],"Offensive":["Saldırgan"],"Spam":["Spam"],"Here you can manage reported users posts.":["Bu alanda kullanıcıların mesaj raporlarını yönetebilirsiniz."],"Here you can manage reported posts for this space.":["Bu alanda bildirilen mesajları yönetebilirsiniz."],"Appropriate":["Uygun"],"Delete post":["Mesajı sil"],"Reason":["Neden"],"Reporter":["Tarafından"],"Tasks":["Görevler"],"Could not access task!":["Göreve erişilemedi!"],"{userName} assigned to task {task}.":["{userName} size bir görev atadı {task}."],"{userName} created task {task}.":["{userName} görev oluşturdu {task}."],"{userName} finished task {task}.":["{task} Görev sona erdi {userName} .","{userName} görev sona erdi {task}."],"{userName} assigned you to the task {task}.":["{userName} size {task} görevini atadı."],"{userName} created a new task {task}.":["{userName} yeni bir görev oluşturdu {task}."],"This task is already done":["Görev zaten yapıldı"],"You're not assigned to this task":["Bu göreve atanmadınız."],"Click, to finish this task":["Görevi tamamlamak için tıklayın"],"This task is already done. Click to reopen.":["Görev zaten yapıldı. Yeniden aç."],"My tasks":["Benim görevlerim"],"From space: ":["Mekandan:"],"No tasks found which matches your current filter(s)!":["Filtrenize uygun görev bulunamadı!"],"There are no tasks yet!
Be the first and create one...":["Henüz görev yok!
İlk görevi oluşturun..."],"Assigned to me":["Bana atanan"],"Nobody assigned":["Hiç kimseye atanan"],"State is finished":["Durum sona erdi"],"State is open":["Durum açık"],"What to do?":["Ne yapalım?"],"Translation Manager":["Çeviri Menejeri"],"Translations":["Çeviriler"],"Translation Editor":["Çeviri Editörü"],"Wiki Module":["Wiki Modül"],"Edit page":["Sayfa Düzenle"],"Main page":["Anasayfa"],"New page":["Yeni sayfa"],"Revert":["Eski haline dön"],"View":["Görünüm"],"Create new page":["Yeni sayfa oluştur"],"New page title":["Yeni Sayfa Başlığı"],"Allow":["İzin ver"],"Default":["Standart"],"Deny":["Reddet"],"Please type at least 3 characters":["Lütfen en az 3 karakter giriniz"],"Add purchased module by licence key":["Satın alınan lisans anahtarı ile modül ekle"],"Hello {displayName},

\n\n your account has been activated.

\n\n Click here to login:
\n {loginURL}

\n\n Kind Regards
\n {AdminName}

":["Merhaba {displayName},

\n\n Hesabınız aktive edildi.

\n\n Giriş yapmak için tıklayın:
\n {loginURL}

\n\n Saygılarımızla
\n {AdminName}

"],"Hello {displayName},

\n\n your account request has been declined.

\n\n Kind Regards
\n {AdminName}

":["Merhaba {displayName},

\n\n hesap talebiniz reddedildi.

\n\n Saygılarımızla
\n {AdminName}

"],"E-Mail Address Attribute":["E-posta adres özelliği"],"Server Timezone":["Sunucu Saat Dilimi"],"Show sharing panel on dashboard":["Panoda paylaşım panelini göster"],"Default Content Visiblity":["Varsayılan İçerik Görünürlüğü"],"Security":["Güvenlik"],"No purchased modules found!":["Satın alınan modül bulunamadı!"],"Share your opinion with others":["Başkaları ile fikrini paylaş"],"Post a message on Facebook":["Facebook'ta bir mesaj gönder"],"Share on Google+":["Google + 'da Paylaş"],"Share with people on LinkedIn ":["LinkedIn'de kişilerle paylaşın"],"Tweet about HumHub":["Humhub hakkında tweet"],"Downloading & Installing Modules...":["İndirilenler & Modüller yükleniyor..."],"I want to use HumHub for:":["Humhub kullanmak isteğiniz nedir:"],"Recommended Modules":["Önerilen Modüller"],"Search for user, spaces and content":["Kullanıcı, Mekan ve içerik ara"],"Your firstname":["Adınız"],"Your lastname":["Soyadınız"],"Your mobild phone number":["Cep telefonu numaranız"],"Your phone number at work":["İş yeri telefonu numaranız"],"Your title or position":["Çalışma konumunuz"],"End Time":["Bitiş Zamanı"],"Start Time":["Başlangıç Zamanı"],"Edit event":["Etkinlik düzenle"],"Add Dropbox files":["Dropbox'tan dosya ekle"],"Invalid file":["Geçersiz dosya"],"Dropbox API Key":["Dropbox API Anahtarı"],"Show warning on posting":["Mesajla ilgili uyarı göster"],"Dropbox post":["Dropbox sonrası"],"Describe your files":["Dosya açıklaması"],"Sorry! User Limit reached":["Üzgünüm! Kullanıcı Sınırına ulaştı"],"Delete instance":["Örneği Silin","Örneği silin"],"Export data":["İhracat verileri"],"Hosting":["Hosting"],"There are currently no further user registrations possible due to maximum user limitations on this hosted instance!":["Kullandığınız host paketinde maksimum kullanıcı sınırlaması bulunmaktadır. Daha fazla kullanıcı kayıt mümkün değildir!"],"Your plan":["Paketiniz"],"Confirm category deleting":["Kategori silmeyi onayla"],"Confirm link deleting":["Bağlantı silmeyi onayla"],"No description available.":["Kullanılabilir açıklama yok."],"list":["liste"],"Meeting":["Toplantı"],"Meetings":["Toplantılar"],"Meeting details: %link%":["Toplantı detayları: %link%"],"Done":["Bitti"],"Send now":["Şimdi gönder"],"Date input format":["Tarih giriş formatı"],"search for available modules online":["bulunabilir modül ara"],"HumHub is currently in debug mode. Disable it when running on production!":["HumHub şu anda hata ayıklama modunda. İşlem yaparken devre dışı bırakın!"],"See installation manual for more details.":["Daha fazla bilgi için kurulum kılavuzuna bakınız."],"Buy (%price%)":["Satın Al (%price%)"],"Installing module...":["Modül yükleniyor ..."],"Licence Key:":["Lisans Anahtarı:"],"Auto format based on user language - Example: {example}":["Kullanıcı diline göre otomatik biçim - Örnek: {example}"],"Fixed format (mm/dd/yyyy) - Example: {example}":["Sabit biçim (mm/dd/yyyy) - Örnek: {example}"],"Actions":["Eylemler"],"Last login":["Son giriş"],"never":["asla"],"Error!":["Hata!"]} \ No newline at end of file diff --git a/protected/humhub/modules/activity/Module.php b/protected/humhub/modules/activity/Module.php index b37f065d4b..95bffca64b 100644 --- a/protected/humhub/modules/activity/Module.php +++ b/protected/humhub/modules/activity/Module.php @@ -2,7 +2,7 @@ /** * @link https://www.humhub.org/ - * @copyright Copyright (c) 2015 HumHub GmbH & Co. KG + * @copyright Copyright (c) 2016 HumHub GmbH & Co. KG * @license https://www.humhub.com/licences */ @@ -11,45 +11,50 @@ namespace humhub\modules\activity; use Yii; use humhub\models\Setting; use humhub\modules\user\models\User; -use humhub\commands\CronController; -use humhub\modules\activity\components\BaseActivity; +use humhub\modules\content\components\MailUpdateSender; /** - * ActivityModule is responsible for all activities functions. + * Activity BaseModule * * @author Lucas Bartholemy - * @package humhub.modules_core.activity * @since 0.5 */ class Module extends \humhub\components\Module { - public function getMailUpdate(User $user, $interval) + /** + * Returns all activities which should be send by e-mail to the given user + * in the given interval + * + * @see \humhub\modules\content\components\MailUpdateSender + * @param User $user + * @param int $interval + * @return components\BaseActivity[] + */ + public function getMailActivities(User $user, $interval) { - $output = ['html' => '', 'plaintext' => '']; - $receive_email_activities = $user->getSetting("receive_email_activities", 'core', Setting::Get('receive_email_activities', 'mailing')); // User never wants activity content if ($receive_email_activities == User::RECEIVE_EMAIL_NEVER) { - return ""; + return []; } // We are in hourly mode and user wants receive a daily summary - if ($interval == CronController::EVENT_ON_HOURLY_RUN && $receive_email_activities == User::RECEIVE_EMAIL_DAILY_SUMMARY) { - return ""; + if ($interval == MailUpdateSender::INTERVAL_HOURY && $receive_email_activities == User::RECEIVE_EMAIL_DAILY_SUMMARY) { + return []; } // We are in daily mode and user wants receive not daily - if ($interval == CronController::EVENT_ON_DAILY_RUN && $receive_email_activities != User::RECEIVE_EMAIL_DAILY_SUMMARY) { - return ""; + if ($interval == MailUpdateSender::INTERVAL_DAILY && $receive_email_activities != User::RECEIVE_EMAIL_DAILY_SUMMARY) { + return []; } // User is online and want only receive when offline - if ($interval == CronController::EVENT_ON_HOURLY_RUN) { + if ($interval == MailUpdateSender::INTERVAL_HOURY) { $isOnline = (count($user->httpSessions) > 0); if ($receive_email_activities == User::RECEIVE_EMAIL_WHEN_OFFLINE && $isOnline) { - return ""; + return []; } } @@ -65,13 +70,14 @@ class Module extends \humhub\components\Module $stream->init(); $stream->activeQuery->andWhere(['>', 'content.created_at', $lastMailDate]); + $activities = []; foreach ($stream->getWallEntries() as $wallEntry) { try { $activity = $wallEntry->content->getPolymorphicRelation(); - $output['html'] .= $activity->getActivityBaseClass()->render(BaseActivity::OUTPUT_MAIL); - $output['plaintext'] .= $activity->getActivityBaseClass()->render(BaseActivity::OUTPUT_MAIL_PLAINTEXT); + $activities[] = $activity->getActivityBaseClass(); } catch (\yii\base\Exception $ex) { \Yii::error($ex->getMessage()); + return []; } } @@ -79,7 +85,7 @@ class Module extends \humhub\components\Module 'last_activity_email' => new \yii\db\Expression('NOW()') ]); - return $output; + return $activities; } } diff --git a/protected/humhub/modules/activity/components/BaseActivity.php b/protected/humhub/modules/activity/components/BaseActivity.php index 237e681d03..5c64764ef8 100644 --- a/protected/humhub/modules/activity/components/BaseActivity.php +++ b/protected/humhub/modules/activity/components/BaseActivity.php @@ -164,13 +164,20 @@ class BaseActivity extends \yii\base\Component */ public function getUrl() { + $url = '#'; + if ($this->source instanceof ContentActiveRecord || $this->source instanceof ContentAddonActiveRecord) { - return $this->source->content->getUrl(); + $url = $this->source->content->getUrl(); } elseif ($this->source instanceof ContentContainerActiveRecord) { - return $this->source->getUrl(); + $url = $this->source->getUrl(); } - return "#"; + // Create absolute URL, for E-Mails + if (substr($url, 0, 4) !== 'http') { + $url = \yii\helpers\Url::to($url, true); + } + + return $url; } /** diff --git a/protected/humhub/modules/activity/views/layouts/web.php b/protected/humhub/modules/activity/views/layouts/web.php index 57e513a904..d597e65fc5 100644 --- a/protected/humhub/modules/activity/views/layouts/web.php +++ b/protected/humhub/modules/activity/views/layouts/web.php @@ -19,7 +19,7 @@ ]); ?> -
+

diff --git a/protected/humhub/modules/admin/Events.php b/protected/humhub/modules/admin/Events.php index e70f21e925..12b3765153 100644 --- a/protected/humhub/modules/admin/Events.php +++ b/protected/humhub/modules/admin/Events.php @@ -9,8 +9,6 @@ namespace humhub\modules\admin; use Yii; -use humhub\modules\user\models\User; -use humhub\modules\admin\libs\OnlineModuleManager; use humhub\models\Setting; /** @@ -59,7 +57,7 @@ class Events extends \yii\base\Object $latestVersion = libs\HumHubAPI::getLatestHumHubVersion(); if ($latestVersion != "") { - $adminUserQuery = User::find()->where(['super_admin' => 1]); + $adminUsers = \humhub\modules\user\models\Group::getAdminGroup()->users; $latestNotifiedVersion = Setting::Get('lastVersionNotify', 'admin'); $adminsNotified = !($latestNotifiedVersion == "" || version_compare($latestVersion, $latestNotifiedVersion, ">")); $newVersionAvailable = (version_compare($latestVersion, Yii::$app->version, ">")); @@ -67,14 +65,14 @@ class Events extends \yii\base\Object // Cleanup existing notifications if (!$newVersionAvailable || ($newVersionAvailable && !$adminsNotified)) { - foreach ($adminUserQuery->all() as $admin) { + foreach ($adminUsers as $admin) { $updateNotification->delete($admin); } } // Create new notification if ($newVersionAvailable && !$adminsNotified) { - $updateNotification->sendBulk($adminUserQuery); + $updateNotification->sendBulk($adminUsers); Setting::Set('lastVersionNotify', $latestVersion, 'admin'); } } diff --git a/protected/humhub/modules/admin/Module.php b/protected/humhub/modules/admin/Module.php index 8484c480e1..6e4b82d831 100644 --- a/protected/humhub/modules/admin/Module.php +++ b/protected/humhub/modules/admin/Module.php @@ -8,6 +8,8 @@ namespace humhub\modules\admin; +use Yii; + /** * Admin Module */ @@ -39,4 +41,23 @@ class Module extends \humhub\components\Module * @var boolean check daily for new HumHub version */ public $dailyCheckForNewVersion = true; + + public function getName() + { + return Yii::t('AdminModule.base', 'Admin'); + } + + /** + * @inheritdoc + */ + public function getNotifications() + { + if(Yii::$app->user->isAdmin()) { + return [ + 'humhub\modules\user\notifications\Followed', + 'humhub\modules\user\notifications\Mentioned' + ]; + } + return []; + } } diff --git a/protected/humhub/modules/admin/controllers/GroupController.php b/protected/humhub/modules/admin/controllers/GroupController.php index ba2a071c4f..6888b615a3 100644 --- a/protected/humhub/modules/admin/controllers/GroupController.php +++ b/protected/humhub/modules/admin/controllers/GroupController.php @@ -10,9 +10,9 @@ namespace humhub\modules\admin\controllers; use Yii; use yii\helpers\Url; -use yii\data\ArrayDataProvider; use humhub\modules\admin\components\Controller; use humhub\modules\user\models\Group; +use humhub\modules\user\widgets\UserPicker; use humhub\modules\user\models\User; /** @@ -54,16 +54,18 @@ class GroupController extends Controller $group = new Group(); } - $group->scenario = 'edit'; + $group->scenario = Group::SCENARIO_EDIT; $group->populateDefaultSpaceGuid(); - $group->populateAdminGuids(); - + $group->populateManagerGuids(); + + + if ($group->load(Yii::$app->request->post()) && $group->validate()) { $group->save(); $this->redirect(Url::toRoute('/admin/group')); } - $showDeleteButton = (!$group->isNewRecord && Group::find()->count() > 1); + $showDeleteButton = (!$group->isNewRecord && !$group->is_admin_group); // Save changed permission states if (!$group->isNewRecord && Yii::$app->request->post('dropDownColumnSubmit')) { @@ -90,21 +92,31 @@ class GroupController extends Controller public function actionDelete() { $group = Group::findOne(['id' => Yii::$app->request->get('id')]); - if ($group == null) + + if ($group == null) { throw new \yii\web\HttpException(404, Yii::t('AdminModule.controllers_GroupController', 'Group not found!')); - - $model = new \humhub\modules\admin\models\forms\AdminDeleteGroupForm; - if ($model->load(Yii::$app->request->post()) && $model->validate()) { - foreach (User::findAll(['group_id' => $group->id]) as $user) { - $user->group_id = $model->group_id; - $user->save(); - } + } + + //Double check to get sure we don't remove the admin group + if(!$group->is_admin_group) { $group->delete(); - $this->redirect(Url::toRoute("/admin/group")); } - - $alternativeGroups = \yii\helpers\ArrayHelper::map(Group::find()->where('id != :id', array(':id' => $group->id))->all(), 'id', 'name'); - return $this->render('delete', array('group' => $group, 'model' => $model, 'alternativeGroups' => $alternativeGroups)); + + $this->redirect(Url::toRoute("/admin/group")); + } + + public function actionAdminUserSearch() + { + Yii::$app->response->format = 'json'; + + $keyword = Yii::$app->request->get('keyword'); + $group = Group::findOne(Yii::$app->request->get('id')); + + return UserPicker::filter([ + 'query' => $group->getUsers(), + 'keyword' => $keyword, + 'fillQuery' => User::find() + ]); } } diff --git a/protected/humhub/modules/admin/controllers/ModuleController.php b/protected/humhub/modules/admin/controllers/ModuleController.php index d2686f7928..a1b21e075e 100644 --- a/protected/humhub/modules/admin/controllers/ModuleController.php +++ b/protected/humhub/modules/admin/controllers/ModuleController.php @@ -10,6 +10,7 @@ namespace humhub\modules\admin\controllers; use Yii; use yii\helpers\Url; +use yii\web\HttpException; use humhub\modules\admin\components\Controller; use humhub\modules\admin\libs\OnlineModuleManager; use humhub\modules\content\components\ContentContainerModule; diff --git a/protected/humhub/modules/admin/controllers/SettingController.php b/protected/humhub/modules/admin/controllers/SettingController.php index 4c3df01fa0..fb1aafddec 100644 --- a/protected/humhub/modules/admin/controllers/SettingController.php +++ b/protected/humhub/modules/admin/controllers/SettingController.php @@ -162,7 +162,9 @@ class SettingController extends Controller $groups = array(); $groups[''] = Yii::t('AdminModule.controllers_SettingController', 'None - shows dropdown in user registration.'); foreach (\humhub\modules\user\models\Group::find()->all() as $group) { - $groups[$group->id] = $group->name; + if(!$group->is_admin_group) { + $groups[$group->id] = $group->name; + } } return $this->render('authentication', array('model' => $form, 'groups' => $groups)); diff --git a/protected/humhub/modules/admin/controllers/UserController.php b/protected/humhub/modules/admin/controllers/UserController.php index d9d8763d40..e41dea8d6e 100644 --- a/protected/humhub/modules/admin/controllers/UserController.php +++ b/protected/humhub/modules/admin/controllers/UserController.php @@ -15,6 +15,7 @@ use humhub\modules\user\models\forms\Registration; use humhub\modules\admin\components\Controller; use humhub\modules\user\models\User; use humhub\modules\user\models\Group; +use humhub\modules\admin\models\forms\UserGroupForm; /** * User management @@ -36,7 +37,6 @@ class UserController extends Controller { $searchModel = new \humhub\modules\admin\models\UserSearch(); $dataProvider = $searchModel->search(Yii::$app->request->queryParams); - return $this->render('index', array( 'dataProvider' => $dataProvider, 'searchModel' => $searchModel @@ -63,7 +63,7 @@ class UserController extends Controller $definition = array(); $definition['elements'] = array(); // Add User Form - $definition['elements']['User'] = array( + $definition['elements']['User'] = [ 'type' => 'form', 'title' => 'Account', 'elements' => array( @@ -77,14 +77,6 @@ class UserController extends Controller 'class' => 'form-control', 'maxlength' => 100, ), - 'group_id' => array( - 'type' => 'dropdownlist', - 'class' => 'form-control', - 'items' => \yii\helpers\ArrayHelper::map(Group::find()->all(), 'id', 'name'), - ), - 'super_admin' => array( - 'type' => 'checkbox', - ), 'status' => array( 'type' => 'dropdownlist', 'class' => 'form-control', @@ -95,7 +87,22 @@ class UserController extends Controller ), ), ), - ); + ]; + + $userGroupForm = new UserGroupForm(); + $userGroupForm->setUser($user); + + // Add User Form + $definition['elements']['UserGroupForm'] = [ + 'type' => 'form', + 'elements' => [ + 'groupSelection' => [ + 'id' => 'user_edit_groups', + 'type' => 'multiselectdropdown', + 'items' => UserGroupForm::getGroupItems(Group::find()->all()) + ] + ] + ]; // Add Profile Form $definition['elements']['Profile'] = array_merge(array('type' => 'form'), $profile->getFormDefinition()); @@ -122,9 +129,11 @@ class UserController extends Controller $form = new HForm($definition); $form->models['User'] = $user; $form->models['Profile'] = $profile; + $form->models['UserGroupForm'] = $userGroupForm; if ($form->submitted('save') && $form->validate()) { if ($form->save()) { + return $this->redirect(Url::toRoute('/admin/user')); } } diff --git a/protected/humhub/modules/admin/messages/an/views_approval_index.php b/protected/humhub/modules/admin/messages/an/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/an/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/an/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/an/views_group_index.php b/protected/humhub/modules/admin/messages/an/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/an/views_group_index.php +++ b/protected/humhub/modules/admin/messages/an/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/an/views_space_index.php b/protected/humhub/modules/admin/messages/an/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/an/views_space_index.php +++ b/protected/humhub/modules/admin/messages/an/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/an/views_user_index.php b/protected/humhub/modules/admin/messages/an/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/an/views_user_index.php +++ b/protected/humhub/modules/admin/messages/an/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/ar/views_approval_index.php b/protected/humhub/modules/admin/messages/ar/views_approval_index.php index 896f68a6b9..089aaeda13 100644 --- a/protected/humhub/modules/admin/messages/ar/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/ar/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'العضويات التي تنتظر الموافقة', 'Here you see all users who have registered and still waiting for a approval.' => 'هنا توجد أسماء جميع الأعضاء الذين قاموا بالتسجيل و ينتظرون الموافقة', ]; diff --git a/protected/humhub/modules/admin/messages/ar/views_group_index.php b/protected/humhub/modules/admin/messages/ar/views_group_index.php index 22736c1a1e..62270d21a2 100644 --- a/protected/humhub/modules/admin/messages/ar/views_group_index.php +++ b/protected/humhub/modules/admin/messages/ar/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'صيانة المجموعات', ]; diff --git a/protected/humhub/modules/admin/messages/ar/views_space_index.php b/protected/humhub/modules/admin/messages/ar/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/ar/views_space_index.php +++ b/protected/humhub/modules/admin/messages/ar/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/ar/views_user_index.php b/protected/humhub/modules/admin/messages/ar/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/ar/views_user_index.php +++ b/protected/humhub/modules/admin/messages/ar/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/bg/views_approval_index.php b/protected/humhub/modules/admin/messages/bg/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/bg/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/bg/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/bg/views_group_index.php b/protected/humhub/modules/admin/messages/bg/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/bg/views_group_index.php +++ b/protected/humhub/modules/admin/messages/bg/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/bg/views_space_index.php b/protected/humhub/modules/admin/messages/bg/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/bg/views_space_index.php +++ b/protected/humhub/modules/admin/messages/bg/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/bg/views_user_index.php b/protected/humhub/modules/admin/messages/bg/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/bg/views_user_index.php +++ b/protected/humhub/modules/admin/messages/bg/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/ca/views_approval_index.php b/protected/humhub/modules/admin/messages/ca/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/ca/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/ca/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/ca/views_group_index.php b/protected/humhub/modules/admin/messages/ca/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/ca/views_group_index.php +++ b/protected/humhub/modules/admin/messages/ca/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/ca/views_space_index.php b/protected/humhub/modules/admin/messages/ca/views_space_index.php index d9a5263c7a..98fda6621c 100644 --- a/protected/humhub/modules/admin/messages/ca/views_space_index.php +++ b/protected/humhub/modules/admin/messages/ca/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/ca/views_user_index.php b/protected/humhub/modules/admin/messages/ca/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/ca/views_user_index.php +++ b/protected/humhub/modules/admin/messages/ca/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/cs/views_approval_index.php b/protected/humhub/modules/admin/messages/cs/views_approval_index.php index f8394a9b66..6a9727f824 100644 --- a/protected/humhub/modules/admin/messages/cs/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/cs/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Uživatelé čekající na schválení', 'Here you see all users who have registered and still waiting for a approval.' => 'Zde je seznam zaregistrovaných uživatelů, kteří čekají na schválení.', ]; diff --git a/protected/humhub/modules/admin/messages/cs/views_group_index.php b/protected/humhub/modules/admin/messages/cs/views_group_index.php index 848d5e96ca..2d516a46ae 100644 --- a/protected/humhub/modules/admin/messages/cs/views_group_index.php +++ b/protected/humhub/modules/admin/messages/cs/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Správa skupin', ]; diff --git a/protected/humhub/modules/admin/messages/cs/views_space_index.php b/protected/humhub/modules/admin/messages/cs/views_space_index.php index 581932a44b..82945ca542 100644 --- a/protected/humhub/modules/admin/messages/cs/views_space_index.php +++ b/protected/humhub/modules/admin/messages/cs/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage spaces' => 'Správa prostorů', 'Define here default settings for new spaces.' => 'Zde nastavíte výchozí nastavení pro nové prostory.', 'In this overview you can find every space and manage it.' => 'V tomto přehledu naleznete a můžete spravovat libovolný prostor.', diff --git a/protected/humhub/modules/admin/messages/cs/views_user_index.php b/protected/humhub/modules/admin/messages/cs/views_user_index.php index 2d2726f960..c618cb323c 100644 --- a/protected/humhub/modules/admin/messages/cs/views_user_index.php +++ b/protected/humhub/modules/admin/messages/cs/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Last login' => '', 'never' => '', 'Manage users' => 'Správa uživatelů', diff --git a/protected/humhub/modules/admin/messages/da/views_approval_index.php b/protected/humhub/modules/admin/messages/da/views_approval_index.php index bae74b4a52..f96a351211 100644 --- a/protected/humhub/modules/admin/messages/da/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/da/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Ventende bruger godkendelser', 'Here you see all users who have registered and still waiting for a approval.' => 'Her ser du alle brugere som har registreret sig og stadig venter på godkendelse.', ]; diff --git a/protected/humhub/modules/admin/messages/da/views_group_index.php b/protected/humhub/modules/admin/messages/da/views_group_index.php index 926dfe3dd8..34e2bdbc4d 100644 --- a/protected/humhub/modules/admin/messages/da/views_group_index.php +++ b/protected/humhub/modules/admin/messages/da/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Administrer grupper', ]; diff --git a/protected/humhub/modules/admin/messages/da/views_space_index.php b/protected/humhub/modules/admin/messages/da/views_space_index.php index 2baabbf20f..b4dfbab75b 100644 --- a/protected/humhub/modules/admin/messages/da/views_space_index.php +++ b/protected/humhub/modules/admin/messages/da/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage spaces' => 'Administrer sider', 'Define here default settings for new spaces.' => 'Definer standard indstillinger for nye sider', 'In this overview you can find every space and manage it.' => 'I denne oversigt kan du finde alle sider og administrere dem.', diff --git a/protected/humhub/modules/admin/messages/da/views_user_index.php b/protected/humhub/modules/admin/messages/da/views_user_index.php index 2e70a96dfe..5478d8421f 100644 --- a/protected/humhub/modules/admin/messages/da/views_user_index.php +++ b/protected/humhub/modules/admin/messages/da/views_user_index.php @@ -1,9 +1,27 @@ Manage users' => 'Administrer brugere', - 'Add new user' => 'Tilføj ny bruger', - 'In this overview you can find every registered user and manage him.' => 'I denne oversigt kan du finde alle registrerede brugere og redigere dem.', - 'Last login' => 'Seneste login', - 'Overview' => 'Oversigt', - 'never' => 'Aldrig', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Actions' => '', + 'Manage users' => 'Administrer brugere', + 'Add new user' => 'Tilføj ny bruger', + 'In this overview you can find every registered user and manage him.' => 'I denne oversigt kan du finde alle registrerede brugere og redigere dem.', + 'Last login' => 'Seneste login', + 'Overview' => 'Oversigt', + 'never' => 'Aldrig', +]; diff --git a/protected/humhub/modules/admin/messages/de/forms_BasicSettingsForm.php b/protected/humhub/modules/admin/messages/de/forms_BasicSettingsForm.php index f5abae029e..58d3db1c18 100644 --- a/protected/humhub/modules/admin/messages/de/forms_BasicSettingsForm.php +++ b/protected/humhub/modules/admin/messages/de/forms_BasicSettingsForm.php @@ -1,31 +1,14 @@ '', - 'Base URL' => 'Basis URL', - 'Default language' => 'Standardsprache', - 'Default space' => 'Standardspace', - 'Invalid space' => 'Ungültiger Space', - 'Logo upload' => 'Logo hochladen', - 'Name of the application' => 'Name der Anwendung', - 'Server Timezone' => 'Zeitzone des Servers', - 'Show introduction tour for new users' => 'Zeige Einführungstour für neue Benutzer', - 'Show sharing panel on dashboard' => 'Zeige Auswahlfeld für Soziale Netzwerke in der Übersicht', - 'Show user profile post form on dashboard' => 'Zeige Eingabeformular für die Benutzeraktivitäten in der Übersicht', -]; +return array ( + 'Base URL' => 'Basis URL', + 'Date input format' => 'Datumsformat', + 'Default language' => 'Standardsprache', + 'Default space' => 'Standardspace', + 'Invalid space' => 'Ungültiger Space', + 'Logo upload' => 'Logo hochladen', + 'Name of the application' => 'Name der Anwendung', + 'Server Timezone' => 'Zeitzone des Servers', + 'Show introduction tour for new users' => 'Zeige Einführungstour für neue Benutzer', + 'Show sharing panel on dashboard' => 'Zeige Auswahlfeld für Soziale Netzwerke in der Übersicht', + 'Show user profile post form on dashboard' => 'Zeige Eingabeformular für die Benutzeraktivitäten in der Übersicht', +); diff --git a/protected/humhub/modules/admin/messages/de/views_approval_index.php b/protected/humhub/modules/admin/messages/de/views_approval_index.php index 43bf5eecdb..c05a2fbce5 100644 --- a/protected/humhub/modules/admin/messages/de/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/de/views_approval_index.php @@ -1,5 +1,6 @@ Pending user approvals' => 'Ausstehende Benutzerfreigaben', + 'Actions' => 'Aktionen', 'Here you see all users who have registered and still waiting for a approval.' => 'Hier siehst du eine Liste aller registrierten Benutzer die noch auf eine Freigabe warten.', ); diff --git a/protected/humhub/modules/admin/messages/de/views_group_index.php b/protected/humhub/modules/admin/messages/de/views_group_index.php index bf2596a5ba..0b285efb36 100644 --- a/protected/humhub/modules/admin/messages/de/views_group_index.php +++ b/protected/humhub/modules/admin/messages/de/views_group_index.php @@ -1,21 +1,5 @@ Manage groups' => 'Gruppen Verwaltung', -]; +return array ( + 'Manage groups' => 'Gruppen verwalten', + 'Actions' => 'Aktionen', +); diff --git a/protected/humhub/modules/admin/messages/de/views_setting_design.php b/protected/humhub/modules/admin/messages/de/views_setting_design.php index 317f42b489..a8afdec88a 100644 --- a/protected/humhub/modules/admin/messages/de/views_setting_design.php +++ b/protected/humhub/modules/admin/messages/de/views_setting_design.php @@ -1,28 +1,11 @@ '', - 'Fixed format (mm/dd/yyyy) - Example: {example}' => '', - 'Design settings' => 'Design Einstellungen', - 'Alphabetical' => 'Alphabetisch', - 'Firstname Lastname (e.g. John Doe)' => 'Vorname Nachname (e.g. Max Mustermann)', - 'Last visit' => 'Letzter Zugriff', - 'Save' => 'Speichern', - 'Username (e.g. john)' => 'Benutzername (e.g. max)', -]; +return array ( + 'Design settings' => 'Design Einstellungen', + 'Alphabetical' => 'Alphabetisch', + 'Auto format based on user language - Example: {example}' => 'Automatische Formatierung basierend auf der Benutzersprache - Beispiel: {example}', + 'Firstname Lastname (e.g. John Doe)' => 'Vorname Nachname (e.g. Max Mustermann)', + 'Fixed format (mm/dd/yyyy) - Example: {example}' => 'Festgelegtes Format (mm/dd/yyyy) - Beispiel {example}', + 'Last visit' => 'Letzter Zugriff', + 'Save' => 'Speichern', + 'Username (e.g. john)' => 'Benutzername (e.g. max)', +); diff --git a/protected/humhub/modules/admin/messages/de/views_space_index.php b/protected/humhub/modules/admin/messages/de/views_space_index.php index 37a2b50950..2d1d14d612 100644 --- a/protected/humhub/modules/admin/messages/de/views_space_index.php +++ b/protected/humhub/modules/admin/messages/de/views_space_index.php @@ -1,25 +1,9 @@ Manage spaces' => 'Verwalten der Spaces', - 'Define here default settings for new spaces.' => 'Stelle hier die allgemeinen Vorgaben für neue Spaces ein. ', - 'In this overview you can find every space and manage it.' => 'In dieser Übersicht kannst Du jeden Space finden und verwalten.', - 'Overview' => 'Übersicht', - 'Settings' => 'Einstellungen', -]; +return array ( + 'Manage spaces' => 'Verwalten der Spaces', + 'Actions' => 'Aktionen', + 'Define here default settings for new spaces.' => 'Stelle hier die allgemeinen Vorgaben für neue Spaces ein.', + 'In this overview you can find every space and manage it.' => 'In dieser Übersicht kannst Du jeden Space finden und verwalten.', + 'Overview' => 'Übersicht', + 'Settings' => 'Einstellungen', +); diff --git a/protected/humhub/modules/admin/messages/de/views_user_index.php b/protected/humhub/modules/admin/messages/de/views_user_index.php index 28eff915d0..f2e72e0048 100644 --- a/protected/humhub/modules/admin/messages/de/views_user_index.php +++ b/protected/humhub/modules/admin/messages/de/views_user_index.php @@ -1,9 +1,10 @@ Manage users' => 'Benutzer verwalten', + 'Manage users' => 'Benutzer verwalten', + 'Actions' => 'Aktionen', 'Add new user' => 'Neuen Benutzer hinzufügen', 'In this overview you can find every registered user and manage him.' => 'In dieser Übersicht kannst du jeden registrierten Benutzer finden und verwalten.', - 'Last login' => 'Letzte Anmeldung', + 'Last login' => 'Letzter Login', 'Overview' => 'Übersicht', 'never' => 'Nie', ); diff --git a/protected/humhub/modules/admin/messages/el/views_approval_index.php b/protected/humhub/modules/admin/messages/el/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/el/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/el/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/el/views_group_index.php b/protected/humhub/modules/admin/messages/el/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/el/views_group_index.php +++ b/protected/humhub/modules/admin/messages/el/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/el/views_space_index.php b/protected/humhub/modules/admin/messages/el/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/el/views_space_index.php +++ b/protected/humhub/modules/admin/messages/el/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/el/views_user_index.php b/protected/humhub/modules/admin/messages/el/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/el/views_user_index.php +++ b/protected/humhub/modules/admin/messages/el/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/en_uk/views_approval_index.php b/protected/humhub/modules/admin/messages/en_uk/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/en_uk/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/en_uk/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/en_uk/views_group_index.php b/protected/humhub/modules/admin/messages/en_uk/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/en_uk/views_group_index.php +++ b/protected/humhub/modules/admin/messages/en_uk/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/en_uk/views_space_index.php b/protected/humhub/modules/admin/messages/en_uk/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/en_uk/views_space_index.php +++ b/protected/humhub/modules/admin/messages/en_uk/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/en_uk/views_user_index.php b/protected/humhub/modules/admin/messages/en_uk/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/en_uk/views_user_index.php +++ b/protected/humhub/modules/admin/messages/en_uk/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/es/views_approval_index.php b/protected/humhub/modules/admin/messages/es/views_approval_index.php index 4bef5bcf55..c9896cf81a 100644 --- a/protected/humhub/modules/admin/messages/es/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/es/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Aprobaciones de usuario pendientes', 'Here you see all users who have registered and still waiting for a approval.' => 'Aquí ves todos los usuarios que se han registrado y están esperando aprobación.', ]; diff --git a/protected/humhub/modules/admin/messages/es/views_group_index.php b/protected/humhub/modules/admin/messages/es/views_group_index.php index bd856de810..9b69f2c55e 100644 --- a/protected/humhub/modules/admin/messages/es/views_group_index.php +++ b/protected/humhub/modules/admin/messages/es/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Administrar grupos', ]; diff --git a/protected/humhub/modules/admin/messages/es/views_space_index.php b/protected/humhub/modules/admin/messages/es/views_space_index.php index 38ac345fc1..7e4fdfbe3d 100644 --- a/protected/humhub/modules/admin/messages/es/views_space_index.php +++ b/protected/humhub/modules/admin/messages/es/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage spaces' => 'Gestionar espacios', 'Define here default settings for new spaces.' => 'Define aquí la configuració por defecto para los nuevos espacios.', 'In this overview you can find every space and manage it.' => 'En esta vista puedes ver cada espacio y gestionarlo.', diff --git a/protected/humhub/modules/admin/messages/es/views_user_index.php b/protected/humhub/modules/admin/messages/es/views_user_index.php index b3aef61835..8d999ab822 100644 --- a/protected/humhub/modules/admin/messages/es/views_user_index.php +++ b/protected/humhub/modules/admin/messages/es/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Last login' => '', 'never' => '', 'Manage users' => 'Gestionar usuarios', diff --git a/protected/humhub/modules/admin/messages/fa_ir/base.php b/protected/humhub/modules/admin/messages/fa_ir/base.php index 21037293a5..e0ae96faf7 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/base.php +++ b/protected/humhub/modules/admin/messages/fa_ir/base.php @@ -1,21 +1,4 @@ '', -]; +return array ( + 'Add purchased module by licence key' => ' اضافه كردن ماژول خريداري شده را بوسيله لايسنس', +); diff --git a/protected/humhub/modules/admin/messages/fa_ir/controllers_ApprovalController.php b/protected/humhub/modules/admin/messages/fa_ir/controllers_ApprovalController.php index 3a30273c6e..01f486b267 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/controllers_ApprovalController.php +++ b/protected/humhub/modules/admin/messages/fa_ir/controllers_ApprovalController.php @@ -1,23 +1,8 @@
+return array ( + 'Account Request for \'{displayName}\' has been approved.' => 'درخواست حساب کاربری برای \'{displayname}\' تاییدشده‌است.', + 'Account Request for \'{displayName}\' has been declined.' => 'درخواست حساب کاربری برای \'{displayname}\' ردشده‌است.', + 'Hello {displayName},

your account has been activated.

@@ -25,14 +10,25 @@ return [ {loginURL}

Kind Regards
- {AdminName}

' => '', - 'Hello {displayName},

+ {AdminName}

' => 'سلام {displayName},

+ + حساب كاربري شما فعال شده است.

+ + براي ورود اينجا را كليك كنيد:
+ {loginURL}

+ + با احترام
+ {AdminName}

', + 'Hello {displayName},

your account request has been declined.

Kind Regards
- {AdminName}

' => '', - 'Account Request for \'{displayName}\' has been approved.' => 'درخواست حساب کاربری برای \'{displayname}\' تاییدشده‌است.', - 'Account Request for \'{displayName}\' has been declined.' => 'درخواست حساب کاربری برای \'{displayname}\' ردشده‌است.', - 'User not found!' => 'کاربر پیدا نشد! ', -]; + {AdminName}

' => 'سلام {displayName},

+ + درخواست عضويت شما پذيرفته نشده است.

+ + با احترام
+ {AdminName}

', + 'User not found!' => 'کاربر پیدا نشد! ', +); diff --git a/protected/humhub/modules/admin/messages/fa_ir/forms_AuthenticationLdapSettingsForm.php b/protected/humhub/modules/admin/messages/fa_ir/forms_AuthenticationLdapSettingsForm.php index 831365df61..c6321f9150 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/forms_AuthenticationLdapSettingsForm.php +++ b/protected/humhub/modules/admin/messages/fa_ir/forms_AuthenticationLdapSettingsForm.php @@ -1,32 +1,15 @@ '', - 'Base DN' => 'DN پایه', - 'Enable LDAP Support' => 'فعال‌‌سازی پشتیبانی LDAP', - 'Encryption' => 'رمزگذاری', - 'Fetch/Update Users Automatically' => 'گرفتن/به‌روز‌رسانی اتوماتیک کاربران', - 'Hostname' => 'نام میزبان', - 'Login Filter' => 'فیلتر ورود', - 'Password' => 'گذرواژه', - 'Port' => 'درگاه', - 'User Filer' => 'فیلتر کاربر', - 'Username' => 'نام کاربری', - 'Username Attribute' => 'صفت نام کاربری', -]; +return array ( + 'Base DN' => 'DN پایه', + 'E-Mail Address Attribute' => 'صفات آدرس پست الكترونيكي', + 'Enable LDAP Support' => 'فعال‌‌سازی پشتیبانی LDAP', + 'Encryption' => 'رمزگذاری', + 'Fetch/Update Users Automatically' => 'گرفتن/به‌روز‌رسانی اتوماتیک کاربران', + 'Hostname' => 'نام میزبان', + 'Login Filter' => 'فیلتر ورود', + 'Password' => 'گذرواژه', + 'Port' => 'درگاه', + 'User Filer' => 'فیلتر کاربر', + 'Username' => 'نام کاربری', + 'Username Attribute' => 'صفت نام کاربری', +); diff --git a/protected/humhub/modules/admin/messages/fa_ir/forms_BasicSettingsForm.php b/protected/humhub/modules/admin/messages/fa_ir/forms_BasicSettingsForm.php index ce1e7f38b6..b3d085c39b 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/forms_BasicSettingsForm.php +++ b/protected/humhub/modules/admin/messages/fa_ir/forms_BasicSettingsForm.php @@ -1,31 +1,14 @@ '', - 'Server Timezone' => '', - 'Show sharing panel on dashboard' => '', - 'Base URL' => 'آدرس پایه', - 'Default language' => 'زبان پیش‌فرض', - 'Default space' => 'انجمن پیش‌فرض', - 'Invalid space' => 'انجمن نامعتبر', - 'Logo upload' => 'بارگذاری لوگو', - 'Name of the application' => 'نام برنامه‌ی کاربردی', - 'Show introduction tour for new users' => 'نمایش تور معرفی برای کاربران جدید', - 'Show user profile post form on dashboard' => 'فرم پست پروفایل کاربر را در خانه نمایش بده', -]; +return array ( + 'Base URL' => 'آدرس پایه', + 'Date input format' => 'فرمت ورود تاريخ', + 'Default language' => 'زبان پیش‌فرض', + 'Default space' => 'انجمن پیش‌فرض', + 'Invalid space' => 'انجمن نامعتبر', + 'Logo upload' => 'بارگذاری لوگو', + 'Name of the application' => 'نام برنامه‌ی کاربردی', + 'Server Timezone' => 'محدوده زماني سرور', + 'Show introduction tour for new users' => 'نمایش تور معرفی برای کاربران جدید', + 'Show sharing panel on dashboard' => 'نشان دادن پنل اشتراكي در داشبورد', + 'Show user profile post form on dashboard' => 'فرم پست پروفایل کاربر را در خانه نمایش بده', +); diff --git a/protected/humhub/modules/admin/messages/fa_ir/forms_CacheSettingsForm.php b/protected/humhub/modules/admin/messages/fa_ir/forms_CacheSettingsForm.php index 36d95fb6b0..e14f87b477 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/forms_CacheSettingsForm.php +++ b/protected/humhub/modules/admin/messages/fa_ir/forms_CacheSettingsForm.php @@ -1,26 +1,9 @@ '', - 'File' => '', - 'No caching (Testing only!)' => '', - 'Cache Backend' => 'ذخیره‌ی اطلاعات سمت سرور در حافظه‌ی موقت', - 'Default Expire Time (in seconds)' => 'زمان انقضای پیش‌فرض (ثانیه)', - 'PHP APC Extension missing - Type not available!' => 'PHP APC Extension وجود ندارد - نوع قابل دسترسی نیست!', -]; +return array ( + 'APC' => 'APC', + 'Cache Backend' => 'ذخیره‌ی اطلاعات سمت سرور در حافظه‌ی موقت', + 'Default Expire Time (in seconds)' => 'زمان انقضای پیش‌فرض (ثانیه)', + 'File' => 'فايل', + 'No caching (Testing only!)' => 'بدون حافظه موقت(جهت تست)', + 'PHP APC Extension missing - Type not available!' => 'PHP APC Extension وجود ندارد - نوع قابل دسترسی نیست!', +); diff --git a/protected/humhub/modules/admin/messages/fa_ir/forms_SpaceSettingsForm.php b/protected/humhub/modules/admin/messages/fa_ir/forms_SpaceSettingsForm.php index de30206645..bada9455fc 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/forms_SpaceSettingsForm.php +++ b/protected/humhub/modules/admin/messages/fa_ir/forms_SpaceSettingsForm.php @@ -1,23 +1,6 @@ '', - 'Default Join Policy' => 'سیاست پیوستن پیش‌فرض', - 'Default Visibility' => 'نمایش پیش‌فرض', -]; +return array ( + 'Default Content Visiblity' => 'حالت نمايش محتواي پيشفرض', + 'Default Join Policy' => 'سیاست پیوستن پیش‌فرض', + 'Default Visibility' => 'نمایش پیش‌فرض', +); diff --git a/protected/humhub/modules/admin/messages/fa_ir/views_approval_index.php b/protected/humhub/modules/admin/messages/fa_ir/views_approval_index.php index 70731c475e..16ab959a4f 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/fa_ir/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'تاییدیه‌های در انتظار کاربر', 'Here you see all users who have registered and still waiting for a approval.' => 'اینجا همه‌ی کاربرانی را که ثبت نام کرده‌اند و منتظر تایید هستند مشاهده می‌کنید. ', ]; diff --git a/protected/humhub/modules/admin/messages/fa_ir/views_group_index.php b/protected/humhub/modules/admin/messages/fa_ir/views_group_index.php index e9a8f622c5..69e47bf68c 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/views_group_index.php +++ b/protected/humhub/modules/admin/messages/fa_ir/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'مدیریت گروه‌ها', ]; diff --git a/protected/humhub/modules/admin/messages/fa_ir/views_space_index.php b/protected/humhub/modules/admin/messages/fa_ir/views_space_index.php index 32a72fd481..a2db02c2df 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/views_space_index.php +++ b/protected/humhub/modules/admin/messages/fa_ir/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage spaces' => 'مدیریت انجمن‌ها', 'Define here default settings for new spaces.' => 'اینجا تنظیمات پیش‌فرض برای انجمن‌های جدید تعریف کنید. ', 'In this overview you can find every space and manage it.' => 'در این بررسی اجمالی شما می‌توانید هر انجمن را پیدا و مدیریت کنید.', diff --git a/protected/humhub/modules/admin/messages/fa_ir/views_user_index.php b/protected/humhub/modules/admin/messages/fa_ir/views_user_index.php index a0316e386f..4c17822cb7 100644 --- a/protected/humhub/modules/admin/messages/fa_ir/views_user_index.php +++ b/protected/humhub/modules/admin/messages/fa_ir/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Last login' => '', 'never' => '', 'Manage users' => 'مدیریت کاربران', diff --git a/protected/humhub/modules/admin/messages/fr/views_approval_index.php b/protected/humhub/modules/admin/messages/fr/views_approval_index.php index 51a6094190..83f540f8bf 100644 --- a/protected/humhub/modules/admin/messages/fr/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/fr/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Utilisateurs en attente d\'approbation', 'Here you see all users who have registered and still waiting for a approval.' => 'Ici, voici la liste de tous les utilisateurs enregistrés mais en attente d\'une approbation.', ]; diff --git a/protected/humhub/modules/admin/messages/fr/views_group_index.php b/protected/humhub/modules/admin/messages/fr/views_group_index.php index 7a5f4eeb7e..8bc9a4ac8a 100644 --- a/protected/humhub/modules/admin/messages/fr/views_group_index.php +++ b/protected/humhub/modules/admin/messages/fr/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Gérer les groupes', ]; diff --git a/protected/humhub/modules/admin/messages/fr/views_space_index.php b/protected/humhub/modules/admin/messages/fr/views_space_index.php index 6158cc6f16..57b402baa5 100644 --- a/protected/humhub/modules/admin/messages/fr/views_space_index.php +++ b/protected/humhub/modules/admin/messages/fr/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'Overview' => '', 'Manage spaces' => 'Gérer les Espaces', diff --git a/protected/humhub/modules/admin/messages/fr/views_user_index.php b/protected/humhub/modules/admin/messages/fr/views_user_index.php index 354ce65efa..9286548fed 100644 --- a/protected/humhub/modules/admin/messages/fr/views_user_index.php +++ b/protected/humhub/modules/admin/messages/fr/views_user_index.php @@ -1,9 +1,27 @@ Manage users' => 'Gérer les utilisateurs', - 'Add new user' => 'Ajouter un utilisateur', - 'In this overview you can find every registered user and manage him.' => 'Dans cette vision d\'ensemble, vous pouvez trouver chaque utilisateur enregistré et le gérer', - 'Last login' => 'Dernière connexion', - 'Overview' => 'Aperçu', - 'never' => 'jamais', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Actions' => '', + 'Manage users' => 'Gérer les utilisateurs', + 'Add new user' => 'Ajouter un utilisateur', + 'In this overview you can find every registered user and manage him.' => 'Dans cette vision d\'ensemble, vous pouvez trouver chaque utilisateur enregistré et le gérer', + 'Last login' => 'Dernière connexion', + 'Overview' => 'Aperçu', + 'never' => 'jamais', +]; diff --git a/protected/humhub/modules/admin/messages/hr/views_approval_index.php b/protected/humhub/modules/admin/messages/hr/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/hr/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/hr/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/hr/views_group_index.php b/protected/humhub/modules/admin/messages/hr/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/hr/views_group_index.php +++ b/protected/humhub/modules/admin/messages/hr/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/hr/views_space_index.php b/protected/humhub/modules/admin/messages/hr/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/hr/views_space_index.php +++ b/protected/humhub/modules/admin/messages/hr/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/hr/views_user_index.php b/protected/humhub/modules/admin/messages/hr/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/hr/views_user_index.php +++ b/protected/humhub/modules/admin/messages/hr/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/hu/views_approval_index.php b/protected/humhub/modules/admin/messages/hu/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/hu/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/hu/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/hu/views_group_index.php b/protected/humhub/modules/admin/messages/hu/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/hu/views_group_index.php +++ b/protected/humhub/modules/admin/messages/hu/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/hu/views_space_index.php b/protected/humhub/modules/admin/messages/hu/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/hu/views_space_index.php +++ b/protected/humhub/modules/admin/messages/hu/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/hu/views_user_index.php b/protected/humhub/modules/admin/messages/hu/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/hu/views_user_index.php +++ b/protected/humhub/modules/admin/messages/hu/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/id/views_approval_index.php b/protected/humhub/modules/admin/messages/id/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/id/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/id/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/id/views_group_index.php b/protected/humhub/modules/admin/messages/id/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/id/views_group_index.php +++ b/protected/humhub/modules/admin/messages/id/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/id/views_space_index.php b/protected/humhub/modules/admin/messages/id/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/id/views_space_index.php +++ b/protected/humhub/modules/admin/messages/id/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/id/views_user_index.php b/protected/humhub/modules/admin/messages/id/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/id/views_user_index.php +++ b/protected/humhub/modules/admin/messages/id/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/it/views_approval_index.php b/protected/humhub/modules/admin/messages/it/views_approval_index.php index 65393e019b..f91358374b 100644 --- a/protected/humhub/modules/admin/messages/it/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/it/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Approvazioni utente In sospeso', 'Here you see all users who have registered and still waiting for a approval.' => 'Qui vedi tutti gli utenti che si sono registrati e che sono in attesa di approvazione.', ]; diff --git a/protected/humhub/modules/admin/messages/it/views_group_index.php b/protected/humhub/modules/admin/messages/it/views_group_index.php index faf843bde9..2906d426b9 100644 --- a/protected/humhub/modules/admin/messages/it/views_group_index.php +++ b/protected/humhub/modules/admin/messages/it/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Gestisci gruppi', ]; diff --git a/protected/humhub/modules/admin/messages/it/views_space_index.php b/protected/humhub/modules/admin/messages/it/views_space_index.php index c9a80431b9..0c85b9f562 100644 --- a/protected/humhub/modules/admin/messages/it/views_space_index.php +++ b/protected/humhub/modules/admin/messages/it/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage spaces' => 'Gestisci space', 'Define here default settings for new spaces.' => 'Definisci qui le impostazioni di default per i nuovi space.', 'In this overview you can find every space and manage it.' => 'In questa panoramica puoi trovare tutti gli space e gestirli.', diff --git a/protected/humhub/modules/admin/messages/it/views_user_index.php b/protected/humhub/modules/admin/messages/it/views_user_index.php index c96d462365..b5efa0e9ab 100644 --- a/protected/humhub/modules/admin/messages/it/views_user_index.php +++ b/protected/humhub/modules/admin/messages/it/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Add new user' => '', 'Last login' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/ja/views_approval_index.php b/protected/humhub/modules/admin/messages/ja/views_approval_index.php index 3d1e20a912..5d6a6dfe4f 100644 --- a/protected/humhub/modules/admin/messages/ja/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/ja/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Pending 保留中ユーザーの承認', 'Here you see all users who have registered and still waiting for a approval.' => '登録済または、承認待ちユーザーを参照してください。', ]; diff --git a/protected/humhub/modules/admin/messages/ja/views_group_index.php b/protected/humhub/modules/admin/messages/ja/views_group_index.php index 1884cd7fdf..d126ed4ee4 100644 --- a/protected/humhub/modules/admin/messages/ja/views_group_index.php +++ b/protected/humhub/modules/admin/messages/ja/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Manage グループを管理', ]; diff --git a/protected/humhub/modules/admin/messages/ja/views_space_index.php b/protected/humhub/modules/admin/messages/ja/views_space_index.php index d6473a02e4..d6e5eeb5d5 100644 --- a/protected/humhub/modules/admin/messages/ja/views_space_index.php +++ b/protected/humhub/modules/admin/messages/ja/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'Overview' => '', 'Manage spaces' => 'Manage スペースの管理', diff --git a/protected/humhub/modules/admin/messages/ja/views_user_index.php b/protected/humhub/modules/admin/messages/ja/views_user_index.php index fed3ad4700..d0c288149d 100644 --- a/protected/humhub/modules/admin/messages/ja/views_user_index.php +++ b/protected/humhub/modules/admin/messages/ja/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Add new user' => '', 'Last login' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/ko/views_approval_index.php b/protected/humhub/modules/admin/messages/ko/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/ko/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/ko/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/ko/views_group_index.php b/protected/humhub/modules/admin/messages/ko/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/ko/views_group_index.php +++ b/protected/humhub/modules/admin/messages/ko/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/ko/views_space_index.php b/protected/humhub/modules/admin/messages/ko/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/ko/views_space_index.php +++ b/protected/humhub/modules/admin/messages/ko/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/ko/views_user_index.php b/protected/humhub/modules/admin/messages/ko/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/ko/views_user_index.php +++ b/protected/humhub/modules/admin/messages/ko/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/lt/views_approval_index.php b/protected/humhub/modules/admin/messages/lt/views_approval_index.php index 1ce601aeb7..743b953e83 100644 --- a/protected/humhub/modules/admin/messages/lt/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/lt/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Laukiantys eilėje vartotojų patvirtinimai', 'Here you see all users who have registered and still waiting for a approval.' => 'Čia Jūs galite matyti visus prisiregistravusius ir vis dar laukiančius patvirtinimo vartotojus.', ]; diff --git a/protected/humhub/modules/admin/messages/lt/views_group_index.php b/protected/humhub/modules/admin/messages/lt/views_group_index.php index d996b16460..8180642cd5 100644 --- a/protected/humhub/modules/admin/messages/lt/views_group_index.php +++ b/protected/humhub/modules/admin/messages/lt/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Tvarkyti grupes', ]; diff --git a/protected/humhub/modules/admin/messages/lt/views_space_index.php b/protected/humhub/modules/admin/messages/lt/views_space_index.php index b46f4bebe7..9514400fd3 100644 --- a/protected/humhub/modules/admin/messages/lt/views_space_index.php +++ b/protected/humhub/modules/admin/messages/lt/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage spaces' => 'Tvarkyti erdves', 'Define here default settings for new spaces.' => 'Apibrėžti numatytuosius nustatymus visoms erdvėms.', 'In this overview you can find every space and manage it.' => 'Šioje apžvalgoje Jūs galite rasti visas erdves ir tvarkyti jas.', diff --git a/protected/humhub/modules/admin/messages/lt/views_user_index.php b/protected/humhub/modules/admin/messages/lt/views_user_index.php index 2586229c2c..2e938f3ac3 100644 --- a/protected/humhub/modules/admin/messages/lt/views_user_index.php +++ b/protected/humhub/modules/admin/messages/lt/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Last login' => '', 'never' => '', 'Manage users' => 'Redaguoti profilio kategoriją', diff --git a/protected/humhub/modules/admin/messages/nb_no/views_approval_index.php b/protected/humhub/modules/admin/messages/nb_no/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/nb_no/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/nb_no/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/nb_no/views_group_index.php b/protected/humhub/modules/admin/messages/nb_no/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/nb_no/views_group_index.php +++ b/protected/humhub/modules/admin/messages/nb_no/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/nb_no/views_space_index.php b/protected/humhub/modules/admin/messages/nb_no/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/nb_no/views_space_index.php +++ b/protected/humhub/modules/admin/messages/nb_no/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/nb_no/views_user_index.php b/protected/humhub/modules/admin/messages/nb_no/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/nb_no/views_user_index.php +++ b/protected/humhub/modules/admin/messages/nb_no/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/nl/views_approval_index.php b/protected/humhub/modules/admin/messages/nl/views_approval_index.php index 96182114bd..f8cfe0fe72 100644 --- a/protected/humhub/modules/admin/messages/nl/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/nl/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Wachtende goedkeuringen', 'Here you see all users who have registered and still waiting for a approval.' => 'Hier zie je alle gebruikers die zich geregistreerd hebben en momenteel nog wachten op een goedkeuring.', ]; diff --git a/protected/humhub/modules/admin/messages/nl/views_group_index.php b/protected/humhub/modules/admin/messages/nl/views_group_index.php index 1abc941611..e56b5e482a 100644 --- a/protected/humhub/modules/admin/messages/nl/views_group_index.php +++ b/protected/humhub/modules/admin/messages/nl/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Beheer groepen', ]; diff --git a/protected/humhub/modules/admin/messages/nl/views_space_index.php b/protected/humhub/modules/admin/messages/nl/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/nl/views_space_index.php +++ b/protected/humhub/modules/admin/messages/nl/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/nl/views_user_index.php b/protected/humhub/modules/admin/messages/nl/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/nl/views_user_index.php +++ b/protected/humhub/modules/admin/messages/nl/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/pl/base.php b/protected/humhub/modules/admin/messages/pl/base.php index 21037293a5..fb8471d29c 100644 --- a/protected/humhub/modules/admin/messages/pl/base.php +++ b/protected/humhub/modules/admin/messages/pl/base.php @@ -1,21 +1,4 @@ '', -]; +return array ( + 'Add purchased module by licence key' => 'Dodaj zakupiony moduł wprowadzając klucz licencyjny', +); diff --git a/protected/humhub/modules/admin/messages/pl/controllers_ApprovalController.php b/protected/humhub/modules/admin/messages/pl/controllers_ApprovalController.php index 6920e7ce4e..36a724fe23 100644 --- a/protected/humhub/modules/admin/messages/pl/controllers_ApprovalController.php +++ b/protected/humhub/modules/admin/messages/pl/controllers_ApprovalController.php @@ -1,25 +1,8 @@ '', - 'Account Request for \'{displayName}\' has been declined.' => '', - 'Hello {displayName},

+return array ( + 'Account Request for \'{displayName}\' has been approved.' => 'Konto dla \'{displayName}\' zostało zaakceptowane.', + 'Account Request for \'{displayName}\' has been declined.' => 'Konto dla \'{displayName}\' nie zostało zaakceptowane.', + 'Hello {displayName},

your account has been activated.

@@ -27,12 +10,25 @@ return [ {loginURL}

Kind Regards
- {AdminName}

' => '', - 'Hello {displayName},

+ {AdminName}

' => 'Dzień dobry {displayName},

+ + Twoje konto zostało aktywowane.

+ + Aby się zalogować, otwórz poniższy adres:
+ {loginURL}

+ + Pozdrowienia,
+ {AdminName}

', + 'Hello {displayName},

your account request has been declined.

Kind Regards
- {AdminName}

' => '', - 'User not found!' => 'Użytkownik nie znaleziony!', -]; + {AdminName}

' => 'Dzień dobry {displayName},

+ + Twoja prośba o założenie konta została odrzucona.

+ + Pozdrowienia,
+ {AdminName}

', + 'User not found!' => 'Użytkownik nie znaleziony!', +); diff --git a/protected/humhub/modules/admin/messages/pl/forms_AuthenticationLdapSettingsForm.php b/protected/humhub/modules/admin/messages/pl/forms_AuthenticationLdapSettingsForm.php index 181162883c..02b438a37a 100644 --- a/protected/humhub/modules/admin/messages/pl/forms_AuthenticationLdapSettingsForm.php +++ b/protected/humhub/modules/admin/messages/pl/forms_AuthenticationLdapSettingsForm.php @@ -1,32 +1,15 @@ '', - 'Fetch/Update Users Automatically' => '', - 'Base DN' => 'Bazowy DN', - 'Enable LDAP Support' => 'Włącz wsparcie LDAP', - 'Encryption' => 'Szyfrowanie', - 'Hostname' => 'Nazwa hosta', - 'Login Filter' => 'Filtr loginów', - 'Password' => 'Hasło', - 'Port' => 'Port', - 'User Filer' => 'Filtr użytkowników', - 'Username' => 'Nazwa użytkownika', - 'Username Attribute' => 'Atrybut nazwy użytkownika ', -]; +return array ( + 'Base DN' => 'Bazowy DN', + 'E-Mail Address Attribute' => 'Atrybut adresu email', + 'Enable LDAP Support' => 'Włącz wsparcie LDAP', + 'Encryption' => 'Szyfrowanie', + 'Fetch/Update Users Automatically' => 'Pobierz/Uaktualnij użytkowników automatycznie', + 'Hostname' => 'Nazwa hosta', + 'Login Filter' => 'Filtr loginów', + 'Password' => 'Hasło', + 'Port' => 'Port', + 'User Filer' => 'Filtr użytkowników', + 'Username' => 'Nazwa użytkownika', + 'Username Attribute' => 'Atrybut nazwy użytkownika ', +); diff --git a/protected/humhub/modules/admin/messages/pl/forms_AuthenticationSettingsForm.php b/protected/humhub/modules/admin/messages/pl/forms_AuthenticationSettingsForm.php index 0f0d69b238..6f85febbad 100644 --- a/protected/humhub/modules/admin/messages/pl/forms_AuthenticationSettingsForm.php +++ b/protected/humhub/modules/admin/messages/pl/forms_AuthenticationSettingsForm.php @@ -1,10 +1,10 @@ '', - 'Default user idle timeout, auto-logout (in seconds, optional)' => '', - 'Default user profile visibility' => '', + 'Allow limited access for non-authenticated users (guests)' => 'Zezwól na ograniczony dostęp dla niezalogowanych użytkowników (gości)', 'Anonymous users can register' => 'Anonimowi użytkownicy mogą rejestrować się ', 'Default user group for new users' => 'Domyślna grupa użytkowników dla nowych użytkowników ', + 'Default user idle timeout, auto-logout (in seconds, optional)' => 'Domyślny czas bezczynności użytkownika, po którym zostanie wylogowany ( w sekundach, opcjonalnie)', + 'Default user profile visibility' => 'Domyślna widoczność profilu użytkownika', 'Members can invite external users by email' => 'Członkowie mogą zapraszać zewnętrznych użytkowników za pomocą emalia ', 'Require group admin approval after registration' => 'Wymagaj zatwierdzenia po rejestracji przez administratora grupy ', ); diff --git a/protected/humhub/modules/admin/messages/pl/forms_BasicSettingsForm.php b/protected/humhub/modules/admin/messages/pl/forms_BasicSettingsForm.php index f4a47afd60..cff667a46f 100644 --- a/protected/humhub/modules/admin/messages/pl/forms_BasicSettingsForm.php +++ b/protected/humhub/modules/admin/messages/pl/forms_BasicSettingsForm.php @@ -1,31 +1,14 @@ '', - 'Logo upload' => '', - 'Server Timezone' => '', - 'Show sharing panel on dashboard' => '', - 'Show user profile post form on dashboard' => '', - 'Base URL' => 'Główny URL ', - 'Default language' => 'Domyślny język ', - 'Default space' => 'Domyślna strefa ', - 'Invalid space' => 'Nieprawidłowa strefa', - 'Name of the application' => 'Nazwa aplikacji ', - 'Show introduction tour for new users' => 'Pokazuj wycieczkę wprowadzającą nowym użytkownikom ', -]; +return array ( + 'Base URL' => 'Główny URL ', + 'Date input format' => 'Format daty', + 'Default language' => 'Domyślny język ', + 'Default space' => 'Domyślna strefa ', + 'Invalid space' => 'Nieprawidłowa strefa', + 'Logo upload' => 'Załaduj logo', + 'Name of the application' => 'Nazwa aplikacji ', + 'Server Timezone' => 'Strefa czasowa serwera', + 'Show introduction tour for new users' => 'Pokazuj wycieczkę wprowadzającą nowym użytkownikom ', + 'Show sharing panel on dashboard' => 'Pokaż panel udostępniania na kokpicie', + 'Show user profile post form on dashboard' => 'Pokaż formularz profilu użytkownika na kokpicie', +); diff --git a/protected/humhub/modules/admin/messages/pl/forms_CacheSettingsForm.php b/protected/humhub/modules/admin/messages/pl/forms_CacheSettingsForm.php index 2835b3ba52..88b130bdcf 100644 --- a/protected/humhub/modules/admin/messages/pl/forms_CacheSettingsForm.php +++ b/protected/humhub/modules/admin/messages/pl/forms_CacheSettingsForm.php @@ -1,26 +1,9 @@ '', - 'File' => '', - 'No caching (Testing only!)' => '', - 'Cache Backend' => 'Zaplecze cache ', - 'Default Expire Time (in seconds)' => 'Domyślny czas wygasania (w sekundach) ', - 'PHP APC Extension missing - Type not available!' => 'Brakuje rozszerzenia PHP ACP - typ niedostępny! ', -]; +return array ( + 'APC' => 'APC', + 'Cache Backend' => 'Zaplecze cache ', + 'Default Expire Time (in seconds)' => 'Domyślny czas wygasania (w sekundach) ', + 'File' => 'Plik', + 'No caching (Testing only!)' => 'Bez cache\'u (funkcja testowa!)', + 'PHP APC Extension missing - Type not available!' => 'Brakuje rozszerzenia PHP APC - typ niedostępny! ', +); diff --git a/protected/humhub/modules/admin/messages/pl/forms_FileSettingsForm.php b/protected/humhub/modules/admin/messages/pl/forms_FileSettingsForm.php index 69e729885a..4a508dd554 100644 --- a/protected/humhub/modules/admin/messages/pl/forms_FileSettingsForm.php +++ b/protected/humhub/modules/admin/messages/pl/forms_FileSettingsForm.php @@ -1,30 +1,13 @@ '', - 'Hide file list widget from showing files for these objects on wall.' => '', - 'Maximum preview image height (in pixels, optional)' => '', - 'Maximum preview image width (in pixels, optional)' => '', 'Allowed file extensions' => 'Dozwolone rozszerzenia ', 'Convert command not found!' => 'Polecenie konwertujące nie znalezione! ', 'Got invalid image magick response! - Correct command?' => 'Otrzymano nieprawidłową odpowiedź image magick! - Czy prawidłowe polecenie? ', + 'Hide file info (name, size) for images on wall' => 'Ukryj informacje o pliku (nazwa, rozmiar) dla obrazków na ścianie', + 'Hide file list widget from showing files for these objects on wall.' => 'Ukryj widget listy plików dla tych obiektów.', 'Image Magick convert command (optional)' => 'Polecenie konwersji Image Magick (opcjonalne) ', + 'Maximum preview image height (in pixels, optional)' => 'Maksymalna wysokość podglądu obrazka (w pikselach, opcjonalnie)', + 'Maximum preview image width (in pixels, optional)' => 'Maksymalna szerokość podglądu obrazka (w pikselach, opcjonalnie)', 'Maximum upload file size (in MB)' => 'Maksymalny rozmiar wgrywanego pliku (w MB) ', 'Use X-Sendfile for File Downloads' => 'Użyj X-Sendfile przy pobieraniu plików ', ); diff --git a/protected/humhub/modules/admin/messages/pl/forms_MailingSettingsForm.php b/protected/humhub/modules/admin/messages/pl/forms_MailingSettingsForm.php index 94d3f801d0..2b44859e4c 100644 --- a/protected/humhub/modules/admin/messages/pl/forms_MailingSettingsForm.php +++ b/protected/humhub/modules/admin/messages/pl/forms_MailingSettingsForm.php @@ -1,23 +1,6 @@ '', + 'Allow Self-Signed Certificates?' => 'Zezwalać na samo-podpisane certyfikaty?', 'E-Mail sender address' => 'Adres wysyłającego E-mail ', 'E-Mail sender name' => 'Nazwa wysyłającego E-mail ', 'Encryption' => 'Szyfrowanie ', diff --git a/protected/humhub/modules/admin/messages/pl/forms_ProxySettingsForm.php b/protected/humhub/modules/admin/messages/pl/forms_ProxySettingsForm.php index 653da7a7e2..1a6cf59169 100644 --- a/protected/humhub/modules/admin/messages/pl/forms_ProxySettingsForm.php +++ b/protected/humhub/modules/admin/messages/pl/forms_ProxySettingsForm.php @@ -1,9 +1,9 @@ 'Włączony ', - 'No Proxy Hosts' => '', + 'No Proxy Hosts' => 'Brak Hostów Proxy', 'Password' => 'Hasło', 'Port' => 'Port', - 'Server' => '', + 'Server' => 'Serwer', 'User' => 'Użytkownik ', ); diff --git a/protected/humhub/modules/admin/messages/pl/forms_SpaceSettingsForm.php b/protected/humhub/modules/admin/messages/pl/forms_SpaceSettingsForm.php index 98b36c6002..eac0097bc3 100644 --- a/protected/humhub/modules/admin/messages/pl/forms_SpaceSettingsForm.php +++ b/protected/humhub/modules/admin/messages/pl/forms_SpaceSettingsForm.php @@ -1,23 +1,6 @@ '', - 'Default Join Policy' => 'Domyślna polityka dołączania ', - 'Default Visibility' => 'Domyślna widzialność ', -]; +return array ( + 'Default Content Visiblity' => 'Domyślna widoczność treści', + 'Default Join Policy' => 'Domyślna polityka dołączania ', + 'Default Visibility' => 'Domyślna widoczność ', +); diff --git a/protected/humhub/modules/admin/messages/pl/manage.php b/protected/humhub/modules/admin/messages/pl/manage.php index 47349ea15c..8fbb17038e 100644 --- a/protected/humhub/modules/admin/messages/pl/manage.php +++ b/protected/humhub/modules/admin/messages/pl/manage.php @@ -1,23 +1,6 @@ '', - 'Delete' => '', - 'Security' => '', -]; +return array ( + 'Basic' => 'Podstawowe', + 'Delete' => 'Usuń', + 'Security' => 'Bezpieczeństwo', +); diff --git a/protected/humhub/modules/admin/messages/pl/module_list.php b/protected/humhub/modules/admin/messages/pl/module_list.php index 2eb6a48e58..f97809aed2 100644 --- a/protected/humhub/modules/admin/messages/pl/module_list.php +++ b/protected/humhub/modules/admin/messages/pl/module_list.php @@ -1,6 +1,6 @@ 'Aktywowane', - 'No modules installed yet. Install some to enhance the functionality!' => '', - 'Version:' => '', + 'No modules installed yet. Install some to enhance the functionality!' => 'Brak zainstalowanych modułów. Zainstaluj jakieś aby mieć nowe funkcje!', + 'Version:' => 'Wersja:', ); diff --git a/protected/humhub/modules/admin/messages/pl/module_listOnline.php b/protected/humhub/modules/admin/messages/pl/module_listOnline.php index 04d5975430..a4189f083e 100644 --- a/protected/humhub/modules/admin/messages/pl/module_listOnline.php +++ b/protected/humhub/modules/admin/messages/pl/module_listOnline.php @@ -1,26 +1,9 @@ '', - 'No purchased modules found!' => '', - 'Register' => '', - 'search for available modules online' => '', - 'Installed' => 'Zainstalowane', - 'Search' => 'Szukaj ', -]; +return array ( + 'Installed' => 'Zainstalowane', + 'No modules found!' => 'Nie znaleziono modułów!', + 'No purchased modules found!' => 'Nie znaleziono zakupionych modułów!', + 'Register' => 'Zarejestruj', + 'Search' => 'Szukaj ', + 'search for available modules online' => 'szukaj dostępnych modułów online', +); diff --git a/protected/humhub/modules/admin/messages/pl/module_listUpdates.php b/protected/humhub/modules/admin/messages/pl/module_listUpdates.php index 033273f4ab..910a3666a8 100644 --- a/protected/humhub/modules/admin/messages/pl/module_listUpdates.php +++ b/protected/humhub/modules/admin/messages/pl/module_listUpdates.php @@ -1,21 +1,4 @@ '', + 'All modules are up to date!' => 'Wszystkie moduły są aktualne!', ); diff --git a/protected/humhub/modules/admin/messages/pl/views_about_index.php b/protected/humhub/modules/admin/messages/pl/views_about_index.php index cd7b58882d..cb0f465539 100644 --- a/protected/humhub/modules/admin/messages/pl/views_about_index.php +++ b/protected/humhub/modules/admin/messages/pl/views_about_index.php @@ -1,27 +1,10 @@ '', - 'HumHub is currently in debug mode. Disable it when running on production!' => '', - 'Licences' => '', - 'See installation manual for more details.' => '', - 'There is a new update available! (Latest version: %version%)' => '', - 'This HumHub installation is up to date!' => '', - 'About HumHub' => 'O HumHubie', -]; +return array ( + 'About HumHub' => 'O HumHubie', + 'Currently installed version: %currentVersion%' => 'Obecnie zainstalowana wersja: %currentVersion%', + 'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub jest w trybie debugowania. Wyłącz go gdy udostępnisz stronę użytkownikom!', + 'Licences' => 'Licencje', + 'See installation manual for more details.' => 'Więcej informacji znajdziesz w instrukcji instalacji.', + 'There is a new update available! (Latest version: %version%)' => 'Dostępna jest aktualizacja! (Najnowsza wersja: %version%)', + 'This HumHub installation is up to date!' => 'Ta instalacja HumHuba jest aktualna!', +); diff --git a/protected/humhub/modules/admin/messages/pl/views_approval_index.php b/protected/humhub/modules/admin/messages/pl/views_approval_index.php index b7fa5e1729..fe826e3cb4 100644 --- a/protected/humhub/modules/admin/messages/pl/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/pl/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Oczekujący użytkownicy do zatwierdzenia', 'Here you see all users who have registered and still waiting for a approval.' => 'Tutaj widzisz użytkowników którzy zarejestrowali się i wciąż czekają na zatwierdzenie. ', ]; diff --git a/protected/humhub/modules/admin/messages/pl/views_group_index.php b/protected/humhub/modules/admin/messages/pl/views_group_index.php index 0d72252a99..fb872d9e93 100644 --- a/protected/humhub/modules/admin/messages/pl/views_group_index.php +++ b/protected/humhub/modules/admin/messages/pl/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Zarządzaj grupami', ]; diff --git a/protected/humhub/modules/admin/messages/pl/views_module_header.php b/protected/humhub/modules/admin/messages/pl/views_module_header.php index 196d0e96a6..b7004498e7 100644 --- a/protected/humhub/modules/admin/messages/pl/views_module_header.php +++ b/protected/humhub/modules/admin/messages/pl/views_module_header.php @@ -1,25 +1,8 @@ '', - 'Available updates' => 'Dostępne aktualizacje', - 'Browse online' => 'Przeglądaj online', - 'Installed' => 'Zainstalowane', - 'Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.' => 'Moduły rozszerzają funkcjonalność HumHuba. Tutaj możesz zainstalować i zarządzać modułami z HumHub Marketplace.', -]; +return array ( + 'Available updates' => 'Dostępne aktualizacje', + 'Browse online' => 'Przeglądaj online', + 'Installed' => 'Zainstalowane', + 'Modules extend the functionality of HumHub. Here you can install and manage modules from the HumHub Marketplace.' => 'Moduły rozszerzają funkcjonalność HumHuba. Tutaj możesz zainstalować i zarządzać modułami z HumHub Marketplace.', + 'Purchases' => 'Zakupy', +); diff --git a/protected/humhub/modules/admin/messages/pl/views_module_info.php b/protected/humhub/modules/admin/messages/pl/views_module_info.php index 27c78790c5..ac5b493a91 100644 --- a/protected/humhub/modules/admin/messages/pl/views_module_info.php +++ b/protected/humhub/modules/admin/messages/pl/views_module_info.php @@ -1,22 +1,5 @@ Module details' => '', + 'Module details' => 'Szczegóły modułu', 'This module doesn\'t provide further informations.' => 'Ten moduł nie dostarcza dalszych informacji. ', ); diff --git a/protected/humhub/modules/admin/messages/pl/views_module_list.php b/protected/humhub/modules/admin/messages/pl/views_module_list.php index fe5e1d8da3..86041e7ef8 100644 --- a/protected/humhub/modules/admin/messages/pl/views_module_list.php +++ b/protected/humhub/modules/admin/messages/pl/views_module_list.php @@ -1,30 +1,13 @@ '', - 'Modules directory' => 'Katalog modułów', - 'Are you sure? *ALL* module data will be lost!' => 'Czy jesteś pewny? *WSZYSTKIE* dane modułu zostaną utracone!', - 'Are you sure? *ALL* module related data and files will be lost!' => 'Czy jesteś pewny? *WSZYSTKIE* dane i pliki związane z modułem zostaną utracone!', - 'Configure' => 'Konfiguruj', - 'Disable' => 'Zablokuj', - 'Enable' => 'Włącz', - 'More info' => 'Więcej informacji', - 'Set as default' => 'Ustaw jako domyślny', - 'Uninstall' => 'Odinstaluj', -]; +return array ( + 'Modules directory' => 'Katalog modułów', + 'Are you sure? *ALL* module data will be lost!' => 'Czy jesteś pewny? *WSZYSTKIE* dane modułu zostaną utracone!', + 'Are you sure? *ALL* module related data and files will be lost!' => 'Czy jesteś pewny? *WSZYSTKIE* dane i pliki związane z modułem zostaną utracone!', + 'Configure' => 'Konfiguruj', + 'Disable' => 'Wyłącz', + 'Enable' => 'Włącz', + 'Enable module...' => 'Włącz moduł...', + 'More info' => 'Więcej informacji', + 'Set as default' => 'Ustaw jako domyślny', + 'Uninstall' => 'Odinstaluj', +); diff --git a/protected/humhub/modules/admin/messages/pl/views_module_listOnline.php b/protected/humhub/modules/admin/messages/pl/views_module_listOnline.php index 6f6e8a462f..006511652d 100644 --- a/protected/humhub/modules/admin/messages/pl/views_module_listOnline.php +++ b/protected/humhub/modules/admin/messages/pl/views_module_listOnline.php @@ -1,29 +1,12 @@ '', - 'Installing module...' => '', - 'Licence Key:' => '', - 'Modules directory' => 'Katalog modułów', - 'Install' => 'Zainstaluj', - 'Latest compatible version:' => 'Ostatnia kompatybilna wersja:', - 'Latest version:' => 'Ostatnia wersja:', - 'More info' => 'Więcej informacji', - 'No compatible module version found!' => 'Nie znaleziono kompatybilnej wersji modułu! ', -]; +return array ( + 'Modules directory' => 'Katalog modułów', + 'Buy (%price%)' => 'Kup (%price%)', + 'Install' => 'Zainstaluj', + 'Installing module...' => 'Instaluję moduł...', + 'Latest compatible version:' => 'Ostatnia kompatybilna wersja:', + 'Latest version:' => 'Ostatnia wersja:', + 'Licence Key:' => 'Klucz licencyjny:', + 'More info' => 'Więcej informacji', + 'No compatible module version found!' => 'Nie znaleziono kompatybilnej wersji modułu! ', +); diff --git a/protected/humhub/modules/admin/messages/pl/views_module_listUpdates.php b/protected/humhub/modules/admin/messages/pl/views_module_listUpdates.php index e411bcb6fc..16f1b8316f 100644 --- a/protected/humhub/modules/admin/messages/pl/views_module_listUpdates.php +++ b/protected/humhub/modules/admin/messages/pl/views_module_listUpdates.php @@ -1,25 +1,8 @@ '', - 'Modules directory' => 'Katalog modułów', - 'Installed version:' => 'Zainstalowana wersja:', - 'Latest compatible Version:' => 'Ostatnia kompatybilna wersja:', - 'Update' => 'Aktualizuj ', -]; +return array ( + 'Modules directory' => 'Katalog modułów', + 'Installed version:' => 'Zainstalowana wersja:', + 'Latest compatible Version:' => 'Ostatnia kompatybilna wersja:', + 'Update' => 'Aktualizuj ', + 'Updating module...' => 'Aktualizuję moduł...', +); diff --git a/protected/humhub/modules/admin/messages/pl/views_notifications_newUpdate.php b/protected/humhub/modules/admin/messages/pl/views_notifications_newUpdate.php index 0d412467b1..01064d8b44 100644 --- a/protected/humhub/modules/admin/messages/pl/views_notifications_newUpdate.php +++ b/protected/humhub/modules/admin/messages/pl/views_notifications_newUpdate.php @@ -1,4 +1,4 @@ '', + 'There is a new HumHub Version (%version%) available.' => 'Dostępna jest nowa wersja HumHub - (%version%).', ); diff --git a/protected/humhub/modules/admin/messages/pl/views_setting_authentication.php b/protected/humhub/modules/admin/messages/pl/views_setting_authentication.php index d8da846ba0..b90695cef2 100644 --- a/protected/humhub/modules/admin/messages/pl/views_setting_authentication.php +++ b/protected/humhub/modules/admin/messages/pl/views_setting_authentication.php @@ -1,9 +1,9 @@ '', - 'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => '', 'Authentication - Basic' => 'Uwierzytelnianie - Podstawowe', 'Basic' => 'Podstawowe', 'LDAP' => 'LDAP', + 'Min value is 20 seconds. If not set, session will timeout after 1400 seconds (24 minutes) regardless of activity (default session timeout)' => 'Minimalna wartość to 20 sekund. Jeśli puste, sesja zakończy się po 1400 sekundach (24 minuty) bez względu na aktywność.', + 'Only applicable when limited access for non-authenticated users is enabled. Only affects new users.' => 'Właściwe tylko dla ograniczonego dostępu dla niezarejestrowanych użytkowników. Dotyczy jedynie nowych użytkowników.', 'Save' => 'Zapisz', ); diff --git a/protected/humhub/modules/admin/messages/pl/views_setting_authentication_ldap.php b/protected/humhub/modules/admin/messages/pl/views_setting_authentication_ldap.php index c51f4a2595..cd5d5a2f3c 100644 --- a/protected/humhub/modules/admin/messages/pl/views_setting_authentication_ldap.php +++ b/protected/humhub/modules/admin/messages/pl/views_setting_authentication_ldap.php @@ -1,34 +1,17 @@ '', - 'Authentication - LDAP' => 'Uwierzytelnianie - LDAP', - 'A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.' => 'TLS/SSL jest silnie faworyzowany w środowiskach produkcyjnych w celu zapobiegania przesyłaniu haseł jako czysty tekst.', - 'Basic' => 'Podstawowe', - 'Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"' => 'Definiuje filtr do zatwierdzenia w czasie próby logowania. %uid zastępuje nazwę użytkownika w czasie akcji logowania. Przykład: "(sAMAccountName=%s)" lub "(uid=%s)"', - 'LDAP' => 'LDAP', - 'LDAP Attribute for Username. Example: "uid" or "sAMAccountName"' => 'Atrybuty LDAP dla nazwy użytkownika. Przykład: "uid" lub "sAMAccountName"', - 'Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"' => 'Ogranicza dostęp do użytkowników spełniających te kryteria. Przykład: "(objectClass=posixAccount)" lub "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"', - 'Save' => 'Zapisz', - 'Status: Error! (Message: {message})' => 'Status: Błąd! (Wiadomość: {message})', - 'Status: OK! ({userCount} Users)' => 'Status: OK! ({userCount} użytkowników)', - 'The default base DN used for searching for accounts.' => 'Domyślny bazowy DN używany do celów poszukiwania kont.', - 'The default credentials password (used only with username above).' => 'Domyślne hasło listy uwierzytelniającej (używane tylko z powyższą nazwą użytkownika).', - 'The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.' => 'Domyślna nazwa użytkownika listy uwierzytelniającej. Niektóre serwery wymagają tego aby było w formularzu DN. Musi być dane w formularzu DN jeżeli serwer LDAP wymaga wiązania i wiązanie powinno być możliwe z prostymi nazwami użytkownika. ', -]; +return array ( + 'Authentication - LDAP' => 'Uwierzytelnianie - LDAP', + 'A TLS/SSL is strongly favored in production environments to prevent passwords from be transmitted in clear text.' => 'TLS/SSL jest silnie faworyzowany w środowiskach produkcyjnych w celu zapobiegania przesyłaniu haseł jako czysty tekst.', + 'Basic' => 'Podstawowe', + 'Defines the filter to apply, when login is attempted. %uid replaces the username in the login action. Example: "(sAMAccountName=%s)" or "(uid=%s)"' => 'Definiuje filtr do zatwierdzenia w czasie próby logowania. %uid zastępuje nazwę użytkownika w czasie akcji logowania. Przykład: "(sAMAccountName=%s)" lub "(uid=%s)"', + 'LDAP' => 'LDAP', + 'LDAP Attribute for E-Mail Address. Default: "mail"' => 'Atrybut LDAP dla adresu email. Domyślnie: "mail"', + 'LDAP Attribute for Username. Example: "uid" or "sAMAccountName"' => 'Atrybuty LDAP dla nazwy użytkownika. Przykład: "uid" lub "sAMAccountName"', + 'Limit access to users meeting this criteria. Example: "(objectClass=posixAccount)" or "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"' => 'Ogranicza dostęp do użytkowników spełniających te kryteria. Przykład: "(objectClass=posixAccount)" lub "(&(objectClass=person)(memberOf=CN=Workers,CN=Users,DC=myDomain,DC=com))"', + 'Save' => 'Zapisz', + 'Status: Error! (Message: {message})' => 'Status: Błąd! (Wiadomość: {message})', + 'Status: OK! ({userCount} Users)' => 'Status: OK! ({userCount} użytkowników)', + 'The default base DN used for searching for accounts.' => 'Domyślny bazowy DN używany do celów poszukiwania kont.', + 'The default credentials password (used only with username above).' => 'Domyślne hasło listy uwierzytelniającej (używane tylko z powyższą nazwą użytkownika).', + 'The default credentials username. Some servers require that this be in DN form. This must be given in DN form if the LDAP server requires a DN to bind and binding should be possible with simple usernames.' => 'Domyślna nazwa użytkownika listy uwierzytelniającej. Niektóre serwery wymagają tego aby było w formularzu DN. Musi być dane w formularzu DN jeżeli serwer LDAP wymaga wiązania i wiązanie powinno być możliwe z prostymi nazwami użytkownika. ', +); diff --git a/protected/humhub/modules/admin/messages/pl/views_setting_design.php b/protected/humhub/modules/admin/messages/pl/views_setting_design.php index ac22a54d63..a26af126df 100644 --- a/protected/humhub/modules/admin/messages/pl/views_setting_design.php +++ b/protected/humhub/modules/admin/messages/pl/views_setting_design.php @@ -1,28 +1,11 @@ '', - 'Fixed format (mm/dd/yyyy) - Example: {example}' => '', - 'Design settings' => 'Ustawienia projektu', - 'Alphabetical' => 'Alfabetycznie', - 'Firstname Lastname (e.g. John Doe)' => 'Imię Nazwisko (np. Jan Kowalski)', - 'Last visit' => 'Ostatnia wizyta', - 'Save' => 'Zapisz', - 'Username (e.g. john)' => 'Nazwa użytkownika (np. jan)', -]; +return array ( + 'Design settings' => 'Ustawienia projektu', + 'Alphabetical' => 'Alfabetycznie', + 'Auto format based on user language - Example: {example}' => 'Auto-formatuj w oparciu o język użytkownika - przykład: {example}', + 'Firstname Lastname (e.g. John Doe)' => 'Imię Nazwisko (np. Jan Kowalski)', + 'Fixed format (mm/dd/yyyy) - Example: {example}' => 'Stały format (mm/dd/rrrr) - przykład: {example}', + 'Last visit' => 'Ostatnia wizyta', + 'Save' => 'Zapisz', + 'Username (e.g. john)' => 'Nazwa użytkownika (np. jan)', +); diff --git a/protected/humhub/modules/admin/messages/pl/views_setting_file.php b/protected/humhub/modules/admin/messages/pl/views_setting_file.php index 60613ca4dc..aa0847d98a 100644 --- a/protected/humhub/modules/admin/messages/pl/views_setting_file.php +++ b/protected/humhub/modules/admin/messages/pl/views_setting_file.php @@ -1,28 +1,11 @@ '', - 'If not set, height will default to 200px.' => '', - 'If not set, width will default to 200px.' => '', 'File settings' => 'Ustawienia plików', - 'Comma separated list. Leave empty to allow all.' => 'Lista oddzielona przecinkami. Pozostaw pustą aby dopuścić wszystkie.', + 'Comma separated list. Leave empty to allow all.' => 'Lista elementów oddzielonych przecinkiem (csv). Pozostaw pustą aby dopuścić wszystkie.', + 'Comma separated list. Leave empty to show file list for all objects on wall.' => 'Lista elementów oddzielonych przecinkiem (csv). Zostaw puste aby pokazać listę plików dla wszystkich obiektów na ścianie.', 'Current Image Libary: {currentImageLibary}' => 'Obecna biblioteka graficzna: {currentImageLibary}', + 'If not set, height will default to 200px.' => 'Jeśli puste to domyślna wysokość wyniesie 200px.', + 'If not set, width will default to 200px.' => 'Jeśli puste to domyślna szerokość wyniesie 200px.', 'PHP reported a maximum of {maxUploadSize} MB' => 'PHP zgłasza maksimum {maxUploadSize} MB', 'Save' => 'Zapisz ', ); diff --git a/protected/humhub/modules/admin/messages/pl/views_setting_index.php b/protected/humhub/modules/admin/messages/pl/views_setting_index.php index 5f0d8cb7d9..88949ee0d3 100644 --- a/protected/humhub/modules/admin/messages/pl/views_setting_index.php +++ b/protected/humhub/modules/admin/messages/pl/views_setting_index.php @@ -1,12 +1,12 @@ Basic settings' => 'Ustawienia podstawowe', - 'Confirm image deleting' => '', + 'Confirm image deleting' => 'Potwierdź usunięcie obrazka', 'Cancel' => 'Anuluj', 'Dashboard' => 'Kokpit', 'Delete' => 'Usuń', 'E.g. http://example.com/humhub' => 'Np. http://przyklad.pl/humhub', 'New users will automatically added to these space(s).' => 'Nowi użytkownicy zostaną automatycznie dodani do tych stref.', 'Save' => 'Zapisz', - 'You\'re using no logo at the moment. Upload your logo now.' => '', + 'You\'re using no logo at the moment. Upload your logo now.' => 'Nie używasz logo. Prześlij teraz własne logo.', ); diff --git a/protected/humhub/modules/admin/messages/pl/views_setting_proxy.php b/protected/humhub/modules/admin/messages/pl/views_setting_proxy.php index 791a8458bb..ab98bd6ec0 100644 --- a/protected/humhub/modules/admin/messages/pl/views_setting_proxy.php +++ b/protected/humhub/modules/admin/messages/pl/views_setting_proxy.php @@ -1,5 +1,5 @@ Proxy settings' => '', + 'Proxy settings' => 'Ustawienia Proxy', 'Save' => 'Zapisz ', ); diff --git a/protected/humhub/modules/admin/messages/pl/views_space_index.php b/protected/humhub/modules/admin/messages/pl/views_space_index.php index 344062380f..5a88d3a47f 100644 --- a/protected/humhub/modules/admin/messages/pl/views_space_index.php +++ b/protected/humhub/modules/admin/messages/pl/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage spaces' => 'Zarządzaj strefami', 'Define here default settings for new spaces.' => 'Zdefiniuj tutaj domyślne ustawienia dla nowych stref', 'In this overview you can find every space and manage it.' => 'W tym przeglądzie możesz znaleźć każdą strefę i zarządzać nią.', diff --git a/protected/humhub/modules/admin/messages/pl/views_user_index.php b/protected/humhub/modules/admin/messages/pl/views_user_index.php index 7e503fd2db..3673e6e4b0 100644 --- a/protected/humhub/modules/admin/messages/pl/views_user_index.php +++ b/protected/humhub/modules/admin/messages/pl/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,11 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Last login' => '', - 'never' => '', + 'Actions' => '', 'Manage users' => 'Zarządzaj użytkownikami', 'Add new user' => 'Dodaj nowego użytkownika', 'In this overview you can find every registered user and manage him.' => 'W tym przeglądzie możesz znaleźć każdego zarejestrowanego użytkownika i zarządzać nim.', + 'Last login' => 'Ostatnie logowanie', 'Overview' => 'Przegląd', + 'never' => 'nigdy', ]; diff --git a/protected/humhub/modules/admin/messages/pl/widgets_AdminMenuWidget.php b/protected/humhub/modules/admin/messages/pl/widgets_AdminMenuWidget.php index cfcf8ef5c8..a9149fdb10 100644 --- a/protected/humhub/modules/admin/messages/pl/widgets_AdminMenuWidget.php +++ b/protected/humhub/modules/admin/messages/pl/widgets_AdminMenuWidget.php @@ -1,41 +1,24 @@ '', - 'Administration menu' => 'Menu administracji', - 'About' => 'O HumHub', - 'Authentication' => 'Uwierzytelnianie ', - 'Basic' => 'Podstawowe', - 'Caching' => 'Cache', - 'Cron jobs' => 'Zadania cron', - 'Design' => 'Projekt', - 'Files' => 'Pliki', - 'Groups' => 'Grupy', - 'Logging' => 'Logi', - 'Mailing' => 'Mailing', - 'Modules' => 'Moduły', - 'OEmbed Provider' => 'Dostawcy OEmbed', - 'Self test & update' => 'Autotest i aktualizacje', - 'Settings' => 'Ustawienia', - 'Spaces' => 'Strefy', - 'Statistics' => 'Statystyki', - 'User approval' => 'Zatwierdzenie użytkowników', - 'User profiles' => 'Profile użytkowników', - 'Users' => 'Użytkownicy ', -]; +return array ( + 'Administration menu' => 'Menu administracji', + 'About' => 'O HumHub', + 'Authentication' => 'Uwierzytelnianie ', + 'Basic' => 'Podstawowe', + 'Caching' => 'Cache', + 'Cron jobs' => 'Zadania cron', + 'Design' => 'Projekt', + 'Files' => 'Pliki', + 'Groups' => 'Grupy', + 'Logging' => 'Logi', + 'Mailing' => 'Mailing', + 'Modules' => 'Moduły', + 'OEmbed Provider' => 'Dostawcy OEmbed', + 'Proxy' => 'Serwer Proxy', + 'Self test & update' => 'Autotest i aktualizacje', + 'Settings' => 'Ustawienia', + 'Spaces' => 'Strefy', + 'Statistics' => 'Statystyki', + 'User approval' => 'Zatwierdzenie użytkowników', + 'User profiles' => 'Profile użytkowników', + 'Users' => 'Użytkownicy ', +); diff --git a/protected/humhub/modules/admin/messages/pt/views_approval_index.php b/protected/humhub/modules/admin/messages/pt/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/pt/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/pt/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/pt/views_group_index.php b/protected/humhub/modules/admin/messages/pt/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/pt/views_group_index.php +++ b/protected/humhub/modules/admin/messages/pt/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/pt/views_space_index.php b/protected/humhub/modules/admin/messages/pt/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/pt/views_space_index.php +++ b/protected/humhub/modules/admin/messages/pt/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/pt/views_user_index.php b/protected/humhub/modules/admin/messages/pt/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/pt/views_user_index.php +++ b/protected/humhub/modules/admin/messages/pt/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/pt_br/views_approval_index.php b/protected/humhub/modules/admin/messages/pt_br/views_approval_index.php index d513e05924..72043be86a 100644 --- a/protected/humhub/modules/admin/messages/pt_br/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/pt_br/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Aprovações de usuários pendentes ', 'Here you see all users who have registered and still waiting for a approval.' => 'Aqui você pode ver todos os usuários que se cadastraram e ainda estão aguardando por aprovação.', ]; diff --git a/protected/humhub/modules/admin/messages/pt_br/views_group_index.php b/protected/humhub/modules/admin/messages/pt_br/views_group_index.php index 47eeea2941..fb0de46a28 100644 --- a/protected/humhub/modules/admin/messages/pt_br/views_group_index.php +++ b/protected/humhub/modules/admin/messages/pt_br/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Gerenciar grupos', ]; diff --git a/protected/humhub/modules/admin/messages/pt_br/views_space_index.php b/protected/humhub/modules/admin/messages/pt_br/views_space_index.php index b194f1d88b..3a4aa49deb 100644 --- a/protected/humhub/modules/admin/messages/pt_br/views_space_index.php +++ b/protected/humhub/modules/admin/messages/pt_br/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage spaces' => 'Gerenciar espaços', 'Define here default settings for new spaces.' => 'Defina aqui configurações padrão para novos espaços.', 'In this overview you can find every space and manage it.' => 'Nesta visão geral você pode encontrar todos os espaços e gerenciá-los.', diff --git a/protected/humhub/modules/admin/messages/pt_br/views_user_index.php b/protected/humhub/modules/admin/messages/pt_br/views_user_index.php index 577a3ba71f..c7e25745b6 100644 --- a/protected/humhub/modules/admin/messages/pt_br/views_user_index.php +++ b/protected/humhub/modules/admin/messages/pt_br/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Last login' => '', 'never' => '', 'Manage users' => 'Gerenciando usuários', diff --git a/protected/humhub/modules/admin/messages/ro/views_approval_index.php b/protected/humhub/modules/admin/messages/ro/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/ro/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/ro/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/ro/views_group_index.php b/protected/humhub/modules/admin/messages/ro/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/ro/views_group_index.php +++ b/protected/humhub/modules/admin/messages/ro/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/ro/views_space_index.php b/protected/humhub/modules/admin/messages/ro/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/ro/views_space_index.php +++ b/protected/humhub/modules/admin/messages/ro/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/ro/views_user_index.php b/protected/humhub/modules/admin/messages/ro/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/ro/views_user_index.php +++ b/protected/humhub/modules/admin/messages/ro/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/ru/views_approval_index.php b/protected/humhub/modules/admin/messages/ru/views_approval_index.php index a2aaf86568..5414b9c95f 100644 --- a/protected/humhub/modules/admin/messages/ru/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/ru/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'В ожидании подтверждения регистрации', 'Here you see all users who have registered and still waiting for a approval.' => 'Здесь Вы можете видеть пользователей, которые зарегистрировались и ожидают подтверждения.', ]; diff --git a/protected/humhub/modules/admin/messages/ru/views_group_index.php b/protected/humhub/modules/admin/messages/ru/views_group_index.php index 5059c08947..a5c52a6331 100644 --- a/protected/humhub/modules/admin/messages/ru/views_group_index.php +++ b/protected/humhub/modules/admin/messages/ru/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Управление группами', ]; diff --git a/protected/humhub/modules/admin/messages/ru/views_space_index.php b/protected/humhub/modules/admin/messages/ru/views_space_index.php index d33e09cb45..1eecea924c 100644 --- a/protected/humhub/modules/admin/messages/ru/views_space_index.php +++ b/protected/humhub/modules/admin/messages/ru/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage spaces' => 'Управление пространствами', 'Define here default settings for new spaces.' => 'Определить настройки по умолчанию для новых пространств.', 'In this overview you can find every space and manage it.' => 'Здесь Вы можете найти все пространства и управлять ими.', diff --git a/protected/humhub/modules/admin/messages/ru/views_user_index.php b/protected/humhub/modules/admin/messages/ru/views_user_index.php index 69d3157560..e433f51c9d 100644 --- a/protected/humhub/modules/admin/messages/ru/views_user_index.php +++ b/protected/humhub/modules/admin/messages/ru/views_user_index.php @@ -1,9 +1,27 @@ Manage users' => 'Управление пользователями', - 'Add new user' => 'Добавить нового пользователя', - 'In this overview you can find every registered user and manage him.' => 'Здесь Вы можете найти любого зарегистрированного пользователя и управлять им.', - 'Last login' => 'Последний логин', - 'Overview' => 'Обзор', - 'never' => 'никогда', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Actions' => '', + 'Manage users' => 'Управление пользователями', + 'Add new user' => 'Добавить нового пользователя', + 'In this overview you can find every registered user and manage him.' => 'Здесь Вы можете найти любого зарегистрированного пользователя и управлять им.', + 'Last login' => 'Последний логин', + 'Overview' => 'Обзор', + 'never' => 'никогда', +]; diff --git a/protected/humhub/modules/admin/messages/sk/views_approval_index.php b/protected/humhub/modules/admin/messages/sk/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/sk/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/sk/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/sk/views_group_index.php b/protected/humhub/modules/admin/messages/sk/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/sk/views_group_index.php +++ b/protected/humhub/modules/admin/messages/sk/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/sk/views_space_index.php b/protected/humhub/modules/admin/messages/sk/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/sk/views_space_index.php +++ b/protected/humhub/modules/admin/messages/sk/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/sk/views_user_index.php b/protected/humhub/modules/admin/messages/sk/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/sk/views_user_index.php +++ b/protected/humhub/modules/admin/messages/sk/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/sv/views_approval_index.php b/protected/humhub/modules/admin/messages/sv/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/sv/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/sv/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/sv/views_group_index.php b/protected/humhub/modules/admin/messages/sv/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/sv/views_group_index.php +++ b/protected/humhub/modules/admin/messages/sv/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/sv/views_space_index.php b/protected/humhub/modules/admin/messages/sv/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/sv/views_space_index.php +++ b/protected/humhub/modules/admin/messages/sv/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/sv/views_user_index.php b/protected/humhub/modules/admin/messages/sv/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/sv/views_user_index.php +++ b/protected/humhub/modules/admin/messages/sv/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/th/views_approval_index.php b/protected/humhub/modules/admin/messages/th/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/th/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/th/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/th/views_group_index.php b/protected/humhub/modules/admin/messages/th/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/th/views_group_index.php +++ b/protected/humhub/modules/admin/messages/th/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/th/views_space_index.php b/protected/humhub/modules/admin/messages/th/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/th/views_space_index.php +++ b/protected/humhub/modules/admin/messages/th/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/th/views_user_index.php b/protected/humhub/modules/admin/messages/th/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/th/views_user_index.php +++ b/protected/humhub/modules/admin/messages/th/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/tr/forms_BasicSettingsForm.php b/protected/humhub/modules/admin/messages/tr/forms_BasicSettingsForm.php index 21f13cca93..7c5cb2c9eb 100644 --- a/protected/humhub/modules/admin/messages/tr/forms_BasicSettingsForm.php +++ b/protected/humhub/modules/admin/messages/tr/forms_BasicSettingsForm.php @@ -1,31 +1,14 @@ '', - 'Base URL' => 'Temel URL', - 'Default language' => 'Varsayılan dil', - 'Default space' => 'Varsayılan alan', - 'Invalid space' => 'Geçersiz alan', - 'Logo upload' => 'Logo Yükle', - 'Name of the application' => 'Uygulama adı', - 'Server Timezone' => 'Sunucu Saat Dilimi', - 'Show introduction tour for new users' => 'Yeni kullanıcılar için tanıtım turu göster', - 'Show sharing panel on dashboard' => 'Panoda paylaşım panelini göster', - 'Show user profile post form on dashboard' => 'Panoda kullanıcı profil paylaşım alanı', -]; +return array ( + 'Base URL' => 'Temel URL', + 'Date input format' => 'Tarih giriş formatı', + 'Default language' => 'Varsayılan dil', + 'Default space' => 'Varsayılan alan', + 'Invalid space' => 'Geçersiz alan', + 'Logo upload' => 'Logo Yükle', + 'Name of the application' => 'Uygulama adı', + 'Server Timezone' => 'Sunucu Saat Dilimi', + 'Show introduction tour for new users' => 'Yeni kullanıcılar için tanıtım turu göster', + 'Show sharing panel on dashboard' => 'Panoda paylaşım panelini göster', + 'Show user profile post form on dashboard' => 'Panoda kullanıcı profil paylaşım alanı', +); diff --git a/protected/humhub/modules/admin/messages/tr/module_listOnline.php b/protected/humhub/modules/admin/messages/tr/module_listOnline.php index 77db3f0c46..3f072a843f 100644 --- a/protected/humhub/modules/admin/messages/tr/module_listOnline.php +++ b/protected/humhub/modules/admin/messages/tr/module_listOnline.php @@ -5,5 +5,5 @@ return array ( 'No purchased modules found!' => 'Satın alınan modül bulunamadı!', 'Register' => 'Kayıt', 'Search' => 'Ara', - 'search for available modules online' => '', + 'search for available modules online' => 'bulunabilir modül ara', ); diff --git a/protected/humhub/modules/admin/messages/tr/views_about_index.php b/protected/humhub/modules/admin/messages/tr/views_about_index.php index ed1e38042e..b6d9a9aced 100644 --- a/protected/humhub/modules/admin/messages/tr/views_about_index.php +++ b/protected/humhub/modules/admin/messages/tr/views_about_index.php @@ -1,27 +1,10 @@ '', - 'See installation manual for more details.' => '', - 'About HumHub' => 'HumHub hakkında', - 'Currently installed version: %currentVersion%' => 'Şu anda yüklü sürüm: %currentVersion%', - 'Licences' => 'Lisanslar', - 'There is a new update available! (Latest version: %version%)' => 'Yeni bir güncelleme mevcut! (Son sürüm: %version%)', - 'This HumHub installation is up to date!' => 'HumHub sürümünüz güncel!', -]; +return array ( + 'About HumHub' => 'HumHub hakkında', + 'Currently installed version: %currentVersion%' => 'Şu anda yüklü sürüm: %currentVersion%', + 'HumHub is currently in debug mode. Disable it when running on production!' => 'HumHub şu anda hata ayıklama modunda. İşlem yaparken devre dışı bırakın!', + 'Licences' => 'Lisanslar', + 'See installation manual for more details.' => 'Daha fazla bilgi için kurulum kılavuzuna bakınız.', + 'There is a new update available! (Latest version: %version%)' => 'Yeni bir güncelleme mevcut! (Son sürüm: %version%)', + 'This HumHub installation is up to date!' => 'HumHub sürümünüz güncel!', +); diff --git a/protected/humhub/modules/admin/messages/tr/views_approval_index.php b/protected/humhub/modules/admin/messages/tr/views_approval_index.php index ad9b324e86..4904b2676b 100644 --- a/protected/humhub/modules/admin/messages/tr/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/tr/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => 'Onay bekleyen kullanıdılar', 'Here you see all users who have registered and still waiting for a approval.' => 'Burda kayıtlı ve halen onay bekleyen kullanıcılar görüntülenir.', ]; diff --git a/protected/humhub/modules/admin/messages/tr/views_group_index.php b/protected/humhub/modules/admin/messages/tr/views_group_index.php index 6b95f8003a..ac07196300 100644 --- a/protected/humhub/modules/admin/messages/tr/views_group_index.php +++ b/protected/humhub/modules/admin/messages/tr/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => 'Grupları yönet', ]; diff --git a/protected/humhub/modules/admin/messages/tr/views_module_listOnline.php b/protected/humhub/modules/admin/messages/tr/views_module_listOnline.php index 530f521f50..7dca927087 100644 --- a/protected/humhub/modules/admin/messages/tr/views_module_listOnline.php +++ b/protected/humhub/modules/admin/messages/tr/views_module_listOnline.php @@ -1,29 +1,12 @@ '', - 'Installing module...' => '', - 'Licence Key:' => '', - 'Modules directory' => 'Modül dizini', - 'Install' => 'Yükle', - 'Latest compatible version:' => 'En son uyumlu sürüm:', - 'Latest version:' => 'Son versiyon:', - 'More info' => 'Daha fazla bilgi', - 'No compatible module version found!' => 'Uyumlu modül versiyonu bulunamadı!', -]; +return array ( + 'Modules directory' => 'Modül dizini', + 'Buy (%price%)' => 'Satın Al (%price%)', + 'Install' => 'Yükle', + 'Installing module...' => 'Modül yükleniyor ...', + 'Latest compatible version:' => 'En son uyumlu sürüm:', + 'Latest version:' => 'Son versiyon:', + 'Licence Key:' => 'Lisans Anahtarı:', + 'More info' => 'Daha fazla bilgi', + 'No compatible module version found!' => 'Uyumlu modül versiyonu bulunamadı!', +); diff --git a/protected/humhub/modules/admin/messages/tr/views_setting_design.php b/protected/humhub/modules/admin/messages/tr/views_setting_design.php index 12acc4e8f9..fe84c92b4c 100644 --- a/protected/humhub/modules/admin/messages/tr/views_setting_design.php +++ b/protected/humhub/modules/admin/messages/tr/views_setting_design.php @@ -1,29 +1,12 @@ '', - 'Fixed format (mm/dd/yyyy) - Example: {example}' => '', - 'Design settings' => 'Dizayn Ayarları', - 'Alphabetical' => 'Alfabetik +return array ( + 'Design settings' => 'Dizayn Ayarları', + 'Alphabetical' => 'Alfabetik ', - 'Firstname Lastname (e.g. John Doe)' => 'Ad Soyad (Örnek: Mehmet Çifçi)', - 'Last visit' => 'Son Ziyaret', - 'Save' => 'Kaydet', - 'Username (e.g. john)' => 'Kullanıcı adı (Örnek: mehmet)', -]; + 'Auto format based on user language - Example: {example}' => 'Kullanıcı diline göre otomatik biçim - Örnek: {example}', + 'Firstname Lastname (e.g. John Doe)' => 'Ad Soyad (Örnek: Mehmet Çifçi)', + 'Fixed format (mm/dd/yyyy) - Example: {example}' => 'Sabit biçim (mm/dd/yyyy) - Örnek: {example}', + 'Last visit' => 'Son Ziyaret', + 'Save' => 'Kaydet', + 'Username (e.g. john)' => 'Kullanıcı adı (Örnek: mehmet)', +); diff --git a/protected/humhub/modules/admin/messages/tr/views_space_index.php b/protected/humhub/modules/admin/messages/tr/views_space_index.php index 4f58a10abf..9cb1ff7e12 100644 --- a/protected/humhub/modules/admin/messages/tr/views_space_index.php +++ b/protected/humhub/modules/admin/messages/tr/views_space_index.php @@ -1,25 +1,9 @@ Manage spaces' => 'Mekan Yönetimi', - 'Define here default settings for new spaces.' => 'Yeni mekanlar için varsayılan ayarları tanımla', - 'In this overview you can find every space and manage it.' => 'Tüm mekanlar bulunabilir ve yönetilebilir.', - 'Overview' => 'Genel bakış', - 'Settings' => 'Ayarlar', -]; +return array ( + 'Manage spaces' => 'Mekan Yönetimi', + 'Actions' => 'Eylemler', + 'Define here default settings for new spaces.' => 'Yeni mekanlar için varsayılan ayarları tanımla', + 'In this overview you can find every space and manage it.' => 'Tüm mekanlar bulunabilir ve yönetilebilir.', + 'Overview' => 'Genel bakış', + 'Settings' => 'Ayarlar', +); diff --git a/protected/humhub/modules/admin/messages/tr/views_user_index.php b/protected/humhub/modules/admin/messages/tr/views_user_index.php index 20456650be..1c4b9db61d 100644 --- a/protected/humhub/modules/admin/messages/tr/views_user_index.php +++ b/protected/humhub/modules/admin/messages/tr/views_user_index.php @@ -1,26 +1,10 @@ '', - 'never' => '', - 'Manage users' => 'Kullanıcıları yönet', - 'Add new user' => 'Yeni kullanıcı ekle', - 'In this overview you can find every registered user and manage him.' => 'Kayıtlı kullanıcıları bulabilir, görüntüleyebilir ve yönetebilirsiniz.', - 'Overview' => 'Genel Bakış', -]; +return array ( + 'Manage users' => 'Kullanıcıları yönet', + 'Actions' => 'Eylemler', + 'Add new user' => 'Yeni kullanıcı ekle', + 'In this overview you can find every registered user and manage him.' => 'Kayıtlı kullanıcıları bulabilir, görüntüleyebilir ve yönetebilirsiniz.', + 'Last login' => 'Son giriş', + 'Overview' => 'Genel Bakış', + 'never' => 'asla', +); diff --git a/protected/humhub/modules/admin/messages/uk/views_approval_index.php b/protected/humhub/modules/admin/messages/uk/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/uk/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/uk/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/uk/views_group_index.php b/protected/humhub/modules/admin/messages/uk/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/uk/views_group_index.php +++ b/protected/humhub/modules/admin/messages/uk/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/uk/views_space_index.php b/protected/humhub/modules/admin/messages/uk/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/uk/views_space_index.php +++ b/protected/humhub/modules/admin/messages/uk/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/uk/views_user_index.php b/protected/humhub/modules/admin/messages/uk/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/uk/views_user_index.php +++ b/protected/humhub/modules/admin/messages/uk/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/uz/views_approval_index.php b/protected/humhub/modules/admin/messages/uz/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/uz/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/uz/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/uz/views_group_index.php b/protected/humhub/modules/admin/messages/uz/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/uz/views_group_index.php +++ b/protected/humhub/modules/admin/messages/uz/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/uz/views_space_index.php b/protected/humhub/modules/admin/messages/uz/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/uz/views_space_index.php +++ b/protected/humhub/modules/admin/messages/uz/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/uz/views_user_index.php b/protected/humhub/modules/admin/messages/uz/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/uz/views_user_index.php +++ b/protected/humhub/modules/admin/messages/uz/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/vi/views_approval_index.php b/protected/humhub/modules/admin/messages/vi/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/vi/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/vi/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/vi/views_group_index.php b/protected/humhub/modules/admin/messages/vi/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/vi/views_group_index.php +++ b/protected/humhub/modules/admin/messages/vi/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/vi/views_space_index.php b/protected/humhub/modules/admin/messages/vi/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/vi/views_space_index.php +++ b/protected/humhub/modules/admin/messages/vi/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/vi/views_user_index.php b/protected/humhub/modules/admin/messages/vi/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/vi/views_user_index.php +++ b/protected/humhub/modules/admin/messages/vi/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/messages/zh_cn/views_approval_index.php b/protected/humhub/modules/admin/messages/zh_cn/views_approval_index.php index ef92107fb4..834ed42b49 100755 --- a/protected/humhub/modules/admin/messages/zh_cn/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/zh_cn/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Pending user approvals' => '待处理用户请求', 'Here you see all users who have registered and still waiting for a approval.' => '这里你可以看到那些已注册但仍在等待批准的用户。', ]; diff --git a/protected/humhub/modules/admin/messages/zh_cn/views_group_index.php b/protected/humhub/modules/admin/messages/zh_cn/views_group_index.php index 8b40d3e40f..6e4d12b02f 100755 --- a/protected/humhub/modules/admin/messages/zh_cn/views_group_index.php +++ b/protected/humhub/modules/admin/messages/zh_cn/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,5 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Manage groups' => '管理 用户组', ]; diff --git a/protected/humhub/modules/admin/messages/zh_cn/views_space_index.php b/protected/humhub/modules/admin/messages/zh_cn/views_space_index.php index 60f02ebb76..8996d75fff 100755 --- a/protected/humhub/modules/admin/messages/zh_cn/views_space_index.php +++ b/protected/humhub/modules/admin/messages/zh_cn/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'Overview' => '', 'Manage spaces' => '管理 版块', diff --git a/protected/humhub/modules/admin/messages/zh_cn/views_user_index.php b/protected/humhub/modules/admin/messages/zh_cn/views_user_index.php index 33a735f9c5..4bf956d072 100755 --- a/protected/humhub/modules/admin/messages/zh_cn/views_user_index.php +++ b/protected/humhub/modules/admin/messages/zh_cn/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,6 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Actions' => '', 'Add new user' => '', 'Last login' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/zh_tw/views_approval_index.php b/protected/humhub/modules/admin/messages/zh_tw/views_approval_index.php index ef16c52e2c..e9db56e71f 100644 --- a/protected/humhub/modules/admin/messages/zh_tw/views_approval_index.php +++ b/protected/humhub/modules/admin/messages/zh_tw/views_approval_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,5 +18,6 @@ */ return [ 'Pending user approvals' => '', + 'Actions' => '', 'Here you see all users who have registered and still waiting for a approval.' => '', ]; diff --git a/protected/humhub/modules/admin/messages/zh_tw/views_group_index.php b/protected/humhub/modules/admin/messages/zh_tw/views_group_index.php index 19047c22e5..c058bdcd8f 100644 --- a/protected/humhub/modules/admin/messages/zh_tw/views_group_index.php +++ b/protected/humhub/modules/admin/messages/zh_tw/views_group_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,4 +18,5 @@ */ return [ 'Manage groups' => '', + 'Actions' => '', ]; diff --git a/protected/humhub/modules/admin/messages/zh_tw/views_space_index.php b/protected/humhub/modules/admin/messages/zh_tw/views_space_index.php index 39ccca7540..d7cf591732 100644 --- a/protected/humhub/modules/admin/messages/zh_tw/views_space_index.php +++ b/protected/humhub/modules/admin/messages/zh_tw/views_space_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage spaces' => '', + 'Actions' => '', 'Define here default settings for new spaces.' => '', 'In this overview you can find every space and manage it.' => '', 'Overview' => '', diff --git a/protected/humhub/modules/admin/messages/zh_tw/views_user_index.php b/protected/humhub/modules/admin/messages/zh_tw/views_user_index.php index 85f0703412..124bfe1109 100644 --- a/protected/humhub/modules/admin/messages/zh_tw/views_user_index.php +++ b/protected/humhub/modules/admin/messages/zh_tw/views_user_index.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Manage users' => '', + 'Actions' => '', 'Add new user' => '', 'In this overview you can find every registered user and manage him.' => '', 'Last login' => '', diff --git a/protected/humhub/modules/admin/models/UserApprovalSearch.php b/protected/humhub/modules/admin/models/UserApprovalSearch.php index b0eeac67f0..c6d7aef85f 100644 --- a/protected/humhub/modules/admin/models/UserApprovalSearch.php +++ b/protected/humhub/modules/admin/models/UserApprovalSearch.php @@ -53,7 +53,7 @@ class UserApprovalSearch extends User */ public function search($params = []) { - $query = User::find()->joinWith(['profile', 'group']); + $query = User::find()->joinWith(['profile', 'groups']); $dataProvider = new ActiveDataProvider([ 'query' => $query, @@ -62,7 +62,6 @@ class UserApprovalSearch extends User $dataProvider->setSort([ 'attributes' => [ - 'group.id', 'username', 'email', 'super_admin', @@ -88,12 +87,9 @@ class UserApprovalSearch extends User foreach ($groups as $group) { $groupIds[] = $group->id; } - $query->andWhere(['IN', 'group_id', $groupIds]); - + $query->andWhere(['IN', 'group.id', $groupIds]); $query->andWhere(['status' => User::STATUS_NEED_APPROVAL]); $query->andFilterWhere(['id' => $this->id]); - $query->andFilterWhere(['group.id' => $this->getAttribute('group.id')]); - $query->andFilterWhere(['super_admin' => $this->super_admin]); $query->andFilterWhere(['like', 'id', $this->id]); $query->andFilterWhere(['like', 'username', $this->username]); $query->andFilterWhere(['like', 'email', $this->email]); @@ -111,13 +107,7 @@ class UserApprovalSearch extends User if (Yii::$app->user->isAdmin()) { return \humhub\modules\user\models\Group::find()->all(); } else { - $groups = []; - foreach (\humhub\modules\user\models\GroupAdmin::find()->joinWith('group')->where(['user_id' => Yii::$app->user->id])->all() as $groupAdmin) { - if ($groupAdmin->group !== null) - $groups[] = $groupAdmin->group; - } - return $groups; + return Yii::$app->user->getIdentity()->managerGroups; } } - -} +} \ No newline at end of file diff --git a/protected/humhub/modules/admin/models/UserSearch.php b/protected/humhub/modules/admin/models/UserSearch.php index 1049935b34..3a681a7387 100644 --- a/protected/humhub/modules/admin/models/UserSearch.php +++ b/protected/humhub/modules/admin/models/UserSearch.php @@ -30,7 +30,7 @@ class UserSearch extends User public function rules() { return [ - [['id', 'super_admin'], 'integer'], + [['id'], 'integer'], [['username', 'email', 'created_at', 'profile.firstname', 'profile.lastname', 'last_login'], 'safe'], ]; } @@ -65,8 +65,7 @@ class UserSearch extends User 'id', 'username', 'email', - 'super_admin', - 'last_login', + 'last_login', 'profile.firstname', 'profile.lastname', 'created_at', @@ -81,7 +80,6 @@ class UserSearch extends User } $query->andFilterWhere(['id' => $this->id]); - $query->andFilterWhere(['super_admin' => $this->super_admin]); $query->andFilterWhere(['like', 'id', $this->id]); $query->andFilterWhere(['like', 'username', $this->username]); $query->andFilterWhere(['like', 'email', $this->email]); diff --git a/protected/humhub/modules/admin/models/forms/AdminDeleteGroupForm.php b/protected/humhub/modules/admin/models/forms/AdminDeleteGroupForm.php deleted file mode 100644 index aa49cc69bd..0000000000 --- a/protected/humhub/modules/admin/models/forms/AdminDeleteGroupForm.php +++ /dev/null @@ -1,39 +0,0 @@ - Yii::t('AdminModule.forms_AdminDeleteGroupForm', 'Group'), - ); - } - -} diff --git a/protected/humhub/modules/admin/models/forms/UserGroupForm.php b/protected/humhub/modules/admin/models/forms/UserGroupForm.php new file mode 100644 index 0000000000..580230981d --- /dev/null +++ b/protected/humhub/modules/admin/models/forms/UserGroupForm.php @@ -0,0 +1,141 @@ + 'Groups' + ]; + } + + /** + * Sets the user data and intitializes the from selection + * @param type $user + */ + public function setUser($user) + { + //Set form user and current group settings + $this->user = $user; + $this->currentGroups = $user->groups; + + //Set the current group selection + $this->groupSelection = []; + foreach ($this->currentGroups as $group) { + $this->groupSelection[] = $group->id; + } + } + + /** + * Aligns the given group selection with the db + * @return boolean + */ + public function save() + { + //Check old group selection and remove non selected groups + foreach($this->currentGroups as $userGroup) { + if(!$this->isInGroupSelection($userGroup)) { + $this->user->getGroupUsers()->where(['group_id' => $userGroup->id])->one()->delete(); + } + } + + //Add all selectedGroups to the given user + foreach ($this->groupSelection as $groupId) { + if (!$this->isCurrentlyMemberOf($groupId)) { + Group::findOne($groupId)->addUser($this->user); + } + } + return true; + } + + /** + * Checks if the given group (id or model object) is contained in the form selection + * @param type $groupId groupId or Group model object + * @return boolean true if contained in selection else false + */ + private function isInGroupSelection($groupId) + { + $groupId = ($groupId instanceof Group) ? $groupId->id : $groupId; + $this->groupSelection = (is_array($this->groupSelection)) ? $this->groupSelection : []; + return is_array($this->groupSelection) && in_array($groupId, $this->groupSelection); + } + + /** + * Checks if the user is member of the given group (id or model object) + * @param type $groupId $groupId groupId or Group model object + * @return boolean true if user is member else false + */ + private function isCurrentlyMemberOf($groupId) + { + $groupId = ($groupId instanceof Group) ? $groupId->id : $groupId; + foreach ($this->currentGroups as $userGroup) { + if ($userGroup->id === $groupId) { + return true; + } + } + return false; + } + + /** + * Returns an id => groupname array representation of the given $groups array. + * @param array $groups array of Group models + * @return type array in form of id => groupname + */ + public static function getGroupItems($groups) + { + $result = []; + foreach ($groups as $group) { + $result[$group->id] = $group->name; + } + return $result; + } + +} diff --git a/protected/humhub/modules/admin/views/approval/index.php b/protected/humhub/modules/admin/views/approval/index.php index 79e25f67ef..f77de47ce8 100644 --- a/protected/humhub/modules/admin/views/approval/index.php +++ b/protected/humhub/modules/admin/views/approval/index.php @@ -1,8 +1,4 @@ $dataProvider, 'filterModel' => $searchModel, 'columns' => [ - [ - 'attribute' => 'group.id', - 'label' => 'Group', - 'filter' => \yii\helpers\Html::activeDropDownList($searchModel, 'group.id', \yii\helpers\ArrayHelper::map($searchModel->getGroups(), 'id', 'name')), - 'value' => - function($data) { - return $data->group->name . " (" . $data->group->id . ")"; - } - ], 'username', + 'username', 'email', 'profile.firstname', 'profile.lastname', 'profile.lastname', [ - 'header' => 'Actions', + 'header' => Yii::t('AdminModule.views_approval_index', 'Actions'), 'class' => 'yii\grid\ActionColumn', 'options' => ['width' => '150px'], 'buttons' => [ diff --git a/protected/humhub/modules/admin/views/group/delete.php b/protected/humhub/modules/admin/views/group/delete.php deleted file mode 100644 index 1904781338..0000000000 --- a/protected/humhub/modules/admin/views/group/delete.php +++ /dev/null @@ -1,33 +0,0 @@ - - - -
-
Delete group'); ?>
-
- -

- "{group}" you need to set an alternative group for existing users:', array('{group}' => CHtml::encode($group->name))); ?> -

- - - - errorSummary($model); ?> - -
- dropDownList($model, 'group_id', $alternativeGroups, array('class' => 'form-control')); ?> - error($model, 'group_id'); ?> -
- -
- 'btn btn-danger')); ?> - - -
- - - - diff --git a/protected/humhub/modules/admin/views/group/edit.php b/protected/humhub/modules/admin/views/group/edit.php index 8faf73315d..506a8d5f03 100644 --- a/protected/humhub/modules/admin/views/group/edit.php +++ b/protected/humhub/modules/admin/views/group/edit.php @@ -2,7 +2,6 @@ use yii\widgets\ActiveForm; use humhub\compat\CHtml; -use humhub\models\Setting; use humhub\modules\user\widgets\PermissionGridEditor; use yii\helpers\Url; use yii\helpers\Html; @@ -35,13 +34,23 @@ use yii\helpers\Html; 'attribute' => 'defaultSpaceGuid' ]); ?> - + + field($group, 'managerGuids', ['inputOptions' => ['id' => 'user_select']]); ?> + + +
+
+ field($group, 'show_at_registration')->checkbox(); ?> + field($group, 'show_at_directory')->checkbox(); ?> + isNewRecord) ? null : Url::toRoute('/admin/group/admin-user-search'); echo \humhub\modules\user\widgets\UserPicker::widget([ 'inputId' => 'user_select', - 'maxUsers' => 2, 'model' => $group, - 'attribute' => 'adminGuids', + 'attribute' => 'managerGuids', + 'userSearchUrl' => $url, + 'data' => ['id' => $group->id], 'placeholderText' => 'Add a user' ]); ?> diff --git a/protected/humhub/modules/admin/views/group/index.php b/protected/humhub/modules/admin/views/group/index.php index 2a36ef61cd..b2c5b5c6e1 100644 --- a/protected/humhub/modules/admin/views/group/index.php +++ b/protected/humhub/modules/admin/views/group/index.php @@ -22,7 +22,7 @@ use humhub\widgets\GridView; 'name', 'description', [ - 'header' => 'Actions', + 'header' => Yii::t('AdminModule.views_group_index', 'Actions'), 'class' => 'yii\grid\ActionColumn', 'options' => ['width' => '80px'], 'buttons' => [ diff --git a/protected/humhub/modules/admin/views/space/index.php b/protected/humhub/modules/admin/views/space/index.php index 9aa5cef9ba..a7fc3f8f18 100644 --- a/protected/humhub/modules/admin/views/space/index.php +++ b/protected/humhub/modules/admin/views/space/index.php @@ -1,6 +1,5 @@

+
+ Yii::t('SpaceModule.base', 'Private (Invisible)'), + Space::VISIBILITY_REGISTERED_ONLY => Yii::t('SpaceModule.base', 'Public (Visible)'), + Space::VISIBILITY_ALL => 'All', + ); - Yii::t('SpaceModule.base', 'Private (Invisible)'), - Space::VISIBILITY_REGISTERED_ONLY => Yii::t('SpaceModule.base', 'Public (Visible)'), - Space::VISIBILITY_ALL => 'All', - ); - - $joinPolicies = array( - Space::JOIN_POLICY_NONE => Yii::t('SpaceModule.base', 'Only by invite'), - Space::JOIN_POLICY_APPLICATION => Yii::t('SpaceModule.base', 'Invite and request'), - Space::JOIN_POLICY_FREE => 'Everyone can enter', - ); + $joinPolicies = array( + Space::JOIN_POLICY_NONE => Yii::t('SpaceModule.base', 'Only by invite'), + Space::JOIN_POLICY_APPLICATION => Yii::t('SpaceModule.base', 'Invite and request'), + Space::JOIN_POLICY_FREE => 'Everyone can enter', + ); - echo SpaceGridView::widget([ - 'dataProvider' => $dataProvider, - 'filterModel' => $searchModel, - 'columns' => [ - [ - 'attribute' => 'id', - 'options' => ['width' => '40px'], - 'format' => 'raw', - 'value' => function($data) { - return $data->id; - }, - ], - 'name', - [ - 'attribute' => 'visibility', - 'filter' => \yii\helpers\Html::activeDropDownList($searchModel, 'visibility', array_merge(['' => ''], $visibilities)), - 'options' => ['width' => '40px'], - 'format' => 'raw', - 'value' => function($data) use ($visibilities) { - if (isset($visibilities[$data->visibility])) - return $visibilities[$data->visibility]; - return Html::encode($data->visibility); - }, - ], - [ - 'attribute' => 'join_policy', - 'options' => ['width' => '40px'], - 'filter' => \yii\helpers\Html::activeDropDownList($searchModel, 'join_policy', array_merge(['' => ''], $joinPolicies)), - 'format' => 'raw', - 'value' => function($data) use ($joinPolicies) { - if (isset($joinPolicies[$data->join_policy])) - return $joinPolicies[$data->join_policy]; - return Html::encode($data->join_policy); - }, - ], - [ - 'header' => 'Actions', - 'class' => 'yii\grid\ActionColumn', - 'options' => ['width' => '80px'], - 'buttons' => [ + echo SpaceGridView::widget([ + 'dataProvider' => $dataProvider, + 'filterModel' => $searchModel, + 'columns' => [ + [ + 'attribute' => 'id', + 'options' => ['width' => '40px'], + 'format' => 'raw', + 'value' => function($data) { + return $data->id; + }, + ], + 'name', + [ + 'attribute' => 'visibility', + 'filter' => \yii\helpers\Html::activeDropDownList($searchModel, 'visibility', array_merge(['' => ''], $visibilities)), + 'options' => ['width' => '40px'], + 'format' => 'raw', + 'value' => function($data) use ($visibilities) { + if (isset($visibilities[$data->visibility])) + return $visibilities[$data->visibility]; + return Html::encode($data->visibility); + }, + ], + [ + 'attribute' => 'join_policy', + 'options' => ['width' => '40px'], + 'filter' => \yii\helpers\Html::activeDropDownList($searchModel, 'join_policy', array_merge(['' => ''], $joinPolicies)), + 'format' => 'raw', + 'value' => function($data) use ($joinPolicies) { + if (isset($joinPolicies[$data->join_policy])) + return $joinPolicies[$data->join_policy]; + return Html::encode($data->join_policy); + }, + ], + [ + 'header' => Yii::t('AdminModule.views_space_index', 'Actions'), + 'class' => 'yii\grid\ActionColumn', + 'options' => ['width' => '80px'], + 'buttons' => [ - 'view' => function($url, $model) { - return Html::a('', $model->getUrl(), ['class' => 'btn btn-primary btn-xs tt']); - }, - 'update' => function($url, $model) { - return Html::a('', $model->createUrl('/space/manage'), ['class' => 'btn btn-primary btn-xs tt']); - }, - 'delete' => function($url, $model) { - return Html::a('', $model->createUrl('/space/manage/default/delete'), ['class' => 'btn btn-danger btn-xs tt']); - } + 'view' => function($url, $model) { + return Html::a('', $model->getUrl(), ['class' => 'btn btn-primary btn-xs tt']); + }, + 'update' => function($url, $model) { + return Html::a('', $model->createUrl('/space/manage'), ['class' => 'btn btn-primary btn-xs tt']); + }, + 'delete' => function($url, $model) { + return Html::a('', $model->createUrl('/space/manage/default/delete'), ['class' => 'btn btn-danger btn-xs tt']); + } + ], ], ], - ], - ]); - ?> - + ]); + ?> +
\ No newline at end of file diff --git a/protected/humhub/modules/admin/views/space/settings.php b/protected/humhub/modules/admin/views/space/settings.php index 50e1ef88bc..3a776b4a4d 100644 --- a/protected/humhub/modules/admin/views/space/settings.php +++ b/protected/humhub/modules/admin/views/space/settings.php @@ -1,7 +1,5 @@
diff --git a/protected/humhub/modules/admin/views/user/edit.php b/protected/humhub/modules/admin/views/user/edit.php index 390f7ad4ca..3528310dfa 100644 --- a/protected/humhub/modules/admin/views/user/edit.php +++ b/protected/humhub/modules/admin/views/user/edit.php @@ -1,11 +1,7 @@
Edit user'); ?>
@@ -14,4 +10,45 @@ use yii\grid\GridView; render($form); ?>
+
\ No newline at end of file diff --git a/protected/humhub/modules/admin/views/user/index.php b/protected/humhub/modules/admin/views/user/index.php index f091b8544f..082616cccb 100644 --- a/protected/humhub/modules/admin/views/user/index.php +++ b/protected/humhub/modules/admin/views/user/index.php @@ -10,12 +10,13 @@ use humhub\widgets\GridView;
Manage users'); ?>
+

- +
$dataProvider, @@ -33,15 +34,6 @@ use humhub\widgets\GridView; 'email', 'profile.firstname', 'profile.lastname', - [ - 'attribute' => 'super_admin', - 'label' => 'Admin', - 'filter' => \yii\helpers\Html::activeDropDownList($searchModel, 'super_admin', array('' => 'All', '0' => 'No', '1' => 'Yes')), - 'value' => - function($data) { - return ($data->super_admin == 1) ? 'Yes' : 'No'; - } - ], [ 'attribute' => 'last_login', 'label' => Yii::t('AdminModule.views_user_index', 'Last login'), @@ -55,7 +47,7 @@ use humhub\widgets\GridView; } ], [ - 'header' => 'Actions', + 'header' => Yii::t('AdminModule.views_user_index', 'Actions'), 'class' => 'yii\grid\ActionColumn', 'options' => ['style' => 'width:80px; min-width:80px;'], 'buttons' => [ @@ -170,6 +162,6 @@ use humhub\widgets\GridView; * */ ?> - +
\ No newline at end of file diff --git a/protected/humhub/modules/comment/Module.php b/protected/humhub/modules/comment/Module.php index 4ae7f43aaa..85c8a26420 100644 --- a/protected/humhub/modules/comment/Module.php +++ b/protected/humhub/modules/comment/Module.php @@ -31,6 +31,16 @@ class Module extends \humhub\components\Module return []; } + + /** + * @inheritdoc + */ + public function getNotifications() + { + return [ + 'humhub\modules\comment\notifications\NewComment' + ]; + } /** * Checks if given content object can be commented diff --git a/protected/humhub/modules/comment/messages/an/permissions.php b/protected/humhub/modules/comment/messages/an/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/an/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/ar/permissions.php b/protected/humhub/modules/comment/messages/ar/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/ar/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/bg/permissions.php b/protected/humhub/modules/comment/messages/bg/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/bg/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/ca/permissions.php b/protected/humhub/modules/comment/messages/ca/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/ca/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/cs/permissions.php b/protected/humhub/modules/comment/messages/cs/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/cs/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/da/permissions.php b/protected/humhub/modules/comment/messages/da/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/da/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/de/permissions.php b/protected/humhub/modules/comment/messages/de/permissions.php new file mode 100644 index 0000000000..2f41fb84a1 --- /dev/null +++ b/protected/humhub/modules/comment/messages/de/permissions.php @@ -0,0 +1,5 @@ + 'Dem Benutzer erlauben, Kommentare zu erstellen', + 'Create comment' => 'Kommentar erstellen', +); diff --git a/protected/humhub/modules/comment/messages/el/permissions.php b/protected/humhub/modules/comment/messages/el/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/el/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/en_uk/permissions.php b/protected/humhub/modules/comment/messages/en_uk/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/en_uk/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/es/permissions.php b/protected/humhub/modules/comment/messages/es/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/es/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/fa_ir/permissions.php b/protected/humhub/modules/comment/messages/fa_ir/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/fa_ir/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/fr/models_comment.php b/protected/humhub/modules/comment/messages/fr/models_comment.php index 02cb6eb197..ef52db5626 100644 --- a/protected/humhub/modules/comment/messages/fr/models_comment.php +++ b/protected/humhub/modules/comment/messages/fr/models_comment.php @@ -1,4 +1,4 @@ 'commentaire', + 'Comment' => 'Commentaire', ); diff --git a/protected/humhub/modules/comment/messages/fr/permissions.php b/protected/humhub/modules/comment/messages/fr/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/fr/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/fr/widgets_views_form.php b/protected/humhub/modules/comment/messages/fr/widgets_views_form.php index dea0871877..3c0a84601e 100644 --- a/protected/humhub/modules/comment/messages/fr/widgets_views_form.php +++ b/protected/humhub/modules/comment/messages/fr/widgets_views_form.php @@ -17,6 +17,6 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Send' => '', + 'Send' => 'Envoyer', 'Write a new comment...' => 'Écrire un nouveau commentaire...', ]; diff --git a/protected/humhub/modules/comment/messages/hr/permissions.php b/protected/humhub/modules/comment/messages/hr/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/hr/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/hu/permissions.php b/protected/humhub/modules/comment/messages/hu/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/hu/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/id/permissions.php b/protected/humhub/modules/comment/messages/id/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/id/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/it/permissions.php b/protected/humhub/modules/comment/messages/it/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/it/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/ja/permissions.php b/protected/humhub/modules/comment/messages/ja/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/ja/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/ko/permissions.php b/protected/humhub/modules/comment/messages/ko/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/ko/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/lt/permissions.php b/protected/humhub/modules/comment/messages/lt/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/lt/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/nb_no/permissions.php b/protected/humhub/modules/comment/messages/nb_no/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/nb_no/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/nl/permissions.php b/protected/humhub/modules/comment/messages/nl/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/nl/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/pl/models_comment.php b/protected/humhub/modules/comment/messages/pl/models_comment.php index 64012b0bd6..aa1a3b5996 100644 --- a/protected/humhub/modules/comment/messages/pl/models_comment.php +++ b/protected/humhub/modules/comment/messages/pl/models_comment.php @@ -1,4 +1,4 @@ 'komentarz ', + 'Comment' => 'Komentarz ', ); diff --git a/protected/humhub/modules/comment/messages/pl/permissions.php b/protected/humhub/modules/comment/messages/pl/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/pl/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/pl/views_activities_CommentCreated.php b/protected/humhub/modules/comment/messages/pl/views_activities_CommentCreated.php index b6c6cda69d..fb7263f807 100644 --- a/protected/humhub/modules/comment/messages/pl/views_activities_CommentCreated.php +++ b/protected/humhub/modules/comment/messages/pl/views_activities_CommentCreated.php @@ -1,4 +1,4 @@ '%displayName% napisał nowy komentarz ', + '%displayName% wrote a new comment ' => '%displayName% napisał(a) nowy komentarz ', ); diff --git a/protected/humhub/modules/comment/messages/pl/views_notifications_newCommented.php b/protected/humhub/modules/comment/messages/pl/views_notifications_newCommented.php index 20497b377a..f0b15fd7e1 100644 --- a/protected/humhub/modules/comment/messages/pl/views_notifications_newCommented.php +++ b/protected/humhub/modules/comment/messages/pl/views_notifications_newCommented.php @@ -1,21 +1,4 @@ '%displayName% skomentował %contentTitle% ', + '%displayName% commented %contentTitle%.' => '%displayName% skomentował(a) %contentTitle% ', ); diff --git a/protected/humhub/modules/comment/messages/pl/widgets_views_comments.php b/protected/humhub/modules/comment/messages/pl/widgets_views_comments.php index b0b8d7c5d8..02d9c84da9 100644 --- a/protected/humhub/modules/comment/messages/pl/widgets_views_comments.php +++ b/protected/humhub/modules/comment/messages/pl/widgets_views_comments.php @@ -1,4 +1,4 @@ 'Pokaż {total} wszystkich komentarzy. ', + 'Show all {total} comments.' => 'Pokaż wszystkie {total} komentarze. ', ); diff --git a/protected/humhub/modules/comment/messages/pl/widgets_views_form.php b/protected/humhub/modules/comment/messages/pl/widgets_views_form.php index a16f49799c..6262445828 100644 --- a/protected/humhub/modules/comment/messages/pl/widgets_views_form.php +++ b/protected/humhub/modules/comment/messages/pl/widgets_views_form.php @@ -1,22 +1,5 @@ '', - 'Write a new comment...' => 'Napisz nowy komentarz... ', -]; +return array ( + 'Send' => 'Wyślij', + 'Write a new comment...' => 'Napisz nowy komentarz... ', +); diff --git a/protected/humhub/modules/comment/messages/pl/widgets_views_pagination.php b/protected/humhub/modules/comment/messages/pl/widgets_views_pagination.php index 5ad651dff4..9c81db6d33 100644 --- a/protected/humhub/modules/comment/messages/pl/widgets_views_pagination.php +++ b/protected/humhub/modules/comment/messages/pl/widgets_views_pagination.php @@ -1,4 +1,4 @@ '', + 'Show %count% more comments' => 'Pokaż %count% kolejnych komentarzy', ); diff --git a/protected/humhub/modules/comment/messages/pt/permissions.php b/protected/humhub/modules/comment/messages/pt/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/pt/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/pt_br/permissions.php b/protected/humhub/modules/comment/messages/pt_br/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/pt_br/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/ro/permissions.php b/protected/humhub/modules/comment/messages/ro/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/ro/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/ru/permissions.php b/protected/humhub/modules/comment/messages/ru/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/ru/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/sk/permissions.php b/protected/humhub/modules/comment/messages/sk/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/sk/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/sv/permissions.php b/protected/humhub/modules/comment/messages/sv/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/sv/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/th/permissions.php b/protected/humhub/modules/comment/messages/th/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/th/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/tr/permissions.php b/protected/humhub/modules/comment/messages/tr/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/tr/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/uk/permissions.php b/protected/humhub/modules/comment/messages/uk/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/uk/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/uz/permissions.php b/protected/humhub/modules/comment/messages/uz/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/uz/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/vi/permissions.php b/protected/humhub/modules/comment/messages/vi/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/vi/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/zh_cn/permissions.php b/protected/humhub/modules/comment/messages/zh_cn/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/zh_cn/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/messages/zh_tw/permissions.php b/protected/humhub/modules/comment/messages/zh_tw/permissions.php new file mode 100644 index 0000000000..dbb09a5783 --- /dev/null +++ b/protected/humhub/modules/comment/messages/zh_tw/permissions.php @@ -0,0 +1,22 @@ + '', + 'Create comment' => '', +]; diff --git a/protected/humhub/modules/comment/notifications/NewComment.php b/protected/humhub/modules/comment/notifications/NewComment.php index 35359b5e1f..ab0c57b38a 100644 --- a/protected/humhub/modules/comment/notifications/NewComment.php +++ b/protected/humhub/modules/comment/notifications/NewComment.php @@ -9,6 +9,7 @@ namespace humhub\modules\comment\notifications; use humhub\modules\user\models\User; +use Yii; /** * Notification for new comments @@ -33,15 +34,18 @@ class NewComment extends \humhub\modules\notification\components\BaseNotificatio */ public function send(User $user) { - // Check there is also an mentioned notifications, so ignore this notification - /* - if (Notification::model()->findByAttributes(array('class' => 'MentionedNotification', 'source_object_model' => 'Comment', 'source_object_id' => $comment->id)) !== null) { - continue; - } - */ + // Check if there is also a mention notification, so skip this notification + if (\humhub\modules\notification\models\Notification::find()->where(['class' => \humhub\modules\user\notifications\Mentioned::className(), 'user_id' => $user->id, 'source_class' => $this->source->className(), 'source_pk' => $this->source->getPrimaryKey()])->count() > 0) { + return; + } return parent::send($user); } + + public static function getTitle() + { + return Yii::t('CommentModule.notifications_NewComment', 'New Comment'); + } } diff --git a/protected/humhub/modules/comment/permissions/CreateComment.php b/protected/humhub/modules/comment/permissions/CreateComment.php index e1c82ecf9b..1a9aee6b5a 100644 --- a/protected/humhub/modules/comment/permissions/CreateComment.php +++ b/protected/humhub/modules/comment/permissions/CreateComment.php @@ -35,16 +35,23 @@ class CreateComment extends \humhub\libs\BasePermission /** * @inheritdoc */ - protected $title = "Create comment"; + protected $title = 'Create comment'; /** * @inheritdoc */ - protected $description = "Allows the user to add comments"; + protected $description = 'Allows the user to add comments'; /** * @inheritdoc */ protected $moduleId = 'comment'; + + public function __construct($config = array()) { + parent::__construct($config); + + $this->title = \Yii::t('CommentModule.permissions', 'Create comment'); + $this->description = \Yii::t('CommentModule.permissions', 'Allows the user to add comments'); + } } diff --git a/protected/humhub/modules/content/Events.php b/protected/humhub/modules/content/Events.php index 48bd1a2b78..865b7b5e9f 100644 --- a/protected/humhub/modules/content/Events.php +++ b/protected/humhub/modules/content/Events.php @@ -10,7 +10,7 @@ namespace humhub\modules\content; use Yii; use humhub\modules\content\models\Content; -use humhub\modules\notification\components\BaseNotification; +use humhub\modules\content\components\MailUpdateSender; use humhub\modules\user\models\User; use humhub\commands\CronController; use humhub\models\Setting; @@ -116,77 +116,14 @@ class Events extends \yii\base\Object ); } + /** + * Handle cron runs + * + * @param \yii\base\ActionEvent $event + */ public static function onCronRun($event) { - $controller = $event->sender; - - $interval = ""; - if (Yii::$app->controller->action->id == 'hourly') { - $interval = CronController::EVENT_ON_HOURLY_RUN; - } elseif (Yii::$app->controller->action->id == 'daily') { - $interval = CronController::EVENT_ON_DAILY_RUN; - } else { - return; - } - - $users = User::find()->distinct()->joinWith(['httpSessions', 'profile'])->where(['user.status' => User::STATUS_ENABLED]); - $totalUsers = $users->count(); - $done = 0; - $mailsSent = 0; - $defaultLanguage = Yii::$app->language; - - Console::startProgress($done, $totalUsers, 'Sending update e-mails to users... ', false); - foreach ($users->each() as $user) { - - if ($user->email === "") { - continue; - } - - - // Check user should receive an email - Yii::$app->user->switchIdentity($user); - if ($user->language != "") { - Yii::$app->language = $user->language; - } else { - Yii::$app->language = $defaultLanguage; - } - - $notifications = Yii::$app->getModule('notification')->getMailUpdate($user, $interval); - $activities = Yii::$app->getModule('activity')->getMailUpdate($user, $interval); - - if ((is_array($notifications) && isset($notifications['html']) && $notifications['html'] != "") || (is_array($activities) && isset($activities['html']) && $activities['html'] != "")) { - - try { - $mail = Yii::$app->mailer->compose([ - 'html' => '@humhub/modules/content/views/mails/Update', - 'text' => '@humhub/modules/content/views/mails/plaintext/Update' - ], [ - 'activities' => (isset($activities['html']) ? $activities['html'] : ''), - 'activities_plaintext' => (isset($activities['plaintext']) ? $activities['plaintext'] : ''), - 'notifications' => (isset($notifications['html']) ? $notifications['html'] : ''), - 'notifications_plaintext' => (isset($notifications['plaintext']) ? $notifications['plaintext'] : ''), - ]); - $mail->setFrom([Setting::Get('systemEmailAddress', 'mailing') => Setting::Get('systemEmailName', 'mailing')]); - $mail->setTo($user->email); - if ($interval == CronController::EVENT_ON_HOURLY_RUN) { - $mail->setSubject(Yii::t('base', "Latest news")); - } else { - $mail->setSubject(Yii::t('base', "Your daily summary")); - } - $mail->send(); - $mailsSent++; - } catch (\Swift_SwiftException $ex) { - Yii::error('Could not send mail to: ' . $user->email . ' - Error: ' . $ex->getMessage()); - } catch (Exception $ex) { - Yii::error('Could not send mail to: ' . $user->email . ' - Error: ' . $ex->getMessage()); - } - } - - Console::updateProgress(++$done, $totalUsers); - } - - Console::endProgress(true); - $controller->stdout('done - ' . $mailsSent . ' email(s) sent.' . PHP_EOL, \yii\helpers\Console::FG_GREEN); + MailUpdateSender::processCron($event->sender); } /** diff --git a/protected/humhub/modules/content/Module.php b/protected/humhub/modules/content/Module.php index 4f28f54317..286c6055a7 100644 --- a/protected/humhub/modules/content/Module.php +++ b/protected/humhub/modules/content/Module.php @@ -2,6 +2,8 @@ namespace humhub\modules\content; +use Yii; + /** * Content Module * @@ -21,6 +23,23 @@ class Module extends \humhub\components\Module */ public $adminCanViewAllContent = false; + /** + * @since 1.1 + * @var string Custom e-mail subject for hourly update mails - default: Latest news + */ + public $emailSubjectHourlyUpdate = null; + + /** + * @since 1.1 + * @var string Custom e-mail subject for daily update mails - default: Your daily summary + */ + public $emailSubjectDailyUpdate = null; + + public function getName() + { + return Yii::t('ContentModule.base', 'Content'); + } + /** * @inheritdoc */ @@ -35,5 +54,15 @@ class Module extends \humhub\components\Module return []; } + + /** + * @inheritdoc + */ + public function getNotifications() + { + return [ + 'humhub\modules\content\notifications\ContentCreated' + ]; + } } diff --git a/protected/humhub/modules/content/components/ActiveQueryContent.php b/protected/humhub/modules/content/components/ActiveQueryContent.php index 33d62cc341..67f4c37e51 100644 --- a/protected/humhub/modules/content/components/ActiveQueryContent.php +++ b/protected/humhub/modules/content/components/ActiveQueryContent.php @@ -141,17 +141,6 @@ class ActiveQueryContent extends \yii\db\ActiveQuery $params[':spaceClass'] = Space::className(); } - if (in_array(self::USER_RELATED_SCOPE_SPACES, $scopes)) { - $spaceMemberships = (new \yii\db\Query()) - ->select("sm.id") - ->from('space_membership') - ->leftJoin('space sm', 'sm.id=space_membership.space_id') - ->where('space_membership.user_id=:userId AND space_membership.status=' . \humhub\modules\space\models\Membership::STATUS_MEMBER); - $conditions[] = 'contentcontainer.pk IN (' . Yii::$app->db->getQueryBuilder()->build($spaceMemberships)[0] . ') AND contentcontainer.class = :spaceClass'; - $params[':userId'] = $user->id; - $params[':spaceClass'] = Space::className(); - } - if (in_array(self::USER_RELATED_SCOPE_OWN, $scopes)) { $conditions[] = 'content.created_by = :userId'; $params[':userId'] = $user->id; diff --git a/protected/humhub/modules/content/components/MailUpdateSender.php b/protected/humhub/modules/content/components/MailUpdateSender.php new file mode 100644 index 0000000000..3ee5a3e471 --- /dev/null +++ b/protected/humhub/modules/content/components/MailUpdateSender.php @@ -0,0 +1,214 @@ +controller->action->id == 'hourly') { + $interval = self::INTERVAL_HOURY; + } elseif (Yii::$app->controller->action->id == 'daily') { + $interval = self::INTERVAL_DAILY; + } else { + throw new \yii\console\Exception('Invalid mail update interval!'); + } + + // Get users + $users = User::find()->distinct()->joinWith(['httpSessions', 'profile'])->where(['user.status' => User::STATUS_ENABLED]); + $totalUsers = $users->count(); + $processed = 0; + + Console::startProgress($processed, $totalUsers, 'Sending update e-mails to users... ', false); + + + $mailsSent = 0; + foreach ($users->each() as $user) { + $mailSender = new self; + $mailSender->user = $user; + $mailSender->interval = $interval; + if ($mailSender->send()) { + $mailsSent++; + } + + Console::updateProgress(++$processed, $totalUsers); + } + + Console::endProgress(true); + $controller->stdout('done - ' . $mailsSent . ' email(s) sent.' . PHP_EOL, Console::FG_GREEN); + + // Switch back to system language + self::switchLanguage(); + } + + /** + * Sends mail update to user + * + * @return type + */ + public function send() + { + if (!$this->isMailingEnabled()) { + return false; + } + + Yii::$app->user->switchIdentity($this->user); + self::switchLanguage($this->user); + + $notifications = $this->renderNotifications(); + $activities = $this->renderActivities(); + + // Check there is content to send + if ($activities['html'] !== '' || $notifications['html'] !== '') { + + try { + $mail = Yii::$app->mailer->compose([ + 'html' => '@humhub/modules/content/views/mails/Update', + 'text' => '@humhub/modules/content/views/mails/plaintext/Update' + ], [ + 'activities' => $activities['html'], + 'activities_plaintext' => $activities['text'], + 'notifications' => $notifications['html'], + 'notifications_plaintext' => $notifications['text'], + ]); + + $mail->setFrom([Setting::Get('systemEmailAddress', 'mailing') => Setting::Get('systemEmailName', 'mailing')]); + $mail->setTo($this->user->email); + $mail->setSubject($this->getSubject()); + if ($mail->send()) { + return true; + } + } catch (\Exception $ex) { + Yii::error('Could not send mail to: ' . $this->user->email . ' - Error: ' . $ex->getMessage()); + } + } + + return false; + } + + /** + * Renders notifications mail output + * + * @return array + */ + protected function renderNotifications() + { + $notifications = Yii::$app->getModule('notification')->getMailNotifications($this->user, $this->interval); + + $result['html'] = ''; + $result['text'] = ''; + + foreach ($notifications as $notification) { + $result['html'] .= $notification->render(BaseNotification::OUTPUT_MAIL); + $result['text'] .= $notification->render(BaseNotification::OUTPUT_MAIL_PLAINTEXT); + } + + return $result; + } + + /** + * Renders activity mail output + * + * @return array + */ + protected function renderActivities() + { + $activities = Yii::$app->getModule('activity')->getMailActivities($this->user, $this->interval); + + $result['html'] = ''; + $result['text'] = ''; + + foreach ($activities as $activity) { + $result['html'] .= $activity->render(BaseActivity::OUTPUT_MAIL); + $result['text'] .= $activity->render(BaseActivity::OUTPUT_MAIL_PLAINTEXT); + } + + return $result; + } + + /** + * Switch to current language + * + * @param User $user optional user + */ + protected static function switchLanguage($user = null) + { + if ($user !== null && $user->language != "") { + Yii::$app->language = $user->language; + } elseif (Setting::Get('defaultLanguage') != '') { + Yii::$app->language = Setting::Get('defaultLanguage'); + } else { + Yii::$app->language = 'en'; + } + } + + /** + * Returns mail subject + */ + protected function getSubject() + { + $module = Yii::$app->getModule('content'); + + if ($this->interval == self::INTERVAL_HOURY) { + if ($module->emailSubjectHourlyUpdate !== null) { + return $module->emailSubjectHourlyUpdate; + } + return Yii::t('base', "Latest news"); + } else { + if ($module->emailSubjectDailyUpdate !== null) { + return $module->emailSubjectDailyUpdate; + } + return Yii::t('base', "Your daily summary"); + } + } + + /** + * Checks if user should receive e-mails + */ + protected function isMailingEnabled() + { + if ($this->user->email === "") { + return false; + } + return true; + } + +} diff --git a/protected/humhub/modules/content/messages/da/widgets_ContentFormWidget.php b/protected/humhub/modules/content/messages/da/widgets_ContentFormWidget.php index e5f3332655..4203ddd7bc 100644 --- a/protected/humhub/modules/content/messages/da/widgets_ContentFormWidget.php +++ b/protected/humhub/modules/content/messages/da/widgets_ContentFormWidget.php @@ -1,4 +1,4 @@ 'Indsend', + 'Submit' => 'Slå op', ); diff --git a/protected/humhub/modules/content/messages/pl/activities_views_created.php b/protected/humhub/modules/content/messages/pl/activities_views_created.php index b36a5d5182..b372ff9cb1 100644 --- a/protected/humhub/modules/content/messages/pl/activities_views_created.php +++ b/protected/humhub/modules/content/messages/pl/activities_views_created.php @@ -1,21 +1,4 @@ '', -]; +return array ( + '{displayName} created a new {contentTitle}.' => 'Nowy {contentTitle} został utworzony przez {displayName}.', +); diff --git a/protected/humhub/modules/content/messages/pl/notifications_views_ContentCreated.php b/protected/humhub/modules/content/messages/pl/notifications_views_ContentCreated.php index 5462f45e3d..149e8abe92 100644 --- a/protected/humhub/modules/content/messages/pl/notifications_views_ContentCreated.php +++ b/protected/humhub/modules/content/messages/pl/notifications_views_ContentCreated.php @@ -1,21 +1,4 @@ '', -]; +return array ( + '{userName} created a new {contentTitle}.' => '{contentTitle} został utworzony przez {userName}.', +); diff --git a/protected/humhub/modules/content/messages/pl/widgets_StreamWidget.php b/protected/humhub/modules/content/messages/pl/widgets_StreamWidget.php index 1b813f1185..3575c67588 100644 --- a/protected/humhub/modules/content/messages/pl/widgets_StreamWidget.php +++ b/protected/humhub/modules/content/messages/pl/widgets_StreamWidget.php @@ -1,5 +1,5 @@ '', - 'Nothing here yet!' => '', + 'No matches with your selected filters!' => 'Brak dopasowań dla wybranych filtrów!', + 'Nothing here yet!' => 'Nic tu nie ma!', ); diff --git a/protected/humhub/modules/content/messages/pl/widgets_views_contentForm.php b/protected/humhub/modules/content/messages/pl/widgets_views_contentForm.php index c3847ba379..d6305c551e 100644 --- a/protected/humhub/modules/content/messages/pl/widgets_views_contentForm.php +++ b/protected/humhub/modules/content/messages/pl/widgets_views_contentForm.php @@ -1,9 +1,9 @@ '', - 'Make private' => '', - 'Make public' => '', - 'Notify members' => '', + 'Add a member to notify' => 'Dodaj członka do powiadomienia', + 'Make private' => 'Ustaw na prywatny', + 'Make public' => 'Ustaw na publiczny', + 'Notify members' => 'Powiadom członków', 'Public' => 'Publiczny', 'What\'s on your mind?' => 'Co ci chodzi po głowie? ', ); diff --git a/protected/humhub/modules/content/messages/pl/widgets_views_stream.php b/protected/humhub/modules/content/messages/pl/widgets_views_stream.php index e2d77dad15..c781dae8b3 100644 --- a/protected/humhub/modules/content/messages/pl/widgets_views_stream.php +++ b/protected/humhub/modules/content/messages/pl/widgets_views_stream.php @@ -1,35 +1,18 @@ '', - 'Nothing here yet!' => '', - 'Back to stream' => 'Powrót do strumienia', - 'Content with attached files' => 'Zawartość z załączonymi plikami', - 'Created by me' => 'Utworzone przez mnie', - 'Creation time' => 'Czas utworzenia', - 'Filter' => 'Filtr', - 'Include archived posts' => 'Zawieraj zarchiwizowane posty', - 'Last update' => 'Ostatnia aktualizacja', - 'Only private posts' => 'Tylko prywatne posty', - 'Only public posts' => 'Tylko publiczne posty', - 'Posts only' => 'Tylko posty', - 'Posts with links' => 'Posty z linkami', - 'Sorting' => 'Sortowanie', - 'Where I´m involved' => 'Gdzie jestem zaangażowany ', -]; +return array ( + 'Back to stream' => 'Powrót do strumienia', + 'Content with attached files' => 'Zawartość z załączonymi plikami', + 'Created by me' => 'Utworzone przez mnie', + 'Creation time' => 'Czas utworzenia', + 'Filter' => 'Filtr', + 'Include archived posts' => 'Zawieraj zarchiwizowane posty', + 'Last update' => 'Ostatnia aktualizacja', + 'No matches with your selected filters!' => 'Brak dopasowań dla wybranych filtrów!', + 'Nothing here yet!' => 'Nic tu nie ma!', + 'Only private posts' => 'Tylko prywatne posty', + 'Only public posts' => 'Tylko publiczne posty', + 'Posts only' => 'Tylko posty', + 'Posts with links' => 'Posty z linkami', + 'Sorting' => 'Sortowanie', + 'Where I´m involved' => 'Gdzie jestem zaangażowany ', +); diff --git a/protected/humhub/modules/content/models/Content.php b/protected/humhub/modules/content/models/Content.php index 2353373489..fe069dfb72 100644 --- a/protected/humhub/modules/content/models/Content.php +++ b/protected/humhub/modules/content/models/Content.php @@ -596,7 +596,7 @@ class Content extends \humhub\components\ActiveRecord } // Check Superadmin can see all content option - if ($user->super_admin === 1 && Yii::$app->getModule('content')->adminCanViewAllContent) { + if ($user->isSystemAdmin() && Yii::$app->getModule('content')->adminCanViewAllContent) { return true; } diff --git a/protected/humhub/modules/content/permissions/CreatePublicContent.php b/protected/humhub/modules/content/permissions/CreatePublicContent.php index f4e98dfdf0..c62a3b7a92 100644 --- a/protected/humhub/modules/content/permissions/CreatePublicContent.php +++ b/protected/humhub/modules/content/permissions/CreatePublicContent.php @@ -42,16 +42,23 @@ class CreatePublicContent extends \humhub\libs\BasePermission /** * @inheritdoc */ - protected $title = "Create public content"; + protected $title = 'Create public content'; /** * @inheritdoc */ - protected $description = "Allows the user to create public content"; + protected $description = 'Allows the user to create public content'; /** * @inheritdoc */ protected $moduleId = 'content'; + public function __construct($config = array()) { + parent::__construct($config); + + $this->title = \Yii::t('SpaceModule.permissions', 'Create public content'); + $this->description = \Yii::t('SpaceModule.permissions', 'Allows the user to create public content'); + } + } diff --git a/protected/humhub/modules/content/widgets/views/wallCreateContentForm.php b/protected/humhub/modules/content/widgets/views/wallCreateContentForm.php index 9a3d652375..83505c7cb6 100644 --- a/protected/humhub/modules/content/widgets/views/wallCreateContentForm.php +++ b/protected/humhub/modules/content/widgets/views/wallCreateContentForm.php @@ -48,7 +48,7 @@ use humhub\modules\space\models\Space;
'postform-loader', 'cssClass' => 'loader-postform hidden']); ?> - + $submitButtonText, @@ -62,6 +62,7 @@ use humhub\modules\space\models\Space; ], 'htmlOptions' => [ 'id' => "post_submit_button", + 'data-action' => 'post_create', 'class' => 'btn btn-info', 'type' => 'submit' ]]); diff --git a/protected/humhub/modules/dashboard/messages/pl/views_dashboard_index.php b/protected/humhub/modules/dashboard/messages/pl/views_dashboard_index.php index 605cb6952f..d0eb77c0dc 100644 --- a/protected/humhub/modules/dashboard/messages/pl/views_dashboard_index.php +++ b/protected/humhub/modules/dashboard/messages/pl/views_dashboard_index.php @@ -1,22 +1,5 @@ '', - 'Your dashboard is empty!
Post something on your profile or join some spaces!' => 'Twój kokpit jest pusty!
Napisz coś na swoim profilu i dołącz do stref!', -]; +return array ( + 'Your dashboard is empty!
Post something on your profile or join some spaces!' => 'Twój kokpit jest pusty!
Napisz coś na swoim profilu i dołącz do stref!', + 'Dashboard' => 'Kokpit', +); diff --git a/protected/humhub/modules/dashboard/messages/pl/views_dashboard_index_guest.php b/protected/humhub/modules/dashboard/messages/pl/views_dashboard_index_guest.php index 8afafa0da2..d007e70347 100644 --- a/protected/humhub/modules/dashboard/messages/pl/views_dashboard_index_guest.php +++ b/protected/humhub/modules/dashboard/messages/pl/views_dashboard_index_guest.php @@ -1,4 +1,4 @@ No public contents to display found!
' => '', + 'No public contents to display found!' => 'Nie znaleziono publicznie dostępnych treści!', ); diff --git a/protected/humhub/modules/dashboard/messages/pl/widgets_views_share.php b/protected/humhub/modules/dashboard/messages/pl/widgets_views_share.php index fd66b7aeaf..52c060c0d3 100644 --- a/protected/humhub/modules/dashboard/messages/pl/widgets_views_share.php +++ b/protected/humhub/modules/dashboard/messages/pl/widgets_views_share.php @@ -1,25 +1,8 @@ Share your opinion with others' => '', - 'Post a message on Facebook' => '', - 'Share on Google+' => '', - 'Share with people on LinkedIn ' => '', - 'Tweet about HumHub' => '', -]; +return array ( + 'Share your opinion with others' => 'Podziel się swoją opinią z innymi', + 'Post a message on Facebook' => 'Dodaj wiadomość na Facebook', + 'Share on Google+' => 'Podziel się na Google+', + 'Share with people on LinkedIn ' => 'Podziel się z ludźmi na LinkedIn', + 'Tweet about HumHub' => 'Tweetuj o HumHub', +); diff --git a/protected/humhub/modules/directory/controllers/DirectoryController.php b/protected/humhub/modules/directory/controllers/DirectoryController.php index 6fb47e5650..9b03e8a8eb 100644 --- a/protected/humhub/modules/directory/controllers/DirectoryController.php +++ b/protected/humhub/modules/directory/controllers/DirectoryController.php @@ -10,9 +10,7 @@ namespace humhub\modules\directory\controllers; use Yii; use yii\helpers\Url; -use humhub\models\Setting; use humhub\modules\directory\widgets\Sidebar; -use yii\web\HttpException; /** * Community/Directory Controller @@ -160,7 +158,7 @@ class DirectoryController extends \humhub\modules\directory\components\Controlle */ public function actionGroups() { - $groups = \humhub\modules\user\models\Group::find()->orderBy(['name' => SORT_ASC])->all(); + $groups = \humhub\modules\user\models\Group::getDirectoryGroups(); \yii\base\Event::on(Sidebar::className(), Sidebar::EVENT_INIT, function($event) { $event->sender->addWidget(\humhub\modules\directory\widgets\GroupStatistics::className(), [], ['sortOrder' => 10]); diff --git a/protected/humhub/modules/directory/messages/pl/views_directory_members.php b/protected/humhub/modules/directory/messages/pl/views_directory_members.php index ae3fce025d..8436551e12 100644 --- a/protected/humhub/modules/directory/messages/pl/views_directory_members.php +++ b/protected/humhub/modules/directory/messages/pl/views_directory_members.php @@ -1,27 +1,10 @@ Group members - {group}' => '', - 'Member directory' => 'Książka adresowa członka', - 'Follow' => 'Obserwuj', - 'No members found!' => 'Nie znaleziono członków!', - 'Search' => 'Szukaj', - 'Unfollow' => 'Nie obserwuj ', - 'search for members' => 'szukaj członków', -]; +return array ( + 'Group members - {group}' => 'Użytkownicy grupy - {group}', + 'Member directory' => 'Lista użytkowników', + 'Follow' => 'Obserwuj', + 'No members found!' => 'Nie znaleziono członków!', + 'Search' => 'Szukaj', + 'Unfollow' => 'Nie obserwuj ', + 'search for members' => 'szukaj członków', +); diff --git a/protected/humhub/modules/directory/messages/pl/views_directory_userPosts.php b/protected/humhub/modules/directory/messages/pl/views_directory_userPosts.php index fd76bc6501..a7a3552c82 100644 --- a/protected/humhub/modules/directory/messages/pl/views_directory_userPosts.php +++ b/protected/humhub/modules/directory/messages/pl/views_directory_userPosts.php @@ -1,5 +1,5 @@ Nobody wrote something yet.

Make the beginning and post something...' => 'Nikt jeszcze nic nie napisał.
Zrób początek i napisz coś...', - 'There are no profile posts yet!' => '', + 'Nobody wrote something yet.
Make the beginning and post something...' => 'Nikt jeszcze nic nie napisał.
Bądź pierwszy i napisz coś...', + 'There are no profile posts yet!' => 'Nie ma postów profilowych!', ); diff --git a/protected/humhub/modules/directory/messages/pl/widgets_views_groupStats.php b/protected/humhub/modules/directory/messages/pl/widgets_views_groupStats.php index 391214d23c..e7db60340d 100644 --- a/protected/humhub/modules/directory/messages/pl/widgets_views_groupStats.php +++ b/protected/humhub/modules/directory/messages/pl/widgets_views_groupStats.php @@ -2,6 +2,6 @@ return array ( 'Group stats' => 'Statystyki grupy', 'Average members' => 'Średnio członków', - 'Top Group' => 'Maksimum grup', - 'Total groups' => 'W sumie grup ', + 'Top Group' => 'Największa grupa', + 'Total groups' => 'Łącznie grup ', ); diff --git a/protected/humhub/modules/directory/messages/pl/widgets_views_memberStats.php b/protected/humhub/modules/directory/messages/pl/widgets_views_memberStats.php index adf4dfbaf4..72b641b5fc 100644 --- a/protected/humhub/modules/directory/messages/pl/widgets_views_memberStats.php +++ b/protected/humhub/modules/directory/messages/pl/widgets_views_memberStats.php @@ -4,5 +4,5 @@ return array ( 'New people' => 'Nowi ludzie', 'Follows somebody' => 'Obserwujący ', 'Online right now' => 'Teraz online', - 'Total users' => 'W sumie użytkowników ', + 'Total users' => 'Łącznie użytkowników ', ); diff --git a/protected/humhub/modules/directory/messages/pl/widgets_views_newMembers.php b/protected/humhub/modules/directory/messages/pl/widgets_views_newMembers.php index 696561f47c..ae363b49e3 100644 --- a/protected/humhub/modules/directory/messages/pl/widgets_views_newMembers.php +++ b/protected/humhub/modules/directory/messages/pl/widgets_views_newMembers.php @@ -1,4 +1,4 @@ '', + 'See all' => 'Zobacz całość', ); diff --git a/protected/humhub/modules/directory/messages/pl/widgets_views_newSpaces.php b/protected/humhub/modules/directory/messages/pl/widgets_views_newSpaces.php index 696561f47c..ae363b49e3 100644 --- a/protected/humhub/modules/directory/messages/pl/widgets_views_newSpaces.php +++ b/protected/humhub/modules/directory/messages/pl/widgets_views_newSpaces.php @@ -1,4 +1,4 @@ '', + 'See all' => 'Zobacz całość', ); diff --git a/protected/humhub/modules/directory/messages/pl/widgets_views_spaceStats.php b/protected/humhub/modules/directory/messages/pl/widgets_views_spaceStats.php index e13d19dde3..2b59afe981 100644 --- a/protected/humhub/modules/directory/messages/pl/widgets_views_spaceStats.php +++ b/protected/humhub/modules/directory/messages/pl/widgets_views_spaceStats.php @@ -1,8 +1,8 @@ New spaces' => 'Nowych stref', + 'New spaces' => 'Nowe strefy', 'Space stats' => 'Statystyki stref', 'Most members' => 'Najwięcej użytkowników', 'Private spaces' => 'Prywatne strefy', - 'Total spaces' => 'W sumie stref ', + 'Total spaces' => 'Łącznie stref ', ); diff --git a/protected/humhub/modules/directory/views/directory/groups.php b/protected/humhub/modules/directory/views/directory/groups.php index 89b4f24949..dabffbdd6a 100644 --- a/protected/humhub/modules/directory/views/directory/groups.php +++ b/protected/humhub/modules/directory/views/directory/groups.php @@ -12,11 +12,11 @@ use humhub\modules\user\models\User;
- andWhere(['group_id' => $group->id])->active()->count(); ?> + getGroupUsers()->count(); ?>

name); ?>

- where(['group_id' => $group->id])->active()->limit(30)->joinWith('profile')->orderBy(['profile.lastname' => SORT_ASC])->all() as $user) : ?> + getUsers()->limit(30)->joinWith('profile')->orderBy(['profile.lastname' => SORT_ASC])->all() as $user) : ?>
@@ -51,6 +52,17 @@ use yii\helpers\Html; 'unfollowOptions' => ['class' => 'btn btn-info btn-sm'] ]); ?> + + user->isGuest && !$user->isCurrentUser() && Yii::$app->getModule('friendship')->getIsEnabled()) { + $friendShipState = Friendship::getStateForUser(Yii::$app->user->getIdentity(), $user); + if ($friendShipState === Friendship::STATE_NONE) { + echo Html::a('  ' . Yii::t("FriendshipModule.base", "Add Friend"), Url::to(['/friendship/request/add', 'userId' => $user->id]), array('class' => 'btn btn-success btn-sm', 'data-method' => 'POST')); + } elseif ($friendShipState === Friendship::STATE_FRIENDS) { + echo Html::a('  ' . Yii::t("FriendshipModule.base", "Friends"), $user->getUrl(), ['class' => 'btn btn-success btn-sm']); + } + } + ?>
@@ -64,8 +76,13 @@ use yii\helpers\Html;

displayName); ?> - group != null) { ?> - (group->name); ?>) + hasGroup()) : ?> + (name); + }, $user->groups)); + ?>) +

profile->title); ?>
diff --git a/protected/humhub/modules/directory/views/directory/spaces.php b/protected/humhub/modules/directory/views/directory/spaces.php index fdc9c535f1..18158d1cc8 100644 --- a/protected/humhub/modules/directory/views/directory/spaces.php +++ b/protected/humhub/modules/directory/views/directory/spaces.php @@ -43,11 +43,11 @@ use yii\helpers\Url;
user->isGuest && !$space->isMember()) { - $followed = $space->isFollowedByUser(); - echo Html::a(Yii::t('DirectoryModule.views_directory_members', 'Follow'), 'javascript:setFollow("' . $space->createUrl('/space/space/follow') . '", "' . $space->id . '")', array('class' => 'btn btn-info btn-sm ' . (($followed) ? 'hide' : ''), 'id' => 'button_follow_' . $space->id)); - echo Html::a(Yii::t('DirectoryModule.views_directory_members', 'Unfollow'), 'javascript:setUnfollow("' . $space->createUrl('/space/space/unfollow') . '", "' . $space->id . '")', array('class' => 'btn btn-primary btn-sm ' . (($followed) ? '' : 'hide'), 'id' => 'button_unfollow_' . $space->id)); - } + humhub\modules\space\widgets\FollowButton::widget([ + 'space' => $space, + 'followOptions' => ['class' => 'btn btn-primary btn-sm'], + 'unfollowOptions' => ['class' => 'btn btn-info btn-sm'] + ]); ?>
@@ -99,30 +99,3 @@ use yii\helpers\Url;
$pagination)); ?>
- - diff --git a/protected/humhub/modules/directory/widgets/GroupStatistics.php b/protected/humhub/modules/directory/widgets/GroupStatistics.php index 8274518bc9..e19b7d70b8 100644 --- a/protected/humhub/modules/directory/widgets/GroupStatistics.php +++ b/protected/humhub/modules/directory/widgets/GroupStatistics.php @@ -25,7 +25,7 @@ class GroupStatistics extends \yii\base\Widget $users = User::find()->count(); $statsAvgMembers = $users / $groups; - $statsTopGroup = Group::find()->where('id = (SELECT group_id FROM user GROUP BY group_id ORDER BY count(*) DESC LIMIT 1)')->one(); + $statsTopGroup = Group::find()->where('id = (SELECT group_id FROM group_user GROUP BY group_id ORDER BY count(*) DESC LIMIT 1)')->one(); // Render widgets view return $this->render('groupStats', array( diff --git a/protected/humhub/modules/file/models/File.php b/protected/humhub/modules/file/models/File.php index 21bea37ac5..af97c9ab54 100644 --- a/protected/humhub/modules/file/models/File.php +++ b/protected/humhub/modules/file/models/File.php @@ -327,6 +327,14 @@ class File extends \humhub\components\ActiveRecord public function canDelete($userId = "") { $object = $this->getPolymorphicRelation(); + if($object != null) { + if ($object instanceof ContentAddonActiveRecord) { + return $object->canWrite($userId); + } else if ($object instanceof ContentActiveRecord) { + return $object->content->canWrite($userId); + } + } + if ($object !== null && ($object instanceof ContentActiveRecord || $object instanceof ContentAddonActiveRecord)) { return $object->content->canWrite($userId); } diff --git a/protected/humhub/modules/friendship/Module.php b/protected/humhub/modules/friendship/Module.php index 72844ca06e..be4666cc12 100644 --- a/protected/humhub/modules/friendship/Module.php +++ b/protected/humhub/modules/friendship/Module.php @@ -8,6 +8,8 @@ namespace humhub\modules\friendship; +use Yii; + /** * Friedship Module */ @@ -32,5 +34,21 @@ class Module extends \humhub\components\Module return false; } + + public function getName() + { + return Yii::t('FriendshipModule.base', 'Friendship'); + } + /** + * @inheritdoc + */ + public function getNotifications() + { + return [ + 'humhub\modules\friendship\notifications\Request', + 'humhub\modules\friendship\notifications\RequestApproved', + 'humhub\modules\friendship\notifications\RequestDeclined' + ]; + } } diff --git a/protected/humhub/modules/friendship/notifications/Request.php b/protected/humhub/modules/friendship/notifications/Request.php index f03596e28c..d4d5f5063f 100644 --- a/protected/humhub/modules/friendship/notifications/Request.php +++ b/protected/humhub/modules/friendship/notifications/Request.php @@ -9,6 +9,7 @@ namespace humhub\modules\friendship\notifications; use humhub\modules\notification\components\BaseNotification; +use Yii; /** * Friends Request @@ -40,6 +41,11 @@ class Request extends BaseNotification { return $this->originator->getUrl(); } + + public static function getTitle() + { + return Yii::t('FriendshipModule.notifications_Request', 'Friendship Request'); + } } diff --git a/protected/humhub/modules/friendship/notifications/RequestApproved.php b/protected/humhub/modules/friendship/notifications/RequestApproved.php index cb1ca5eddf..b9879941db 100644 --- a/protected/humhub/modules/friendship/notifications/RequestApproved.php +++ b/protected/humhub/modules/friendship/notifications/RequestApproved.php @@ -9,6 +9,7 @@ namespace humhub\modules\friendship\notifications; use humhub\modules\notification\components\BaseNotification; +use Yii; /** * Friends Request @@ -40,6 +41,11 @@ class RequestApproved extends BaseNotification { return $this->originator->getUrl(); } + + public static function getTitle() + { + return Yii::t('FriendshipModule.notifications_RequestApproved', 'Friendship Approved'); + } } diff --git a/protected/humhub/modules/installer/commands/InstallController.php b/protected/humhub/modules/installer/commands/InstallController.php index 66bb2f9bae..40cef370ca 100644 --- a/protected/humhub/modules/installer/commands/InstallController.php +++ b/protected/humhub/modules/installer/commands/InstallController.php @@ -2,7 +2,7 @@ /** * @link https://www.humhub.org/ - * @copyright Copyright (c) 2015 HumHub GmbH & Co. KG + * @copyright Copyright (c) 2016 HumHub GmbH & Co. KG * @license https://www.humhub.com/licences */ @@ -15,6 +15,7 @@ use humhub\models\Setting; use humhub\modules\user\models\User; use humhub\modules\user\models\Password; use humhub\modules\space\models\Space; +use humhub\modules\user\models\Group; /** * Console Install @@ -36,7 +37,7 @@ class InstallController extends Controller Setting::Set('secret', \humhub\libs\UUID::v4()); $user = new User(); - $user->group_id = 1; + //$user->group_id = 1; $user->username = "Admin"; $user->email = 'humhub@example.com'; $user->status = User::STATUS_ENABLED; @@ -55,7 +56,9 @@ class InstallController extends Controller $password->user_id = $user->id; $password->setPassword('test'); $password->save(); - + + // Assign to system admin group + Group::getAdminGroup()->addUser($user); return self::EXIT_CODE_NORMAL; diff --git a/protected/humhub/modules/installer/controllers/ConfigController.php b/protected/humhub/modules/installer/controllers/ConfigController.php index 1548de5ce5..ce8fee013e 100644 --- a/protected/humhub/modules/installer/controllers/ConfigController.php +++ b/protected/humhub/modules/installer/controllers/ConfigController.php @@ -2,7 +2,7 @@ /** * @link https://www.humhub.org/ - * @copyright Copyright (c) 2015 HumHub GmbH & Co. KG + * @copyright Copyright (c) 2016 HumHub GmbH & Co. KG * @license https://www.humhub.com/licences */ @@ -13,6 +13,7 @@ use humhub\components\Controller; use humhub\modules\space\models\Space; use humhub\modules\user\models\User; use humhub\modules\user\models\Password; +use humhub\modules\user\models\Group; use yii\helpers\Url; use humhub\models\Setting; @@ -247,9 +248,7 @@ class ConfigController extends Controller $userModel->status = User::STATUS_ENABLED; $userModel->username = "david1986"; $userModel->email = "david.roberts@humhub.com"; - $userModel->super_admin = 0; $userModel->language = ''; - $userModel->group_id = 1; $userModel->tags = "Microsoft Office, Marketing, SEM, Digital Native"; $userModel->last_activity_email = new \yii\db\Expression('NOW()'); $userModel->save(); @@ -276,9 +275,7 @@ class ConfigController extends Controller $userModel2->status = User::STATUS_ENABLED; $userModel2->username = "sara1989"; $userModel2->email = "sara.schuster@humhub.com"; - $userModel2->super_admin = 0; $userModel2->language = ''; - $userModel2->group_id = 1; $userModel2->tags = "Yoga, Travel, English, German, French"; $userModel2->last_activity_email = new \yii\db\Expression('NOW()'); $userModel2->save(); @@ -418,14 +415,12 @@ class ConfigController extends Controller $form = new \humhub\compat\HForm($definition); $form->models['User'] = $userModel; - $form->models['User']->group_id = 1; $form->models['Password'] = $userPasswordModel; $form->models['Profile'] = $profileModel; if ($form->submitted('save') && $form->validate()) { $form->models['User']->status = User::STATUS_ENABLED; - $form->models['User']->super_admin = true; $form->models['User']->language = ''; $form->models['User']->tags = 'Administration, Support, HumHub'; $form->models['User']->last_activity_email = new \yii\db\Expression('NOW()'); @@ -442,6 +437,9 @@ class ConfigController extends Controller $userId = $form->models['User']->id; + Group::getAdminGroup()->addUser($form->models['User']); + + // Switch Identity Yii::$app->user->switchIdentity($form->models['User']); diff --git a/protected/humhub/modules/installer/messages/de/views_config_security.php b/protected/humhub/modules/installer/messages/de/views_config_security.php index 92367279fc..25371ab18d 100644 --- a/protected/humhub/modules/installer/messages/de/views_config_security.php +++ b/protected/humhub/modules/installer/messages/de/views_config_security.php @@ -1,5 +1,5 @@ 'Hier kannst Du entscheiden, wie nicht registrierte Benutzer auf HumHub zugreifen können.', - 'Security Settings' => 'Sicherzeits-Einstellungen', + 'Security Settings' => 'Sicherheits-Einstellungen', ); diff --git a/protected/humhub/modules/installer/messages/pl/base.php b/protected/humhub/modules/installer/messages/pl/base.php index 9c4213440c..f2d8915477 100644 --- a/protected/humhub/modules/installer/messages/pl/base.php +++ b/protected/humhub/modules/installer/messages/pl/base.php @@ -1,21 +1,4 @@ '', -]; +return array ( + 'Downloading & Installing Modules...' => 'Pobieranie i instalowanie modułów...', +); diff --git a/protected/humhub/modules/installer/messages/pl/controllers_ConfigController.php b/protected/humhub/modules/installer/messages/pl/controllers_ConfigController.php index 55e0601919..ef0c59554a 100644 --- a/protected/humhub/modules/installer/messages/pl/controllers_ConfigController.php +++ b/protected/humhub/modules/installer/messages/pl/controllers_ConfigController.php @@ -1,27 +1,10 @@ '', - 'Create Admin Account' => '', - 'Nike – Just buy it. ;Wink;' => '', - 'We\'re looking for great slogans of famous brands. Maybe you can come up with some samples?' => '', - 'Welcome Space' => '', - 'Yay! I\'ve just installed HumHub ;Cool;' => '', - 'Your first sample space to discover the platform.' => '', -]; +return array ( + 'Calvin Klein – Between love and madness lies obsession.' => 'Calvin Klein – Pomiędzy miłością a obłędem znajduje się obsesja.', + 'Create Admin Account' => 'Utwórz konto Administratora', + 'Nike – Just buy it. ;Wink;' => 'Nike – Just buy it. ;Wink;', + 'We\'re looking for great slogans of famous brands. Maybe you can come up with some samples?' => 'Poszukujemy wspaniałych sloganów znanych marek. Może Ty coś wymyślisz?', + 'Welcome Space' => 'Strefa Powitalna', + 'Yay! I\'ve just installed HumHub ;Cool;' => 'Hurra! Właśnie zainstalowałem HumHub ;Cool;', + 'Your first sample space to discover the platform.' => 'Twoja pierwsza, przykładowa strefa do odkrywania platformy.', +); diff --git a/protected/humhub/modules/installer/messages/pl/forms_ConfigBasicForm.php b/protected/humhub/modules/installer/messages/pl/forms_ConfigBasicForm.php index eb75ae6b2c..5e2e3d755d 100644 --- a/protected/humhub/modules/installer/messages/pl/forms_ConfigBasicForm.php +++ b/protected/humhub/modules/installer/messages/pl/forms_ConfigBasicForm.php @@ -1,21 +1,4 @@ '', + 'Name of your network' => 'Nazwa Twojej sieci', ); diff --git a/protected/humhub/modules/installer/messages/pl/forms_DatabaseForm.php b/protected/humhub/modules/installer/messages/pl/forms_DatabaseForm.php index f6899e23e7..089e89c64d 100644 --- a/protected/humhub/modules/installer/messages/pl/forms_DatabaseForm.php +++ b/protected/humhub/modules/installer/messages/pl/forms_DatabaseForm.php @@ -1,7 +1,7 @@ 'Nazwa hosta', - 'Name of Database' => '', + 'Name of Database' => 'Nazwa bazy danych', 'Password' => 'Hasło', 'Username' => 'Nazwa użytkownika', ); diff --git a/protected/humhub/modules/installer/messages/pl/forms_SampleDataForm.php b/protected/humhub/modules/installer/messages/pl/forms_SampleDataForm.php index d1f0f60f29..d5a3543e24 100644 --- a/protected/humhub/modules/installer/messages/pl/forms_SampleDataForm.php +++ b/protected/humhub/modules/installer/messages/pl/forms_SampleDataForm.php @@ -1,21 +1,4 @@ '', -]; +return array ( + 'Set up example content (recommended)' => 'Wstaw przykładowe treści (rekomendowane)', +); diff --git a/protected/humhub/modules/installer/messages/pl/forms_SecurityForm.php b/protected/humhub/modules/installer/messages/pl/forms_SecurityForm.php index 58a9a6ff7f..bc9b2425af 100644 --- a/protected/humhub/modules/installer/messages/pl/forms_SecurityForm.php +++ b/protected/humhub/modules/installer/messages/pl/forms_SecurityForm.php @@ -1,24 +1,7 @@ '', - 'External user can register (The registration form will be displayed at Login))' => '', - 'Newly registered users have to be activated by an admin first' => '', - 'Registered members can invite new users via email' => '', -]; +return array ( + 'Allow access for non-registered users to public content (guest access)' => 'Zezwalaj na dostęp niezarejestrowanych użytkowników do treści publicznych (dostęp dla gości)', + 'External user can register (The registration form will be displayed at Login))' => 'Zewnętrzny użytkownik może się zarejestrować (Formularz rejestracyjny będzie wyświetlany przy logowaniu)', + 'Newly registered users have to be activated by an admin first' => 'Nowo zarejestrowani użytkownicy muszą zostać aktywowani przez administratora', + 'Registered members can invite new users via email' => 'Zarejestrowani użytkownicy mogą zapraszać nowych poprzez email', +); diff --git a/protected/humhub/modules/installer/messages/pl/forms_UseCaseForm.php b/protected/humhub/modules/installer/messages/pl/forms_UseCaseForm.php index 4bb2ecf049..0e45f53323 100644 --- a/protected/humhub/modules/installer/messages/pl/forms_UseCaseForm.php +++ b/protected/humhub/modules/installer/messages/pl/forms_UseCaseForm.php @@ -1,21 +1,4 @@ '', -]; +return array ( + 'I want to use HumHub for:' => 'Chcę używać HumHub do:', +); diff --git a/protected/humhub/modules/installer/messages/pl/views_config_admin.php b/protected/humhub/modules/installer/messages/pl/views_config_admin.php index c7d4c938b0..9a21731050 100644 --- a/protected/humhub/modules/installer/messages/pl/views_config_admin.php +++ b/protected/humhub/modules/installer/messages/pl/views_config_admin.php @@ -1,22 +1,5 @@ Admin Account' => '', - 'You\'re almost done. In this step you have to fill out the form to create an admin account. With this account you can manage the whole network.' => '', -]; +return array ( + 'Admin Account' => 'Konto Administratora', + 'You\'re almost done. In this step you have to fill out the form to create an admin account. With this account you can manage the whole network.' => 'Prawie gotowe. Wypełnij formularz dla utworzenia konta Administratora. Tym kontem można zarządzać całą siecią.', +); diff --git a/protected/humhub/modules/installer/messages/pl/views_config_basic.php b/protected/humhub/modules/installer/messages/pl/views_config_basic.php index fbe0bd272f..562a31f27c 100644 --- a/protected/humhub/modules/installer/messages/pl/views_config_basic.php +++ b/protected/humhub/modules/installer/messages/pl/views_config_basic.php @@ -1,23 +1,6 @@ '', - 'Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)' => '', - 'Social Network Name' => '', + 'Next' => 'Dalej', + 'Of course, your new social network needs a name. Please change the default name with one you like. (For example the name of your company, organization or club)' => 'Oczywiście Twoja nowa sieć potrzebuje nazwy. Zamień domyślną nazwę na własną. (na przykład nazwę firmy, organizacji czy klubu)', + 'Social Network Name' => 'Nazwa sieci społecznościowej', ); diff --git a/protected/humhub/modules/installer/messages/pl/views_config_finished.php b/protected/humhub/modules/installer/messages/pl/views_config_finished.php index 450f8d95b9..9be3f32dfe 100644 --- a/protected/humhub/modules/installer/messages/pl/views_config_finished.php +++ b/protected/humhub/modules/installer/messages/pl/views_config_finished.php @@ -1,23 +1,6 @@ Congratulations. You\'re done.' => '', - 'The installation completed successfully! Have fun with your new social network.' => '', - 'Sign in' => 'Zaloguj się ', -]; +return array ( + 'Congratulations. You\'re done.' => 'Gratulacje. Wszystko zrobione.', + 'Sign in' => 'Zaloguj się ', + 'The installation completed successfully! Have fun with your new social network.' => 'Instalacja zakończona sukcesem! Dobrej zabawy z nową siecią społecznościową.', +); diff --git a/protected/humhub/modules/installer/messages/pl/views_config_modules.php b/protected/humhub/modules/installer/messages/pl/views_config_modules.php index a85eeae77e..220e41b15f 100644 --- a/protected/humhub/modules/installer/messages/pl/views_config_modules.php +++ b/protected/humhub/modules/installer/messages/pl/views_config_modules.php @@ -1,22 +1,5 @@
You can always install or remove modules later. You can find more available modules after installation in the admin area.' => '', - 'Recommended Modules' => '', -]; +return array ( + 'HumHub is very flexible and can be adjusted and/or expanded for various different applications thanks to its’ different modules. The following modules are just a few examples and the ones we thought are most important for your chosen application.

You can always install or remove modules later. You can find more available modules after installation in the admin area.' => 'HumHub jest bardzo elastyczny. Możesz dostosowywać lub/i poszerzać jego funkcje za sprawą różnych modułów. Następujące moduły to tylko kilka przykładów najciekawszych według nas aplikacji.

Zawsze możesz dodać lub odinstalować moduły później. Więcej modułów znajdziesz w strefie administracyjnej zaraz po instalacji.', + 'Recommended Modules' => 'Rekomendowane ModułyM/strong>', +); diff --git a/protected/humhub/modules/installer/messages/pl/views_config_sample-data.php b/protected/humhub/modules/installer/messages/pl/views_config_sample-data.php index b04052efb7..e6f182a034 100644 --- a/protected/humhub/modules/installer/messages/pl/views_config_sample-data.php +++ b/protected/humhub/modules/installer/messages/pl/views_config_sample-data.php @@ -1,22 +1,5 @@ Example contents' => '', - 'To avoid a blank dashboard after your initial login, HumHub can install example contents for you. Those will give you a nice general view of how HumHub works. You can always delete the individual contents.' => '', -]; +return array ( + 'Example contents' => 'Przykładowe treści.', + 'To avoid a blank dashboard after your initial login, HumHub can install example contents for you. Those will give you a nice general view of how HumHub works. You can always delete the individual contents.' => 'Aby uniknąć pustego kokpitu zaraz po pierwszym zalogowaniu, HumHub może zainstalować przykładowe treści. Przybliży Ci to ogólną zasadę działania HumHub. W każdym momencie możesz usunąć poszczególne treści.', +); diff --git a/protected/humhub/modules/installer/messages/pl/views_config_security.php b/protected/humhub/modules/installer/messages/pl/views_config_security.php index 409fde9aa3..a61397660d 100644 --- a/protected/humhub/modules/installer/messages/pl/views_config_security.php +++ b/protected/humhub/modules/installer/messages/pl/views_config_security.php @@ -1,22 +1,5 @@ '', - 'Security Settings' => '', -]; +return array ( + 'Here you can decide how new, unregistered users can access HumHub.' => 'Zadecyduj jak nowi, niezarejestrowani użytkownicy mogą korzystać z HumHub.', + 'Security Settings' => 'Ustawienia Bezpieczeństwa', +); diff --git a/protected/humhub/modules/installer/messages/pl/views_config_useCase.php b/protected/humhub/modules/installer/messages/pl/views_config_useCase.php index dd87fe2681..953a1cbd6a 100644 --- a/protected/humhub/modules/installer/messages/pl/views_config_useCase.php +++ b/protected/humhub/modules/installer/messages/pl/views_config_useCase.php @@ -1,27 +1,10 @@ Configuration' => '', - 'My club' => '', - 'My community' => '', - 'My company (Social Intranet / Project management)' => '', - 'My educational institution (school, university)' => '', - 'Skip this step, I want to set up everything manually' => '', - 'To simplify the configuration, we have predefined setups for the most common use cases with different options for modules and settings. You can adjust them during the next step.' => '', -]; +return array ( + 'Configuration' => 'Konfiguracja', + 'My club' => 'Mój klub', + 'My community' => 'Moja społeczność', + 'My company (Social Intranet / Project management)' => 'Moja firma (Intranet / Zarządzanie projektami)', + 'My educational institution (school, university)' => 'Moja instytucja edukacyjna (szkoła, uniwersytet)', + 'Skip this step, I want to set up everything manually' => 'Pomiń ten krok aby skonfigurować wszystko manualnie', + 'To simplify the configuration, we have predefined setups for the most common use cases with different options for modules and settings. You can adjust them during the next step.' => 'Aby ułatwić konfigurację, zdefiniowaliśmy wstępnie ustawienia dla najbardziej popularnych zastosowań, wraz z oddzielnymi ustawieniami dla modułów i konfiguracji. Możesz je poprawić w następnym kroku.', +); diff --git a/protected/humhub/modules/installer/messages/pl/views_index_index.php b/protected/humhub/modules/installer/messages/pl/views_index_index.php index 9301b126b6..67cd83e2bd 100644 --- a/protected/humhub/modules/installer/messages/pl/views_index_index.php +++ b/protected/humhub/modules/installer/messages/pl/views_index_index.php @@ -1,23 +1,6 @@ Welcome to HumHub
Your Social Network Toolbox' => '', - 'Next' => '', - 'This wizard will install and configure your own HumHub instance.

To continue, click Next.' => '', -]; +return array ( + 'Welcome to HumHub
Your Social Network Toolbox' => 'Witaj w HumHub
Szwajcarskim scyzoryku Twojej Sieci Społecznościowej', + 'Next' => 'Dalej', + 'This wizard will install and configure your own HumHub instance.

To continue, click Next.' => 'Ten kreator pomoże Ci skonfigurować własną instalację HumHub.

Aby kontynuować naciśnij "Dalej".', +); diff --git a/protected/humhub/modules/installer/messages/pl/views_setup_database.php b/protected/humhub/modules/installer/messages/pl/views_setup_database.php index ae84e5aa41..825ad7185b 100644 --- a/protected/humhub/modules/installer/messages/pl/views_setup_database.php +++ b/protected/humhub/modules/installer/messages/pl/views_setup_database.php @@ -1,29 +1,12 @@ Database Configuration' => '', - 'Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.' => '', - 'Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)' => '', - 'Initializing database...' => '', - 'Next' => '', - 'Ohh, something went wrong!' => '', - 'The name of the database you want to run HumHub in.' => '', - 'Your MySQL password.' => '', - 'Your MySQL username' => '', -]; +return array ( + 'Database Configuration' => 'Konfiguracja Bazy danych', + 'Below you have to enter your database connection details. If you’re not sure about these, please contact your system administrator.' => 'Wprowadź szczegóły połączenia z bazą danych. Jeśli nie masz co do nich pewności, skontaktuj się z administratorem Twojego serwera.', + 'Hostname of your MySQL Database Server (e.g. localhost if MySQL is running on the same machine)' => 'Nazwa hosta dla twojego serwera MySQL. (np. localhost jeśli MySQL działa na tej samej maszynie)', + 'Initializing database...' => 'Inicjalizuję bazę danych...', + 'Next' => 'Dalej', + 'Ohh, something went wrong!' => 'Upss, coś poszło nie tak!', + 'The name of the database you want to run HumHub in.' => 'Nazwa bazy danych dla HumHub', + 'Your MySQL password.' => 'Hasło MySQL', + 'Your MySQL username' => 'użytkownik MySQL', +); diff --git a/protected/humhub/modules/installer/messages/pl/views_setup_prerequisites.php b/protected/humhub/modules/installer/messages/pl/views_setup_prerequisites.php index 8dcae7109d..5a22da1ee9 100644 --- a/protected/humhub/modules/installer/messages/pl/views_setup_prerequisites.php +++ b/protected/humhub/modules/installer/messages/pl/views_setup_prerequisites.php @@ -1,25 +1,8 @@ System Check' => '', - 'Check again' => '', - 'Congratulations! Everything is ok and ready to start over!' => '', - 'Next' => '', - 'This overview shows all system requirements of HumHub.' => '', + 'System Check' => 'Zbadaj System', + 'Check again' => 'Zbadaj ponownie', + 'Congratulations! Everything is ok and ready to start over!' => 'Gratulacje! Wszystko jest w porządku i gotowe do startu!', + 'Next' => 'Dalej', + 'This overview shows all system requirements of HumHub.' => 'To podsumowanie prezentuje wszystkie wymagania systemowe HumHub.', ); diff --git a/protected/humhub/modules/installer/messages/pt_br/base.php b/protected/humhub/modules/installer/messages/pt_br/base.php index 9c4213440c..1ce52d3974 100644 --- a/protected/humhub/modules/installer/messages/pt_br/base.php +++ b/protected/humhub/modules/installer/messages/pt_br/base.php @@ -1,21 +1,4 @@ '', -]; +return array ( + 'Downloading & Installing Modules...' => 'Baixando e instalando módulos...', +); diff --git a/protected/humhub/modules/like/Module.php b/protected/humhub/modules/like/Module.php index 84dd6bbdfa..037345e5b6 100644 --- a/protected/humhub/modules/like/Module.php +++ b/protected/humhub/modules/like/Module.php @@ -2,7 +2,7 @@ namespace humhub\modules\like; -use humhub\modules\like\models\Like; +use Yii; /** * This module provides like support for Content and Content Addons @@ -14,5 +14,20 @@ class Module extends \humhub\components\Module { public $isCoreModule = true; + + public function getName() + { + return Yii::t('LikeModule.base', 'Like'); + } + + /** + * @inheritdoc + */ + public function getNotifications() + { + return [ + 'humhub\modules\like\notifications\NewLike' + ]; + } } diff --git a/protected/humhub/modules/like/messages/pl/widgets_views_likeLink.php b/protected/humhub/modules/like/messages/pl/widgets_views_likeLink.php index 2a3943d114..9be90e1abc 100644 --- a/protected/humhub/modules/like/messages/pl/widgets_views_likeLink.php +++ b/protected/humhub/modules/like/messages/pl/widgets_views_likeLink.php @@ -1,26 +1,9 @@ '', - 'You like this.' => '', - ' likes this.' => 'lubisz to. ', - 'Like' => 'Lubię ', - 'Unlike' => 'Nie lubię ', - 'and {count} more like this.' => 'i {count} więcej lubi to. ', -]; +return array ( + ' likes this.' => ' lubi to. ', + 'Like' => 'Lubię ', + 'Unlike' => 'Nie lubię ', + 'You' => 'Ty', + 'You like this.' => 'Ty to lubisz.', + 'and {count} more like this.' => 'i {count} więcej lubi to. ', +); diff --git a/protected/humhub/modules/like/notifications/NewLike.php b/protected/humhub/modules/like/notifications/NewLike.php index 3101ad5e09..c89ec96214 100644 --- a/protected/humhub/modules/like/notifications/NewLike.php +++ b/protected/humhub/modules/like/notifications/NewLike.php @@ -8,6 +8,7 @@ namespace humhub\modules\like\notifications; +use Yii; use humhub\modules\notification\components\BaseNotification; /** @@ -27,6 +28,11 @@ class NewLike extends BaseNotification * @inheritdoc */ public $viewName = "newLike"; + + public static function getTitle() + { + return Yii::t('LikeModule.notifiations_NewLike', 'New Like'); + } } diff --git a/protected/humhub/modules/notification/Module.php b/protected/humhub/modules/notification/Module.php index 84d8bfa268..0f338cf021 100644 --- a/protected/humhub/modules/notification/Module.php +++ b/protected/humhub/modules/notification/Module.php @@ -1,65 +1,73 @@ '', 'plaintext' => '']; + $notifications = []; - $receive_email_notifications = $user->getSetting("receive_email_notifications", 'core', Setting::Get('receive_email_notifications', 'mailing')); // Never receive notifications if ($receive_email_notifications == User::RECEIVE_EMAIL_NEVER) { - return ""; + return []; } - + // We are in hourly mode and user wants daily - if ($interval == CronController::EVENT_ON_HOURLY_RUN && $receive_email_notifications == User::RECEIVE_EMAIL_DAILY_SUMMARY) { - return ""; + if ($interval == MailUpdateSender::INTERVAL_HOURY && $receive_email_notifications == User::RECEIVE_EMAIL_DAILY_SUMMARY) { + return []; } // We are in daily mode and user dont wants daily reports - if ($interval == CronController::EVENT_ON_DAILY_RUN && $receive_email_notifications != User::RECEIVE_EMAIL_DAILY_SUMMARY) { - return ""; + if ($interval == MailUpdateSender::INTERVAL_DAILY && $receive_email_notifications != User::RECEIVE_EMAIL_DAILY_SUMMARY) { + return []; } // User wants only when offline and is online - if ($interval == CronController::EVENT_ON_HOURLY_RUN) { + if ($interval == MailUpdateSender::INTERVAL_HOURY) { $isOnline = (count($user->httpSessions) > 0); if ($receive_email_notifications == User::RECEIVE_EMAIL_WHEN_OFFLINE && $isOnline) { - return ""; + return []; } } - $query = Notification::find()->where(['user_id' => $user->id])->andWhere(['!=', 'seen', 1])->andWhere(['!=', 'emailed', 1]); foreach ($query->all() as $notification) { - $output['html'] .= $notification->getClass()->render(BaseNotification::OUTPUT_MAIL); - $output['plaintext'] .= $notification->getClass()->render(BaseNotification::OUTPUT_MAIL_PLAINTEXT); - + $notifications[] = $notification->getClass(); + // Mark notifications as mailed $notification->emailed = 1; $notification->save(); } - return $output; + return $notifications; } } diff --git a/protected/humhub/modules/notification/components/BaseNotification.php b/protected/humhub/modules/notification/components/BaseNotification.php index 395a6ea620..15f11a48c6 100644 --- a/protected/humhub/modules/notification/components/BaseNotification.php +++ b/protected/humhub/modules/notification/components/BaseNotification.php @@ -97,7 +97,7 @@ class BaseNotification extends \yii\base\Component implements ViewContextInterfa * @var boolean automatically mark notification as seen after click on it */ public $markAsSeenOnClick = true; - + /** * Renders the notification * @@ -268,4 +268,14 @@ class BaseNotification extends \yii\base\Component implements ViewContextInterfa $this->record->save(); } + /** + * Should be overwritten by subclasses. This method provides a user friendly + * title for the different notification types. + * @return type + */ + public static function getTitle() + { + return null; + } + } diff --git a/protected/humhub/modules/notification/controllers/OverviewController.php b/protected/humhub/modules/notification/controllers/OverviewController.php new file mode 100644 index 0000000000..e9a75e3fc4 --- /dev/null +++ b/protected/humhub/modules/notification/controllers/OverviewController.php @@ -0,0 +1,79 @@ + [ + 'class' => \humhub\components\behaviors\AccessControl::className(), + ] + ]; + } + + /** + * Returns a List of all notifications for the session user + */ + public function actionIndex() + { + $pageSize = 10; + $session = Yii::$app->session; + + $filterForm = new FilterForm(); + $filterForm->initFilter(); + $filterForm->load(Yii::$app->request->get()); + + $query = Notification::findByUser(Yii::$app->user->id); + + if($filterForm->isExcludeFilter()) { + $query->andFilterWhere(['not in' ,'class' , $filterForm->getExcludeClassFilter()]); + } else if($filterForm->isActive()){ + $query->andFilterWhere(['in' ,'class' , $filterForm->getIncludeClassFilter()]); + } else { + return $this->render('index',[ + 'notificationEntries' => [], + 'filterForm' => $filterForm, + 'pagination' => null + ]); + } + + $countQuery = clone $query; + $pagination = new \yii\data\Pagination(['totalCount' => $countQuery->count(), 'pageSize' => $pageSize]); + + //Reset pagegination after new filter set + if(Yii::$app->request->post()) { + $pagination->setPage(0); + } + + $query->offset($pagination->offset)->limit($pagination->limit); + + return $this->render('index', array( + 'notificationEntries' => $query->all(), + 'filterForm' => $filterForm, + 'pagination' => $pagination + )); + } +} diff --git a/protected/humhub/modules/notification/models/Notification.php b/protected/humhub/modules/notification/models/Notification.php index 56ba00baf9..98748a67b2 100644 --- a/protected/humhub/modules/notification/models/Notification.php +++ b/protected/humhub/modules/notification/models/Notification.php @@ -82,5 +82,55 @@ class Notification extends \humhub\components\ActiveRecord } return null; } + + /** + * Returns all available notifications of a module identified by its modulename. + * + * @return array with format [moduleId => notifications[]] + */ + public static function getModuleNotifications() + { + $result = []; + foreach(Yii::$app->moduleManager->getModules(['includeCoreModules' => true]) as $module) { + if($module instanceof \humhub\components\Module) { + $notifications = $module->getNotifications(); + if(count($notifications) > 0) { + $result[$module->getName()] = $notifications; + } + } + } + return $result; + } + + /** + * Returns a distinct list of notification classes already in the database. + */ + public static function getNotificationClasses() + { + return (new yii\db\Query()) + ->select(['class']) + ->from(self::tableName()) + ->distinct()->all(); + } + + public static function findByUser($user, $limit = null, $maxId = null) + { + $userId = ($user instanceof \humhub\modules\user\models\User) ? $user->id : $user; + + $query = self::find(); + $query->andWhere(['user_id' => $userId]); + + if ($maxId != null && $maxId != 0) { + $query->andWhere(['<', 'id', $maxId]); + } + + if($limit != null && $limit > 0) { + $query->limit($limit); + } + + $query->orderBy(['seen' => SORT_ASC, 'created_at' => SORT_DESC]); + + return $query; + } } diff --git a/protected/humhub/modules/notification/models/forms/FilterForm.php b/protected/humhub/modules/notification/models/forms/FilterForm.php new file mode 100644 index 0000000000..096cb5e08c --- /dev/null +++ b/protected/humhub/modules/notification/models/forms/FilterForm.php @@ -0,0 +1,137 @@ + Yii::t('NotificationModule.views_overview_index', 'Module Filter'), + ]; + } + + /** + * Preselects all possible module filter + */ + public function initFilter() + { + $this->moduleFilter = []; + + foreach($this->getModuleFilterSelection() as $moduleName => $title) { + $this->moduleFilter[] = $moduleName; + } + } + + /** + * Returns all Notifications classes of modules not selected in the filter + * + * @return type + */ + public function getExcludeClassFilter() + { + $result = []; + $moduleNotifications = $this->getModuleNotifications(); + + foreach($this->moduleFilterSelection as $moduleName => $title) { + if($moduleName != self::FILTER_OTHER && !in_array($moduleName, $this->moduleFilter)) { + $result = array_merge($result, $moduleNotifications[$moduleName]); + } + } + return $result; + } + + /** + * Returns all Notifications classes of modules selected in the filter + * @return type + */ + public function getIncludeClassFilter() + { + $result = []; + $moduleNotifications = $this->getModuleNotifications(); + + foreach($this->moduleFilter as $moduleName) { + if($moduleName != self::FILTER_OTHER) { + $result = array_merge($result, $moduleNotifications[$moduleName]); + } + } + return $result; + } + + public function getModuleFilterSelection() + { + if($this->moduleFilterSelection == null) { + $this->moduleFilterSelection = []; + + foreach(array_keys($this->getModuleNotifications()) as $moduleName) { + $this->moduleFilterSelection[$moduleName] = $moduleName; + } + + $this->moduleFilterSelection[self::FILTER_OTHER] = Yii::t('NotificationModule.models_forms_FilterForm', 'Other'); + } + return $this->moduleFilterSelection; + } + + public function getModuleNotifications() + { + if($this->moduleNotifications == null) { + $this->moduleNotifications = Notification::getModuleNotifications(); + } + + return $this->moduleNotifications; + } + + /** + * Determines if this filter should exclude specific modules (if other filter is selected) + * or rather include specific module filter. + * + * @return boolean true if other was selected, else false + */ + public function isExcludeFilter() + { + return $this->isActive() && in_array(self::FILTER_OTHER, $this->moduleFilter); + } + + /** + * Checks if this filter is active (at least one filter selected) + * @return type + */ + public function isActive() + { + return $this->moduleFilter != null; + } +} diff --git a/protected/humhub/modules/notification/views/overview/index.php b/protected/humhub/modules/notification/views/overview/index.php new file mode 100755 index 0000000000..4fcfb46502 --- /dev/null +++ b/protected/humhub/modules/notification/views/overview/index.php @@ -0,0 +1,61 @@ + +
+
+
+
+
+ + + + +
+
+
    + + getClass()->render(); ?> + + + + +
+
+ $pagination]) : ''; ?> +
+
+
+
+
+
+
+ +
+
+ 'notification_overview_filter', 'method' => 'GET']); ?> + field($filterForm, 'moduleFilter')->checkboxList($filterForm->getModuleFilterSelection())->label(false); ?> + + +
+
+
+
+
+ + diff --git a/protected/humhub/modules/post/assets/js/post.js b/protected/humhub/modules/post/assets/js/post.js new file mode 100644 index 0000000000..06c065ad68 --- /dev/null +++ b/protected/humhub/modules/post/assets/js/post.js @@ -0,0 +1,11 @@ +humhub.modules.post = (function(module, $) { + humhub.modules.registerAjaxHandler('humhub.modules.post.create', function(json) { + humhub.modules.stream.getStream(); + }, function(error) { + if(error) + alert(error); + }); + return module; + + humhub.ui.richtext.register() +})(humhub.modules.post || {}, $); \ No newline at end of file diff --git a/protected/humhub/modules/post/messages/pl/views_activities_PostCreated.php b/protected/humhub/modules/post/messages/pl/views_activities_PostCreated.php index fce450d0a0..efd3b36434 100644 --- a/protected/humhub/modules/post/messages/pl/views_activities_PostCreated.php +++ b/protected/humhub/modules/post/messages/pl/views_activities_PostCreated.php @@ -1,22 +1,5 @@ '', - '%displayName% created a new post.' => '@@%displayName% utworzył nowy post. @@', -]; +return array ( + '%displayName% created a new post.' => '@@%displayName% utworzył nowy post. @@', + '{displayName} created a new {contentTitle}.' => '{displayName} utworzył nowy {contentTitle}.', +); diff --git a/protected/humhub/modules/search/messages/fr/views_search_index.php b/protected/humhub/modules/search/messages/fr/views_search_index.php index e7b88a4ca5..5560dec344 100644 --- a/protected/humhub/modules/search/messages/fr/views_search_index.php +++ b/protected/humhub/modules/search/messages/fr/views_search_index.php @@ -17,9 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Advanced search settings' => '', - 'Search for user, spaces and content' => '', - 'Search only in certain spaces:' => '', + 'Advanced search settings' => 'Paramètres avancés de la recherche', + 'Search for user, spaces and content' => 'Chercher des utilisateurs, des espaces et des contenus', + 'Search only in certain spaces:' => 'Chercher seulement dans certains espaces :', 'Search results' => 'Résultats de la recherche', 'All' => 'Tous', 'Content' => 'Contenu', diff --git a/protected/humhub/modules/search/messages/pl/views_search_index.php b/protected/humhub/modules/search/messages/pl/views_search_index.php index 37460a19cc..2abae70620 100644 --- a/protected/humhub/modules/search/messages/pl/views_search_index.php +++ b/protected/humhub/modules/search/messages/pl/views_search_index.php @@ -1,28 +1,11 @@ Search results' => '', - 'Advanced search settings' => '', - 'All' => '', - 'Content' => '', - 'Search for user, spaces and content' => '', - 'Search only in certain spaces:' => '', - 'Spaces' => '', - 'Users' => '', -]; +return array ( + 'Search results' => 'Wyniki wyszukiwania', + 'Advanced search settings' => 'Zaawansowane ustawienia wyszukiwania', + 'All' => 'Wszystko', + 'Content' => 'Treść', + 'Search for user, spaces and content' => 'Szukaj użytkownika, strefy i treści', + 'Search only in certain spaces:' => 'Wyszukaj tylko w wybranych strefach:', + 'Spaces' => 'Strefy', + 'Users' => 'Użytkownicy', +); diff --git a/protected/humhub/modules/space/Module.php b/protected/humhub/modules/space/Module.php index df4c2ff82a..17de47f5f1 100644 --- a/protected/humhub/modules/space/Module.php +++ b/protected/humhub/modules/space/Module.php @@ -9,6 +9,7 @@ namespace humhub\modules\space; use humhub\modules\user\models\User; +use Yii; /** * SpaceModule provides all space related classes & functions. @@ -29,6 +30,12 @@ class Module extends \humhub\components\Module */ public $globalAdminCanAccessPrivateContent = false; + /** + * + * @var boolean Do not allow multiple spaces with the same name + */ + public $useUniqueSpaceNames = true; + /** * @inheritdoc */ @@ -47,5 +54,25 @@ class Module extends \humhub\components\Module new permissions\CreatePublicSpace(), ]; } + + public function getName() + { + return Yii::t('SpaceModule.base', 'Space'); + } + + /** + * @inheritdoc + */ + public function getNotifications() + { + return [ + 'humhub\modules\space\notifications\ApprovalRequest', + 'humhub\modules\space\notifications\ApprovalRequestAccepted', + 'humhub\modules\space\notifications\ApprovalRequestDeclined', + 'humhub\modules\space\notifications\Invite', + 'humhub\modules\space\notifications\InviteAccepted', + 'humhub\modules\space\notifications\InviteDeclined' + ]; + } } diff --git a/protected/humhub/modules/space/commands/SpaceController.php b/protected/humhub/modules/space/commands/SpaceController.php index 49bf5b443f..ec4bf146c3 100644 --- a/protected/humhub/modules/space/commands/SpaceController.php +++ b/protected/humhub/modules/space/commands/SpaceController.php @@ -38,7 +38,7 @@ class SpaceController extends \yii\console\Controller { $space = Space::findOne(['id' => $spaceId]); if ($space == null) { - print "Error: Space not found! Check guid!\n\n"; + print "Error: Space not found! Check id!\n\n"; return; } diff --git a/protected/humhub/modules/space/controllers/CreateController.php b/protected/humhub/modules/space/controllers/CreateController.php index aa88e15dfd..be1b236a3b 100644 --- a/protected/humhub/modules/space/controllers/CreateController.php +++ b/protected/humhub/modules/space/controllers/CreateController.php @@ -128,16 +128,6 @@ class CreateController extends Controller return $this->renderAjax('invite', array('model' => $model, 'space' => $space)); } - /** - * Cancel Space creation - */ - public function actionCancel() - { - - $space = Space::find()->where(['id' => Yii::$app->request->get('spaceId', "")])->one(); - $space->delete(); - } - /** * Creates an empty space model * diff --git a/protected/humhub/modules/space/controllers/MembershipController.php b/protected/humhub/modules/space/controllers/MembershipController.php index f42baee3f7..6037dc4423 100644 --- a/protected/humhub/modules/space/controllers/MembershipController.php +++ b/protected/humhub/modules/space/controllers/MembershipController.php @@ -2,7 +2,7 @@ /** * @link https://www.humhub.org/ - * @copyright Copyright (c) 2015 HumHub GmbH & Co. KG + * @copyright Copyright (c) 2016 HumHub GmbH & Co. KG * @license https://www.humhub.com/licences */ @@ -12,8 +12,7 @@ use Yii; use yii\helpers\Url; use yii\web\HttpException; use humhub\modules\user\models\User; -use humhub\modules\user\models\UserFilter; -use \humhub\modules\user\widgets\UserPicker; +use humhub\modules\user\widgets\UserPicker; use humhub\modules\space\models\Space; use humhub\models\Setting; use humhub\modules\space\models\Membership; @@ -58,12 +57,12 @@ class MembershipController extends \humhub\modules\content\components\ContentCon if (!$space->isMember()) { throw new HttpException(404, Yii::t('SpaceModule.controllers_SpaceController', 'This action is only available for workspace members!')); } - - $keyword = Yii::$app->request->get('keyword'); - //Filter all members of this space by keyword - $user = UserFilter::addQueryFilter($space->getMembershipUser(), $keyword, 10, false)->all(); - return UserPicker::asJSON($user); + return UserPicker::filter([ + 'query' => $space->getMembershipUser(), + 'keyword' => Yii::$app->request->get('keyword'), + 'fillUser' => true + ]); } /** @@ -79,23 +78,12 @@ class MembershipController extends \humhub\modules\content\components\ContentCon if (!$space->isMember()) { throw new HttpException(404, Yii::t('SpaceModule.controllers_SpaceController', 'This action is only available for workspace members!')); } - - $maxResult = 10; - $keyword = Yii::$app->request->get('keyword'); - //Filter all members of this space by keyword - $user = UserFilter::addQueryFilter($space->getNonMembershipUser(), $keyword, $maxResult)->all(); - $result = UserPicker::asJSON($user); - - if(count($user) < $maxResult) { - $members = UserFilter::addQueryFilter($space->getMembershipUser(), $keyword, ($maxResult - count($user)))->all(); - foreach($members as $member) { - //Add disabled members - $result[] = UserPicker::asJSON($member, true); - } - } - - return $result; + return UserPicker::filter([ + 'query' => $space->getNonMembershipUser(), + 'keyword' => Yii::$app->request->get('keyword'), + 'fillUser' => true + ]); } /** diff --git a/protected/humhub/modules/space/controllers/SpaceController.php b/protected/humhub/modules/space/controllers/SpaceController.php index 2f4b8aa8c7..29aa94c320 100644 --- a/protected/humhub/modules/space/controllers/SpaceController.php +++ b/protected/humhub/modules/space/controllers/SpaceController.php @@ -2,12 +2,17 @@ /** * @link https://www.humhub.org/ - * @copyright Copyright (c) 2015 HumHub GmbH & Co. KG + * @copyright Copyright (c) 2016 HumHub GmbH & Co. KG * @license https://www.humhub.com/licences */ namespace humhub\modules\space\controllers; +use Yii; +use humhub\modules\space\models\Space; +use humhub\modules\user\models\User; +use humhub\modules\user\widgets\UserListBox; + /** * SpaceController is the main controller for spaces. * @@ -65,6 +70,10 @@ class SpaceController extends \humhub\modules\content\components\ContentContaine if (!$space->isMember()) { $space->follow(); } + + if (Yii::$app->request->isAjax) { + return; + } return $this->redirect($space->getUrl()); } @@ -77,10 +86,29 @@ class SpaceController extends \humhub\modules\content\components\ContentContaine $this->forcePostRequest(); $space = $this->getSpace(); $space->unfollow(); + + if (Yii::$app->request->isAjax) { + return; + } return $this->redirect($space->getUrl()); } + /** + * Modal to list followers of a space + */ + public function actionFollowerList() + { + $query = User::find(); + $query->leftJoin('user_follow', 'user.id=user_follow.user_id and object_model=:userClass and user_follow.object_id=:spaceId', [':userClass' => Space::className(), ':spaceId' => $this->getSpace()->id]); + $query->orderBy(['user_follow.id' => SORT_DESC]); + $query->andWhere(['IS NOT', 'user_follow.id', new \yii\db\Expression('NULL')]); + $query->active(); + + $title = Yii::t('SpaceModule.base', 'Space followers'); + return $this->renderAjaxContent(UserListBox::widget(['query' => $query, 'title' => $title])); + } + } ?> diff --git a/protected/humhub/modules/space/messages/an/base.php b/protected/humhub/modules/space/messages/an/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/an/base.php +++ b/protected/humhub/modules/space/messages/an/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/an/models_Membership.php b/protected/humhub/modules/space/messages/an/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/an/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/an/models_Setting.php b/protected/humhub/modules/space/messages/an/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/an/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/an/permissions.php b/protected/humhub/modules/space/messages/an/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/an/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/an/views_admin_members.php b/protected/humhub/modules/space/messages/an/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/an/views_admin_members.php +++ b/protected/humhub/modules/space/messages/an/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/an/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/an/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/an/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/ar/base.php b/protected/humhub/modules/space/messages/ar/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/ar/base.php +++ b/protected/humhub/modules/space/messages/ar/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/ar/models_Membership.php b/protected/humhub/modules/space/messages/ar/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/ar/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/ar/models_Setting.php b/protected/humhub/modules/space/messages/ar/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/ar/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/ar/permissions.php b/protected/humhub/modules/space/messages/ar/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/ar/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/ar/views_admin_members.php b/protected/humhub/modules/space/messages/ar/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/ar/views_admin_members.php +++ b/protected/humhub/modules/space/messages/ar/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/ar/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/ar/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/ar/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/bg/base.php b/protected/humhub/modules/space/messages/bg/base.php index 02faa6608d..55e377042e 100644 --- a/protected/humhub/modules/space/messages/bg/base.php +++ b/protected/humhub/modules/space/messages/bg/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,8 +17,10 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Public (Members & Guests)' => '', diff --git a/protected/humhub/modules/space/messages/bg/models_Membership.php b/protected/humhub/modules/space/messages/bg/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/bg/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/bg/models_Setting.php b/protected/humhub/modules/space/messages/bg/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/bg/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/bg/permissions.php b/protected/humhub/modules/space/messages/bg/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/bg/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/bg/views_admin_members.php b/protected/humhub/modules/space/messages/bg/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/bg/views_admin_members.php +++ b/protected/humhub/modules/space/messages/bg/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/bg/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/bg/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/bg/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/ca/base.php b/protected/humhub/modules/space/messages/ca/base.php index 37d817e8b0..b93967393f 100644 --- a/protected/humhub/modules/space/messages/ca/base.php +++ b/protected/humhub/modules/space/messages/ca/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Public (Members & Guests)' => '', diff --git a/protected/humhub/modules/space/messages/ca/models_Membership.php b/protected/humhub/modules/space/messages/ca/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/ca/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/ca/models_Setting.php b/protected/humhub/modules/space/messages/ca/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/ca/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/ca/permissions.php b/protected/humhub/modules/space/messages/ca/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/ca/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/ca/views_admin_members.php b/protected/humhub/modules/space/messages/ca/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/ca/views_admin_members.php +++ b/protected/humhub/modules/space/messages/ca/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/ca/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/ca/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/ca/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/cs/base.php b/protected/humhub/modules/space/messages/cs/base.php index a066ead775..6e00c69d5b 100644 --- a/protected/humhub/modules/space/messages/cs/base.php +++ b/protected/humhub/modules/space/messages/cs/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Public (Members & Guests)' => '', diff --git a/protected/humhub/modules/space/messages/cs/models_Membership.php b/protected/humhub/modules/space/messages/cs/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/cs/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/cs/models_Setting.php b/protected/humhub/modules/space/messages/cs/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/cs/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/cs/permissions.php b/protected/humhub/modules/space/messages/cs/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/cs/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/cs/views_admin_members.php b/protected/humhub/modules/space/messages/cs/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/cs/views_admin_members.php +++ b/protected/humhub/modules/space/messages/cs/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/cs/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/cs/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/cs/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/da/base.php b/protected/humhub/modules/space/messages/da/base.php index ae62eeb7af..55bae870e0 100644 --- a/protected/humhub/modules/space/messages/da/base.php +++ b/protected/humhub/modules/space/messages/da/base.php @@ -1,16 +1,35 @@ 'Kunne ikke slette bruger som er en side-ejer! Navnet på siden: {spaceName}', - 'Default' => 'Standard', - 'Everyone can enter' => 'Alle kan komme ind', - 'Invite and request' => 'Inviter og anmod', - 'Only by invite' => 'Kun ved invitation', - 'Private' => 'Privat', - 'Private (Invisible)' => 'Privat (Usynlig)', - 'Public' => 'Offentlig', - 'Public (Members & Guests)' => 'Offentlig (Medlemmer & Gæster)', - 'Public (Members only)' => 'Offentlig (Kun medlemmer)', - 'Public (Registered users only)' => 'Offentlig (Kun registrerede brugere)', - 'Public (Visible)' => 'Offentlig (Synlig)', - 'Visible for all (members and guests)' => 'Synlig for alle (Medlemmer og gæster)', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Space followers' => '', + 'No spaces found.' => '', + 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'Kunne ikke slette bruger som er en side-ejer! Navnet på siden: {spaceName}', + 'Default' => 'Standard', + 'Everyone can enter' => 'Alle kan komme ind', + 'Invite and request' => 'Inviter og anmod', + 'Only by invite' => 'Kun ved invitation', + 'Private' => 'Privat', + 'Private (Invisible)' => 'Privat (Usynlig)', + 'Public' => 'Offentlig', + 'Public (Members & Guests)' => 'Offentlig (Medlemmer & Gæster)', + 'Public (Members only)' => 'Offentlig (Kun medlemmer)', + 'Public (Registered users only)' => 'Offentlig (Kun registrerede brugere)', + 'Public (Visible)' => 'Offentlig (Synlig)', + 'Visible for all (members and guests)' => 'Synlig for alle (Medlemmer og gæster)', +]; diff --git a/protected/humhub/modules/space/messages/da/models_Membership.php b/protected/humhub/modules/space/messages/da/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/da/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/da/models_Setting.php b/protected/humhub/modules/space/messages/da/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/da/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/da/permissions.php b/protected/humhub/modules/space/messages/da/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/da/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/da/views_admin_members.php b/protected/humhub/modules/space/messages/da/views_admin_members.php index 3c7872d3ed..18e8eff8da 100644 --- a/protected/humhub/modules/space/messages/da/views_admin_members.php +++ b/protected/humhub/modules/space/messages/da/views_admin_members.php @@ -1,8 +1,29 @@ Manage members' => 'Administrer brugere', - 'Manage permissions' => 'Administrer tilladelser', - 'Pending approvals' => 'Afventende godkendelser', - 'Pending invitations' => 'Afventende invitationer', - 'never' => 'aldrig', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Current Group:' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', + 'Manage members' => 'Administrer brugere', + 'Manage permissions' => 'Administrer tilladelser', + 'Pending approvals' => 'Afventende godkendelser', + 'Pending invitations' => 'Afventende invitationer', + 'never' => 'aldrig', +]; diff --git a/protected/humhub/modules/space/messages/da/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/da/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/da/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/de/base.php b/protected/humhub/modules/space/messages/de/base.php index cefba4f13a..4c134265ec 100644 --- a/protected/humhub/modules/space/messages/de/base.php +++ b/protected/humhub/modules/space/messages/de/base.php @@ -1,16 +1,35 @@ 'Space-Besitzer kann nicht gelöscht werden! Name des Space: »{spaceName}«', - 'Default' => 'Standard', - 'Everyone can enter' => 'Frei zugänglich', - 'Invite and request' => 'Einladung und Anfrage', - 'Only by invite' => 'Nur mit einer Einladung', - 'Private' => 'Privat', - 'Private (Invisible)' => 'Privat (unsichtbar)', - 'Public' => 'Öffentlich', - 'Public (Members & Guests)' => 'Öffentlich (Mitglieder & Gäste)', - 'Public (Members only)' => 'Öffentlich (Nur Mitglieder)', - 'Public (Registered users only)' => 'Öffentlich (Nur registrierte User)', - 'Public (Visible)' => 'Öffentlich (sichtbar)', - 'Visible for all (members and guests)' => 'Offen für alle (Mitglieder & Gäste)', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Space followers' => '', + 'No spaces found.' => '', + 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'Space-Besitzer kann nicht gelöscht werden! Name des Space: »{spaceName}«', + 'Default' => 'Standard', + 'Everyone can enter' => 'Frei zugänglich', + 'Invite and request' => 'Einladung und Anfrage', + 'Only by invite' => 'Nur mit einer Einladung', + 'Private' => 'Privat', + 'Private (Invisible)' => 'Privat (unsichtbar)', + 'Public' => 'Öffentlich', + 'Public (Members & Guests)' => 'Öffentlich (Mitglieder & Gäste)', + 'Public (Members only)' => 'Öffentlich (Nur Mitglieder)', + 'Public (Registered users only)' => 'Öffentlich (Nur registrierte User)', + 'Public (Visible)' => 'Öffentlich (sichtbar)', + 'Visible for all (members and guests)' => 'Offen für alle (Mitglieder & Gäste)', +]; diff --git a/protected/humhub/modules/space/messages/de/models_Membership.php b/protected/humhub/modules/space/messages/de/models_Membership.php new file mode 100644 index 0000000000..7ca3d48a22 --- /dev/null +++ b/protected/humhub/modules/space/messages/de/models_Membership.php @@ -0,0 +1,11 @@ + '', + 'Created By' => 'Erstellt von', + 'Last Visit' => 'Letzter Besuch', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => 'Status', + 'Updated At' => '', + 'Updated By' => 'Aktualisiert von', +); diff --git a/protected/humhub/modules/space/messages/de/models_Setting.php b/protected/humhub/modules/space/messages/de/models_Setting.php new file mode 100644 index 0000000000..8738baa8cb --- /dev/null +++ b/protected/humhub/modules/space/messages/de/models_Setting.php @@ -0,0 +1,9 @@ + '', + 'Created By' => 'Erstellt von', + 'Name' => 'Name', + 'Updated At' => '', + 'Updated by' => 'Aktualisiert von', + 'Value' => 'Wert', +); diff --git a/protected/humhub/modules/space/messages/de/permissions.php b/protected/humhub/modules/space/messages/de/permissions.php new file mode 100644 index 0000000000..380a64eb37 --- /dev/null +++ b/protected/humhub/modules/space/messages/de/permissions.php @@ -0,0 +1,11 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => 'Privaten Space anlegen', + 'Create public content' => 'Öffentlichen Inhalt erstellen', + 'Create public space' => 'Öffentlichen Space anlegen', + 'Invite users' => 'Benutzer einladen', +); diff --git a/protected/humhub/modules/space/messages/de/views_admin_members.php b/protected/humhub/modules/space/messages/de/views_admin_members.php index b5010ee9b2..ef624af64d 100644 --- a/protected/humhub/modules/space/messages/de/views_admin_members.php +++ b/protected/humhub/modules/space/messages/de/views_admin_members.php @@ -1,8 +1,12 @@ Manage members' => 'Mitglieder verwalten', - 'Manage permissions' => 'Mitglieder Berechtigungen', + 'Current Group:' => 'Aktuelle Gruppe:', + 'Manage members' => 'Mitglieder verwalten', + 'Manage permissions' => 'Berechtigungen verwalten', 'Pending approvals' => 'Ausstehende Freigaben', 'Pending invitations' => 'Ausstehende Einladungen', - 'never' => 'nie', + 'Actions' => 'Aktionen', + 'Group' => 'Gruppe', + 'Remove' => 'Entfernen', + 'never' => 'Nie', ); diff --git a/protected/humhub/modules/space/messages/de/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/de/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..0ad4c7cad4 --- /dev/null +++ b/protected/humhub/modules/space/messages/de/widgets_SpaceMembersMenu.php @@ -0,0 +1,8 @@ + 'Mitglieder', + 'Owner' => 'Eigentümer', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => 'Berechtigungen', +); diff --git a/protected/humhub/modules/space/messages/el/base.php b/protected/humhub/modules/space/messages/el/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/el/base.php +++ b/protected/humhub/modules/space/messages/el/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/el/models_Membership.php b/protected/humhub/modules/space/messages/el/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/el/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/el/models_Setting.php b/protected/humhub/modules/space/messages/el/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/el/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/el/permissions.php b/protected/humhub/modules/space/messages/el/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/el/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/el/views_admin_members.php b/protected/humhub/modules/space/messages/el/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/el/views_admin_members.php +++ b/protected/humhub/modules/space/messages/el/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/el/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/el/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/el/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/en_uk/base.php b/protected/humhub/modules/space/messages/en_uk/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/en_uk/base.php +++ b/protected/humhub/modules/space/messages/en_uk/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/en_uk/models_Membership.php b/protected/humhub/modules/space/messages/en_uk/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/en_uk/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/en_uk/models_Setting.php b/protected/humhub/modules/space/messages/en_uk/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/en_uk/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/en_uk/permissions.php b/protected/humhub/modules/space/messages/en_uk/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/en_uk/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/en_uk/views_admin_members.php b/protected/humhub/modules/space/messages/en_uk/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/en_uk/views_admin_members.php +++ b/protected/humhub/modules/space/messages/en_uk/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/en_uk/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/en_uk/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/en_uk/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/es/base.php b/protected/humhub/modules/space/messages/es/base.php index 3829f4d0a6..c3ed7b4863 100644 --- a/protected/humhub/modules/space/messages/es/base.php +++ b/protected/humhub/modules/space/messages/es/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '¡No puedo borrar un usuario que es dueño de un espacio! Nombre del espacio: {spaceName}', diff --git a/protected/humhub/modules/space/messages/es/models_Membership.php b/protected/humhub/modules/space/messages/es/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/es/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/es/models_Setting.php b/protected/humhub/modules/space/messages/es/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/es/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/es/permissions.php b/protected/humhub/modules/space/messages/es/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/es/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/es/views_admin_members.php b/protected/humhub/modules/space/messages/es/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/es/views_admin_members.php +++ b/protected/humhub/modules/space/messages/es/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/es/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/es/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/es/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/fa_ir/base.php b/protected/humhub/modules/space/messages/fa_ir/base.php index 0f990a5e68..14e3b92b8a 100644 --- a/protected/humhub/modules/space/messages/fa_ir/base.php +++ b/protected/humhub/modules/space/messages/fa_ir/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'امکان حذف کاربری که دارنده‌ی انجمن است وجود ندارد! نام انجمن: {spaceName}', diff --git a/protected/humhub/modules/space/messages/fa_ir/models_Membership.php b/protected/humhub/modules/space/messages/fa_ir/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/fa_ir/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/fa_ir/models_Setting.php b/protected/humhub/modules/space/messages/fa_ir/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/fa_ir/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/fa_ir/permissions.php b/protected/humhub/modules/space/messages/fa_ir/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/fa_ir/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/fa_ir/views_admin_members.php b/protected/humhub/modules/space/messages/fa_ir/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/fa_ir/views_admin_members.php +++ b/protected/humhub/modules/space/messages/fa_ir/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/fa_ir/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/fa_ir/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/fa_ir/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/fr/base.php b/protected/humhub/modules/space/messages/fr/base.php index c083812750..f7097fb599 100644 --- a/protected/humhub/modules/space/messages/fr/base.php +++ b/protected/humhub/modules/space/messages/fr/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,14 +17,16 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Default' => '', - 'Private' => '', - 'Public' => '', + 'Space followers' => '', + 'No spaces found.' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'Impossible d\'effacer un utilisateur propriétaire d\'un espace ! Espace concerné : {spaceName}', + 'Default' => 'Défaut', 'Everyone can enter' => 'Tout le monde peut entrer', 'Invite and request' => 'Sur invitation et demande', 'Only by invite' => 'Sur invitation uniquement', + 'Private' => 'Privé', 'Private (Invisible)' => 'Privé (invisible)', + 'Public' => 'Public', 'Public (Members & Guests)' => 'Public (membres et visiteurs)', 'Public (Members only)' => 'Public (membres uniquement)', 'Public (Registered users only)' => 'Public (utilisateurs enregistrés uniquement)', diff --git a/protected/humhub/modules/space/messages/fr/controllers_MembershipController.php b/protected/humhub/modules/space/messages/fr/controllers_MembershipController.php index 5d0f787b82..268d78c7de 100644 --- a/protected/humhub/modules/space/messages/fr/controllers_MembershipController.php +++ b/protected/humhub/modules/space/messages/fr/controllers_MembershipController.php @@ -17,5 +17,5 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Members' => '', + 'Members' => 'Membres', ]; diff --git a/protected/humhub/modules/space/messages/fr/manage.php b/protected/humhub/modules/space/messages/fr/manage.php index 630377535e..a1bdb7d984 100644 --- a/protected/humhub/modules/space/messages/fr/manage.php +++ b/protected/humhub/modules/space/messages/fr/manage.php @@ -17,11 +17,11 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Change Owner' => '', - 'General settings' => '', - 'Security settings' => '', - 'As owner of this space you can transfer this role to another administrator in space.' => '', - 'Color' => '', - 'Space owner' => '', - 'Transfer ownership' => '', + 'Change Owner' => 'Modifier le propriétaire', + 'General settings' => 'Paramètres généraux', + 'Security settings' => 'Paramètres de sécurité', + 'As owner of this space you can transfer this role to another administrator in space.' => 'En tant que propriétaire de cet espace, vous pouvez transférer ce rôle à un autre administrateur dans l\'espace', + 'Color' => 'Couleur', + 'Space owner' => 'Propriétaire de l\'espace', + 'Transfer ownership' => 'Transférer la propriété', ]; diff --git a/protected/humhub/modules/space/messages/fr/models_Membership.php b/protected/humhub/modules/space/messages/fr/models_Membership.php new file mode 100644 index 0000000000..1ff76be8d7 --- /dev/null +++ b/protected/humhub/modules/space/messages/fr/models_Membership.php @@ -0,0 +1,28 @@ + 'Créée le', + 'Created By' => 'Créee par', + 'Last Visit' => 'Dernière visite', + 'Originator User ID' => '', + 'Request Message' => 'Message de la demande', + 'Status' => 'Statut', + 'Updated At' => 'Mis à jour le', + 'Updated By' => 'Mis à jour par', +]; diff --git a/protected/humhub/modules/space/messages/fr/models_Setting.php b/protected/humhub/modules/space/messages/fr/models_Setting.php new file mode 100644 index 0000000000..7bc36d76f4 --- /dev/null +++ b/protected/humhub/modules/space/messages/fr/models_Setting.php @@ -0,0 +1,26 @@ + 'Créé le', + 'Created By' => 'Créé par', + 'Name' => 'Nom', + 'Updated At' => 'Mis à jour le', + 'Updated by' => 'Mis à jour par', + 'Value' => 'Valeur', +]; diff --git a/protected/humhub/modules/space/messages/fr/models_Space.php b/protected/humhub/modules/space/messages/fr/models_Space.php index d7e954a64b..9ac5153616 100644 --- a/protected/humhub/modules/space/messages/fr/models_Space.php +++ b/protected/humhub/modules/space/messages/fr/models_Space.php @@ -17,8 +17,8 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Color' => '', - 'Created At' => 'Créé à', + 'Color' => 'Couleur', + 'Created At' => 'Créé le', 'Created By' => 'Créé par', 'Description' => 'Description', 'Join Policy' => 'Conditions d\'adhésion', @@ -26,7 +26,7 @@ return [ 'Owner' => 'Propriétaire', 'Status' => 'Statut', 'Tags' => 'Mots-clés', - 'Updated At' => 'Mis à jour à', + 'Updated At' => 'Mis à jour le', 'Updated by' => 'Mis à jour par', 'Visibility' => 'Visibilité', 'Website URL (optional)' => 'Lien vers site Web (option)', diff --git a/protected/humhub/modules/space/messages/fr/permissions.php b/protected/humhub/modules/space/messages/fr/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/fr/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/fr/picker.php b/protected/humhub/modules/space/messages/fr/picker.php index 388c4bc1ca..779226e3f1 100644 --- a/protected/humhub/modules/space/messages/fr/picker.php +++ b/protected/humhub/modules/space/messages/fr/picker.php @@ -17,5 +17,5 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Add {n,plural,=1{space} other{spaces}}' => '', + 'Add {n,plural,=1{space} other{spaces}}' => 'Ajouter {n,plural,=1{espace} other{espaces}}', ]; diff --git a/protected/humhub/modules/space/messages/fr/views_admin_members.php b/protected/humhub/modules/space/messages/fr/views_admin_members.php index 38650ac3dd..9323de59e5 100644 --- a/protected/humhub/modules/space/messages/fr/views_admin_members.php +++ b/protected/humhub/modules/space/messages/fr/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Manage members' => '', - 'Manage permissions' => '', - 'Pending approvals' => '', - 'Pending invitations' => '', - 'never' => '', + 'Current Group:' => 'Groupe sélectionné :', + 'Manage members' => 'Gérer les membres', + 'Manage permissions' => 'Gérer les permissions', + 'Pending approvals' => 'Demandes en attente', + 'Pending invitations' => 'Invitations en attente', + 'Actions' => '', + 'Group' => 'Groupe', + 'Remove' => 'Enlever', + 'never' => 'jamais', ]; diff --git a/protected/humhub/modules/space/messages/fr/views_create_create.php b/protected/humhub/modules/space/messages/fr/views_create_create.php index c508c68e0b..9d58fc6400 100644 --- a/protected/humhub/modules/space/messages/fr/views_create_create.php +++ b/protected/humhub/modules/space/messages/fr/views_create_create.php @@ -17,8 +17,8 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Color' => '', - 'Next' => '', + 'Color' => 'Couleur', + 'Next' => 'Suivant', 'Create new space' => 'Créer un nouvel espace', 'Advanced access settings' => 'Paramètres d\'accès avancés', 'space description' => 'description de l\'espace', diff --git a/protected/humhub/modules/space/messages/fr/widgets_SpaceAdminMenuWidget.php b/protected/humhub/modules/space/messages/fr/widgets_SpaceAdminMenuWidget.php index cb243e760f..bef1c0f941 100644 --- a/protected/humhub/modules/space/messages/fr/widgets_SpaceAdminMenuWidget.php +++ b/protected/humhub/modules/space/messages/fr/widgets_SpaceAdminMenuWidget.php @@ -18,11 +18,11 @@ */ return [ '' => '', - 'Cancel Membership' => '', - 'Hide posts on dashboard' => '', - 'Show posts on dashboard' => '', - 'This option will hide new content from this space at your dashboard' => '', - 'This option will show new content from this space at your dashboard' => '', + 'Cancel Membership' => 'Annuler la participation', + 'Hide posts on dashboard' => 'Cacher les messages sur le tableau de bord', + 'Show posts on dashboard' => 'Afficher les messages sur le tableau de bord', + 'This option will hide new content from this space at your dashboard' => 'Cette option va cacher les nouveaux contenus de cet espace sur votre tableau de bord', + 'This option will show new content from this space at your dashboard' => 'Cette option va afficher les nouveaux contenus de cet espace sur votre tableau de bord', 'General' => 'Général', 'Members' => 'Membres', 'Modules' => 'Modules', diff --git a/protected/humhub/modules/space/messages/fr/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/fr/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..a8ecfc6f67 --- /dev/null +++ b/protected/humhub/modules/space/messages/fr/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + 'Membres', + 'Owner' => 'Propriétaire', + 'Pending Approvals' => 'Demandes en attente', + 'Pending Invites' => 'Invitations en attente', + 'Permissions' => 'Permissions', +]; diff --git a/protected/humhub/modules/space/messages/fr/widgets_views_spaceMembers.php b/protected/humhub/modules/space/messages/fr/widgets_views_spaceMembers.php index efcd8723c5..6fc5cfbb18 100644 --- a/protected/humhub/modules/space/messages/fr/widgets_views_spaceMembers.php +++ b/protected/humhub/modules/space/messages/fr/widgets_views_spaceMembers.php @@ -17,7 +17,7 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Show all' => '', + 'Show all' => 'Afficher tout', 'New member request' => 'Nouvelles demandes d\'affiliation', 'Space members' => 'Membres de l\'espace', ]; diff --git a/protected/humhub/modules/space/messages/hr/base.php b/protected/humhub/modules/space/messages/hr/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/hr/base.php +++ b/protected/humhub/modules/space/messages/hr/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/hr/models_Membership.php b/protected/humhub/modules/space/messages/hr/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/hr/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/hr/models_Setting.php b/protected/humhub/modules/space/messages/hr/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/hr/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/hr/permissions.php b/protected/humhub/modules/space/messages/hr/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/hr/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/hr/views_admin_members.php b/protected/humhub/modules/space/messages/hr/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/hr/views_admin_members.php +++ b/protected/humhub/modules/space/messages/hr/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/hr/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/hr/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/hr/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/hu/base.php b/protected/humhub/modules/space/messages/hu/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/hu/base.php +++ b/protected/humhub/modules/space/messages/hu/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/hu/models_Membership.php b/protected/humhub/modules/space/messages/hu/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/hu/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/hu/models_Setting.php b/protected/humhub/modules/space/messages/hu/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/hu/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/hu/permissions.php b/protected/humhub/modules/space/messages/hu/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/hu/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/hu/views_admin_members.php b/protected/humhub/modules/space/messages/hu/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/hu/views_admin_members.php +++ b/protected/humhub/modules/space/messages/hu/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/hu/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/hu/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/hu/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/id/base.php b/protected/humhub/modules/space/messages/id/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/id/base.php +++ b/protected/humhub/modules/space/messages/id/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/id/models_Membership.php b/protected/humhub/modules/space/messages/id/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/id/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/id/models_Setting.php b/protected/humhub/modules/space/messages/id/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/id/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/id/permissions.php b/protected/humhub/modules/space/messages/id/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/id/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/id/views_admin_members.php b/protected/humhub/modules/space/messages/id/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/id/views_admin_members.php +++ b/protected/humhub/modules/space/messages/id/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/id/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/id/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/id/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/it/base.php b/protected/humhub/modules/space/messages/it/base.php index b521450c16..5b1a541de6 100644 --- a/protected/humhub/modules/space/messages/it/base.php +++ b/protected/humhub/modules/space/messages/it/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'Non posso cancellare l\'utente che è proprietario di uno space! Nome dello Space: {spaceName}', diff --git a/protected/humhub/modules/space/messages/it/models_Membership.php b/protected/humhub/modules/space/messages/it/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/it/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/it/models_Setting.php b/protected/humhub/modules/space/messages/it/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/it/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/it/permissions.php b/protected/humhub/modules/space/messages/it/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/it/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/it/views_admin_members.php b/protected/humhub/modules/space/messages/it/views_admin_members.php index 07c3821c11..b17293bd61 100644 --- a/protected/humhub/modules/space/messages/it/views_admin_members.php +++ b/protected/humhub/modules/space/messages/it/views_admin_members.php @@ -1,8 +1,29 @@ Manage members' => 'Gestione membri', - 'Manage permissions' => 'Gestione permessi', - 'Pending approvals' => 'Approvazioni in sospeso', - 'Pending invitations' => 'Inviti in sospeso', - 'never' => 'mai', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Current Group:' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', + 'Manage members' => 'Gestione membri', + 'Manage permissions' => 'Gestione permessi', + 'Pending approvals' => 'Approvazioni in sospeso', + 'Pending invitations' => 'Inviti in sospeso', + 'never' => 'mai', +]; diff --git a/protected/humhub/modules/space/messages/it/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/it/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/it/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/ja/base.php b/protected/humhub/modules/space/messages/ja/base.php index 971780a511..bf5a019fbc 100644 --- a/protected/humhub/modules/space/messages/ja/base.php +++ b/protected/humhub/modules/space/messages/ja/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,11 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/ja/models_Membership.php b/protected/humhub/modules/space/messages/ja/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/ja/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/ja/models_Setting.php b/protected/humhub/modules/space/messages/ja/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/ja/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/ja/permissions.php b/protected/humhub/modules/space/messages/ja/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/ja/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/ja/views_admin_members.php b/protected/humhub/modules/space/messages/ja/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/ja/views_admin_members.php +++ b/protected/humhub/modules/space/messages/ja/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/ja/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/ja/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/ja/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/ko/base.php b/protected/humhub/modules/space/messages/ko/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/ko/base.php +++ b/protected/humhub/modules/space/messages/ko/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/ko/models_Membership.php b/protected/humhub/modules/space/messages/ko/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/ko/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/ko/models_Setting.php b/protected/humhub/modules/space/messages/ko/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/ko/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/ko/permissions.php b/protected/humhub/modules/space/messages/ko/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/ko/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/ko/views_admin_members.php b/protected/humhub/modules/space/messages/ko/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/ko/views_admin_members.php +++ b/protected/humhub/modules/space/messages/ko/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/ko/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/ko/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/ko/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/lt/base.php b/protected/humhub/modules/space/messages/lt/base.php index c29d282b64..834f7b426d 100644 --- a/protected/humhub/modules/space/messages/lt/base.php +++ b/protected/humhub/modules/space/messages/lt/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'Negalima ištrinti vartotojo, kuriam priklauso erdvė! Erdvės pavadinimas: {spaceName}', diff --git a/protected/humhub/modules/space/messages/lt/models_Membership.php b/protected/humhub/modules/space/messages/lt/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/lt/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/lt/models_Setting.php b/protected/humhub/modules/space/messages/lt/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/lt/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/lt/permissions.php b/protected/humhub/modules/space/messages/lt/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/lt/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/lt/views_admin_members.php b/protected/humhub/modules/space/messages/lt/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/lt/views_admin_members.php +++ b/protected/humhub/modules/space/messages/lt/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/lt/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/lt/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/lt/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/nb_no/base.php b/protected/humhub/modules/space/messages/nb_no/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/nb_no/base.php +++ b/protected/humhub/modules/space/messages/nb_no/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/nb_no/models_Membership.php b/protected/humhub/modules/space/messages/nb_no/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/nb_no/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/nb_no/models_Setting.php b/protected/humhub/modules/space/messages/nb_no/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/nb_no/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/nb_no/permissions.php b/protected/humhub/modules/space/messages/nb_no/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/nb_no/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/nb_no/views_admin_members.php b/protected/humhub/modules/space/messages/nb_no/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/nb_no/views_admin_members.php +++ b/protected/humhub/modules/space/messages/nb_no/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/nb_no/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/nb_no/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/nb_no/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/nl/base.php b/protected/humhub/modules/space/messages/nl/base.php index 9aeb02cd8b..170a909768 100644 --- a/protected/humhub/modules/space/messages/nl/base.php +++ b/protected/humhub/modules/space/messages/nl/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'De eigenaar van ruimte {spaceName} kan niet verwijderd worden!', diff --git a/protected/humhub/modules/space/messages/nl/models_Membership.php b/protected/humhub/modules/space/messages/nl/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/nl/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/nl/models_Setting.php b/protected/humhub/modules/space/messages/nl/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/nl/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/nl/permissions.php b/protected/humhub/modules/space/messages/nl/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/nl/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/nl/views_admin_members.php b/protected/humhub/modules/space/messages/nl/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/nl/views_admin_members.php +++ b/protected/humhub/modules/space/messages/nl/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/nl/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/nl/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/nl/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/pl/base.php b/protected/humhub/modules/space/messages/pl/base.php index cefec519d2..40bf524cdd 100644 --- a/protected/humhub/modules/space/messages/pl/base.php +++ b/protected/humhub/modules/space/messages/pl/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,17 +17,19 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Default' => '', - 'Private' => '', - 'Public' => '', - 'Public (Members & Guests)' => '', - 'Public (Members only)' => '', - 'Public (Registered users only)' => '', - 'Visible for all (members and guests)' => '', + 'Space followers' => '', + 'No spaces found.' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'Nie można usunąć użytkownika który jest właścicielem strefy! Nazwa strefy: {spaceName} ', + 'Default' => 'Domyślna', 'Everyone can enter' => 'Każdy może dołączyć ', 'Invite and request' => 'Zaproś i złóż podanie ', 'Only by invite' => 'Tylko przez zaproszenie ', + 'Private' => 'Prywatna', 'Private (Invisible)' => 'Prywatna (nie widoczna) ', + 'Public' => 'Publiczna', + 'Public (Members & Guests)' => 'Publiczna (Członkowie i Goście)', + 'Public (Members only)' => 'Publiczna (Tylko członkowie)', + 'Public (Registered users only)' => 'Publiczna (Tylko zarejestrowani)', 'Public (Visible)' => 'Publiczna (widoczna) ', + 'Visible for all (members and guests)' => 'Widoczne dla wszystkich (użytkownicy i goście)', ]; diff --git a/protected/humhub/modules/space/messages/pl/behaviors_SpaceControllerBehavior.php b/protected/humhub/modules/space/messages/pl/behaviors_SpaceControllerBehavior.php index d97790ce36..49f1cf3811 100644 --- a/protected/humhub/modules/space/messages/pl/behaviors_SpaceControllerBehavior.php +++ b/protected/humhub/modules/space/messages/pl/behaviors_SpaceControllerBehavior.php @@ -1,6 +1,6 @@ '', - 'Space is invisible!' => 'Strefa jest niewidoczna ', + 'Space is invisible!' => 'Strefa jest niewidoczna !', 'Space not found!' => 'Nie znaleziono strefy! ', + 'You need to login to view contents of this space!' => 'Aby oglądać treści w tej strefie, musisz się zalogować!', ); diff --git a/protected/humhub/modules/space/messages/pl/controllers_MembershipController.php b/protected/humhub/modules/space/messages/pl/controllers_MembershipController.php index 5d0f787b82..f92c330f2d 100644 --- a/protected/humhub/modules/space/messages/pl/controllers_MembershipController.php +++ b/protected/humhub/modules/space/messages/pl/controllers_MembershipController.php @@ -1,21 +1,4 @@ Members' => '', -]; +return array ( + 'Members' => 'Członkowie', +); diff --git a/protected/humhub/modules/space/messages/pl/manage.php b/protected/humhub/modules/space/messages/pl/manage.php index 630377535e..e57f9c114d 100644 --- a/protected/humhub/modules/space/messages/pl/manage.php +++ b/protected/humhub/modules/space/messages/pl/manage.php @@ -1,27 +1,10 @@ Change Owner' => '', - 'General settings' => '', - 'Security settings' => '', - 'As owner of this space you can transfer this role to another administrator in space.' => '', - 'Color' => '', - 'Space owner' => '', - 'Transfer ownership' => '', -]; +return array ( + 'Change Owner' => 'Zmień Właściciela', + 'General settings' => 'Ustawienia główne', + 'Security settings' => 'Ustawienia bezpieczeństwa', + 'As owner of this space you can transfer this role to another administrator in space.' => 'Jako właściciel tej strefy możesz przenieść tę funkcję na innego administratora w strefie.', + 'Color' => 'Kolor', + 'Space owner' => 'Właściciel strefy', + 'Transfer ownership' => 'Przenieś właścicielstwo', +); diff --git a/protected/humhub/modules/space/messages/pl/models_Membership.php b/protected/humhub/modules/space/messages/pl/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/pl/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/pl/models_Setting.php b/protected/humhub/modules/space/messages/pl/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/pl/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/pl/models_Space.php b/protected/humhub/modules/space/messages/pl/models_Space.php index 81a0d2a778..ae29bb4190 100644 --- a/protected/humhub/modules/space/messages/pl/models_Space.php +++ b/protected/humhub/modules/space/messages/pl/models_Space.php @@ -1,35 +1,18 @@ '', - 'Created At' => 'Utworzona o', - 'Created By' => 'Utworzona przez', - 'Description' => 'Opis', - 'Join Policy' => 'Polityka dołączania', - 'Name' => 'Nazwa', - 'Owner' => 'Właściciel', - 'Status' => 'Status', - 'Tags' => 'Tagi', - 'Updated At' => 'Zaktualizowana o ', - 'Updated by' => 'Zaktualizowana przez', - 'Visibility' => 'Widzialność', - 'Website URL (optional)' => 'URL strony internetowej (opcjonalny)', - 'You cannot create private visible spaces!' => 'Nie możesz tworzyć prywatnych i widzialnych stref!', - 'You cannot create public visible spaces!' => 'Nie możesz tworzyć publicznych i widzialnych stref! ', -]; +return array ( + 'Color' => 'Kolor', + 'Created At' => 'Utworzona o', + 'Created By' => 'Utworzona przez', + 'Description' => 'Opis', + 'Join Policy' => 'Polityka dołączania', + 'Name' => 'Nazwa', + 'Owner' => 'Właściciel', + 'Status' => 'Status', + 'Tags' => 'Tagi', + 'Updated At' => 'Zaktualizowana o ', + 'Updated by' => 'Zaktualizowana przez', + 'Visibility' => 'Widzialność', + 'Website URL (optional)' => 'URL strony internetowej (opcjonalny)', + 'You cannot create private visible spaces!' => 'Nie możesz tworzyć prywatnych i widzialnych stref!', + 'You cannot create public visible spaces!' => 'Nie możesz tworzyć publicznych i widzialnych stref! ', +); diff --git a/protected/humhub/modules/space/messages/pl/permissions.php b/protected/humhub/modules/space/messages/pl/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/pl/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/pl/picker.php b/protected/humhub/modules/space/messages/pl/picker.php index 388c4bc1ca..20d6b16e32 100644 --- a/protected/humhub/modules/space/messages/pl/picker.php +++ b/protected/humhub/modules/space/messages/pl/picker.php @@ -1,21 +1,4 @@ '', -]; +return array ( + 'Add {n,plural,=1{space} other{spaces}}' => 'Dodaj {n,plural,=1{strefę} other{strefy}}', +); diff --git a/protected/humhub/modules/space/messages/pl/views_admin_edit.php b/protected/humhub/modules/space/messages/pl/views_admin_edit.php index 45b026f96e..8788d9542e 100644 --- a/protected/humhub/modules/space/messages/pl/views_admin_edit.php +++ b/protected/humhub/modules/space/messages/pl/views_admin_edit.php @@ -1,26 +1,9 @@ '', - 'Archive' => 'Archiwizuj', - 'Choose the kind of membership you want to provide for this workspace.' => 'Wybierz rodzaj członkostwa który chcesz zapewnić tej grupie roboczej.', - 'Choose the security level for this workspace to define the visibleness.' => 'Wybierz poziom bezpieczeństwa dla tej grupy roboczej aby zdefiniować widoczność. ', - 'Save' => 'Zapisz', - 'Unarchive' => 'Przywróć z archiwum', -]; +return array ( + 'Archive' => 'Archiwizuj', + 'Choose if new content should be public or private by default' => 'Wybierz czy nowe treści mają być domyślnie publiczne czy prywatne', + 'Choose the kind of membership you want to provide for this workspace.' => 'Wybierz rodzaj członkostwa który chcesz zapewnić tej grupie roboczej.', + 'Choose the security level for this workspace to define the visibleness.' => 'Wybierz poziom bezpieczeństwa dla tej grupy roboczej aby zdefiniować widoczność. ', + 'Save' => 'Zapisz', + 'Unarchive' => 'Przywróć z archiwum', +); diff --git a/protected/humhub/modules/space/messages/pl/views_admin_members.php b/protected/humhub/modules/space/messages/pl/views_admin_members.php index 38650ac3dd..8a26946506 100644 --- a/protected/humhub/modules/space/messages/pl/views_admin_members.php +++ b/protected/humhub/modules/space/messages/pl/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Manage members' => '', - 'Manage permissions' => '', - 'Pending approvals' => '', - 'Pending invitations' => '', - 'never' => '', + 'Current Group:' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', + 'Manage members' => 'Zarządzaj członkami', + 'Manage permissions' => 'Zarządzaj pozwoleniami', + 'Pending approvals' => 'Akceptacje w toku', + 'Pending invitations' => 'Zaproszenia w toku', + 'never' => 'nigdy', ]; diff --git a/protected/humhub/modules/space/messages/pl/views_create_create.php b/protected/humhub/modules/space/messages/pl/views_create_create.php index 51c4711c76..dd48211872 100644 --- a/protected/humhub/modules/space/messages/pl/views_create_create.php +++ b/protected/humhub/modules/space/messages/pl/views_create_create.php @@ -1,26 +1,9 @@ '', - 'Next' => '', - 'Create new space' => 'Utwórz nową strefę', - 'Advanced access settings' => 'Zaawansowanie ustawienia dostępu', - 'space description' => 'opis strefy', - 'space name' => 'nazwa strefy', -]; +return array ( + 'Create new space' => 'Utwórz nową strefę', + 'Advanced access settings' => 'Zaawansowanie ustawienia dostępu', + 'Color' => 'Kolor', + 'Next' => 'Dalej', + 'space description' => 'opis strefy', + 'space name' => 'nazwa strefy', +); diff --git a/protected/humhub/modules/space/messages/pl/views_create_modules.php b/protected/humhub/modules/space/messages/pl/views_create_modules.php index 31c6d8e6f2..040df79eea 100644 --- a/protected/humhub/modules/space/messages/pl/views_create_modules.php +++ b/protected/humhub/modules/space/messages/pl/views_create_modules.php @@ -1,22 +1,5 @@ Modules' => '', - 'Next' => '', -]; +return array ( + 'Add Modules' => 'Dodaj Moduły', + 'Next' => 'Dalej', +); diff --git a/protected/humhub/modules/space/messages/pl/views_space_index.php b/protected/humhub/modules/space/messages/pl/views_space_index.php index d335ed8550..17ea541dd7 100644 --- a/protected/humhub/modules/space/messages/pl/views_space_index.php +++ b/protected/humhub/modules/space/messages/pl/views_space_index.php @@ -1,22 +1,5 @@ You are not member of this space and there is no public content, yet!' => '', - 'This space is still empty!
Start by posting something here...' => 'Ta strefa jest wciąż pusta!
Zacznij pisząc tutaj coś...', -]; +return array ( + 'This space is still empty!
Start by posting something here...' => 'Ta strefa jest wciąż pusta!
Zacznij pisząc tutaj coś...', + 'You are not member of this space and there is no public content, yet!' => 'Nie jesteś członkiem tej strefy i nie ma tutaj jeszcze żadnych publicznych treści!', +); diff --git a/protected/humhub/modules/space/messages/pl/views_space_invite.php b/protected/humhub/modules/space/messages/pl/views_space_invite.php index 0928a740c6..100390eba2 100644 --- a/protected/humhub/modules/space/messages/pl/views_space_invite.php +++ b/protected/humhub/modules/space/messages/pl/views_space_invite.php @@ -1,32 +1,15 @@ '', - 'New user?' => '', - 'Invite members' => 'Zaproś członków', - 'Add an user' => 'Dodaj użytkownika', - 'Close' => 'Zamknij', - 'Email addresses' => 'Adres e-mail', - 'Invite by email' => 'Zaproś przez e-mail', - 'Login' => 'Login', - 'Pick users' => 'Wybierz użytkowników', - 'Send' => 'Wyślij', - 'To invite users to this space, please type their names below to find and pick them.' => 'Aby zaprosić użytkowników do tej strefy, proszę podaj ich imiona poniżej aby ich znaleźć i wybrać.', - 'You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.' => 'Możesz także zapraszać zewnętrznych użytkowników, którzy nie są obecnie zarejestrowani. Po prostu dodaj ich adresy e-mail oddzielone przecinkiem. ', -]; +return array ( + 'Invite members' => 'Zaproś członków', + 'Add an user' => 'Dodaj użytkownika', + 'Close' => 'Zamknij', + 'Done' => 'Zrobione', + 'Email addresses' => 'Adres e-mail', + 'Invite by email' => 'Zaproś przez e-mail', + 'Login' => 'Login', + 'New user?' => 'Nowy użytkownik?', + 'Pick users' => 'Wybierz użytkowników', + 'Send' => 'Wyślij', + 'To invite users to this space, please type their names below to find and pick them.' => 'Aby zaprosić użytkowników do tej strefy, proszę podaj ich imiona poniżej aby ich znaleźć i wybrać.', + 'You can also invite external users, which are not registered now. Just add their e-mail addresses separated by comma.' => 'Możesz także zapraszać zewnętrznych użytkowników, którzy nie są obecnie zarejestrowani. Po prostu dodaj ich adresy e-mail oddzielone przecinkiem. ', +); diff --git a/protected/humhub/modules/space/messages/pl/views_space_statusInvite.php b/protected/humhub/modules/space/messages/pl/views_space_statusInvite.php index 8808abda78..ce37e92f85 100644 --- a/protected/humhub/modules/space/messages/pl/views_space_statusInvite.php +++ b/protected/humhub/modules/space/messages/pl/views_space_statusInvite.php @@ -1,7 +1,7 @@ 'Ok', - 'User has become a member.' => '', - 'User has been invited.' => '', - 'User has not been invited.' => '', + 'User has become a member.' => 'Użytkownik został członkiem', + 'User has been invited.' => 'Użytkownik został zaproszony', + 'User has not been invited.' => 'Użytkownik nie został zaproszony', ); diff --git a/protected/humhub/modules/space/messages/pl/widgets_SpaceAdminMenuWidget.php b/protected/humhub/modules/space/messages/pl/widgets_SpaceAdminMenuWidget.php index c467a9b9d2..3ae60c7750 100644 --- a/protected/humhub/modules/space/messages/pl/widgets_SpaceAdminMenuWidget.php +++ b/protected/humhub/modules/space/messages/pl/widgets_SpaceAdminMenuWidget.php @@ -1,29 +1,12 @@ ' => '', - 'Cancel Membership' => '', - 'Hide posts on dashboard' => '', - 'Show posts on dashboard' => '', - 'This option will hide new content from this space at your dashboard' => '', - 'This option will show new content from this space at your dashboard' => '', - 'General' => 'Ogólne', - 'Members' => 'Członkowie', - 'Modules' => 'Moduły ', -]; +return array ( + '' => '', + 'Cancel Membership' => 'Anuluj Członkowstwo', + 'General' => 'Ogólne', + 'Hide posts on dashboard' => 'Ukryj wpisy na kokpicie', + 'Members' => 'Członkowie', + 'Modules' => 'Moduły ', + 'Show posts on dashboard' => 'Pokaż wpisy na kokpicie', + 'This option will hide new content from this space at your dashboard' => 'Ta opcja ukryje nowe treści dla tej strefy na Twoim kokpicie', + 'This option will show new content from this space at your dashboard' => 'Ta opcja pokaże nowe treści dla tej strefy na Twoim kokpicie', +); diff --git a/protected/humhub/modules/space/messages/pl/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/pl/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/pl/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/pl/widgets_views_deleteBanner.php b/protected/humhub/modules/space/messages/pl/widgets_views_deleteBanner.php index ecacb2a0bd..f7a48bb97e 100644 --- a/protected/humhub/modules/space/messages/pl/widgets_views_deleteBanner.php +++ b/protected/humhub/modules/space/messages/pl/widgets_views_deleteBanner.php @@ -1,7 +1,7 @@ Confirm image deleting' => '', + 'Confirm image deleting' => 'Potwierdź usunięcie obrazka', 'Cancel' => 'Anuluj', 'Delete' => 'Usuń', - 'Do you really want to delete your title image?' => '', + 'Do you really want to delete your title image?' => 'Na pewno chcesz usunąć obrazek tytułowy?', ); diff --git a/protected/humhub/modules/space/messages/pl/widgets_views_deleteImage.php b/protected/humhub/modules/space/messages/pl/widgets_views_deleteImage.php index 8995322798..5ebefcbace 100644 --- a/protected/humhub/modules/space/messages/pl/widgets_views_deleteImage.php +++ b/protected/humhub/modules/space/messages/pl/widgets_views_deleteImage.php @@ -1,7 +1,7 @@ Confirm image deleting' => '', + 'Confirm image deleting' => 'Potwierdź usunięcie obrazka', 'Cancel' => 'Anuluj', 'Delete' => 'Usuń', - 'Do you really want to delete your profile image?' => '', + 'Do you really want to delete your profile image?' => 'Na pewno chcesz usunąć obrazek profilowy?', ); diff --git a/protected/humhub/modules/space/messages/pl/widgets_views_profileHeader.php b/protected/humhub/modules/space/messages/pl/widgets_views_profileHeader.php index a9fab00d64..d30808a6dc 100644 --- a/protected/humhub/modules/space/messages/pl/widgets_views_profileHeader.php +++ b/protected/humhub/modules/space/messages/pl/widgets_views_profileHeader.php @@ -1,26 +1,9 @@ '', - 'Posts' => '', - 'Something went wrong' => 'Coś poszło źle', - 'Followers' => 'Obserwujący', - 'Members' => 'Członkowie', - 'Ok' => 'Ok', -]; +return array ( + 'Something went wrong' => 'Coś poszło źle', + 'Close' => 'Zamknij', + 'Followers' => 'Obserwujący', + 'Members' => 'Członkowie', + 'Ok' => 'Ok', + 'Posts' => 'Wpisy', +); diff --git a/protected/humhub/modules/space/messages/pl/widgets_views_spaceInfo.php b/protected/humhub/modules/space/messages/pl/widgets_views_spaceInfo.php index 22aa622a04..54de4e56b7 100644 --- a/protected/humhub/modules/space/messages/pl/widgets_views_spaceInfo.php +++ b/protected/humhub/modules/space/messages/pl/widgets_views_spaceInfo.php @@ -1,24 +1,7 @@ '', 'Something went wrong' => 'Coś poszło źle', 'Space info' => 'Informacja o strefie', 'Ok' => 'Ok', + 'more' => 'więcej', ); diff --git a/protected/humhub/modules/space/messages/pl/widgets_views_spaceMembers.php b/protected/humhub/modules/space/messages/pl/widgets_views_spaceMembers.php index 3b8b630eeb..ff94d39a33 100644 --- a/protected/humhub/modules/space/messages/pl/widgets_views_spaceMembers.php +++ b/protected/humhub/modules/space/messages/pl/widgets_views_spaceMembers.php @@ -1,23 +1,6 @@ '', - 'New member request' => 'Nowe podanie o członkostwo', - 'Space members' => 'Członkowie strefy', -]; +return array ( + 'New member request' => 'Nowe podanie o członkostwo', + 'Space members' => 'Członkowie strefy', + 'Show all' => 'Pokaż wszystko', +); diff --git a/protected/humhub/modules/space/messages/pt/base.php b/protected/humhub/modules/space/messages/pt/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/pt/base.php +++ b/protected/humhub/modules/space/messages/pt/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/pt/models_Membership.php b/protected/humhub/modules/space/messages/pt/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/pt/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/pt/models_Setting.php b/protected/humhub/modules/space/messages/pt/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/pt/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/pt/permissions.php b/protected/humhub/modules/space/messages/pt/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/pt/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/pt/views_admin_members.php b/protected/humhub/modules/space/messages/pt/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/pt/views_admin_members.php +++ b/protected/humhub/modules/space/messages/pt/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/pt/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/pt/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/pt/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/pt_br/base.php b/protected/humhub/modules/space/messages/pt_br/base.php index 5eba158170..f1c62f1bd2 100644 --- a/protected/humhub/modules/space/messages/pt_br/base.php +++ b/protected/humhub/modules/space/messages/pt_br/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'Não foi possível excluir o usuário que é dono de um espaço! Nome do espaço: {spacename}', diff --git a/protected/humhub/modules/space/messages/pt_br/models_Membership.php b/protected/humhub/modules/space/messages/pt_br/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/pt_br/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/pt_br/models_Setting.php b/protected/humhub/modules/space/messages/pt_br/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/pt_br/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/pt_br/permissions.php b/protected/humhub/modules/space/messages/pt_br/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/pt_br/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/pt_br/views_admin_members.php b/protected/humhub/modules/space/messages/pt_br/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/pt_br/views_admin_members.php +++ b/protected/humhub/modules/space/messages/pt_br/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/pt_br/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/pt_br/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/pt_br/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/ro/base.php b/protected/humhub/modules/space/messages/ro/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/ro/base.php +++ b/protected/humhub/modules/space/messages/ro/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/ro/models_Membership.php b/protected/humhub/modules/space/messages/ro/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/ro/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/ro/models_Setting.php b/protected/humhub/modules/space/messages/ro/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/ro/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/ro/permissions.php b/protected/humhub/modules/space/messages/ro/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/ro/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/ro/views_admin_members.php b/protected/humhub/modules/space/messages/ro/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/ro/views_admin_members.php +++ b/protected/humhub/modules/space/messages/ro/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/ro/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/ro/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/ro/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/ru/base.php b/protected/humhub/modules/space/messages/ru/base.php index 11d55bcac9..6f98c9936d 100644 --- a/protected/humhub/modules/space/messages/ru/base.php +++ b/protected/humhub/modules/space/messages/ru/base.php @@ -1,16 +1,35 @@ 'Нельзя удалить владельца пространства. Пространство: {spaceName}', - 'Default' => 'По умолчанию', - 'Everyone can enter' => 'Каждый может вступить', - 'Invite and request' => 'Приглашение или запрос', - 'Only by invite' => 'Только по приглашению', - 'Private' => 'Приватно', - 'Private (Invisible)' => 'Приватное (Скрыто)', - 'Public' => 'Публичное', - 'Public (Members & Guests)' => 'Открыто (Участники & Гости)', - 'Public (Members only)' => 'Открыто (только участники)', - 'Public (Registered users only)' => 'Открыто (только для зарегистрированных)', - 'Public (Visible)' => 'Открыто (Отображается)', - 'Visible for all (members and guests)' => 'Отображается для всех (участники и гости)', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Space followers' => '', + 'No spaces found.' => '', + 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'Нельзя удалить владельца пространства. Пространство: {spaceName}', + 'Default' => 'По умолчанию', + 'Everyone can enter' => 'Каждый может вступить', + 'Invite and request' => 'Приглашение или запрос', + 'Only by invite' => 'Только по приглашению', + 'Private' => 'Приватно', + 'Private (Invisible)' => 'Приватное (Скрыто)', + 'Public' => 'Публичное', + 'Public (Members & Guests)' => 'Открыто (Участники & Гости)', + 'Public (Members only)' => 'Открыто (Только участники)', + 'Public (Registered users only)' => 'Открыто (Только для зарегистрированных)', + 'Public (Visible)' => 'Открыто (Отображается)', + 'Visible for all (members and guests)' => 'Отображается для всех (Участники и гости)', +]; diff --git a/protected/humhub/modules/space/messages/ru/behaviors_SpaceControllerBehavior.php b/protected/humhub/modules/space/messages/ru/behaviors_SpaceControllerBehavior.php index 1c62271bc3..c52e7a8a27 100644 --- a/protected/humhub/modules/space/messages/ru/behaviors_SpaceControllerBehavior.php +++ b/protected/humhub/modules/space/messages/ru/behaviors_SpaceControllerBehavior.php @@ -1,6 +1,6 @@ 'Пространство скрыто!', - 'Space not found!' => 'Пространство не найдено!', - 'You need to login to view contents of this space!' => 'Вы должны зарегистрироваться, чтобы посмотреть содержимое этого пространства!', + 'Space is invisible!' => 'Группа скрыта!', + 'Space not found!' => 'Группа не найдена!', + 'You need to login to view contents of this space!' => 'Вы должны зарегистрироваться, чтобы посмотреть содержимое этой группы!', ); diff --git a/protected/humhub/modules/space/messages/ru/components_SpaceUrlRule.php b/protected/humhub/modules/space/messages/ru/components_SpaceUrlRule.php index fb1bee6042..40ed3ca441 100644 --- a/protected/humhub/modules/space/messages/ru/components_SpaceUrlRule.php +++ b/protected/humhub/modules/space/messages/ru/components_SpaceUrlRule.php @@ -1,21 +1,4 @@ 'Пространство не найдено!', + 'Space not found!' => 'Группа не найдена!', ); diff --git a/protected/humhub/modules/space/messages/ru/controllers_SpaceController.php b/protected/humhub/modules/space/messages/ru/controllers_SpaceController.php index 73dfca7627..e32c6b0967 100644 --- a/protected/humhub/modules/space/messages/ru/controllers_SpaceController.php +++ b/protected/humhub/modules/space/messages/ru/controllers_SpaceController.php @@ -1,25 +1,8 @@ 'Как владелец вы не можете отменить своё членство!', 'Could not request membership!' => 'Не удалось запросить членство!', 'There is no pending invite!' => 'Нет ожидающих приглашений!', - 'This action is only available for workspace members!' => 'Это действие только доступно для пользователей рабочего пространства!', + 'This action is only available for workspace members!' => 'Это действие доступно только для пользователей рабочего пространства!', 'You are not allowed to join this space!' => 'Вы не можете присоединиться к этому пространству!', ); diff --git a/protected/humhub/modules/space/messages/ru/manage.php b/protected/humhub/modules/space/messages/ru/manage.php index e6b539d118..fe78d54ef0 100644 --- a/protected/humhub/modules/space/messages/ru/manage.php +++ b/protected/humhub/modules/space/messages/ru/manage.php @@ -3,7 +3,7 @@ return array ( 'Change Owner' => 'Сменить Владельца', 'General settings' => 'Основные настройки', 'Security settings' => 'Настройки безопасности', - 'As owner of this space you can transfer this role to another administrator in space.' => 'Вы как владелец этого пространства можно перенести эту роль другому администратору в пространстве.', + 'As owner of this space you can transfer this role to another administrator in space.' => 'Вы как владелец этого пространства можете передать эту роль другому администратору в пространстве.', 'Color' => 'Цвет', 'Space owner' => 'Владелец пространства', 'Transfer ownership' => 'Передать владение', diff --git a/protected/humhub/modules/space/messages/ru/models_Membership.php b/protected/humhub/modules/space/messages/ru/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/ru/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/ru/models_Setting.php b/protected/humhub/modules/space/messages/ru/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/ru/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/ru/permissions.php b/protected/humhub/modules/space/messages/ru/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/ru/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/ru/views_admin_members.php b/protected/humhub/modules/space/messages/ru/views_admin_members.php index 6847bcf32a..c561faf30c 100644 --- a/protected/humhub/modules/space/messages/ru/views_admin_members.php +++ b/protected/humhub/modules/space/messages/ru/views_admin_members.php @@ -1,8 +1,29 @@ Manage members' => 'Управление пользователями', - 'Manage permissions' => 'Управление правами', - 'Pending approvals' => 'В ожидании одобрения', - 'Pending invitations' => 'В ожидании приглашения', - 'never' => 'никогда', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Current Group:' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', + 'Manage members' => 'Управление пользователями', + 'Manage permissions' => 'Управление правами', + 'Pending approvals' => 'В ожидании одобрения', + 'Pending invitations' => 'В ожидании приглашения', + 'never' => 'никогда', +]; diff --git a/protected/humhub/modules/space/messages/ru/views_space_index.php b/protected/humhub/modules/space/messages/ru/views_space_index.php index 49a93cce70..7c48098c30 100644 --- a/protected/humhub/modules/space/messages/ru/views_space_index.php +++ b/protected/humhub/modules/space/messages/ru/views_space_index.php @@ -1,5 +1,5 @@ This space is still empty!
Start by posting something here...' => 'Это пространство ещё пусто!
Начните размещая что-нибудь здесь...', + 'This space is still empty!
Start by posting something here...' => 'Это пространство ещё пусто!
Начните разместив что-нибудь здесь...', 'You are not member of this space and there is no public content, yet!' => 'Вы не член данного пространства, общедоступных материалов пока нет!', ); diff --git a/protected/humhub/modules/space/messages/ru/widgets_SpaceAdminMenuWidget.php b/protected/humhub/modules/space/messages/ru/widgets_SpaceAdminMenuWidget.php index 3fe3c680a3..59bd6d19c3 100644 --- a/protected/humhub/modules/space/messages/ru/widgets_SpaceAdminMenuWidget.php +++ b/protected/humhub/modules/space/messages/ru/widgets_SpaceAdminMenuWidget.php @@ -2,7 +2,7 @@ return array ( '' => '', 'Cancel Membership' => 'Отменить членство', - 'General' => 'Основной', + 'General' => 'Основные', 'Hide posts on dashboard' => 'Скрыть сообщения в панели События', 'Members' => 'Члены', 'Modules' => 'Модули', diff --git a/protected/humhub/modules/space/messages/ru/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/ru/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/ru/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/ru/widgets_views_deleteBanner.php b/protected/humhub/modules/space/messages/ru/widgets_views_deleteBanner.php index 8c52e44165..55368c495a 100644 --- a/protected/humhub/modules/space/messages/ru/widgets_views_deleteBanner.php +++ b/protected/humhub/modules/space/messages/ru/widgets_views_deleteBanner.php @@ -3,5 +3,5 @@ return array ( 'Confirm image deleting' => 'Подтвердите удаление изображения', 'Cancel' => 'Отменить', 'Delete' => 'Удалить', - 'Do you really want to delete your title image?' => 'Вы действительно хотите удалить заголовок изображения?', + 'Do you really want to delete your title image?' => 'Вы действительно хотите удалить изображения?', ); diff --git a/protected/humhub/modules/space/messages/ru/widgets_views_requestMembership.php b/protected/humhub/modules/space/messages/ru/widgets_views_requestMembership.php index 8ee473e9b6..46f0b7bf70 100644 --- a/protected/humhub/modules/space/messages/ru/widgets_views_requestMembership.php +++ b/protected/humhub/modules/space/messages/ru/widgets_views_requestMembership.php @@ -1,7 +1,7 @@ 'Отменить', - 'Please shortly introduce yourself, to become a approved member of this workspace.' => 'Коротко опишите почему вы хотите вступить в это пространство', + 'Please shortly introduce yourself, to become a approved member of this workspace.' => 'Коротко напишите почему вы хотите вступить в это пространство', 'Request workspace membership' => 'Отправить запрос на вступление', 'Send' => 'Отправить', ); diff --git a/protected/humhub/modules/space/messages/ru/widgets_views_spaceChooser.php b/protected/humhub/modules/space/messages/ru/widgets_views_spaceChooser.php index be755254f9..f411181b1b 100644 --- a/protected/humhub/modules/space/messages/ru/widgets_views_spaceChooser.php +++ b/protected/humhub/modules/space/messages/ru/widgets_views_spaceChooser.php @@ -1,6 +1,6 @@ 'Создать новое пространство', + 'My spaces' => 'Мои пространства', 'Search' => 'Поиск', - 'Create new space' => 'Создать Новое Пространство', - 'My spaces' => 'Мои Пространства', ); diff --git a/protected/humhub/modules/space/messages/sk/base.php b/protected/humhub/modules/space/messages/sk/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/sk/base.php +++ b/protected/humhub/modules/space/messages/sk/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/sk/models_Membership.php b/protected/humhub/modules/space/messages/sk/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/sk/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/sk/models_Setting.php b/protected/humhub/modules/space/messages/sk/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/sk/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/sk/permissions.php b/protected/humhub/modules/space/messages/sk/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/sk/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/sk/views_admin_members.php b/protected/humhub/modules/space/messages/sk/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/sk/views_admin_members.php +++ b/protected/humhub/modules/space/messages/sk/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/sk/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/sk/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/sk/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/sv/base.php b/protected/humhub/modules/space/messages/sv/base.php index 73fed6ecb4..9cd256e5c4 100644 --- a/protected/humhub/modules/space/messages/sv/base.php +++ b/protected/humhub/modules/space/messages/sv/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Public (Members & Guests)' => '', diff --git a/protected/humhub/modules/space/messages/sv/models_Membership.php b/protected/humhub/modules/space/messages/sv/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/sv/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/sv/models_Setting.php b/protected/humhub/modules/space/messages/sv/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/sv/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/sv/permissions.php b/protected/humhub/modules/space/messages/sv/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/sv/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/sv/views_admin_members.php b/protected/humhub/modules/space/messages/sv/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/sv/views_admin_members.php +++ b/protected/humhub/modules/space/messages/sv/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/sv/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/sv/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/sv/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/th/base.php b/protected/humhub/modules/space/messages/th/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/th/base.php +++ b/protected/humhub/modules/space/messages/th/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/th/models_Membership.php b/protected/humhub/modules/space/messages/th/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/th/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/th/models_Setting.php b/protected/humhub/modules/space/messages/th/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/th/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/th/permissions.php b/protected/humhub/modules/space/messages/th/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/th/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/th/views_admin_members.php b/protected/humhub/modules/space/messages/th/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/th/views_admin_members.php +++ b/protected/humhub/modules/space/messages/th/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/th/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/th/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/th/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/tr/base.php b/protected/humhub/modules/space/messages/tr/base.php index 9cfda31624..6264221585 100644 --- a/protected/humhub/modules/space/messages/tr/base.php +++ b/protected/humhub/modules/space/messages/tr/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,9 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => 'Mekan sahibi bir kullanıcı silinemedi! Mekanın adı: {spaceName}', diff --git a/protected/humhub/modules/space/messages/tr/models_Membership.php b/protected/humhub/modules/space/messages/tr/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/tr/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/tr/models_Setting.php b/protected/humhub/modules/space/messages/tr/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/tr/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/tr/permissions.php b/protected/humhub/modules/space/messages/tr/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/tr/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/tr/views_admin_members.php b/protected/humhub/modules/space/messages/tr/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/tr/views_admin_members.php +++ b/protected/humhub/modules/space/messages/tr/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/tr/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/tr/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/tr/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/uk/base.php b/protected/humhub/modules/space/messages/uk/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/uk/base.php +++ b/protected/humhub/modules/space/messages/uk/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/uk/models_Membership.php b/protected/humhub/modules/space/messages/uk/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/uk/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/uk/models_Setting.php b/protected/humhub/modules/space/messages/uk/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/uk/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/uk/permissions.php b/protected/humhub/modules/space/messages/uk/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/uk/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/uk/views_admin_members.php b/protected/humhub/modules/space/messages/uk/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/uk/views_admin_members.php +++ b/protected/humhub/modules/space/messages/uk/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/uk/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/uk/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/uk/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/uz/base.php b/protected/humhub/modules/space/messages/uz/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/uz/base.php +++ b/protected/humhub/modules/space/messages/uz/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/uz/models_Membership.php b/protected/humhub/modules/space/messages/uz/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/uz/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/uz/models_Setting.php b/protected/humhub/modules/space/messages/uz/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/uz/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/uz/permissions.php b/protected/humhub/modules/space/messages/uz/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/uz/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/uz/views_admin_members.php b/protected/humhub/modules/space/messages/uz/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/uz/views_admin_members.php +++ b/protected/humhub/modules/space/messages/uz/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/uz/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/uz/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/uz/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/vi/base.php b/protected/humhub/modules/space/messages/vi/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/vi/base.php +++ b/protected/humhub/modules/space/messages/vi/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/vi/models_Membership.php b/protected/humhub/modules/space/messages/vi/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/vi/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/vi/models_Setting.php b/protected/humhub/modules/space/messages/vi/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/vi/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/vi/permissions.php b/protected/humhub/modules/space/messages/vi/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/vi/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/vi/views_admin_members.php b/protected/humhub/modules/space/messages/vi/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/vi/views_admin_members.php +++ b/protected/humhub/modules/space/messages/vi/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/vi/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/vi/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/vi/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/zh_cn/base.php b/protected/humhub/modules/space/messages/zh_cn/base.php index bfaaf9d26d..757b5f9595 100755 --- a/protected/humhub/modules/space/messages/zh_cn/base.php +++ b/protected/humhub/modules/space/messages/zh_cn/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,8 +17,10 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Default' => '', 'Everyone can enter' => '', + 'No spaces found.' => '', 'Private' => '', 'Public' => '', 'Public (Members & Guests)' => '', diff --git a/protected/humhub/modules/space/messages/zh_cn/models_Membership.php b/protected/humhub/modules/space/messages/zh_cn/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/zh_cn/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/zh_cn/models_Setting.php b/protected/humhub/modules/space/messages/zh_cn/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/zh_cn/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/zh_cn/permissions.php b/protected/humhub/modules/space/messages/zh_cn/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/zh_cn/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/zh_cn/views_admin_members.php b/protected/humhub/modules/space/messages/zh_cn/views_admin_members.php index 38650ac3dd..72e6958e61 100755 --- a/protected/humhub/modules/space/messages/zh_cn/views_admin_members.php +++ b/protected/humhub/modules/space/messages/zh_cn/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/zh_cn/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/zh_cn/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/zh_cn/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/messages/zh_tw/base.php b/protected/humhub/modules/space/messages/zh_tw/base.php index 4785c5da15..23d47ed9ee 100644 --- a/protected/humhub/modules/space/messages/zh_tw/base.php +++ b/protected/humhub/modules/space/messages/zh_tw/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,10 +17,12 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Space followers' => '', 'Could not delete user who is a space owner! Name of Space: {spaceName}' => '', 'Default' => '', 'Everyone can enter' => '', 'Invite and request' => '', + 'No spaces found.' => '', 'Only by invite' => '', 'Private' => '', 'Private (Invisible)' => '', diff --git a/protected/humhub/modules/space/messages/zh_tw/models_Membership.php b/protected/humhub/modules/space/messages/zh_tw/models_Membership.php new file mode 100644 index 0000000000..aeebea0f0c --- /dev/null +++ b/protected/humhub/modules/space/messages/zh_tw/models_Membership.php @@ -0,0 +1,28 @@ + '', + 'Created By' => '', + 'Last Visit' => '', + 'Originator User ID' => '', + 'Request Message' => '', + 'Status' => '', + 'Updated At' => '', + 'Updated By' => '', +]; diff --git a/protected/humhub/modules/space/messages/zh_tw/models_Setting.php b/protected/humhub/modules/space/messages/zh_tw/models_Setting.php new file mode 100644 index 0000000000..86b150ea69 --- /dev/null +++ b/protected/humhub/modules/space/messages/zh_tw/models_Setting.php @@ -0,0 +1,26 @@ + '', + 'Created By' => '', + 'Name' => '', + 'Updated At' => '', + 'Updated by' => '', + 'Value' => '', +]; diff --git a/protected/humhub/modules/space/messages/zh_tw/permissions.php b/protected/humhub/modules/space/messages/zh_tw/permissions.php new file mode 100644 index 0000000000..e03f34d87d --- /dev/null +++ b/protected/humhub/modules/space/messages/zh_tw/permissions.php @@ -0,0 +1,28 @@ + '', + 'Allows the user to invite new members to the space' => '', + 'Can create hidden (private) spaces.' => '', + 'Can create public visible spaces. (Listed in directory)' => '', + 'Create private space' => '', + 'Create public content' => '', + 'Create public space' => '', + 'Invite users' => '', +]; diff --git a/protected/humhub/modules/space/messages/zh_tw/views_admin_members.php b/protected/humhub/modules/space/messages/zh_tw/views_admin_members.php index 38650ac3dd..72e6958e61 100644 --- a/protected/humhub/modules/space/messages/zh_tw/views_admin_members.php +++ b/protected/humhub/modules/space/messages/zh_tw/views_admin_members.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,9 +17,13 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ + 'Current Group:' => '', 'Manage members' => '', 'Manage permissions' => '', 'Pending approvals' => '', 'Pending invitations' => '', + 'Actions' => '', + 'Group' => '', + 'Remove' => '', 'never' => '', ]; diff --git a/protected/humhub/modules/space/messages/zh_tw/widgets_SpaceMembersMenu.php b/protected/humhub/modules/space/messages/zh_tw/widgets_SpaceMembersMenu.php new file mode 100644 index 0000000000..f2abc696eb --- /dev/null +++ b/protected/humhub/modules/space/messages/zh_tw/widgets_SpaceMembersMenu.php @@ -0,0 +1,25 @@ + '', + 'Owner' => '', + 'Pending Approvals' => '', + 'Pending Invites' => '', + 'Permissions' => '', +]; diff --git a/protected/humhub/modules/space/models/Membership.php b/protected/humhub/modules/space/models/Membership.php index 42216eb710..ba70ee1e03 100644 --- a/protected/humhub/modules/space/models/Membership.php +++ b/protected/humhub/modules/space/models/Membership.php @@ -60,14 +60,14 @@ class Membership extends \yii\db\ActiveRecord return [ 'space_id' => 'Space ID', 'user_id' => 'User ID', - 'originator_user_id' => 'Originator User ID', - 'status' => 'Status', - 'request_message' => 'Request Message', - 'last_visit' => 'Last Visit', - 'created_at' => 'Created At', - 'created_by' => 'Created By', - 'updated_at' => 'Updated At', - 'updated_by' => 'Updated By', + 'originator_user_id' => Yii::t('SpaceModule.models_Membership', 'Originator User ID'), + 'status' => Yii::t('SpaceModule.models_Membership', 'Status'), + 'request_message' => Yii::t('SpaceModule.models_Membership', 'Request Message'), + 'last_visit' => Yii::t('SpaceModule.models_Membership', 'Last Visit'), + 'created_at' => Yii::t('SpaceModule.models_Membership', 'Created At'), + 'created_by' => Yii::t('SpaceModule.models_Membership', 'Created By'), + 'updated_at' => Yii::t('SpaceModule.models_Membership', 'Updated At'), + 'updated_by' => Yii::t('SpaceModule.models_Membership', 'Updated By'), 'can_leave' => 'Can Leave', ]; } @@ -154,6 +154,26 @@ class Membership extends \yii\db\ActiveRecord return $spaces; } + /** + * Returns Space for user space membership + * + * @since 1.0 + * @param \humhub\modules\user\models\User $user + * @param boolean $memberOnly include only member status - no pending/invite states + * @return \yii\db\ActiveQuery for space model + */ + public static function getUserSpaceQuery($user, $memberOnly = true) + { + $query = Space::find(); + $query->leftJoin('space_membership', 'space_membership.space_id=space.id and space_membership.user_id=:userId', [':userId' => $user->id]); + if ($memberOnly) { + $query->andWhere(['space_membership.status' => self::STATUS_MEMBER]); + } + + $query->orderBy(['name' => SORT_ASC]); + + return $query; + } } diff --git a/protected/humhub/modules/space/models/Setting.php b/protected/humhub/modules/space/models/Setting.php index fdb657266f..83ad3fbda9 100644 --- a/protected/humhub/modules/space/models/Setting.php +++ b/protected/humhub/modules/space/models/Setting.php @@ -51,12 +51,12 @@ class Setting extends \yii\db\ActiveRecord 'id' => 'ID', 'space_id' => 'Space ID', 'module_id' => 'Module ID', - 'name' => 'Name', - 'value' => 'Value', - 'created_at' => 'Created At', - 'created_by' => 'Created By', - 'updated_at' => 'Updated At', - 'updated_by' => 'Updated By', + 'name' => Yii::t('SpaceModule.models_Setting', 'Name'), + 'value' => Yii::t('SpaceModule.models_Setting', 'Value'), + 'created_at' => Yii::t('SpaceModule.models_Setting', 'Created At'), + 'created_by' => Yii::t('SpaceModule.models_Setting', 'Created By'), + 'updated_at' => Yii::t('SpaceModule.models_Setting', 'Updated At'), + 'updated_by' => Yii::t('SpaceModule.models_Setting', 'Updated by'), ]; } diff --git a/protected/humhub/modules/space/models/Space.php b/protected/humhub/modules/space/models/Space.php index 64f70218f4..54b459326f 100644 --- a/protected/humhub/modules/space/models/Space.php +++ b/protected/humhub/modules/space/models/Space.php @@ -12,7 +12,6 @@ use Yii; use humhub\modules\space\models\Membership; use humhub\modules\space\permissions\CreatePrivateSpace; use humhub\modules\space\permissions\CreatePublicSpace; -use humhub\modules\content\models\Wall; use humhub\modules\content\models\Content; use humhub\modules\content\components\ContentContainerActiveRecord; use humhub\modules\user\models\User; @@ -73,9 +72,9 @@ class Space extends ContentContainerActiveRecord implements \humhub\modules\sear */ public function rules() { - return [ + $rules = [ [['join_policy', 'visibility', 'status', 'created_by', 'updated_by', 'auto_add_new_members', 'default_content_visibility'], 'integer'], - [['name'], 'unique', 'targetClass' => self::className()], + [['name'], 'required'], [['description', 'tags', 'color'], 'string'], [['created_at', 'updated_at'], 'safe'], @@ -84,6 +83,11 @@ class Space extends ContentContainerActiveRecord implements \humhub\modules\sear [['visibility'], 'checkVisibility'], [['guid', 'name'], 'string', 'max' => 45], ]; + + if(Yii::$app->getModule('space')->useUniqueSpaceNames) { + $rules[] = [['name'], 'unique', 'targetClass' => self::className()]; + } + return $rules; } /** @@ -408,7 +412,7 @@ class Space extends ContentContainerActiveRecord implements \humhub\modules\sear */ public function canAccessPrivateContent(\humhub\modules\user\models\User $user = null) { - if (Yii::$app->getModule('space')->globalAdminCanAccessPrivateContent && Yii::$app->user->getIdentity()->super_admin === 1) { + if (Yii::$app->getModule('space')->globalAdminCanAccessPrivateContent && Yii::$app->user->getIdentity()->isSystemAdmin()) { return true; } @@ -521,5 +525,4 @@ class Space extends ContentContainerActiveRecord implements \humhub\modules\sear return Content::VISIBILITY_PRIVATE; } - } diff --git a/protected/humhub/modules/space/modules/manage/views/member/index.php b/protected/humhub/modules/space/modules/manage/views/member/index.php index 3fa15e9dc1..423a0a97d6 100644 --- a/protected/humhub/modules/space/modules/manage/views/member/index.php +++ b/protected/humhub/modules/space/modules/manage/views/member/index.php @@ -4,8 +4,6 @@ use humhub\widgets\GridView; use yii\helpers\Html; use humhub\modules\space\models\Space; use humhub\modules\space\modules\manage\widgets\MemberMenu; -use humhub\libs\BasePermission; - ?> $space]); ?>
@@ -14,69 +12,71 @@ use humhub\libs\BasePermission; Manage members'); ?>
- getUserGroups(); - unset($groups[Space::USERGROUP_OWNER]); - unset($groups[Space::USERGROUP_GUEST]); - unset($groups[Space::USERGROUP_USER]); +
+ getUserGroups(); + unset($groups[Space::USERGROUP_OWNER]); + unset($groups[Space::USERGROUP_GUEST]); + unset($groups[Space::USERGROUP_USER]); - echo GridView::widget([ - 'dataProvider' => $dataProvider, - 'filterModel' => $searchModel, - 'columns' => [ - 'user.username', - 'user.profile.firstname', - 'user.profile.lastname', - [ - 'label' => 'Group', - 'class' => 'humhub\libs\DropDownGridColumn', - 'attribute' => 'group_id', - 'submitAttributes' => ['user_id'], - 'readonly' => function ($data) use ($space) { - if ($space->isSpaceOwner($data->user->id)) { - return true; - } - return false; - }, - 'filter' => $groups, - 'dropDownOptions' => $groups, - 'value' => + echo GridView::widget([ + 'dataProvider' => $dataProvider, + 'filterModel' => $searchModel, + 'columns' => [ + 'user.username', + 'user.profile.firstname', + 'user.profile.lastname', + [ + 'label' => Yii::t('SpaceModule.views_admin_members', 'Group'), + 'class' => 'humhub\libs\DropDownGridColumn', + 'attribute' => 'group_id', + 'submitAttributes' => ['user_id'], + 'readonly' => function ($data) use ($space) { + if ($space->isSpaceOwner($data->user->id)) { + return true; + } + return false; + }, + 'filter' => $groups, + 'dropDownOptions' => $groups, + 'value' => function ($data) use (&$groups, $space) { - return $groups[$data->group_id]; - } - ], - [ - 'attribute' => 'last_visit', - 'format' => 'raw', - 'value' => + return $groups[$data->group_id]; + } + ], + [ + 'attribute' => 'last_visit', + 'format' => 'raw', + 'value' => function ($data) use (&$groups) { if ($data->last_visit == '') { return Yii::t('SpaceModule.views_admin_members', 'never'); } - + return humhub\widgets\TimeAgo::widget(['timestamp' => $data->last_visit]); } - ], - [ - 'header' => 'Actions', - 'class' => 'yii\grid\ActionColumn', - 'buttons' => [ - 'view' => function () { - return; - }, - 'delete' => function ($url, $model) use ($space) { - if ($space->isSpaceOwner($model->user->id) || Yii::$app->user->id == $model->user->id) { - return; - } - return Html::a('Remove', $space->createUrl('reject-applicant', ['userGuid' => $model->user->guid]), ['class' => 'btn btn-danger btn-sm', 'data-method' => 'POST', 'data-confirm' => 'Are you sure?']); - }, - 'update' => function () { - return; - }, - ], - ], - ], - ]); - ?> + ], + [ + 'header' => Yii::t('SpaceModule.views_admin_members', 'Actions'), + 'class' => 'yii\grid\ActionColumn', + 'buttons' => [ + 'view' => function () { + return; + }, + 'delete' => function ($url, $model) use ($space) { + if ($space->isSpaceOwner($model->user->id) || Yii::$app->user->id == $model->user->id) { + return; + } + return Html::a(Yii::t('SpaceModule.views_admin_members', 'Remove'), $space->createUrl('reject-applicant', ['userGuid' => $model->user->guid]), ['class' => 'btn btn-danger btn-sm', 'data-method' => 'POST', 'data-confirm' => 'Are you sure?']); + }, + 'update' => function () { + return; + }, + ], + ], + ], + ]); + ?> +
diff --git a/protected/humhub/modules/space/modules/manage/views/member/pending-approvals.php b/protected/humhub/modules/space/modules/manage/views/member/pending-approvals.php index 02c8c5bfae..8c4e7959c2 100644 --- a/protected/humhub/modules/space/modules/manage/views/member/pending-approvals.php +++ b/protected/humhub/modules/space/modules/manage/views/member/pending-approvals.php @@ -12,6 +12,7 @@ use humhub\modules\space\modules\manage\widgets\MemberMenu; Pending approvals'); ?>
+
getUserGroups(); @@ -25,7 +26,7 @@ use humhub\modules\space\modules\manage\widgets\MemberMenu; 'user.profile.lastname', 'request_message', [ - 'header' => 'Actions', + 'header' => Yii::t('SpaceModule.views_admin_members', 'Actions'), 'class' => 'yii\grid\ActionColumn', 'buttons' => [ 'view' => function() { @@ -42,5 +43,6 @@ use humhub\modules\space\modules\manage\widgets\MemberMenu; ], ]); ?> +
diff --git a/protected/humhub/modules/space/modules/manage/views/member/pending-invitations.php b/protected/humhub/modules/space/modules/manage/views/member/pending-invitations.php index 9997480c2c..6a980b91d0 100644 --- a/protected/humhub/modules/space/modules/manage/views/member/pending-invitations.php +++ b/protected/humhub/modules/space/modules/manage/views/member/pending-invitations.php @@ -12,42 +12,44 @@ use humhub\modules\space\modules\manage\widgets\MemberMenu; Pending invitations'); ?>
- getUserGroups(); +
+ getUserGroups(); - echo GridView::widget([ - 'dataProvider' => $dataProvider, - 'filterModel' => $searchModel, - 'columns' => [ - 'user.username', - 'user.profile.firstname', - 'user.profile.lastname', - [ - 'attribute' => 'last_visit', - 'format' => 'raw', - 'value' => - function($data) use(&$groups) { - return humhub\widgets\TimeAgo::widget(['timestamp' => $data->last_visit]); - } - ], - [ - 'header' => 'Actions', - 'class' => 'yii\grid\ActionColumn', - 'buttons' => [ - 'view' => function() { - return; - }, - 'delete' => function($url, $model) use($space) { - return Html::a('Cancel', $space->createUrl('remove', ['userGuid' => $model->user->guid]), ['class' => 'btn btn-danger btn-sm', 'data-confirm' => 'Are you sure?', 'data-method'=>'POST']); - }, - 'update' => function() { - return; - }, + echo GridView::widget([ + 'dataProvider' => $dataProvider, + 'filterModel' => $searchModel, + 'columns' => [ + 'user.username', + 'user.profile.firstname', + 'user.profile.lastname', + [ + 'attribute' => 'last_visit', + 'format' => 'raw', + 'value' => + function($data) use(&$groups) { + return humhub\widgets\TimeAgo::widget(['timestamp' => $data->last_visit]); + } + ], + [ + 'header' => Yii::t('SpaceModule.views_admin_members', 'Actions'), + 'class' => 'yii\grid\ActionColumn', + 'buttons' => [ + 'view' => function() { + return; + }, + 'delete' => function($url, $model) use($space) { + return Html::a('Cancel', $space->createUrl('remove', ['userGuid' => $model->user->guid]), ['class' => 'btn btn-danger btn-sm', 'data-confirm' => 'Are you sure?', 'data-method' => 'POST']); + }, + 'update' => function() { + return; + }, + ], ], ], - ], - ]); - ?> + ]); + ?> +
diff --git a/protected/humhub/modules/space/modules/manage/views/member/permissions.php b/protected/humhub/modules/space/modules/manage/views/member/permissions.php index 9d7e1d5ecf..2dc6d6caad 100644 --- a/protected/humhub/modules/space/modules/manage/views/member/permissions.php +++ b/protected/humhub/modules/space/modules/manage/views/member/permissions.php @@ -12,9 +12,8 @@ use humhub\modules\user\widgets\PermissionGridEditor; Manage permissions'); ?>
- - Current Group: Current Group:'); echo Html::beginForm($space->createUrl('permissions'), 'GET'); echo Html::dropDownList('groupId', $groupId, $groups, ['class' => 'form-control', 'onchange' => 'this.form.submit()']); echo Html::endForm(); diff --git a/protected/humhub/modules/space/modules/manage/widgets/MemberMenu.php b/protected/humhub/modules/space/modules/manage/widgets/MemberMenu.php index 23286b8433..059307d233 100644 --- a/protected/humhub/modules/space/modules/manage/widgets/MemberMenu.php +++ b/protected/humhub/modules/space/modules/manage/widgets/MemberMenu.php @@ -30,25 +30,25 @@ class MemberMenu extends \humhub\widgets\BaseMenu { $this->addItem(array( - 'label' => 'Members', + 'label' => Yii::t('SpaceModule.widgets_SpaceMembersMenu','Members'), 'url' => $this->space->createUrl('/space/manage/member/index'), 'sortOrder' => 100, 'isActive' => (Yii::$app->controller->action->id == 'index' && Yii::$app->controller->id === 'member'), )); $this->addItem(array( - 'label' => 'Pending Invites', + 'label' => Yii::t('SpaceModule.widgets_SpaceMembersMenu','Pending Invites'), 'url' => $this->space->createUrl('/space/manage/member/pending-invitations'), 'sortOrder' => 200, 'isActive' => (Yii::$app->controller->action->id == 'pending-invitations'), )); $this->addItem(array( - 'label' => 'Pending Approvals', + 'label' => Yii::t('SpaceModule.widgets_SpaceMembersMenu','Pending Approvals'), 'url' => $this->space->createUrl('/space/manage/member/pending-approvals'), 'sortOrder' => 300, 'isActive' => (Yii::$app->controller->action->id == 'pending-approvals'), )); $this->addItem(array( - 'label' => 'Permissions', + 'label' => Yii::t('SpaceModule.widgets_SpaceMembersMenu','Permissions'), 'url' => $this->space->createUrl('/space/manage/member/permissions'), 'sortOrder' => 400, 'isActive' => (Yii::$app->controller->action->id == 'permissions'), @@ -56,7 +56,7 @@ class MemberMenu extends \humhub\widgets\BaseMenu if ($this->space->isSpaceOwner()) { $this->addItem(array( - 'label' => 'Owner', + 'label' => Yii::t('SpaceModule.widgets_SpaceMembersMenu','Owner'), 'url' => $this->space->createUrl('/space/manage/member/change-owner'), 'sortOrder' => 500, 'isActive' => (Yii::$app->controller->action->id == 'change-owner'), diff --git a/protected/humhub/modules/space/permissions/CreatePrivateSpace.php b/protected/humhub/modules/space/permissions/CreatePrivateSpace.php index 17f0dc6e05..ad9870714d 100644 --- a/protected/humhub/modules/space/permissions/CreatePrivateSpace.php +++ b/protected/humhub/modules/space/permissions/CreatePrivateSpace.php @@ -22,12 +22,12 @@ class CreatePrivateSpace extends \humhub\libs\BasePermission /** * @inheritdoc */ - protected $title = "Create private space"; + protected $title = 'Create private space'; /** * @inheritdoc */ - protected $description = "Can create hidden (private) spaces."; + protected $description = 'Can create hidden (private) spaces.'; /** * @inheritdoc @@ -39,4 +39,10 @@ class CreatePrivateSpace extends \humhub\libs\BasePermission */ protected $defaultState = self::STATE_ALLOW; + public function __construct($config = array()) { + parent::__construct($config); + + $this->title = \Yii::t('SpaceModule.permissions', 'Create private space'); + $this->description = \Yii::t('SpaceModule.permissions', 'Can create hidden (private) spaces.'); + } } diff --git a/protected/humhub/modules/space/permissions/CreatePublicSpace.php b/protected/humhub/modules/space/permissions/CreatePublicSpace.php index 785276580f..95e4a072ab 100644 --- a/protected/humhub/modules/space/permissions/CreatePublicSpace.php +++ b/protected/humhub/modules/space/permissions/CreatePublicSpace.php @@ -22,12 +22,12 @@ class CreatePublicSpace extends \humhub\libs\BasePermission /** * @inheritdoc */ - protected $title = "Create public space"; + protected $title = 'Create public space'; /** * @inheritdoc */ - protected $description = "Can create public visible spaces. (Listed in directory)"; + protected $description = 'Can create public visible spaces. (Listed in directory)'; /** * @inheritdoc @@ -38,5 +38,12 @@ class CreatePublicSpace extends \humhub\libs\BasePermission * @inheritdoc */ protected $defaultState = self::STATE_ALLOW; + + public function __construct($config = array()) { + parent::__construct($config); + + $this->title = \Yii::t('SpaceModule.permissions', 'Create public space'); + $this->description = \Yii::t('SpaceModule.permissions', 'Can create public visible spaces. (Listed in directory)'); + } } diff --git a/protected/humhub/modules/space/permissions/InviteUsers.php b/protected/humhub/modules/space/permissions/InviteUsers.php index 1e35a7cca7..efe9f11f4a 100644 --- a/protected/humhub/modules/space/permissions/InviteUsers.php +++ b/protected/humhub/modules/space/permissions/InviteUsers.php @@ -36,16 +36,23 @@ class InviteUsers extends \humhub\libs\BasePermission /** * @inheritdoc */ - protected $title = "Invite users"; + protected $title = 'Invite users'; /** * @inheritdoc */ - protected $description = "Allows the user to invite new members to the space"; + protected $description = 'Allows the user to invite new members to the space'; /** * @inheritdoc */ protected $moduleId = 'space'; + + public function __construct($config = array()) { + parent::__construct($config); + + $this->title = \Yii::t('SpaceModule.permissions', 'Invite users'); + $this->description = \Yii::t('SpaceModule.permissions', 'Allows the user to invite new members to the space'); + } } diff --git a/protected/humhub/modules/space/views/create/invite.php b/protected/humhub/modules/space/views/create/invite.php index ed3c491094..a18ee8d311 100644 --- a/protected/humhub/modules/space/views/create/invite.php +++ b/protected/humhub/modules/space/views/create/invite.php @@ -102,7 +102,7 @@ use humhub\models\Setting; // check if there is an error at the second tab - hasError('inviteExternal')) : ?> + hasErrors('inviteExternal')) : ?> // show tab $('#tabs a:last').tab('show'); diff --git a/protected/humhub/modules/space/views/create/modules.php b/protected/humhub/modules/space/views/create/modules.php index 8167b04e22..28d0251d6c 100644 --- a/protected/humhub/modules/space/views/create/modules.php +++ b/protected/humhub/modules/space/views/create/modules.php @@ -6,19 +6,6 @@ use yii\helpers\Url; @@ -190,18 +190,22 @@ if ($space->isAdmin()) { class="title">
-
- memberships); ?> -
- -
+ +
+ memberships); ?> +
+ +
+
-
- getFollowerCount(); ?>
- -
+ +
+ getFollowerCount(); ?>
+ +
+
@@ -209,9 +213,13 @@ if ($space->isAdmin()) {
[ - [\humhub\modules\space\widgets\InviteButton::className(), ['space' => $space], ['sortOrder' => 10]], - [\humhub\modules\space\widgets\MembershipButton::className(), ['space' => $space], ['sortOrder' => 20]], - [\humhub\modules\space\widgets\FollowButton::className(), ['space' => $space], ['sortOrder' => 30]] + [\humhub\modules\space\widgets\InviteButton::className(), ['space' => $space], ['sortOrder' => 10]], + [\humhub\modules\space\widgets\MembershipButton::className(), ['space' => $space], ['sortOrder' => 20]], + [\humhub\modules\space\widgets\FollowButton::className(), [ + 'space' => $space, + 'followOptions' => ['class' => 'btn btn-primary'], + 'unfollowOptions' => ['class' => 'btn btn-info']], + ['sortOrder' => 30]] ]]); ?> diff --git a/protected/humhub/modules/space/widgets/views/listBox.php b/protected/humhub/modules/space/widgets/views/listBox.php new file mode 100644 index 0000000000..4bb617c344 --- /dev/null +++ b/protected/humhub/modules/space/widgets/views/listBox.php @@ -0,0 +1,71 @@ + + + + + + diff --git a/protected/humhub/modules/space/widgets/views/membershipButton.php b/protected/humhub/modules/space/widgets/views/membershipButton.php index 31ace423b1..dd3581a7cd 100644 --- a/protected/humhub/modules/space/widgets/views/membershipButton.php +++ b/protected/humhub/modules/space/widgets/views/membershipButton.php @@ -26,5 +26,5 @@ if ($membership === null) {
status == Membership::STATUS_APPLICANT) { - echo Html::a(Yii::t('SpaceModule.widgets_views_membershipButton', 'Cancel pending membership application'), $space->createUrl('/space/membership/revoke-membership'), array('class' => 'btn btn-primary')); + echo Html::a(Yii::t('SpaceModule.widgets_views_membershipButton', 'Cancel pending membership application'), $space->createUrl('/space/membership/revoke-membership'), array('data-method' => 'POST', 'class' => 'btn btn-primary')); } \ No newline at end of file diff --git a/protected/humhub/modules/tour/messages/pl/views_tour_welcome.php b/protected/humhub/modules/tour/messages/pl/views_tour_welcome.php index d125674a36..269c684426 100644 --- a/protected/humhub/modules/tour/messages/pl/views_tour_welcome.php +++ b/protected/humhub/modules/tour/messages/pl/views_tour_welcome.php @@ -1,31 +1,14 @@ '', - 'Hide my year of birth' => '', - 'Howdy %firstname%, thank you for using HumHub.' => '', - 'Save and close' => '', - 'You are the first user here... Yehaaa! Be a shining example and complete your profile,
so that future users know who is the top dog here and to whom they can turn to if they have questions.' => '', - 'Your firstname' => '', - 'Your lastname' => '', - 'Your mobild phone number' => '', - 'Your phone number at work' => '', - 'Your skills, knowledge and experience (comma seperated)' => '', - 'Your title or position' => '', -]; +return array ( + 'Drag a photo here or click to browse your files' => 'Przeciągnij tu zdjęcie lub kliknij aby przeglądać pliki komputera', + 'Hide my year of birth' => 'Ukryj rok urodzenia', + 'Howdy %firstname%, thank you for using HumHub.' => 'Uszanowanie %firstname%, dziękujemy za używanie HumHub.', + 'Save and close' => 'Zapisz i zamknij', + 'You are the first user here... Yehaaa! Be a shining example and complete your profile,
so that future users know who is the top dog here and to whom they can turn to if they have questions.' => 'Jesteś tu pierwszym użytkownikiem... Taaaak! Daj wzorowy przykład i uzupełnij swój profil,
tak aby kolejni wiedzieli kto tu rządzi i do kogo można się zwrócić w razie pytań.', + 'Your firstname' => 'Imię', + 'Your lastname' => 'Nazwisko', + 'Your mobild phone number' => 'Numer telefonu komórkowego', + 'Your phone number at work' => 'Numer telefonu w pracy', + 'Your skills, knowledge and experience (comma seperated)' => 'Twoje umiejętności, wiedza i doświadczenie (oddzielone przecinkami)', + 'Your title or position' => 'Stanowisko lub tytuł', +); diff --git a/protected/humhub/modules/user/Events.php b/protected/humhub/modules/user/Events.php index 11d3365565..c987d8b038 100644 --- a/protected/humhub/modules/user/Events.php +++ b/protected/humhub/modules/user/Events.php @@ -4,13 +4,10 @@ namespace humhub\modules\user; use Yii; use humhub\modules\user\models\User; -use humhub\modules\user\models\GroupAdmin; use humhub\modules\user\models\Password; use humhub\modules\user\models\Profile; use humhub\modules\user\models\Mentioning; use humhub\modules\user\models\Follow; -use humhub\modules\user\libs\Ldap; -use humhub\models\Setting; /** * Events provides callbacks for all defined module events. @@ -57,16 +54,15 @@ class Events extends \yii\base\Object if ($user->profile == null) { $integrityController->showWarning("User with id " . $user->id . " has no profile record!"); } - if ($user->group == null) { + if (!$user->hasGroup()) { $integrityController->showWarning("User with id " . $user->id . " has no group assignment!"); } } - - $integrityController->showTestHeadline("User Module - GroupAdmin (" . GroupAdmin::find()->count() . " entries)"); - foreach (GroupAdmin::find()->joinWith(['user'])->all() as $groupAdmin) { - if ($groupAdmin->user == null) { - if ($integrityController->showFix("Deleting group admin " . $groupAdmin->id . " without existing user!")) { - $groupAdmin->delete(); + + foreach (GroupUser::find()->joinWith(['user'])->all() as $groupUser) { + if ($groupUser->user == null) { + if ($integrityController->showFix("Deleting group admin " . $groupUser->id . " without existing user!")) { + $groupUser->delete(); } } } diff --git a/protected/humhub/modules/user/Module.php b/protected/humhub/modules/user/Module.php index 29eba467f3..61515523b9 100644 --- a/protected/humhub/modules/user/Module.php +++ b/protected/humhub/modules/user/Module.php @@ -8,6 +8,8 @@ namespace humhub\modules\user; +use Yii; + /** * User Module */ @@ -42,5 +44,21 @@ class Module extends \humhub\components\Module return []; } + + public function getName() + { + return Yii::t('UserModule.base', 'User'); + } + + /** + * @inheritdoc + */ + public function getNotifications() + { + return [ + 'humhub\modules\user\notifications\Followed', + 'humhub\modules\user\notifications\Mentioned' + ]; + } } diff --git a/protected/humhub/modules/user/components/PermissionManager.php b/protected/humhub/modules/user/components/PermissionManager.php index efd78c2f08..86715edee4 100644 --- a/protected/humhub/modules/user/components/PermissionManager.php +++ b/protected/humhub/modules/user/components/PermissionManager.php @@ -24,8 +24,8 @@ class PermissionManager extends \yii\base\Component public function can(BasePermission $permission) { - $groupId = Yii::$app->user->getIdentity()->group_id; - if ($this->getGroupState($groupId, $permission) == BasePermission::STATE_ALLOW) { + $groups = Yii::$app->user->getIdentity()->groups; + if ($this->getGroupState($groups, $permission) == BasePermission::STATE_ALLOW) { return true; } @@ -62,6 +62,31 @@ class PermissionManager extends \yii\base\Component $record->state = $state; $record->save(); } + + /** + * Returns the group permission state of the given group or goups. + * If the provided $group is an array we check if one of the group states + * is a BasePermission::STATE_ALLOW and return this state. + * + * @param type $groups either an array of groups or group ids or an single group or goup id + * @param BasePermission $permission + * @param type $returnDefaultState + * @return type + */ + public function getGroupState($groups, BasePermission $permission, $returnDefaultState = true) + { + if(is_array($groups)) { + $state = ""; + foreach($groups as $group) { + $state = $this->getSingleGroupState($group, $permission, $returnDefaultState); + if($state === BasePermission::STATE_ALLOW) { + return $state; + } + } + return $state; + } + return $this->getSingleGroupState($groups, $permission, $returnDefaultState); + } /** * Returns the group state @@ -71,8 +96,12 @@ class PermissionManager extends \yii\base\Component * @param boolean $returnDefaultState * @return string the state */ - public function getGroupState($groupId, BasePermission $permission, $returnDefaultState = true) + private function getSingleGroupState($groupId, BasePermission $permission, $returnDefaultState = true) { + if($groupId instanceof \humhub\modules\user\models\Group) { + $groupId = $groupId->id; + } + // Check if database entry exists $dbRecord = $this->getGroupStateRecord($groupId, $permission); diff --git a/protected/humhub/modules/user/components/User.php b/protected/humhub/modules/user/components/User.php index 1bedf837c7..e203c94858 100644 --- a/protected/humhub/modules/user/components/User.php +++ b/protected/humhub/modules/user/components/User.php @@ -35,7 +35,7 @@ class User extends \yii\web\User if ($this->isGuest) return false; - return ($this->getIdentity()->super_admin == 1); + return $this->getIdentity()->isSystemAdmin(); } public function getLanguage() diff --git a/protected/humhub/modules/user/controllers/AccountController.php b/protected/humhub/modules/user/controllers/AccountController.php index 44009d5aec..f49a74c5c8 100644 --- a/protected/humhub/modules/user/controllers/AccountController.php +++ b/protected/humhub/modules/user/controllers/AccountController.php @@ -495,7 +495,7 @@ class AccountController extends BaseAccountController */ public function getUser() { - if (Yii::$app->request->get('userGuid') != '' && Yii::$app->user->getIdentity()->super_admin === 1) { + if (Yii::$app->request->get('userGuid') != '' && Yii::$app->user->getIdentity()->isSystemAdmin()) { $user = User::findOne(['guid' => Yii::$app->request->get('userGuid')]); if ($user === null) { throw new HttpException(404, 'Could not find user!'); diff --git a/protected/humhub/modules/user/controllers/AuthController.php b/protected/humhub/modules/user/controllers/AuthController.php index 141785643e..dbc2071c42 100644 --- a/protected/humhub/modules/user/controllers/AuthController.php +++ b/protected/humhub/modules/user/controllers/AuthController.php @@ -227,7 +227,7 @@ class AuthController extends Controller $output['userName'] = $httpSession->user->username; $output['fullName'] = $httpSession->user->displayName; $output['email'] = $httpSession->user->email; - $output['superadmin'] = $httpSession->user->super_admin; + $output['superadmin'] = $httpSession->user->isSystemAdmin(); } return $output; } diff --git a/protected/humhub/modules/user/controllers/ProfileController.php b/protected/humhub/modules/user/controllers/ProfileController.php index adfa50fc69..ea2b1d3aac 100644 --- a/protected/humhub/modules/user/controllers/ProfileController.php +++ b/protected/humhub/modules/user/controllers/ProfileController.php @@ -10,6 +10,8 @@ namespace humhub\modules\user\controllers; use Yii; use humhub\modules\content\components\ContentContainerController; +use humhub\modules\user\models\User; +use humhub\modules\user\widgets\UserListBox; /** * ProfileController is responsible for all user profiles. @@ -63,10 +65,6 @@ class ProfileController extends ContentContainerController return $this->render('about', ['user' => $this->contentContainer]); } - /** - * Unfollows a User - * - */ public function actionFollow() { $this->forcePostRequest(); @@ -79,9 +77,6 @@ class ProfileController extends ContentContainerController return $this->redirect($this->getUser()->getUrl()); } - /** - * Unfollows a User - */ public function actionUnfollow() { $this->forcePostRequest(); @@ -94,6 +89,42 @@ class ProfileController extends ContentContainerController return $this->redirect($this->getUser()->getUrl()); } + public function actionFollowerList() + { + $query = User::find(); + $query->leftJoin('user_follow', 'user.id=user_follow.user_id and object_model=:userClass and user_follow.object_id=:userId', [':userClass' => User::className(), ':userId' => $this->getUser()->id]); + $query->orderBy(['user_follow.id' => SORT_DESC]); + $query->andWhere(['IS NOT', 'user_follow.id', new \yii\db\Expression('NULL')]); + $query->active(); + + $title = Yii::t('UserModule.widgets_views_userFollower', 'User followers'); + return $this->renderAjaxContent(UserListBox::widget(['query' => $query, 'title' => $title])); + } + + public function actionFollowedUsersList() + { + $query = User::find(); + $query->leftJoin('user_follow', 'user.id=user_follow.object_id and object_model=:userClass and user_follow.user_id=:userId', [':userClass' => User::className(), ':userId' => $this->getUser()->id]); + $query->orderBy(['user_follow.id' => SORT_DESC]); + $query->andWhere(['IS NOT', 'user_follow.id', new \yii\db\Expression('NULL')]); + $query->active(); + + $title = Yii::t('UserModule.widgets_views_userFollower', 'Following user'); + return $this->renderAjaxContent(UserListBox::widget(['query' => $query, 'title' => $title])); + } + + public function actionSpaceMembershipList() + { + $query = \humhub\modules\space\models\Membership::getUserSpaceQuery($this->getUser()); + + if (!$this->getUser()->isCurrentUser()) { + $query->andWhere(['!=', 'space.visibility', \humhub\modules\space\models\Space::VISIBILITY_NONE]); + } + + $title = Yii::t('UserModule.widgets_views_userSpaces', 'Member in these spaces'); + return $this->renderAjaxContent(\humhub\modules\space\widgets\ListBox::widget(['query' => $query, 'title' => $title])); + } + } ?> diff --git a/protected/humhub/modules/user/controllers/RegistrationController.php b/protected/humhub/modules/user/controllers/RegistrationController.php index 9a8b01080d..7dad8fa884 100644 --- a/protected/humhub/modules/user/controllers/RegistrationController.php +++ b/protected/humhub/modules/user/controllers/RegistrationController.php @@ -16,7 +16,6 @@ use humhub\components\Controller; use humhub\modules\user\models\User; use humhub\modules\user\models\Invite; use humhub\modules\user\models\forms\Registration; -use humhub\modules\user\authclient\AuthClientHelpers; use humhub\modules\user\authclient\interfaces\ApprovalBypass; /** diff --git a/protected/humhub/modules/user/controllers/SearchController.php b/protected/humhub/modules/user/controllers/SearchController.php index 824cc007d3..72cafdea6d 100644 --- a/protected/humhub/modules/user/controllers/SearchController.php +++ b/protected/humhub/modules/user/controllers/SearchController.php @@ -40,13 +40,12 @@ class SearchController extends Controller public function actionJson() { Yii::$app->response->format = 'json'; - - $maxResults = 10; - $keyword = Yii::$app->request->get('keyword'); - $userRole = Yii::$app->request->get('userRole'); - $friendsOnly = ($userRole != null && $userRole == User::USERGROUP_FRIEND); - return UserFilter::forUser()->getUserPickerResult($keyword, $maxResults, $friendsOnly); + return \humhub\modules\user\widgets\UserPicker::filter([ + 'keyword' => Yii::$app->request->get('keyword'), + 'fillUser' => true, + 'disableFillUser' => false + ]); } } diff --git a/protected/humhub/modules/user/messages/an/base.php b/protected/humhub/modules/user/messages/an/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/an/base.php +++ b/protected/humhub/modules/user/messages/an/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/an/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/an/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/an/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/an/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/an/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/an/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/an/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/an/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/ar/base.php b/protected/humhub/modules/user/messages/ar/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/ar/base.php +++ b/protected/humhub/modules/user/messages/ar/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/ar/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/ar/models_ProfileFieldType.php index 4712c1883c..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/ar/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/ar/models_ProfileFieldType.php @@ -1,9 +1,27 @@ '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/ar/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/ar/models_ProfileFieldTypeBirthday.php index 926f77e7d6..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/ar/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/ar/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '', - 'Birthday field options' => '', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/bg/base.php b/protected/humhub/modules/user/messages/bg/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/bg/base.php +++ b/protected/humhub/modules/user/messages/bg/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/bg/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/bg/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/bg/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/bg/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/bg/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/bg/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/bg/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/bg/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/ca/base.php b/protected/humhub/modules/user/messages/ca/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/ca/base.php +++ b/protected/humhub/modules/user/messages/ca/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/ca/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/ca/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/ca/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/ca/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/ca/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/ca/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/ca/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/ca/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/cs/base.php b/protected/humhub/modules/user/messages/cs/base.php index 4427945004..510d82f002 100644 --- a/protected/humhub/modules/user/messages/cs/base.php +++ b/protected/humhub/modules/user/messages/cs/base.php @@ -1,6 +1,24 @@ 'Potvrďte nové heslo', - 'New password' => 'Nové heslo', - 'Password' => 'Heslo', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'No users found.' => '', + 'Confirm new password' => 'Potvrďte nové heslo', + 'New password' => 'Nové heslo', + 'Password' => 'Heslo', +]; diff --git a/protected/humhub/modules/user/messages/cs/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/cs/models_ProfileFieldType.php index 02171576ed..e8cd9676ae 100644 --- a/protected/humhub/modules/user/messages/cs/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/cs/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Datum narození', - 'Datetime' => 'Datum/čas', - 'Number' => 'Číslo', - 'Select List' => 'Seznam možností', - 'Text' => 'Text', - 'Text Area' => 'Textové pole', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Datum narození', + 'Datetime' => 'Datum/čas', + 'Number' => 'Číslo', + 'Select List' => 'Seznam možností', + 'Text' => 'Text', + 'Text Area' => 'Textové pole', +]; diff --git a/protected/humhub/modules/user/messages/cs/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/cs/models_ProfileFieldTypeBirthday.php index 18e1d77d64..6e7eacce67 100644 --- a/protected/humhub/modules/user/messages/cs/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/cs/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y let', - 'Birthday field options' => 'Nastavení pole Datum narození', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y let', + 'Birthday field options' => 'Nastavení pole Datum narození', +]; diff --git a/protected/humhub/modules/user/messages/cs/views_auth_login.php b/protected/humhub/modules/user/messages/cs/views_auth_login.php index 887016c1c6..3ac8845c6b 100644 --- a/protected/humhub/modules/user/messages/cs/views_auth_login.php +++ b/protected/humhub/modules/user/messages/cs/views_auth_login.php @@ -1,33 +1,16 @@ '', - 'Please sign in' => 'Přihlášení', - 'Sign up' => 'Registrace', - 'Create a new one.' => 'Vytvořit nové', - 'Don\'t have an account? Join the network by entering your e-mail address.' => 'Nemáte ještě účet? Připojte se k sítí zadáním vaší e-mailové adresy', - 'Forgot your password?' => 'Zapomněl(a) jste heslo?', - 'If you\'re already a member, please login with your username/email and password.' => 'Pokud jste již členem, přihlaste se prosím svým uživatelským jménem/e-mailem a heslem.', - 'Login' => 'Přihlásit se', - 'Register' => 'Registrovat', - 'Sign in' => 'Přihlásit se', - 'email' => 'E-mailová adresa', - 'password' => 'Heslo', - 'username or email' => 'Uživatelské jméno nebo e-mail', -]; +return array ( + 'Please sign in' => 'Přihlášení', + 'Sign up' => 'Registrace', + 'Create a new one.' => 'Vytvořit nové', + 'Don\'t have an account? Join the network by entering your e-mail address.' => 'Nemáte ještě účet? Připojte se k sítí zadáním vaší e-mailové adresy', + 'Forgot your password?' => 'Zapomněl(a) jste heslo?', + 'If you\'re already a member, please login with your username/email and password.' => 'Pokud jste již členem, přihlaste se prosím svým uživatelským jménem/e-mailem a heslem.', + 'Login' => 'Přihlásit se', + 'Register' => 'Registrovat', + 'Remember me' => 'Zapamatovat přihlášení', + 'Sign in' => 'Přihlásit se', + 'email' => 'E-mailová adresa', + 'password' => 'Heslo', + 'username or email' => 'Uživatelské jméno nebo e-mail', +); diff --git a/protected/humhub/modules/user/messages/cs/views_mails_UserInviteSpace.php b/protected/humhub/modules/user/messages/cs/views_mails_UserInviteSpace.php index 8972871573..35655b2b82 100644 --- a/protected/humhub/modules/user/messages/cs/views_mails_UserInviteSpace.php +++ b/protected/humhub/modules/user/messages/cs/views_mails_UserInviteSpace.php @@ -1,28 +1,11 @@ A social network to increase your communication and teamwork.
Register now -to join this space.' => '', - '
A social network to increase your communication and teamwork.
Register now +return array ( + '
A social network to increase your communication and teamwork.
Register now to join this space.' => '
Abyste se mohl(a) do prostoru připojit, je třeba se nejdříve zaregistrovat.', - 'Sign up now' => 'Zaregistrovat se', - 'Space Invite' => 'Pozvánka do prostoru', - 'You got a space invite' => 'Byl(a) jste pozván(a) do prostoru', - 'invited you to the space:' => 'vás pozval(a) do prostoru:', -]; + '
A social network to increase your communication and teamwork.
Register now +to join this space.' => '
Abyste se mohl(a) do prostoru připojit, je třeba se nejdříve zaregistrovat.', + 'Sign up now' => 'Zaregistrovat se', + 'Space Invite' => 'Pozvánka do prostoru', + 'You got a space invite' => 'Byl(a) jste pozván(a) do prostoru', + 'invited you to the space:' => 'vás pozval(a) do prostoru:', +); diff --git a/protected/humhub/modules/user/messages/da/base.php b/protected/humhub/modules/user/messages/da/base.php index 58d75deb47..98e62d29bb 100644 --- a/protected/humhub/modules/user/messages/da/base.php +++ b/protected/humhub/modules/user/messages/da/base.php @@ -1,6 +1,24 @@ 'Bekræft ny adgangskode', - 'New password' => 'Ny adgangskode', - 'Password' => 'Adgangskode', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'No users found.' => '', + 'Confirm new password' => 'Bekræft ny adgangskode', + 'New password' => 'Ny adgangskode', + 'Password' => 'Adgangskode', +]; diff --git a/protected/humhub/modules/user/messages/da/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/da/models_ProfileFieldType.php index 8c1c0532de..bf39485179 100644 --- a/protected/humhub/modules/user/messages/da/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/da/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Birthday', - 'Datetime' => 'Datetime', - 'Number' => 'Number', - 'Select List' => 'Select List', - 'Text' => 'Text', - 'Text Area' => 'Text Area', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Birthday', + 'Datetime' => 'Datetime', + 'Number' => 'Number', + 'Select List' => 'Select List', + 'Text' => 'Text', + 'Text Area' => 'Text Area', +]; diff --git a/protected/humhub/modules/user/messages/da/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/da/models_ProfileFieldTypeBirthday.php index cc0d4b8efa..c8b676e24e 100644 --- a/protected/humhub/modules/user/messages/da/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/da/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y År', - 'Birthday field options' => 'Fødselsdags felt muligheder', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y År', + 'Birthday field options' => 'Fødselsdags felt muligheder', +]; diff --git a/protected/humhub/modules/user/messages/de/base.php b/protected/humhub/modules/user/messages/de/base.php index a21461d9e4..a6cda405be 100644 --- a/protected/humhub/modules/user/messages/de/base.php +++ b/protected/humhub/modules/user/messages/de/base.php @@ -1,6 +1,24 @@ 'Neues Passwort bestätigen', - 'New password' => 'Neues Passwort', - 'Password' => 'Passwort', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'No users found.' => '', + 'Confirm new password' => 'Neues Passwort bestätigen', + 'New password' => 'Neues Passwort', + 'Password' => 'Passwort', +]; diff --git a/protected/humhub/modules/user/messages/de/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/de/models_ProfileFieldType.php index 7540c7da30..fd952a89bc 100644 --- a/protected/humhub/modules/user/messages/de/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/de/models_ProfileFieldType.php @@ -1,23 +1,7 @@ 'Geburtstag', + 'Date' => 'Datum', 'Datetime' => 'Datum/Uhrzeit', 'Number' => 'Zahl', 'Select List' => 'Auswahlliste', diff --git a/protected/humhub/modules/user/messages/de/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/de/models_ProfileFieldTypeBirthday.php index 9942f33205..c93977246d 100644 --- a/protected/humhub/modules/user/messages/de/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/de/models_ProfileFieldTypeBirthday.php @@ -1,22 +1,6 @@ '%y Jahre', 'Birthday field options' => 'Geburtstagsfeld-Optionen', + 'Hide age per default' => 'Standardmäßig Alter verstecken', ); diff --git a/protected/humhub/modules/user/messages/el/base.php b/protected/humhub/modules/user/messages/el/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/el/base.php +++ b/protected/humhub/modules/user/messages/el/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/el/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/el/models_ProfileFieldType.php index 1b0b43b834..9eb413f298 100644 --- a/protected/humhub/modules/user/messages/el/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/el/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Γενέθλια', - 'Datetime' => 'Ημερομηνία', - 'Number' => 'Αριθμός', - 'Select List' => 'Λίστα επιλογής', - 'Text' => 'Κείμενο', - 'Text Area' => 'Πεδίο κειμένου', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Γενέθλια', + 'Datetime' => 'Ημερομηνία', + 'Number' => 'Αριθμός', + 'Select List' => 'Λίστα επιλογής', + 'Text' => 'Κείμενο', + 'Text Area' => 'Πεδίο κειμένου', +]; diff --git a/protected/humhub/modules/user/messages/el/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/el/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/el/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/el/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/en_uk/base.php b/protected/humhub/modules/user/messages/en_uk/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/en_uk/base.php +++ b/protected/humhub/modules/user/messages/en_uk/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/en_uk/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/en_uk/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/en_uk/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/en_uk/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/en_uk/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/en_uk/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/en_uk/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/en_uk/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/es/base.php b/protected/humhub/modules/user/messages/es/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/es/base.php +++ b/protected/humhub/modules/user/messages/es/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/es/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/es/models_ProfileFieldType.php index 4ba36de291..752f608eb3 100644 --- a/protected/humhub/modules/user/messages/es/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/es/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Cumpleaños', - 'Datetime' => 'Fecha y hora', - 'Number' => 'Número', - 'Select List' => 'Lista de selección', - 'Text' => 'Texto', - 'Text Area' => 'Área de texto', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Cumpleaños', + 'Datetime' => 'Fecha y hora', + 'Number' => 'Número', + 'Select List' => 'Lista de selección', + 'Text' => 'Texto', + 'Text Area' => 'Área de texto', +]; diff --git a/protected/humhub/modules/user/messages/es/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/es/models_ProfileFieldTypeBirthday.php index b4c92c2e8a..5fa5df85d2 100644 --- a/protected/humhub/modules/user/messages/es/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/es/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y Años', - 'Birthday field options' => 'Opciones del campo Cumpleaños', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y Años', + 'Birthday field options' => 'Opciones del campo Cumpleaños', +]; diff --git a/protected/humhub/modules/user/messages/fa_ir/base.php b/protected/humhub/modules/user/messages/fa_ir/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/fa_ir/base.php +++ b/protected/humhub/modules/user/messages/fa_ir/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/fa_ir/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/fa_ir/models_ProfileFieldType.php index 4baf4c8f5b..3e47e350c1 100644 --- a/protected/humhub/modules/user/messages/fa_ir/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/fa_ir/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'تولد', - 'Datetime' => 'زمان ملاقات', - 'Number' => 'شماره', - 'Select List' => 'انتخاب لیست', - 'Text' => 'متن', - 'Text Area' => 'مکان متن', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'تولد', + 'Datetime' => 'زمان ملاقات', + 'Number' => 'شماره', + 'Select List' => 'انتخاب لیست', + 'Text' => 'متن', + 'Text Area' => 'مکان متن', +]; diff --git a/protected/humhub/modules/user/messages/fa_ir/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/fa_ir/models_ProfileFieldTypeBirthday.php index 688c11cb9f..05d7e71074 100644 --- a/protected/humhub/modules/user/messages/fa_ir/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/fa_ir/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y سال', - 'Birthday field options' => 'انتخاب‌های فیلد تولد', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y سال', + 'Birthday field options' => 'انتخاب‌های فیلد تولد', +]; diff --git a/protected/humhub/modules/user/messages/fr/base.php b/protected/humhub/modules/user/messages/fr/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/fr/base.php +++ b/protected/humhub/modules/user/messages/fr/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/fr/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/fr/models_ProfileFieldType.php index 0b080b68c9..d01edaa5f7 100644 --- a/protected/humhub/modules/user/messages/fr/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/fr/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Date de naissance', - 'Datetime' => 'Date et heure', - 'Number' => 'Nombre', - 'Select List' => 'Liste de choix', - 'Text' => 'Texte', - 'Text Area' => 'Texte long', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Date de naissance', + 'Datetime' => 'Date et heure', + 'Number' => 'Nombre', + 'Select List' => 'Liste de choix', + 'Text' => 'Texte', + 'Text Area' => 'Texte long', +]; diff --git a/protected/humhub/modules/user/messages/fr/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/fr/models_ProfileFieldTypeBirthday.php index 6243f100e7..c50c621b05 100644 --- a/protected/humhub/modules/user/messages/fr/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/fr/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y ans', - 'Birthday field options' => 'Options de date de naissance', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y ans', + 'Birthday field options' => 'Options de date de naissance', +]; diff --git a/protected/humhub/modules/user/messages/hr/base.php b/protected/humhub/modules/user/messages/hr/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/hr/base.php +++ b/protected/humhub/modules/user/messages/hr/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/hr/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/hr/models_ProfileFieldType.php index 24022dd479..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/hr/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/hr/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -18,6 +18,7 @@ */ return [ 'Birthday' => '', + 'Date' => '', 'Datetime' => '', 'Number' => '', 'Select List' => '', diff --git a/protected/humhub/modules/user/messages/hr/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/hr/models_ProfileFieldTypeBirthday.php index 7e07c38c9a..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/hr/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/hr/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,4 +19,5 @@ return [ '%y Years' => '', 'Birthday field options' => '', + 'Hide age per default' => '', ]; diff --git a/protected/humhub/modules/user/messages/hu/base.php b/protected/humhub/modules/user/messages/hu/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/hu/base.php +++ b/protected/humhub/modules/user/messages/hu/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/hu/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/hu/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/hu/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/hu/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/hu/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/hu/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/hu/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/hu/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/id/base.php b/protected/humhub/modules/user/messages/id/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/id/base.php +++ b/protected/humhub/modules/user/messages/id/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/id/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/id/models_ProfileFieldType.php index 4712c1883c..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/id/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/id/models_ProfileFieldType.php @@ -1,9 +1,27 @@ '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/id/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/id/models_ProfileFieldTypeBirthday.php index 926f77e7d6..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/id/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/id/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '', - 'Birthday field options' => '', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/it/base.php b/protected/humhub/modules/user/messages/it/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/it/base.php +++ b/protected/humhub/modules/user/messages/it/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/it/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/it/models_ProfileFieldType.php index 91e71878ad..5ad367a8ed 100644 --- a/protected/humhub/modules/user/messages/it/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/it/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Compleanno', - 'Datetime' => 'Data', - 'Number' => 'Numero', - 'Select List' => 'Seleziona lista', - 'Text' => 'Testo', - 'Text Area' => 'Area di testo', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Compleanno', + 'Datetime' => 'Data', + 'Number' => 'Numero', + 'Select List' => 'Seleziona lista', + 'Text' => 'Testo', + 'Text Area' => 'Area di testo', +]; diff --git a/protected/humhub/modules/user/messages/it/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/it/models_ProfileFieldTypeBirthday.php index a4897fbb33..821c221707 100644 --- a/protected/humhub/modules/user/messages/it/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/it/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y anni', - 'Birthday field options' => 'Opzioni del campo compleanno', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y anni', + 'Birthday field options' => 'Opzioni del campo compleanno', +]; diff --git a/protected/humhub/modules/user/messages/ja/base.php b/protected/humhub/modules/user/messages/ja/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/ja/base.php +++ b/protected/humhub/modules/user/messages/ja/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/ja/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/ja/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/ja/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/ja/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/ja/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/ja/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/ja/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/ja/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/ko/base.php b/protected/humhub/modules/user/messages/ko/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/ko/base.php +++ b/protected/humhub/modules/user/messages/ko/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/ko/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/ko/models_ProfileFieldType.php index 4712c1883c..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/ko/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/ko/models_ProfileFieldType.php @@ -1,9 +1,27 @@ '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/ko/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/ko/models_ProfileFieldTypeBirthday.php index 926f77e7d6..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/ko/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/ko/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '', - 'Birthday field options' => '', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/lt/base.php b/protected/humhub/modules/user/messages/lt/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/lt/base.php +++ b/protected/humhub/modules/user/messages/lt/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/lt/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/lt/models_ProfileFieldType.php index 6c82bff3f5..6dda19541d 100644 --- a/protected/humhub/modules/user/messages/lt/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/lt/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Gimimo data', - 'Datetime' => 'Laikas', - 'Number' => 'Numeris', - 'Select List' => 'Pažymėtas sąrašas', - 'Text' => 'Tekstas', - 'Text Area' => 'Vieta tekstui', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Gimimo data', + 'Datetime' => 'Laikas', + 'Number' => 'Numeris', + 'Select List' => 'Pažymėtas sąrašas', + 'Text' => 'Tekstas', + 'Text Area' => 'Vieta tekstui', +]; diff --git a/protected/humhub/modules/user/messages/lt/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/lt/models_ProfileFieldTypeBirthday.php index 48d09df635..303313acc7 100644 --- a/protected/humhub/modules/user/messages/lt/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/lt/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y Metai', - 'Birthday field options' => 'Gimimo dieno parinktys', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y Metai', + 'Birthday field options' => 'Gimimo dieno parinktys', +]; diff --git a/protected/humhub/modules/user/messages/nb_no/base.php b/protected/humhub/modules/user/messages/nb_no/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/nb_no/base.php +++ b/protected/humhub/modules/user/messages/nb_no/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/nb_no/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/nb_no/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/nb_no/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/nb_no/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/nb_no/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/nb_no/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/nb_no/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/nb_no/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/nl/base.php b/protected/humhub/modules/user/messages/nl/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/nl/base.php +++ b/protected/humhub/modules/user/messages/nl/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/nl/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/nl/models_ProfileFieldType.php index 47a3169bdc..fddc6dcfec 100644 --- a/protected/humhub/modules/user/messages/nl/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/nl/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Geboortedatum', - 'Datetime' => 'Datumtijd', - 'Number' => 'Getal', - 'Select List' => 'Keuzelijst', - 'Text' => 'Tekst', - 'Text Area' => 'Tekstvlak', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Geboortedatum', + 'Datetime' => 'Datumtijd', + 'Number' => 'Getal', + 'Select List' => 'Keuzelijst', + 'Text' => 'Tekst', + 'Text Area' => 'Tekstvlak', +]; diff --git a/protected/humhub/modules/user/messages/nl/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/nl/models_ProfileFieldTypeBirthday.php index 37eb771708..6975e9c116 100644 --- a/protected/humhub/modules/user/messages/nl/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/nl/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y jaar', - 'Birthday field options' => 'Geboortedatum veld opties', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y jaar', + 'Birthday field options' => 'Geboortedatum veld opties', +]; diff --git a/protected/humhub/modules/user/messages/pl/base.php b/protected/humhub/modules/user/messages/pl/base.php index d11ffe2cd7..04bb2c1d6c 100644 --- a/protected/humhub/modules/user/messages/pl/base.php +++ b/protected/humhub/modules/user/messages/pl/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -17,7 +17,8 @@ * NOTE: this file must be saved in UTF-8 encoding. */ return [ - 'Confirm new password' => '', - 'New password' => '', - 'Password' => '', + 'No users found.' => '', + 'Confirm new password' => 'Potwierdź nowe hasło', + 'New password' => 'Nowe Hasło', + 'Password' => 'Hasło', ]; diff --git a/protected/humhub/modules/user/messages/pl/behaviors_ProfileControllerBehavior.php b/protected/humhub/modules/user/messages/pl/behaviors_ProfileControllerBehavior.php index ee0f622d1c..383362df0f 100644 --- a/protected/humhub/modules/user/messages/pl/behaviors_ProfileControllerBehavior.php +++ b/protected/humhub/modules/user/messages/pl/behaviors_ProfileControllerBehavior.php @@ -1,6 +1,6 @@ '', - 'You need to login to view this user profile!' => '', + 'This user account is not approved yet!' => 'Konto tego użytkownika nie jest jeszcze zatwierdzone!', 'User not found!' => 'Nie znaleziono użytkownika! ', + 'You need to login to view this user profile!' => 'Aby zobaczyć ten profil użytkownika, musisz się zalogować!', ); diff --git a/protected/humhub/modules/user/messages/pl/forms_AccountRegisterForm.php b/protected/humhub/modules/user/messages/pl/forms_AccountRegisterForm.php index d840da313f..84ec0e7d8f 100644 --- a/protected/humhub/modules/user/messages/pl/forms_AccountRegisterForm.php +++ b/protected/humhub/modules/user/messages/pl/forms_AccountRegisterForm.php @@ -1,22 +1,5 @@ '', 'E-Mail' => 'E-mail ', + 'E-Mail is already in use! - Try forgot password.' => 'Ten e-mail jest już w użyciu! - Spróbuj opcji przywracania hasła. ', ); diff --git a/protected/humhub/modules/user/messages/pl/forms_AccountSettingsForm.php b/protected/humhub/modules/user/messages/pl/forms_AccountSettingsForm.php index 250312af0f..58f1c9ce62 100644 --- a/protected/humhub/modules/user/messages/pl/forms_AccountSettingsForm.php +++ b/protected/humhub/modules/user/messages/pl/forms_AccountSettingsForm.php @@ -1,25 +1,8 @@ '', - 'TimeZone' => '', - 'Hide panel on dashboard' => 'Ukryj panel w kokpicie', - 'Language' => 'Język', - 'Tags' => 'Tagi ', -]; +return array ( + 'Hide panel on dashboard' => 'Ukryj panel w kokpicie', + 'Language' => 'Język', + 'Profile visibility' => 'Widoczność profilu', + 'Tags' => 'Tagi ', + 'TimeZone' => 'Strefa czasowa', +); diff --git a/protected/humhub/modules/user/messages/pl/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/pl/models_ProfileFieldType.php index 0d332dc11f..1b945018bf 100644 --- a/protected/humhub/modules/user/messages/pl/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/pl/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Dzień urodzenia', - 'Datetime' => 'Data', - 'Number' => 'Numer', - 'Select List' => 'Lista wyboru', - 'Text' => 'Tekst', - 'Text Area' => 'Obszar tekstowy', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Dzień urodzenia', + 'Datetime' => 'Data', + 'Number' => 'Numer', + 'Select List' => 'Lista wyboru', + 'Text' => 'Tekst', + 'Text Area' => 'Obszar tekstowy', +]; diff --git a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeBirthday.php index d5903e2536..af37fa05ee 100644 --- a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y lat', - 'Birthday field options' => 'Ustawienia pola daty urodzenia ', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y lat', + 'Birthday field options' => 'Ustawienia pola daty urodzenia ', +]; diff --git a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeDateTime.php b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeDateTime.php index a98f91bed8..018a820d66 100644 --- a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeDateTime.php +++ b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeDateTime.php @@ -1,22 +1,5 @@ '', 'Date(-time) field options' => 'Ustawienia pola daty(-czasu)', + 'Show date/time picker' => 'Pokaż okienko wyboru daty/czasu', ); diff --git a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeNumber.php b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeNumber.php index 1e3f908516..05f77dc98f 100644 --- a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeNumber.php +++ b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeNumber.php @@ -1,23 +1,6 @@ '', - 'Minimum value' => '', + 'Maximum value' => 'Maksymalna wartość', + 'Minimum value' => 'Minimalna wartość', 'Number field options' => 'Ustawienia pola numeru ', ); diff --git a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeSelect.php b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeSelect.php index a320d1bc63..b762c8321e 100644 --- a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeSelect.php +++ b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeSelect.php @@ -1,24 +1,7 @@ '', 'One option per line. Key=>Value Format (e.g. yes=>Yes)' => 'Jeden na linię. Format Klucz=>Wartość (np. tak=>Tak)', 'Please select:' => 'Proszę wybierz: ', + 'Possible values' => 'Dopuszczalne wartości', 'Select field options' => 'Opcje pola wyboru ', ); diff --git a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeText.php b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeText.php index 0c45a1b7c7..037a15bf4c 100644 --- a/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeText.php +++ b/protected/humhub/modules/user/messages/pl/models_ProfileFieldTypeText.php @@ -1,27 +1,10 @@ '', - 'Maximum length' => '', - 'Minimum length' => '', - 'Regular Expression: Error message' => '', - 'Regular Expression: Validator' => '', - 'Validator' => '', + 'Default value' => 'Domyślna wartość', + 'Maximum length' => 'Maksymalna długość', + 'Minimum length' => 'Minimalna długość', + 'Regular Expression: Error message' => 'Wyrażenie regularne: komunikat błędu', + 'Regular Expression: Validator' => 'Wyrażenie regularne: walidator', 'Text Field Options' => 'Opcje pola tekstowego ', + 'Validator' => 'Walidator', ); diff --git a/protected/humhub/modules/user/messages/pl/views_account_changeEmail.php b/protected/humhub/modules/user/messages/pl/views_account_changeEmail.php index a474be72ff..dada8d9e54 100644 --- a/protected/humhub/modules/user/messages/pl/views_account_changeEmail.php +++ b/protected/humhub/modules/user/messages/pl/views_account_changeEmail.php @@ -1,23 +1,6 @@ Current E-mail address' => '', 'Change E-mail' => 'Zmień e-mail', + 'Current E-mail address' => 'Aktualny adres e-mail', 'Save' => 'Zapisz ', ); diff --git a/protected/humhub/modules/user/messages/pl/views_account_delete.php b/protected/humhub/modules/user/messages/pl/views_account_delete.php index be653b87ec..f17fd1c667 100644 --- a/protected/humhub/modules/user/messages/pl/views_account_delete.php +++ b/protected/humhub/modules/user/messages/pl/views_account_delete.php @@ -1,25 +1,8 @@ '', 'Delete account' => 'Usuń konto', 'Are you sure, that you want to delete your account?
All your published content will be removed! ' => 'Czy jesteś pewny, że chcesz usunąć swoje konto?
Cała opublikowana treść zostanie usunięta! ', 'Delete account' => 'Usuń konto', + 'Enter your password to continue' => 'Aby kontynuować wprowadź hasło', 'Sorry, as an owner of a workspace you are not able to delete your account!
Please assign another owner or delete them.' => 'Przepraszamy, jesteś właścicielem grupy roboczej i nie można usunąć twojego konta!
Proszę przydziel innego właściciela lub usuń ją. ', ); diff --git a/protected/humhub/modules/user/messages/pl/views_account_editSettings.php b/protected/humhub/modules/user/messages/pl/views_account_editSettings.php index b1aab2006a..03c976e333 100644 --- a/protected/humhub/modules/user/messages/pl/views_account_editSettings.php +++ b/protected/humhub/modules/user/messages/pl/views_account_editSettings.php @@ -1,24 +1,7 @@ '', - 'Visible for all (also unregistered users)' => '', - 'User settings' => 'Ustawienia użytkownika', - 'Save' => 'Zapisz ', -]; +return array ( + 'User settings' => 'Ustawienia użytkownika', + 'Registered users only' => 'Tylko dla zarejestrowanych', + 'Save' => 'Zapisz ', + 'Visible for all (also unregistered users)' => 'Widoczne dla wszystkich (również nie zarejestrowanych)', +); diff --git a/protected/humhub/modules/user/messages/pl/views_account_emailing.php b/protected/humhub/modules/user/messages/pl/views_account_emailing.php index e69b38c84a..97f8a55436 100644 --- a/protected/humhub/modules/user/messages/pl/views_account_emailing.php +++ b/protected/humhub/modules/user/messages/pl/views_account_emailing.php @@ -1,11 +1,11 @@ Desktop Notifications' => '', - 'Get a desktop notification when you are online.' => '', + 'Desktop Notifications' => 'Powiadomienia na Pulpicie', 'Email Notifications' => 'Powiadomienia e-mailem', 'Activities' => 'Aktywności', 'Always' => 'Zawsze', - 'Daily summary' => 'Dzienne podsumowanie', + 'Daily summary' => 'Podsumowanie dzienne', + 'Get a desktop notification when you are online.' => 'Otrzymuj powiadomienia na pulpicie, jeśli jesteś online.', 'Get an email, by every activity from other users you follow or work
together in workspaces.' => 'Otrzymuj e-maila za każdym razem kiedy inni użytkownicy obserwują się lub pracują
razem w grupach roboczych.', 'Get an email, when other users comment or like your posts.' => 'Otrzymuj e-maila, kiedy użytkownicy komentują lub lubią twoje posty.', 'Never' => 'Nigdy', diff --git a/protected/humhub/modules/user/messages/pl/views_auth_createAccount.php b/protected/humhub/modules/user/messages/pl/views_auth_createAccount.php index e270cd16a0..f510e5c16a 100644 --- a/protected/humhub/modules/user/messages/pl/views_auth_createAccount.php +++ b/protected/humhub/modules/user/messages/pl/views_auth_createAccount.php @@ -1,22 +1,5 @@ '', - 'Account registration' => 'Rejestracja konta ', -]; +return array ( + 'Account registration' => 'Rejestracja konta ', + 'Create Account' => 'Utwórz konto', +); diff --git a/protected/humhub/modules/user/messages/pl/views_auth_login.php b/protected/humhub/modules/user/messages/pl/views_auth_login.php index 46ea3d0776..4fb6a8d57f 100644 --- a/protected/humhub/modules/user/messages/pl/views_auth_login.php +++ b/protected/humhub/modules/user/messages/pl/views_auth_login.php @@ -1,33 +1,16 @@ '', - 'Remember me' => '', - 'Please sign in' => 'Proszę zaloguj się ', - 'Sign up' => 'Zarejestruj się', - 'Create a new one.' => 'Stwórz nowe. ', - 'Don\'t have an account? Join the network by entering your e-mail address.' => 'Czy nie masz konta? Dołącz do sieci poprzez wprowadzenie Twojego adresu e-mail. ', - 'Forgot your password?' => 'Zapomniałeś swojego hasła? ', - 'If you\'re already a member, please login with your username/email and password.' => 'Jeżeli już jesteś członkiem, proszę zaloguj się używając swojej nazwy użytkownika/e-maila i hasła. ', - 'Register' => 'Zarejestruj się ', - 'Sign in' => 'Zaloguj się ', - 'email' => 'e-mail ', - 'password' => 'hasło ', - 'username or email' => 'nazwa użytkownika lub e-mail ', -]; +return array ( + 'Please sign in' => 'Proszę zaloguj się ', + 'Sign up' => 'Zarejestruj się', + 'Create a new one.' => 'Stwórz nowe. ', + 'Don\'t have an account? Join the network by entering your e-mail address.' => 'Czy nie masz konta? Dołącz do sieci poprzez wprowadzenie Twojego adresu e-mail. ', + 'Forgot your password?' => 'Zapomniałeś swojego hasła? ', + 'If you\'re already a member, please login with your username/email and password.' => 'Jeżeli już jesteś członkiem, proszę zaloguj się używając swojej nazwy użytkownika/e-maila i hasła. ', + 'Login' => 'Zaloguj', + 'Register' => 'Zarejestruj się ', + 'Remember me' => 'Zapamiętaj mnie', + 'Sign in' => 'Zaloguj się ', + 'email' => 'e-mail ', + 'password' => 'hasło ', + 'username or email' => 'nazwa użytkownika lub e-mail ', +); diff --git a/protected/humhub/modules/user/messages/pl/views_auth_recoverPassword.php b/protected/humhub/modules/user/messages/pl/views_auth_recoverPassword.php index 37df370a1a..d6b836be54 100644 --- a/protected/humhub/modules/user/messages/pl/views_auth_recoverPassword.php +++ b/protected/humhub/modules/user/messages/pl/views_auth_recoverPassword.php @@ -1,27 +1,10 @@ '', - 'Password recovery' => 'Odzyskiwanie hasła', - 'Back' => 'Wstecz', - 'Just enter your e-mail address. We´ll send you recovery instructions!' => 'Wprowadź swój adres e-mail. Wyślemy do ciebie instrukcje odzyskiwania hasła.', - 'Reset password' => 'Resetuj hasło', - 'enter security code above' => 'wprowadź powyższy kod bezpieczeństwa ', - 'your email' => 'twój e-mail ', -]; +return array ( + 'Password recovery' => 'Odzyskiwanie hasła', + 'Back' => 'Wstecz', + 'Just enter your e-mail address. We´ll send you recovery instructions!' => 'Wprowadź swój adres e-mail. Wyślemy do ciebie instrukcje odzyskiwania hasła.', + 'Password recovery' => 'Odzyskiwanie hasła', + 'Reset password' => 'Resetuj hasło', + 'enter security code above' => 'wprowadź powyższy kod bezpieczeństwa ', + 'your email' => 'twój e-mail ', +); diff --git a/protected/humhub/modules/user/messages/pl/views_auth_register_success.php b/protected/humhub/modules/user/messages/pl/views_auth_register_success.php index c7d2300bc2..6402b0a2ad 100644 --- a/protected/humhub/modules/user/messages/pl/views_auth_register_success.php +++ b/protected/humhub/modules/user/messages/pl/views_auth_register_success.php @@ -1,24 +1,7 @@ '', - 'Registration successful!' => 'Rejestracja przebiegła pomyślnie! ', - 'Please check your email and follow the instructions!' => 'Proszę sprawdź twój e-mail i podążaj za instrukcjami! ', - 'back to home' => 'powróć do strony domowej ', -]; +return array ( + 'Registration successful!' => 'Rejestracja przebiegła pomyślnie! ', + 'Please check your email and follow the instructions!' => 'Proszę sprawdź twój e-mail i podążaj za instrukcjami! ', + 'Registration successful' => 'Zarejestrowano pomyślnie!', + 'back to home' => 'powróć do strony domowej ', +); diff --git a/protected/humhub/modules/user/messages/pl/views_auth_resetPassword.php b/protected/humhub/modules/user/messages/pl/views_auth_resetPassword.php index c9977d4577..fd3c420986 100644 --- a/protected/humhub/modules/user/messages/pl/views_auth_resetPassword.php +++ b/protected/humhub/modules/user/messages/pl/views_auth_resetPassword.php @@ -1,24 +1,7 @@ '', - 'Change your password' => 'Zmień swoje hasło', - 'Back' => 'Wstecz', - 'Change password' => 'Zmień hasło', -]; +return array ( + 'Change your password' => 'Zmień swoje hasło', + 'Back' => 'Wstecz', + 'Change password' => 'Zmień hasło', + 'Password reset' => 'Resetowanie hasła', +); diff --git a/protected/humhub/modules/user/messages/pl/views_mails_UserInviteSelf.php b/protected/humhub/modules/user/messages/pl/views_mails_UserInviteSelf.php index 4f0c553dcb..5ba56148db 100644 --- a/protected/humhub/modules/user/messages/pl/views_mails_UserInviteSelf.php +++ b/protected/humhub/modules/user/messages/pl/views_mails_UserInviteSelf.php @@ -1,23 +1,6 @@ '', + 'Registration Link' => 'Odnośnik rejestracyjny', 'Sign up' => 'Zarejestruj się ', 'Welcome to %appName%' => 'Witaj w %appName%', 'Welcome to %appName%. Please click on the button below to proceed with your registration.' => 'Witaj w %appName%. Proszę kliknij poniższy przycisk aby rozpocząć proces rejestracji. ', diff --git a/protected/humhub/modules/user/messages/pl/views_mails_UserInviteSpace.php b/protected/humhub/modules/user/messages/pl/views_mails_UserInviteSpace.php index f2d0dacdd3..a701138672 100644 --- a/protected/humhub/modules/user/messages/pl/views_mails_UserInviteSpace.php +++ b/protected/humhub/modules/user/messages/pl/views_mails_UserInviteSpace.php @@ -1,28 +1,11 @@ A social network to increase your communication and teamwork.
Register now -to join this space.' => '', - 'Sign up now' => '', - 'Space Invite' => '', - '
A social network to increase your communication and teamwork.
Register now +return array ( + '
A social network to increase your communication and teamwork.
Register now to join this space.' => '
Sieć społecznościowa zwiększy twoją komunikację i pracę zespołową.
Zarejestruj się teraz aby dołączyć do tej strefy.', - 'You got a space invite' => 'Otrzymałeś zaproszenie do strefy', - 'invited you to the space:' => 'zaprosił cię do strefy: ', -]; + '
A social network to increase your communication and teamwork.
Register now +to join this space.' => '
Sieć społecznościowa wspomaga komunikację i pracę zespołową.
Zarejestruj się teraz aby dołączyć do strefy.', + 'Sign up now' => 'Zapisz się teraz', + 'Space Invite' => 'Zaproszenie do strefy', + 'You got a space invite' => 'Otrzymałeś zaproszenie do strefy', + 'invited you to the space:' => 'zaprosił cię do strefy: ', +); diff --git a/protected/humhub/modules/user/messages/pl/views_notifications_follow.php b/protected/humhub/modules/user/messages/pl/views_notifications_follow.php index fae1f02451..39935ae4bd 100644 --- a/protected/humhub/modules/user/messages/pl/views_notifications_follow.php +++ b/protected/humhub/modules/user/messages/pl/views_notifications_follow.php @@ -1,21 +1,4 @@ '', + '{userName} is now following you.' => '{userName} zaczął Cię obserwować.', ); diff --git a/protected/humhub/modules/user/messages/pl/views_profile_index.php b/protected/humhub/modules/user/messages/pl/views_profile_index.php index f3ed9d072d..11a88992eb 100644 --- a/protected/humhub/modules/user/messages/pl/views_profile_index.php +++ b/protected/humhub/modules/user/messages/pl/views_profile_index.php @@ -1,5 +1,5 @@ This profile stream is still empty!
' => '', - 'Your profile stream is still empty
Get started and post something...' => 'Twój strumień profilu jest wciąż pusty
Zacznij pisząc coś...', + 'This profile stream is still empty!' => 'Ten profil nie ma jeszcze treści!', + 'Your profile stream is still empty
Get started and post something...' => 'Twój strumień profilu jest wciąż pusty
Napisz coś!', ); diff --git a/protected/humhub/modules/user/messages/pl/views_setting_index.php b/protected/humhub/modules/user/messages/pl/views_setting_index.php index 68f93d35d8..42fd12d7de 100644 --- a/protected/humhub/modules/user/messages/pl/views_setting_index.php +++ b/protected/humhub/modules/user/messages/pl/views_setting_index.php @@ -1,4 +1,4 @@ '', + 'Do you really want to delete your logo image?' => 'Czy na pewno usunąć logo?', ); diff --git a/protected/humhub/modules/user/messages/pl/widgets_views_deleteBanner.php b/protected/humhub/modules/user/messages/pl/widgets_views_deleteBanner.php index ecacb2a0bd..a7a19c233e 100644 --- a/protected/humhub/modules/user/messages/pl/widgets_views_deleteBanner.php +++ b/protected/humhub/modules/user/messages/pl/widgets_views_deleteBanner.php @@ -1,7 +1,7 @@ Confirm image deleting' => '', + 'Confirm image deleting' => 'Potwierdź usunięcie obrazka', 'Cancel' => 'Anuluj', 'Delete' => 'Usuń', - 'Do you really want to delete your title image?' => '', + 'Do you really want to delete your title image?' => 'Czy na pewno chcesz usunąć obrazek tytułowy?', ); diff --git a/protected/humhub/modules/user/messages/pl/widgets_views_deleteImage.php b/protected/humhub/modules/user/messages/pl/widgets_views_deleteImage.php index 8995322798..00f274eda2 100644 --- a/protected/humhub/modules/user/messages/pl/widgets_views_deleteImage.php +++ b/protected/humhub/modules/user/messages/pl/widgets_views_deleteImage.php @@ -1,7 +1,7 @@ Confirm image deleting' => '', + 'Confirm image deleting' => 'Potwierdź usunięcie obrazka', 'Cancel' => 'Anuluj', 'Delete' => 'Usuń', - 'Do you really want to delete your profile image?' => '', + 'Do you really want to delete your profile image?' => 'Czy na pewno usunąć obrazek profilowy?', ); diff --git a/protected/humhub/modules/user/messages/pl/widgets_views_userSpaces.php b/protected/humhub/modules/user/messages/pl/widgets_views_userSpaces.php index 61f76dfe6f..da97e97a13 100644 --- a/protected/humhub/modules/user/messages/pl/widgets_views_userSpaces.php +++ b/protected/humhub/modules/user/messages/pl/widgets_views_userSpaces.php @@ -1,4 +1,4 @@ Member in these spaces' => 'Członkowie w tych strefach ', + 'Member in these spaces' => 'Członek stref', ); diff --git a/protected/humhub/modules/user/messages/pl/widgets_views_userWall.php b/protected/humhub/modules/user/messages/pl/widgets_views_userWall.php index 9cae376e7c..38c1b4c6ed 100644 --- a/protected/humhub/modules/user/messages/pl/widgets_views_userWall.php +++ b/protected/humhub/modules/user/messages/pl/widgets_views_userWall.php @@ -1,21 +1,4 @@ '', -]; +return array ( + 'User' => 'Użytkownik', +); diff --git a/protected/humhub/modules/user/messages/pt/base.php b/protected/humhub/modules/user/messages/pt/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/pt/base.php +++ b/protected/humhub/modules/user/messages/pt/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/pt/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/pt/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/pt/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/pt/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/pt/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/pt/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/pt/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/pt/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/pt_br/base.php b/protected/humhub/modules/user/messages/pt_br/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/pt_br/base.php +++ b/protected/humhub/modules/user/messages/pt_br/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/pt_br/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/pt_br/models_ProfileFieldType.php index 0c4652788f..0f456fe41a 100644 --- a/protected/humhub/modules/user/messages/pt_br/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/pt_br/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Aniversário', - 'Datetime' => 'Data e hora', - 'Number' => 'Número', - 'Select List' => 'Selecione a lista', - 'Text' => 'Texto', - 'Text Area' => 'Área de Texto', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Aniversário', + 'Datetime' => 'Data e hora', + 'Number' => 'Número', + 'Select List' => 'Selecione a lista', + 'Text' => 'Texto', + 'Text Area' => 'Área de Texto', +]; diff --git a/protected/humhub/modules/user/messages/pt_br/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/pt_br/models_ProfileFieldTypeBirthday.php index 65a66e8558..56f0e060a3 100644 --- a/protected/humhub/modules/user/messages/pt_br/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/pt_br/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y Anos', - 'Birthday field options' => 'Opções do campo aniversário', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y Anos', + 'Birthday field options' => 'Opções do campo aniversário', +]; diff --git a/protected/humhub/modules/user/messages/ro/base.php b/protected/humhub/modules/user/messages/ro/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/ro/base.php +++ b/protected/humhub/modules/user/messages/ro/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/ro/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/ro/models_ProfileFieldType.php index 4712c1883c..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/ro/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/ro/models_ProfileFieldType.php @@ -1,9 +1,27 @@ '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/ro/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/ro/models_ProfileFieldTypeBirthday.php index 926f77e7d6..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/ro/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/ro/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '', - 'Birthday field options' => '', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/ru/base.php b/protected/humhub/modules/user/messages/ru/base.php index d77233db67..681f135e76 100644 --- a/protected/humhub/modules/user/messages/ru/base.php +++ b/protected/humhub/modules/user/messages/ru/base.php @@ -1,6 +1,24 @@ 'Подтвердить новый пароль', - 'New password' => 'Новый пароль', - 'Password' => 'Пароль', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'No users found.' => '', + 'Confirm new password' => 'Подтвердить новый пароль', + 'New password' => 'Новый пароль', + 'Password' => 'Пароль', +]; diff --git a/protected/humhub/modules/user/messages/ru/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/ru/models_ProfileFieldType.php index 5b7aad89c3..63d2e49ce3 100644 --- a/protected/humhub/modules/user/messages/ru/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/ru/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'День рождения', - 'Datetime' => 'Дата', - 'Number' => 'Номер', - 'Select List' => 'Выбрать', - 'Text' => 'Текст', - 'Text Area' => 'Текстовое поле', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'День рождения', + 'Datetime' => 'Дата', + 'Number' => 'Номер', + 'Select List' => 'Выбрать', + 'Text' => 'Текст', + 'Text Area' => 'Текстовое поле', +]; diff --git a/protected/humhub/modules/user/messages/ru/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/ru/models_ProfileFieldTypeBirthday.php index 41da0739d3..3151f55564 100644 --- a/protected/humhub/modules/user/messages/ru/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/ru/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y лет', - 'Birthday field options' => 'Опции поля дня рождения', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y лет', + 'Birthday field options' => 'Опции поля дня рождения', +]; diff --git a/protected/humhub/modules/user/messages/ru/views_auth_login.php b/protected/humhub/modules/user/messages/ru/views_auth_login.php index 337dd43320..5a87edc05b 100644 --- a/protected/humhub/modules/user/messages/ru/views_auth_login.php +++ b/protected/humhub/modules/user/messages/ru/views_auth_login.php @@ -12,5 +12,5 @@ return array ( 'Sign in' => 'Войти', 'email' => 'email', 'password' => 'Пароль', - 'username or email' => 'Имя пользователя или пароль', + 'username or email' => 'Имя пользователя или Email', ); diff --git a/protected/humhub/modules/user/messages/sk/base.php b/protected/humhub/modules/user/messages/sk/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/sk/base.php +++ b/protected/humhub/modules/user/messages/sk/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/sk/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/sk/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/sk/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/sk/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/sk/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/sk/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/sk/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/sk/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/sv/base.php b/protected/humhub/modules/user/messages/sv/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/sv/base.php +++ b/protected/humhub/modules/user/messages/sv/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/sv/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/sv/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/sv/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/sv/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/sv/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/sv/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/sv/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/sv/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/th/base.php b/protected/humhub/modules/user/messages/th/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/th/base.php +++ b/protected/humhub/modules/user/messages/th/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/th/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/th/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/th/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/th/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/th/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/th/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/th/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/th/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/tr/base.php b/protected/humhub/modules/user/messages/tr/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/tr/base.php +++ b/protected/humhub/modules/user/messages/tr/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/tr/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/tr/models_ProfileFieldType.php index 8c3c063e1b..af6a388a74 100644 --- a/protected/humhub/modules/user/messages/tr/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/tr/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Doğumgünü', - 'Datetime' => 'Tarih zamanı', - 'Number' => 'Rakam', - 'Select List' => 'Seçim Listesi', - 'Text' => 'Yazı', - 'Text Area' => 'Yazı alanı', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Doğumgünü', + 'Datetime' => 'Tarih zamanı', + 'Number' => 'Rakam', + 'Select List' => 'Seçim Listesi', + 'Text' => 'Yazı', + 'Text Area' => 'Yazı alanı', +]; diff --git a/protected/humhub/modules/user/messages/tr/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/tr/models_ProfileFieldTypeBirthday.php index e010137d37..5a47af9119 100644 --- a/protected/humhub/modules/user/messages/tr/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/tr/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '%y Yıl', - 'Birthday field options' => 'Doğumgünü alanı seçenekleri', -); +return [ + 'Hide age per default' => '', + '%y Years' => '%y Yıl', + 'Birthday field options' => 'Doğumgünü alanı seçenekleri', +]; diff --git a/protected/humhub/modules/user/messages/uk/base.php b/protected/humhub/modules/user/messages/uk/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/uk/base.php +++ b/protected/humhub/modules/user/messages/uk/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/uk/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/uk/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/uk/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/uk/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/uk/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/uk/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/uk/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/uk/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/uz/base.php b/protected/humhub/modules/user/messages/uz/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/uz/base.php +++ b/protected/humhub/modules/user/messages/uz/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/uz/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/uz/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/uz/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/uz/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/uz/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/uz/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/uz/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/uz/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/messages/vi/base.php b/protected/humhub/modules/user/messages/vi/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/vi/base.php +++ b/protected/humhub/modules/user/messages/vi/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/vi/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/vi/models_ProfileFieldType.php index bf668ee9b3..c70b7b9c3e 100644 --- a/protected/humhub/modules/user/messages/vi/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/vi/models_ProfileFieldType.php @@ -1,9 +1,27 @@ 'Sinh nhật', - 'Datetime' => 'Ngày giờ', - 'Number' => 'Số', - 'Select List' => 'Danh sách', - 'Text' => 'Chữ', - 'Text Area' => 'Khung chữ', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Date' => '', + 'Birthday' => 'Sinh nhật', + 'Datetime' => 'Ngày giờ', + 'Number' => 'Số', + 'Select List' => 'Danh sách', + 'Text' => 'Chữ', + 'Text Area' => 'Khung chữ', +]; diff --git a/protected/humhub/modules/user/messages/vi/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/vi/models_ProfileFieldTypeBirthday.php index ec1a194ae5..72c326da6c 100644 --- a/protected/humhub/modules/user/messages/vi/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/vi/models_ProfileFieldTypeBirthday.php @@ -1,5 +1,23 @@ '%y tuổi', - 'Birthday field options' => 'Tùy chọn trường Sinh nhật', -); +/** + * Message translations. + * + * This file is automatically generated by 'yii message/extract' command. + * It contains the localizable messages extracted from source code. + * You may modify this file by translating the extracted messages. + * + * Each array element represents the translation (value) of a message (key). + * If the value is empty, the message is considered as not translated. + * Messages that no longer need translation will have their translations + * enclosed between a pair of '@@' marks. + * + * Message string can be used with plural forms format. Check i18n section + * of the guide for details. + * + * NOTE: this file must be saved in UTF-8 encoding. + */ +return [ + 'Hide age per default' => '', + '%y Years' => '%y tuổi', + 'Birthday field options' => 'Tùy chọn trường Sinh nhật', +]; diff --git a/protected/humhub/modules/user/messages/zh_cn/base.php b/protected/humhub/modules/user/messages/zh_cn/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/zh_cn/base.php +++ b/protected/humhub/modules/user/messages/zh_cn/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/zh_cn/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/zh_cn/models_ProfileFieldType.php index 1d5f4c6831..f11d83021f 100755 --- a/protected/humhub/modules/user/messages/zh_cn/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/zh_cn/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '生日', - 'Datetime' => '时间', - 'Number' => '号码', - 'Select List' => '选择列表', - 'Text' => '文本', - 'Text Area' => '文本域', -); +return [ + 'Date' => '', + 'Birthday' => '生日', + 'Datetime' => '时间', + 'Number' => '号码', + 'Select List' => '选择列表', + 'Text' => '文本', + 'Text Area' => '文本域', +]; diff --git a/protected/humhub/modules/user/messages/zh_cn/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/zh_cn/models_ProfileFieldTypeBirthday.php index 0dd07c6e50..2b7147e1c4 100755 --- a/protected/humhub/modules/user/messages/zh_cn/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/zh_cn/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '%y 年', - 'Birthday field options' => '生日区域选项', -); +return [ + 'Hide age per default' => '', + '%y Years' => '%y 年', + 'Birthday field options' => '生日区域选项', +]; diff --git a/protected/humhub/modules/user/messages/zh_tw/base.php b/protected/humhub/modules/user/messages/zh_tw/base.php index d11ffe2cd7..68dad3d4d3 100644 --- a/protected/humhub/modules/user/messages/zh_tw/base.php +++ b/protected/humhub/modules/user/messages/zh_tw/base.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yii message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -19,5 +19,6 @@ return [ 'Confirm new password' => '', 'New password' => '', + 'No users found.' => '', 'Password' => '', ]; diff --git a/protected/humhub/modules/user/messages/zh_tw/models_ProfileFieldType.php b/protected/humhub/modules/user/messages/zh_tw/models_ProfileFieldType.php index e964f00679..a14b00c3f2 100644 --- a/protected/humhub/modules/user/messages/zh_tw/models_ProfileFieldType.php +++ b/protected/humhub/modules/user/messages/zh_tw/models_ProfileFieldType.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,13 +14,14 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - 'Birthday' => '', - 'Datetime' => '', - 'Number' => '', - 'Select List' => '', - 'Text' => '', - 'Text Area' => '', -); +return [ + 'Birthday' => '', + 'Date' => '', + 'Datetime' => '', + 'Number' => '', + 'Select List' => '', + 'Text' => '', + 'Text Area' => '', +]; diff --git a/protected/humhub/modules/user/messages/zh_tw/models_ProfileFieldTypeBirthday.php b/protected/humhub/modules/user/messages/zh_tw/models_ProfileFieldTypeBirthday.php index a12a937ada..91123dfbe6 100644 --- a/protected/humhub/modules/user/messages/zh_tw/models_ProfileFieldTypeBirthday.php +++ b/protected/humhub/modules/user/messages/zh_tw/models_ProfileFieldTypeBirthday.php @@ -2,7 +2,7 @@ /** * Message translations. * - * This file is automatically generated by 'yiic message' command. + * This file is automatically generated by 'yii message/extract' command. * It contains the localizable messages extracted from source code. * You may modify this file by translating the extracted messages. * @@ -14,9 +14,10 @@ * Message string can be used with plural forms format. Check i18n section * of the guide for details. * - * NOTE, this file must be saved in UTF-8 encoding. + * NOTE: this file must be saved in UTF-8 encoding. */ -return array ( - '%y Years' => '', - 'Birthday field options' => '', -); +return [ + '%y Years' => '', + 'Birthday field options' => '', + 'Hide age per default' => '', +]; diff --git a/protected/humhub/modules/user/migrations/m160229_162959_multiusergroups.php b/protected/humhub/modules/user/migrations/m160229_162959_multiusergroups.php new file mode 100644 index 0000000000..f0bab2fa34 --- /dev/null +++ b/protected/humhub/modules/user/migrations/m160229_162959_multiusergroups.php @@ -0,0 +1,87 @@ +createTable('group_user', array( + 'id' => 'pk', + 'user_id' => 'int(11) NOT NULL', + 'group_id' => 'int(11) NOT NULL', + 'is_group_admin' => 'tinyint(1) NOT NULL DEFAULT 0', + 'created_at' => 'datetime DEFAULT NULL', + 'created_by' => 'int(11) DEFAULT NULL', + 'updated_at' => 'datetime DEFAULT NULL', + 'updated_by' => 'int(11) DEFAULT NULL', + ), ''); + + //Add indexes and foreign keys + $this->createIndex('idx-group_user', 'group_user', ['user_id', 'group_id'], true); + $this->addForeignKey('fk-user-group', 'group_user', 'user_id', 'user', 'id', 'CASCADE'); + $this->addForeignKey('fk-group-group', 'group_user', 'group_id', '`group`', 'id', 'CASCADE'); + + //Merge old group user and group admins + $this->execute('INSERT INTO group_user (user_id, group_id) SELECT DISTINCT id, group_id from user ;'); + $this->execute('UPDATE group_user u SET is_group_admin = :value WHERE EXISTS (Select 1 FROM group_admin a WHERE u.user_id = a.user_id);', [':value' => 1]); + + //Add group columns + $this->addColumn('group', 'is_admin_group', Schema::TYPE_BOOLEAN. ' NOT NULL DEFAULT 0'); + $this->addColumn('group', 'show_at_registration', Schema::TYPE_BOOLEAN. ' NOT NULL DEFAULT 1'); + $this->addColumn('group', 'show_at_directory', Schema::TYPE_BOOLEAN. ' NOT NULL DEFAULT 1'); + + //Create initial administration group + $this->insertSilent('group', [ + 'name' => 'Administrator', + 'description' => 'Administrator Group', + 'is_admin_group' => '1', + 'show_at_registration' => '0', + 'show_at_directory' => '0', + 'created_at' => new \yii\db\Expression('NOW()') + ]); + + //Determine administration group id + $adminGroupId = (new \yii\db\Query()) + ->select('id') + ->from('group') + ->where(['is_admin_group' => '1']) + ->scalar(); + + //Load current super_admin user + $rows = (new \yii\db\Query()) + ->select("id") + ->from('user') + ->where(['super_admin' => '1']) + ->all(); + + //Insert group_user for administartion groups for all current super_admins + foreach($rows as $adminUserRow) { + $this->insertSilent('group_user', ['user_id' => $adminUserRow['id'], 'group_id' => $adminGroupId, 'is_group_admin' => '1']); + } + + //$this->insertSilent('group_permission', ['permission_id' => 'user_admin', 'group_id' => $adminGroupId, 'module_id' => 'user', 'class' => 'humhub\modules\user\permissions']); + + $this->dropTable('group_admin'); + $this->dropColumn('user', 'super_admin'); + $this->dropColumn('user', 'group_id'); + } + + public function down() + { + echo "m160229_162959_multiusergroups cannot be reverted.\n"; + + return false; + } + + /* + // Use safeUp/safeDown to run migration code within a transaction + public function safeUp() + { + } + + public function safeDown() + { + } + */ +} diff --git a/protected/humhub/modules/user/migrations/m160408_100725_rename_groupadmin_to_manager.php b/protected/humhub/modules/user/migrations/m160408_100725_rename_groupadmin_to_manager.php new file mode 100644 index 0000000000..4cfcd97af1 --- /dev/null +++ b/protected/humhub/modules/user/migrations/m160408_100725_rename_groupadmin_to_manager.php @@ -0,0 +1,29 @@ +renameColumn('group_user', 'is_group_admin', 'is_group_manager'); + } + + public function down() + { + echo "m160408_100725_rename_groupadmin_to_manager cannot be reverted.\n"; + + return false; + } + + /* + // Use safeUp/safeDown to run migration code within a transaction + public function safeUp() + { + } + + public function safeDown() + { + } + */ +} diff --git a/protected/humhub/modules/user/models/Group.php b/protected/humhub/modules/user/models/Group.php index 8a2a4ad18c..2331a69d86 100644 --- a/protected/humhub/modules/user/models/Group.php +++ b/protected/humhub/modules/user/models/Group.php @@ -27,7 +27,9 @@ use humhub\modules\user\models\User; class Group extends \yii\db\ActiveRecord { - public $adminGuids; + const SCENARIO_EDIT = 'edit'; + + public $managerGuids; public $defaultSpaceGuid; /** @@ -44,8 +46,10 @@ class Group extends \yii\db\ActiveRecord public function rules() { return [ + [['managerGuids', 'name'], 'required', 'on' => self::SCENARIO_EDIT], + ['managerGuids', 'atleasOneAdminCheck', 'on' => self::SCENARIO_EDIT], [['space_id', 'created_by', 'updated_by'], 'integer'], - [['description', 'adminGuids', 'defaultSpaceGuid'], 'string'], + [['description', 'managerGuids', 'defaultSpaceGuid'], 'string'], [['created_at', 'updated_at'], 'safe'], [['name'], 'string', 'max' => 45] ]; @@ -54,7 +58,7 @@ class Group extends \yii\db\ActiveRecord public function scenarios() { $scenarios = parent::scenarios(); - $scenarios['edit'] = ['name', 'description', 'adminGuids', 'defaultSpaceGuid']; + $scenarios[self::SCENARIO_EDIT] = ['name', 'description', 'managerGuids', 'defaultSpaceGuid', 'show_at_registration', 'show_at_directory']; return $scenarios; } @@ -67,6 +71,7 @@ class Group extends \yii\db\ActiveRecord 'id' => 'ID', 'space_id' => 'Space ID', 'name' => 'Name', + 'managerGuids' => 'Manager', 'description' => 'Description', 'created_at' => 'Created At', 'created_by' => 'Created By', @@ -75,11 +80,16 @@ class Group extends \yii\db\ActiveRecord ]; } + public function atleasOneAdminCheck() + { + return !$this->show_at_registration || count(explode(",", $this->managerGuids) > 0); + } + public function beforeSave($insert) { - // When on edit form scenario, save also defaultSpaceGuid/adminGuids - if ($this->scenario == 'edit') { + // When on edit form scenario, save also defaultSpaceGuid/managerGuids + if ($this->scenario == self::SCENARIO_EDIT) { if ($this->defaultSpaceGuid == "") { $this->space_id = ""; } else { @@ -98,21 +108,33 @@ class Group extends \yii\db\ActiveRecord */ public function afterSave($insert, $changedAttributes) { - if ($this->scenario == 'edit') { - \humhub\modules\user\models\GroupAdmin::deleteAll(['group_id' => $this->id]); - $adminUsers = array(); - foreach (explode(",", $this->adminGuids) as $adminGuid) { - + if ($this->scenario == self::SCENARIO_EDIT) { + $managerGuids = explode(",", $this->managerGuids); + foreach ($managerGuids as $managerGuid) { // Ensure guids valid characters - $adminGuid = preg_replace("/[^A-Za-z0-9\-]/", '', $adminGuid); + $managerGuid = preg_replace("/[^A-Za-z0-9\-]/", '', $managerGuid); - // Try load user - $user = \humhub\modules\user\models\User::findOne(['guid' => $adminGuid]); + // Try to load user and get/create the GroupUser relation with isManager + $user = \humhub\modules\user\models\User::findOne(['guid' => $managerGuid]); if ($user != null) { - $groupAdmin = new GroupAdmin; - $groupAdmin->user_id = $user->id; - $groupAdmin->group_id = $this->id; - $groupAdmin->save(); + $groupUser = GroupUser::findOne(['group_id' => $this->id, 'user_id' => $user->id]); + if ($groupUser != null && !$groupUser->is_group_manager) { + $groupUser->is_group_manager = true; + $groupUser->save(); + } else { + $this->addUser($user, true); + } + } + } + + //Remove admins not contained in the selection + foreach ($this->getManager()->all() as $admin) { + if (!in_array($admin->guid, $managerGuids)) { + $groupUser = GroupUser::findOne(['group_id' => $this->id, 'user_id' => $admin->id]); + if ($groupUser != null) { + $groupUser->is_group_manager = false; + $groupUser->save(); + } } } } @@ -128,22 +150,103 @@ class Group extends \yii\db\ActiveRecord } } - public function populateAdminGuids() + public function populateManagerGuids() { - $this->adminGuids = ""; - foreach ($this->admins as $admin) { - $this->adminGuids .= $admin->user->guid . ","; + $this->managerGuids = ""; + foreach ($this->manager as $manager) { + $this->managerGuids .= $manager->guid . ","; } } - public function getAdmins() + /** + * Returns the admin group. + * @return type + */ + public static function getAdminGroup() { - return $this->hasMany(GroupAdmin::className(), ['group_id' => 'id']); + return self::findOne(['is_admin_group' => '1']); } + /** + * Returns all user which are defined as manager in this group as ActiveQuery. + * @return ActiveQuery + */ + public function getManager() + { + return $this->hasMany(User::className(), ['id' => 'user_id']) + ->via('groupUsers', function($query) { + $query->where(['is_group_manager' => '1']); + }); + } + + /** + * Checks if this group has at least one Manager assigned. + * @return boolean + */ + public function hasManager() + { + return $this->getManager()->count() > 0; + } + + /** + * Returns the GroupUser relation for a given user. + * @return boolean + */ + public function getGroupUser($user) + { + $userId = ($user instanceof User) ? $user->id : $user; + return GroupUser::findOne(['user_id' => $userId, 'group_id' => $this->id]); + } + + /** + * Returns all GroupUser relations for this group as ActiveQuery. + * @return ActiveQuery + */ + public function getGroupUsers() + { + return $this->hasMany(GroupUser::className(), ['group_id' => 'id']); + } + + /** + * Returns all member user of this group as ActiveQuery + * @return ActiveQuery + */ public function getUsers() { - return $this->hasMany(User::className(), ['user_id' => 'id']); + return $this->hasMany(User::className(), ['id' => 'user_id']) + ->via('groupUsers'); + } + + /** + * Checks if this group has at least one user assigned. + * @return boolean + */ + public function hasUsers() + { + return $this->getUsers()->count() > 0; + } + + /** + * Adds a user to the group. This function will skip if the user is already + * a member of the group. + * @param User $user + * @param type $isManager + */ + public function addUser($user, $isManager = false) + { + if($this->getGroupUser($user) != null) { + return; + } + + $userId = ($user instanceof User) ? $user->id : $user; + + $newGroupUser = new GroupUser(); + $newGroupUser->user_id = $userId; + $newGroupUser->group_id = $this->id; + $newGroupUser->created_at = new \yii\db\Expression('NOW()'); + $newGroupUser->created_by = Yii::$app->user->id; + $newGroupUser->is_group_manager = $isManager; + $newGroupUser->save(); } public function getSpace() @@ -157,32 +260,34 @@ class Group extends \yii\db\ActiveRecord * * @todo Create message template, move message into translation */ - public function notifyAdminsForUserApproval($user) + public static function notifyAdminsForUserApproval($user) { // No admin approval required if ($user->status != User::STATUS_NEED_APPROVAL || !\humhub\models\Setting::Get('needApproval', 'authentication_internal')) { return; } - foreach ($this->admins as $admin) { - if ($admin->user !== null) { - $approvalUrl = \yii\helpers\Url::to(["/admin/approval"], true); + if ($user->registrationGroupId == null) { + return; + } - $html = "Hello {$admin->user->displayName},

\n\n" . - "a new user {$user->displayName} needs approval.

\n\n" . - "Click here to validate:
\n\n" . - \yii\helpers\Html::a($approvalUrl, $approvalUrl) . "

\n"; + $group = self::findOne($user->registrationGroupId); - $mail = Yii::$app->mailer->compose(['html' => '@humhub//views/mail/TextOnly'], [ - 'message' => $html, - ]); - $mail->setFrom([\humhub\models\Setting::Get('systemEmailAddress', 'mailing') => \humhub\models\Setting::Get('systemEmailName', 'mailing')]); - $mail->setTo($admin->user->email); - $mail->setSubject(Yii::t('UserModule.models_User', "New user needs approval")); - $mail->send(); - } else { - Yii::warning("Could not load Group Admin User. Inconsistent Group Admin Record! User Id: " . $admin->user_id); - } + foreach ($group->manager as $manager) { + $approvalUrl = \yii\helpers\Url::to(["/admin/approval"], true); + + $html = "Hello {$manager->displayName},

\n\n" . + "a new user {$user->displayName} needs approval.

\n\n" . + "Click here to validate:
\n\n" . + \yii\helpers\Html::a($approvalUrl, $approvalUrl) . "

\n"; + + $mail = Yii::$app->mailer->compose(['html' => '@humhub//views/mail/TextOnly'], [ + 'message' => $html, + ]); + $mail->setFrom([\humhub\models\Setting::Get('systemEmailAddress', 'mailing') => \humhub\models\Setting::Get('systemEmailName', 'mailing')]); + $mail->setTo($manager->email); + $mail->setSubject(Yii::t('UserModule.models_User', "New user needs approval")); + $mail->send(); } return true; } @@ -202,10 +307,15 @@ class Group extends \yii\db\ActiveRecord return $groups; } } else { - $groups = self::find()->orderBy('name ASC')->all(); + $groups = self::find()->where(['show_at_registration' => '1'])->orderBy('name ASC')->all(); } return $groups; } + public static function getDirectoryGroups() + { + return self::find()->where(['show_at_directory' => '1'])->orderBy('name ASC')->all(); + } + } diff --git a/protected/humhub/modules/user/models/GroupUser.php b/protected/humhub/modules/user/models/GroupUser.php new file mode 100644 index 0000000000..7b644347f0 --- /dev/null +++ b/protected/humhub/modules/user/models/GroupUser.php @@ -0,0 +1,78 @@ + ['user_id', 'group_id'], 'message' => 'The combination of User ID and Group ID has already been taken.'] + ]; + } + + public function scenarios() + { + $scenarios = parent::scenarios(); + $scenarios[self::SCENARIO_REGISTRATION] = ['group_id']; + return $scenarios; + } + + /** + * @inheritdoc + */ + public function attributeLabels() + { + return [ + 'id' => 'ID', + 'user_id' => 'User ID', + 'group_id' => 'Group ID', + 'created_at' => 'Created At', + 'created_by' => 'Created By', + 'updated_at' => 'Updated At', + 'updated_by' => 'Updated By', + ]; + } + + public function getGroup() + { + return $this->hasOne(Group::className(), ['id' => 'group_id']); + } + + public function getUser() + { + return $this->hasOne(User::className(), ['id' => 'user_id']); + } + +} diff --git a/protected/humhub/modules/user/models/User.php b/protected/humhub/modules/user/models/User.php index f14cefb786..8093df90cf 100644 --- a/protected/humhub/modules/user/models/User.php +++ b/protected/humhub/modules/user/models/User.php @@ -11,7 +11,7 @@ namespace humhub\modules\user\models; use Yii; use yii\base\Exception; use humhub\modules\content\components\ContentContainerActiveRecord; -use humhub\modules\user\models\GroupAdmin; +use humhub\modules\user\models\GroupUser; use humhub\modules\user\components\ActiveQueryUser; use humhub\modules\friendship\models\Friendship; @@ -21,9 +21,7 @@ use humhub\modules\friendship\models\Friendship; * @property integer $id * @property string $guid * @property integer $wall_id - * @property integer $group_id * @property integer $status - * @property integer $super_admin * @property string $username * @property string $email * @property string $auth_mode @@ -70,7 +68,13 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte const USERGROUP_FRIEND = 'u_friend'; const USERGROUP_USER = 'u_user'; const USERGROUP_GUEST = 'u_guest'; - + + /** + * A initial group for the user assigned while registration. + * @var type + */ + public $registrationGroupId = null; + /** * @inheritdoc */ @@ -86,7 +90,7 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte { return [ [['username', 'email'], 'required'], - [['wall_id', 'group_id', 'status', 'super_admin', 'created_by', 'updated_by', 'visibility'], 'integer'], + [['wall_id', 'status', 'created_by', 'updated_by', 'visibility'], 'integer'], [['tags'], 'string'], [['last_activity_email', 'created_at', 'updated_at', 'last_login'], 'safe'], [['guid'], 'string', 'max' => 45], @@ -102,14 +106,25 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte [['wall_id'], 'unique'] ]; } + + public function isSystemAdmin() + { + return $this->getGroups()->where(['is_admin_group' => '1'])->count() > 0; + } public function __get($name) { - /** - * Ensure there is always a related Profile Model also when it's - * not really exists yet. - */ - if ($name == 'profile') { + + if($name == 'super_admin') { + /** + * Replacement for old super_admin flag version + */ + return $this->isSystemAdmin(); + } else if ($name == 'profile') { + /** + * Ensure there is always a related Profile Model also when it's + * not really exists yet. + */ $profile = parent::__get('profile'); if (!$this->isRelationPopulated('profile') || $profile === null) { $profile = new Profile(); @@ -125,9 +140,9 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte { $scenarios = parent::scenarios(); $scenarios['login'] = ['username', 'password']; - $scenarios['editAdmin'] = ['username', 'email', 'group_id', 'super_admin', 'status']; - $scenarios['registration_email'] = ['username', 'email', 'group_id']; - $scenarios['registration'] = ['username', 'group_id']; + $scenarios['editAdmin'] = ['username', 'email', 'status']; + $scenarios['registration_email'] = ['username', 'email']; + $scenarios['registration'] = ['username']; return $scenarios; } @@ -140,9 +155,7 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte 'id' => 'ID', 'guid' => 'Guid', 'wall_id' => 'Wall ID', - 'group_id' => 'Group ID', 'status' => 'Status', - 'super_admin' => 'Super Admin', 'username' => 'Username', 'email' => 'Email', 'auth_mode' => 'Auth Mode', @@ -213,12 +226,59 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte { return $this->hasOne(Profile::className(), ['user_id' => 'id']); } - - public function getGroup() + + /** + * Returns all GroupUser relations of this user as AcriveQuery + * @return type + */ + public function getGroupUsers() { - return $this->hasOne(Group::className(), ['id' => 'group_id']); + return $this->hasMany(GroupUser::className(), ['user_id' => 'id']); } + /** + * Returns all Group relations of this user as AcriveQuery + * @return AcriveQuery + */ + public function getGroups() + { + return $this->hasMany(Group::className(), ['id' => 'group_id'])->via('groupUsers'); + } + + /** + * Checks if the user has at least one group assigned. + * @return boolean + */ + public function hasGroup() + { + return $this->getGroups()->count() > 0; + } + + /** + * Returns all GroupUser relations this user is a manager of as AcriveQuery. + * @return AcriveQuery + */ + public function getManagerGroupsUser() + { + return $this->getGroupUsers()->where(['is_group_manager' => '1']); + } + + /** + * Returns all Groups this user is a maanger of as AcriveQuery. + * @return AcriveQuery + */ + public function getManagerGroups() + { + return $this->hasMany(Group::className(), ['id' => 'group_id'])->via('groupUsers', function($query) { + $query->andWhere(['is_group_manager' => '1']); + }); + } + + /** + * Returns all user this user is related as friend as AcriveQuery. + * Returns null if the friendship module is deactivated. + * @return AcriveQuery + */ public function getFriends() { if(Yii::$app->getModule('friendship')->getIsEnabled()) { @@ -265,7 +325,7 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte Follow::deleteAll(['object_model' => $this->className(), 'object_id' => $this->id]); Password::deleteAll(['user_id' => $this->id]); Profile::deleteAll(['user_id' => $this->id]); - GroupAdmin::deleteAll(['user_id' => $this->id]); + GroupUser::deleteAll(['user_id' => $this->id]); Session::deleteAll(['user_id' => $this->id]); Setting::deleteAll(['user_id' => $this->id]); @@ -298,30 +358,12 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte if ($this->status == "") { $this->status = self::STATUS_ENABLED; } - - if ((\humhub\models\Setting::Get('defaultUserGroup', 'authentication_internal'))) { - $this->group_id = \humhub\models\Setting::Get('defaultUserGroup', 'authentication_internal'); - } } if ($this->time_zone == "") { $this->time_zone = \humhub\models\Setting::Get('timeZone'); } - if ($this->group_id == "") { - // Try autoset group - $availableGroups = Group::getRegistrationGroups(); - $defaultUserGroup = \humhub\models\Setting::Get('defaultUserGroup', 'authentication_internal'); - if ($defaultUserGroup != '') { - $this->group_id = $defaultUserGroup; - } elseif (isset($availableGroups[0])) { - // Fallback to first available group - $this->group_id = $availableGroups[0]->id; - } else { - throw new \yii\base\Exception("Could not save user without group!"); - } - } - return parent::beforeSave($insert); } @@ -341,7 +383,7 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte if ($this->status == User::STATUS_ENABLED) { $this->setUpApproved(); } else { - $this->group->notifyAdminsForUserApproval($this); + Group::notifyAdminsForUserApproval($this); } $this->profile->user_id = $this->id; } @@ -370,13 +412,13 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte } // Auto Assign User to the Group Space - $group = Group::findOne(['id' => $this->group_id]); + /*$group = Group::findOne(['id' => $this->group_id]); if ($group != null && $group->space_id != "") { $space = \humhub\modules\space\models\Space::findOne(['id' => $group->space_id]); if ($space !== null) { $space->addMember($this->id); } - } + }*/ // Auto Add User to the default spaces foreach (\humhub\modules\space\models\Space::findAll(['auto_add_new_members' => 1]) as $space) { @@ -539,15 +581,11 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte */ public function canApproveUsers() { - if ($this->super_admin == 1) { + if ($this->isSystemAdmin()) { return true; } - - if (GroupAdmin::find()->where(['user_id' => $this->id])->count() != 0) { - return true; - } - - return false; + + return $this->getManagerGroups()->count() > 0; } /** @@ -559,6 +597,7 @@ class User extends ContentContainerActiveRecord implements \yii\web\IdentityInte } /** + * TODO: deprecated * @inheritdoc */ public function getUserGroup() diff --git a/protected/humhub/modules/user/models/UserFilter.php b/protected/humhub/modules/user/models/UserFilter.php index 6b40329cd8..9e95baaf7f 100644 --- a/protected/humhub/modules/user/models/UserFilter.php +++ b/protected/humhub/modules/user/models/UserFilter.php @@ -37,6 +37,7 @@ class UserFilter extends User } /** + * @deprecated since version number * Default implementation for user picker filter. * * @param type $keywords @@ -110,6 +111,19 @@ class UserFilter extends User return self::filter($this->getFriends(), $keywords, $maxResults, $permission); } + /** + * Returns an array of user models filtered by a $keyword and $permission. These filters + * are added to the provided $query. The $keyword filter can be used to filter the users + * by email, username, firstname, lastname and title. By default this functions does not + * consider inactive user. + * + * @param type $query + * @param type $keywords + * @param type $maxResults + * @param type $permission + * @param type $active + * @return type + */ public static function filter($query, $keywords = null, $maxResults = null, $permission = null, $active = null) { $user = self::addQueryFilter($query, $keywords, $maxResults, $active)->all(); @@ -147,6 +161,7 @@ class UserFilter extends User ] ); } + return $query; } /** diff --git a/protected/humhub/modules/user/models/fieldtype/Birthday.php b/protected/humhub/modules/user/models/fieldtype/Birthday.php index 79ce72324b..af234c02b4 100644 --- a/protected/humhub/modules/user/models/fieldtype/Birthday.php +++ b/protected/humhub/modules/user/models/fieldtype/Birthday.php @@ -39,17 +39,19 @@ class Birthday extends Date */ public function getFormDefinition($definition = array()) { - - $definition = parent::getFormDefinition(); - $definition[self::className()]['title'] = Yii::t('UserModule.models_ProfileFieldTypeBirthday', 'Birthday field options'); - $definition[self::className()]['elements'] = [ - 'defaultHideAge' => array( - 'type' => 'checkbox', - 'label' => Yii::t('UserModule.models_ProfileFieldTypeBirthday', 'Hide age per default'), - 'class' => 'form-control', - ), - ]; - return $definition; + return parent::getFormDefinition([ + get_class($this) => [ + 'type' => 'form', + 'title' => Yii::t('UserModule.models_ProfileFieldTypeBirthday', 'Birthday field options'), + 'elements' => [ + 'defaultHideAge' => [ + 'type' => 'checkbox', + 'label' => Yii::t('UserModule.models_ProfileFieldTypeBirthday', 'Hide age per default'), + 'class' => 'form-control', + ], + ] + ] + ]); } public function delete() diff --git a/protected/humhub/modules/user/models/fieldtype/Date.php b/protected/humhub/modules/user/models/fieldtype/Date.php index 311ad83f6c..8cb3b26caa 100644 --- a/protected/humhub/modules/user/models/fieldtype/Date.php +++ b/protected/humhub/modules/user/models/fieldtype/Date.php @@ -46,6 +46,14 @@ class Date extends BaseType ]; return parent::getFieldRules($rules); } + + /** + * @inheritdoc + */ + public function getFormDefinition($definition = array()) + { + return count($definition) > 0 ? parent::getFormDefinition($definition) : []; + } /** * @inheritdoc diff --git a/protected/humhub/modules/user/models/forms/Registration.php b/protected/humhub/modules/user/models/forms/Registration.php index 5deae145c2..7978657e3c 100644 --- a/protected/humhub/modules/user/models/forms/Registration.php +++ b/protected/humhub/modules/user/models/forms/Registration.php @@ -14,6 +14,7 @@ use humhub\compat\HForm; use humhub\modules\user\models\User; use humhub\modules\user\models\Profile; use humhub\modules\user\models\Password; +use humhub\modules\user\models\GroupUser; /** * Description of Registration @@ -47,7 +48,12 @@ class Registration extends HForm * @var Password */ private $_password = null; - + + /** + * @var Group Id + */ + private $_groupUser = null; + /** * @var Profile */ @@ -81,6 +87,7 @@ class Registration extends HForm $this->definition = []; $this->definition['elements'] = []; $this->definition['elements']['User'] = $this->getUserFormDefinition(); + $this->definition['elements']['GroupUser'] = $this->getGroupFormDefinition(); if ($this->enablePasswordForm) { $this->definition['elements']['Password'] = $this->getPasswordFormDefinition(); } @@ -101,19 +108,6 @@ class Registration extends HForm */ protected function getUserFormDefinition() { - $groupModels = \humhub\modules\user\models\Group::find()->orderBy('name ASC')->all(); - $defaultUserGroup = \humhub\models\Setting::Get('defaultUserGroup', 'authentication_internal'); - $groupFieldType = "dropdownlist"; - if ($defaultUserGroup != "") { - $groupFieldType = "hidden"; - } else if (count($groupModels) == 1) { - $groupFieldType = "hidden"; - $defaultUserGroup = $groupModels[0]->id; - } - if ($groupFieldType == 'hidden') { - $this->getUser()->group_id = $defaultUserGroup; - } - $form = array( 'type' => 'form', 'title' => Yii::t('UserModule.controllers_AuthController', 'Account'), @@ -131,12 +125,6 @@ class Registration extends HForm 'class' => 'form-control', ]; } - $form['elements']['group_id'] = [ - 'type' => $groupFieldType, - 'class' => 'form-control', - 'items' => ArrayHelper::map($groupModels, 'id', 'name'), - 'value' => $defaultUserGroup, - ]; return $form; } @@ -164,6 +152,32 @@ class Registration extends HForm ), ); } + + protected function getGroupFormDefinition() + { + $groupModels = \humhub\modules\user\models\Group::getRegistrationGroups(); + $defaultUserGroup = \humhub\models\Setting::Get('defaultUserGroup', 'authentication_internal'); + $groupFieldType = "dropdownlist"; + + if ($defaultUserGroup != "") { + $groupFieldType = "hidden"; + } else if (count($groupModels) == 1) { + $groupFieldType = "hidden"; + $defaultUserGroup = $groupModels[0]->id; + } + + return [ + 'type' => 'form', + 'elements' => [ + 'group_id' => [ + 'type' => $groupFieldType, + 'class' => 'form-control', + 'items' => ArrayHelper::map($groupModels, 'id', 'name'), + 'value' => $defaultUserGroup, + ] + ] + ]; + } /** * Set models User, Profile and Password to Form @@ -173,6 +187,7 @@ class Registration extends HForm // Set Models $this->models['User'] = $this->getUser(); $this->models['Profile'] = $this->getProfile(); + $this->models['GroupUser'] = $this->getGroupUser(); if ($this->enablePasswordForm) { $this->models['Password'] = $this->getPassword(); } @@ -213,6 +228,7 @@ class Registration extends HForm $this->models['User']->language = Yii::$app->language; if ($this->enableUserApproval) { $this->models['User']->status = User::STATUS_NEED_APPROVAL; + $this->models['User']->registrationGroupId = $this->models['GroupUser']->group_id; } if ($this->models['User']->save()) { @@ -221,6 +237,9 @@ class Registration extends HForm $this->models['Profile']->user_id = $this->models['User']->id; $this->models['Profile']->save(); + $this->models['GroupUser']->user_id = $this->models['User']->id; + $this->models['GroupUser']->save(); + if ($this->enablePasswordForm) { // Save User Password $this->models['Password']->user_id = $this->models['User']->id; @@ -287,5 +306,20 @@ class Registration extends HForm return $this->_password; } + + /** + * Returns Password model + * + * @return Password + */ + public function getGroupUser() + { + if ($this->_groupUser === null) { + $this->_groupUser = new GroupUser(); + $this->_groupUser->scenario = GroupUser::SCENARIO_REGISTRATION; + } + + return $this->_groupUser; + } } diff --git a/protected/humhub/modules/user/notifications/Mentioned.php b/protected/humhub/modules/user/notifications/Mentioned.php index d24bcaa429..5dabb0ae7a 100644 --- a/protected/humhub/modules/user/notifications/Mentioned.php +++ b/protected/humhub/modules/user/notifications/Mentioned.php @@ -40,6 +40,11 @@ class Mentioned extends BaseNotification return parent::send($user); } + + public static function getTitle() + { + return Yii::t('UserModule.notifiations_Mentioned', 'Mentioned'); + } } diff --git a/protected/humhub/modules/user/permissions/SuperAdminPermition.php b/protected/humhub/modules/user/permissions/SuperAdminPermition.php new file mode 100644 index 0000000000..ee56684e2b --- /dev/null +++ b/protected/humhub/modules/user/permissions/SuperAdminPermition.php @@ -0,0 +1,45 @@ + - field($model, 'newPassword')->textInput(['maxlength' => 45]); ?> + field($model, 'newPassword')->passwordInput(['maxlength' => 45]); ?> - field($model, 'newPasswordConfirm')->textInput(['maxlength' => 45]); ?> + field($model, 'newPasswordConfirm')->passwordInput(['maxlength' => 45]); ?>
'btn btn-primary')); ?> diff --git a/protected/humhub/modules/user/views/layouts/main.php b/protected/humhub/modules/user/views/layouts/main.php index bd6d96dd0e..c1be348510 100644 --- a/protected/humhub/modules/user/views/layouts/main.php +++ b/protected/humhub/modules/user/views/layouts/main.php @@ -2,6 +2,7 @@ use yii\helpers\Html; use humhub\assets\AppAsset; +use humhub\models\Setting; /* @var $this \yii\web\View */ /* @var $content string */ @@ -78,7 +79,7 @@ AppAsset::register($this); $('body').find(':checkbox, :radio').flatelements(); - + endBody() ?>
Powered by HumHub diff --git a/protected/humhub/modules/user/views/layouts/main_auth.php b/protected/humhub/modules/user/views/layouts/main_auth.php deleted file mode 100644 index 87bf87c486..0000000000 --- a/protected/humhub/modules/user/views/layouts/main_auth.php +++ /dev/null @@ -1,90 +0,0 @@ - - - - - - - <?php echo CHtml::encode($this->pageTitle); ?> - - - - - - - - - clientScript->registerCssFile(Yii::app()->baseUrl . '/css/animate.min.css'); - Yii::app()->clientScript->registerCssFile(Yii::app()->baseUrl . '/css/bootstrap.min.css'); - Yii::app()->clientScript->registerCssFile(Yii::app()->baseUrl . '/css/animate.min.css'); - Yii::app()->clientScript->registerCssFile(Yii::app()->baseUrl . '/css/style.css'); - Yii::app()->clientScript->registerCssFile(Yii::app()->baseUrl . '/css/flatelements.css'); - Yii::app()->clientScript->registerCssFile(Yii::app()->baseUrl . '/resources/font-awesome/css/font-awesome.min.css'); - - - Yii::app()->clientScript->registerScriptFile(Yii::app()->baseUrl . '/js/bootstrap.min.js'); - Yii::app()->clientScript->registerScriptFile(Yii::app()->baseUrl . '/js/modernizr.js'); - Yii::app()->clientScript->registerScriptFile(Yii::app()->baseUrl . '/js/jquery.cookie.js'); - Yii::app()->clientScript->registerScriptFile(Yii::app()->baseUrl . '/js/jquery.flatelements.js'); - Yii::app()->clientScript->registerScriptFile(Yii::app()->baseUrl . '/js/jquery.placeholder.js'); - ?> - - - - - - - - renderPartial('application.views.layouts.head'); ?> - - - - - - - - - - - - - - - - - - - - - subLayout) && $this->subLayout != "") : ?> - renderPartial($this->subLayout, array('content' => $content)); ?> - - - - - - - - - - -
- Powered by HumHub -
- - - diff --git a/protected/humhub/modules/user/widgets/ProfileHeader.php b/protected/humhub/modules/user/widgets/ProfileHeader.php index ffdf2ec09f..a1f36ba775 100644 --- a/protected/humhub/modules/user/widgets/ProfileHeader.php +++ b/protected/humhub/modules/user/widgets/ProfileHeader.php @@ -45,7 +45,7 @@ class ProfileHeader extends \yii\base\Widget // Check if profile header can be edited if (!Yii::$app->user->isGuest) { - if (Yii::$app->user->getIdentity()->super_admin === 1 && Yii::$app->params['user']['adminCanChangeProfileImages']) { + if (Yii::$app->user->getIdentity()->isSystemAdmin() && Yii::$app->params['user']['adminCanChangeProfileImages']) { $this->isProfileOwner = true; } elseif (Yii::$app->user->id == $this->user->id) { $this->isProfileOwner = true; diff --git a/protected/humhub/modules/user/widgets/UserListBox.php b/protected/humhub/modules/user/widgets/UserListBox.php index bd2ac7985f..b7ecbba83c 100644 --- a/protected/humhub/modules/user/widgets/UserListBox.php +++ b/protected/humhub/modules/user/widgets/UserListBox.php @@ -2,7 +2,7 @@ /** * @link https://www.humhub.org/ - * @copyright Copyright (c) 2015 HumHub GmbH & Co. KG + * @copyright Copyright (c) 2016 HumHub GmbH & Co. KG * @license https://www.humhub.com/licences */ @@ -42,7 +42,7 @@ class UserListBox extends \yii\base\Widget /** * @var int displayed users per page */ - public $pageSize = 25; + public $pageSize = 8; /** * @inheritdoc diff --git a/protected/humhub/modules/user/widgets/UserPicker.php b/protected/humhub/modules/user/widgets/UserPicker.php index a2f3ebcb05..480a3f8ab2 100644 --- a/protected/humhub/modules/user/widgets/UserPicker.php +++ b/protected/humhub/modules/user/widgets/UserPicker.php @@ -5,6 +5,7 @@ namespace humhub\modules\user\widgets; use Yii; use yii\helpers\Html; use \yii\helpers\Url; +use humhub\modules\user\models\UserFilter; /** * UserPickerWidget displays a user picker instead of an input field. @@ -144,6 +145,86 @@ class UserPicker extends \yii\base\Widget ]); } + /** + * Creates a json user array used in the userpicker js frontend. + * The $cfg is used to specify the filter values the following values are available: + * + * query - (ActiveQuery) The initial query which is used to append additional filters. - default = User Friends if friendship module is enabled else User::find() + * + * active - (boolean) Specifies if only active user should be included in the result - default = true + * + * maxResults - (int) The max number of entries returned in the array - default = 10 + * + * keyword - (string) A keyword which filters user by username, firstname, lastname, email and title + * + * permission - (BasePermission) An additional permission filter + * + * fillQuery - (ActiveQuery) Can be used to fill the result array if the initial query does not return the maxResults, these results will have a lower priority + * + * fillUser - (boolean) When set to true and no fillQuery is given the result is filled with User::find() results + * + * disableFillUser - Specifies if the results of the fillQuery should be disabled in the userpicker results - default = true + * + * @param type $cfg filter configuration + * @return type json representation used by the userpicker + */ + public static function filter($cfg = null) + { + $defaultCfg = [ + 'active' => true, + 'maxResult' => 10, + 'disableFillUser' => true, + 'keyword' => null, + 'permission' => null, + 'fillQuery' => null, + 'fillUser' => false + ]; + + $cfg = ($cfg == null) ? $defaultCfg : array_merge($defaultCfg, $cfg); + + //If no initial query is given we use getFriends if friendship module is enabled otherwise all users + if(!isset($cfg['query'])) { + $cfg['query'] = (Yii::$app->getModule('friendship')->getIsEnabled()) + ? Yii::$app->user->getIdentity()->getFriends() + : UserFilter::find(); + } + + //Filter the initial query and disable user without the given permission + $user = UserFilter::filter($cfg['query'], $cfg['keyword'], $cfg['maxResult'], null, $cfg['active']); + $jsonResult = self::asJSON($user, $cfg['permission'], 2); + + //Fill the result with additional users if it's allowed and the result count less than maxResult + if(count($user) < $cfg['maxResult'] && (isset($cfg['fillQuery']) || $cfg['fillUser']) ) { + + //Filter out users by means of the fillQuery or default the fillQuery + $fillQuery = (isset($cfg['fillQuery'])) ? $cfg['fillQuery'] : UserFilter::find(); + UserFilter::addKeywordFilter($fillQuery, $cfg['keyword'], ($cfg['maxResult'] - count($user))); + $fillQuery->andFilterWhere(['not in', 'id', self::getUserIdArray($user)]); + $fillUser = $fillQuery->all(); + + //Either the additional users are disabled (by default) or we disable them by permission + $disableCondition = (isset($cfg['permission'])) ? $cfg['permission'] : $cfg['disableFillUser']; + $jsonResult = array_merge($jsonResult, UserPicker::asJSON($fillUser, $disableCondition, 1)); + } + + return $jsonResult; + } + + /** + * Assambles all user Ids of the given $users into an array + * + * @param array $users array of user models + * @return array user id array + */ + private static function getUserIdArray($users) + { + $result = []; + foreach($users as $user) { + $result[] = $user->id; + } + return $result; + } + /** * Creates an json result with user information arrays. A user will be marked * as disabled, if the permission check fails on this user. @@ -152,18 +233,18 @@ class UserPicker extends \yii\base\Widget * @param type $permission * @return type */ - public static function asJSON($users, $permission = null) + public static function asJSON($users, $permission = null, $priority = null) { if (is_array($users)) { $result = []; foreach ($users as $user) { if ($user != null) { - $result[] = self::createJSONUserInfo($user, $permission); + $result[] = self::createJSONUserInfo($user, $permission, $priority); } } return $result; } else { - return self::createJsonUserInfo($users, $permission); + return self::createJsonUserInfo($users, $permission, $priority); } } diff --git a/protected/humhub/modules/user/widgets/views/profileHeader.php b/protected/humhub/modules/user/widgets/views/profileHeader.php index d31202e688..04217175ab 100644 --- a/protected/humhub/modules/user/widgets/views/profileHeader.php +++ b/protected/humhub/modules/user/widgets/views/profileHeader.php @@ -84,7 +84,7 @@ if ($isProfileOwner) { 'linkContent' => '', 'cssClass' => 'btn btn-danger btn-sm', 'style' => $user->getProfileBannerImage()->hasImage() ? '' : 'display: none;', - 'linkHref' => Url::to(["/user/account/delete-profile-image", 'type' => 'banner', 'userGuid' => $user->guid]), + 'linkHref' => Url::to(["/user/account/delete-profile-image", 'type' => 'banner', 'userGuid' => $user->guid]), 'confirmJS' => 'function(jsonResp) { resetProfileImage(jsonResp); }' )); ?> @@ -164,7 +164,7 @@ if ($isProfileOwner) { 'linkContent' => '', 'cssClass' => 'btn btn-danger btn-sm', 'style' => $user->getProfileImage()->hasImage() ? '' : 'display: none;', - 'linkHref' => Url::to(["/user/account/delete-profile-image", 'type' => 'profile', 'userGuid' => $user->guid]), + 'linkHref' => Url::to(["/user/account/delete-profile-image", 'type' => 'profile', 'userGuid' => $user->guid]), 'confirmJS' => 'function(jsonResp) { resetProfileImage(jsonResp); }' )); ?> @@ -185,30 +185,35 @@ if ($isProfileOwner) {
-
- -
- -
+ +
+ +
+ +
+
-
- -
- -
- -
- -
- -
- -
-
- -
- + +
+ +
+ +
+
+ +
+ +
+ +
+
+ +
+
+ +
+
diff --git a/protected/humhub/modules/user/widgets/views/userListBox.php b/protected/humhub/modules/user/widgets/views/userListBox.php index 90b0832c1b..4198c50b60 100644 --- a/protected/humhub/modules/user/widgets/views/userListBox.php +++ b/protected/humhub/modules/user/widgets/views/userListBox.php @@ -14,7 +14,15 @@ use yii\helpers\Html;
+ + + + +
+
    @@ -27,12 +35,8 @@ use yii\helpers\Html; height="50" alt="50x50" data-src="holder.js/50x50" style="width: 50px; height: 50px;"> -
    -

    displayName); ?> - group != null) { ?> - (group->name); ?>) -

    +

    displayName); ?>

    profile->title); ?>
diff --git a/protected/humhub/widgets/RichText.php b/protected/humhub/widgets/RichText.php index 01991c2351..cdd1b2236c 100644 --- a/protected/humhub/widgets/RichText.php +++ b/protected/humhub/widgets/RichText.php @@ -2,7 +2,7 @@ /** * @link https://www.humhub.org/ - * @copyright Copyright (c) 2015 HumHub GmbH & Co. KG + * @copyright Copyright (c) 2016 HumHub GmbH & Co. KG * @license https://www.humhub.com/licences */ @@ -100,7 +100,11 @@ class RichText extends \humhub\components\Widget $this->text = \humhub\libs\Helpers::truncateText($this->text, $this->maxLength); } - $output = nl2br($this->text); + if (!$this->minimal) { + $output = nl2br($this->text); + } else { + $output = $this->text; + } $this->trigger(self::EVENT_BEFORE_OUTPUT, new ParameterEvent(['output' => &$output])); diff --git a/resources/space/followButton.js b/resources/space/followButton.js new file mode 100644 index 0000000000..2e43738079 --- /dev/null +++ b/resources/space/followButton.js @@ -0,0 +1,27 @@ +$(document).on('click', '.unfollowSpaceButton', function (event) { + event.preventDefault(); + var spaceid = $(this).data("spaceid"); + $.ajax({ + url: $(this).attr("href"), + type: "POST", + success: function () { + $(".unfollowSpaceButton[data-spaceid='" + spaceid + "']").hide(); + $(".followSpaceButton[data-spaceid='" + spaceid + "']").show(); + } + }); + +}); + +$(document).on('click', '.followSpaceButton', function (event) { + event.preventDefault(); + var spaceid = $(this).data("spaceid"); + $.ajax({ + url: $(this).attr("href"), + type: "POST", + success: function () { + $(".unfollowSpaceButton[data-spaceid='" + spaceid + "']").show(); + $(".followSpaceButton[data-spaceid='" + spaceid + "']").hide(); + } + }); + +}); \ No newline at end of file diff --git a/resources/user/profileHeaderImageUpload.js b/resources/user/profileHeaderImageUpload.js index 13c54f10cf..043a0a866e 100644 --- a/resources/user/profileHeaderImageUpload.js +++ b/resources/user/profileHeaderImageUpload.js @@ -113,6 +113,8 @@ function resetProfileImage(json) { if (json.type == 'profile') { $('#user-profile-image img').attr('src', json.defaultUrl); $('#user-profile-image').attr('src', json.defaultUrl); + $('#deleteLinkPost_modal_profileimagedelete').hide(); + $('#profile-image-upload-edit-button').hide(); } else if (json.type == "banner") { $('#user-banner-image').attr('src', json.defaultUrl); } @@ -137,7 +139,7 @@ $(document).ready(function() { // show buttons also at buttons rollover (better: prevent the mouseleave event) $('#profile-image-upload-buttons').mouseover(function() { $('#profile-image-upload-buttons').show(); - }) + }); // hide buttons at image mouse leave $('#profilefileupload').mouseleave(function() { diff --git a/resources/user/userpicker.js b/resources/user/userpicker.js index 123c7eac3c..54001d317b 100644 --- a/resources/user/userpicker.js +++ b/resources/user/userpicker.js @@ -247,7 +247,7 @@ $.fn.userpicker = function (options) { // remove existings entries $('#' + uniqueID + '_userpicker li').remove(); - // quick sort by disabled/enabled and contains keyword + // sort by disabled/enabled and contains keyword json.sort(function(a,b) { if(a.disabled !== b.disabled) { return (a.disabled < b.disabled) ? -1 : 1; @@ -265,14 +265,13 @@ $.fn.userpicker = function (options) { if (json.length > 0) { - for (var i = 0; i < json.length; i++) { var _takenStyle = ""; var _takenData = false; - + // set options to link, that this entry is already taken or not available - if (json[i].disabled == true || $('#' + uniqueID + '_' + json[i].guid).length != 0 || json[i].isMember == true || json[i].guid == options.userGuid) { + if (json[i].disabled == true || $('#' + uniqueID + '_' + json[i].guid).length || $('#'+json[i].guid).length || json[i].isMember == true || json[i].guid == options.userGuid) { _takenStyle = "opacity: 0.4;" _takenData = true; } @@ -335,9 +334,9 @@ $.fn.userpicker = function (options) { // Add an usertag for invitation $.fn.userpicker.addUserTag = function (guid, image_url, name, id) { - + if ($('#user_' + guid + ' a').attr('data-taken') != "true") { - + // Building a new
  • entry var _tagcode = '
  • 24x24' + name + '
  • '; diff --git a/themes/HumHub/css/theme.css b/themes/HumHub/css/theme.css index 2c08eac588..bbad90a328 100755 --- a/themes/HumHub/css/theme.css +++ b/themes/HumHub/css/theme.css @@ -1 +1 @@ -.colorDefault{color:#ededed}.backgroundDefault{background:#ededed}.borderDefault{border-color:#ededed}.colorPrimary{color:#708fa0 !important}.backgroundPrimary{background:#708fa0 !important}.borderPrimary{border-color:#708fa0 !important}.colorInfo{color:#6fdbe8 !important}.backgroundInfo{background:#6fdbe8 !important}.borderInfo{border-color:#6fdbe8 !important}.colorSuccess{color:#97d271 !important}.backgroundSuccess{background:#97d271 !important}.borderSuccess{border-color:#97d271 !important}.colorWarning{color:#fdd198 !important}.backgroundWarning{background:#fdd198 !important}.borderWarning{border-color:#fdd198 !important}.colorDanger{color:#ff8989 !important}.backgroundDanger{background:#ff8989 !important}.borderDanger{border-color:#ff8989 !important}.colorFont1{color:#bac2c7 !important}.colorFont2{color:#7a7a7a !important}.colorFont3{color:#555 !important}.colorFont4{color:#bebebe !important}.colorFont5{color:#aeaeae !important}body{padding-top:130px;background-color:#ededed;color:#777;font-family:'Open Sans',sans-serif}body a,body a:hover,body a:focus,body a:active,body a.active{color:#555;text-decoration:none}a:hover{text-decoration:none}hr{margin-top:10px;margin-bottom:10px}.col-md-1,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-md-10,.col-md-11,.col-md-12{position:inherit}textarea{height:1.5em}h4{font-weight:300;font-size:150%}.heading{font-size:16px;font-weight:300;color:#555;background-color:white;border:none;padding:10px}.text-center{text-align:center !important}input[type=text],input[type=password],input[type=select]{-webkit-appearance:none;-moz-appearance:none;appearance:none}.login-container{background-color:#708fa0;background-image:linear-gradient(to right, #708fa0 0, #8fa7b4 50%, #8fa7b4 100%),linear-gradient(to right, #7f9baa 0, #bdcbd3 51%, #adbfc9 100%);background-size:100% 100%;position:relative;padding-top:40px}.login-container .text{color:#fff;font-size:12px;margin-bottom:15px}.login-container .text a{color:#fff;text-decoration:underline}.login-container .panel a{color:#6fdbe8}.login-container h1,.login-container h2{color:#fff !important}.login-container .panel{box-shadow:0 0 15px #627d92;-moz-box-shadow:0 0 15px #627d92;-webkit-box-shadow:0 0 15px #627d92}.login-container .panel .panel-heading,.login-container .panel .panel-body{padding:15px}.login-container select{color:#555}#account-login-form .form-group{margin-bottom:10px}.topbar{position:fixed;display:block;height:50px;width:100%;padding-left:15px;padding-right:15px}.topbar ul.nav{float:left}.topbar ul.nav>li{float:left}.topbar ul.nav>li>a{padding-top:15px;padding-bottom:15px;line-height:20px}.topbar .dropdown-footer{margin:10px}.topbar .dropdown-header{font-size:16px;padding:3px 10px;margin-bottom:10px;font-weight:300;color:#bebebe}.topbar .dropdown-header .dropdown-header-link{position:absolute;top:2px;right:10px}.topbar .dropdown-header .dropdown-header-link a{color:#6fdbe8 !important;font-size:12px;font-weight:normal}.topbar .dropdown-header:hover{color:#bebebe}#topbar-first{background-color:#708fa0;top:0;z-index:1030;color:white}#topbar-first .nav>li>a:hover,#topbar-first .nav>.open>a{background-color:#8fa7b4}#topbar-first .nav>.account{height:50px;margin-left:20px}#topbar-first .nav>.account img{margin-left:10px}#topbar-first .nav>.account .dropdown-toggle{padding:10px 5px 8px;line-height:1.1em;text-align:left}#topbar-first .nav>.account .dropdown-toggle span{font-size:12px}#topbar-first .topbar-brand{position:relative;z-index:2}#topbar-first .topbar-actions{position:relative;z-index:3}#topbar-first .notifications{position:absolute;left:0;right:0;text-align:center;z-index:1}#topbar-first .notifications .btn-group{position:relative;text-align:left}#topbar-first .notifications .btn-group>a{padding:5px 10px;margin:10px 2px;display:inline-block;border-radius:2px;text-decoration:none;text-align:left}#topbar-first .notifications .btn-group>.label{position:absolute;top:4px;right:-2px}#topbar-first .notifications .arrow:after{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid;border-width:10px;content:" ";top:1px;margin-left:-10px;border-top-width:0;border-bottom-color:#fff;z-index:1035}#topbar-first .notifications .arrow{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid;z-index:1001;border-width:11px;left:50%;margin-left:-18px;border-top-width:0;border-bottom-color:rgba(0,0,0,0.15);top:-19px;z-index:1035}#topbar-first .notifications .dropdown-menu{width:350px;margin-left:-148px}#topbar-first .notifications .dropdown-menu ul.media-list{max-height:400px;overflow:auto}#topbar-first .notifications .dropdown-menu li{position:relative}#topbar-first .notifications .dropdown-menu li i.approval{position:absolute;left:2px;top:36px;font-size:14px}#topbar-first .notifications .dropdown-menu li i.accepted{color:#5cb85c}#topbar-first .notifications .dropdown-menu li i.declined{color:#d9534f}#topbar-first .notifications .dropdown-menu li .media{position:relative}#topbar-first .notifications .dropdown-menu li .media .img-space{position:absolute;top:14px;left:14px}#topbar-first .dropdown-footer{margin:10px 10px 5px}#topbar-first a{color:white}#topbar-first .caret{border-top-color:#bebebe}#topbar-first .btn-group>a{background-color:#7f9baa}#topbar-first .btn-enter{background-color:#7f9baa;margin:6px 0}#topbar-first .btn-enter:hover{background-color:#89a2b0}#topbar-first .media-list a{color:#555;padding:0}#topbar-first .media-list li{color:#555}#topbar-first .media-list li i.accepted{color:#6fdbe8 !important}#topbar-first .media-list li i.declined{color:#ff8989 !important}#topbar-first .media-list li.placeholder{border-bottom:none}#topbar-first .media-list .media .media-body .label{padding:.1em .5em}#topbar-first .account .user-title{text-align:right}#topbar-first .account .user-title span{color:#d7d7d7}#topbar-first .dropdown.account>a,#topbar-first .dropdown.account.open>a,#topbar-first .dropdown.account>a:hover,#topbar-first .dropdown.account.open>a:hover{background-color:#708fa0}#topbar-second{top:50px;background-color:#fff;z-index:1029;background-image:none;-webkit-box-shadow:0 1px 10px rgba(0,0,0,0.1);-moz-box-shadow:0 1px 10px rgba(0,0,0,0.1);box-shadow:0 1px 10px rgba(0,0,0,0.1);border-bottom:1px solid #d4d4d4}#topbar-second .dropdown-menu{padding-top:0;padding-bottom:0}#topbar-second .dropdown-menu .divider{margin:0}#topbar-second #space-menu-dropdown,#topbar-second #search-menu-dropdown{width:400px}#topbar-second #space-menu-dropdown .media-list,#topbar-second #search-menu-dropdown .media-list{max-height:400px;overflow:auto}@media screen and (max-width:768px){#topbar-second #space-menu-dropdown .media-list,#topbar-second #search-menu-dropdown .media-list{max-height:200px}}#topbar-second #space-menu-dropdown form,#topbar-second #search-menu-dropdown form{margin:10px}#topbar-second #space-menu-dropdown .search-reset,#topbar-second #search-menu-dropdown .search-reset{position:absolute;color:#999;margin:10px;top:8px;right:10px;display:none;cursor:pointer}#topbar-second .nav>li>a{padding:6px 13px 0;text-decoration:none;text-shadow:none;font-weight:600;font-size:10px;text-transform:uppercase;text-align:center;min-height:49px}#topbar-second .nav>li>a:hover,#topbar-second .nav>li>a:active,#topbar-second .nav>li>a:focus{border-bottom:3px solid #6fdbe8;background-color:#f7f7f7;color:#555;text-decoration:none}#topbar-second .nav>li>a i{font-size:14px}#topbar-second .nav>li>a .caret{border-top-color:#7a7a7a}#topbar-second .nav>li>ul>li>a{border-left:3px solid #fff;background-color:#fff;color:#555}#topbar-second .nav>li>ul>li>a:hover,#topbar-second .nav>li>ul>li>a.active{border-left:3px solid #6fdbe8;background-color:#f7f7f7;color:#555}#topbar-second .nav>li.active>a{min-height:46px}#topbar-second .nav>li>a#space-menu{padding-right:13px;border-right:1px solid #ededed}#topbar-second .nav>li>a#search-menu{padding-top:15px}#topbar-second .nav>li>a:hover,#topbar-second .nav .open>a,#topbar-second .nav>li.active{border-bottom:3px solid #6fdbe8;background-color:#f7f7f7;color:#555}#topbar-second .nav>li.active>a:hover{border-bottom:none}#topbar-second #space-menu-dropdown li>ul>li>a>.media .media-body p{color:#bebebe;font-size:11px;margin:0;font-weight:400}.dropdown-menu li a{font-size:13px !important;font-weight:600 !important}.dropdown-menu li a i{margin-right:5px;font-size:14px;display:inline-block;width:14px}.dropdown-menu li a:hover,.dropdown-menu li a:visited,.dropdown-menu li a:hover,.dropdown-menu li a:focus{background:none}.dropdown-menu li:hover,.dropdown-menu li.selected{color:#555}.dropdown-menu li:first-child{margin-top:3px}.dropdown-menu li:last-child{margin-bottom:3px}.media-list li{padding:10px;border-bottom:1px solid #eee;position:relative;border-left:3px solid white;font-size:12px}.media-list li a{color:#555}.media-list .badge-space-type{background-color:#f7f7f7;border:1px solid #d7d7d7;color:#b2b2b2;padding:3px 3px 2px 3px}.media-list li.new{border-left:3px solid #f3fcfd;background-color:#f3fcfd}.media-list li:hover,.media-list li.selected{background-color:#f7f7f7;border-left:3px solid #6fdbe8}.media-left,.media>.pull-left{padding-right:0;margin-right:10px}.media:after{content:'';clear:both;display:block}.media .time{font-size:11px;color:#bebebe}.media .img-space{position:absolute;top:35px;left:35px}.media .media-body{font-size:13px}.media .media-body h4.media-heading{font-size:14px;font-weight:500;color:#555}.media .media-body h4.media-heading a{color:#555}.media .media-body h4.media-heading small,.media .media-body h4.media-heading small a{font-size:11px;color:#bebebe}.media .media-body h4.media-heading .content{margin-right:35px}.media .media-body .content a{word-break:break-all}.media .media-body h5{color:#aeaeae;font-weight:300;margin-top:5px;margin-bottom:5px;min-height:15px}.media .media-body .module-controls{font-size:85%}.media .media-body .module-controls a{color:#6fdbe8}.media .content a{color:#6fdbe8}.media .content .files a{color:#555}.content span{word-wrap:break-word}.module-installed{opacity:.5}.module-installed .label-success{background-color:#d7d7d7}.modal .dropdown-menu,.panel .dropdown-menu,.nav-tabs .dropdown-menu{border:1px solid #d7d7d7}.modal .dropdown-menu li.divider,.panel .dropdown-menu li.divider,.nav-tabs .dropdown-menu li.divider{background-color:#f7f7f7;border-bottom:none;margin:9px 1px !important}.modal .dropdown-menu li,.panel .dropdown-menu li,.nav-tabs .dropdown-menu li{border-left:3px solid white}.modal .dropdown-menu li a,.panel .dropdown-menu li a,.nav-tabs .dropdown-menu li a{color:#555;font-size:14px;font-weight:400;padding:4px 15px}.modal .dropdown-menu li a i,.panel .dropdown-menu li a i,.nav-tabs .dropdown-menu li a i{margin-right:5px}.modal .dropdown-menu li a:hover,.panel .dropdown-menu li a:hover,.nav-tabs .dropdown-menu li a:hover{background:none}.modal .dropdown-menu li:hover,.panel .dropdown-menu li:hover,.nav-tabs .dropdown-menu li:hover,.modal .dropdown-menu li.selected,.panel .dropdown-menu li.selected,.nav-tabs .dropdown-menu li.selected{border-left:3px solid #6fdbe8;background-color:#f7f7f7 !important}.panel{border:none;background-color:#fff;box-shadow:0 0 3px #dadada;-webkit-box-shadow:0 0 3px #dadada;-moz-box-shadow:0 0 3px #dadada;border-radius:4px;position:relative}.panel h1{font-size:16px;font-weight:300;margin-top:0;color:#555}.panel .panel-heading{font-size:16px;font-weight:300;color:#555;background-color:white;border:none;padding:10px;border-radius:4px}.panel .panel-body{padding:10px;font-size:13px}.panel .panel-body p{color:#555}.panel .statistics .entry{margin-left:20px;font-size:12px}.panel .statistics .entry .count{color:#6fdbe8;font-weight:600;font-size:20px;line-height:.8em}.panel h3.media-heading small{font-size:75%}.panel h3.media-heading small a{color:#6fdbe8}.panel-danger{border:2px solid #ff8989}.panel-danger .panel-heading{color:#ff8989}.panel-success{border:2px solid #97d271}.panel-success .panel-heading{color:#97d271}.panel-warning{border:2px solid #fdd198}.panel-warning .panel-heading{color:#fdd198}.panel.profile{position:relative}.panel.profile .controls{position:absolute;top:10px;right:10px}.panel.members .panel-body a img,.panel.groups .panel-body a img,.panel.follower .panel-body a img,.panel.spaces .panel-body a img{margin-bottom:5px}.panel-profile .panel-profile-header{position:relative;border:3px solid #fff;border-top-right-radius:3px;border-top-left-radius:3px}.panel-profile .panel-profile-header .img-profile-header-background{border-radius:3px;min-height:110px}.panel-profile .panel-profile-header .img-profile-data{position:absolute;height:100px;width:100%;bottom:0;left:0;padding-left:180px;padding-top:30px;border-bottom-right-radius:3px;border-bottom-left-radius:3px;color:#fff;pointer-events:none;background:-moz-linear-gradient(top, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);background:-webkit-gradient(linear, left top, left bottom, color-stop(0, rgba(0,0,0,0)), color-stop(1%, rgba(0,0,0,0)), color-stop(100%, rgba(0,0,0,0.38)));background:-webkit-linear-gradient(top, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);background:-o-linear-gradient(top, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);background:-ms-linear-gradient(top, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);background:linear-gradient(to bottom, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#94000000', GradientType=0)}.panel-profile .panel-profile-header .img-profile-data h1{font-size:30px;font-weight:100;margin-bottom:7px;color:#fff;max-width:600px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.panel-profile .panel-profile-header .img-profile-data h2{font-size:16px;font-weight:400;margin-top:0}.panel-profile .panel-profile-header .img-profile-data h1.space{font-size:30px;font-weight:700}.panel-profile .panel-profile-header .img-profile-data h2.space{font-size:13px;font-weight:300;max-width:600px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.panel-profile .panel-profile-header .profile-user-photo-container{position:absolute;bottom:-50px;left:15px}.panel-profile .panel-profile-header .profile-user-photo-container .profile-user-photo{border:3px solid #fff;border-radius:5px}.panel-profile .panel-profile-controls{padding-left:160px}.installer .logo{text-align:center}.installer h2{font-weight:100}.installer .panel{margin-top:50px}.installer .panel h3{margin-top:0}.installer .powered,.installer .powered a{color:#bac2c7 !important;margin-top:10px;font-size:12px}.installer .fa{width:18px}.installer .check-ok{color:#97d271}.installer .check-warning{color:#fdd198}.installer .check-error{color:#ff8989}.installer .prerequisites-list ul{list-style:none;padding-left:15px}.installer .prerequisites-list ul li{padding-bottom:5px}.space-acronym{color:#fff;text-align:center;display:inline-block}.current-space-image{margin-right:3px;margin-top:3px}.pagination-container{text-align:center}.pagination>.active>a,.pagination>.active>span,.pagination>.active>a:hover,.pagination>.active>span:hover,.pagination>.active>a:focus,.pagination>.active>span:focus{background-color:#708fa0;border-color:#708fa0}.pagination>li>a,.pagination>li>span,.pagination>li>a:hover,.pagination>li>a:active,.pagination>li>a:focus{color:#555}.well-small{padding:10px;border-radius:3px}.well{border:none;box-shadow:none;background-color:#ededed;margin-bottom:1px}.well hr{margin:15px 0 10px;border-top:1px solid #d9d9d9}.well table>thead{font-size:11px}.img-rounded{-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px}.nav-pills .dropdown-menu,.nav-tabs .dropdown-menu,.account .dropdown-menu{background-color:#708fa0;border:none}.nav-pills .dropdown-menu li.divider,.nav-tabs .dropdown-menu li.divider,.account .dropdown-menu li.divider{background-color:#628394;border-bottom:none;margin:9px 1px !important}.nav-pills .dropdown-menu li,.nav-tabs .dropdown-menu li,.account .dropdown-menu li{border-left:3px solid #708fa0}.nav-pills .dropdown-menu li a,.nav-tabs .dropdown-menu li a,.account .dropdown-menu li a{color:white;font-weight:400;font-size:13px;padding:4px 15px}.nav-pills .dropdown-menu li a i,.nav-tabs .dropdown-menu li a i,.account .dropdown-menu li a i{margin-right:5px;font-size:14px;display:inline-block;width:14px}.nav-pills .dropdown-menu li a:hover,.nav-tabs .dropdown-menu li a:hover,.account .dropdown-menu li a:hover,.nav-pills .dropdown-menu li a:visited,.nav-tabs .dropdown-menu li a:visited,.account .dropdown-menu li a:visited,.nav-pills .dropdown-menu li a:hover,.nav-tabs .dropdown-menu li a:hover,.account .dropdown-menu li a:hover,.nav-pills .dropdown-menu li a:focus,.nav-tabs .dropdown-menu li a:focus,.account .dropdown-menu li a:focus{background:none}.nav-pills .dropdown-menu li:hover,.nav-tabs .dropdown-menu li:hover,.account .dropdown-menu li:hover,.nav-pills .dropdown-menu li.selected,.nav-tabs .dropdown-menu li.selected,.account .dropdown-menu li.selected{border-left:3px solid #6fdbe8;color:#fff !important;background-color:#628394 !important}.nav-pills.preferences .dropdown .dropdown-toggle{color:#bebebe}.nav-pills.preferences .dropdown.open .dropdown-toggle,.nav-pills.preferences .dropdown.open .dropdown-toggle:hover{background-color:#708fa0}.popover{border:1px solid rgba(0,0,0,0.15);border-radius:4px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,0.175);-moz-box-shadow:0 6px 12px rgba(0,0,0,0.175);box-shadow:0 6px 12px rgba(0,0,0,0.175)}.popover .popover-title{background:none;border-bottom:none;color:#555;font-weight:300;font-size:16px;padding:15px}.popover .popover-content{font-size:13px;padding:5px 15px;color:#555}.popover .popover-content a{color:#6fdbe8}.popover .popover-navigation{padding:15px}.nav-pills>li.active>a,.nav-pills>li.active>a:hover,.nav-pills>li.active>a:focus{background-color:#708fa0}.nav-tabs{margin-bottom:10px}.list-group a [class^="fa-"],.list-group a [class*=" fa-"]{display:inline-block;width:18px}.nav-pills.preferences{position:absolute;right:10px;top:10px}.nav-pills.preferences .dropdown .dropdown-toggle{padding:2px 10px}.nav-pills.preferences .dropdown.open .dropdown-toggle,.nav-pills.preferences .dropdown.open .dropdown-toggle:hover{color:white}.nav-tabs li{font-weight:600;font-size:12px}.tab-content .tab-pane a{color:#6fdbe8}.tab-content .tab-pane .form-group{margin-bottom:5px}.nav-tabs.tabs-center li{float:none;display:inline-block}.nav-tabs.tabs-small li>a{padding:5px 7px}.nav .caret,.nav .caret:hover,.nav .caret:active{border-top-color:#555;border-bottom-color:#555}.nav li.dropdown>a:hover .caret,.nav li.dropdown>a:active .caret{border-top-color:#555;border-bottom-color:#555}.nav .open>a .caret,.nav .open>a:hover .caret,.nav .open>a:focus .caret{border-top-color:#555;border-bottom-color:#555}.nav .open>a,.nav .open>a:hover,.nav .open>a:focus{border-color:#ededed;color:#555}.nav .open>a .caret,.nav .open>a:hover .caret,.nav .open>a:focus .caret{color:#555}.btn{float:none;border:none;-webkit-box-shadow:none;box-shadow:none;-moz-box-shadow:none;background-image:none;text-shadow:none;border-radius:3px;outline:none !important;margin-bottom:0;font-size:14px;font-weight:600;padding:8px 16px}.input.btn{outline:none}.btn-lg{padding:16px 28px}.btn-sm{padding:4px 8px;font-size:12px}.btn-sm i{font-size:14px}.btn-xs{padding:1px 5px;font-size:12px}.btn-default{background:#ededed;color:#7a7a7a !important}.btn-default:hover,.btn-default:focus{background:#e8e8e8;text-decoration:none;color:#7a7a7a}.btn-default:active,.btn-default.active{outline:0;background:#e0e0e0}.btn-default[disabled],.btn-default.disabled{background:#f2f2f2}.btn-default[disabled]:hover,.btn-default.disabled:hover,.btn-default[disabled]:focus,.btn-default.disabled:focus{background:#f2f2f2}.btn-default[disabled]:active,.btn-default.disabled:active,.btn-default[disabled].active,.btn-default.disabled.active{background:#f2f2f2}.btn-primary{background:#708fa0;color:white !important}.btn-primary:hover,.btn-primary:focus{background:#628394;text-decoration:none}.btn-primary:active,.btn-primary.active{outline:0;background:#628394 !important}.btn-primary[disabled],.btn-primary.disabled{background:#7f9baa}.btn-primary[disabled]:hover,.btn-primary.disabled:hover,.btn-primary[disabled]:focus,.btn-primary.disabled:focus{background:#7f9baa}.btn-primary[disabled]:active,.btn-primary.disabled:active,.btn-primary[disabled].active,.btn-primary.disabled.active{background:#7f9baa !important}.btn-info{background:#6fdbe8;color:white !important}.btn-info:hover,.btn-info:focus{background:#59d6e4 !important;text-decoration:none}.btn-info:active,.btn-info.active{outline:0;background:#59d6e4}.btn-info[disabled],.btn-info.disabled{background:#85e0ec}.btn-info[disabled]:hover,.btn-info.disabled:hover,.btn-info[disabled]:focus,.btn-info.disabled:focus{background:#85e0ec}.btn-info[disabled]:active,.btn-info.disabled:active,.btn-info[disabled].active,.btn-info.disabled.active{background:#85e0ec !important}.btn-danger{background:#ff8989;color:white !important}.btn-danger:hover,.btn-danger:focus{background:#ff6f6f;text-decoration:none}.btn-danger:active,.btn-danger.active{outline:0;background:#ff6f6f !important}.btn-danger[disabled],.btn-danger.disabled{background:#ffa3a3}.btn-danger[disabled]:hover,.btn-danger.disabled:hover,.btn-danger[disabled]:focus,.btn-danger.disabled:focus{background:#ffa3a3}.btn-danger[disabled]:active,.btn-danger.disabled:active,.btn-danger[disabled].active,.btn-danger.disabled.active{background:#ffa3a3 !important}.btn-success{background:#97d271;color:white !important}.btn-success:hover,.btn-success:focus{background:#89cc5e;text-decoration:none}.btn-success:active,.btn-success.active{outline:0;background:#89cc5e !important}.btn-success[disabled],.btn-success.disabled{background:#a5d884}.btn-success[disabled]:hover,.btn-success.disabled:hover,.btn-success[disabled]:focus,.btn-success.disabled:focus{background:#a5d884}.btn-success[disabled]:active,.btn-success.disabled:active,.btn-success[disabled].active,.btn-success.disabled.active{background:#a5d884 !important}.btn-warning{background:#fdd198;color:white !important}.btn-warning:hover,.btn-warning:focus{background:#fdcd8e;text-decoration:none}.btn-warning:active,.btn-warning.active{outline:0;background:#fdcd8e !important}.btn-warning[disabled],.btn-warning.disabled{background:#fddcb1}.btn-warning[disabled]:hover,.btn-warning.disabled:hover,.btn-warning[disabled]:focus,.btn-warning.disabled:focus{background:#fddcb1}.btn-warning[disabled]:active,.btn-warning.disabled:active,.btn-warning[disabled].active,.btn-warning.disabled.active{background:#fddcb1 !important}.radio,.checkbox{margin-top:5px !important;margin-bottom:0}.radio label,.checkbox label{padding-left:10px}.form-control{border:2px solid #ededed;box-shadow:none}.form-control:focus{border:2px solid #6fdbe8;outline:0;box-shadow:none}.form-control.form-search{border-radius:30px;background-image:url("../img/icon_search16x16.png");background-repeat:no-repeat;background-position:10px 8px;padding-left:34px}.form-group-search{position:relative}.form-group-search .form-button-search{position:absolute;top:4px;right:4px;border-radius:30px}textarea{resize:none}select.form-control{-webkit-appearance:none;-moz-appearance:none;appearance:none;background-image:url("../img/select_arrow.png") !important;background-repeat:no-repeat;background-position:right 13px;overflow:hidden}label{font-weight:normal}label.control-label{font-weight:bold}::-webkit-input-placeholder{color:#bebebe !important}::-moz-placeholder{color:#bebebe !important}:-ms-input-placeholder{color:#bebebe !important}input:-moz-placeholder{color:#bebebe !important}.help-block-error{font-size:12px}.help-block:not(.help-block-error){color:#aeaeae !important;font-size:12px}.input-group-addon{border:none}.label{text-transform:uppercase}.label{text-transform:uppercase;display:inline-block;padding:3px 5px 4px;font-weight:600;font-size:10px !important;color:white !important;vertical-align:baseline;white-space:nowrap;text-shadow:none}.label-default{background:#ededed;color:#7a7a7a !important}a.label-default:hover{background:#e0e0e0 !important}.label-info{background-color:#6fdbe8}a.label-info:hover{background:#59d6e4 !important}.label-danger{background-color:#ff8989}a.label-danger:hover{background:#ff6f6f !important}.label-success{background-color:#6fdbe8}a.label-success:hover{background:#59d6e4 !important}.label-warning{background-color:#fdd198}a.label-warning:hover{background:#fdc67f !important}.alert-default{color:#555;background-color:#f7f7f7;border-color:#ededed;font-size:13px}.alert-default .info{margin:10px 0}.alert-success{color:#84be5e;background-color:#f7fbf4;border-color:#97d271}.alert-warning{color:#e9b168;background-color:#fffbf7;border-color:#fdd198}.alert-danger{color:#ff8989;background-color:#fff6f6;border-color:#ff8989}.badge-space{margin-top:6px}.badge{padding:3px 5px;border-radius:2px;font-weight:normal;font-family:Arial,sans-serif;font-size:10px !important;text-transform:uppercase;color:#fff;vertical-align:baseline;white-space:nowrap;text-shadow:none;background-color:#d7d7d7;line-height:1}.list-group-item{padding:6px 15px;border:none;border-width:0 !important;border-left:3px solid #fff !important;font-size:12px;font-weight:600}.list-group-item i{font-size:14px}a.list-group-item:hover,a.list-group-item.active,a.list-group-item.active:hover,a.list-group-item.active:focus{z-index:2;color:#555;background-color:#f7f7f7;border-left:3px solid #6fdbe8 !important}@media screen and (max-width:768px){.modal-dialog{width:auto !important;padding-top:30px;padding-bottom:30px}}.modal-open{overflow:visible}.modal{overflow-y:visible}.modal-dialog-extra-small{width:400px}.modal-dialog-small{width:500px}.modal-dialog-normal{width:600px}.modal-dialog-medium{width:768px}.modal-dialog-large{width:900px}@media screen and (max-width:920px){.modal-dialog-large{width:auto !important;padding-top:30px;padding-bottom:30px}}.modal{border:none}.modal h1,.modal h2,.modal h3,.modal h4,.modal h5{margin-top:20px;color:#555;font-weight:300}.modal h4.media-heading{margin-top:0}.modal-title{font-size:20px;font-weight:200;color:#555}.modal-dialog,.modal-content{min-width:150px}.modal-content{-webkit-border-radius:3px;-moz-border-radius:3px;box-shadow:0 2px 26px rgba(0,0,0,0.3),0 0 0 1px rgba(0,0,0,0.1);-webkit-box-shadow:0 2px 26px rgba(0,0,0,0.3),0 0 0 1px rgba(0,0,0,0.1);-moz-box-shadow:0 2px 26px rgba(0,0,0,0.3),0 0 0 1px rgba(0,0,0,0.1);border:none}.modal-content .modal-header{padding:20px 20px 0;border-bottom:none;text-align:center}.modal-content .modal-header .close{margin-top:2px;margin-right:5px}.modal-content .modal-body{padding:20px;font-size:13px}.modal-content .modal-footer{margin-top:0;text-align:left;padding:10px 20px 30px;border-top:none;text-align:center}.modal-content .modal-footer hr{margin-top:0}.modal-backdrop{background-color:rgba(0,0,0,0.5)}.ekko-lightbox .modal-content .modal-body{padding:10px}.ekko-lightbox .modal-content .modal-footer{padding:0 10px 10px}.ekko-lightbox-nav-overlay a,.ekko-lightbox-nav-overlay a:hover{color:#708fa0}.progress{height:10px;margin-bottom:15px;box-shadow:none;background:#ededed;border-radius:10px}.progress-bar-info{background-color:#6fdbe8;-webkit-box-shadow:none;box-shadow:none}.tooltip-inner{background-color:#708fa0;max-width:400px;text-align:left;font-weight:300;padding:2px 8px 4px;font-weight:bold;white-space:pre-wrap}.tooltip.top .tooltip-arrow{border-top-color:#708fa0}.tooltip.top-left .tooltip-arrow{border-top-color:#708fa0}.tooltip.top-right .tooltip-arrow{border-top-color:#708fa0}.tooltip.right .tooltip-arrow{border-right-color:#708fa0}.tooltip.left .tooltip-arrow{border-left-color:#708fa0}.tooltip.bottom .tooltip-arrow{border-bottom-color:#708fa0}.tooltip.bottom-left .tooltip-arrow{border-bottom-color:#708fa0}.tooltip.bottom-right .tooltip-arrow{border-bottom-color:#708fa0}.tooltip.in{opacity:1;filter:alpha(opacity=100)}table th{font-size:11px;color:#bebebe;font-weight:normal}table thead tr th{border:none !important}table .time{font-size:12px}table td a:hover{color:#6fdbe8}.table>thead>tr>th,.table>tbody>tr>th,.table>tfoot>tr>th,.table>thead>tr>td,.table>tbody>tr>td,.table>tfoot>tr>td{padding:10px 10px 10px 0}.table>thead>tr>th select,.table>tbody>tr>th select,.table>tfoot>tr>th select,.table>thead>tr>td select,.table>tbody>tr>td select,.table>tfoot>tr>td select{font-size:12px;padding:4px 8px;height:30px;margin:0}.comment-container{margin-top:10px}.comment .media{position:relative !important;margin-top:0}.comment .media .nav-pills.preferences{display:none;right:-3px;top:-3px}.comment.guest-mode .media:last-child .wall-entry-controls{margin-bottom:0}.comment.guest-mode .media:last-child hr{display:none}.grid-view img{width:24px;height:24px}.grid-view .filters input,.grid-view .filters select{border:2px solid #ededed;box-shadow:none;border-radius:4px;font-size:12px;padding:4px}.grid-view .filters input:focus,.grid-view .filters select:focus{border:2px solid #6fdbe8;outline:0;box-shadow:none}.grid-view{padding:15px 0 0}.grid-view img{border-radius:3px}.grid-view table th{font-size:13px !important;font-weight:bold !important}.grid-view table tr{font-size:13px !important}.grid-view .summary{font-size:12px;color:#bac2c7}.tags .tag{margin-top:5px;border-radius:2px;padding:4px 8px;text-transform:uppercase;max-width:150px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.placeholder{padding:15px}.placeholder-empty-stream{background-image:url("../img/placeholder-postform-arrow.png");background-repeat:no-repeat;padding:37px 0 0 70px;margin-left:90px}.media-list li.placeholder{font-size:14px !important;border-bottom:none}.media-list li.placeholder:hover{background:none !important;border-left:3px solid white}ul.tag_input{list-style:none;background-color:#fff;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,0.075);box-shadow:inset 0 1px 1px rgba(0,0,0,0.075);-webkit-transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;padding:0 0 9px 4px}ul.tag_input li img{margin:0 5px 0 0}.tag_input_field{outline:none;border:none !important;padding:5px 4px 0 !important;width:170px;margin:2px 0 0 !important}.userInput,.spaceInput{background-color:#6fdbe8;font-weight:600;color:#fff;border-radius:3px;font-size:12px !important;padding:2px;float:left;margin:3px 4px 0 0}.userInput i,.spaceInput i{padding:0 6px;font-size:14px;cursor:pointer;line-height:8px}.contentForm_options{margin-top:10px}.oembed_snippet{position:relative;padding-bottom:55%;padding-top:15px;height:0;overflow:hidden}.oembed_snippet iframe{position:absolute;top:0;left:0;width:100%;height:100%}.activities{max-height:400px;overflow:auto}.activities li .media{position:relative}.activities li .media .img-space{position:absolute;top:14px;left:14px}.wall-entry{position:relative}.wall-entry .media{overflow:visible}.wall-entry .well{margin-bottom:0}.wall-entry .well .comment .show-all-link{font-size:12px;cursor:pointer}.wall-entry-controls,.wall-entry-controls a{font-size:11px;color:#aeaeae;margin-top:10px;margin-bottom:0}.space-owner{text-align:center;margin:14px 0;font-size:13px;color:#999}.placeholder{padding:10px}.placeholder-empty-stream{background-image:url("../img/placeholder-postform-arrow.png");background-repeat:no-repeat;padding:37px 0 0 70px;margin-left:90px}ul.tag_input{-webkit-box-shadow:none;box-shadow:none;border:2px solid #ededed}ul.tag_input.focus{border:2px solid #6fdbe8;outline:0;box-shadow:none}.space-member-sign{color:#97d271;position:absolute;top:42px;left:42px;font-size:16px;background:#fff;width:24px;height:24px;padding:2px 3px 1px 4px;border-radius:50px;border:2px solid #97d271}.contentForm_options{min-height:29px}.contentForm-upload-progress{margin-top:18px;margin-bottom:10px !important}.btn_container{position:relative}.btn_container .label-public{position:absolute;right:40px;top:11px}.login-screen{margin-top:-70px}.mime{background-repeat:no-repeat;background-position:0 0;padding:1px 0 4px 26px}.mime-word{background-image:url("../img/mime/word.png")}.mime-excel{background-image:url("../img/mime/excel.png")}.mime-powerpoint{background-image:url("../img/mime/powerpoint.png")}.mime-pdf{background-image:url("../img/mime/pdf.png")}.mime-zip{background-image:url("../img/mime/zip.png")}.mime-image{background-image:url("../img/mime/image.png")}.mime-file{background-image:url("../img/mime/file.png")}.mime-photoshop{background-image:url("../img/mime/photoshop.png")}.mime-illustrator{background-image:url("../img/mime/illustrator.png")}.mime-video{background-image:url("../img/mime/video.png")}.mime-audio{background-image:url("../img/mime/audio.png")}.files,#postFormFiles_list{padding-left:0}.contentForm-upload-list{padding-left:0}.contentForm-upload-list li:first-child{margin-top:10px}.file_upload_remove_link,.file_upload_remove_link:hover{color:#ff8989}#contentFormError{color:#ff8989;padding-left:0;list-style:none}.post-files,.oembed_snippet{margin-top:10px}.post-files img{vertical-align:top;margin-bottom:3px}.comment_create,.content_edit{position:relative}.comment_create .comment-buttons,.content_edit .comment-buttons{position:absolute;top:2px;right:5px}.comment_create .btn-comment-submit,.content_edit .btn-comment-submit{margin-top:3px}.comment_create .fileinput-button,.content_edit .fileinput-button{float:left;padding:6px 10px;background:transparent !important}.comment_create .fileinput-button .fa,.content_edit .fileinput-button .fa{color:#d7d7d7}.comment_create .fileinput-button:hover .fa,.content_edit .fileinput-button:hover .fa{background:transparent !important;color:#b2b2b2}.comment_create .fileinput-button:active,.content_edit .fileinput-button:active{box-shadow:none !important}.upload-box-container{position:relative}.upload-box{display:none;position:absolute;top:0;left:0;width:100%;height:100px;padding:20px;background:#f8f8f8;border:2px dashed #ddd;text-align:center;border-radius:3px;cursor:pointer}.upload-box input[type="file"]{position:absolute;opacity:0}.upload-box .upload-box-progress-bar{display:none}.image-upload-container{position:relative}.image-upload-container .image-upload-buttons{display:none;position:absolute;right:5px;bottom:5px}.image-upload-container input[type="file"]{position:absolute;opacity:0}.image-upload-container .image-upload-loader{display:none;position:absolute;top:0;left:0;width:100%;height:100%;padding:20px;background:#f8f8f8}.langSwitcher{display:inline-block}.data-saved{padding-left:10px;color:#6fdbe8}.wallFilterPanel li{font-size:11px;font-weight:600}.wallFilterPanel li a{color:#555}.wallFilterPanel .dropdown-menu li{margin-bottom:0}.wallFilterPanel .dropdown-menu li a{font-size:12px}.wallFilterPanel .dropdown-menu li a:hover{color:#fff !important}ul.tour-list{list-style:none;margin-bottom:0;padding-left:10px}ul.tour-list li{padding-top:5px}ul.tour-list li a{color:#6fdbe8}ul.tour-list li a .fa{width:16px}ul.tour-list li.completed a{text-decoration:line-through;color:#bebebe}.powered,.powered a{color:#b8c7d3 !important}.errorMessage{color:#ff8989;padding:10px 0}.error{border-color:#ff8989 !important}.has-error .help-block,.has-error .control-label,.has-error .radio,.has-error .checkbox,.has-error .radio-inline,.has-error .checkbox-inline{color:#ff8989 !important}.has-error .form-control,.has-error .form-control:focus{border-color:#ff8989;-webkit-box-shadow:none;box-shadow:none}.has-success .help-block,.has-success .control-label,.has-success .radio,.has-success .checkbox,.has-success .radio-inline,.has-success .checkbox-inline{color:#97d271}.has-success .form-control,.has-success .form-control:focus{border-color:#97d271;-webkit-box-shadow:none;box-shadow:none}.has-warning .help-block,.has-warning .control-label,.has-warning .radio,.has-warning .checkbox,.has-warning .radio-inline,.has-warning .checkbox-inline{color:#fdd198}.has-warning .form-control,.has-warning .form-control:focus{border-color:#fdd198;-webkit-box-shadow:none;box-shadow:none}.highlight{background-color:#fff8e0}input.placeholder,textarea.placeholder{padding:0 0 0 10px;color:#999}.ekko-lightbox-container{position:relative}.ekko-lightbox-nav-overlay{position:absolute;top:0;left:0;z-index:100;width:100%;height:100%}.ekko-lightbox-nav-overlay a{z-index:100;display:block;width:49%;height:100%;padding-top:35%;font-size:30px;color:#fff;opacity:0;text-decoration:none;-webkit-transition:opacity .5s;-moz-transition:opacity .5s;-o-transition:opacity .5s;transition:opacity .5s}.ekko-lightbox-nav-overlay a:hover{color:#fff}.ekko-lightbox-nav-overlay a:empty{width:49%}.ekko-lightbox a:hover{text-decoration:none;opacity:1}.ekko-lightbox .glyphicon-chevron-left{left:0;float:left;padding-left:15px;text-align:left}.ekko-lightbox .glyphicon-chevron-right{right:0;float:right;padding-right:15px;text-align:right}.atwho-view .cur{border-left:3px solid #6fdbe8;background-color:#f7f7f7 !important}.atwho-user,.atwho-space,.atwho-input a{color:#6fdbe8}.atwho-input a:hover{color:#6fdbe8}.atwho-view strong{background-color:#f9f0d2}.atwho-view .cur strong{background-color:#f9f0d2}.comment .jp-progress{background-color:#dbdcdd !important}.comment .jp-play-bar{background:#cacaca}.sk-spinner-three-bounce.sk-spinner{margin:0 auto;width:70px;text-align:center}.loader{padding:30px 0}.loader .sk-spinner-three-bounce div{width:12px;height:12px;background-color:#6fdbe8;border-radius:100%;display:inline-block;-webkit-animation:sk-threeBounceDelay 1.4s infinite ease-in-out;animation:sk-threeBounceDelay 1.4s infinite ease-in-out;-webkit-animation-fill-mode:both;animation-fill-mode:both}.loader .sk-spinner-three-bounce .sk-bounce1{-webkit-animation-delay:-0.32s;animation-delay:-0.32s}.loader .sk-spinner-three-bounce .sk-bounce2{-webkit-animation-delay:-0.16s;animation-delay:-0.16s}@-webkit-keyframes sk-threeBounceDelay{0%,80%,100%{-webkit-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);transform:scale(1)}}@keyframes sk-threeBounceDelay{0%,80%,100%{-webkit-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);transform:scale(1)}}.loader-modal{padding:8px 0}.loader-postform{padding:9px 0}.loader-postform .sk-spinner-three-bounce.sk-spinner{text-align:left;margin:0}.modal-dialog.fadeIn,.modal-dialog.pulse{-webkit-animation-duration:200ms;-moz-animation-duration:200ms;animation-duration:200ms}.panel.pulse,.panel.fadeIn{-webkit-animation-duration:200ms;-moz-animation-duration:200ms;animation-duration:200ms}img.bounceIn{-webkit-animation-duration:800ms;-moz-animation-duration:800ms;animation-duration:800ms}.markdown-render h1,.markdown-render h2,.markdown-render h3,.markdown-render h4,.markdown-render h5,.markdown-render h6{font-weight:bold !important}.markdown-render h1{font-size:28px !important}.markdown-render h2{font-size:24px !important}.markdown-render h3{font-size:18px !important}.markdown-render h4{font-size:16px !important}.markdown-render h5{font-size:14px !important}.markdown-render h6{color:#999;font-size:14px !important}.markdown-render pre{padding:0;border:none;border-radius:3px}.markdown-render pre code{padding:10px;border-radius:3px;font-size:12px !important}.markdown-render a,.markdown-render a:visited{background-color:inherit;text-decoration:none;color:#6fdbe8 !important}.markdown-render img{max-width:100%;width:100%;display:table-cell !important}.markdown-render table{width:100%}.markdown-render table th{font-size:13px;font-weight:700;color:#555}.markdown-render table thead tr{border-bottom:1px solid #d7d7d7}.markdown-render table tbody tr td,.markdown-render table thead tr th{border:1px solid #d7d7d7 !important;padding:4px}.md-editor.active{border:2px solid #6fdbe8 !important}@media (max-width:767px){.topbar{padding-left:0;padding-right:0}#space-menu>.title{display:none}#space-menu-dropdown{width:300px !important}#search-menu-dropdown{width:300px !important;max-height:250px !important}.notifications{position:inherit !important;float:left !important}.notifications .dropdown-menu{width:300px !important;margin-left:0 !important}.notifications .dropdown-menu .arrow{margin-left:-142px !important}.panel-profile-controls{padding-left:0 !important;padding-top:50px}.panel-profile .panel-profile-header .img-profile-data h1{font-size:20px !important}}@media (max-width:991px){.controls-header{text-align:left !important}.list-group{margin-left:4px}.list-group-item{display:inline-block !important;border-radius:3px !important;margin:4px 0;margin-bottom:4px !important}.list-group-item{border:none !important}a.list-group-item:hover,a.list-group-item.active,a.list-group-item.active:hover,a.list-group-item.active:focus{border:none !important;background:#708fa0 !important;color:#fff !important}.layout-sidebar-container{display:none}}.onoffswitch-inner:before{background-color:#6fdbe8;color:#fff}.onoffswitch-inner:after{background-color:#d7d7d7;color:#999;text-align:right}.regular-checkbox:checked+.regular-checkbox-box{border:2px solid #6fdbe8;background:#6fdbe8;color:white}.regular-radio:checked+.regular-radio-button:after{background:#6fdbe8}.regular-radio:checked+.regular-radio-button{background-color:none;color:#99a1a7;border:2px solid #d7d7d7;margin-right:5px}.ui-widget-header{border:none !important;background:#fff !important;color:#7a7a7a !important;font-weight:300 !important}.ui-widget-content{border:1px solid #dddcda !important;border-radius:0 !important;background:#fff;color:#555 !important;-webkit-box-shadow:0 6px 6px rgba(0,0,0,0.1);box-shadow:0 6px 6px rgba(0,0,0,0.1)}.ui-datepicker .ui-datepicker-prev span,.ui-datepicker .ui-datepicker-next span{opacity:.2}.ui-datepicker .ui-datepicker-prev:hover,.ui-datepicker .ui-datepicker-next:hover{background:#fff !important;border:none;margin:1px}.ui-state-default,.ui-widget-content .ui-state-default,.ui-widget-header .ui-state-default{border:none !important;background:#f7f7f7 !important;color:#7a7a7a !important}.ui-state-highlight,.ui-widget-content .ui-state-highlight,.ui-widget-header .ui-state-highlight{border:none !important;border:1px solid #b2b2b2 !important}.ui-state-active,.ui-widget-content .ui-state-active,.ui-widget-header .ui-state-active{border:1px solid #6fdbe8 !important;background:#ddf6fa !important}#share-panel .share-icon{float:left;font-size:20px;width:20px}#share-panel .share-text{float:left;padding:4px 0 0 5px}#share-panel .share-icon-twitter{color:#55acee}#share-panel .share-icon-facebook{color:#3a5795}#share-panel .share-icon-google-plus{color:#f44336}#share-panel .share-icon-linkedin{color:#0177b5} \ No newline at end of file +.colorDefault{color:#ededed}.backgroundDefault{background:#ededed}.borderDefault{border-color:#ededed}.colorPrimary{color:#708fa0 !important}.backgroundPrimary{background:#708fa0 !important}.borderPrimary{border-color:#708fa0 !important}.colorInfo{color:#6fdbe8 !important}.backgroundInfo{background:#6fdbe8 !important}.borderInfo{border-color:#6fdbe8 !important}.colorSuccess{color:#97d271 !important}.backgroundSuccess{background:#97d271 !important}.borderSuccess{border-color:#97d271 !important}.colorWarning{color:#fdd198 !important}.backgroundWarning{background:#fdd198 !important}.borderWarning{border-color:#fdd198 !important}.colorDanger{color:#ff8989 !important}.backgroundDanger{background:#ff8989 !important}.borderDanger{border-color:#ff8989 !important}.colorFont1{color:#bac2c7 !important}.colorFont2{color:#7a7a7a !important}.colorFont3{color:#555 !important}.colorFont4{color:#bebebe !important}.colorFont5{color:#aeaeae !important}body{padding-top:130px;background-color:#ededed;color:#777;font-family:'Open Sans',sans-serif}body a,body a:hover,body a:focus,body a:active,body a.active{color:#555;text-decoration:none}a:hover{text-decoration:none}hr{margin-top:10px;margin-bottom:10px}.col-md-1,.col-md-2,.col-md-3,.col-md-4,.col-md-5,.col-md-6,.col-md-7,.col-md-8,.col-md-9,.col-md-10,.col-md-11,.col-md-12{position:inherit}textarea{height:1.5em}h4{font-weight:300;font-size:150%}.heading{font-size:16px;font-weight:300;color:#555;background-color:white;border:none;padding:10px}.text-center{text-align:center !important}input[type=text],input[type=password],input[type=select]{-webkit-appearance:none;-moz-appearance:none;appearance:none}.login-container{background-color:#708fa0;background-image:linear-gradient(to right, #708fa0 0, #8fa7b4 50%, #8fa7b4 100%),linear-gradient(to right, #7f9baa 0, #bdcbd3 51%, #adbfc9 100%);background-size:100% 100%;position:relative;padding-top:40px}.login-container .text{color:#fff;font-size:12px;margin-bottom:15px}.login-container .text a{color:#fff;text-decoration:underline}.login-container .panel a{color:#6fdbe8}.login-container h1,.login-container h2{color:#fff !important}.login-container .panel{box-shadow:0 0 15px #627d92;-moz-box-shadow:0 0 15px #627d92;-webkit-box-shadow:0 0 15px #627d92}.login-container .panel .panel-heading,.login-container .panel .panel-body{padding:15px}.login-container select{color:#555}#account-login-form .form-group{margin-bottom:10px}.topbar{position:fixed;display:block;height:50px;width:100%;padding-left:15px;padding-right:15px}.topbar ul.nav{float:left}.topbar ul.nav>li{float:left}.topbar ul.nav>li>a{padding-top:15px;padding-bottom:15px;line-height:20px}.topbar .dropdown-footer{margin:10px}.topbar .dropdown-header{font-size:16px;padding:3px 10px;margin-bottom:10px;font-weight:300;color:#bebebe}.topbar .dropdown-header .dropdown-header-link{position:absolute;top:2px;right:10px}.topbar .dropdown-header .dropdown-header-link a{color:#6fdbe8 !important;font-size:12px;font-weight:normal}.topbar .dropdown-header:hover{color:#bebebe}#topbar-first{background-color:#708fa0;top:0;z-index:1030;color:white}#topbar-first .nav>li>a:hover,#topbar-first .nav>.open>a{background-color:#8fa7b4}#topbar-first .nav>.account{height:50px;margin-left:20px}#topbar-first .nav>.account img{margin-left:10px}#topbar-first .nav>.account .dropdown-toggle{padding:10px 5px 8px;line-height:1.1em;text-align:left}#topbar-first .nav>.account .dropdown-toggle span{font-size:12px}#topbar-first .topbar-brand{position:relative;z-index:2}#topbar-first .topbar-actions{position:relative;z-index:3}#topbar-first .notifications{position:absolute;left:0;right:0;text-align:center;z-index:1}#topbar-first .notifications .btn-group{position:relative;text-align:left}#topbar-first .notifications .btn-group>a{padding:5px 10px;margin:10px 2px;display:inline-block;border-radius:2px;text-decoration:none;text-align:left}#topbar-first .notifications .btn-group>.label{position:absolute;top:4px;right:-2px}#topbar-first .notifications .arrow:after{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid;border-width:10px;content:" ";top:1px;margin-left:-10px;border-top-width:0;border-bottom-color:#fff;z-index:1035}#topbar-first .notifications .arrow{position:absolute;display:block;width:0;height:0;border-color:transparent;border-style:solid;z-index:1001;border-width:11px;left:50%;margin-left:-18px;border-top-width:0;border-bottom-color:rgba(0,0,0,0.15);top:-19px;z-index:1035}#topbar-first .notifications .dropdown-menu{width:350px;margin-left:-148px}#topbar-first .notifications .dropdown-menu ul.media-list{max-height:400px;overflow:auto}#topbar-first .notifications .dropdown-menu li{position:relative}#topbar-first .notifications .dropdown-menu li i.approval{position:absolute;left:2px;top:36px;font-size:14px}#topbar-first .notifications .dropdown-menu li i.accepted{color:#5cb85c}#topbar-first .notifications .dropdown-menu li i.declined{color:#d9534f}#topbar-first .notifications .dropdown-menu li .media{position:relative}#topbar-first .notifications .dropdown-menu li .media .img-space{position:absolute;top:14px;left:14px}#topbar-first .dropdown-footer{margin:10px 10px 5px}#topbar-first a{color:white}#topbar-first .caret{border-top-color:#bebebe}#topbar-first .btn-group>a{background-color:#7f9baa}#topbar-first .btn-enter{background-color:#7f9baa;margin:6px 0}#topbar-first .btn-enter:hover{background-color:#89a2b0}#topbar-first .media-list a{color:#555;padding:0}#topbar-first .media-list li{color:#555}#topbar-first .media-list li i.accepted{color:#6fdbe8 !important}#topbar-first .media-list li i.declined{color:#ff8989 !important}#topbar-first .media-list li.placeholder{border-bottom:none}#topbar-first .media-list .media .media-body .label{padding:.1em .5em}#topbar-first .account .user-title{text-align:right}#topbar-first .account .user-title span{color:#d7d7d7}#topbar-first .dropdown.account>a,#topbar-first .dropdown.account.open>a,#topbar-first .dropdown.account>a:hover,#topbar-first .dropdown.account.open>a:hover{background-color:#708fa0}#topbar-second{top:50px;background-color:#fff;z-index:1029;background-image:none;-webkit-box-shadow:0 1px 10px rgba(0,0,0,0.1);-moz-box-shadow:0 1px 10px rgba(0,0,0,0.1);box-shadow:0 1px 10px rgba(0,0,0,0.1);border-bottom:1px solid #d4d4d4}#topbar-second .dropdown-menu{padding-top:0;padding-bottom:0}#topbar-second .dropdown-menu .divider{margin:0}#topbar-second #space-menu-dropdown,#topbar-second #search-menu-dropdown{width:400px}#topbar-second #space-menu-dropdown .media-list,#topbar-second #search-menu-dropdown .media-list{max-height:400px;overflow:auto}@media screen and (max-width:768px){#topbar-second #space-menu-dropdown .media-list,#topbar-second #search-menu-dropdown .media-list{max-height:200px}}#topbar-second #space-menu-dropdown form,#topbar-second #search-menu-dropdown form{margin:10px}#topbar-second #space-menu-dropdown .search-reset,#topbar-second #search-menu-dropdown .search-reset{position:absolute;color:#999;margin:10px;top:8px;right:10px;display:none;cursor:pointer}#topbar-second .nav>li>a{padding:6px 13px 0;text-decoration:none;text-shadow:none;font-weight:600;font-size:10px;text-transform:uppercase;text-align:center;min-height:49px}#topbar-second .nav>li>a:hover,#topbar-second .nav>li>a:active,#topbar-second .nav>li>a:focus{border-bottom:3px solid #6fdbe8;background-color:#f7f7f7;color:#555;text-decoration:none}#topbar-second .nav>li>a i{font-size:14px}#topbar-second .nav>li>a .caret{border-top-color:#7a7a7a}#topbar-second .nav>li>ul>li>a{border-left:3px solid #fff;background-color:#fff;color:#555}#topbar-second .nav>li>ul>li>a:hover,#topbar-second .nav>li>ul>li>a.active{border-left:3px solid #6fdbe8;background-color:#f7f7f7;color:#555}#topbar-second .nav>li.active>a{min-height:46px}#topbar-second .nav>li>a#space-menu{padding-right:13px;border-right:1px solid #ededed}#topbar-second .nav>li>a#search-menu{padding-top:15px}#topbar-second .nav>li>a:hover,#topbar-second .nav .open>a,#topbar-second .nav>li.active{border-bottom:3px solid #6fdbe8;background-color:#f7f7f7;color:#555}#topbar-second .nav>li.active>a:hover{border-bottom:none}#topbar-second #space-menu-dropdown li>ul>li>a>.media .media-body p{color:#bebebe;font-size:11px;margin:0;font-weight:400}.dropdown-menu li a{font-size:13px !important;font-weight:600 !important}.dropdown-menu li a i{margin-right:5px;font-size:14px;display:inline-block;width:14px}.dropdown-menu li a:hover,.dropdown-menu li a:visited,.dropdown-menu li a:hover,.dropdown-menu li a:focus{background:none}.dropdown-menu li:hover,.dropdown-menu li.selected{color:#555}.dropdown-menu li:first-child{margin-top:3px}.dropdown-menu li:last-child{margin-bottom:3px}.media-list li{padding:10px;border-bottom:1px solid #eee;position:relative;border-left:3px solid white;font-size:12px}.media-list li a{color:#555}.media-list .badge-space-type{background-color:#f7f7f7;border:1px solid #d7d7d7;color:#b2b2b2;padding:3px 3px 2px 3px}.media-list li.new{border-left:3px solid #f3fcfd;background-color:#f3fcfd}.media-list li:hover,.media-list li.selected{background-color:#f7f7f7;border-left:3px solid #6fdbe8}.media-left,.media>.pull-left{padding-right:0;margin-right:10px}.media:after{content:'';clear:both;display:block}.media .time{font-size:11px;color:#bebebe}.media .img-space{position:absolute;top:35px;left:35px}.media .media-body{font-size:13px}.media .media-body h4.media-heading{font-size:14px;font-weight:500;color:#555}.media .media-body h4.media-heading a{color:#555}.media .media-body h4.media-heading small,.media .media-body h4.media-heading small a{font-size:11px;color:#bebebe}.media .media-body h4.media-heading .content{margin-right:35px}.media .media-body .content a{word-break:break-all}.media .media-body h5{color:#aeaeae;font-weight:300;margin-top:5px;margin-bottom:5px;min-height:15px}.media .media-body .module-controls{font-size:85%}.media .media-body .module-controls a{color:#6fdbe8}.media .content a{color:#6fdbe8}.media .content .files a{color:#555}.content span{word-wrap:break-word}.module-installed{opacity:.5}.module-installed .label-success{background-color:#d7d7d7}.modal .dropdown-menu,.panel .dropdown-menu,.nav-tabs .dropdown-menu{border:1px solid #d7d7d7}.modal .dropdown-menu li.divider,.panel .dropdown-menu li.divider,.nav-tabs .dropdown-menu li.divider{background-color:#f7f7f7;border-bottom:none;margin:9px 1px !important}.modal .dropdown-menu li,.panel .dropdown-menu li,.nav-tabs .dropdown-menu li{border-left:3px solid white}.modal .dropdown-menu li a,.panel .dropdown-menu li a,.nav-tabs .dropdown-menu li a{color:#555;font-size:14px;font-weight:400;padding:4px 15px}.modal .dropdown-menu li a i,.panel .dropdown-menu li a i,.nav-tabs .dropdown-menu li a i{margin-right:5px}.modal .dropdown-menu li a:hover,.panel .dropdown-menu li a:hover,.nav-tabs .dropdown-menu li a:hover{background:none}.modal .dropdown-menu li:hover,.panel .dropdown-menu li:hover,.nav-tabs .dropdown-menu li:hover,.modal .dropdown-menu li.selected,.panel .dropdown-menu li.selected,.nav-tabs .dropdown-menu li.selected{border-left:3px solid #6fdbe8;background-color:#f7f7f7 !important}.panel{border:none;background-color:#fff;box-shadow:0 0 3px #dadada;-webkit-box-shadow:0 0 3px #dadada;-moz-box-shadow:0 0 3px #dadada;border-radius:4px;position:relative}.panel h1{font-size:16px;font-weight:300;margin-top:0;color:#555}.panel .panel-heading{font-size:16px;font-weight:300;color:#555;background-color:white;border:none;padding:10px;border-radius:4px}.panel .panel-heading .heading-link{color:#6fdbe8 !important;font-size:.8em}.panel .panel-body{padding:10px;font-size:13px}.panel .panel-body p{color:#555}.panel .statistics .entry{margin-left:20px;font-size:12px}.panel .statistics .entry .count{color:#6fdbe8;font-weight:600;font-size:20px;line-height:.8em}.panel h3.media-heading small{font-size:75%}.panel h3.media-heading small a{color:#6fdbe8}.panel-danger{border:2px solid #ff8989}.panel-danger .panel-heading{color:#ff8989}.panel-success{border:2px solid #97d271}.panel-success .panel-heading{color:#97d271}.panel-warning{border:2px solid #fdd198}.panel-warning .panel-heading{color:#fdd198}.panel.profile{position:relative}.panel.profile .controls{position:absolute;top:10px;right:10px}.panel.members .panel-body a img,.panel.groups .panel-body a img,.panel.follower .panel-body a img,.panel.spaces .panel-body a img{margin-bottom:5px}.panel-profile .panel-profile-header{position:relative;border:3px solid #fff;border-top-right-radius:3px;border-top-left-radius:3px}.panel-profile .panel-profile-header .img-profile-header-background{border-radius:3px;min-height:110px}.panel-profile .panel-profile-header .img-profile-data{position:absolute;height:100px;width:100%;bottom:0;left:0;padding-left:180px;padding-top:30px;border-bottom-right-radius:3px;border-bottom-left-radius:3px;color:#fff;pointer-events:none;background:-moz-linear-gradient(top, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);background:-webkit-gradient(linear, left top, left bottom, color-stop(0, rgba(0,0,0,0)), color-stop(1%, rgba(0,0,0,0)), color-stop(100%, rgba(0,0,0,0.38)));background:-webkit-linear-gradient(top, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);background:-o-linear-gradient(top, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);background:-ms-linear-gradient(top, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);background:linear-gradient(to bottom, rgba(0,0,0,0) 0, rgba(0,0,0,0) 1%, rgba(0,0,0,0.38) 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#00000000', endColorstr='#94000000', GradientType=0)}.panel-profile .panel-profile-header .img-profile-data h1{font-size:30px;font-weight:100;margin-bottom:7px;color:#fff;max-width:600px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.panel-profile .panel-profile-header .img-profile-data h2{font-size:16px;font-weight:400;margin-top:0}.panel-profile .panel-profile-header .img-profile-data h1.space{font-size:30px;font-weight:700}.panel-profile .panel-profile-header .img-profile-data h2.space{font-size:13px;font-weight:300;max-width:600px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.panel-profile .panel-profile-header .profile-user-photo-container{position:absolute;bottom:-50px;left:15px}.panel-profile .panel-profile-header .profile-user-photo-container .profile-user-photo{border:3px solid #fff;border-radius:5px}.panel-profile .panel-profile-controls{padding-left:160px}.installer .logo{text-align:center}.installer h2{font-weight:100}.installer .panel{margin-top:50px}.installer .panel h3{margin-top:0}.installer .powered,.installer .powered a{color:#bac2c7 !important;margin-top:10px;font-size:12px}.installer .fa{width:18px}.installer .check-ok{color:#97d271}.installer .check-warning{color:#fdd198}.installer .check-error{color:#ff8989}.installer .prerequisites-list ul{list-style:none;padding-left:15px}.installer .prerequisites-list ul li{padding-bottom:5px}.space-acronym{color:#fff;text-align:center;display:inline-block}.current-space-image{margin-right:3px;margin-top:3px}.pagination-container{text-align:center}.pagination>.active>a,.pagination>.active>span,.pagination>.active>a:hover,.pagination>.active>span:hover,.pagination>.active>a:focus,.pagination>.active>span:focus{background-color:#708fa0;border-color:#708fa0}.pagination>li>a,.pagination>li>span,.pagination>li>a:hover,.pagination>li>a:active,.pagination>li>a:focus{color:#555}.well-small{padding:10px;border-radius:3px}.well{border:none;box-shadow:none;background-color:#ededed;margin-bottom:1px}.well hr{margin:15px 0 10px;border-top:1px solid #d9d9d9}.well table>thead{font-size:11px}.img-rounded{-webkit-border-radius:3px;-moz-border-radius:3px;border-radius:3px}.nav-pills .dropdown-menu,.nav-tabs .dropdown-menu,.account .dropdown-menu{background-color:#708fa0;border:none}.nav-pills .dropdown-menu li.divider,.nav-tabs .dropdown-menu li.divider,.account .dropdown-menu li.divider{background-color:#628394;border-bottom:none;margin:9px 1px !important}.nav-pills .dropdown-menu li,.nav-tabs .dropdown-menu li,.account .dropdown-menu li{border-left:3px solid #708fa0}.nav-pills .dropdown-menu li a,.nav-tabs .dropdown-menu li a,.account .dropdown-menu li a{color:white;font-weight:400;font-size:13px;padding:4px 15px}.nav-pills .dropdown-menu li a i,.nav-tabs .dropdown-menu li a i,.account .dropdown-menu li a i{margin-right:5px;font-size:14px;display:inline-block;width:14px}.nav-pills .dropdown-menu li a:hover,.nav-tabs .dropdown-menu li a:hover,.account .dropdown-menu li a:hover,.nav-pills .dropdown-menu li a:visited,.nav-tabs .dropdown-menu li a:visited,.account .dropdown-menu li a:visited,.nav-pills .dropdown-menu li a:hover,.nav-tabs .dropdown-menu li a:hover,.account .dropdown-menu li a:hover,.nav-pills .dropdown-menu li a:focus,.nav-tabs .dropdown-menu li a:focus,.account .dropdown-menu li a:focus{background:none}.nav-pills .dropdown-menu li:hover,.nav-tabs .dropdown-menu li:hover,.account .dropdown-menu li:hover,.nav-pills .dropdown-menu li.selected,.nav-tabs .dropdown-menu li.selected,.account .dropdown-menu li.selected{border-left:3px solid #6fdbe8;color:#fff !important;background-color:#628394 !important}.nav-pills.preferences .dropdown .dropdown-toggle{color:#bebebe}.nav-pills.preferences .dropdown.open .dropdown-toggle,.nav-pills.preferences .dropdown.open .dropdown-toggle:hover{background-color:#708fa0}.popover{border:1px solid rgba(0,0,0,0.15);border-radius:4px;-webkit-box-shadow:0 6px 12px rgba(0,0,0,0.175);-moz-box-shadow:0 6px 12px rgba(0,0,0,0.175);box-shadow:0 6px 12px rgba(0,0,0,0.175)}.popover .popover-title{background:none;border-bottom:none;color:#555;font-weight:300;font-size:16px;padding:15px}.popover .popover-content{font-size:13px;padding:5px 15px;color:#555}.popover .popover-content a{color:#6fdbe8}.popover .popover-navigation{padding:15px}.nav-pills>li.active>a,.nav-pills>li.active>a:hover,.nav-pills>li.active>a:focus{background-color:#708fa0}.nav-tabs{margin-bottom:10px}.list-group a [class^="fa-"],.list-group a [class*=" fa-"]{display:inline-block;width:18px}.nav-pills.preferences{position:absolute;right:10px;top:10px}.nav-pills.preferences .dropdown .dropdown-toggle{padding:2px 10px}.nav-pills.preferences .dropdown.open .dropdown-toggle,.nav-pills.preferences .dropdown.open .dropdown-toggle:hover{color:white}.nav-tabs li{font-weight:600;font-size:12px}.tab-content .tab-pane a{color:#6fdbe8}.tab-content .tab-pane .form-group{margin-bottom:5px}.nav-tabs.tabs-center li{float:none;display:inline-block}.nav-tabs.tabs-small li>a{padding:5px 7px}.nav .caret,.nav .caret:hover,.nav .caret:active{border-top-color:#555;border-bottom-color:#555}.nav li.dropdown>a:hover .caret,.nav li.dropdown>a:active .caret{border-top-color:#555;border-bottom-color:#555}.nav .open>a .caret,.nav .open>a:hover .caret,.nav .open>a:focus .caret{border-top-color:#555;border-bottom-color:#555}.nav .open>a,.nav .open>a:hover,.nav .open>a:focus{border-color:#ededed;color:#555}.nav .open>a .caret,.nav .open>a:hover .caret,.nav .open>a:focus .caret{color:#555}.btn{float:none;border:none;-webkit-box-shadow:none;box-shadow:none;-moz-box-shadow:none;background-image:none;text-shadow:none;border-radius:3px;outline:none !important;margin-bottom:0;font-size:14px;font-weight:600;padding:8px 16px}.input.btn{outline:none}.btn-lg{padding:16px 28px}.btn-sm{padding:4px 8px;font-size:12px}.btn-sm i{font-size:14px}.btn-xs{padding:1px 5px;font-size:12px}.btn-default{background:#ededed;color:#7a7a7a !important}.btn-default:hover,.btn-default:focus{background:#e8e8e8;text-decoration:none;color:#7a7a7a}.btn-default:active,.btn-default.active{outline:0;background:#e0e0e0}.btn-default[disabled],.btn-default.disabled{background:#f2f2f2}.btn-default[disabled]:hover,.btn-default.disabled:hover,.btn-default[disabled]:focus,.btn-default.disabled:focus{background:#f2f2f2}.btn-default[disabled]:active,.btn-default.disabled:active,.btn-default[disabled].active,.btn-default.disabled.active{background:#f2f2f2}.btn-primary{background:#708fa0;color:white !important}.btn-primary:hover,.btn-primary:focus{background:#628394;text-decoration:none}.btn-primary:active,.btn-primary.active{outline:0;background:#628394 !important}.btn-primary[disabled],.btn-primary.disabled{background:#7f9baa}.btn-primary[disabled]:hover,.btn-primary.disabled:hover,.btn-primary[disabled]:focus,.btn-primary.disabled:focus{background:#7f9baa}.btn-primary[disabled]:active,.btn-primary.disabled:active,.btn-primary[disabled].active,.btn-primary.disabled.active{background:#7f9baa !important}.btn-info{background:#6fdbe8;color:white !important}.btn-info:hover,.btn-info:focus{background:#59d6e4 !important;text-decoration:none}.btn-info:active,.btn-info.active{outline:0;background:#59d6e4}.btn-info[disabled],.btn-info.disabled{background:#85e0ec}.btn-info[disabled]:hover,.btn-info.disabled:hover,.btn-info[disabled]:focus,.btn-info.disabled:focus{background:#85e0ec}.btn-info[disabled]:active,.btn-info.disabled:active,.btn-info[disabled].active,.btn-info.disabled.active{background:#85e0ec !important}.btn-danger{background:#ff8989;color:white !important}.btn-danger:hover,.btn-danger:focus{background:#ff6f6f;text-decoration:none}.btn-danger:active,.btn-danger.active{outline:0;background:#ff6f6f !important}.btn-danger[disabled],.btn-danger.disabled{background:#ffa3a3}.btn-danger[disabled]:hover,.btn-danger.disabled:hover,.btn-danger[disabled]:focus,.btn-danger.disabled:focus{background:#ffa3a3}.btn-danger[disabled]:active,.btn-danger.disabled:active,.btn-danger[disabled].active,.btn-danger.disabled.active{background:#ffa3a3 !important}.btn-success{background:#97d271;color:white !important}.btn-success:hover,.btn-success:focus{background:#89cc5e;text-decoration:none}.btn-success:active,.btn-success.active{outline:0;background:#89cc5e !important}.btn-success[disabled],.btn-success.disabled{background:#a5d884}.btn-success[disabled]:hover,.btn-success.disabled:hover,.btn-success[disabled]:focus,.btn-success.disabled:focus{background:#a5d884}.btn-success[disabled]:active,.btn-success.disabled:active,.btn-success[disabled].active,.btn-success.disabled.active{background:#a5d884 !important}.btn-warning{background:#fdd198;color:white !important}.btn-warning:hover,.btn-warning:focus{background:#fdcd8e;text-decoration:none}.btn-warning:active,.btn-warning.active{outline:0;background:#fdcd8e !important}.btn-warning[disabled],.btn-warning.disabled{background:#fddcb1}.btn-warning[disabled]:hover,.btn-warning.disabled:hover,.btn-warning[disabled]:focus,.btn-warning.disabled:focus{background:#fddcb1}.btn-warning[disabled]:active,.btn-warning.disabled:active,.btn-warning[disabled].active,.btn-warning.disabled.active{background:#fddcb1 !important}.radio,.checkbox{margin-top:5px !important;margin-bottom:0}.radio label,.checkbox label{padding-left:10px}.form-control{border:2px solid #ededed;box-shadow:none}.form-control:focus{border:2px solid #6fdbe8;outline:0;box-shadow:none}.form-control.form-search{border-radius:30px;background-image:url("../img/icon_search16x16.png");background-repeat:no-repeat;background-position:10px 8px;padding-left:34px}.form-group-search{position:relative}.form-group-search .form-button-search{position:absolute;top:4px;right:4px;border-radius:30px}textarea{resize:none}select.form-control{-webkit-appearance:none;-moz-appearance:none;appearance:none;background-image:url("../img/select_arrow.png") !important;background-repeat:no-repeat;background-position:right 13px;overflow:hidden}label{font-weight:normal}label.control-label{font-weight:bold}::-webkit-input-placeholder{color:#bebebe !important}::-moz-placeholder{color:#bebebe !important}:-ms-input-placeholder{color:#bebebe !important}input:-moz-placeholder{color:#bebebe !important}.help-block{color:#aeaeae !important;font-size:12px}.input-group-addon{border:none}.label{text-transform:uppercase}.label{text-transform:uppercase;display:inline-block;padding:3px 5px 4px;font-weight:600;font-size:10px !important;color:white !important;vertical-align:baseline;white-space:nowrap;text-shadow:none}.label-default{background:#ededed;color:#7a7a7a !important}a.label-default:hover{background:#e0e0e0 !important}.label-info{background-color:#6fdbe8}a.label-info:hover{background:#59d6e4 !important}.label-danger{background-color:#ff8989}a.label-danger:hover{background:#ff6f6f !important}.label-success{background-color:#6fdbe8}a.label-success:hover{background:#59d6e4 !important}.label-warning{background-color:#fdd198}a.label-warning:hover{background:#fdc67f !important}.alert-default{color:#555;background-color:#f7f7f7;border-color:#ededed;font-size:13px}.alert-default .info{margin:10px 0}.alert-success{color:#84be5e;background-color:#f7fbf4;border-color:#97d271}.alert-warning{color:#e9b168;background-color:#fffbf7;border-color:#fdd198}.alert-danger{color:#ff8989;background-color:#fff6f6;border-color:#ff8989}.badge-space{margin-top:6px}.badge{padding:3px 5px;border-radius:2px;font-weight:normal;font-family:Arial,sans-serif;font-size:10px !important;text-transform:uppercase;color:#fff;vertical-align:baseline;white-space:nowrap;text-shadow:none;background-color:#d7d7d7;line-height:1}.list-group-item{padding:6px 15px;border:none;border-width:0 !important;border-left:3px solid #fff !important;font-size:12px;font-weight:600}.list-group-item i{font-size:14px}a.list-group-item:hover,a.list-group-item.active,a.list-group-item.active:hover,a.list-group-item.active:focus{z-index:2;color:#555;background-color:#f7f7f7;border-left:3px solid #6fdbe8 !important}@media screen and (max-width:768px){.modal-dialog{width:auto !important;padding-top:30px;padding-bottom:30px}}.modal-open{overflow:visible}.modal{overflow-y:visible}.modal-dialog-extra-small{width:400px}.modal-dialog-small{width:500px}.modal-dialog-normal{width:600px}.modal-dialog-medium{width:768px}.modal-dialog-large{width:900px}@media screen and (max-width:920px){.modal-dialog-large{width:auto !important;padding-top:30px;padding-bottom:30px}}.modal{border:none}.modal h1,.modal h2,.modal h3,.modal h4,.modal h5{margin-top:20px;color:#555;font-weight:300}.modal h4.media-heading{margin-top:0}.modal-title{font-size:20px;font-weight:200;color:#555}.modal-dialog,.modal-content{min-width:150px}.modal-content{-webkit-border-radius:3px;-moz-border-radius:3px;box-shadow:0 2px 26px rgba(0,0,0,0.3),0 0 0 1px rgba(0,0,0,0.1);-webkit-box-shadow:0 2px 26px rgba(0,0,0,0.3),0 0 0 1px rgba(0,0,0,0.1);-moz-box-shadow:0 2px 26px rgba(0,0,0,0.3),0 0 0 1px rgba(0,0,0,0.1);border:none}.modal-content .modal-header{padding:20px 20px 0;border-bottom:none;text-align:center}.modal-content .modal-header .close{margin-top:2px;margin-right:5px}.modal-content .modal-body{padding:20px;font-size:13px}.modal-content .modal-footer{margin-top:0;text-align:left;padding:10px 20px 30px;border-top:none;text-align:center}.modal-content .modal-footer hr{margin-top:0}.modal-backdrop{background-color:rgba(0,0,0,0.5)}.ekko-lightbox .modal-content .modal-body{padding:10px}.ekko-lightbox .modal-content .modal-footer{padding:0 10px 10px}.ekko-lightbox-nav-overlay a,.ekko-lightbox-nav-overlay a:hover{color:#708fa0}.progress{height:10px;margin-bottom:15px;box-shadow:none;background:#ededed;border-radius:10px}.progress-bar-info{background-color:#6fdbe8;-webkit-box-shadow:none;box-shadow:none}.tooltip-inner{background-color:#708fa0;max-width:400px;text-align:left;font-weight:300;padding:2px 8px 4px;font-weight:bold;white-space:pre-wrap}.tooltip.top .tooltip-arrow{border-top-color:#708fa0}.tooltip.top-left .tooltip-arrow{border-top-color:#708fa0}.tooltip.top-right .tooltip-arrow{border-top-color:#708fa0}.tooltip.right .tooltip-arrow{border-right-color:#708fa0}.tooltip.left .tooltip-arrow{border-left-color:#708fa0}.tooltip.bottom .tooltip-arrow{border-bottom-color:#708fa0}.tooltip.bottom-left .tooltip-arrow{border-bottom-color:#708fa0}.tooltip.bottom-right .tooltip-arrow{border-bottom-color:#708fa0}.tooltip.in{opacity:1;filter:alpha(opacity=100)}table th{font-size:11px;color:#bebebe;font-weight:normal}table thead tr th{border:none !important}table .time{font-size:12px}table td a:hover{color:#6fdbe8}.table>thead>tr>th,.table>tbody>tr>th,.table>tfoot>tr>th,.table>thead>tr>td,.table>tbody>tr>td,.table>tfoot>tr>td{padding:10px 10px 10px 0}.table>thead>tr>th select,.table>tbody>tr>th select,.table>tfoot>tr>th select,.table>thead>tr>td select,.table>tbody>tr>td select,.table>tfoot>tr>td select{font-size:12px;padding:4px 8px;height:30px;margin:0}.comment-container{margin-top:10px}.comment .media{position:relative !important;margin-top:0}.comment .media .nav-pills.preferences{display:none;right:-3px;top:-3px}.comment.guest-mode .media:last-child .wall-entry-controls{margin-bottom:0}.comment.guest-mode .media:last-child hr{display:none}.grid-view img{width:24px;height:24px}.grid-view .filters input,.grid-view .filters select{border:2px solid #ededed;box-shadow:none;border-radius:4px;font-size:12px;padding:4px}.grid-view .filters input:focus,.grid-view .filters select:focus{border:2px solid #6fdbe8;outline:0;box-shadow:none}.grid-view{padding:15px 0 0}.grid-view img{border-radius:3px}.grid-view table th{font-size:13px !important;font-weight:bold !important}.grid-view table tr{font-size:13px !important}.grid-view .summary{font-size:12px;color:#bac2c7}.tags .tag{margin-top:5px;border-radius:2px;padding:4px 8px;text-transform:uppercase;max-width:150px;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.placeholder{padding:15px}.placeholder-empty-stream{background-image:url("../img/placeholder-postform-arrow.png");background-repeat:no-repeat;padding:37px 0 0 70px;margin-left:90px}.media-list li.placeholder{font-size:14px !important;border-bottom:none}.media-list li.placeholder:hover{background:none !important;border-left:3px solid white}ul.tag_input{list-style:none;background-color:#fff;border:1px solid #ccc;border-radius:4px;-webkit-box-shadow:inset 0 1px 1px rgba(0,0,0,0.075);box-shadow:inset 0 1px 1px rgba(0,0,0,0.075);-webkit-transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;transition:border-color ease-in-out .15s,box-shadow ease-in-out .15s;padding:0 0 9px 4px}ul.tag_input li img{margin:0 5px 0 0}.tag_input_field{outline:none;border:none !important;padding:5px 4px 0 !important;width:170px;margin:2px 0 0 !important}.userInput,.spaceInput{background-color:#6fdbe8;font-weight:600;color:#fff;border-radius:3px;font-size:12px !important;padding:2px;float:left;margin:3px 4px 0 0}.userInput i,.spaceInput i{padding:0 6px;font-size:14px;cursor:pointer;line-height:8px}.contentForm_options{margin-top:10px}.oembed_snippet{position:relative;padding-bottom:55%;padding-top:15px;height:0;overflow:hidden}.oembed_snippet iframe{position:absolute;top:0;left:0;width:100%;height:100%}.select2-container--default .select2-selection--multiple{border:2px solid #ededed !important;background-image:url("../img/select_arrow.png") !important;background-repeat:no-repeat;background-position:right 16px}.select2-container--default .select2-selection--focus{border:2px solid #6fdbe8 !important}.select2-selection__choice{background-color:#6fdbe8 !important;padding:5px 0 5px 5px !important;border:none !important}.select2-search--inline{background-color:transparent !important;padding:5px 0 5px 5px !important}.select2-selection__choice__remove{display:none !important}#notification_overview_filter label{display:block}.activities{max-height:400px;overflow:auto}.activities li .media{position:relative}.activities li .media .img-space{position:absolute;top:14px;left:14px}.wall-entry{position:relative}.wall-entry .media{overflow:visible}.wall-entry .well{margin-bottom:0}.wall-entry .well .comment .show-all-link{font-size:12px;cursor:pointer}.wall-entry-controls,.wall-entry-controls a{font-size:11px;color:#aeaeae;margin-top:10px;margin-bottom:0}.space-owner{text-align:center;margin:14px 0;font-size:13px;color:#999}.placeholder{padding:10px}.placeholder-empty-stream{background-image:url("../img/placeholder-postform-arrow.png");background-repeat:no-repeat;padding:37px 0 0 70px;margin-left:90px}ul.tag_input{-webkit-box-shadow:none;box-shadow:none;border:2px solid #ededed}ul.tag_input.focus{border:2px solid #6fdbe8;outline:0;box-shadow:none}.space-member-sign{color:#97d271;position:absolute;top:42px;left:42px;font-size:16px;background:#fff;width:24px;height:24px;padding:2px 3px 1px 4px;border-radius:50px;border:2px solid #97d271}.contentForm_options{min-height:29px}.contentForm-upload-progress{margin-top:18px;margin-bottom:10px !important}.btn_container{position:relative}.btn_container .label-public{position:absolute;right:40px;top:11px}.login-screen{margin-top:-70px}.mime{background-repeat:no-repeat;background-position:0 0;padding:1px 0 4px 26px}.mime-word{background-image:url("../img/mime/word.png")}.mime-excel{background-image:url("../img/mime/excel.png")}.mime-powerpoint{background-image:url("../img/mime/powerpoint.png")}.mime-pdf{background-image:url("../img/mime/pdf.png")}.mime-zip{background-image:url("../img/mime/zip.png")}.mime-image{background-image:url("../img/mime/image.png")}.mime-file{background-image:url("../img/mime/file.png")}.mime-photoshop{background-image:url("../img/mime/photoshop.png")}.mime-illustrator{background-image:url("../img/mime/illustrator.png")}.mime-video{background-image:url("../img/mime/video.png")}.mime-audio{background-image:url("../img/mime/audio.png")}.files,#postFormFiles_list{padding-left:0}.contentForm-upload-list{padding-left:0}.contentForm-upload-list li:first-child{margin-top:10px}.file_upload_remove_link,.file_upload_remove_link:hover{color:#ff8989}#contentFormError{color:#ff8989;padding-left:0;list-style:none}.post-files,.oembed_snippet{margin-top:10px}.post-files img{vertical-align:top;margin-bottom:3px}.comment_create,.content_edit{position:relative}.comment_create .comment-buttons,.content_edit .comment-buttons{position:absolute;top:2px;right:5px}.comment_create .btn-comment-submit,.content_edit .btn-comment-submit{margin-top:3px}.comment_create .fileinput-button,.content_edit .fileinput-button{float:left;padding:6px 10px;background:transparent !important}.comment_create .fileinput-button .fa,.content_edit .fileinput-button .fa{color:#d7d7d7}.comment_create .fileinput-button:hover .fa,.content_edit .fileinput-button:hover .fa{background:transparent !important;color:#b2b2b2}.comment_create .fileinput-button:active,.content_edit .fileinput-button:active{box-shadow:none !important}.upload-box-container{position:relative}.upload-box{display:none;position:absolute;top:0;left:0;width:100%;height:100px;padding:20px;background:#f8f8f8;border:2px dashed #ddd;text-align:center;border-radius:3px;cursor:pointer}.upload-box input[type="file"]{position:absolute;opacity:0}.upload-box .upload-box-progress-bar{display:none}.image-upload-container{position:relative}.image-upload-container .image-upload-buttons{display:none;position:absolute;right:5px;bottom:5px}.image-upload-container input[type="file"]{position:absolute;opacity:0}.image-upload-container .image-upload-loader{display:none;position:absolute;top:0;left:0;width:100%;height:100%;padding:20px;background:#f8f8f8}.langSwitcher{display:inline-block}.data-saved{padding-left:10px;color:#6fdbe8}.wallFilterPanel li{font-size:11px;font-weight:600}.wallFilterPanel li a{color:#555}.wallFilterPanel .dropdown-menu li{margin-bottom:0}.wallFilterPanel .dropdown-menu li a{font-size:12px}.wallFilterPanel .dropdown-menu li a:hover{color:#fff !important}ul.tour-list{list-style:none;margin-bottom:0;padding-left:10px}ul.tour-list li{padding-top:5px}ul.tour-list li a{color:#6fdbe8}ul.tour-list li a .fa{width:16px}ul.tour-list li.completed a{text-decoration:line-through;color:#bebebe}.powered,.powered a{color:#b8c7d3 !important}.errorMessage{color:#ff8989;padding:10px 0}.error{border-color:#ff8989 !important}.has-error .help-block,.has-error .control-label,.has-error .radio,.has-error .checkbox,.has-error .radio-inline,.has-error .checkbox-inline{color:#ff8989 !important}.has-error .form-control,.has-error .form-control:focus{border-color:#ff8989;-webkit-box-shadow:none;box-shadow:none}.has-success .help-block,.has-success .control-label,.has-success .radio,.has-success .checkbox,.has-success .radio-inline,.has-success .checkbox-inline{color:#97d271}.has-success .form-control,.has-success .form-control:focus{border-color:#97d271;-webkit-box-shadow:none;box-shadow:none}.has-warning .help-block,.has-warning .control-label,.has-warning .radio,.has-warning .checkbox,.has-warning .radio-inline,.has-warning .checkbox-inline{color:#fdd198}.has-warning .form-control,.has-warning .form-control:focus{border-color:#fdd198;-webkit-box-shadow:none;box-shadow:none}.highlight{background-color:#fff8e0}input.placeholder,textarea.placeholder{padding:0 0 0 10px;color:#999}.ekko-lightbox-container{position:relative}.ekko-lightbox-nav-overlay{position:absolute;top:0;left:0;z-index:100;width:100%;height:100%}.ekko-lightbox-nav-overlay a{z-index:100;display:block;width:49%;height:100%;padding-top:35%;font-size:30px;color:#fff;opacity:0;text-decoration:none;-webkit-transition:opacity .5s;-moz-transition:opacity .5s;-o-transition:opacity .5s;transition:opacity .5s}.ekko-lightbox-nav-overlay a:hover{color:#fff}.ekko-lightbox-nav-overlay a:empty{width:49%}.ekko-lightbox a:hover{text-decoration:none;opacity:1}.ekko-lightbox .glyphicon-chevron-left{left:0;float:left;padding-left:15px;text-align:left}.ekko-lightbox .glyphicon-chevron-right{right:0;float:right;padding-right:15px;text-align:right}.atwho-view .cur{border-left:3px solid #6fdbe8;background-color:#f7f7f7 !important}.atwho-user,.atwho-space,.atwho-input a{color:#6fdbe8}.atwho-input a:hover{color:#6fdbe8}.atwho-view strong{background-color:#f9f0d2}.atwho-view .cur strong{background-color:#f9f0d2}.comment .jp-progress{background-color:#dbdcdd !important}.comment .jp-play-bar{background:#cacaca}.sk-spinner-three-bounce.sk-spinner{margin:0 auto;width:70px;text-align:center}.loader{padding:30px 0}.loader .sk-spinner-three-bounce div{width:12px;height:12px;background-color:#6fdbe8;border-radius:100%;display:inline-block;-webkit-animation:sk-threeBounceDelay 1.4s infinite ease-in-out;animation:sk-threeBounceDelay 1.4s infinite ease-in-out;-webkit-animation-fill-mode:both;animation-fill-mode:both}.loader .sk-spinner-three-bounce .sk-bounce1{-webkit-animation-delay:-0.32s;animation-delay:-0.32s}.loader .sk-spinner-three-bounce .sk-bounce2{-webkit-animation-delay:-0.16s;animation-delay:-0.16s}@-webkit-keyframes sk-threeBounceDelay{0%,80%,100%{-webkit-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);transform:scale(1)}}@keyframes sk-threeBounceDelay{0%,80%,100%{-webkit-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);transform:scale(1)}}.loader-modal{padding:8px 0}.loader-postform{padding:9px 0}.loader-postform .sk-spinner-three-bounce.sk-spinner{text-align:left;margin:0}.modal-dialog.fadeIn,.modal-dialog.pulse{-webkit-animation-duration:200ms;-moz-animation-duration:200ms;animation-duration:200ms}.panel.pulse,.panel.fadeIn{-webkit-animation-duration:200ms;-moz-animation-duration:200ms;animation-duration:200ms}img.bounceIn{-webkit-animation-duration:800ms;-moz-animation-duration:800ms;animation-duration:800ms}.markdown-render h1,.markdown-render h2,.markdown-render h3,.markdown-render h4,.markdown-render h5,.markdown-render h6{font-weight:bold !important}.markdown-render h1{font-size:28px !important}.markdown-render h2{font-size:24px !important}.markdown-render h3{font-size:18px !important}.markdown-render h4{font-size:16px !important}.markdown-render h5{font-size:14px !important}.markdown-render h6{color:#999;font-size:14px !important}.markdown-render pre{padding:0;border:none;border-radius:3px}.markdown-render pre code{padding:10px;border-radius:3px;font-size:12px !important}.markdown-render a,.markdown-render a:visited{background-color:inherit;text-decoration:none;color:#6fdbe8 !important}.markdown-render img{max-width:100%;width:100%;display:table-cell !important}.markdown-render table{width:100%}.markdown-render table th{font-size:13px;font-weight:700;color:#555}.markdown-render table thead tr{border-bottom:1px solid #d7d7d7}.markdown-render table tbody tr td,.markdown-render table thead tr th{border:1px solid #d7d7d7 !important;padding:4px}.md-editor.active{border:2px solid #6fdbe8 !important}@media (max-width:767px){.topbar{padding-left:0;padding-right:0}#space-menu>.title{display:none}#space-menu-dropdown{width:300px !important}#search-menu-dropdown{width:300px !important;max-height:250px !important}.notifications{position:inherit !important;float:left !important}.notifications .dropdown-menu{width:300px !important;margin-left:0 !important}.notifications .dropdown-menu .arrow{margin-left:-142px !important}.panel-profile-controls{padding-left:0 !important;padding-top:50px}.panel-profile .panel-profile-header .img-profile-data h1{font-size:20px !important}}@media (max-width:991px){.controls-header{text-align:left !important}.list-group{margin-left:4px}.list-group-item{display:inline-block !important;border-radius:3px !important;margin:4px 0;margin-bottom:4px !important}.list-group-item{border:none !important}a.list-group-item:hover,a.list-group-item.active,a.list-group-item.active:hover,a.list-group-item.active:focus{border:none !important;background:#708fa0 !important;color:#fff !important}.layout-sidebar-container{display:none}}.onoffswitch-inner:before{background-color:#6fdbe8;color:#fff}.onoffswitch-inner:after{background-color:#d7d7d7;color:#999;text-align:right}.regular-checkbox:checked+.regular-checkbox-box{border:2px solid #6fdbe8;background:#6fdbe8;color:white}.regular-radio:checked+.regular-radio-button:after{background:#6fdbe8}.regular-radio:checked+.regular-radio-button{background-color:none;color:#99a1a7;border:2px solid #d7d7d7;margin-right:5px}.ui-widget-header{border:none !important;background:#fff !important;color:#7a7a7a !important;font-weight:300 !important}.ui-widget-content{border:1px solid #dddcda !important;border-radius:0 !important;background:#fff;color:#555 !important;-webkit-box-shadow:0 6px 6px rgba(0,0,0,0.1);box-shadow:0 6px 6px rgba(0,0,0,0.1)}.ui-datepicker .ui-datepicker-prev span,.ui-datepicker .ui-datepicker-next span{opacity:.2}.ui-datepicker .ui-datepicker-prev:hover,.ui-datepicker .ui-datepicker-next:hover{background:#fff !important;border:none;margin:1px}.ui-state-default,.ui-widget-content .ui-state-default,.ui-widget-header .ui-state-default{border:none !important;background:#f7f7f7 !important;color:#7a7a7a !important}.ui-state-highlight,.ui-widget-content .ui-state-highlight,.ui-widget-header .ui-state-highlight{border:none !important;border:1px solid #b2b2b2 !important}.ui-state-active,.ui-widget-content .ui-state-active,.ui-widget-header .ui-state-active{border:1px solid #6fdbe8 !important;background:#ddf6fa !important}#share-panel .share-icon{float:left;font-size:20px;width:20px}#share-panel .share-text{float:left;padding:4px 0 0 5px}#share-panel .share-icon-twitter{color:#55acee}#share-panel .share-icon-facebook{color:#3a5795}#share-panel .share-icon-google-plus{color:#f44336}#share-panel .share-icon-linkedin{color:#0177b5} \ No newline at end of file diff --git a/themes/HumHub/css/theme.less b/themes/HumHub/css/theme.less index 28a819e333..47f78f07ca 100755 --- a/themes/HumHub/css/theme.less +++ b/themes/HumHub/css/theme.less @@ -197,6 +197,18 @@ input[type=select] { appearance: none; } +.text-break { + word-wrap: break-word; + overflow-wrap: break-word; + word-wrap: break-word; + -ms-word-break: break-all; + word-break: break-word; + -ms-hyphens: auto; + -moz-hyphens: auto; + -webkit-hyphens: auto; + hyphens: auto; +} + // // Login // -------------------------------------------------- @@ -409,6 +421,7 @@ input[type=select] { } } } + .dropdown-footer { margin: 10px 10px 5px; } @@ -712,7 +725,7 @@ input[type=select] { } .content span { - word-wrap: break-word; + .text-break; } // Modules @@ -779,6 +792,10 @@ input[type=select] { .panel-heading { .heading; border-radius: 4px; + .heading-link { + color:#6fdbe8 !important; + font-size: 0.8em; + } } .panel-body { padding: 10px; @@ -2055,6 +2072,37 @@ ul.tag_input { height: 100%; } +// Multi Dropdown Select2 Overwrites +.select2-container--default .select2-selection--multiple { + border: 2px solid #ededed !important; + background-image: url("../img/select_arrow.png") !important; + background-repeat: no-repeat; + background-position: right 16px; +} + +.select2-container--default .select2-selection--focus { + border: 2px solid #6fdbe8 !important; +} + +.select2-selection__choice { + background-color: #6fdbe8 !important; + padding: 5px 0px 5px 5px !important; + border: none !important; +} + +.select2-search--inline { + background-color: transparent !important; + padding: 5px 0px 5px 5px !important; +} + +.select2-selection__choice__remove { + display:none !important; +} + +#notification_overview_filter label { + display:block; +} + // Activities .activities { max-height: 400px;