diff --git a/.editorconfig b/.editorconfig
new file mode 100644
index 000000000..030d82329
--- /dev/null
+++ b/.editorconfig
@@ -0,0 +1,17 @@
+root = true
+
+[*]
+end_of_line = lf
+insert_final_newline = true
+charset = utf-8
+indent_style = space
+indent_size = 2
+
+[{Gemfile,Rakefile,Guardfile,Procfile}]
+trim_trailing_whitespace = true
+
+[*.{js,hbs,rb,rake,ru,erb,haml,scss,sh,md}]
+trim_trailing_whitespace = true
+
+[*.yml]
+trim_trailing_whitespace = false
diff --git a/.foreman b/.foreman
index a39123f3a..d85990e35 100644
--- a/.foreman
+++ b/.foreman
@@ -1,2 +1,2 @@
port: 3000
-formation: web=1,sidekiq=0
+formation: xmpp=0,web=1,sidekiq=0
diff --git a/.gitignore b/.gitignore
index 4daa11583..87b17afd9 100644
--- a/.gitignore
+++ b/.gitignore
@@ -1,3 +1,7 @@
+# xmpp certificates, keys and user data
+config/vines/*.crt
+config/vines/*.key
+
#trademark sillyness
app/views/home/_show.*
app/views/terms/terms.*
@@ -10,6 +14,7 @@ config/heroku.yml
config/initializers/secret_token.rb
config/redis.conf
config/deploy_config.yml
+config/schedule.rb
.bundle
vendor/bundle/
vendor/cache/
@@ -29,6 +34,11 @@ spec/fixtures/*.y*ml
spec/fixtures/*.fixture.*
coverage/
xml_locales/
+public/404.html
+public/422.html
+public/500.html
+
+# Sprites
app/assets/images/branding-*.png
app/assets/images/icons-*.png
app/assets/images/social_media_logos-*.png
@@ -58,7 +68,6 @@ tmp/
*.swp
*~
*#
-bin/*
nbproject
patches-*
capybara-*.html
@@ -69,3 +78,6 @@ dump.rdb
#IDE
diaspora.iml
+
+# Dolphin's directory's preferences files
+*.directory
diff --git a/.hound.yml b/.hound.yml
new file mode 100644
index 000000000..9c0f49ddb
--- /dev/null
+++ b/.hound.yml
@@ -0,0 +1,9 @@
+java_script:
+ enabled: true
+ config_file: config/.jshint.json
+ ignore_file: config/.jshint_ignore
+ruby:
+ enabled: true
+ config_file: .rubocop.yml
+scss:
+ enabled: false
diff --git a/.jshintignore b/.jshintignore
new file mode 120000
index 000000000..e650afb05
--- /dev/null
+++ b/.jshintignore
@@ -0,0 +1 @@
+config/.jshint_ignore
\ No newline at end of file
diff --git a/.jshintrc b/.jshintrc
new file mode 120000
index 000000000..2c12c8897
--- /dev/null
+++ b/.jshintrc
@@ -0,0 +1 @@
+config/.jshint.json
\ No newline at end of file
diff --git a/.pairs b/.pairs
deleted file mode 100644
index f9b826a51..000000000
--- a/.pairs
+++ /dev/null
@@ -1,15 +0,0 @@
-pairs:
- dg: Daniel Grippi; daniel
- rs: Raphael Sofaer; raphael
- iz: Ilya Zhitomirskiy; ilya
- ms: Maxwell Salzberg; maxwell
- dh: Dan Hansen; ohaibbq
- sm: Sarah Mei; sarah
- mjs: Michael Sofaer; michael
- jd: Jeff Dickey; dickeytk
- dc: Dennis Collinson
- tf: Tim Frazer
- kf: Kevin Fitzpatrick
-email:
- prefix: pair
- domain: joindiaspora.com
diff --git a/.powenv b/.powenv
deleted file mode 100644
index fa534d482..000000000
--- a/.powenv
+++ /dev/null
@@ -1 +0,0 @@
-export NEW_HOTNESS=yessir
diff --git a/.powrc b/.powrc
deleted file mode 100644
index 52c4a5737..000000000
--- a/.powrc
+++ /dev/null
@@ -1,4 +0,0 @@
-if [ -f "$rvm_path/scripts/rvm" ] && [ -f ".rvmrc" ]; then
- source "$rvm_path/scripts/rvm"
- source ".rvmrc"
-fi
diff --git a/.rspec b/.rspec
index 7b862b57b..174e25596 100644
--- a/.rspec
+++ b/.rspec
@@ -3,4 +3,3 @@
--color
--tag ~performance
--order random
---drb
diff --git a/.rubocop.yml b/.rubocop.yml
new file mode 100644
index 000000000..2148bb5d0
--- /dev/null
+++ b/.rubocop.yml
@@ -0,0 +1,130 @@
+AllCops:
+ RunRailsCops: true
+
+# Commonly used screens these days easily fit more than 80 characters.
+Metrics/LineLength:
+ Max: 120
+
+# Too short methods lead to extraction of single-use methods, which can make
+# the code easier to read (by naming things), but can also clutter the class
+Metrics/MethodLength:
+ Max: 20
+
+# The guiding principle of classes is SRP, SRP can't be accurately measured by LoC
+Metrics/ClassLength:
+ Max: 1500
+
+# No space makes the method definition shorter and differentiates
+# from a regular assignment.
+Style/SpaceAroundEqualsInParameterDefault:
+ EnforcedStyle: no_space
+
+# Single quotes being faster is hardly measurable and only affects parse time.
+# Enforcing double quotes reduces the times where you need to change them
+# when introducing an interpolation. Use single quotes only if their semantics
+# are needed.
+Style/StringLiterals:
+ EnforcedStyle: double_quotes
+
+# We do not need to support Ruby 1.9, so this is good to use.
+Style/SymbolArray:
+ Enabled: true
+
+# Most readable form.
+Style/AlignHash:
+ EnforcedHashRocketStyle: table
+ EnforcedColonStyle: table
+
+# Mixing the styles looks just silly.
+# REVIEW: Enable once https://github.com/bbatsov/rubocop/commit/760ce1ed2cf10beda5e163f934c03a6fb6daa38e
+# is released.
+#Style/HashSyntax:
+# EnforcedStyle: ruby19_no_mixed_keys
+
+# has_key? and has_value? are far more readable than key? and value?
+Style/DeprecatedHashMethods:
+ Enabled: false
+
+# String#% is by far the least verbose and only object oriented variant.
+Style/FormatString:
+ EnforcedStyle: percent
+
+Style/CollectionMethods:
+ Enabled: true
+ PreferredMethods:
+ # inject seems more common in the community.
+ reduce: "inject"
+
+
+# Either allow this style or don't. Marking it as safe with parenthesis
+# is silly. Let's try to live without them for now.
+Style/ParenthesesAroundCondition:
+ AllowSafeAssignment: false
+Lint/AssignmentInCondition:
+ AllowSafeAssignment: false
+
+# A specialized exception class will take one or more arguments and construct the message from it.
+# So both variants make sense.
+Style/RaiseArgs:
+ Enabled: false
+
+# Fail is an alias of raise. Avoid aliases, it's more cognitive load for no gain.
+# The argument that fail should be used to abort the program is wrong too,
+# there's Kernel#abort for that.
+Style/SignalException:
+ EnforcedStyle: only_raise
+
+# Suppressing exceptions can be perfectly fine, and be it to avoid to
+# explicitly type nil into the rescue since that's what you want to return,
+# or suppressing LoadError for optional dependencies
+Lint/HandleExceptions:
+ Enabled: false
+
+Style/SpaceInsideBlockBraces:
+ # The space here provides no real gain in readability while consuming
+ # horizontal space that could be used for a better parameter name.
+ # Also {| differentiates better from a hash than { | does.
+ SpaceBeforeBlockParameters: false
+
+# No trailing space differentiates better from the block:
+# foo} means hash, foo } means block.
+Style/SpaceInsideHashLiteralBraces:
+ EnforcedStyle: no_space
+
+# { ... } for multi-line blocks is okay, follow Weirichs rule instead:
+# https://web.archive.org/web/20140221124509/http://onestepback.org/index.cgi/Tech/Ruby/BraceVsDoEnd.rdoc
+Style/Blocks:
+ Enabled: false
+
+# do / end blocks should be used for side effects,
+# methods that run a block for side effects and have
+# a useful return value are rare, assign the return
+# value to a local variable for those cases.
+Style/MethodCalledOnDoEndBlock:
+ Enabled: true
+
+# Enforcing the names of variables? To single letter ones? Just no.
+Style/SingleLineBlockParams:
+ Enabled: false
+
+# Shadowing outer local variables with block parameters is often useful
+# to not reinvent a new name for the same thing, it highlights the relation
+# between the outer variable and the parameter. The cases where it's actually
+# confusing are rare, and usually bad for other reasons already, for example
+# because the method is too long.
+Lint/ShadowingOuterLocalVariable:
+ Enabled: false
+
+# Check with yard instead.
+Style/Documentation:
+ Enabled: false
+
+# This is just silly. Calling the argument `other` in all cases makes no sense.
+Style/OpMethod:
+ Enabled: false
+
+# There are valid cases, for example debugging Cucumber steps,
+# also they'll fail CI anyway
+Lint/Debugger:
+ Enabled: false
+
diff --git a/.ruby-version b/.ruby-version
index cd5ac039d..879b416e6 100644
--- a/.ruby-version
+++ b/.ruby-version
@@ -1 +1 @@
-2.0
+2.1
diff --git a/.travis.yml b/.travis.yml
index 852b2cab3..56e74410e 100644
--- a/.travis.yml
+++ b/.travis.yml
@@ -1,12 +1,8 @@
-branches:
- only:
- - 'master'
- - 'develop'
-
language: ruby
+
rvm:
- - 2.0.0
- - 1.9.3
+ - 2.1
+ - 2.0
env:
- DB=postgres BUILD_TYPE=other
@@ -14,13 +10,22 @@ env:
- DB=postgres BUILD_TYPE=cucumber
- DB=mysql BUILD_TYPE=cucumber
+sudo: false
+cache:
+ bundler: true
+ directories:
+ - app/assets/images
+
+branches:
+ only:
+ - 'master'
+ - 'develop'
+
+before_install: gem install bundler
+bundler_args: "--without development production heroku --jobs 3 --retry 3"
-bundler_args: "--without development production heroku"
script: "./script/ci/build.sh"
-addons:
- firefox: "26.0"
-
notifications:
irc:
channels:
diff --git a/Changelog.md b/Changelog.md
index 396e70d44..652eb5d9d 100644
--- a/Changelog.md
+++ b/Changelog.md
@@ -1,3 +1,219 @@
+# 0.5.0.0
+
+## Major Sidekiq update
+This release includes a major upgrade of the background processing system Sidekiq. To upgrade cleanly:
+
+1. Stop diaspora*
+2. Run `RAILS_ENV=production bundle exec sidekiq` and wait 5-10 minutes, then stop it again (hit `CTRL+C`)
+3. Do a normal upgrade of diaspora*
+4. Start diaspora*
+
+## Rails 4 - Manual action required
+Please edit `config/initializers/secret_token.rb`, replacing `secret_token` with
+`secret_key_base`.
+
+```ruby
+# Old
+Rails.application.config.secret_token = '***********...'
+
+# New
+Diaspora::Application.config.secret_key_base = '*************...'
+```
+
+You also need to take care to set `RAILS_ENV` and to clear the cache while precompiling assets: `RAILS_ENV=production bundle exec rake tmp:cache:clear assets:precompile`
+
+## Supported Ruby versions
+This release drops official support for the Ruby 1.9 series. This means we will no longer test against this Ruby version or take care to choose libraries
+that work with it. However that doesn't mean we won't accept patches that improve running diaspora* on it.
+
+At the same time we adopt support for the Ruby 2.1 series and recommend running on the latest Ruby version of that branch. We continue to support the Ruby 2.0
+series and run our comprehensive test suite against it.
+
+## Change in defaults.yml
+The default for including jQuery from a CDN has changed. If you want to continue to include it from a CDN, please explicitly set the `jquery_cdn` setting to `true` in diaspora.yml.
+
+## Change in database.yml
+For MySQL databases, replace `charset: utf8` with `encoding: utf8mb4` and change `collation` from `utf8_bin` to `utf8mb4_bin` in the file `config/database.yml`.
+This is enables full UTF8 support (4bytes characters), including standard emoji characters.
+See `database.yml.example` for reference.
+Please make sure to stop Diaspora prior running this migration!
+
+## Experimental chat feature
+This release adds experimental integration with XMPP for real-time chat. Please see [our wiki](https://wiki.diasporafoundation.org/Vines) for further informations.
+
+## Change in statistics.json schema
+The way services are shown in the `statistics.json` route is changing. The keys relating to showing whether services are enabled or not are moving to their own container as `"services": {....}`, instead of having them all in the root level of the JSON.
+
+The keys will still be available in the root level within the 0.5 release. The old keys will be removed in the 0.6 release.
+
+## New maintenance feature to automatically expire inactive accounts
+Removing of old inactive users can now be done automatically by background processing. The amount of inactivity is set by `after_days`. A warning email will be sent to the user and after an additional `warn_days`, the account will be automatically closed.
+
+This maintenance is not enabled by default. Podmins can enable it by for example copying over the new settings under `settings.maintenance` to their `diaspora.yml` file and setting it enabled. The default setting is to expire accounts that have been inactive for 2 years (no login).
+
+## Camo integration to proxy external assets
+It is now possible to enable an automatic proxying of external assets, for example images embedded via Markdown or OpenGraph thumbnails loaded from insecure third party servers through a [Camo proxy](https://github.com/atmos/camo).
+
+This is disabled by default since it requires the installation of additional packages and might cause some traffic. Check the [wiki page](https://wiki.diasporafoundation.org/Installation/Camo) for more information and detailed installation instructions.
+
+## Paypal unhosted button and currency
+Podmins can now set the currency for donations, and use an unhosted button if they can't use
+a hosted one. Note: you need to **copy the new settings from diaspora.yml.example to your
+diaspora.yml file**. The existing settings from 0.4.x and before will not work any more.
+
+## Custom splash page changes
+diaspora* no longer adds a `div.container` to wrap custom splash pages. This adds the ability for podmins to write home pages using Bootstrap's fluid design. Podmins who added a custom splash page in `app/views/home/_show.{html,mobile}.haml` need to wrap the contents into a `div.container` to keep the old design. You will find updated examples [in our wiki](https://wiki.diasporafoundation.org/Custom_splash_page).
+
+## Refactor
+* Redesign contacts page [#5153](https://github.com/diaspora/diaspora/pull/5153)
+* Improve profile page design on mobile [#5084](https://github.com/diaspora/diaspora/pull/5084)
+* Port test suite to RSpec 3 [#5170](https://github.com/diaspora/diaspora/pull/5170)
+* Port tag stream to Bootstrap [#5138](https://github.com/diaspora/diaspora/pull/5138)
+* Consolidate migrations, if you need a migration prior 2013, checkout the latest release in the 0.4.x series first [#5173](https://github.com/diaspora/diaspora/pull/5173)
+* Add tests for mobile sign up [#5185](https://github.com/diaspora/diaspora/pull/5185)
+* Display new conversation form on conversations/index [#5178](https://github.com/diaspora/diaspora/pull/5178)
+* Port profile page to Backbone [#5180](https://github.com/diaspora/diaspora/pull/5180)
+* Pull punycode.js from rails-assets.org [#5263](https://github.com/diaspora/diaspora/pull/5263)
+* Redesign profile page and port to Bootstrap [#4657](https://github.com/diaspora/diaspora/pull/4657)
+* Unify stream selection links in the left sidebar [#5271](https://github.com/diaspora/diaspora/pull/5271)
+* Refactor schema of statistics.json regarding services [#5296](https://github.com/diaspora/diaspora/pull/5296)
+* Pull jquery.idle-timer.js from rails-assets.org [#5310](https://github.com/diaspora/diaspora/pull/5310)
+* Pull jquery.placeholder.js from rails-assets.org [#5299](https://github.com/diaspora/diaspora/pull/5299)
+* Pull jquery.textchange.js from rails-assets.org [#5297](https://github.com/diaspora/diaspora/pull/5297)
+* Pull jquery.hotkeys.js from rails-assets.org [#5368](https://github.com/diaspora/diaspora/pull/5368)
+* Reduce amount of useless background job retries and pull public posts when missing [#5209](https://github.com/diaspora/diaspora/pull/5209)
+* Updated Weekly User Stats admin page to show data for the most recent week including reversing the order of the weeks in the drop down to show the most recent. [#5331](https://github.com/diaspora/diaspora/pull/5331)
+* Convert some cukes to RSpec tests [#5289](https://github.com/diaspora/diaspora/pull/5289)
+* Hidden overflow for long names on tag pages [#5279](https://github.com/diaspora/diaspora/pull/5279)
+* Always reshare absolute root of a post [#5276](https://github.com/diaspora/diaspora/pull/5276)
+* Convert remaining SASS stylesheets to SCSS [#5342](https://github.com/diaspora/diaspora/pull/5342)
+* Update rack-protection [#5403](https://github.com/diaspora/diaspora/pull/5403)
+* Cleanup diaspora.yml [#5426](https://github.com/diaspora/diaspora/pull/5426)
+* Replace `opengraph_parser` with `open_graph_reader` [#5462](https://github.com/diaspora/diaspora/pull/5462)
+* Make sure conversations without any visibilities left are deleted [#5478](https://github.com/diaspora/diaspora/pull/5478)
+* Change tooltip for delete button in conversations view [#5477](https://github.com/diaspora/diaspora/pull/5477)
+* Replace a modifier-rescue with a specific rescue [#5491](https://github.com/diaspora/diaspora/pull/5491)
+* Port contacts page to backbone [#5473](https://github.com/diaspora/diaspora/pull/5473)
+* Replace CSS vendor prefixes automatically [#5532](https://github.com/diaspora/diaspora/pull/5532)
+* Use sentence case consistently throughout UI [#5588](https://github.com/diaspora/diaspora/pull/5588)
+* Hide sign up button when registrations are disabled [#5612](https://github.com/diaspora/diaspora/pull/5612)
+* Standardize capitalization throughout the UI [#5588](https://github.com/diaspora/diaspora/pull/5588)
+* Display photos on the profile page as thumbnails [#5521](https://github.com/diaspora/diaspora/pull/5521)
+* Unify not connected pages (sign in, sign up, forgot password) [#5391](https://github.com/diaspora/diaspora/pull/5391)
+* Port remaining stream pages to Bootstrap [#5715](https://github.com/diaspora/diaspora/pull/5715)
+* Port notification dropdown to Backbone [#5707](https://github.com/diaspora/diaspora/pull/5707) [#5761](https://github.com/diaspora/diaspora/pull/5761)
+* Add rounded corners for avatars [#5733](https://github.com/diaspora/diaspora/pull/5733)
+* Move registration form to a partial [#5764](https://github.com/diaspora/diaspora/pull/5764)
+* Add tests for liking and unliking posts [#5741](https://github.com/diaspora/diaspora/pull/5741)
+* Rewrite slide effect in conversations as css transition for better performance [#5776](https://github.com/diaspora/diaspora/pull/5776)
+* Various cleanups and improvements in the frontend code [#5781](https://github.com/diaspora/diaspora/pull/5781) [#5769](https://github.com/diaspora/diaspora/pull/5769) [#5763](https://github.com/diaspora/diaspora/pull/5763) [#5762](https://github.com/diaspora/diaspora/pull/5762) [#5758](https://github.com/diaspora/diaspora/pull/5758) [#5755](https://github.com/diaspora/diaspora/pull/5755) [#5747](https://github.com/diaspora/diaspora/pull/5747) [#5734](https://github.com/diaspora/diaspora/pull/5734) [#5786](https://github.com/diaspora/diaspora/pull/5786) [#5768](https://github.com/diaspora/diaspora/pull/5798)
+* Add specs and validations to the role model [#5792](https://github.com/diaspora/diaspora/pull/5792)
+* Replace 'Make something' text by diaspora ball logo on registration page [#5743](https://github.com/diaspora/diaspora/pull/5743)
+
+## Bug fixes
+* orca cannot see 'Add Contact' button [#5158](https://github.com/diaspora/diaspora/pull/5158)
+* Move submit button to the right in conversations view [#4960](https://github.com/diaspora/diaspora/pull/4960)
+* Handle long URLs and titles in OpenGraph descriptions [#5208](https://github.com/diaspora/diaspora/pull/5208)
+* Fix deformed getting started popover [#5227](https://github.com/diaspora/diaspora/pull/5227)
+* Use correct locale for invitation subject [#5232](https://github.com/diaspora/diaspora/pull/5232)
+* Initial support for IDN emails
+* Fix services settings reported by statistics.json [#5256](https://github.com/diaspora/diaspora/pull/5256)
+* Only collapse empty comment box [#5328](https://github.com/diaspora/diaspora/pull/5328)
+* Fix pagination for people/guid/contacts [#5304](https://github.com/diaspora/diaspora/pull/5304)
+* Fix poll creation on Bootstrap pages [#5334](https://github.com/diaspora/diaspora/pull/5334)
+* Show error message on invalid reset password attempt [#5325](https://github.com/diaspora/diaspora/pull/5325)
+* Fix translations on mobile password reset pages [#5318](https://github.com/diaspora/diaspora/pull/5318)
+* Handle unset user agent when signing out [#5316](https://github.com/diaspora/diaspora/pull/5316)
+* More robust URL parsing for oEmbed and OpenGraph [#5347](https://github.com/diaspora/diaspora/pull/5347)
+* Fix Publisher doesn't expand while uploading images [#3098](https://github.com/diaspora/diaspora/issues/3098)
+* Drop unneeded and too open crossdomain.xml
+* Fix hidden aspect dropdown on getting started page [#5407](https://github.com/diaspora/diaspora/pulls/5407)
+* Fix a few issues on Bootstrap pages [#5401](https://github.com/diaspora/diaspora/pull/5401)
+* Improve handling of the `more` link on mobile stream pages [#5400](https://github.com/diaspora/diaspora/pull/5400)
+* Fix prefilling publisher after getting started [#5442](https://github.com/diaspora/diaspora/pull/5442)
+* Fix overflow in profile sidebar [#5450](https://github.com/diaspora/diaspora/pull/5450)
+* Fix code overflow in SPV and improve styling for code tags [#5422](https://github.com/diaspora/diaspora/pull/5422)
+* Correctly validate if local recipients actually want to receive a conversation [#5449](https://github.com/diaspora/diaspora/pull/5449)
+* Improve consistency of poll answer ordering [#5471](https://github.com/diaspora/diaspora/pull/5471)
+* Fix broken aspect selectbox on asynchronous search results [#5488](https://github.com/diaspora/diaspora/pull/5488)
+* Replace %{third_party_tools} by the appropriate hyperlink in tags FAQ [#5509](https://github.com/diaspora/diaspora/pull/5509)
+* Repair downloading the profile image from Facebook [#5493](https://github.com/diaspora/diaspora/pull/5493)
+* Fix localization of post and comment timestamps on mobile [#5482](https://github.com/diaspora/diaspora/issues/5482)
+* Fix mobile JS loading to quieten errors. Fixes also service buttons on mobile bookmarklet.
+* Don't error out when adding a too long location to the profile [#5614](https://github.com/diaspora/diaspora/pull/5614)
+* Correctly decrease unread count for conversations [#5646](https://github.com/diaspora/diaspora/pull/5646)
+* Fix automatic scroll for conversations [#5646](https://github.com/diaspora/diaspora/pull/5646)
+* Fix missing translation on privacy settings page [#5671](https://github.com/diaspora/diaspora/pull/5671)
+* Fix code overflow for the mobile website [#5675](https://github.com/diaspora/diaspora/pull/5675)
+* Strip Unicode format characters prior post processing [#5680](https://github.com/diaspora/diaspora/pull/5680)
+* Disable email notifications for closed user accounts [#5640](https://github.com/diaspora/diaspora/pull/5640)
+* Total user statistic no longer includes closed accounts [#5041](https://github.com/diaspora/diaspora/pull/5041)
+* Don't add a space when rendering a mention [#5711](https://github.com/diaspora/diaspora/pull/5711)
+* Fix flickering hovercards [#5714](https://github.com/diaspora/diaspora/pull/5714) [#5876](https://github.com/diaspora/diaspora/pull/5876)
+* Improved stripping markdown in post titles [#5730](https://github.com/diaspora/diaspora/pull/5730)
+* Remove border from reply form for conversations [#5744](https://github.com/diaspora/diaspora/pull/5744)
+* Fix overflow for headings, blockquotes and other elements [#5731](https://github.com/diaspora/diaspora/pull/5731)
+* Correct photo count on profile page [#5751](https://github.com/diaspora/diaspora/pull/5751)
+* Fix mobile sign up from an invitation [#5754](https://github.com/diaspora/diaspora/pull/5754)
+* Set max-width for tag following button on tag page [#5752](https://github.com/diaspora/diaspora/pull/5752)
+* Display error messages for failed password change [#5580](https://github.com/diaspora/diaspora/pull/5580)
+* Display correct error message for too long tags [#5783](https://github.com/diaspora/diaspora/pull/5783)
+* Fix displaying reshares in the stream on mobile [#5790](https://github.com/diaspora/diaspora/pull/5790)
+* Remove bottom margin from lists that are the last element of a post. [#5721](https://github.com/diaspora/diaspora/pull/5721)
+* Fix pagination design on conversations page [#5791](https://github.com/diaspora/diaspora/pull/5791)
+* Prevent inserting posts into the wrong stream [#5838](https://github.com/diaspora/diaspora/pull/5838)
+* Update help section [#5857](https://github.com/diaspora/diaspora/pull/5857) [#5859](https://github.com/diaspora/diaspora/pull/5859)
+* Fix asset precompilation check in script/server [#5863](https://github.com/diaspora/diaspora/pull/5863)
+* Convert MySQL databases to utf8mb4 [#5530](https://github.com/diaspora/diaspora/pull/5530) [#5624](https://github.com/diaspora/diaspora/pull/5624) [#5865](https://github.com/diaspora/diaspora/pull/5865)
+* Don't upcase labels on mobile sign up/sign in [#5872](https://github.com/diaspora/diaspora/pull/5872)
+
+## Features
+* Don't pull jQuery from a CDN by default [#5105](https://github.com/diaspora/diaspora/pull/5105)
+* Better character limit message [#5151](https://github.com/diaspora/diaspora/pull/5151)
+* Remember whether a AccountDeletion was performed [#5156](https://github.com/diaspora/diaspora/pull/5156)
+* Increased the number of notifications shown in drop down bar to 15 [#5129](https://github.com/diaspora/diaspora/pull/5129)
+* Increase possible captcha length [#5169](https://github.com/diaspora/diaspora/pull/5169)
+* Display visibility icon in publisher aspects dropdown [#4982](https://github.com/diaspora/diaspora/pull/4982)
+* Add a link to the reported comment in the admin panel [#5337](https://github.com/diaspora/diaspora/pull/5337)
+* Strip search query from leading and trailing whitespace [#5317](https://github.com/diaspora/diaspora/pull/5317)
+* Add the "network" key to statistics.json and set it to "Diaspora" [#5308](https://github.com/diaspora/diaspora/pull/5308)
+* Infinite scrolling in the notifications dropdown [#5237](https://github.com/diaspora/diaspora/pull/5237)
+* Maintenance feature to automatically expire inactive accounts [#5288](https://github.com/diaspora/diaspora/pull/5288)
+* Add LibreJS markers to JavaScript [5320](https://github.com/diaspora/diaspora/pull/5320)
+* Ask for confirmation when leaving a submittable publisher [#5309](https://github.com/diaspora/diaspora/pull/5309)
+* Allow page-specific styling via individual CSS classes [#5282](https://github.com/diaspora/diaspora/pull/5282)
+* Change diaspora logo in the header on hover [#5355](https://github.com/diaspora/diaspora/pull/5355)
+* Display diaspora handle in search results [#5419](https://github.com/diaspora/diaspora/pull/5419)
+* Show a message on the ignored users page when there are none [#5434](https://github.com/diaspora/diaspora/pull/5434)
+* Truncate too long OpenGraph descriptions [#5387](https://github.com/diaspora/diaspora/pull/5387)
+* Make the source code URL configurable [#5410](https://github.com/diaspora/diaspora/pull/5410)
+* Prefill publisher on the tag pages [#5442](https://github.com/diaspora/diaspora/pull/5442)
+* Don't include the content of non-public posts into notification mails [#5494](https://github.com/diaspora/diaspora/pull/5494)
+* Allow to set unhosted button and currency for paypal donation [#5452](https://github.com/diaspora/diaspora/pull/5452)
+* Add followed tags in the mobile menu [#5468](https://github.com/diaspora/diaspora/pull/5468)
+* Replace Pagedown with markdown-it [#5526](https://github.com/diaspora/diaspora/pull/5526)
+* Do not truncate notification emails anymore [#4342](https://github.com/diaspora/diaspora/issues/4342)
+* Allows users to export their data in gzipped JSON format from their user settings page [#5499](https://github.com/diaspora/diaspora/pull/5499)
+* Strip EXIF data from newly uploaded images [#5510](https://github.com/diaspora/diaspora/pull/5510)
+* Hide user setting if the community spotlight is not enabled on the pod [#5562](https://github.com/diaspora/diaspora/pull/5562)
+* Add HTML view for pod statistics [#5464](https://github.com/diaspora/diaspora/pull/5464)
+* Added/Moved hide, block user, report and delete button in SPV [#5547](https://github.com/diaspora/diaspora/pull/5547)
+* Added keyboard shortcuts r(reshare), m(expand Post), o(open first link in post) [#5602](https://github.com/diaspora/diaspora/pull/5602)
+* Added dropdown to add/remove people from/to aspects in mobile view [#5594](https://github.com/diaspora/diaspora/pull/5594)
+* Dynamically compute minimum and maximum valid year for birthday field [#5639](https://github.com/diaspora/diaspora/pull/5639)
+* Show hovercard on mentions [#5652](https://github.com/diaspora/diaspora/pull/5652)
+* Make help sections linkable [#5667](https://github.com/diaspora/diaspora/pull/5667)
+* Add invitation link to contacts page [#5655](https://github.com/diaspora/diaspora/pull/5655)
+* Add year to notifications page [#5676](https://github.com/diaspora/diaspora/pull/5676)
+* Give admins the ability to lock & unlock accounts [#5643](https://github.com/diaspora/diaspora/pull/5643)
+* Add reshares to the stream view immediately [#5699](https://github.com/diaspora/diaspora/pull/5699)
+* Update and improve help section [#5665](https://github.com/diaspora/diaspora/pull/5665), [#5706](https://github.com/diaspora/diaspora/pull/5706)
+* Expose participation controls in the stream view [#5511](https://github.com/diaspora/diaspora/pull/5511)
+* Reimplement photo export [#5685](https://github.com/diaspora/diaspora/pull/5685)
+* Add participation controls in the single post view [#5722](https://github.com/diaspora/diaspora/pull/5722)
+* Display polls on reshares [#5782](https://github.com/diaspora/diaspora/pull/5782)
+* Remove footer from stream pages [#5816](https://github.com/diaspora/diaspora/pull/5816)
+
# 0.4.1.3
* Update Redcarped, fixes [OSVDB-120415](http://osvdb.org/show/osvdb/120415).
@@ -19,7 +235,7 @@ This release brings a new ToS feature that allows pods to easily display to user
terms:
enable: true
-When enabled, the footer and sidebar will have a link to terms page, and signup will have a disclaimer indicating that creating an account means the user accepts the terms of use.
+When enabled, the footer and sidebar will have a link to terms page, and sign up will have a disclaimer indicating that creating an account means the user accepts the terms of use.
While the project itself doesn't restrict what kind of terms pods run on, we realize not all podmins want to spend time writing them from scratch. Thus there is a basic ToS template included that will be used unless a custom one available.
@@ -134,7 +350,7 @@ Read more in [#4249](https://github.com/diaspora/diaspora/pull/4249) and [#4883]
* Reorder and reword items on user settings page [#4912](https://github.com/diaspora/diaspora/pull/4912)
* SPV: Improve padding and interaction counts [#4426](https://github.com/diaspora/diaspora/pull/4426)
* Remove auto 'mark as read' for notifications [#4810](https://github.com/diaspora/diaspora/pull/4810)
-* Improve set read/unread in notifications dropdown [#4869](https://github.com/diaspora/diaspora/pull/4869)
+* Improve set read/unread in notifications dropdown [#4869](https://github.com/diaspora/diaspora/pull/4869)
* Refactor publisher: trigger events for certain actions, introduce 'disabled' state [#4932](https://github.com/diaspora/diaspora/pull/4932)
## Bug fixes
@@ -1022,7 +1238,7 @@ The new configuration system allows all possible settings to be overriden by env
### Environment variable changes:
-#### deprectated
+#### deprecated
* REDISTOGO_URL in favour of REDIS_URL or ENVIRONMENT_REDIS
@@ -1081,4 +1297,3 @@ The single-post view will also be revamped/reverted, but that didn't make it int
## Cleanup in maintenance scripts and automated build environment
-
diff --git a/Gemfile b/Gemfile
index e9d70aef2..42688dc40 100644
--- a/Gemfile
+++ b/Gemfile
@@ -1,218 +1,275 @@
-source 'https://rubygems.org'
+source "https://rubygems.org"
-gem 'rails', '3.2.20'
+gem "rails", "4.2.1"
+
+# Legacy Rails features, remove me!
+
+# caches_page
+gem "actionpack-action_caching"
+gem "actionpack-page_caching"
+
+# responders (class level)
+gem "responders", "2.1.0"
# Appserver
-gem 'unicorn', '4.8.3', :require => false
+gem "unicorn", "4.8.3", require: false
# API and JSON
-gem 'acts_as_api', '0.4.2'
-gem 'json', '1.8.1'
+gem "acts_as_api", "0.4.2"
+gem "json", "1.8.2"
# Authentication
-gem 'devise', '3.2.4'
-gem 'devise_lastseenable', '0.0.4'
+gem "devise", "3.4.1"
+gem "devise_lastseenable", "0.0.4"
+gem "devise-token_authenticatable", "~> 0.3.0"
# Captcha
-gem 'galetahub-simple_captcha', '0.1.5', :require => 'simple_captcha'
+gem "simple_captcha2", "0.3.4", require: "simple_captcha"
# Background processing
-gem 'sidekiq', '2.17.7'
-gem 'sinatra', '1.3.3'
+gem "sidekiq", "3.3.3"
+gem "sinatra", "1.4.6"
+
+# Scheduled processing
+
+gem "sidetiq", "0.6.3"
+
+# Compression
+
+gem "uglifier", "2.7.1"
# Configuration
-gem 'configurate', '0.0.8'
+gem "configurate", "0.2.0"
# Cross-origin resource sharing
-gem 'rack-cors', '0.2.9', :require => 'rack/cors'
+gem "rack-cors", "0.3.1", require: "rack/cors"
+
+# CSS
+
+gem "bootstrap-sass", "2.3.2.2"
+gem "compass-rails", "2.0.4"
+gem "sass-rails", "5.0.1"
+gem "autoprefixer-rails", "5.1.7.1"
# Database
-ENV['DB'] ||= 'mysql'
+ENV["DB"] ||= "mysql"
-gem 'mysql2', '0.3.16' if ENV['DB'] == 'all' || ENV['DB'] == 'mysql'
-gem 'pg', '0.17.1' if ENV['DB'] == 'all' || ENV['DB'] == 'postgres'
+gem "mysql2", "0.3.18" if ENV["DB"] == "all" || ENV["DB"] == "mysql"
+gem "pg", "0.18.1" if ENV["DB"] == "all" || ENV["DB"] == "postgres"
-gem 'activerecord-import', '0.3.1'
-gem 'foreigner', '1.6.1'
+gem "activerecord-import", "0.7.0"
# File uploading
-gem 'carrierwave', '0.10.0'
-gem 'fog', '1.22.1'
-gem 'mini_magick', '3.7.0'
-gem 'remotipart', '1.2.1'
+gem "carrierwave", "0.10.0"
+gem "fog", "1.28.0"
+gem "mini_magick", "4.2.0"
+gem "remotipart", "1.2.1"
# GUID generation
-gem 'uuid', '2.3.7'
+gem "uuid", "2.3.7"
+
+# Icons
+
+gem "entypo-rails", "2.2.2"
+
+# JavaScript
+
+gem "backbone-on-rails", "1.1.2"
+gem "handlebars_assets", "0.20.1"
+gem "jquery-rails", "3.1.2"
+gem "js_image_paths", "0.0.2"
+gem "js-routes", "1.0.0"
+
+source "https://rails-assets.org" do
+ gem "rails-assets-jquery", "1.11.1" # Should be kept in sync with jquery-rails
+
+ gem "rails-assets-markdown-it", "4.2.0"
+ gem "rails-assets-markdown-it-hashtag", "0.3.0"
+ gem "rails-assets-markdown-it-diaspora-mention", "0.3.0"
+ gem "rails-assets-markdown-it-sanitizer", "0.3.0"
+ gem "rails-assets-markdown-it--markdown-it-for-inline", "0.1.0"
+ gem "rails-assets-markdown-it-sub", "1.0.0"
+ gem "rails-assets-markdown-it-sup", "1.0.0"
+
+ # jQuery plugins
+
+ gem "rails-assets-jeresig--jquery.hotkeys", "0.2.0"
+ gem "rails-assets-jquery-idletimer", "1.0.1"
+ gem "rails-assets-jquery-placeholder", "2.1.1"
+ gem "rails-assets-jquery-textchange", "0.2.3"
+ gem "rails-assets-perfect-scrollbar", "0.5.9"
+end
# Localization
-gem 'http_accept_language', '1.0.2'
-gem 'i18n-inflector-rails', '1.0.7'
-gem 'rails-i18n', '0.7.4'
+gem "http_accept_language", "2.0.5"
+gem "i18n-inflector-rails", "1.0.7"
+gem "rails-i18n", "4.0.4"
# Mail
-gem 'markerb', '1.0.2'
-gem 'messagebus_ruby_api', '1.0.3'
+gem "markerb", "1.0.2"
+gem "messagebus_ruby_api", "1.0.3"
# Parsing
-gem 'nokogiri', '1.6.1'
-gem 'rails_autolink', '1.1.5'
-gem 'redcarpet', '3.2.3'
-gem 'roxml', '3.1.6'
-gem 'ruby-oembed', '0.8.9'
-gem 'opengraph_parser', '0.2.3'
-
-
-# Please remove when migrating to Rails 4
-gem 'strong_parameters', '0.2.3'
-
+gem "nokogiri", "1.6.6.2"
+gem "redcarpet", "3.2.3"
+gem "twitter-text", "1.11.0"
+gem "roxml", "3.1.6"
+gem "ruby-oembed", "0.8.12"
+gem "open_graph_reader", "0.5.0"
# Services
-gem 'omniauth', '1.2.1'
-gem 'omniauth-facebook', '1.6.0'
-gem 'omniauth-tumblr', '1.1'
-gem 'omniauth-twitter', '1.0.1'
-gem 'twitter', '4.8.1'
-gem 'omniauth-wordpress','0.2.1'
+gem "omniauth", "1.2.2"
+gem "omniauth-facebook", "1.6.0"
+gem "omniauth-tumblr", "1.1"
+gem "omniauth-twitter", "1.0.1"
+gem "twitter", "4.8.1"
+gem "omniauth-wordpress", "0.2.1"
+
+# Serializers
+
+gem "active_model_serializers", "0.9.3"
+
+# XMPP chat dependencies
+gem "diaspora-vines", "~> 0.1.27"
+gem "rails-assets-diaspora_jsxc", "~> 0.1.1", source: "https://rails-assets.org"
# Tags
-gem 'acts-as-taggable-on', '3.2.6'
+gem "acts-as-taggable-on", "3.5.0"
# URIs and HTTP
-gem 'addressable', '2.3.6', :require => 'addressable/uri'
-gem 'faraday', '0.8.9'
-gem 'faraday_middleware', '0.9.0'
-gem 'typhoeus', '0.6.8'
+gem "addressable", "2.3.7", require: "addressable/uri"
+gem "faraday", "0.9.1"
+gem "faraday_middleware", "0.9.1"
+gem "faraday-cookie_jar", "0.0.6"
+gem "typhoeus", "0.7.1"
# Views
-gem 'gon', '5.0.4'
-gem 'haml', '4.0.5'
-gem 'mobile-fu', '1.2.2'
-gem 'will_paginate', '3.0.5'
-gem 'rails-timeago', '2.4.0'
+gem "gon", "5.2.3"
+gem "haml", "4.0.6"
+gem "mobile-fu", "1.3.1"
+gem "will_paginate", "3.0.7"
+gem "rails-timeago", "2.11.0"
# Workarounds
# https://github.com/rubyzip/rubyzip#important-note
-gem 'zip-zip'
+gem "zip-zip"
-### GROUPS ####
+# Prevent occasions where minitest is not bundled in
+# packaged versions of ruby. See following issues/prs:
+# https://github.com/gitlabhq/gitlabhq/issues/3826
+# https://github.com/gitlabhq/gitlabhq/pull/3852
+# https://github.com/discourse/discourse/pull/238
+gem "minitest"
-group :assets do
+# Windows and OSX have an execjs compatible runtime built-in, Linux users should
+# install Node.js or use "therubyracer".
+#
+# See https://github.com/sstephenson/execjs#readme for more supported runtimes
- # Icons
- gem 'entypo-rails', '2.2.1'
-
- # CSS
-
- gem 'bootstrap-sass', '2.2.2.0'
- gem 'compass-rails', '1.1.7'
- gem 'sass-rails', '3.2.6'
-
- # Compression
-
- gem 'uglifier', '2.5.0'
-
- # JavaScript
-
- gem 'backbone-on-rails', '1.1.1'
- gem 'handlebars_assets', '0.12.0'
- gem 'jquery-rails', '3.0.4'
-
- # Windows and OSX have an execjs compatible runtime built-in, Linux users should
- # install Node.js or use 'therubyracer'.
- #
- # See https://github.com/sstephenson/execjs#readme for more supported runtimes
-
- # gem 'therubyracer', :platform => :ruby
-end
-
-group :production do # we don't install these on travis to speed up test runs
+# gem "therubyracer", :platform => :ruby
+group :production do # we don"t install these on travis to speed up test runs
# Administration
- gem 'rails_admin', '0.4.9'
+ gem "rails_admin", "0.6.7"
# Analytics
- gem 'rack-google-analytics', '0.14.0', :require => 'rack/google-analytics'
- gem 'rack-piwik', '0.2.2', :require => 'rack/piwik'
+ gem "rack-google-analytics", "1.2.0"
+ gem "rack-piwik", "0.3.0", require: "rack/piwik"
# Click-jacking protection
- gem 'rack-protection', '1.2'
+ gem "rack-protection", "1.5.3"
# Process management
- gem 'foreman', '0.62'
+ gem "foreman", "0.62"
# Redirects
- gem 'rack-rewrite', '1.5.0', :require => false
- gem 'rack-ssl', '1.3.3', :require => 'rack/ssl'
+ gem "rack-rewrite", "1.5.1", require: false
+ gem "rack-ssl", "1.4.1", require: "rack/ssl"
# Third party asset hosting
- gem 'asset_sync', '1.0.0', :require => false
+ gem "asset_sync", "1.1.0", require: false
end
group :development do
# Automatic test runs
- gem 'guard-cucumber', '1.4.1'
- gem 'guard-rspec', '4.2.9'
- gem 'rb-fsevent', '0.9.4', :require => false
- gem 'rb-inotify', '0.9.4', :require => false
+ gem "guard-cucumber", "1.5.4"
+ gem "guard-jshintrb", "1.1.1"
+ gem "guard-rspec", "4.5.0"
+ gem "guard-rubocop", "1.2.0"
+ gem "guard", "2.12.5", require: false
+ gem "rb-fsevent", "0.9.4", require: false
+ gem "rb-inotify", "0.9.5", require: false
+
+ # Linters
+ gem "jshintrb", "0.3.0"
+ gem "rubocop", "0.29.1"
# Preloading environment
- gem 'guard-spork', '1.5.1'
- gem 'spork', '1.0.0rc4'
+ gem "spring", "1.3.3"
+ gem "spring-commands-rspec", "1.0.4"
+ gem "spring-commands-cucumber", "1.0.1"
+
+ # Debugging
+ gem "pry"
+ gem "pry-debundle"
+ gem "pry-byebug"
end
group :test do
# RSpec (unit tests, some integration tests)
- gem 'fixture_builder', '0.3.6'
- gem 'fuubar', '1.3.3'
- gem 'rspec-instafail', '0.2.4', :require => false
- gem 'test_after_commit', '0.2.3'
+ gem "fixture_builder", "0.3.6"
+ gem "fuubar", "2.0.0"
+ gem "rspec-instafail", "0.2.6", require: false
+ gem "test_after_commit", "0.4.1"
# Cucumber (integration tests)
- gem 'capybara', '2.2.1'
- gem 'database_cleaner', '1.3.0'
- gem 'selenium-webdriver', '2.42.0'
+ gem "capybara", "2.4.4"
+ gem "database_cleaner" , "1.4.1"
+ gem "selenium-webdriver", "2.45.0"
# General helpers
- gem 'factory_girl_rails', '4.4.1'
- gem 'timecop', '0.7.1'
- gem 'webmock', '1.18.0', :require => false
+ gem "factory_girl_rails", "4.5.0"
+ gem "timecop", "0.7.3"
+ gem "webmock", "1.20.4", require: false
+ gem "shoulda-matchers", "2.8.0", require: false
end
-
group :development, :test do
# RSpec (unit tests, some integration tests)
- gem "rspec-rails", '2.14.2'
+ gem "rspec-rails", "3.2.1"
# Cucumber (integration tests)
- gem 'cucumber-rails', '1.4.1', :require => false
+ gem "cucumber-rails", "1.4.2", require: false
# Jasmine (client side application tests (JS))
- gem 'jasmine', '1.3.2'
- gem 'sinon-rails', '1.9.0'
+ gem "jasmine", "2.2.0"
+ gem "jasmine-jquery-rails", "2.0.3"
+ gem "rails-assets-jasmine-ajax", "3.1.0", source: "https://rails-assets.org"
+ gem "sinon-rails", "1.10.3"
end
diff --git a/Gemfile.lock b/Gemfile.lock
index 86b6f0bc3..87cfbd191 100644
--- a/Gemfile.lock
+++ b/Gemfile.lock
@@ -1,47 +1,74 @@
GEM
remote: https://rubygems.org/
+ remote: https://rails-assets.org/
specs:
- actionmailer (3.2.20)
- actionpack (= 3.2.20)
- mail (~> 2.5.4)
- actionpack (3.2.20)
- activemodel (= 3.2.20)
- activesupport (= 3.2.20)
- builder (~> 3.0.0)
+ CFPropertyList (2.3.1)
+ actionmailer (4.2.1)
+ actionpack (= 4.2.1)
+ actionview (= 4.2.1)
+ activejob (= 4.2.1)
+ mail (~> 2.5, >= 2.5.4)
+ rails-dom-testing (~> 1.0, >= 1.0.5)
+ actionpack (4.2.1)
+ actionview (= 4.2.1)
+ activesupport (= 4.2.1)
+ rack (~> 1.6)
+ rack-test (~> 0.6.2)
+ rails-dom-testing (~> 1.0, >= 1.0.5)
+ rails-html-sanitizer (~> 1.0, >= 1.0.1)
+ actionpack-action_caching (1.1.1)
+ actionpack (>= 4.0.0, < 5.0)
+ actionpack-page_caching (1.0.2)
+ actionpack (>= 4.0.0, < 5)
+ actionview (4.2.1)
+ activesupport (= 4.2.1)
+ builder (~> 3.1)
erubis (~> 2.7.0)
- journey (~> 1.0.4)
- rack (~> 1.4.5)
- rack-cache (~> 1.2)
- rack-test (~> 0.6.1)
- sprockets (~> 2.2.1)
- activemodel (3.2.20)
- activesupport (= 3.2.20)
- builder (~> 3.0.0)
- activerecord (3.2.20)
- activemodel (= 3.2.20)
- activesupport (= 3.2.20)
- arel (~> 3.0.2)
- tzinfo (~> 0.3.29)
- activerecord-import (0.3.1)
- activerecord (~> 3.0)
- activeresource (3.2.20)
- activemodel (= 3.2.20)
- activesupport (= 3.2.20)
- activesupport (3.2.20)
- i18n (~> 0.6, >= 0.6.4)
- multi_json (~> 1.0)
- acts-as-taggable-on (3.2.6)
- activerecord (>= 3, < 5)
+ rails-dom-testing (~> 1.0, >= 1.0.5)
+ rails-html-sanitizer (~> 1.0, >= 1.0.1)
+ active_model_serializers (0.9.3)
+ activemodel (>= 3.2)
+ activejob (4.2.1)
+ activesupport (= 4.2.1)
+ globalid (>= 0.3.0)
+ activemodel (4.2.1)
+ activesupport (= 4.2.1)
+ builder (~> 3.1)
+ activerecord (4.2.1)
+ activemodel (= 4.2.1)
+ activesupport (= 4.2.1)
+ arel (~> 6.0)
+ activerecord-import (0.7.0)
+ activerecord (>= 3.0)
+ activeresource (4.0.0)
+ activemodel (~> 4.0)
+ activesupport (~> 4.0)
+ rails-observers (~> 0.1.1)
+ activesupport (4.2.1)
+ i18n (~> 0.7)
+ json (~> 1.7, >= 1.7.7)
+ minitest (~> 5.1)
+ thread_safe (~> 0.3, >= 0.3.4)
+ tzinfo (~> 1.1)
+ acts-as-taggable-on (3.5.0)
+ activerecord (>= 3.2, < 5)
acts_as_api (0.4.2)
activemodel (>= 3.0.0)
activesupport (>= 3.0.0)
rack (>= 1.1.0)
- addressable (2.3.6)
- arel (3.0.3)
- asset_sync (1.0.0)
+ addressable (2.3.7)
+ arel (6.0.0)
+ asset_sync (1.1.0)
activemodel
fog (>= 1.8.0)
- backbone-on-rails (1.1.1.0)
+ unf
+ ast (2.0.0)
+ astrolabe (1.3.0)
+ parser (>= 2.2.0.pre.3, < 3.0)
+ autoprefixer-rails (5.1.7.1)
+ execjs
+ json
+ backbone-on-rails (1.1.2.0)
actionmailer
actionpack
activemodel
@@ -50,11 +77,13 @@ GEM
ejs
jquery-rails
railties
- bcrypt (3.1.7)
- bootstrap-sass (2.2.2.0)
+ bcrypt (3.1.10)
+ bootstrap-sass (2.3.2.2)
sass (~> 3.2)
- builder (3.0.4)
- capybara (2.2.1)
+ builder (3.2.2)
+ byebug (4.0.3)
+ columnize (= 0.9.0)
+ capybara (2.4.4)
mime-types (>= 1.16)
nokogiri (>= 1.3.3)
rack (>= 1.0.0)
@@ -65,202 +94,321 @@ GEM
activesupport (>= 3.2.0)
json (>= 1.7)
mime-types (>= 1.16)
- celluloid (0.15.2)
- timers (~> 1.1.0)
- childprocess (0.5.3)
+ celluloid (0.16.0)
+ timers (~> 4.0.0)
+ childprocess (0.5.5)
ffi (~> 1.0, >= 1.0.11)
- chunky_png (1.3.1)
+ chunky_png (1.3.4)
coderay (1.1.0)
- coffee-rails (3.2.2)
+ coffee-rails (4.1.0)
coffee-script (>= 2.2.0)
- railties (~> 3.2.0)
- coffee-script (2.2.0)
+ railties (>= 4.0.0, < 5.0)
+ coffee-script (2.3.0)
coffee-script-source
execjs
- coffee-script-source (1.7.0)
- compass (0.12.6)
+ coffee-script-source (1.9.1)
+ columnize (0.9.0)
+ compass (1.0.3)
chunky_png (~> 1.2)
- fssm (>= 0.2.7)
- sass (~> 3.2.19)
- compass-rails (1.1.7)
- compass (>= 0.12.2)
- sprockets (<= 2.11.0)
- configurate (0.0.8)
- connection_pool (2.0.0)
- crack (0.4.1)
- safe_yaml (~> 0.9.0)
- cucumber (1.3.15)
+ compass-core (~> 1.0.2)
+ compass-import-once (~> 1.0.5)
+ rb-fsevent (>= 0.9.3)
+ rb-inotify (>= 0.9)
+ sass (>= 3.3.13, < 3.5)
+ compass-core (1.0.3)
+ multi_json (~> 1.0)
+ sass (>= 3.3.0, < 3.5)
+ compass-import-once (1.0.5)
+ sass (>= 3.2, < 3.5)
+ compass-rails (2.0.4)
+ compass (~> 1.0.0)
+ sass-rails (<= 5.0.1)
+ sprockets (< 2.13)
+ configurate (0.2.0)
+ connection_pool (2.1.3)
+ crack (0.4.2)
+ safe_yaml (~> 1.0.0)
+ cucumber (1.3.19)
builder (>= 2.1.2)
diff-lcs (>= 1.1.3)
gherkin (~> 2.12)
multi_json (>= 1.7.5, < 2.0)
- multi_test (>= 0.1.1)
- cucumber-rails (1.4.1)
+ multi_test (>= 0.1.2)
+ cucumber-rails (1.4.2)
capybara (>= 1.1.2, < 3)
cucumber (>= 1.3.8, < 2)
- mime-types (~> 1.16)
+ mime-types (>= 1.16, < 3)
nokogiri (~> 1.5)
rails (>= 3, < 5)
- database_cleaner (1.3.0)
- devise (3.2.4)
+ database_cleaner (1.4.1)
+ devise (3.4.1)
bcrypt (~> 3.0)
orm_adapter (~> 0.1)
railties (>= 3.2.6, < 5)
+ responders
thread_safe (~> 0.1)
warden (~> 1.2.3)
+ devise-token_authenticatable (0.3.0)
+ devise (~> 3.4.0)
devise_lastseenable (0.0.4)
devise
- devise
- rails (>= 3.0.4)
rails (>= 3.0.4)
warden
- warden
+ diaspora-vines (0.1.27)
+ activerecord (~> 4.1)
+ bcrypt (~> 3.1)
+ em-hiredis (~> 0.3.0)
+ eventmachine (>= 1.0.5, < 1.1)
+ http_parser.rb (~> 0.6)
+ nokogiri (~> 1.6)
diff-lcs (1.2.5)
+ domain_name (0.5.23)
+ unf (>= 0.0.5, < 1.0.0)
eco (1.0.0)
coffee-script
eco-source
execjs
eco-source (1.1.0.rc.1)
ejs (1.1.1)
- entypo-rails (2.2.1)
+ em-hiredis (0.3.0)
+ eventmachine (~> 1.0)
+ hiredis (~> 0.5.0)
+ entypo-rails (2.2.2)
railties (>= 3.1, <= 5)
erubis (2.7.0)
- ethon (0.7.0)
+ ethon (0.7.3)
ffi (>= 1.3.0)
- excon (0.34.0)
- execjs (2.1.0)
- factory_girl (4.4.0)
+ eventmachine (1.0.7)
+ excon (0.44.4)
+ execjs (2.4.0)
+ factory_girl (4.5.0)
activesupport (>= 3.0.0)
- factory_girl_rails (4.4.1)
- factory_girl (~> 4.4.0)
+ factory_girl_rails (4.5.0)
+ factory_girl (~> 4.5.0)
railties (>= 3.0.0)
- faraday (0.8.9)
- multipart-post (~> 1.2.0)
- faraday_middleware (0.9.0)
- faraday (>= 0.7.4, < 0.9)
- ffi (1.9.3)
+ faraday (0.9.1)
+ multipart-post (>= 1.2, < 3)
+ faraday-cookie_jar (0.0.6)
+ faraday (>= 0.7.4)
+ http-cookie (~> 1.0.0)
+ faraday_middleware (0.9.1)
+ faraday (>= 0.7.4, < 0.10)
+ ffi (1.9.8)
+ fission (0.5.0)
+ CFPropertyList (~> 2.2)
fixture_builder (0.3.6)
activerecord (>= 2)
activesupport (>= 2)
- fog (1.22.1)
- fog-brightbox
- fog-core (~> 1.22)
+ fog (1.28.0)
+ fog-atmos
+ fog-aws (~> 0.0)
+ fog-brightbox (~> 0.4)
+ fog-core (~> 1.27, >= 1.27.3)
+ fog-ecloud
fog-json
+ fog-profitbricks
+ fog-radosgw (>= 0.0.2)
+ fog-riakcs
+ fog-sakuracloud (>= 0.0.4)
+ fog-serverlove
+ fog-softlayer
+ fog-storm_on_demand
+ fog-terremark
+ fog-vmfusion
+ fog-voxel
+ fog-xml (~> 0.1.1)
ipaddress (~> 0.5)
nokogiri (~> 1.5, >= 1.5.11)
- fog-brightbox (0.0.2)
+ fog-atmos (0.1.0)
fog-core
+ fog-xml
+ fog-aws (0.1.1)
+ fog-core (~> 1.27)
+ fog-json (~> 1.0)
+ fog-xml (~> 0.1)
+ ipaddress (~> 0.8)
+ fog-brightbox (0.7.1)
+ fog-core (~> 1.22)
fog-json
- fog-core (1.22.0)
+ inflecto (~> 0.0.2)
+ fog-core (1.29.0)
builder
- excon (~> 0.33)
+ excon (~> 0.38)
formatador (~> 0.2)
mime-types
net-scp (~> 1.1)
net-ssh (>= 2.1.3)
+ fog-ecloud (0.0.2)
+ fog-core
+ fog-xml
fog-json (1.0.0)
multi_json (~> 1.0)
- font-awesome-rails (3.2.1.2)
+ fog-profitbricks (0.0.2)
+ fog-core
+ fog-xml
+ nokogiri
+ fog-radosgw (0.0.3)
+ fog-core (>= 1.21.0)
+ fog-json
+ fog-xml (>= 0.0.1)
+ fog-riakcs (0.1.0)
+ fog-core
+ fog-json
+ fog-xml
+ fog-sakuracloud (1.0.0)
+ fog-core
+ fog-json
+ fog-serverlove (0.1.1)
+ fog-core
+ fog-json
+ fog-softlayer (0.4.1)
+ fog-core
+ fog-json
+ fog-storm_on_demand (0.1.0)
+ fog-core
+ fog-json
+ fog-terremark (0.0.4)
+ fog-core
+ fog-xml
+ fog-vmfusion (0.0.1)
+ fission
+ fog-core
+ fog-voxel (0.0.2)
+ fog-core
+ fog-xml
+ fog-xml (0.1.1)
+ fog-core
+ nokogiri (~> 1.5, >= 1.5.11)
+ font-awesome-rails (4.3.0.0)
railties (>= 3.2, < 5.0)
- foreigner (1.6.1)
- activerecord (>= 3.0.0)
foreman (0.62.0)
thor (>= 0.13.6)
formatador (0.2.5)
- fssm (0.2.10)
- fuubar (1.3.3)
- rspec (>= 2.14.0, < 3.1.0)
+ fuubar (2.0.0)
+ rspec (~> 3.0)
ruby-progressbar (~> 1.4)
- galetahub-simple_captcha (0.1.5)
gherkin (2.12.2)
multi_json (~> 1.3)
- gon (5.0.4)
+ globalid (0.3.3)
+ activesupport (>= 4.1.0)
+ gon (5.2.3)
actionpack (>= 2.3.0)
json
- guard (2.6.1)
+ multi_json
+ request_store (>= 1.0.5)
+ guard (2.12.5)
formatador (>= 0.2.4)
listen (~> 2.7)
lumberjack (~> 1.0)
+ nenv (~> 0.1)
+ notiffany (~> 0.0)
pry (>= 0.9.12)
+ shellany (~> 0.0)
thor (>= 0.18.1)
- guard-cucumber (1.4.1)
- cucumber (>= 1.2.0)
- guard (>= 1.1.0)
- guard-rspec (4.2.9)
+ guard-compat (1.2.1)
+ guard-cucumber (1.5.4)
+ cucumber (>= 1.3.0)
+ guard-compat (~> 1.0)
+ nenv (~> 0.1)
+ guard-jshintrb (1.1.1)
+ guard (~> 2.0)
+ jshintrb
+ guard-rspec (4.5.0)
guard (~> 2.1)
- rspec (>= 2.14, < 4.0)
- guard-spork (1.5.1)
- childprocess (>= 0.2.3)
- guard (>= 1.1)
- spork (>= 0.8.4)
- haml (4.0.5)
+ guard-compat (~> 1.1)
+ rspec (>= 2.99.0, < 4.0)
+ guard-rubocop (1.2.0)
+ guard (~> 2.0)
+ rubocop (~> 0.20)
+ haml (4.0.6)
tilt
- handlebars_assets (0.12.0)
- execjs (>= 1.2.9)
- sprockets (>= 2.0.3)
- tilt
- hashie (2.1.1)
+ handlebars_assets (0.20.1)
+ execjs (~> 2.0)
+ multi_json (~> 1.0)
+ sprockets (~> 2.0)
+ tilt (~> 1.2)
+ hashie (3.4.0)
hike (1.2.3)
- http_accept_language (1.0.2)
- i18n (0.6.11)
+ hiredis (0.5.2)
+ hitimes (1.2.2)
+ http-cookie (1.0.2)
+ domain_name (~> 0.5)
+ http_accept_language (2.0.5)
+ http_parser.rb (0.6.0)
+ i18n (0.7.0)
i18n-inflector (2.6.7)
i18n (>= 0.4.1)
i18n-inflector-rails (1.0.7)
actionpack (>= 3.0.0)
i18n-inflector (~> 2.6)
railties (>= 3.0.0)
+ ice_cube (0.11.1)
+ inflecto (0.0.2)
ipaddress (0.8.0)
- jasmine (1.3.2)
- jasmine-core (~> 1.3.1)
- rack (~> 1.0)
- rspec (>= 1.3.1)
- selenium-webdriver (>= 0.1.3)
- jasmine-core (1.3.1)
- journey (1.0.4)
- jquery-rails (3.0.4)
+ jasmine (2.2.0)
+ jasmine-core (~> 2.2)
+ phantomjs
+ rack (>= 1.2.1)
+ rake
+ jasmine-core (2.2.0)
+ jasmine-jquery-rails (2.0.3)
+ jquery-rails (3.1.2)
railties (>= 3.0, < 5.0)
thor (>= 0.14, < 2.0)
- jquery-ui-rails (3.0.1)
- jquery-rails
- railties (>= 3.1.0)
- json (1.8.1)
- jwt (1.0.0)
- kaminari (0.15.1)
+ jquery-ui-rails (5.0.3)
+ railties (>= 3.2.16)
+ js-routes (1.0.0)
+ railties (>= 3.2)
+ sprockets-rails
+ js_image_paths (0.0.2)
+ rails (~> 4.0)
+ jshintrb (0.3.0)
+ execjs
+ multi_json (>= 1.3)
+ rake
+ json (1.8.2)
+ jwt (1.4.1)
+ kaminari (0.16.3)
actionpack (>= 3.0.0)
activesupport (>= 3.0.0)
- kgio (2.9.2)
- listen (2.7.5)
+ kgio (2.9.3)
+ listen (2.9.0)
celluloid (>= 0.15.2)
rb-fsevent (>= 0.9.3)
rb-inotify (>= 0.9)
- lumberjack (1.0.6)
- macaddr (1.6.1)
- systemu (~> 2.5.0)
- mail (2.5.4)
- mime-types (~> 1.16)
- treetop (~> 1.4.8)
+ loofah (2.0.1)
+ nokogiri (>= 1.5.9)
+ lumberjack (1.0.9)
+ macaddr (1.7.1)
+ systemu (~> 2.6.2)
+ mail (2.6.3)
+ mime-types (>= 1.16, < 3)
markerb (1.0.2)
redcarpet (>= 2.0)
messagebus_ruby_api (1.0.3)
method_source (0.8.2)
- mime-types (1.25.1)
- mini_magick (3.7.0)
- subexec (~> 0.2.1)
- mini_portile (0.5.3)
- mobile-fu (1.2.2)
+ mime-types (2.4.3)
+ mini_magick (4.2.0)
+ mini_portile (0.6.2)
+ minitest (5.5.1)
+ mobile-fu (1.3.1)
rack-mobile-detect
rails
- multi_json (1.10.1)
- multi_test (0.1.1)
+ multi_json (1.11.0)
+ multi_test (0.1.2)
multi_xml (0.5.5)
- multipart-post (1.2.0)
- mysql2 (0.3.16)
+ multipart-post (2.0.0)
+ mysql2 (0.3.18)
+ nenv (0.2.0)
nested_form (0.3.2)
net-scp (1.2.1)
net-ssh (>= 2.6.5)
- net-ssh (2.9.1)
- nokogiri (1.6.1)
- mini_portile (~> 0.5.0)
+ net-ssh (2.9.2)
+ nokogiri (1.6.6.2)
+ mini_portile (~> 0.6.0)
+ notiffany (0.0.6)
+ nenv (~> 0.1)
+ shellany (~> 0.0)
oauth (0.4.7)
oauth2 (0.9.4)
faraday (>= 0.8, < 0.10)
@@ -268,8 +416,8 @@ GEM
multi_json (~> 1.3)
multi_xml (~> 0.5)
rack (~> 1.2)
- omniauth (1.2.1)
- hashie (>= 1.2, < 3)
+ omniauth (1.2.2)
+ hashie (>= 1.2, < 4)
rack (~> 1.0)
omniauth-facebook (1.6.0)
omniauth-oauth2 (~> 1.1)
@@ -288,178 +436,257 @@ GEM
omniauth-oauth (~> 1.0)
omniauth-wordpress (0.2.1)
omniauth-oauth2 (~> 1.1.0)
- opengraph_parser (0.2.3)
- addressable
- nokogiri
+ open_graph_reader (0.5.0)
+ faraday (~> 0.9.0)
+ nokogiri (~> 1.6)
orm_adapter (0.5.0)
- polyglot (0.3.5)
- pry (0.9.12.6)
- coderay (~> 1.0)
- method_source (~> 0.8)
+ parser (2.2.0.3)
+ ast (>= 1.1, < 3.0)
+ phantomjs (1.9.8.0)
+ powerpack (0.1.0)
+ pry (0.10.1)
+ coderay (~> 1.1.0)
+ method_source (~> 0.8.1)
slop (~> 3.4)
- rack (1.4.5)
- rack-cache (1.2)
- rack (>= 0.4)
- rack-cors (0.2.9)
- rack-google-analytics (0.14.0)
+ pry-byebug (3.1.0)
+ byebug (~> 4.0)
+ pry (~> 0.10)
+ pry-debundle (0.8)
+ pry
+ rack (1.6.0)
+ rack-cors (0.3.1)
+ rack-google-analytics (1.2.0)
actionpack
activesupport
rack-mobile-detect (0.4.0)
rack
- rack-piwik (0.2.2)
- rack-pjax (0.7.0)
+ rack-piwik (0.3.0)
+ rack-pjax (0.8.0)
nokogiri (~> 1.5)
- rack (~> 1.3)
- rack-protection (1.2.0)
+ rack (~> 1.1)
+ rack-protection (1.5.3)
rack
- rack-rewrite (1.5.0)
- rack-ssl (1.3.3)
+ rack-rewrite (1.5.1)
+ rack-ssl (1.4.1)
rack
- rack-test (0.6.2)
+ rack-test (0.6.3)
rack (>= 1.0)
- rails (3.2.20)
- actionmailer (= 3.2.20)
- actionpack (= 3.2.20)
- activerecord (= 3.2.20)
- activeresource (= 3.2.20)
- activesupport (= 3.2.20)
- bundler (~> 1.0)
- railties (= 3.2.20)
- rails-i18n (0.7.4)
- i18n (~> 0.5)
- rails-timeago (2.4.0)
+ rails (4.2.1)
+ actionmailer (= 4.2.1)
+ actionpack (= 4.2.1)
+ actionview (= 4.2.1)
+ activejob (= 4.2.1)
+ activemodel (= 4.2.1)
+ activerecord (= 4.2.1)
+ activesupport (= 4.2.1)
+ bundler (>= 1.3.0, < 2.0)
+ railties (= 4.2.1)
+ sprockets-rails
+ rails-assets-diaspora_jsxc (0.1.1)
+ rails-assets-jquery (~> 1.11.1)
+ rails-assets-jquery-colorbox (~> 1.5.14)
+ rails-assets-jquery-fullscreen (~> 1.1.4)
+ rails-assets-jquery-ui (~> 1.10.4)
+ rails-assets-jquery.slimscroll (~> 1.3.3)
+ rails-assets-jasmine (2.2.1)
+ rails-assets-jasmine-ajax (3.1.0)
+ rails-assets-jasmine (~> 2.0)
+ rails-assets-jeresig--jquery.hotkeys (0.2.0)
+ rails-assets-jquery (>= 1.4.2)
+ rails-assets-jquery (1.11.1)
+ rails-assets-jquery-colorbox (1.5.15)
+ rails-assets-jquery (>= 1.3.2)
+ rails-assets-jquery-fullscreen (1.1.4)
+ rails-assets-jquery-idletimer (1.0.1)
+ rails-assets-jquery-placeholder (2.1.1)
+ rails-assets-jquery (>= 1.6)
+ rails-assets-jquery-textchange (0.2.3)
+ rails-assets-jquery
+ rails-assets-jquery-ui (1.10.4)
+ rails-assets-jquery (>= 1.6)
+ rails-assets-jquery.slimscroll (1.3.3)
+ rails-assets-jquery (>= 1.7)
+ rails-assets-markdown-it--markdown-it-for-inline (0.1.0)
+ rails-assets-markdown-it (4.2.0)
+ rails-assets-markdown-it-diaspora-mention (0.3.0)
+ rails-assets-markdown-it-hashtag (0.3.0)
+ rails-assets-markdown-it-sanitizer (0.3.0)
+ rails-assets-markdown-it-sub (1.0.0)
+ rails-assets-markdown-it-sup (1.0.0)
+ rails-assets-perfect-scrollbar (0.5.9)
+ rails-assets-jquery (>= 1.10)
+ rails-deprecated_sanitizer (1.0.3)
+ activesupport (>= 4.2.0.alpha)
+ rails-dom-testing (1.0.6)
+ activesupport (>= 4.2.0.beta, < 5.0)
+ nokogiri (~> 1.6.0)
+ rails-deprecated_sanitizer (>= 1.0.1)
+ rails-html-sanitizer (1.0.2)
+ loofah (~> 2.0)
+ rails-i18n (4.0.4)
+ i18n (~> 0.6)
+ railties (~> 4.0)
+ rails-observers (0.1.2)
+ activemodel (~> 4.0)
+ rails-timeago (2.11.0)
actionpack (>= 3.1)
activesupport (>= 3.1)
- rails_admin (0.4.9)
- bootstrap-sass (~> 2.2)
- builder (~> 3.0)
- coffee-rails (>= 3.1, < 5)
- font-awesome-rails (~> 3.0)
+ rails_admin (0.6.7)
+ builder (~> 3.1)
+ coffee-rails (~> 4.0)
+ font-awesome-rails (>= 3.0, < 5)
haml (~> 4.0)
- jquery-rails (>= 2.1, < 4)
- jquery-ui-rails (~> 3.0)
+ jquery-rails (>= 3.0, < 5)
+ jquery-ui-rails (~> 5.0)
kaminari (~> 0.14)
nested_form (~> 0.3)
- rack-pjax (~> 0.6)
- rails (~> 3.1)
+ rack-pjax (~> 0.7)
+ rails (~> 4.0)
remotipart (~> 1.0)
- safe_yaml (~> 0.6)
- sass-rails (~> 3.1)
- rails_autolink (1.1.5)
- rails (> 3.1)
- railties (3.2.20)
- actionpack (= 3.2.20)
- activesupport (= 3.2.20)
- rack-ssl (~> 1.3.2)
+ safe_yaml (~> 1.0)
+ sass-rails (>= 4.0, < 6)
+ railties (4.2.1)
+ actionpack (= 4.2.1)
+ activesupport (= 4.2.1)
rake (>= 0.8.7)
- rdoc (~> 3.4)
- thor (>= 0.14.6, < 2.0)
+ thor (>= 0.18.1, < 2.0)
+ rainbow (2.0.0)
raindrops (0.13.0)
- rake (10.3.2)
+ rake (10.4.2)
rb-fsevent (0.9.4)
- rb-inotify (0.9.4)
+ rb-inotify (0.9.5)
ffi (>= 0.5.0)
- rdoc (3.12.2)
- json (~> 1.4)
redcarpet (3.2.3)
- redis (3.1.0)
+ redis (3.2.1)
redis-namespace (1.5.1)
redis (~> 3.0, >= 3.0.4)
remotipart (1.2.1)
+ request_store (1.1.0)
+ responders (2.1.0)
+ railties (>= 4.2.0, < 5)
roxml (3.1.6)
activesupport (>= 2.3.0)
nokogiri (>= 1.3.3)
- rspec (2.14.1)
- rspec-core (~> 2.14.0)
- rspec-expectations (~> 2.14.0)
- rspec-mocks (~> 2.14.0)
- rspec-core (2.14.8)
- rspec-expectations (2.14.5)
- diff-lcs (>= 1.1.3, < 2.0)
- rspec-instafail (0.2.4)
- rspec-mocks (2.14.6)
- rspec-rails (2.14.2)
- actionpack (>= 3.0)
- activemodel (>= 3.0)
- activesupport (>= 3.0)
- railties (>= 3.0)
- rspec-core (~> 2.14.0)
- rspec-expectations (~> 2.14.0)
- rspec-mocks (~> 2.14.0)
- ruby-oembed (0.8.9)
- ruby-progressbar (1.5.1)
- rubyzip (1.1.4)
- safe_yaml (0.9.7)
- sass (3.2.19)
- sass-rails (3.2.6)
- railties (~> 3.2.0)
- sass (>= 3.1.10)
- tilt (~> 1.3)
- selenium-webdriver (2.42.0)
- childprocess (>= 0.5.0)
+ rspec (3.2.0)
+ rspec-core (~> 3.2.0)
+ rspec-expectations (~> 3.2.0)
+ rspec-mocks (~> 3.2.0)
+ rspec-core (3.2.2)
+ rspec-support (~> 3.2.0)
+ rspec-expectations (3.2.0)
+ diff-lcs (>= 1.2.0, < 2.0)
+ rspec-support (~> 3.2.0)
+ rspec-instafail (0.2.6)
+ rspec
+ rspec-mocks (3.2.1)
+ diff-lcs (>= 1.2.0, < 2.0)
+ rspec-support (~> 3.2.0)
+ rspec-rails (3.2.1)
+ actionpack (>= 3.0, < 4.3)
+ activesupport (>= 3.0, < 4.3)
+ railties (>= 3.0, < 4.3)
+ rspec-core (~> 3.2.0)
+ rspec-expectations (~> 3.2.0)
+ rspec-mocks (~> 3.2.0)
+ rspec-support (~> 3.2.0)
+ rspec-support (3.2.2)
+ rubocop (0.29.1)
+ astrolabe (~> 1.3)
+ parser (>= 2.2.0.1, < 3.0)
+ powerpack (~> 0.1)
+ rainbow (>= 1.99.1, < 3.0)
+ ruby-progressbar (~> 1.4)
+ ruby-oembed (0.8.12)
+ ruby-progressbar (1.7.5)
+ rubyzip (1.1.7)
+ safe_yaml (1.0.4)
+ sass (3.4.13)
+ sass-rails (5.0.1)
+ railties (>= 4.0.0, < 5.0)
+ sass (~> 3.1)
+ sprockets (>= 2.8, < 4.0)
+ sprockets-rails (>= 2.0, < 4.0)
+ tilt (~> 1.1)
+ selenium-webdriver (2.45.0)
+ childprocess (~> 0.5)
multi_json (~> 1.0)
rubyzip (~> 1.0)
- websocket (~> 1.0.4)
- sidekiq (2.17.7)
- celluloid (>= 0.15.2)
- connection_pool (>= 1.0.0)
+ websocket (~> 1.0)
+ shellany (0.0.1)
+ shoulda-matchers (2.8.0)
+ activesupport (>= 3.0.0)
+ sidekiq (3.3.3)
+ celluloid (>= 0.16.0)
+ connection_pool (>= 2.1.1)
json
redis (>= 3.0.6)
redis-namespace (>= 1.3.1)
+ sidetiq (0.6.3)
+ celluloid (>= 0.14.1)
+ ice_cube (= 0.11.1)
+ sidekiq (>= 3.0.0)
+ simple_captcha2 (0.3.4)
+ rails (>= 4.1)
simple_oauth (0.2.0)
- sinatra (1.3.3)
- rack (~> 1.3, >= 1.3.6)
- rack-protection (~> 1.2)
- tilt (~> 1.3, >= 1.3.3)
- sinon-rails (1.9.0)
+ sinatra (1.4.6)
+ rack (~> 1.4)
+ rack-protection (~> 1.4)
+ tilt (>= 1.3, < 3)
+ sinon-rails (1.10.3)
railties (>= 3.1)
- slop (3.5.0)
- spork (1.0.0rc4)
- sprockets (2.2.3)
+ slop (3.6.0)
+ spring (1.3.3)
+ spring-commands-cucumber (1.0.1)
+ spring (>= 0.9.1)
+ spring-commands-rspec (1.0.4)
+ spring (>= 0.9.1)
+ sprockets (2.12.3)
hike (~> 1.2)
multi_json (~> 1.0)
rack (~> 1.0)
tilt (~> 1.1, != 1.3.0)
- strong_parameters (0.2.3)
- actionpack (~> 3.0)
- activemodel (~> 3.0)
- activesupport (~> 3.0)
- railties (~> 3.0)
- subexec (0.2.3)
- systemu (2.5.2)
- test_after_commit (0.2.3)
+ sprockets-rails (2.2.4)
+ actionpack (>= 3.0)
+ activesupport (>= 3.0)
+ sprockets (>= 2.8, < 4.0)
+ systemu (2.6.5)
+ test_after_commit (0.4.1)
+ activerecord (>= 3.2)
thor (0.19.1)
- thread_safe (0.3.4)
+ thread_safe (0.3.5)
tilt (1.4.1)
- timecop (0.7.1)
- timers (1.1.0)
- treetop (1.4.15)
- polyglot
- polyglot (>= 0.3.1)
+ timecop (0.7.3)
+ timers (4.0.1)
+ hitimes
twitter (4.8.1)
faraday (~> 0.8, < 0.10)
multi_json (~> 1.0)
simple_oauth (~> 0.2)
- typhoeus (0.6.8)
- ethon (>= 0.7.0)
- tzinfo (0.3.42)
- uglifier (2.5.0)
+ twitter-text (1.11.0)
+ unf (~> 0.1.0)
+ typhoeus (0.7.1)
+ ethon (>= 0.7.1)
+ tzinfo (1.2.2)
+ thread_safe (~> 0.1)
+ uglifier (2.7.1)
execjs (>= 0.3.0)
json (>= 1.8.0)
+ unf (0.1.4)
+ unf_ext
+ unf_ext (0.0.6)
unicorn (4.8.3)
kgio (~> 2.6)
rack
raindrops (~> 0.7)
uuid (2.3.7)
macaddr (~> 1.0)
- rack (>= 1.0)
warden (1.2.3)
rack (>= 1.0)
- webmock (1.18.0)
+ webmock (1.20.4)
addressable (>= 2.3.6)
crack (>= 0.3.2)
- websocket (1.0.7)
- will_paginate (3.0.5)
+ websocket (1.2.1)
+ will_paginate (3.0.7)
xpath (2.0.0)
nokogiri (~> 1.3)
zip-zip (0.3)
@@ -469,87 +696,123 @@ PLATFORMS
ruby
DEPENDENCIES
- activerecord-import (= 0.3.1)
- acts-as-taggable-on (= 3.2.6)
+ actionpack-action_caching
+ actionpack-page_caching
+ active_model_serializers (= 0.9.3)
+ activerecord-import (= 0.7.0)
+ acts-as-taggable-on (= 3.5.0)
acts_as_api (= 0.4.2)
- addressable (= 2.3.6)
- asset_sync (= 1.0.0)
- backbone-on-rails (= 1.1.1)
- bootstrap-sass (= 2.2.2.0)
- capybara (= 2.2.1)
+ addressable (= 2.3.7)
+ asset_sync (= 1.1.0)
+ autoprefixer-rails (= 5.1.7.1)
+ backbone-on-rails (= 1.1.2)
+ bootstrap-sass (= 2.3.2.2)
+ capybara (= 2.4.4)
carrierwave (= 0.10.0)
- compass-rails (= 1.1.7)
- configurate (= 0.0.8)
- cucumber-rails (= 1.4.1)
- database_cleaner (= 1.3.0)
- devise (= 3.2.4)
+ compass-rails (= 2.0.4)
+ configurate (= 0.2.0)
+ cucumber-rails (= 1.4.2)
+ database_cleaner (= 1.4.1)
+ devise (= 3.4.1)
+ devise-token_authenticatable (~> 0.3.0)
devise_lastseenable (= 0.0.4)
- entypo-rails (= 2.2.1)
- factory_girl_rails (= 4.4.1)
- faraday (= 0.8.9)
- faraday_middleware (= 0.9.0)
+ diaspora-vines (~> 0.1.27)
+ entypo-rails (= 2.2.2)
+ factory_girl_rails (= 4.5.0)
+ faraday (= 0.9.1)
+ faraday-cookie_jar (= 0.0.6)
+ faraday_middleware (= 0.9.1)
fixture_builder (= 0.3.6)
- fog (= 1.22.1)
- foreigner (= 1.6.1)
+ fog (= 1.28.0)
foreman (= 0.62)
- fuubar (= 1.3.3)
- galetahub-simple_captcha (= 0.1.5)
- gon (= 5.0.4)
- guard-cucumber (= 1.4.1)
- guard-rspec (= 4.2.9)
- guard-spork (= 1.5.1)
- haml (= 4.0.5)
- handlebars_assets (= 0.12.0)
- http_accept_language (= 1.0.2)
+ fuubar (= 2.0.0)
+ gon (= 5.2.3)
+ guard (= 2.12.5)
+ guard-cucumber (= 1.5.4)
+ guard-jshintrb (= 1.1.1)
+ guard-rspec (= 4.5.0)
+ guard-rubocop (= 1.2.0)
+ haml (= 4.0.6)
+ handlebars_assets (= 0.20.1)
+ http_accept_language (= 2.0.5)
i18n-inflector-rails (= 1.0.7)
- jasmine (= 1.3.2)
- jquery-rails (= 3.0.4)
- json (= 1.8.1)
+ jasmine (= 2.2.0)
+ jasmine-jquery-rails (= 2.0.3)
+ jquery-rails (= 3.1.2)
+ js-routes (= 1.0.0)
+ js_image_paths (= 0.0.2)
+ jshintrb (= 0.3.0)
+ json (= 1.8.2)
markerb (= 1.0.2)
messagebus_ruby_api (= 1.0.3)
- mini_magick (= 3.7.0)
- mobile-fu (= 1.2.2)
- mysql2 (= 0.3.16)
- nokogiri (= 1.6.1)
- omniauth (= 1.2.1)
+ mini_magick (= 4.2.0)
+ minitest
+ mobile-fu (= 1.3.1)
+ mysql2 (= 0.3.18)
+ nokogiri (= 1.6.6.2)
+ omniauth (= 1.2.2)
omniauth-facebook (= 1.6.0)
omniauth-tumblr (= 1.1)
omniauth-twitter (= 1.0.1)
omniauth-wordpress (= 0.2.1)
- opengraph_parser (= 0.2.3)
- rack-cors (= 0.2.9)
- rack-google-analytics (= 0.14.0)
- rack-piwik (= 0.2.2)
- rack-protection (= 1.2)
- rack-rewrite (= 1.5.0)
- rack-ssl (= 1.3.3)
- rails (= 3.2.20)
- rails-i18n (= 0.7.4)
- rails-timeago (= 2.4.0)
- rails_admin (= 0.4.9)
- rails_autolink (= 1.1.5)
+ open_graph_reader (= 0.5.0)
+ pry
+ pry-byebug
+ pry-debundle
+ rack-cors (= 0.3.1)
+ rack-google-analytics (= 1.2.0)
+ rack-piwik (= 0.3.0)
+ rack-protection (= 1.5.3)
+ rack-rewrite (= 1.5.1)
+ rack-ssl (= 1.4.1)
+ rails (= 4.2.1)
+ rails-assets-diaspora_jsxc (~> 0.1.1)!
+ rails-assets-jasmine-ajax (= 3.1.0)!
+ rails-assets-jeresig--jquery.hotkeys (= 0.2.0)!
+ rails-assets-jquery (= 1.11.1)!
+ rails-assets-jquery-idletimer (= 1.0.1)!
+ rails-assets-jquery-placeholder (= 2.1.1)!
+ rails-assets-jquery-textchange (= 0.2.3)!
+ rails-assets-markdown-it (= 4.2.0)!
+ rails-assets-markdown-it--markdown-it-for-inline (= 0.1.0)!
+ rails-assets-markdown-it-diaspora-mention (= 0.3.0)!
+ rails-assets-markdown-it-hashtag (= 0.3.0)!
+ rails-assets-markdown-it-sanitizer (= 0.3.0)!
+ rails-assets-markdown-it-sub (= 1.0.0)!
+ rails-assets-markdown-it-sup (= 1.0.0)!
+ rails-assets-perfect-scrollbar (= 0.5.9)!
+ rails-i18n (= 4.0.4)
+ rails-timeago (= 2.11.0)
+ rails_admin (= 0.6.7)
rb-fsevent (= 0.9.4)
- rb-inotify (= 0.9.4)
+ rb-inotify (= 0.9.5)
redcarpet (= 3.2.3)
remotipart (= 1.2.1)
+ responders (= 2.1.0)
roxml (= 3.1.6)
- rspec-instafail (= 0.2.4)
- rspec-rails (= 2.14.2)
- ruby-oembed (= 0.8.9)
- sass-rails (= 3.2.6)
- selenium-webdriver (= 2.42.0)
- sidekiq (= 2.17.7)
- sinatra (= 1.3.3)
- sinon-rails (= 1.9.0)
- spork (= 1.0.0rc4)
- strong_parameters (= 0.2.3)
- test_after_commit (= 0.2.3)
- timecop (= 0.7.1)
+ rspec-instafail (= 0.2.6)
+ rspec-rails (= 3.2.1)
+ rubocop (= 0.29.1)
+ ruby-oembed (= 0.8.12)
+ sass-rails (= 5.0.1)
+ selenium-webdriver (= 2.45.0)
+ shoulda-matchers (= 2.8.0)
+ sidekiq (= 3.3.3)
+ sidetiq (= 0.6.3)
+ simple_captcha2 (= 0.3.4)
+ sinatra (= 1.4.6)
+ sinon-rails (= 1.10.3)
+ spring (= 1.3.3)
+ spring-commands-cucumber (= 1.0.1)
+ spring-commands-rspec (= 1.0.4)
+ test_after_commit (= 0.4.1)
+ timecop (= 0.7.3)
twitter (= 4.8.1)
- typhoeus (= 0.6.8)
- uglifier (= 2.5.0)
+ twitter-text (= 1.11.0)
+ typhoeus (= 0.7.1)
+ uglifier (= 2.7.1)
unicorn (= 4.8.3)
uuid (= 2.3.7)
- webmock (= 1.18.0)
- will_paginate (= 3.0.5)
+ webmock (= 1.20.4)
+ will_paginate (= 3.0.7)
zip-zip
diff --git a/Guardfile b/Guardfile
index 6da0408e0..ec3eade0c 100644
--- a/Guardfile
+++ b/Guardfile
@@ -1,38 +1,45 @@
-# A sample Guardfile
-# More info at https://github.com/guard/guard#readme
-# also, http://asciicasts.com/episodes/264-guard
-guard 'rspec', :all_on_start => false, :all_after_pass => false do
- watch(%r{^spec/.+_spec\.rb$})
- watch(%r{^lib/(.+)\.rb$}) { |m| "spec/lib/#{m[1]}_spec.rb" }
- watch('spec/spec_helper.rb') { "spec" }
+guard :rspec, cmd: "bin/spring rspec", all_on_start: false, all_after_pass: false do
+ watch(/^spec\/.+_spec\.rb$/)
+ watch(/^lib\/(.+)\.rb$/) {|m| "spec/lib/#{m[1]}_spec.rb" }
+ watch(/spec\/spec_helper.rb/) { "spec" }
# Rails example
- watch(%r{^spec/.+_spec\.rb$})
- watch(%r{^app/(.+)\.rb$}) { |m| "spec/#{m[1]}_spec.rb" }
- watch(%r{^lib/(.+)\.rb$}) { |m| "spec/lib/#{m[1]}_spec.rb" }
- watch(%r{^app/controllers/(.+)_(controller)\.rb$}) { |m| ["spec/routing/#{m[1]}_routing_spec.rb", "spec/#{m[2]}s/#{m[1]}_#{m[2]}_spec.rb", "spec/acceptance/#{m[1]}_spec.rb"] }
+ watch(/^spec\/.+_spec\.rb$/)
+ watch(/^app\/(.+)\.rb$/) {|m| "spec/#{m[1]}_spec.rb" }
+ watch(/^lib\/(.+)\.rb$/) {|m| "spec/lib/#{m[1]}_spec.rb" }
+ watch(%r{^app/controllers/(.+)_(controller)\.rb$}) {|m|
+ ["spec/routing/#{m[1]}_routing_spec.rb",
+ "spec/#{m[2]}s/#{m[1]}_#{m[2]}_spec.rb",
+ "spec/acceptance/#{m[1]}_spec.rb"]
+ }
watch(%r{^spec/support/(.+)\.rb$}) { "spec" }
- watch('spec/spec_helper.rb') { "spec" }
- watch('config/routes.rb') { "spec/routing" }
- watch('app/controllers/application_controller.rb') { "spec/controllers" }
+ watch("spec/spec_helper.rb") { "spec" }
+ watch("config/routes.rb") { "spec/routing" }
+ watch("app/controllers/application_controller.rb") { "spec/controllers" }
+
# Capybara request specs
- watch(%r{^app/views/(.+)/.*\.(erb|haml)$}) { |m| "spec/requests/#{m[1]}_spec.rb" }
+ watch(%r{^app/views/(.+)/.*\.(erb|haml)$}) {|m| "spec/requests/#{m[1]}_spec.rb" }
end
-guard 'spork', :cucumber_env => { 'RAILS_ENV' => 'test' }, :rspec_env => { 'RAILS_ENV' => 'test' }, :all_on_start => false, :all_after_pass => false, :wait => 70 do
- watch('config/application.rb')
- watch('config/environment.rb')
- watch(%r{^config/environments/.+\.rb$})
- watch(%r{^config/initializers/.+\.rb$})
- watch('Gemfile')
- watch('Gemfile.lock')
- watch('spec/spec_helper.rb') { :rspec }
- watch('test/test_helper.rb') { :test_unit }
- watch(%r{features/support/}) { :cucumber }
+guard(:cucumber,
+ command_prefix: "bin/spring",
+ bundler: false,
+ all_on_start: false,
+ all_after_pass: false) do
+ watch(/^features\/.+\.feature$/)
+ watch(%r{^features/support/.+$}) { "features" }
+ watch(%r{^features/step_definitions/(.+)_steps\.rb$}) {|m|
+ Dir[File.join("**/#{m[1]}.feature")][0] || "features"
+ }
end
-guard 'cucumber', :all_on_start => false, :all_after_pass => false do
- watch(%r{^features/.+\.feature$})
- watch(%r{^features/support/.+$}) { 'features' }
- watch(%r{^features/step_definitions/(.+)_steps\.rb$}) { |m| Dir[File.join("**/#{m[1]}.feature")][0] || 'features' }
+guard :rubocop, all_on_start: false, keep_failed: false do
+ watch(/(?:app|config|db|lib|features|spec)\/.+\.rb$/)
+ watch(/(config.ru|Gemfile|Guardfile|Rakefile)$/)
+end
+
+guard :jshintrb do
+ watch(/^app\/assets\/javascripts\/.+\.js$/)
+ watch(/^lib\/assets\/javascripts\/.+\.js$/)
+ watch(/^spec\/javascripts\/.+\.js$/)
end
diff --git a/Procfile b/Procfile
index 109ee2337..4119cf536 100644
--- a/Procfile
+++ b/Procfile
@@ -1,2 +1,3 @@
-web: bundle exec unicorn_rails -c config/unicorn.rb -p $PORT
-sidekiq: bundle exec sidekiq
+web: bin/bundle exec unicorn_rails -c config/unicorn.rb -p $PORT
+sidekiq: bin/bundle exec sidekiq
+xmpp: bin/bundle exec vines start
diff --git a/README.md b/README.md
index ba5e33104..d3d76092e 100644
--- a/README.md
+++ b/README.md
@@ -1,5 +1,5 @@
# diaspora*
-### a privacy aware, distributed, open source social network
+### a privacy-aware, distributed, open source social network
**master:** [](http://travis-ci.org/diaspora/diaspora)
**develop:** [](http://travis-ci.org/diaspora/diaspora) |
diff --git a/app/assets/images/branding/header-logo_hover.png b/app/assets/images/branding/header-logo_hover.png
new file mode 100644
index 000000000..dae58b943
Binary files /dev/null and b/app/assets/images/branding/header-logo_hover.png differ
diff --git a/app/assets/images/close_label.png b/app/assets/images/close_label.png
deleted file mode 100644
index 53aa1d3ce..000000000
Binary files a/app/assets/images/close_label.png and /dev/null differ
diff --git a/app/assets/images/facebox/loading.gif b/app/assets/images/facebox/loading.gif
old mode 100755
new mode 100644
diff --git a/app/assets/images/icons/circle.png b/app/assets/images/icons/circle.png
deleted file mode 100644
index 944a88391..000000000
Binary files a/app/assets/images/icons/circle.png and /dev/null differ
diff --git a/app/assets/images/icons/create_participation.png b/app/assets/images/icons/create_participation.png
new file mode 100644
index 000000000..7496495b9
Binary files /dev/null and b/app/assets/images/icons/create_participation.png differ
diff --git a/app/assets/images/icons/destroy_participation.png b/app/assets/images/icons/destroy_participation.png
new file mode 100644
index 000000000..f13d187a6
Binary files /dev/null and b/app/assets/images/icons/destroy_participation.png differ
diff --git a/app/assets/images/icons/menu.png b/app/assets/images/icons/menu.png
old mode 100755
new mode 100644
diff --git a/public/peeping-tom.png b/app/assets/images/peeping-tom.png
similarity index 100%
rename from public/peeping-tom.png
rename to app/assets/images/peeping-tom.png
diff --git a/app/assets/javascripts/app/app.js b/app/assets/javascripts/app/app.js
index efb3232a8..de6913f21 100644
--- a/app/assets/javascripts/app/app.js
+++ b/app/assets/javascripts/app/app.js
@@ -1,3 +1,5 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
//= require_self
//= require_tree ./helpers
@@ -12,6 +14,8 @@
//= require_tree ./collections
//= require_tree ./views
+//= require perfect-scrollbar
+
var app = {
collections: {},
models: {},
@@ -31,13 +35,11 @@ var app = {
events: _.extend({}, Backbone.Events),
user: function(userAttrs) {
- if(userAttrs) { return this._user = new app.models.User(userAttrs) }
- return this._user || false
- },
-
- baseImageUrl: function(baseUrl){
- if(baseUrl) { return this._baseImageUrl = baseUrl }
- return this._baseImageUrl || "assets/"
+ if(userAttrs) {
+ this._user = new app.models.User(userAttrs);
+ return this._user;
+ }
+ return this._user || false;
},
initialize: function() {
@@ -53,25 +55,25 @@ var app = {
},
hasPreload : function(prop) {
- return !!(window.gon.preloads && window.gon.preloads[prop]) //returning boolean variable so that parsePreloads, which cleans up properly is used instead
+ return !!(window.gon.preloads && window.gon.preloads[prop]); //returning boolean variable so that parsePreloads, which cleans up properly is used instead
},
setPreload : function(prop, val) {
- window.gon.preloads = window.gon.preloads || {}
- window.gon.preloads[prop] = val
+ window.gon.preloads = window.gon.preloads || {};
+ window.gon.preloads[prop] = val;
},
parsePreload : function(prop) {
if(!app.hasPreload(prop)) { return }
- var preload = window.gon.preloads[prop]
- delete window.gon.preloads[prop] //prevent dirty state across navigates
+ var preload = window.gon.preloads[prop];
+ delete window.gon.preloads[prop]; //prevent dirty state across navigates
- return(preload)
+ return(preload);
},
setupDummyPreloads: function() {
- if (window.gon == undefined) {
+ if (window.gon === undefined) {
window.gon = {preloads:{}};
}
},
@@ -89,8 +91,8 @@ var app = {
},
setupFacebox: function() {
- $.facebox.settings.closeImage = app.baseImageUrl()+'facebox/closelabel.png';
- $.facebox.settings.loadingImage = app.baseImageUrl()+'facebox/loading.gif';
+ $.facebox.settings.closeImage = ImagePaths.get('facebox/closelabel.png');
+ $.facebox.settings.loadingImage = ImagePaths.get('facebox/loading.gif');
$.facebox.settings.opacity = 0.75;
},
@@ -102,14 +104,13 @@ var app = {
evt.preventDefault();
var link = $(this);
- $(".stream_title").text(link.text())
- app.router.navigate(link.attr("href").substring(1) ,true)
+ $(".stream_title").text(link.text());
+ app.router.navigate(link.attr("href").substring(1) ,true);
});
},
setupGlobalViews: function() {
app.hovercard = new app.views.Hovercard();
- app.aspectMembershipsBlueprint = new app.views.AspectMembershipBlueprint();
$('.aspect_membership_dropdown').each(function(){
new app.views.AspectMembership({el: this});
});
@@ -119,7 +120,7 @@ var app = {
/* mixpanel wrapper function */
instrument : function(type, name, object, callback) {
if(!window.mixpanel) { return }
- window.mixpanel[type](name, object, callback)
+ window.mixpanel[type](name, object, callback);
},
setupDisabledLinks: function() {
@@ -132,3 +133,4 @@ var app = {
$(function() {
app.initialize();
});
+// @license-end
diff --git a/app/assets/javascripts/app/collections/aspect_memberships.js b/app/assets/javascripts/app/collections/aspect_memberships.js
new file mode 100644
index 000000000..dc3c0410b
--- /dev/null
+++ b/app/assets/javascripts/app/collections/aspect_memberships.js
@@ -0,0 +1,6 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
+app.collections.AspectMemberships = Backbone.Collection.extend({
+ model: app.models.AspectMembership
+});
+// @license-end
diff --git a/app/assets/javascripts/app/collections/aspects.js b/app/assets/javascripts/app/collections/aspects.js
index 33c9cb56c..1e284274b 100644
--- a/app/assets/javascripts/app/collections/aspects.js
+++ b/app/assets/javascripts/app/collections/aspects.js
@@ -1,3 +1,5 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
app.collections.Aspects = Backbone.Collection.extend({
model: app.models.Aspect,
@@ -23,4 +25,5 @@ app.collections.Aspects = Backbone.Collection.extend({
var separator = Diaspora.I18n.t("comma") + ' ';
return this.selectedAspects('name').join(separator).replace(/,\s([^,]+)$/, ' ' + Diaspora.I18n.t("and") + ' $1') || Diaspora.I18n.t("my_aspects");
}
-})
+});
+// @license-end
diff --git a/app/assets/javascripts/app/collections/comments.js b/app/assets/javascripts/app/collections/comments.js
index 06ae95fe2..f096363e0 100644
--- a/app/assets/javascripts/app/collections/comments.js
+++ b/app/assets/javascripts/app/collections/comments.js
@@ -1,3 +1,5 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
app.collections.Comments = Backbone.Collection.extend({
model: app.models.Comment,
url: function() { return _.result(this.post, 'url') + '/comments'; },
@@ -14,11 +16,12 @@ app.collections.Comments = Backbone.Collection.extend({
var deferred = comment.save({}, {
url: '/posts/'+this.post.id+'/comments',
success: function() {
- comment.set({author: app.currentUser.toJSON(), parent: self.post })
- self.add(comment)
+ comment.set({author: app.currentUser.toJSON(), parent: self.post });
+ self.add(comment);
}
});
return deferred;
}
});
+// @license-end
diff --git a/app/assets/javascripts/app/collections/contacts.js b/app/assets/javascripts/app/collections/contacts.js
new file mode 100644
index 000000000..d0592155f
--- /dev/null
+++ b/app/assets/javascripts/app/collections/contacts.js
@@ -0,0 +1,21 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
+app.collections.Contacts = Backbone.Collection.extend({
+ model: app.models.Contact,
+
+ comparator : function(con1, con2) {
+ if( !con1.person || !con2.person ) return 1;
+
+ if(app.aspect) {
+ var inAspect1 = con1.inAspect(app.aspect.get('id'));
+ var inAspect2 = con2.inAspect(app.aspect.get('id'));
+ if( inAspect1 && !inAspect2 ) return -1;
+ if( !inAspect1 && inAspect2 ) return 1;
+ }
+
+ var n1 = con1.person.get('name');
+ var n2 = con2.person.get('name');
+ return n1.localeCompare(n2);
+ }
+});
+// @license-end
diff --git a/app/assets/javascripts/app/collections/likes.js b/app/assets/javascripts/app/collections/likes.js
index 01831d4f9..76168237b 100644
--- a/app/assets/javascripts/app/collections/likes.js
+++ b/app/assets/javascripts/app/collections/likes.js
@@ -1,7 +1,10 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
app.collections.Likes = Backbone.Collection.extend({
model: app.models.Like,
initialize : function(models, options) {
- this.url = "/posts/" + options.post.id + "/likes" //not delegating to post.url() because when it is in a stream collection it delegates to that url
+ this.url = "/posts/" + options.post.id + "/likes"; //not delegating to post.url() because when it is in a stream collection it delegates to that url
}
});
+// @license-end
diff --git a/app/assets/javascripts/app/collections/photos.js b/app/assets/javascripts/app/collections/photos.js
index 40c960b23..978858304 100644
--- a/app/assets/javascripts/app/collections/photos.js
+++ b/app/assets/javascripts/app/collections/photos.js
@@ -1,8 +1,10 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
app.collections.Photos = Backbone.Collection.extend({
url : "/photos",
model: function(attrs, options) {
- var modelClass = app.models.Photo
+ var modelClass = app.models.Photo;
return new modelClass(attrs, options);
},
@@ -10,3 +12,4 @@ app.collections.Photos = Backbone.Collection.extend({
return resp.photos;
}
});
+// @license-end
diff --git a/app/assets/javascripts/app/collections/posts.js b/app/assets/javascripts/app/collections/posts.js
index 47c60b682..fc5fe1bbe 100644
--- a/app/assets/javascripts/app/collections/posts.js
+++ b/app/assets/javascripts/app/collections/posts.js
@@ -1,4 +1,8 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
app.collections.Posts = Backbone.Collection.extend({
model: app.models.Post,
url : "/posts"
});
+// @license-end
+
diff --git a/app/assets/javascripts/app/collections/reshares.js b/app/assets/javascripts/app/collections/reshares.js
index d2c74c8e5..28ce59c24 100644
--- a/app/assets/javascripts/app/collections/reshares.js
+++ b/app/assets/javascripts/app/collections/reshares.js
@@ -1,4 +1,8 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
app.collections.Reshares = Backbone.Collection.extend({
model: app.models.Reshare,
url : "/reshares"
});
+// @license-end
+
diff --git a/app/assets/javascripts/app/collections/tag_followings.js b/app/assets/javascripts/app/collections/tag_followings.js
index 870878ba7..091827827 100644
--- a/app/assets/javascripts/app/collections/tag_followings.js
+++ b/app/assets/javascripts/app/collections/tag_followings.js
@@ -1,3 +1,5 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
app.collections.TagFollowings = Backbone.Collection.extend({
model: app.models.TagFollowing,
@@ -17,3 +19,5 @@ app.collections.TagFollowings = Backbone.Collection.extend({
}
});
+// @license-end
+
diff --git a/app/assets/javascripts/app/helpers/date_formatter.js b/app/assets/javascripts/app/helpers/date_formatter.js
index beb2d468a..395e55f65 100644
--- a/app/assets/javascripts/app/helpers/date_formatter.js
+++ b/app/assets/javascripts/app/helpers/date_formatter.js
@@ -1,3 +1,5 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
(function(){
app.helpers.dateFormatter = {
parse:function (dateString) {
@@ -12,5 +14,6 @@
return timestamp || 0;
}
- }
+ };
})();
+// @license-end
diff --git a/app/assets/javascripts/app/helpers/direction_detector.js b/app/assets/javascripts/app/helpers/direction_detector.js
new file mode 100644
index 000000000..2449aeead
--- /dev/null
+++ b/app/assets/javascripts/app/helpers/direction_detector.js
@@ -0,0 +1,95 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
+(function() {
+ app.helpers.txtDirection = {
+ setCssFor: function(str, on_element) {
+ if( this.isRTL(str) ) {
+ $(on_element).css('direction', 'rtl');
+ } else {
+ $(on_element).css('direction', 'ltr');
+ }
+ },
+
+ classFor: function(str) {
+ if( this.isRTL(str) ) return 'rtl';
+ return 'ltr';
+ },
+
+ isRTL: function(str) {
+ if(typeof str !== "string" || str.length < 1) {
+ return false;
+ }
+
+ var charCode = this._fixedCharCodeAt(str, 0);
+ if(charCode >= 1536 && charCode <= 1791) // Sarabic, Persian, ...
+ return true;
+
+ else if(charCode >= 65136 && charCode <= 65279) // Arabic present 1
+ return true;
+
+ else if(charCode >= 64336 && charCode <= 65023) // Arabic present 2
+ return true;
+
+ else if(charCode>=1424 && charCode<=1535) // Hebrew
+ return true;
+
+ else if(charCode>=64256 && charCode<=64335) // Hebrew present
+ return true;
+
+ else if(charCode>=68096 && charCode<=68184) // Kharoshthi
+ return true;
+
+ else if(charCode>=67840 && charCode<=67871) // Phoenician
+ return true;
+
+ else if(charCode>=1792 && charCode<=1871) // Syriac
+ return true;
+
+ else if(charCode>=1920 && charCode<=1983) // Thaana
+ return true;
+
+ else if(charCode>=1984 && charCode<=2047) // NKo
+ return true;
+
+ else if(charCode>=11568 && charCode<=11647) // Tifinagh
+ return true;
+
+ return false;
+ },
+
+ // source: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/charCodeAt
+ _fixedCharCodeAt: function(str, idx) {
+ str += '';
+ var code,
+ end = str.length;
+
+ var surrogatePairs = /[\uD800-\uDBFF][\uDC00-\uDFFF]/g;
+ while ((surrogatePairs.exec(str)) != null) {
+ var li = surrogatePairs.lastIndex;
+ if (li - 2 < idx) {
+ idx++;
+ }
+ else {
+ break;
+ }
+ }
+
+ if (idx >= end || idx < 0) {
+ return NaN;
+ }
+
+ code = str.charCodeAt(idx);
+
+ var hi, low;
+ if (0xD800 <= code && code <= 0xDBFF) {
+ hi = code;
+ low = str.charCodeAt(idx+1);
+ // Go one further, since one of the "characters" is part of a surrogate pair
+ return ((hi - 0xD800) * 0x400) + (low - 0xDC00) + 0x10000;
+ }
+ return code;
+ }
+ };
+})();
+// @license-end
+
diff --git a/app/assets/javascripts/app/helpers/handlebars-helpers.js b/app/assets/javascripts/app/helpers/handlebars-helpers.js
index a289b5a64..c428bfdd7 100644
--- a/app/assets/javascripts/app/helpers/handlebars-helpers.js
+++ b/app/assets/javascripts/app/helpers/handlebars-helpers.js
@@ -1,26 +1,67 @@
+// @license magnet:?xt=urn:btih:0b31508aeb0634b347b8270c7bee4d411b5d4109&dn=agpl-3.0.txt AGPL-v3-or-Later
+
Handlebars.registerHelper('t', function(scope, values) {
- return Diaspora.I18n.t(scope, values.hash)
+ return Diaspora.I18n.t(scope, values.hash);
+});
+
+Handlebars.registerHelper('txtDirClass', function(str) {
+ return app.helpers.txtDirection.classFor(str);
});
Handlebars.registerHelper('imageUrl', function(path){
- return app.baseImageUrl() + path;
+ return ImagePaths.get(path);
});
-Handlebars.registerHelper('linkToPerson', function(context, block) {
+Handlebars.registerHelper('urlTo', function(path_helper, id, data){
+ if( !data ) {
+ // only one argument given to helper, mangle parameters
+ data = id;
+ return Routes[path_helper+'_path'](data.hash);
+ }
+ return Routes[path_helper+'_path'](id, data.hash);
+});
+
+Handlebars.registerHelper('linkToAuthor', function(context, block) {
+ if( !context ) context = this;
var html = "";
html += block.fn(context);
html += "";
- return html
+ return html;
+});
+
+Handlebars.registerHelper('linkToPerson', function(context, block) {
+ if( !context ) context = this;
+ var html = "";
+ html += block.fn(context);
+ html += "";
+
+ return html;
+});
+
+// relationship indicator for profile page
+Handlebars.registerHelper('sharingMessage', function(person) {
+ var i18n_scope = 'people.helper.is_not_sharing';
+ var icon = "circle";
+ if( person.is_sharing ) {
+ i18n_scope = 'people.helper.is_sharing';
+ icon = "entypo check";
+ }
+
+ var title = Diaspora.I18n.t(i18n_scope, {name: person.name});
+ var html = '';
+ return html;
});
// allow hovercards for users that are not the current user.
// returns the html class name used to trigger hovercards.
Handlebars.registerHelper('hovercardable', function(person) {
- if( app.currentUser.get('guid') != person.guid ) {
+ if( app.currentUser.get('guid') !== person.guid ) {
return 'hovercardable';
}
return '';
@@ -29,18 +70,65 @@ Handlebars.registerHelper('hovercardable', function(person) {
Handlebars.registerHelper('personImage', function(person, size, imageClass) {
/* we return here if person.avatar is blank, because this happens when a
* user is unauthenticated. we don't know why this happens... */
- if( _.isUndefined(person.avatar) ) { return }
+ if( !person.avatar &&
+ !(person.profile && person.profile.avatar) ) return;
+ var avatar = person.avatar || person.profile.avatar;
+ var name = ( person.name ) ? person.name : 'avatar';
size = ( !_.isString(size) ) ? "small" : size;
imageClass = ( !_.isString(imageClass) ) ? size : imageClass;
- return _.template('', {
- 'src': person.avatar[size],
+ return _.template('
')({
+ 'src': avatar[size],
'img_class': imageClass,
- 'title': _.escape(person.name)
+ 'title': _.escape(name)
});
});
Handlebars.registerHelper('localTime', function(timestamp) {
return new Date(timestamp).toLocaleString();
-});
\ No newline at end of file
+});
+
+Handlebars.registerHelper('fmtTags', function(tags) {
+ var links = _.map(tags, function(tag) {
+ return '' +
+ ' #' + tag +
+ '';
+ }).join(' ');
+ return new Handlebars.SafeString(links);
+});
+
+Handlebars.registerHelper('fmtText', function(text) {
+ return new Handlebars.SafeString(app.helpers.textFormatter(text));
+});
+
+Handlebars.registerHelper('isCurrentPage', function(path_helper, id, options){
+ var currentPage = "/"+Backbone.history.fragment;
+ if (currentPage === Handlebars.helpers.urlTo(path_helper, id, options.data)) {
+ return options.fn(this);
+ } else {
+ return options.inverse(this);
+ }
+});
+
+Handlebars.registerHelper('isCurrentProfilePage', function(id, diaspora_handle, options){
+ var username = diaspora_handle.split("@")[0];
+ return Handlebars.helpers.isCurrentPage('person', id, options) ||
+ Handlebars.helpers.isCurrentPage('user_profile', username, options);
+});
+
+Handlebars.registerHelper('aspectMembershipIndicator', function(contact,in_aspect) {
+ if(!app.aspect || !app.aspect.get('id')) return '
+ {{name}} + {{diaspora_id}} + {{#if show_profile_btns}} + {{{sharingMessage this}}} + {{/if}} +
+ + {{#if loggedIn}} + {{#if has_tags}} ++-
+
+
+ {{t 'profile.posts'}}
+
+
+ {{#if show_photos}}
+ -
+
+
+ {{t 'profile.photos'}}
+
{{photos.count}}
+
+
+ {{/if}}
+ {{#if show_contacts}}
+ -
+ {{#if is_own_profile}}
+
+
+ {{t 'profile.contacts'}}
+
{{contacts.count}}
+
+ {{else}}
+
+
+ {{t 'profile.contacts'}}
+ {{contacts.count}}
+
+ {{/if}}
+
+ {{/if}}
+
+ {{#with profile}} + {{#if bio}} +-
+
{{fmtText bio}}
+
+ {{/if}}
+ {{#if location}}
+ -
+
{{fmtText location}}
+
+ {{/if}}
+ {{#if gender}}
+ -
+
+ {{/if}}
+ {{#if birthday}}
+ -
+
+ {{/if}}
+ {{/with}}
+
+{{/if}} diff --git a/app/assets/templates/reshare_tpl.jst.hbs b/app/assets/templates/reshare_tpl.jst.hbs index ef7b821f2..a1a661658 100644 --- a/app/assets/templates/reshare_tpl.jst.hbs +++ b/app/assets/templates/reshare_tpl.jst.hbs @@ -6,14 +6,16 @@ {{#with root}} -{{t 'profile.bio'}}
+{{t 'profile.location'}}
+{{t 'profile.gender'}}
+ {{gender}} +{{t 'profile.born'}}
+ {{birthday}} +- - {{t "pod_name"}} - -
-#{cache.description}
" + + "#{truncate(cache.description, length: 250, separator: ' ')}
" + "- <%= t('.hey_make').html_safe %> -
- -- <%= t('.diaspora') %> -
- -- <%= t('.sign_up') %> -
- - <%= form_for(resource, :url => registration_path(resource_name), :html => {:class => "form-horizontal block-form", :autocomplete => "off"}) do |f| %> - - <% if AppConfig.settings.terms.enable? %> -GRIT
UN DRA BENNAK." join_the_movement: "Kemerit perzh !" password: "GER-TREMEN" password_confirmation: "KADARNAAT AR GER-TREMEN" @@ -604,17 +662,27 @@ br: requests: create: sending: "O kas" + sent: "Goulennet ho peus rannan traoù gant %{name}. Gwelet a raio-se ar wech o tont ma kennasko da diaspora*." destroy: + error: "Diuzit ur strollad mar plij !" + ignore: "Chom hep ober van eus ar goulenn darempred" success: "Mignoned oc'h bremañ." helper: new_requests: one: "Reked nevez !" other: "%{count} reked nevez !" zero: "Reked nevez ebet" + manage_aspect_contacts: + existing: "Darempredoù a zo diouto" + manage_within: "Merañ an darempredoù e" new_request_to_person: sent: "kaset !" reshares: + comment_email_subject: "Adrannadenn %{resharer} eus embannadenn %{author}" + create: + failure: "Ur gudenn a zo bet en ur adrannañ an embannadenn." reshare: + deleted: "Embannadenn orin diverket gant an aozer." reshare: one: "1 Adrannadenn" other: "%{count} Adrannadenn" @@ -625,25 +693,47 @@ br: show_original: "Diskouez ar stumm orin" search: "Klask" services: + create: + already_authorized: "Un implijer gant an id diaspora %{diaspora_id} en deus aotreet ar c'hont %{service_name} dija." + failure: "C'hwitet war ar c'hennask" + success: "Kennasket gant berzh" + destroy: + success: "Diverket ar c'hennask gant berzh." + failure: + error: "Ur gudenn a zo bet en ur c'hennaskan ar servij" + finder: + fetching_contacts: "diaspora* a zo o poblekat ho mignoned %{service}, deuit en-dro en un nebeud munutennoù mar plij" + no_friends: "Mignoned Facebook ebet kavet" + service_friends: "Mignoned %{service}" index: connect_to_facebook: "Kevreañ ouzh Facebook" connect_to_tumblr: "Kevreañ ouzh Tumblr" connect_to_twitter: "Kevreañ ouzh Twitter" connect_to_wordpress: "Kevreañ ouzh Wordpress" disconnect: "digevreañ" + edit_services: "Kemmañ ar servijoù" logged_in_as: "kevreet evel" + no_services: "N'ho peus kennasket servij ebet evit ar mare" really_disconnect: "digevreañ diouzh %{service} ?" inviter: click_link_to_accept_invitation: "Klikañ war al liamm-mañ evit asantiñ d'ar bedadenn" + join_me_on_diaspora: "Deus ganin war diaspora*" remote_friend: invite: "kouviañ" + not_on_diaspora: "N'eo ket c'hoazh war diaspora*" resend: "adkas" settings: "Arventennoù" + share_visibilites: + update: + post_hidden_and_muted: "Embannadenn %{name} az o bet kuzhet, hag ar c'hemennoù a zo bet mutet." + see_it_on_their_profile: "M'ho 'peus c'hoant gwelet hizivadennoù war ar bajenn-mañ, kit da weladenniñ profil %{name}" shared: add_contact: add_new_contact: "Ouzhpennañ un darempred nevez" create_request: "Kavout dre kod anaout Diaspora" diaspora_handle: "diaspora@handle.org" + enter_a_diaspora_username: "Enlakait ul lesanv diaspora*:" + know_email: "Anavezout a rit o chomlec'h postel ? Ret vefe deoc'h pedin anezhe" your_diaspora_username_is: "Setu hoc'h anv-implijer war Diaspora: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Ouzhpennañ an darempred" @@ -658,20 +748,34 @@ br: your_aspects: "ho strolladoù" invitations: by_email: "Dre bostel" + dont_have_now: "N'ho 'peus hini ebet er mare-mañ, met bez ez eus muioc'h a bedadennoù o tont !" from_facebook: "Diwar Facebook" invitations_left: "(%{count} a chom deoc'h)" invite_someone: "Pediñ unan bennak" invite_your_friends: "Pediñ mignoned" invites: "Pedadennoù" + invites_closed: "Ar pedadennoù a zo prenet evit ar mare war ar pod diaspora*-mañ" + notification: + new: "%{type} nevez a-berzh %{from}" public_explain: + atom_feed: "Gwazh atom" + control_your_audience: "Mestroniit ho heklev" + logged_in: "kennasket da %{service}" + manage: "Merañ ar servijoù kennasket" + new_user_welcome_message: "Implijit #hashtags evit rummadiñ ho embannadennoù ha kavout tud a rann ho dedennoù. Galvit tud dreist gant @Mentions" + outside: "Ar c'hemennadennoù foran a vo gwelet gant tud e diavaez diaspora*." share: "Rannañ" title: "Arventenniñ ar servijoù kevreet" + visibility_dropdown: "Implijit ar roll disachañ evit kemmañ gwelusted ho embannadenn. (Aliañ a reomp deoc'h da lakaat an hini kentañ-mañ foran.)" publisher: all: "an holl" all_contacts: "an holl zarempredoù" + discard_post: "Nullan an embannadenn" make_public: "diskouez d'an holl" new_user_prefill: + hello: "Demat d'an holl, me zo %{new_user_tag}. " i_like: "Dedennet on gant %{tags}. " + invited_by: "Trug' evit ar bedadenn, " newhere: "NevezAmañ" poll: add_a_poll: "Ouzhpennañ ur votadeg" @@ -682,20 +786,27 @@ br: post_a_message_to: "Skrivañ ur gemennadenn da %{aspect}" posting: "Oc'h embann..." preview: "Rakwel" + publishing_to: "embann da : " remove_location: "Lemel kuit al lec'hiadur" share: "Kenrannañ" share_with: "rannañ gant" + upload_photos: "Pellgargañ skeudennoù" whats_on_your_mind: "E petra emaoc'h o soñjal ?" reshare: reshare: "Rannañ pelloc'h" stream_element: + connect_to_comment: "Kennaskit gant an implijer-mañ evit lakaat evezhiadennoù war e embannadennoù" + currently_unavailable: "n'eus ket tu lakaat evezhiadennoù evit ar mare" dislike: "Displijus" hide_and_mute: "Kuzhat ha lakaat da devel" like: "Plijus" + nsfw: "An embannadenn-mañ a zo bet merket NSFW gant e aozer. %{link}" shared_with: "Rannet gant: %{aspect_names}" show: "diskouez" unlike: "Displijus" via: "dre %{link}" + via_mobile: "dre pellgomzer" + viewable_to_anyone: "An embannadenn-mañ a c'hell bezañ gwelet gant an holl dud war ar web" simple_captcha: label: "Merkañ ar c'hod er voest:" message: @@ -704,12 +815,15 @@ br: user: "Disheñvel e oa ar skeudenn guzh diouzh ar c'hod" placeholder: "Merkañ talvoud ar skeudenn" status_messages: + create: + success: "Meneget gant berzh : %{names}" + destroy: + failure: "C'hwitet en ur diverkañ an embannadenn" helper: no_message_to_display: "Kemennadenn ebet da ziskouez." - too_long: - one: "Lezit ho kemennadennoù statud dindan %{count}" - other: "Lezit ho kemennadennoù statud dindan %{count}" - zero: "Lezit ho kemennadennoù statud dindan %{count}" + new: + mentioning: "Menegiñ : %{person}" + too_long: "{\"one\"=>\"Lezit ho kemennadennoù statud dindan %{count}\", \"other\"=>\"Lezit ho kemennadennoù statud dindan %{count}\", \"zero\"=>\"Lezit ho kemennadennoù statud dindan %{count}\"}" stream_helper: hide_comments: "Kuzhat an holl evezhiadennoù" show_comments: @@ -717,24 +831,41 @@ br: other: "Diskouez %{count} evezhiadenn ouzhpenn" zero: "evezhiadenn all ebet" streams: + activity: + title: "Ma obererezh" aspects: title: "Ma strolladoù" aspects_stream: "Strolladoù" + comment_stream: + contacts_title: "Tud lakaet evezhiadennoù war o embannadennoù" + title: "Embannadennoù lakaet evezhiadennoù warno" + community_spotlight_stream: "Nevezenti ar rouedad" followed_tag: add_a_tag: "Ouzhpennañ un dikedenn" + contacts_title: "Tud a gav bourrus an tagoù-se" follow: "Heuliañ" title: "#Tikedennoù heuliet" + followed_tags_stream: "#Tagoù heuliet" + like_stream: + contacts_title: "Tud gant embannadennoù a blij deoc'h" + title: "Red plijus" mentioned_stream: "@Menegoù" mentions: contacts_title: "Tud oc'h bet meneget ganto" title: "@Menegoù" multi: + contacts_title: "Tud en ho red darvoudoù" title: "Red keleier" + public: + contacts_title: "Embannerien nevez" + title: "Obererezh Foran" tags: contacts_title: "Tud o deus klasket an dikedenn-mañ" + title: "Embannadennoù merket : %{tags}" tag_followings: create: failure: "C'hwitet eo bet heuliañ: #%{name}... Heuliañ a rit anezhañ c'hoazh ?" + none: "N'eus ket tu deoc'h heuliañ un tag goulo !" success: "Brav, emaoc'h oc'h heuliañ: #%{name}" destroy: failure: "C'hwitet eo bet paouez da heuliañ: #%{name}. Ha n'ho poa ket paouezet d'e heuliañ c'hoazh ?" @@ -742,13 +873,9 @@ br: tags: show: follow: "Heuliañ #%{tag}" - followed_by_people: - one: "heuliet gant un den" - other: "heuliet gant %{count} den" - zero: "heuliet gant den" - nobody_talking: "N'eus den o kaozeal diwar-benn %{tag} c'hoazh." - people_tagged_with: "Tud bet merket gant %{tag}" - posts_tagged_with: "Skridoù bet merket gant #%{tag}" + following: "Oc'h heuliañ #%{tag}" + none: "An tag goulo n'eus ket dioutañ !" + stop_following: "Paouez da heuliañ #%{tag}" terms_and_conditions: "Termenoù ha diferadoù" undo: "Dizober ?" username: "Anv-implijer" @@ -756,7 +883,13 @@ br: confirm_email: email_confirmed: "Postel %{email} gweredekaet" email_not_confirmed: "N'eus ket bet gallet gweredekaat ar chomlec'h. Liamm a-dreuz ?" + destroy: + no_password: "Enlakait ho ger-kuzh evit prennañ ho kont, mar plij ganeoc'h." + success: "Prennet eo bet ho kont. Gellout 'ra kemer un 20 munutenn bennak evit echuiñ ar c'hlozadur. Trugarez deoc'h evit bezañ bet klasket diaspora*." + wrong_password: "Ar ger-kuzh bet enlakaet n'eo ket an hini ho 'peus bremañ." edit: + also_commented: "unan bennak a lak evezhiadennoù war un embannadenn lec'h m'ho peus lakaet un evezhiadenn" + auto_follow_aspect: "Strollad evit an darempredoù ouzhpennet ez emgefreek" auto_follow_back: "Rannañ ent emgefre gant an implijerien a grog da rannañ traoù ganeoc'h." change: "Cheñch" change_email: "Cheñch postel" @@ -764,18 +897,42 @@ br: change_password: "Cheñch ger-tremen" character_minimum_expl: "a rank bezañ ennañ c'hwec'h arouezenn da vihanañ" close_account: + dont_go: "Hep, n'it ket kuit mar plij !" + if_you_want_this: "M'ho 'peus c'hoant e c'hoarvezfe da vat, enlakait ho ger-kuzh dindan ha klikit war \"Prenañ ar gont\"" + lock_username: "Ho anv implijer a vo stanket. Ne vo ket tu deoc'h krouiñ ur gont nevez war ar pod-mañ gant an hevelep anv." + locked_out: "Digennasket ha stanket e vo ho gont betek ma vo diverket" + make_diaspora_better: "C'hoant hon eus diadpora* da vezañ gwelloc'h, neuze vefe ret deoc'h sikour ac'hanomp e plas mont kuit. M'ho 'peus c'hoant mont kuit, c'hoant hon eus ouifec'h petra c'hoarvezo goude" + mr_wiggles: "Aotrou Wiggles a vo trist gwelet ac'hanoc'h o vont kuit" + no_turning_back: "N'eus ket tu nullañ ! Ma 'z oc'h sur da vat, enlakait ho ger-kuzh dindan." what_we_delete: "Diverket e vo hoc'h embannadennoù hag ho roadennoù profil ken buan ha ma vo posupl en ober. Kavet e vo c'hoazh hoc'h evezhiadennoù strewet amañ hag ahont met stag e vint hiviziken ouzh ho kod anaout Diaspora ha n'eo ket mui ouzh hoc'h anv." close_account_text: "Klozañ ar gont" + comment_on_post: "unan bennak n'eus lakaet un evezhadenn war ho embannadenn" current_password: "Ho ker-tremen" + current_password_expl: "an hini a zo implijet ganeoc'h evit kennaskañ" download_photos: "pellgargañ ma skeudennoù" - download_xml: "pellgargañ ma xml" edit_account: "Kemmañ ar gont" email_awaiting_confirmation: "Kaset ez eus bet deoc'h ul liamm gweredekaat %{unconfirmed_email}. E-keit ha na vo ket heuliet al liamm-se ha gweredekaet ar chomlec'h nevez ganeoc'h e kendalc'himp da ober gant ho chomlec'h kozh %{email}." + export_data: "Ezporzhiañ roadennoù" + following: "Arventennoù ar rannadennoù" + getting_started: "Arventennoù an implijerien nevez" + liked: "unan bennak a zo plijet gant o embannadenn" + mentioned: "meneget oc'h en un embannadenn" new_password: "Ger-tremen nevez" + private_message: "resevet ho peus ur gemennadenn prevez" + receive_email_notifications: "Resevout kemennoù postel pa" + reshared: "unan bennak a adrann ho embannadenn" + started_sharing: "unan bennak a grog da rannañ traoù ganeoc'h" + stream_preferences: "Dibarzhioù ar gwazh" your_email: "Ho postel" your_handle: "Ho kod anaout diaspora" getting_started: + awesome_take_me_to_diaspora: "Dispar ! Kas ac'hanon betek diaspora*" + community_welcome: "kumuniezh diaspora* a zo laouen da zegemer ac'hanoc'h !" + hashtag_explanation: "Gant an hashtags ez eus tu deoc'h eskemm hag heuliañ ar pezh a zedenn ac'hanoc'h. Un doare dreist da gavout tud nevez war diaspora* eo ivez." + hashtag_suggestions: "Klaskit heuliañ klavioù evel #arz, #filmoù, #gif, h.a." saved: "Enrollet !" + well_hello_there: "Hey, demat deoc'h !" + what_are_you_in_to: "Petra blij deoc'h ?" who_are_you: "Piv oc'h-c'hwi ?" privacy_settings: title: "Arventennoù prevezded" @@ -793,6 +950,12 @@ br: settings_updated: "Nevesaet an arventennoù" unconfirmed_email_changed: "Cheñchet eo ar chomlec'h postel. Rekis eo gweredekaat." unconfirmed_email_not_changed: "C'hwitet eo bet ar cheñchamant chomlec'h postel" + webfinger: + fetch_failed: "N'eus ket bet tu resevout ar profil webfinger evit %{profile_url}" + hcard_fetch_failed: "Ur gudenn a zo bet en ur resevout an hcard evit %{account}" + no_person_constructed: "N'eus ket bet tu da sevel un den adalek an hcard-mañ" + not_enabled: "war a-seblant n'eo ket gweredekaet webfinger evit ostiz %{account}" + xrd_fetch_failed: "Ur gudenn a zo bet en ur resevout an xrd evir ar gont %{account}" welcome: "Donemat deoc'h !" will_paginate: next_label: "war-lerc'h «" diff --git a/config/locales/diaspora/bs.yml b/config/locales/diaspora/bs.yml index 1a206fecd..7f97cf356 100644 --- a/config/locales/diaspora/bs.yml +++ b/config/locales/diaspora/bs.yml @@ -96,7 +96,8 @@ bs: one: "%{count} korisnik pronađen" other: "%{count} korisnika pronađeno" zero: "%{count} korisnika pronađeno" - you_currently: "trenutno imate %{user_invitation} pozivnice preostale %{link}" + you_currently: + other: "trenutno imate %{user_invitation} pozivnice preostale %{link}" weekly_user_stats: amount_of: few: "količina novih korisnika ove sedmice: %{count}" @@ -123,8 +124,6 @@ bs: add_to_aspect: failure: "Neuspješno dodavanje kontakta u aspekt." success: "Uspješno dodavanje kontakta u aspekt." - aspect_contacts: - done_editing: "gotovo uređivanje" aspect_listings: add_an_aspect: "+ Dodaj jedan aspekt" deselect_all: "Odznači sve" @@ -143,21 +142,14 @@ bs: failure: "%{name} nije prazno i ne može biti uklonjeno." success: "%{name} je uspješno uklonjeno." edit: - add_existing: "Dodaj jedan postojeći kontakt" aspect_list_is_not_visible: "lista aspekata je sakrivena od drugih u aspektu" aspect_list_is_visible: "lista aspekata je vidljiva od drugih u aspektu" confirm_remove_aspect: "Jeste li sigurni da želite izbrisati ovaj aspekt?" - done: "Gotovo" make_aspect_list_visible: "učini kontakte u ovom aspektu vidljive jedan drugome?" remove_aspect: "Izbriši ovaj aspekt" rename: "preimenuj" update: "ažuriraj" updating: "ažuriram" - few: "%{count} aspekata" - helper: - are_you_sure: "Jeste li sigurni da želite izbrisati ovaj aspekt?" - aspect_not_empty: "Aspekti nisu prazni" - remove: "ukloni" index: diaspora_id: content_1: "Vaš Diaspora ID je:" @@ -198,11 +190,6 @@ bs: heading: "Servisi Povezivanja" unfollow_tag: "Prestani slijediti #%{tag}" welcome_to_diaspora: "Dobrodošli na Diasporu, %{name}!" - many: "%{count} aspekata" - move_contact: - error: "Greška pomjeranja kontakta: %{inspect}" - failure: "nije uspjelo %{inspect}" - success: "Osoba pomjerena u novi aspekt" new: create: "Kreiraj" name: "Ime (vidljivo samo vama)" @@ -220,14 +207,6 @@ bs: family: "Porodica" friends: "Prijatelji" work: "Posao" - selected_contacts: - manage_your_aspects: "Upravljaj svoje aspekte." - no_contacts: "Još uvijek nemate nikakvih kontakata." - view_all_community_spotlight: "Pogledaj sve što je u centru pažnje" - view_all_contacts: "Pogledaj sve kontakte" - show: - edit_aspect: "uredi aspekt" - two: "%{count} aspekta" update: failure: "Vaš aspekt, %{name}, ima predugo ime da bi se snimilo." success: "Vaš aspekt, %{name}, je uspješno uređen." @@ -247,36 +226,27 @@ bs: post_success: "Objavljeno! Zatvaram!" cancel: "Otkaži" comments: - few: "%{count} komentara" - many: "%{count} komentara" new_comment: comment: "Komentar" commenting: "Komentarišem..." one: "1 komentar" other: "%{count} komentari" - two: "%{count} komentara" zero: "nema komentara" contacts: create: failure: "Neuspješno kreiranje kontakta" - few: "%{count} kontakata" index: add_a_new_aspect: "Dodaj novi aspekt" add_to_aspect: "dodaj kontakte za %{name}" - add_to_aspect_link: "dodaj kontakte za %{name}" all_contacts: "Svi Kontakti" community_spotlight: "U Centru Pažnje" - many_people_are_you_sure: "Jeste li sigurni da želite pokrenuti privatni razgovor sa više od %{suggested_limit} kontakata? Objavljivanje na ovaj aspekt je možda bolji način da ih kontaktirate." my_contacts: "Moji Kontakti" no_contacts: "Izgleda kao morate dodati neke kontakte!" no_contacts_message: "Probajte %{community_spotlight}" - no_contacts_message_with_aspect: "Probajte %{community_spotlight} ili %{add_to_aspect_link}" only_sharing_with_me: "Samo dijele sa mnom" - remove_person_from_aspect: "Ukloni %{person_name} iz \"%{aspect_name}\"" start_a_conversation: "Započni razgovor" title: "Kontakti" your_contacts: "Vaši Kontakti" - many: "%{count} kontakata" one: "1 kontakt" other: "%{count} kontakti" sharing: @@ -284,7 +254,6 @@ bs: spotlight: community_spotlight: "U Centru Pažnje" suggest_member: "Preporuči člana" - two: "%{count} kontakta" zero: "kontakti" conversations: conversation: @@ -293,8 +262,6 @@ bs: fail: "Nevažeća poruka" no_contact: "Hej, morate prvo dodati kontakt!" sent: "Poruka poslata" - destroy: - success: "Razgovor uspješno uklonjen" helper: new_messages: few: "%{count} novih poruka" @@ -617,7 +584,6 @@ bs: add_contact_from_tag: "dodaj kontakt sa oznake" aspect_list: edit_membership: "uredi članstvo aspekta" - few: "%{count} ljudi" helper: is_not_sharing: "%{name} ne dijeli s vama" is_sharing: "%{name} dijeli s vama" @@ -628,7 +594,6 @@ bs: no_results: "Hej! Trebate tražiti nešto." results_for: "rezultati pretrage za" searching: "pretraživanje, molimo budite strpljivi" - many: "%{count} ljudi" one: "1 osoba" other: "%{count} ljudi" person: @@ -665,7 +630,6 @@ bs: add_some: "dodajte neke" edit: "uredi" you_have_no_tags: "nemate oznaka!" - two: "%{count} ljudi" webfinger: fail: "Izvinite, nisamo mogli pronaći %{handle}." zero: "nema ljudi" @@ -761,15 +725,12 @@ bs: update: "Ažuriraj" invalid_invite: "Veza pozivnice koji ste obezbijedili više nije važeća!" new: - continue: "Nastavi" create_my_account: "Kreiraj moj račun!" - diaspora: "<3 diaspora*" email: "EMAIL" enter_email: "Unesite email" enter_password: "Unesite šifru (šest karaktera minimalno)" enter_password_again: "Unesite istu šifru kao i maloprije" enter_username: "Izaberite korisničko ime (samo slova, brojevi i podcrte)" - hey_make: "HEJ,
UČINI
NEŠTO." join_the_movement: "Pridružite se pokretu!" password: "ŠIFRA" password_confirmation: "POTVRDA ŠIFRE" @@ -937,12 +898,7 @@ bs: no_message_to_display: "Nema poruka za prikaz." new: mentioning: "Spominje %{person}" - too_long: - few: "molimo da vaše poruke statusa sadrže manje nego %{count} karaktera" - many: "molimo da vaše poruke statusa sadrže manje nego %{count} karaktera" - one: "molimo da vaše poruke statusa sadrže manje nego %{count} karakter" - other: "molimo da vaše poruke statusa sadrže manje nego %{count} karaktera" - zero: "molimo da vaše poruke statusa sadrže manje nego %{count} karaktera" + too_long: "{\"few\"=>\"molimo da vaše poruke statusa sadrže manje nego %{count} karaktera\", \"many\"=>\"molimo da vaše poruke statusa sadrže manje nego %{count} karaktera\", \"one\"=>\"molimo da vaše poruke statusa sadrže manje nego %{count} karakter\", \"other\"=>\"molimo da vaše poruke statusa sadrže manje nego %{count} karaktera\", \"zero\"=>\"molimo da vaše poruke statusa sadrže manje nego %{count} karaktera\"}" stream_helper: hide_comments: "Sakrij sve komentare" show_comments: @@ -982,7 +938,6 @@ bs: title: "Javna Aktivnost" tags: contacts_title: "Ljudi kojima se ova oznaka sviđa" - tag_prefill_text: "Stvar oko %{tag_name} je... " title: "Objave označene: %{tags}" tag_followings: create: @@ -996,10 +951,7 @@ bs: show: follow: "Prati #%{tag}" following: "Pratim #%{tag}" - nobody_talking: "Niko još ne razgovara o %{tag}" none: "Prazna oznaka ne postoji!" - people_tagged_with: "Ljudi označeni sa %{tag}" - posts_tagged_with: "Objave označene sa #%{tag}" stop_following: "Zaustavi Praćenje #%{tag}" terms_and_conditions: "Uvjeti i Stanja" undo: "Poništi?" @@ -1035,7 +987,6 @@ bs: current_password: "Trenutna šifra" current_password_expl: "ona s kojom se prijavljujete..." download_photos: "preuzmi moje fotografije" - download_xml: "preuzmi moj xml" edit_account: "Uredi račun" email_awaiting_confirmation: "Poslali smo aktivacijsku vezu na %{unconfirmed_email}. Dok ne budete pratili ovu objavu i aktivirali novu adresu, nastavit ćemo koristiti vašu originalnu adresu %{email}." export_data: "Izvezi Podatke" @@ -1044,7 +995,6 @@ bs: liked: "...se nekome sviđa vaša objava?" mentioned: "...vas neko spomene u objavi?" new_password: "Nova šifra" - photo_export_unavailable: "Izvoz fotografija trenutno nedostupan." private_message: "...primite privatnu poruku?" receive_email_notifications: "Primite email obavijesti kada..." reshared: "...neko ponovo dijeli vašu objavu?" diff --git a/config/locales/diaspora/cs.yml b/config/locales/diaspora/cs.yml index b55d3764f..aa43a90aa 100644 --- a/config/locales/diaspora/cs.yml +++ b/config/locales/diaspora/cs.yml @@ -12,6 +12,8 @@ cs: _home: "Domů" _photos: "fotky" _services: "Služby" + _statistics: "Statistiky" + _terms: "pojmy" account: "Účet" activerecord: errors: @@ -24,6 +26,14 @@ cs: attributes: diaspora_handle: taken: "je již obsazen." + poll: + attributes: + poll_answers: + not_enough_poll_answers: "Anketa nemá dostatek možností na výběr." + poll_participation: + attributes: + poll: + already_participated: "Této ankety jste se již účastnil." request: attributes: from_id: @@ -46,6 +56,7 @@ cs: correlations: "Korelace" pages: "Stránky" pod_stats: "Statistiky podu" + report: "Nahlášení" sidekiq_monitor: "Monitor Sidekiq" user_search: "Hledat uživatele" weekly_user_stats: "Týdenní uživatelské statistiky" @@ -61,7 +72,7 @@ cs: zero: "žádný komentář" current_segment: "Současný segment má v průměru %{post_yest} příspěvků na uživatele, od %{post_day}" daily: "Denní" - display_results: "Zobrazují se výsedky z segmentu %{segment}" + display_results: "Zobrazují se výsledky ze segmentu %{segment}" go: "přejít" month: "Měsíční" posts: @@ -82,8 +93,28 @@ cs: other: "%{count} uživatelů" zero: "žádný uživatel" week: "Týdenní" + user_entry: + account_closed: "účet zrušen" + diaspora_handle: "Diaspora ID" + email: "E-mail" + guid: "GUID" + id: "ID" + last_seen: "Naposledy navštíveno" + ? "no" + : ne + nsfw: "#nsfw" + unknown: "neznámé" + ? "yes" + : ano user_search: + account_closing_scheduled: "Účet uživatele %{name} bude uzavřen. Prosím, vyčkejte." + account_locking_scheduled: "Účet uživatele %{name} bude uzamknut. Prosím, vyčkejte." + account_unlocking_scheduled: "Účet uživatele %{name} bude odemknut. Prosím, vyčkejte." add_invites: "přidat pozvánky" + are_you_sure: "Jste si jist/á, že tento účet chcete zrušit ?" + are_you_sure_lock_account: "Určitě chcete uzamknout tento účet ?" + are_you_sure_unlock_account: "Určitě chcete odemknout teto účet ?" + close_account: "zrušit účet" email_to: "E-mailová adresa, kterou chcete pozvat" under_13: "Zobrazit uživatele mladší 13 let (COPPA)" users: @@ -91,6 +122,7 @@ cs: one: "Nalezen jeden uživatel" other: "Nalezeno %{count} uživatelů" zero: "Žádný uživatel nenalezen" + view_profile: "prohlédnout si profil" you_currently: few: "zbývají vám %{count} pozvánky %{link}" one: "zbývá vám jediná pozvánka %{link}" @@ -121,8 +153,6 @@ cs: add_to_aspect: failure: "Přidání kontaktu do aspektu selhalo." success: "Kontakt byl úspěšně přidán do aspektu." - aspect_contacts: - done_editing: "ukončit úpravy" aspect_listings: add_an_aspect: "+ Přidat aspekt" deselect_all: "Zrušit výběr" @@ -141,28 +171,25 @@ cs: failure: "%{name} není prázdný a nemůže být odstraněn." success: "%{name} byl úspěšně odebrán." edit: - add_existing: "Přidat existující kontakt" + aspect_chat_is_enabled: "Kontakty v tomto aspektu s Vámi mohou chatovat." + aspect_chat_is_not_enabled: "Kontakty v tomto aspektu s Vámi nemohou chatovat." aspect_list_is_not_visible: "seznam kontaktů je skryt ostatním v aspektu" aspect_list_is_visible: "seznam kontaktů je viditelný pro ostatní v aspektu" confirm_remove_aspect: "Opravdu chcete odstranit tento aspekt?" - done: "Hotovo" + grant_contacts_chat_privilege: "dát kontaktům v tomto aspektu právo chatovat ?" make_aspect_list_visible: "umožnit kontaktům v tomto aspektu se vzájemně vidět?" remove_aspect: "Odstranit tento aspekt" rename: "přejmenovat" + set_visibility: "Nastavit viditelnost" update: "aktualizovat" updating: "aktualizace" - few: "%{count} aspekty" - helper: - are_you_sure: "Opravdu chcete odstranit tento aspekt?" - aspect_not_empty: "Aspekt není prázdný" - remove: "odebrat" index: diaspora_id: content_1: "Vaše Diaspora ID je:" content_2: "Dejte to někomu a bude vás moci najít na Diaspoře." heading: "Diaspora ID" donate: "Přispějte" - handle_explanation: "Toto je vaše Diaspora ID. Podobně jako e-mailovou adresu ho můžete dál lidem a budete na něm dostupní." + handle_explanation: "Toto je vaše Diaspora ID. Podobně jako e-mailovou adresu ho můžete dát lidem a budete na něm dostupní." help: any_problem: "Nějaký problém?" contact_podmin: "Napište správci vašeho podu!" @@ -196,11 +223,6 @@ cs: heading: "Připojit služby" unfollow_tag: "Přestat odebírat #%{tag}" welcome_to_diaspora: "Vítejte na Diaspoře, %{name}!" - many: "%{count} aspektů" - move_contact: - error: "Chyba při přesunu kontaktu: %{inspect}" - failure: "%{inspect} nefunguje" - success: "Kontakt přesunut do nového aspektu" new: create: "Vytvořit" name: "Název" @@ -218,14 +240,6 @@ cs: family: "Rodina" friends: "Přátelé" work: "Práce" - selected_contacts: - manage_your_aspects: "Spravovat vaše aspekty." - no_contacts: "Nemáte zde dosud žádné kontakty." - view_all_community_spotlight: "Zobrazit všechny aktuality z komunity" - view_all_contacts: "Zobrazit všechny kontakty" - show: - edit_aspect: "upravit aspekt" - two: "%{count} aspekty" update: failure: "Váš aspekt %{name} má příliš dlouhý název na to, aby mohl být uložen." success: "Váš aspekt %{name} byl úspěšně upraven." @@ -245,36 +259,31 @@ cs: post_success: "Odesláno! Zavírám!" cancel: "Zrušit" comments: - few: "%{count} komentáře" - many: "%{count} komentářů" new_comment: comment: "komentář" commenting: "Komentování..." one: "1 komentář" other: "%{count} komentářů" - two: "%{count} komentáře" zero: "žádné komentáře" contacts: create: failure: "Nepodařilo se vytvořit kontakt" - few: "%{count} kontaktů" index: add_a_new_aspect: "Přidat nový aspekt" + add_contact: "Přidej kontakt" add_to_aspect: "Přidat kontakty do %{name}" - add_to_aspect_link: "přidat kontakty do %{name}" all_contacts: "Všechny kontakty" community_spotlight: "Aktuality z komunity" - many_people_are_you_sure: "Jste si jisti, že chcete začít soukromý rozhovor s více než %{suggested_limit} kontakty? Posílání zpráv do tohoto aspektu může být lepší způsob, jak s nimi spojit." my_contacts: "Moje kontakty" no_contacts: "Zdá se, že si potřebujete přidat nějaké kontakty." + no_contacts_in_aspect: "V tomto aspektu ještě nemáte žádné kontakty. Dále najdete seznam Vašich existujících kontaktů, které můžete do tohoto aspektu přidat." no_contacts_message: "Shlédněte %{community_spotlight}" - no_contacts_message_with_aspect: "Shlédněte %{community_spotlight} nebo %{add_to_aspect_link}" only_sharing_with_me: "Pouze sdílejí se mnou" - remove_person_from_aspect: "Odstranit %{person_name} z \"%{aspect_name}\"" + remove_contact: "Odstraň kontakt" start_a_conversation: "Zahájit konverzaci" title: "Kontakty" + user_search: "Hledat uživatele" your_contacts: "Vaše kontakty" - many: "%{count} kontaktů" one: "1 kontakt" other: "%{count} kontaktů" sharing: @@ -282,7 +291,6 @@ cs: spotlight: community_spotlight: "Aktuality z komunity" suggest_member: "Navrhněte člena" - two: "%{count} kontakty" zero: "žádné kontakty" conversations: conversation: @@ -292,7 +300,8 @@ cs: no_contact: "Hej, musíte nejdřív kontakt přidat!" sent: "Zpráva byla odeslána" destroy: - success: "Konverzace úspěšně odstraněna" + delete_success: "Konverzace byla úspěšně smazána" + hide_success: "Konverzace byla úspěšně skryta" helper: new_messages: few: "%{count} nové zprávy" @@ -302,7 +311,10 @@ cs: two: "%{count} nové zprávy" zero: "Žádné nové zprávy" index: + conversations_inbox: "Konverzace - doručené" + create_a_new_conversation: "Zahájit novou konverzaci" inbox: "Doručená pošta" + new_conversation: "Nová konverzace" no_conversation_selected: "není výbrána žádná konverzace" no_messages: "žádné zprávy" new: @@ -311,8 +323,11 @@ cs: sending: "Posílám..." subject: "předmět" to: "pro" + new_conversation: + fail: "Neplatná zpráva" show: delete: "smazat a blokovat konverzaci" + hide: "skrýt a ztlumit konverzaci" reply: "odpověď" replying: "Odpovídám…" date: @@ -351,7 +366,9 @@ cs: contacts_know_aspect_q: "Vědí mé kontakty do kterých aspektů jsem je zařadil(a)?" contacts_visible_a: "Pokud vyberete tuto možnost, tak kontakty z toho aspektu budou moci vidět, kdo jiný v aspektu je, na vašem profilu pod vaší fotkou. Je nejlepší vybrat tuto možnost jen pokud se kontakty v tom aspektu znají. Stále neuvidí název aspektu." contacts_visible_q: "Co znamená „umožnit kontaktům v tomto aspektu se vzájemně vidět“?" + delete_aspect_a: "Ve Vašem seznamu aspektů na levé straně hlavní stránky najeďte myší na aspekt, který chcete smazat. Klikněte na malou tužku, která se objeví napravo. V rámečku, který se objeví, zvolte Smazat." delete_aspect_q: "Jak lze smazat aspekt?" + person_multiple_aspects_a: "Ano. Jděte do své stránky kontaktů a kliněte na Moje kontakty. Každý z kontaktů můžete přidat či odebrat pomocí menu na pravé straně do tolika aspektů, kolik chcete. Nebo můžete kontakt přidat či odebrat z aspektu kliknutím na tlačítko na jejich profilové stránce. Nebo můžete dokonce jen najet myší na jméno kontaktu, když jej vidíte v proudu, a změnit aspekty přímo v okénku, které se objeví." person_multiple_aspects_q: "Mohu přidat osobu do několika aspektů?" post_multiple_aspects_a: "Ano. Když vytváříte příspěvek, použijte tlačítko na výběr aspektů pro vybrání nebo odebrání aspektů. Váš příspěvek bude viditelný všem aspektům, které vyberete. Mohli byste také vybrat aspekty, do kterých chcete odeslat v postranní liště. Když přispíváte, aspekt(y), které jste vybral(a) z levého seznamu budou automaticky vybrány pod tlačítkem na výběr aspektů, když začnete vytvářet nový příspěvek." post_multiple_aspects_q: "Mohu odesílat obsah několika aspektům najednou?" @@ -366,8 +383,17 @@ cs: what_is_an_aspect_q: "Co je to aspekt?" who_sees_post_a: "Pokud vytvoříte omezený příspěvek, bude viditelný jen lidem, které máte v tomto aspektu (nebo aspektech, pokud je určen několika aspektům). Vaše kontakty, které nejsou v tomto aspektu, příspěvek neuvidí, pokud jste ho neudělal(a) veřejným. Vždy jen veřejné příspěvky budou viditelné těm, které jste nezařadil(a) do vašich aspektů." who_sees_post_q: "Když posílám do určitého aspektu, kdo to vidí?" + chat: + add_contact_roster_a: |- + V první řadě musíte povolit chat s jedním z aspektů, kterého je daný uživatel členem. Za tímto účelem půjdete do %{contacts_page}, vyberete aspekt a kliknete na ikonku chatu. + %{toggle_privilege} Můžete, pokud chcete, vytvořit speciální aspekt, který nazvete 'Chat' а uživatele, se kterými chcete moci chatovat přidáte do tohoto aspektu. Poté co toto uděláte, můžete otevřít uživatelské rozhraní chatu a vybrat osobu, se kterou chcete chatovat. + add_contact_roster_q: "Jak mohu s někým chatovat na diaspora* ?" + contacts_page: "Stránka kontaktů" + title: "Chat" + faq: "Často kladené otázky" foundation_website: "webové stránky diaspora foundation" getting_help: + get_support_a_faq: "Čtete naši %{faq} stránku na wiki" get_support_a_hashtag: "zeptej se ve veřejném příspěvku na diaspoře* použitím hashtagu %{question}" get_support_a_irc: "přidej se k nám na %{irc} (chat naživo)" get_support_a_tutorials: "Koukněte na naše %{tutorials}" @@ -380,6 +406,18 @@ cs: getting_started_tutorial: "Tutoriály pro nováčky" here: "zde" irc: "IRC" + keyboard_shortcuts: + keyboard_shortcuts_a1: "V pohledu na proud můžete používat následující klávesové zkratky:" + keyboard_shortcuts_li1: "j - přejděte na další příspěvek" + keyboard_shortcuts_li2: "k - přejděte na předchozí příspěvek" + keyboard_shortcuts_li3: "c - komentujte aktuální příspěvek" + keyboard_shortcuts_li4: "l - lajkovat aktuální příspěvek" + keyboard_shortcuts_li5: "r - znovu zveřejnit současný příspěvek" + keyboard_shortcuts_li6: "m - rozšířit současný příspěvek" + keyboard_shortcuts_li7: "o - otevřít první odkaz v současném příspěvku" + keyboard_shortcuts_li8: "ctrl + enter - pošle zprábu, kterou píšete" + keyboard_shortcuts_q: "Jaké klávesové zkratky jsou k dispozici ?" + title: "Klávesové zkratky" markdown: "Markdown" mentions: how_to_mention_a: "Napište znak „@“ a začněte psát své jméno. Mělo by se zobrazit rozbalovací menu, které vám umožní je snadněji vybrat. Berte na vědomí, že je možné zmínit jen ty osoby, které máte v aspektech." @@ -389,6 +427,7 @@ cs: see_mentions_a: "Ano, klikněte „Zmínky“ v levém sloupci na své domovské stránce" see_mentions_q: "Je způsob, jak vidět příspěvky, v kterých jsem byl(a) zmíněn(a)?" title: "Zmínky" + what_is_a_mention_a: "Zmínka je odkaz z příspěvku na osobní profil nějakého člověka. Když je někdo zmíněn, dostane na daný příspěvek upozornění." what_is_a_mention_q: "Co je to „zmínka”?" miscellaneous: back_to_top_a: "Ano. Po seskrolování dolu na stránce klikněte na šedou šipku, co se objeví v pravém dolním rohu vašeho prohlížeče." @@ -397,11 +436,14 @@ cs: diaspora_app_q: "Existuje aplikace diaspora* pro Android či iOS?" photo_albums_a: "Ne, zatím ne. Můžete ale shlédnout proud jejich nahraných obrázků v sekci Fotky v postranním panelu jejich profilu." photo_albums_q: "Jsou zde alba fotek či videí?" + subscribe_feed_a: "Ano, ale toto stále není zcela vyladěná funkcionalita a formátování jejích výstupu může být poněkud nedotažené. Pokud ji přece chcete vyzkoušet, jděte do něčí profilové stránky a klikněte na tlačítko RSS zdrojů ve Vašem prohlížeči nebo zkopírujte URL profilu (např. https://joindiaspora.com/people/somenumber) a vložte jej do své RSS čtečky. Výsledná adresa zdroje vypadá asi takto: https://joindiaspora.com/public/username.atom – diaspora* používá Atom a ne RSS." subscribe_feed_q: "Můžu odebírat něčí veřejné příspěvky pomocí čtečky kanálů?" title: "Různé" pods: + find_people_a: "Pozvěte své přátele pomocí odkazu 'e-mailem' v pruhu na pravé straně. Sledujte #tags, objevte uživatele, kteří sdílejí Vaše zájmy a ty, jejichž příspěvky Vás zajímají, si přidejte do některého aspektu. Pomocí tagu #newhere ve veřejném příspěvku dejte vědět, že jste odteď na diaspora*." find_people_q: "Právé jsem se přidal k podu, jak najdu lidi, s kterými sdílet?" title: "Pody" + use_search_box_a: "Pokud znáte jejich plné diaspora* ID (např. jmeno@jmenopodu.cz), můžete je najít vyhledáváním tohoto plného ID. Jste-li na tomtéž podu, stačí hledat jen uživatelské jméno. Alternativně lze hledat jejich profilové jméno (jméno, které vidíte na obrazovce). Pokud nenajdete uživatele na první pokus, zkoušejte to vícekrát." use_search_box_q: "Jak mám použít vyhledávací pole, abych našel určité osoby?" what_is_a_pod_a: "Pod je server, na kterém běží software diaspora* a který je připojen k síti diaspory*. \"Pod\", což je anglicky \"lusk\", je metafora, která odkazuje na lusky, které obsahují semínka, podobně jako server obsahuje řadu uživatelských účtů. Je mnoho různých podů. Můžete přidávat kamarády z jiných podů a komunikovat s nimi. (O podu diaspory* můžete přemýšlet jako o něčem podobnému poskytovateli e-mailu: jsou veřejné pody, soukromé pody a s určitým úsilím můžete spustit svůj vlastní.)" what_is_a_pod_q: "Co je to pod?" @@ -410,18 +452,33 @@ cs: char_limit_services_q: "Jaký je limit pro počet znaků v příspěvcích sdílených přes připojenou službu s nižším povoleným počtem znaků?" character_limit_a: "65 535 znaků. To je o 65 395 znaků více než máte na Twitteru! ;)" character_limit_q: "Jaký je limit pro počet znaků v příspěvku?" + embed_multimedia_a: "Obvykle můžete vložit URL (např. http://www.youtube.com/watch?v=nnnnnnnnnnn) do Vašeho příspěvku a video nebo zvukový záznam budou zasazeny automaticky. Mezi podporované portály patří: YouTube, Vimeo, SoundCloud, Flickd a několik dalších. Diaspora* pro tuto funkcionalitu využívá oEmbed, Stále přidáváme podporu dalších portálů. Ujistěte se, že zadáváje jednoduché, plné odkazy, tedu ne zkrácené odkazy a ne odkazy s operátory za základní URL. Počkejte chvilku než obnovíte stránku po zadání příspěvku, abyste správně viděli předběžný náhled." + embed_multimedia_q: "Jak vložím video, zvukovou nahrávku či jiný multimediální obsah do příspěvku ?" format_text_a: "Použitím zjednodušeného jazyku %{markdown}. Můžete najít plný syntax Markdownu %{here}. Tlačítko pro náhled je v tomto případě opravdu užitečné, neboť uvidíte, jak bude vaše zpráva vypadat předtím, než ji nasdílíte." format_text_q: "Jak mohu formátovat text ve svých příspěvcích (tučný text, kurzíva apod.)?" + hide_posts_a: "Najedete-li myší na něčí příspěvek, objeví se vpravo nahoře malý křížek podobný písmenu x. Kliknutím na křížek příspěvek skryjete a zamezíte i e-mailovým upozorněním na něj. Při návštěvě profilové stránky autora tohot příspěvku však příspěvek stále uvidíte." + hide_posts_q: "Jak skrýt příspěvek ? / Jak vypnout zasílání upozornění o příspěvcích, které jsem okomentoval(a) ?" image_text: "text k obrázku" image_url: "url obrázku" + insert_images_a: "Pro vložení obrázku do příspěvku klikněte na ikonku fotoaparátu vpravo dole. Klikněte na ikonku znova, pokud chcete vložit další obrázek, nebo můźete vybrat několik obrázků najednou." insert_images_comments_a1: "Následující Markdown kód" insert_images_comments_a2: "může být užito k vkládání obrázků z webu do komentářů i do příspěvků." insert_images_comments_q: "Můžu vkládat obrázky do komentářů?" insert_images_q: "Jak vkládat obrázky do příspěvků?" + post_location_a: "Klikněte při publikaci na ikonu špendlíku vedle fotoaparátu. Tím přidáte Vaší geografickou pozici z OpenStreetMap. Svou pozici můžete dále upravit, např. zadat pouze město, ve kterém jste, a ne detailní adresu včetně ulice." + post_location_q: "Jak přidat k mojemu příspěvku informaci o mé geografické pozici ?" + post_notification_a: "Vedle znaku X v pravé horní části příspěvku najdete ikonku zvonečku. Klikněte na ní, abyste povolil nebo zakázal upozornění na tento příspěvek." + post_notification_q: "Jak dostávat upozornění o příspěvku, nebo jejich zasílání naopak zastavit ?" + post_poll_a: "Pro vytvoření hlasování klikněte na ikonku grafu. Zadejte otázku a alespoň dvě odpovědi. Nezapomeňte označit příspěvek jako veřejný, pokud chcete, aby se hlasování mohl účastnit kdokoliv." + post_poll_q: "Jak přidat k příspěvku hlasování ?" + post_report_a: "Chcete-li příspěvek nahlásit podminovi, klikněte na trojúhelníkovou varovnou ikonku v pravé horní části příspěvku. Důvod oznámení popište v následujícím dialogu." + post_report_q: "Jak oznámím urážlivý příspěvek ?" size_of_images_a: "Ne. Obrázkům se automaticky mění velikost, aby se do proudu vešly. Markdown nemá kód pro stanovení velikosti obrázku." size_of_images_q: "Můžu nastavit velikost obrázků v příspěvcích či komentářích?" stream_full_of_posts_a1: "Váš proud se skládá ze 3 typů příspěvků:" + stream_full_of_posts_li1: "Příspěvky zadané uživateli, se kterými sdílíte obsah, jsou dvou typů: veřejné příspěvky a příspěvky sdílené s aspektem, jehož jste součástí. Tyto příspěvky odstraníte ze svého proudu tím, že přestanete s danou osobou sdílet." stream_full_of_posts_li2: "Veřejné příspěvky obsahující jeden ze štítků, které odebíráte. Pokud je chcete odstranit, přestaňte štítek odebírat." + stream_full_of_posts_li3: "Veřejné příspěvky od uživatelů uvedených v sekci aktuality z komunity. Příspěvky mohou být odstraněny odškrtnutím políčka \"Zobrazovat aktuality z komunity v proudu ?\" na záložce účet ve Vašem Nastavení." stream_full_of_posts_q: "Proč je můj proud plný příspěvků od lidí, které neznám a s kterými nesdílím?" title: "Příspěvky a přispívání" private_posts: @@ -436,21 +493,39 @@ cs: who_sees_post_q: "Co když odešlu zprávu aspektu (tj. soukromý příspěvek), kdo ji uvidí?" private_profiles: title: "Soukromé profily" + whats_in_profile_a: "Něco o Vás, poloha, pohlaví a datum narození. To jsou údaje ve spodní sekci při editaci osobního profilu. Všechny tyto položky jsou nepovinné, je na Vás, zda je vyplníte. Přihlášení uživatelé, kteří jsou v některém z Vašich aspektů, jsou jediní, kteří mohou vidět Váš profil. Při návštěǚe Vašeho profilu také uvidí příspěvky, které jste adresoval/a jejich aspektu společně s Vašimi veřejnými příspěvky." whats_in_profile_q: "Co je v mém soukromém profilu?" + who_sees_profile_a: "Každý přihlášený uživatel, se kterým sdílíte (tj. přidal/a jste jej do jednoho ze svých aspektů). Lidé, kteří Vás sledují, ale které nesledujete Vy, uvidí pouze Vaše veřejné informace." who_sees_profile_q: "Kdo vidí můj soukromý profil?" who_sees_updates_a: "Všichni v tvých aspektech vidí změny tvého soukromého profilu. " who_sees_updates_q: "Kdo vidí aktualizace mého soukromého profilu?" public_posts: + can_comment_reshare_like_a: "Každý přihlášený diaspora* uživatel může komentovat, sdílet či lajkovat Váš veřejný příspěvek." + can_comment_reshare_like_q: "Kdo může komentovat, sdílet či lajkovat můj veřejný příspěvek ?" + deselect_aspect_posting_a: "Odebrání aspektů nemá vliv na veřejné příspěvky. Veřejný příspěvek se bude tak jako tak objevovat v proudu všech Vašich kontaktů. Aby byl příspěvek viditelný jen některým aspektům, musíte tyto aspekty vybrat z nabídky pod textovým polem při zadávání příspěvku." + deselect_aspect_posting_q: "Co se stane, pokud odeberu jeden či více aspektů při zadávání veřejného příspěvku ?" find_public_post_a: "Vaše veřejné příspěvky se zobrazí v proudu kohokoliv, kdo vás sleduje. Pokud jste zahrnul(a) #štítky ve vašem veřejném příspěvku, kdokoliv, kdo odebírá tyto štítky, najde váš příspěvek ve svém proudu. Každý veřejný příspěvek také má určitou URL, kterou může navštívit každý, i když není přihlášen -- tudíž na příspěvky mohou vést odkazy přímo z Twitteru, blogů apod. Veřejné příspěvky mohou také být indexovány vyhledávači." find_public_post_q: "Jak mohou jiní lidé najít mé veřejné příspěvky?" + see_comment_reshare_like_a: "Jakýkoliv přihlášený uživatel dispora* a kdokoliv jiný na internetu. Komentáře, lajky a sdílení veřejných příspěvků jsou také veřejné." + see_comment_reshare_like_q: "Pokud komentuji, sdílím či lajkuji veřejný příspěvek, kdo to může vidět ?" title: "Veřejné příspěvky" + who_sees_post_a: "Každý uživatel internetu může teoreticky vidět příspěvek, který označíte jako veřejný. To je ideální cesta jak oslovit veřejnost." + who_sees_post_q: "Pokud posílám veřejný příspěvek, kdo jej můźe vidět ?" public_profiles: title: "Veřejné profily" + what_do_tags_do_a: "Pomáhají lidem Vás poznat. Vaše profilová fotka se objeví na levé straně stránek těchto konkrétních štítků, společně s fotkami dalších uživatelů, kteří mají štítek na svém veřejném profilu." what_do_tags_do_q: "Jakou funkci plní štítky na mém veřejném profilu?" + whats_in_profile_a: "Vaše jméno, pět štítků, které Vás popisují a Vaše fotografie. To jsou údaje v horní části editace profilové stránky. Tyto údaje můžete zadat velmi identifikujícím či velmi anonymním způsobem, volba je na Vás. Vaše profilová stránka také zobrazuje všechny Vaše veřejné příspěvky." whats_in_profile_q: "Co je v mém veřejném profilu" + who_sees_profile_a: "Profil může vidět jakýkoliv přihlášený uživatel diaspora* a i všichni uživatelé internetu. Každý profil má svou přímou URL, která může být použita i ze stránek mimo diaspora*. Profil také mohou indexovat vyhledávače." who_sees_profile_q: "Kdo vidí můj veřejný profil?" + who_sees_updates_a: "Kdokoliv může vidět změny, pokud navštíví Vaš profil." who_sees_updates_q: "Kdo vidí aktualizace mého veřejného profilu?" resharing_posts: + reshare_private_post_aspects_a: "Ne, není možné sdílet něčí soukromý příspěvek. Tím je respektován záměr původního autora sdílet příspěvek jen konkrétní skupině lidí." + reshare_private_post_aspects_q: "Mohu (znovu)sdílet soukromý příspěvek jen s některými aspekty ?" + reshare_public_post_aspects_a: "Ne, když sdílíte něčí veřejný příspěvek, tak se příspěvek stává automaticky Vaším veřejným příspěvkem. Chcete-li jej sdílet jen s některými aspekty, zkopírujte jeho obsah do nového příspěvku." + reshare_public_post_aspects_q: "Mohu (znovu)sdílet veřejný příspěvek jen s některými aspekty ?" title: "Další sdílení příspěvků" sharing: add_to_aspect_a1: "Řekněme, že Amy si přidá Bena do aspektu, ale Ben si ještě (zatím) Amy do aspektů nepřidal:" @@ -462,19 +537,31 @@ cs: add_to_aspect_li5: "Ale když Ben navštíví profilovou stránku Amy, uvidí soukromé příspěvky Amy, které odesílá aspektům, v kterých Ben je (spolu s veřejnými příspěvky, které může vidět kdokoliv)." add_to_aspect_li6: "Ben uvidí soukromý profil Amy (životopis, polohu, pohlaví, datum narozenin)." add_to_aspect_li7: "Amy se zobrazí pod „Pouze sdílejí se mnou“ na stránce kontaktů Bena." + add_to_aspect_li8: "Amy bude mít možnost @označit Bena ve svém příspěvku." + add_to_aspect_q: "Co se stane, když přidám někoho do jednoho z mých aspektů ? Nebo když mě někdo přidá do jednoho ze svých aspektů ?" + list_not_sharing_a: "Ne, ale zjistit jestli s Vámi nějaky uživatel sdílí obsah můžete na jeho profilové stránce. Pokud sdílí, bude pruh pod jejich profilovou fotkou zelený. Pokud ne, bude pruh šedý. Pokaždé, když s Vámi někdo začne sdílet, dostanete o tom notifikaci." list_not_sharing_q: "Existuje seznam lidí, které jsem přidal do jednoho z mých aspektů, ale kteří si mě nepřidali zpět?" + only_sharing_a: "To jsou lidé, kteří Vás přidali do jednoho ze svých aspektů, ale (zatím) nejsou v žádném z Vašic aspektů. Jinými slovy, oni sdílejí s Vámi, ale ne Vy s nimi (asymetrické sdílení). Pokud je přidáte do aspektu, budou se zobrazovat pod tímto aspektem a už ne v sekci \"Pouze sdílejí se mnou\". Viz výše." only_sharing_q: "Kdo jsou ti uvedeni pod „Pouze sdílejí se mnou“ na mé stránce kontaktů?" + see_old_posts_a: "Ne. Budou moci vidět jen nové příspěvky tomuto aspektu. Oni (a kdokoliv jiný) mohou vidět Vaše veřejné příspěvky na Vaší profilové stránce a možná i ve svém proudu." see_old_posts_q: "Když někoho přidám do aspektu, mohou vidět starší příspěvky, které jsem už odeslal do toho aspektu?" + sharing_notification_a: "Měl(a) byste dostat notifikaci, kdykoliv s Vámi někdo začne sdílet." + sharing_notification_q: "Jak se dozvím, že se mnou někdo začal sdílet ?" title: "Sdílení" tags: filter_tags_a: "Toto zatím není dostupné přes diasporu*, ale existují některé %{third_party_tools}, co toto mohou poskytnout." filter_tags_q: "Jak můžu filtrovat/vyloučit některé štítky z mého proudu." + followed_tags_a: "Po vyhledání štítků můžete začít \"sledovat\" tento štítek kliknutím na tlačítko nahoře na stránce štítku. Štítek se tím objeví ve Vašem seznamu sledovaných štítků vlevo. Kliknutím na jeden z Vašich sledovaných štítků se dostanete na stránku tohoto štítku a uvidíte seznam nedávných příspěvků, které byly tímto štítkem označeny. Klikněte na #Odebírané štítky a uvidíte seznam příspěvků, které obsahují alespoň jeden z Vámi odebíraných štítků. " followed_tags_q: "Co jsou „#Odebírané štítky“ a jak můžu odebírat štítek?" people_tag_page_a: "Jsou to lidé, co použili tento štítek ve svém popisu na svém veřejném profilu." people_tag_page_q: "Kdo jsou ti uvedení na levé straně stránky štítku?" + tags_in_comments_a: "Štítek přidaný do komentáře bude fungovat jako link na stránku tohoto štítku. Komentář (ani jím komentovaný příspěvek) se však na stránce štítku neobjeví. Pouze příspěvky se štítkem se objevují na stránce štítku." + tags_in_comments_q: "Smím používat označení i v komentářích nebo jen v příspěvcích ?" title: "Štítky" + what_are_tags_for_a: "Štítky slouží ke kategorizaci příspěvků, typicky podle tématu. Vyhledáváním podle štítku dostanete všechny Vám viditelné příspěvky (jak veřejné, tak soukromé), které tento štítek mají. Takto mohou lidé, kteří mají o nějaké téma zájem, hledat veřejné příspěvky o něm." what_are_tags_for_q: "K čemu jsou štítky?" third_party_tools: "Nástroje jiných firem" + title_header: "Nápověda" tutorial: "tutoriál" tutorials: "tutoriály" wiki: "wiki" @@ -582,15 +669,27 @@ cs: other: "%{count} nových upozornění" zero: "Žádná nová upozornění" index: + all_notifications: "Všechna upozornění" + also_commented: "Také okomentováno" and: "a" and_others: few: "a %{count} další" one: "a ještě jeden" other: "a %{count} dalších" zero: "a nikdo další" + comment_on_post: "Komentář příspěvku" + liked: "Co se mi líbilo" mark_all_as_read: "Označit vše jako přečtené" + mark_all_shown_as_read: "Vše zobrazené označit jako přečtené" + mark_read: "Označit jako přečtené" mark_unread: "Označit jako nepřečtené" + mentioned: "Zmíněno" + no_notifications: "Zatím nemáte žádná upozornění." notifications: "Oznámení" + reshared: "Znovusdílené" + show_all: "Zobrazit vše" + show_unread: "Zobrazit nepřečtené" + started_sharing: "Sdílení zahájeno" liked: few: "%{actors} se líbí váš %{post_link}." one: "%{actors} se líbí váš %{post_link}." @@ -633,7 +732,9 @@ cs: other: "%{actors} s vámi začali sdílet." zero: "%{actors} s vámi začali sdílet." notifier: + a_limited_post_comment: "Na soukromém příspěvku v diaspora* je k přečtení nový komentář." a_post_you_shared: "příspěvek." + a_private_message: "Máte v diaspora* novou soukromou zprávu." accept_invite: "Přijměte vaši pozvánku do Diaspory*!" click_here: "klikněte zde" comment_on_post: @@ -642,6 +743,44 @@ cs: click_link: "K aktivaci vaší nové e-mailové adresy %{unconfirmed_email} použijte prosím tento odkaz:" subject: "Prosím aktivujte si svou novou e-mailovou adresu %{unconfirmed_email}" email_sent_by_diaspora: "Tento e-mail odeslal pod %{pod_name}. Pokud si nepřejete nadále dostávat takovéto e-maily," + export_email: + body: |- + Dobrý den, %{name}. + + Vaše data byla zpracována a jsou připravena ke stažení na [tomto odkazu](%{url}). + + S pozdravem, + e-mailový robot disaspora* + subject: "%{name}, Vaše osobní data jsou připravena ke stažení" + export_failure_email: + body: |- + Dobrý den, %{name}, + + Při přípravě Vašich osobních dat ke stažení jsme narazili na problémy. + Prosím, zkuste to znovu. + + S pozdravem, + e-mailový robot disaspora* + subject: "Je nám líto, %{name}, ale je nějaký problém s Vašimi daty." + export_photos_email: + body: |- + Dobrý den, %{name}, + + Vaše fotky byly zpracovány a jsou k dispozici ke stažení na následujícím [odkazu](%{url}) + + S pozdravem, + e-mailový robot diaspora* + subject: "%{name}, Vaše fotky jsou připraveny ke stažení." + export_photos_failure_email: + body: |- + Dobrý den, %{name}, + + došlo k problému s přípravou Vašich fotek ke stažení. + Zkuste to, prosím, znovu. + + Omlouvám se, + e-mailový robot diaspora* + subject: "%{name}, s Vašimi fotografiemi nastal nějaký problém." hello: "Vítej, %{name}!" invite: message: |- @@ -668,6 +807,43 @@ cs: subject: "%{name} vás zmínil(a) na Diaspoře*" private_message: reply_to_or_view: "Zobrazit konverzaci nebo na ni odpovědět »" + remove_old_user: + body: |- + Dobrý den, + + zdá se, že již nechcete mít účet na %{pod_url}, protože jste jej nepoužil/a posledních %{after_days} dní. Abychom mohli zajistit maximální výkon tohoto diaspora* podu našim aktivním uživatelům, odstraňujeme nechtěné účty z naší databáze. + + Budeme rádi, pokud zůstanete členem diaspora* komunity a ponecháte si Váš účet, pokud o něj stojíte. + + Jediné, co pro jeho zachování musíte udělat, je přihlásit se na něj před %{remove_after}. Až se přihlásíte, doufáme že budete mít čas se po diaspora* trochu poohlédnout. Od doby Vaší poslední návštěvy se toho hodně změnilo a myslíme si, že se Vám naše vylepšení budou líbit. Začněte odebírat nějaké #štítky, tak snadno najdete obsah, který Vás zajímá. + + Přihlaste se zde: %{login_url}. Pokud jste zapoměl/a své přihlašovací údaje, můžete na této stránce požádat o připomenutí. + + Doufáme, že Vás na dispora* znovu uvidíme, + + Váš, + diaspora* email robot + subject: "Váš diaspora* účet byl navržen k odstranění, protože na něm nejste aktivní." + report_email: + body: |- + Dobrý den, + + %{type} s identifikátorem %{id} byl označen jako urážlivý. + + [%{url}][1] + + Prosím, zkontrolujte jej co nejdříve ! + + + S pozdravem, + + emailový robor diaspora* + + [1]: %{url} + subject: "Nový %{type} byl označen jako urážlivý" + type: + comment: "komentář" + post: "příspěvek" reshared: reshared: "%{name} právě sdílel(a) váš příspěvek" view_post: "Zobrazit příspěvek »" @@ -692,18 +868,19 @@ cs: add_contact_from_tag: "přidat kontakt ze štítku" aspect_list: edit_membership: "upravit člena aspektu" - few: "%{count} lidi" helper: is_not_sharing: "%{name} s vámi nesdílí" is_sharing: "%{name} s vámi sdílí" results_for: " výsledky pro %{params}" index: + couldnt_find_them: "Nemůžete je najít?" looking_for: "Hledáte příspěvky označené %{tag_link}?" no_one_found: "… a nikdo nebyl nalezen." no_results: "Hej! Musíte něco hledat." results_for: "výsledky hledání" + search_handle: "Vaše přátelé nejlépe najdete podle jejich diaspora* ID (uzivatel@pod.cz)." searching: "vyhledávám, prosím čekejte…" - many: "%{count} lidí" + send_invite: "Stále nic ? Pošlete pozvánku !" one: "1 člověk" other: "%{count} lidí" person: @@ -740,7 +917,6 @@ cs: add_some: "přidat nějaké" edit: "upravit" you_have_no_tags: "nemáte žádný štítek!" - two: "%{count} lidi" webfinger: fail: "Omlouváme se, ale %{handle} nebyl nalezen." zero: "nikdo" @@ -801,6 +977,9 @@ cs: edit_profile: "Upravit profil" first_name: "Jméno" last_name: "Příjmení" + nsfw_check: "Označit vše, co sdílím, jako citlivý obsah" + nsfw_explanation: "NSFW ('citlivý obsah') je vnitřní standard diaspory* pro obsah, který nemusí být vhodný k prohlížení, když jste v práci. Pokud sdílíte takový obsah často, prosím zatrhněte tuto možnost, čímž budou všechny Vaše příspěvky skryty z uživatelských poudů, dokud se daný uživatel nerozhodne si je prohlédnout." + nsfw_explanation2: "Pokud se rozhodnete tuto možnost nezatrhnout, přidávejte prosím štítek #nsfw pokaždé když sdílíte takový obsah." update_profile: "Aktualizovat profil" your_bio: "Něco o vás" your_birthday: "Vaše narozeniny" @@ -832,23 +1011,38 @@ cs: password_to_confirm: "(potřebujeme vaše současné heslo pro potvrzení změn)" unhappy: "Nešťastný?" update: "Aktualizovat" - invalid_invite: "Odkaz na pozvánku který jste poskytli již neplatí!" + invalid_invite: "Odkaz na pozvánku, který jste poskytli, již neplatí!" new: - continue: "Pokračovat" create_my_account: "Vytvořte mi účet!" - diaspora: "<3 diasporu*" email: "EMAIL" enter_email: "Zadejte e-mail" enter_password: "Zadejte heslo (alespoň 6 znaků)" enter_password_again: "Zadejte stejné heslo jako předtím" enter_username: "Vyberte si uživatelské jméno (pouze písmena, číslice a podtržítka)" - hey_make: "HEJ,
VYTVOŘ
NĚCO." join_the_movement: "Připojte se k nám!" password: "HESLO" password_confirmation: "POTVRZENÍ HESLA" sign_up: "ZAPSAT SE" sign_up_message: "Sociální síť se ♥" + submitting: "Odesílání..." + terms: "Vytvořením účtu automaticky přijímáte %{terms_link}." + terms_link: "Podmínky použití" username: "UŽIVATELSKÉ JMÉNO" + report: + comment_label: "Komentář:
%{data}" + confirm_deletion: "Určitě chcete smazat tuto položku ?" + delete_link: "Smazat položku" + not_found: "Příspěvek/komentář nebyl nalezen. Zdá se,že byl svým tvůrcem smazán." + post_label: "Příspěvek: %{title}" + reason_label: "Důvod: %{text}" + reported_label: "Oznámil/а %{person}" + review_link: "Označit jako zkontrolované" + status: + created: "Nahlášení bylo vytvořeno" + destroyed: "Příspěvek byl zničen" + failed: "Promiňte, někde se stala chyba." + marked: "Zpráva byla označena jako schválená." + title: "Přehled nahlášení" requests: create: sending: "Odesílání" @@ -902,6 +1096,7 @@ cs: connect_to_facebook: "Připojit na Facebook" connect_to_tumblr: "Připojit na Tumblr" connect_to_twitter: "Připojit na Twitter" + connect_to_wordpress: "Spojit s wordpressem" disconnect: "odpojit" edit_services: "Upravit služby" logged_in_as: "přihlášen jako" @@ -930,6 +1125,8 @@ cs: your_diaspora_username_is: "Vaše uživatelské jméno na Diaspoře: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Přidat do aspektu" + mobile_row_checked: "%{name} (odstranit)" + mobile_row_unchecked: "%{name} (přidat)" toggle: few: "Ve %{count} aspektech" one: "V jednom aspektu" @@ -966,6 +1163,7 @@ cs: all: "všechny" all_contacts: "všechny kontakty" discard_post: "Zahodit příspěvek" + formatWithMarkdown: "K formátování Vašeho příspěvku můžete používat %{markdown_link}" get_location: "Získat polohu" make_public: "vytvořit veřejnou" new_user_prefill: @@ -973,10 +1171,17 @@ cs: i_like: "Moje zájmy jsou %{tags}. " invited_by: "Díky za pozvání, " newhere: "Nováček" + poll: + add_a_poll: "Přidat anketu" + add_poll_answer: "Přidat možnost" + option: "První možnost" + question: "Otázka" + remove_poll_answer: "Odebrat možnost" post_a_message_to: "Poslat příspěvek do %{aspect}" posting: "Odesílám…" preview: "Náhled" publishing_to: "publikování na:" + remove_location: "Odstranit pozici" share: "Sdílet" share_with: "sdílet s" upload_photos: "Nahrát fotky" @@ -998,6 +1203,28 @@ cs: via: "skrz %{link}" via_mobile: "z mobilního telefonu" viewable_to_anyone: "Tento příspěvek je viditelný komukoli na webu" + simple_captcha: + label: "Zadejte kód do rámečku" + message: + default: "Tajný kód neodpovídá obrázku" + failed: "Nelze ověřit, zda jste člověk." + user: "Tajný obrázek je odlišný od kódu" + placeholder: "Zadejte hodnotu na obrázku" + statistics: + active_users_halfyear: "Aktivních uživatelů za půl roku" + active_users_monthly: "Aktivních uživatelů měsíčně" + closed: "Uzavřený" + disabled: "Nedostupný" + enabled: "Dostupný" + local_comments: "Místní komentáře" + local_posts: "Místní příspěvky" + name: "Jméno" + network: "Síť" + open: "Otevřený" + registrations: "Registrace" + services: "Služby" + total_users: "Celkový počet uživatelů" + version: "Verze" status_messages: create: success: "Úspěšně zmíněno: %{names}" @@ -1007,13 +1234,11 @@ cs: no_message_to_display: "Žádná zpráva k zobrazení." new: mentioning: "Zmínka: %{person}" - too_long: - few: "prosím zkraťte svou zprávu na méně než %{count} znaky" - one: "prosím zkraťte svou zprávu na méně než %{count} znak" - other: "prosím zkraťte svou zprávu na méně než %{count} znaků" - zero: "prosím zkraťte svou zprávu na méně než %{count} znaků" + too_long: "{\"few\"=>\"prosím zkraťte svou zprávu na méně než %{count} znaky\", \"one\"=>\"prosím zkraťte svou zprávu na méně než %{count} znak\", \"other\"=>\"prosím zkraťte svou zprávu na méně než %{count} znaků\", \"zero\"=>\"prosím zkraťte svou zprávu na méně než %{count} znaků\"}" stream_helper: hide_comments: "Skrýt všechny komentáře" + no_more_posts: "Dosáhl/a jste konce proudu." + no_posts_yet: "Zatím zde nejsou žádné příspěvky." show_comments: few: "Zobrazit %{count} dalších komentářů" one: "Zobrazit jeden další komentář" @@ -1050,7 +1275,6 @@ cs: title: "Veřejná aktivita" tags: contacts_title: "Lidé, kteří navěšují tento štítek" - tag_prefill_text: "%{tag_name} je o… " title: "Příspěvky označené: %{tags}" tag_followings: create: @@ -1061,19 +1285,17 @@ cs: failure: "Nepodařilo se ukončit odebírání #%{name}. Možná jste jej již přestali odebírát?" success: "Jak chcete! Štítek #%{name} již neodebíráte." tags: + name_too_long: "Ujistěte se, že název tagu má méně než %{count} znaků. Teď jich má %{current_length}." show: follow: "Odebírat #%{tag}" - followed_by_people: - few: "odebírají %{count} lidé" - one: "odebírá jeden člověk" - other: "odebírá %{count} lidí" - zero: "neodebírá nikdo" following: "Odebíráte #%{tag}" - nobody_talking: "Nikdo dosud nemluví o %{tag}." none: "Prázdný štítek neexistuje!" - people_tagged_with: "Lidé označení %{tag}" - posts_tagged_with: "Příspěvky označené #%{tag}" stop_following: "Přestat odebírat #%{tag}" + tagged_people: + few: "%{count} osoby jsou označeny štítkem %{tag} " + one: "1 osoba je označena štítkem %{tag}." + other: "%{count} osob je označeno štítkem %{tag}" + zero: "Nikdo není označen štítkem %{tag}" terms_and_conditions: "Podmínky používání" undo: "Vrátit zpět?" username: "Uživatelské jméno" @@ -1107,22 +1329,30 @@ cs: comment_on_post: "…někdo komentoval váš příspěvek?" current_password: "Současné heslo" current_password_expl: "to, s kterým se přihlašuješ..." + download_export: "Stáhnout můj profil" + download_export_photos: "Stáhnout moje fotky" download_photos: "stáhnout moje fotky" - download_xml: "stáhnout moje xml" edit_account: "Upravit účet" email_awaiting_confirmation: "Na adresu %{unconfirmed_email} byl zaslán aktivační odkaz. Dokud tento odkaz neotevřete a svou novou adresu neaktivujete, budeme vás kontaktovat na vaší staré adrese %{email}." export_data: "Exportovat data" + export_in_progress: "Momentálně zpracováváme Vaše data. Dejte nám chvilku." + export_photos_in_progress: "Momentálně zpracováváme Vaše fotky. Zkuste to prosím za chvilku." following: "Nastavení sledování" getting_started: "Předvolby nového uživatele" + last_exported_at: "(Naposledy aktualizováno v %{timestamp})" liked: "…někomu se zalíbí váš příspěvek?" mentioned: "…někdo vás zmíní v příspěvku?" new_password: "Nové heslo" - photo_export_unavailable: "Exportování fotek zatím nedostupné" private_message: "…obdržíte soukromou zprávu?" receive_email_notifications: "Přijímat oznámení e-mailem, když…" + request_export: "Vyžádat si má profilová data" + request_export_photos: "Vyžádat si moje fotky" + request_export_photos_update: "Obnovit moje fotky" + request_export_update: "Obnovit má profilová data" reshared: "…někdo sdílí váš příspěvek?" show_community_spotlight: "Zobrazovat Aktuality z komunity v Proudu?" show_getting_started: "Znovu spustit Tutoriály pro nováčky" + someone_reported: "někdo nahlásil jako urážlivé" started_sharing: "…někdo začne sdílet s vámi?" stream_preferences: "Předvolby proudu" your_email: "Váš e-mail" @@ -1140,13 +1370,15 @@ cs: who_are_you: "Kdo jste?" privacy_settings: ignored_users: "Ignorovaní uživatelé" + no_user_ignored_message: "Momentálně neignorujete žádné uživatele" stop_ignoring: "Přestat ignorovat" + strip_exif: "Odstranit metadata typu lokace, autor a model fotoaparátu z nahrávaných obrázků (doporučeno)" title: "Nastavení soukromí" public: does_not_exist: "Uživatel %{username} neexistuje!" update: email_notifications_changed: "Oznámení e-mailem změněno" - follow_settings_changed: "Následující nastavení se změnily" + follow_settings_changed: "Následující nastavení se změnila" follow_settings_not_changed: "Následující nastavení se nepodařilo změnit" language_changed: "Jazyk změněn" language_not_changed: "Změna jazyka selhala" diff --git a/config/locales/diaspora/cy.yml b/config/locales/diaspora/cy.yml index 8f4b703c9..23df29235 100644 --- a/config/locales/diaspora/cy.yml +++ b/config/locales/diaspora/cy.yml @@ -34,10 +34,6 @@ cy: confirm_remove_aspect: "A ydych yn siŵr eich bod am ddileu yr agwedd hon?" make_aspect_list_visible: "make aspect list visible?" remove_aspect: "Dileu yr agwedd hwn" - few: "%{count} agweddau" - helper: - are_you_sure: "A ydych yn siŵr eich bod am ddileu yr agwedd hon?" - aspect_not_empty: "Agwedd nid ar wag" index: diaspora_id: heading: "ID Diaspora" @@ -52,9 +48,6 @@ cy: tag_question: "#question" no_contacts: "Dim cysylltiadau" no_tags: "No tags" - many: "%{count} agweddau" - move_contact: - success: "Unigolyn wedi symud i agwedd newydd" new: name: "Name" no_contacts_message: @@ -64,9 +57,6 @@ cy: start_talking: "Nobody has said anything yet. Get the conversation started!" one: "1 aspect" other: "%{count} agweddau" - selected_contacts: - view_all_contacts: "Gweld cysylltiadau i gŷd" - two: "%{count} agweddau" update: success: "Eich aspect, %{name}, wedi bod yn golygu yn llwyddiannus." zero: "dim agweddau" @@ -79,25 +69,19 @@ cy: heading: "Diaspora Bookmarklet" cancel: "Diddymu" comments: - few: "%{count} comments" - many: "%{count} comments" new_comment: comment: "Sylw" contacts: - few: "%{count} contacts" index: add_a_new_aspect: "Ychwanegwch agwedd newydd" add_to_aspect: "Add contacts to %{name}" all_contacts: "Cysylltiadau i gŷd" my_contacts: "Fy nghysylltiadau" no_contacts: "No contacts." - remove_person_from_aspect: "Tynnu %{person_name} oddi ar \"%{aspect_name}\"" title: "Cysylltiadau" your_contacts: "Eich Cysylltiadau chi" - many: "%{count} contacts" one: "1 contact" other: "%{count} contacts" - two: "%{count} contacts" zero: "no contacts" conversations: create: @@ -278,8 +262,6 @@ cy: password: "Cyfrinair" password_confirmation: "Cadarnhad Cyfrinair" people: - few: "%{count} pobl" - many: "%{count} pobl" one: "1 unigolyn" other: "%{count} pobl" person: @@ -300,7 +282,6 @@ cy: start_sharing: "dechrau rhannu" sub_header: edit: "golygu" - two: "%{count} people" zero: "no people" photos: comment_email_subject: "ffoto %{name}" @@ -445,13 +426,7 @@ cy: status_messages: helper: no_message_to_display: "Dim neges i arddangos." - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: hide_comments: "hide comments" show_comments: @@ -483,9 +458,6 @@ cy: destroy: failure: "Failed to stop following: #%{name}" success: "Successfully stopped following: #%{name}" - tags: - show: - nobody_talking: "Does neb yn siarad am %{tag} eto." username: "Enw Defnyddiwr" users: confirm_email: @@ -498,7 +470,6 @@ cy: change_password: "Newid cyfrinair" close_account: what_we_delete: "We delete all of your posts, profile data, as soon as humanly possible. Your comments will hang around, but be associated with your Diaspora Handle." - download_xml: "llwytho i lawr fy xml" email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Till you follow this link and activate the new address, we will continue to use your original address %{email}." export_data: "Data Allforio" new_password: "Cyfrinair newydd " diff --git a/config/locales/diaspora/da.yml b/config/locales/diaspora/da.yml index ce0edf7c5..c6f28f81c 100644 --- a/config/locales/diaspora/da.yml +++ b/config/locales/diaspora/da.yml @@ -5,13 +5,14 @@ da: - _applications: "Applikationer" + _applications: "Programmer" _comments: "Kommentarer" _contacts: "Kontakter" _help: "Hjælp" _home: "Hjem" _photos: "Billeder" _services: "Tjenester" + _statistics: "Statistik" _terms: "Betingelser" account: "Konto" activerecord: @@ -40,7 +41,7 @@ da: reshare: attributes: root_guid: - taken: "Er det så godt, hva'? Du har allerede delt indlægget!" + taken: "Er det så godt, hva? Du har allerede delt indlægget!" user: attributes: email: @@ -60,9 +61,9 @@ da: user_search: "Søg efter brugere" weekly_user_stats: "Ugentlig bruger-statistik" correlations: - correlations_count: "Correlationer med Indmeld i antallet." + correlations_count: "Correlationer med indmeld i antallet." stats: - 2weeks: "to uger" + 2weeks: "2 uger" 50_most: "50 mest populære tags" comments: one: "%{count} kommentar" @@ -89,22 +90,26 @@ da: zero: "%{count} brugere" week: "Uge" user_entry: - account_closed: "konto lukket" - diaspora_handle: "Diaspora navn" + account_closed: "Konto lukket" + diaspora_handle: "Dit Diaspora-navn" email: "E-mail" guid: "GUID" id: "ID" - last_seen: "sidst set" + last_seen: "Sidst set" ? "no" - : nej + : Nej nsfw: "#nsfw" - unknown: "ukendt" + unknown: "Ukendt" ? "yes" - : ja + : Ja user_search: account_closing_scheduled: "Kontoen med navnet: %{name} vil blive lukket om et øjeblik ..." + account_locking_scheduled: "Kontoen med navnet: %{name} vil blive lukket om et øjeblik ..." + account_unlocking_scheduled: "Kontoen med navnet: %{name} vil blive genåbnet om et øjeblik ..." add_invites: "Tilføj invitationer" are_you_sure: "Er du sikker på at du vil lukke denne konto?" + are_you_sure_lock_account: "Er du sikker på at du vil låse denne konto?" + are_you_sure_unlock_account: "Er du sikker på at du vil genåbne denne konto?" close_account: "Luk konto" email_to: "Inviter på e-mail" under_13: "Vis brugere der er under 13 (COPPA)" @@ -134,15 +139,13 @@ da: are_you_sure_delete_account: "Er du helt sikker på at du ønsker at lukke din konto? Det kan ikke fortrydes!" aspect_memberships: destroy: - failure: "Kunne ikke fjerne person fra aspekt" - no_membership: "Kunne ikke finde den valgte person i det aspekt" - success: "Personen er fjernet fra aspektet" + failure: "Kunne ikke fjerne person fra aspekt." + no_membership: "Kunne ikke finde den valgte person i det aspekt." + success: "Personen er fjernet fra aspektet." aspects: add_to_aspect: failure: "Kunne ikke tilføje kontakten til aspektet." success: "Kontakt blev tilføjet aspektet." - aspect_contacts: - done_editing: "afslut redigering" aspect_listings: add_an_aspect: "+ Tilføj et aspekt" deselect_all: "Fravælg alle" @@ -161,30 +164,25 @@ da: failure: "%{name} er ikke tom, og kan derfor ikke slettes." success: "%{name} fjernet." edit: - add_existing: "Tilføj en eksisterende kontakt " + aspect_chat_is_enabled: "Kontakter i dette aspekt kan chatte med dig." + aspect_chat_is_not_enabled: "Kontakter i dette aspekt kan ikke chatte med dig." aspect_list_is_not_visible: "kontakter i dette aspekt er ikke i stand til at se hinanden." aspect_list_is_visible: "kontakter i dette aspekt er synlige for hinanden." confirm_remove_aspect: "Er du sikker på du vil slette dette aspekt?" - done: "Gennemført" - make_aspect_list_visible: "gør kontakter i dette aspekt synlige for hinanden?" - manage: "Administrer" + grant_contacts_chat_privilege: "Giv kontakter i dette aspekt chat-privilegier?" + make_aspect_list_visible: "Gør kontakter i dette aspekt synlige for hinanden?" remove_aspect: "Slet dette aspekt" - rename: "omdøb" + rename: "Omdøb" set_visibility: "Indstil synlighed" update: "Opdater" - updating: "opdaterer" - few: "%{count} aspekter" - helper: - are_you_sure: "Er du sikker på at du vil fjerne dette aspekt?" - aspect_not_empty: "Aspektet er ikke tomt" - remove: "slet" + updating: "Opdaterer" index: diaspora_id: - content_1: "Dit Diaspora*-ID er:" - content_2: "Giv det til hvem som helst og de vil kunne finde dig på Diaspora.*" - heading: "Diaspora*-ID" + content_1: "Dit Diaspora-ID er:" + content_2: "Giv det til hvem som helst, og de vil kunne finde dig på Diaspora." + heading: "Diaspora-ID" donate: "Donér" - handle_explanation: "Dette er dit Diaspora*-ID. Som med en e-mail-adresse, kan du give det til folk, så de kan kontakte dig." + handle_explanation: "Dette er dit Diaspora-ID. Som med en e-mail-adresse, kan du give det til folk, så de kan kontakte dig." help: any_problem: "Problemer?" contact_podmin: "Kontakt din pods administrator!" @@ -194,40 +192,35 @@ da: feature_suggestion: "... har du et %{link} forslag?" find_a_bug: "... har du fundet en %{link}?" have_a_question: "... har du et %{link}?" - here_to_help: "Diaspora* fællesskabet er her!" - mail_podmin: "Podmin e-mail" + here_to_help: "Diaspora-samfundet er lige her!" + mail_podmin: "Podmins e-mail" need_help: "Brug for hjælp?" tag_bug: "fejl" - tag_feature: "funktion" + tag_feature: "feature" tag_question: "spørgsmål" tutorial_link_text: "Guider" tutorials_and_wiki: "%{faq}, %{tutorial} og %{wiki}: Hjælp til at komme i gang." introduce_yourself: "Dette er din strøm. Hop ud i den og introducér dig selv." - keep_diaspora_running: "Hjælp udviklingen af Diaspora* med en månedlig donation!" - keep_pod_running: "Hjælp med at få %{pod} til at køre, og sørg for at administratoren kan få sig en håndbajer i ny og næ med en månedlig donation." + keep_diaspora_running: "Hjælp udviklingen af Diaspora med en månedlig donation!" + keep_pod_running: "Hjælp med at få %{pod} til at køre, og sørg for at administratoren kan få sig en kop kaffe i ny og næ med en månedlig donation." new_here: - follow: "Følg %{link} og byd nye brugere velkommen til Diaspora*!" + follow: "Følg %{link} og byd nye brugere velkommen til Diaspora!" learn_more: "Lær mere" title: "Byd nye brugere velkommen" no_contacts: "Ingen kontakter" no_tags: "+ Find et tag at følge" people_sharing_with_you: "Personer der deler med dig" - post_a_message: "slå en besked op >>" + post_a_message: "Slå en besked op >>" services: - content: "Du kan tilslutte følgende tjenester til Diaspora*:" + content: "Du kan tilslutte følgende tjenester til Diaspora:" heading: "Tilslut tjenester" unfollow_tag: "Hold op med at følge #%{tag}" welcome_to_diaspora: "Velkommen til Diaspora %{name}!" - many: "%{count} aspekter" - move_contact: - error: "Kunne ikke flytte kontaktperson: %{inspect}" - failure: "virkede ikke %{inspect}" - success: "Person flyttet til nyt aspekt" new: create: "Opret" name: "Navn (kun synligt for dig)" no_contacts_message: - community_spotlight: "kreative medlemmer" + community_spotlight: "Community Spotlight" or_spotlight: "Eller du kan dele med %{link}" try_adding_some_more_contacts: "Du kan søge (øverst) eller invitere flere kontakter (til højre)." you_should_add_some_more_contacts: "Du kan tilføje nogle flere kontakter!" @@ -240,72 +233,58 @@ da: family: "Familie" friends: "Venner" work: "Arbejde" - selected_contacts: - manage_your_aspects: "Administrér dine aspekter." - no_contacts: "Du har ingen kontakter her endnu." - view_all_community_spotlight: "Se alle kreative medlemmer" - view_all_contacts: "Vis alle kontakter" - show: - edit_aspect: "redigér aspekt" - two: "%{count} aspekter" update: failure: "Dit aspekt, %{name}, var for langt til at blive gemt." success: "Dit aspekt, %{name}, er nu blevet redigeret." - zero: "ingen aspekter" + zero: "Ingen aspekter" back: "Tilbage" blocks: create: - failure: "Ignorering af bruger mislykkedes. #evasion" - success: "Ignorering succesfuld - du kommer ikke til at se den bruger i din strøm igen. #silencio!" + failure: "Jeg kunne ikke ignorere denne bruger. #evasion" + success: "Du kommer ikke til at se denne bruger i din strøm igen. #silencio!" destroy: - failure: "Fjernelse af ignorering mislykkedes. #evasion" - success: "Se hvad de har at sige! #sayhello" + failure: "Jeg kunne ikke stoppe med at ignorere denne bruger. #evasion" + success: "Lad os se hvad de har at sige! #sayhello" bookmarklet: - explanation: "Skriv indlæg på Diaspora* fra alle steder ved at bogmærke dette link => %{link}." + explanation: "Skriv indlæg på Diaspora fra alle steder ved at bogmærke dette link => %{link}." heading: "Bogmærke" - post_something: "Skriv indlæg til Diaspora*" + post_something: "Skriv indlæg til Diaspora" post_success: "Slået op! Lukker!" cancel: "Annullér" comments: - few: "%{count} kommentarer" - many: "%{count} kommentarer" new_comment: comment: "Kommentér" commenting: "Kommenterer ..." one: "1 kommentar" other: "%{count} kommentarer" - two: "%{count} aspekter" - zero: "ingen kommentarer" + zero: "Ingen kommentarer" contacts: create: failure: "Kunne ikke oprette kontakten" - few: "%{count} kontaktpersoner" index: add_a_new_aspect: "Tilføj nyt aspekt" - add_to_aspect: "Tilføj kontaktpersoner til %{name}" - add_to_aspect_link: "tilføj kontakter til %{name}" + add_contact: "Tilføj kontakt" + add_to_aspect: "Tilføj kontakter til %{name}" all_contacts: "Alle kontakter" - community_spotlight: "Kreative medlemmer" - many_people_are_you_sure: "Er du sikker på du vil starte en privat samtale med mere end %{suggested_limit} kontakter? Et indlæg til dette aspekt kan være en bedre måde at kontakte dem på." + community_spotlight: "Community Spotlight" my_contacts: "Mine kontakter" no_contacts: "Det ser ud til at du har brug for til at tilføje nogle kontaktpersoner!" + no_contacts_in_aspect: "Du har ikke nogen kontakter i dette aspekt endnu. Herunder er en liste over dine eksisterende kontakter som du kan føje til aspektet." no_contacts_message: "Se %{community_spotlight}" - no_contacts_message_with_aspect: "Se %{community_spotlight} eller %{add_to_aspect_link}" only_sharing_with_me: "Deler kun med mig" - remove_person_from_aspect: "Fjern %{person_name} fra \"%{aspect_name}\"" + remove_contact: "Fjern kontakt" start_a_conversation: "Start en samtale" title: "Kontakter" + user_search: "Søg efter brugere" your_contacts: "Dine kontakter" - many: "%{count} kontakter" one: "Én kontaktperson" other: "%{count} kontaktpersoner" sharing: people_sharing: "Personer der deler med dig:" spotlight: - community_spotlight: "Kreative medlemmer" + community_spotlight: "Community Spotlight" suggest_member: "Foreslå et medlem" - two: "%{count} kontakter" - zero: "kontakter" + zero: "Ingen kontakter" conversations: conversation: participants: "Deltagere" @@ -314,7 +293,8 @@ da: no_contact: "Hej, du kan tilføje din første kontaktperson!" sent: "Besked sendt" destroy: - success: "Samtale slettet med succes" + delete_success: "Konversationen er blevet slettet" + hide_success: "Konversationen er blevet skjult" helper: new_messages: few: "%{count} nye beskeder" @@ -328,18 +308,19 @@ da: create_a_new_conversation: "Start en ny samtale" inbox: "Indbakke" new_conversation: "Nye samtaler" - no_conversation_selected: "ingen samtale valgt" - no_messages: "ingen beskeder" + no_conversation_selected: "Ingen samtale valgt" + no_messages: "Ingen beskeder" new: abandon_changes: "Opgiv ændringer?" send: "Send" sending: "Sender..." - subject: "emne" - to: "til" + subject: "Emne" + to: "Til" new_conversation: fail: "Ugyldig meddelelse" show: - delete: "slet og bloker samtalen" + delete: "Slet samtalen" + hide: "Skjul konversationen og gør den tavs" reply: "Svar" replying: "Svarer..." date: @@ -362,7 +343,7 @@ da: account_and_data_management: close_account_a: "Gå til bunden af dine indstillinger og tryk på knappen \"Luk konto\"." close_account_q: "Hvordan sletter jeg min seed (konto)?" - data_other_podmins_a: "Så snart du deler med en person fra en anden pod vil de indlæg du deler med dem og en kopi af din profil blive lagret (cached) på deres pod, og være tilgængelige for denne pods database-administrator. Når du sletter et indlæg eller profildata, bliver den slettet fra din pod og alle andre pods, hvor det tidligere har været gemt." + data_other_podmins_a: "Så snart du deler med en person fra en anden pod vil de indlæg du deler med dem og en kopi af din profil blive lagret (cached) på deres pod, og være tilgængelige for denne pods database-administrator. Når du sletter et indlæg eller profildata, bliver den slettet fra din pod og alle andre pods, hvor den tidligere har været gemt." data_other_podmins_q: "Kan administratorer af andre pods se min information?" data_visible_to_podmin_a: "Kommunikationen *mellem* pods er altid krypteret (ved hjælp af SSL og Diasporas egen transportkryptering), men lagring af data på pods er ikke krypteret. Hvis de ville, kunne database-administratoren for din pod (normalt den person, der kører din pod) få adgang til alle dine profildata og alle dine indlæg (som det er tilfældet for de fleste hjemmesider der lagrer brugerdata). Kører du din egen pod giver det mere privatliv, da du så styrer adgangen til databasen selv." data_visible_to_podmin_q: "Hvor meget af min information kan min pod-administrator se?" @@ -376,11 +357,11 @@ da: change_aspect_of_post_q: "Når jeg har lagt et indlæg op kan jeg så ændre det aspekt (de aspekter) der kan se det?" contacts_know_aspect_a: "Nej. De kan ikke under nogen omstændigheder se aspektets navn." contacts_know_aspect_q: "Ved mine kontakter hvilke aspekter jeg har placeret dem i?" - contacts_visible_a: "Hvis du vælger denne indstilling så vil kontakter fra dette aspekt på din profil side under dit billede være i stand til at se, hvem der ellers er i aspektet. Det er bedst at vælge denne mulighed, hvis kontakterne alle kender hinanden. De vil stadig ikke være i stand til at se hvad aspektet hedder." + contacts_visible_a: "Hvis du vælger denne indstilling så vil kontakter fra dette aspekt på din profil side under dit billede være i stand til at se, hvem der ellers er i aspektet. Det er bedst at vælge denne mulighed, hvis kontakterne alle kender hinanden. De vil stadig ikke være i stand til at se hvad aspektet hedder." contacts_visible_q: "Hvad betyder: \"gør kontakter i dette aspekt synlige for hinanden?\"" - delete_aspect_a: "I listen med aspekter i venstre side, holder du musen over det aspekt du vil slette. Tryk på den lille blyant der dukker op til højre. Tryk på slet-knappen i den lille boks der dukker op." + delete_aspect_a: "I listen med aspekter i venstre side, holder du musen over det aspekt du vil slette. Tryk på den lille blyant der dukker op til højre. Tryk på slet-knappen i den lille boks der dukker op." delete_aspect_q: "Hvordan sletter jeg et aspekt?" - person_multiple_aspects_a: "Ja. Gå til din kontaktliste, og tryk på \"mine kontakter\". For hver kontakt kan du bruge menuen til højre for at føje dem til (eller fjerne dem fra) så mange aspekter, som du ønsker. Du kan også føje dem til et nyt aspekt (eller fjerne dem fra et aspekt) ved at klikke på aspektknappen på deres profilside. Eller du kan bare flytte markøren hen over deres navn i din strøm. En \"svæveboks\" vil komme op og du kan ændre deres aspekt der." + person_multiple_aspects_a: "Ja. Gå til din kontaktliste, og tryk på \"mine kontakter\". For hver kontakt kan du bruge menuen til højre for at føje dem til (eller fjerne dem fra) så mange aspekter, som du ønsker. Du kan også føje dem til et nyt aspekt (eller fjerne dem fra et aspekt) ved at klikke på aspektknappen på deres profilside. Eller du kan bare flytte markøren hen over deres navn i din strøm. En \"svæveboks\" vil komme op, og du kan ændre deres aspekt der." person_multiple_aspects_q: "Kan jeg tilføje en person til flere aspekter?" post_multiple_aspects_a: "Ja. Når du er ved at skrive et indlæg, så brug aspekt-vælgeren for at vælge eller fravælge aspekter. Dit indlæg vil være synligt for alle de aspekter, du vælger. Du kan også vælge de aspekter, du ønsker at skrive dit indlæg til i sidekolonnen. Når du sender, vil det aspekt eller de aspekter du har valgt i listen til venstre automatisk blive valgt i aspekt-vælgeren når du begynder at skrive et nyt indlæg." post_multiple_aspects_q: "Kan jeg lave et indlæg beregnet til flere aspekter på en gang?" @@ -391,30 +372,41 @@ da: restrict_posts_i_see_a: "Ja. Tryk på \"Dine aspekter\" i sidekolonnen og tryk så på de enkelte aspekter i listen for at vælge eller afvælge dem. Så vil kun de indlæg som hører til i de valgte aspekter vises i din strøm." restrict_posts_i_see_q: "Kan jeg begrænse de indlæg jeg ser til bare at være dem fra visse aspekter?" title: "Aspekter" - what_is_an_aspect_a: "Aspekter er den måde du kan gruppere dine kontakter på Diaspora*. Et aspekt er en af de roller du har i verden. Det kan være i forhold til dit arbejde, din familie eller overfor venner du kender gennem en forening." + what_is_an_aspect_a: "Aspekter er den måde du kan gruppere dine kontakter på Diaspora. Et aspekt er en af de roller du har i verden. Det kan være i forhold til dit arbejde, din familie eller overfor venner du kender gennem en forening." what_is_an_aspect_q: "Hvad er et aspekt?" - who_sees_post_a: "Hvis du laver et begrænset indlæg , vil det kun være synligt for de personer du har lagt i dette aspekt (eller de aspekter, hvis det er lavet til flere aspekter). Kontakter, du har der ikke er i det aspekt kan ikke se indlægget, medmindre du har gjort det offentligt. Kun offentlige indlæg vil nogensinde være synlige for alle, der ikke er placeret i et af dine aspekter." + who_sees_post_a: "Hvis du laver et begrænset indlæg, vil det kun være synligt for de personer du har lagt i dette aspekt (eller de aspekter, hvis det er lavet til flere aspekter). Kontakter, du har der ikke er i det aspekt kan ikke se indlægget, medmindre du har gjort det offentligt. Kun offentlige indlæg vil nogensinde være synlige for alle, der ikke er placeret i et af dine aspekter." who_sees_post_q: "Hvis jeg skriver et indlæg til et aspekt hvem kan så se det?" - foundation_website: "Diaspora-stiftelsens webside" + chat: + add_contact_roster_a: "Først skal du slå chat til for det af dine aspekter personen er i. For at gøre det gå til %{contacts_page}, vælg det aspekt du ønsker og klik chat-ikonnet. Herved slår du chat til for det aspekt. %{toggle_privilege} Hvis du ønsker det kan du lave et nyt aspekt kaldet \"Chat\" og så tilføje de personer du er interesseret i at chatte med. Når du har gjort det, åben chat interfacet og vælg den person du vil chatte med." + add_contact_roster_q: "Hvordan chatter jeg med nogen i Diaspora?" + contacts_page: "kontakt side" + title: "Chat" + faq: "FAQ" + foundation_website: "Diaspora-stiftelsens hjemmeside" getting_help: - get_support_a_hashtag: "spørg i et offentlig indlæg på diaspora* og brug %{question} hashtagget" - get_support_a_irc: "slut dig til os på %{irc} (live chat)" - get_support_a_tutorials: "check vores %{tutorials}" - get_support_a_website: "besøg vores %{link}" - get_support_a_wiki: "søg i %{link}" + get_support_a_faq: "Læs vores %{faq} side på wikien" + get_support_a_hashtag: "Spørg i et offentlig indlæg på Diaspora og brug %{question} hashtagget" + get_support_a_irc: "Slut dig til os på %{irc} (live chat)" + get_support_a_tutorials: "Check vores %{tutorials}" + get_support_a_website: "Besøg vores %{link}" + get_support_a_wiki: "Søg i %{link}" get_support_q: "Hvad hvis mit spørgsmål ikke besvares i denne FAQ? Hvor kan jeg ellers få hjælp?" - getting_started_a: "Du er heldig. Prøv %{tutorial_series} på vores projektside. Det vil hjælpe dig gennem registreringsprocessen og lære dig de basale ting du behøver for at kunne bruge Diaspora*." + getting_started_a: "Du er heldig. Prøv %{tutorial_series} på vores projektside. Det vil hjælpe dig gennem registreringsprocessen og lære dig de basale ting du behøver for at kunne bruge Diaspora." getting_started_q: "Hjælp! Jeg skal bruge lidt hjælp for at komme i gang." title: "Om at få hjælp" - getting_started_tutorial: "'At komme i gang' en serie af guider" + getting_started_tutorial: "\"Kom i gang\" en serie af guider" here: "her" irc: "IRC" keyboard_shortcuts: keyboard_shortcuts_a1: "På siden med din Strøm kan du bruge følgende tastaturgenveje:" - keyboard_shortcuts_li1: "j - gå til næste indlæg" - keyboard_shortcuts_li2: "k - gå til forrige indlæg" - keyboard_shortcuts_li3: "c - kommenter det nuværende indlæg" - keyboard_shortcuts_li4: "l - marker at du synes om det nuværende indlæg" + keyboard_shortcuts_li1: "j - Gå til næste indlæg" + keyboard_shortcuts_li2: "k - Gå til forrige indlæg" + keyboard_shortcuts_li3: "c - Kommenter det nuværende indlæg" + keyboard_shortcuts_li4: "l - Marker at du synes om det nuværende indlæg" + keyboard_shortcuts_li5: "r - Del dette indlæg" + keyboard_shortcuts_li6: "m - Udvid dette indlæg" + keyboard_shortcuts_li7: "o - Åben det første link i dette indlæg" + keyboard_shortcuts_li8: "ctrl + enter - Send den besked du har skrevet" keyboard_shortcuts_q: "Hvilke tastaturgenveje er til rådighed?" title: "Tastaturgenveje" markdown: "Markdown" @@ -426,32 +418,32 @@ da: see_mentions_a: "Ja. tryk på knappen \"Dine omtaler\" i venstre kolonne på din startside." see_mentions_q: "Er der en måde at se de indlæg hvor jeg er blevet nævnt?" title: "Omtaler" - what_is_a_mention_a: "At nævne folk betyder at du i et indlæg indsætter et link til en anden Diaspora-brugers profilside. Når en person bliver nævnt på denne måde vil de blive informeret om det i deres meddelelser." + what_is_a_mention_a: "At nævne folk betyder at du i et indlæg indsætter et link til en anden Diaspora-brugers profilside. Når en person bliver nævnt på denne måde vil de blive informeret om det i deres notifikationer." what_is_a_mention_q: "Hvad er en \"omtale?\"" miscellaneous: back_to_top_a: "Ja. Når du har rullet en hel side ned kan du klikke på den grå pil der vises i nederste højre hjørne af browservinduet." back_to_top_q: "Er der en hurtig måde at gå tilbage til toppen af siden når jeg har rullet ned?" - diaspora_app_a: "Der er flere Android-apps under udvikling. Flere er forladte projekter og fungerer derfor ikke godt sammen med den aktuelle version af diaspora *. Forvent ikke meget af disse apps. I øjeblikket er den bedste måde at få adgang til diaspora * fra din mobile enhed, gennem en browser, fordi vi har udviklet en mobil version af hjemmesiden, som bør virke godt på alle enheder. Der er i øjeblikket ingen app til iOS. Igen bør diaspora * fungere fint via din browser." - diaspora_app_q: "Findes der en Diaspora*-app til Android eller IOS?" + diaspora_app_a: "Der er flere Android-apps under udvikling. Flere er forladte projekter og fungerer derfor ikke godt sammen med den aktuelle version af Diaspora. Forvent ikke meget af disse apps. I øjeblikket er den bedste måde at få adgang til Diaspora fra din mobile enhed gennem en browser, fordi vi har udviklet en mobil version af hjemmesiden som bør virke godt på alle enheder. Der er i øjeblikket ingen app til iOS. Igen bør Diaspora fungere fint via din browser." + diaspora_app_q: "Findes der en Diaspora-app til Android eller IOS?" photo_albums_a: "Nej, ikke i øjeblikket. Men du kan se en strøm af deres uploadede billeder fra fotosektionen i sidekolonnen af deres profilside." photo_albums_q: "Er der billed, eller videoalbums?" - subscribe_feed_a: "Ja, men denne funktion er stadig ret upoleret og formateringen af resultaterne er stadig temmelig grov. Hvis du ønsker at prøve det alligevel, så gå til en profilside og klik på feed-knappen i din browser. Du kan også kopiere profilens URL (dvs. https://joindiaspora.com/people/etnummer) og indsætte den i en feed-læser. Den resulterende feed-adresse vil se sådan ud: https://joindiaspora.com/public/username.atom - Diaspora* bruger Atom og ikke RSS." + subscribe_feed_a: "Ja, men denne funktion er stadig ret upoleret og formateringen af resultaterne er stadig temmelig grov. Hvis du ønsker at prøve det alligevel, så gå til en profilside og klik på feed-knappen i din browser. Du kan også kopiere profilens URL (dvs. https://joindiaspora.com/people/etnummer) og indsætte den i en feed-læser. Den resulterende feed-adresse vil se sådan ud: https://joindiaspora.com/public/username.atom - Diaspora bruger Atom og ikke RSS." subscribe_feed_q: "Kan jeg abonnere på nogens offentlige indlæg med en feed-læser?" title: "Diverse" pods: find_people_a: "Inviter dine venner ved at bruge e-mail-linket i side-kolonnen. Følg #tags for at finde andre som du deler interesser med, og tilføj dem hvis indlæg interesserer dig til et af dine aspekter. Sørg for at alle ved at du er ny ved at sætte tagget #newhere i et offentligt indlæg." find_people_q: "Jeg har lige tilsluttet mig en pod, hvordan kan jeg finde folk at dele med?" title: "Pods" - use_search_box_a: "Hvis du kender deres fulde diaspora* ID (f.eks brugernavn@podnavn.org), kan du finde dem ved at søge efter det. Hvis du er på samme pod kan du nøjes med at søge efter deres brugernavn. Et alternativ er at søge efter dem ved at søge på deres profilnavn (det navn, du ser på skærmen). Hvis en søgning ikke virker første gang, så prøv igen." + use_search_box_a: "Hvis du kender deres fulde Diaspora-ID (f.eks brugernavn@podnavn.org), kan du finde dem ved at søge efter det. Hvis du er på samme pod kan du nøjes med at søge efter deres brugernavn. Et alternativ er at søge efter dem ved at søge på deres profilnavn (det navn, du ser på skærmen). Hvis en søgning ikke virker første gang, så prøv igen." use_search_box_q: "Hvordan bruger jeg søgefeltet til at finde bestemte personer?" - what_is_a_pod_a: "En pod er en server, der kører Diaspora*-softwaren og er forbundet til diaspora*-netværket. \"Pod\" er engelsk for en plantebælg, og er således en metafor: En bælg indeholder frø på samme måde som en server indeholder brugerkonti. Der er mange forskellige pods. Du kan tilføje venner fra andre pods og kommunikere med dem. (Du kan tænke på en diaspora* pod som du tænker på en e-mailudbyder: Der er offentlige pods, private pods og med en vis indsats kan du endda køre din egen)." + what_is_a_pod_a: "En pod er en server, der kører Diaspora-softwaren og er forbundet til Diaspora-netværket. \"Pod\" er engelsk for en plantebælg, og er således en metafor: En bælg indeholder frø på samme måde som en server indeholder brugerkonti. Der er mange forskellige pods. Du kan tilføje venner fra andre pods og kommunikere med dem. (Du kan tænke på en Diaspora pod som du tænker på en e-mailudbyder: Der er offentlige pods, private pods og med en vis indsats kan du endda køre din egen)." what_is_a_pod_q: "Hvad er en pod?" posts_and_posting: - char_limit_services_a: "I dette tilfælde vil dit indlæg være begrænset til et mindre antal tegn (140 i tilfælde af Twitter, 1000 i tilfælde af Tumblr), og antallet af tegn, du har tilbage vises, når denne tjenestes ikon er fremhævet. Du kan stadig skrive til disse tjenester, hvis dit indlæg er længere end deres grænse, men teksten vil i så fald blive afkortet på disse tjenester." + char_limit_services_a: "I dette tilfælde vil dit indlæg være begrænset til et mindre antal tegn (140 tegn hvis det drejer sg om Twitter, 1000 tegn for Tumblr), og antallet af tegn, du har tilbage vises, når denne tjenestes ikon er fremhævet. Du kan stadig skrive til disse tjenester, hvis dit indlæg er længere end deres grænse, men teksten vil i så fald blive afkortet på disse tjenester." char_limit_services_q: "Hvad er tegngrænsen for indlæg der deles via en tilsluttet tjeneste, der kræver et mindre antal tegn?" character_limit_a: "65.535 tegn. Det er 65.395 flere tegn end du får på Twitter! ;)" character_limit_q: "Hvad er grænsen for hvor mange tegn der må være i et indlæg?" - embed_multimedia_a: "Du kan som regel bare indsætte URL-adressen (f.eks http://www.youtube.com/watch?v=nnnnnnnnnnn) i dit indlæg og så vil video eller lyd blive indlejret automatisk. Nogle af de sider, der understøttes er: YouTube, Vimeo, SoundCloud, Flickr og et par mere. Diaspora * Bruger oEmbed til denne funktion. Vi understøtter løbende nye sider. Husk altid at skrive enkle, fulde links: ingen forkortede links, ingen operatorer efter grund-URLen - og giv det lidt tid, før du opdaterer siden for at se din forhåndsvisning." + embed_multimedia_a: "Du kan som regel bare indsætte URL-adressen (f.eks http://www.youtube.com/watch?v=nnnnnnnnnnn) i dit indlæg og så vil video eller lyd blive indlejret automatisk. Nogle af de sider, der understøttes er: YouTube, Vimeo, SoundCloud, Flickr og et par mere. Diaspora bruger oEmbed til denne funktion. Vi understøtter løbende nye sider. Husk altid at skrive enkle, fulde links: ingen forkortede links, ingen operatorer efter grund-URLen - og giv det lidt tid, før du opdaterer siden for at se din forhåndsvisning." embed_multimedia_q: "Hvordan kan jeg indlejre en video, lyd eller andet multimedieindhold i et indlæg?" format_text_a: "Ved at bruge et simplificeret system kaldet %{markdown}. Du kan finde en komplet introduktion til Markdown syntaks %{here}. Forhåndsvisning-knappen er virkelig praktisk her, da du kan se hvordan dit indlæg vil komme til at se ud inden du deler det." format_text_q: "Hvordan kan jeg formatere teksten i mine indlæg (fed, kursiv, osv.)?" @@ -473,31 +465,31 @@ da: stream_full_of_posts_q: "Hvorfor er min strøm fuld af indlæg fra personer, jeg ikke kender og ikke deler med?" title: "Indlæg og om at sende dem" private_posts: - can_comment_a: "Kun Diaspora *-brugere der er logget ind og som du har placeret i dette aspekt kan kommentere eller like dine private indlæg." + can_comment_a: "Kun Diaspora-brugere der er logget ind og som du har placeret i dette aspekt kan kommentere eller like dine private indlæg." can_comment_q: "Hvem kan kommentere eller like mine private indlæg?" - can_reshare_a: "Ingen. Private indlæg kan ikke videresendes. Diaspora *-brugerne der kan se indlægget fordi de er i samme aspekt kan dog potentielt kopiere og indsætte det i et af deres egne indlæg." + can_reshare_a: "Ingen. Private indlæg kan ikke videresendes. Diaspora-brugerne der kan se indlægget fordi de er i samme aspekt kan dog potentielt kopiere og indsætte det i et af deres egne indlæg." can_reshare_q: "Hvem kan videredele mine private indlæg?" see_comment_a: "Kun de mennesker som indlægget blev delt med (dem der er i det aspekt som den oprindelige forfatter valgte for indlægget) kan se kommentarer og likes. " see_comment_q: "Når jeg kommenterer eller synes om privat indlæg, hvem kan så se det" title: "Private indlæg" - who_sees_post_a: "Kun diaspora*-brugere der er logget ind, og som du har placeret i dette aspekt kan se din private indlæg." + who_sees_post_a: "Kun Diaspora-brugere der er logget ind, og som du har placeret i dette aspekt kan se din private indlæg." who_sees_post_q: "Når jeg sender en besked til et aspekt (dvs. en privat post), hvem kan så se det?" private_profiles: title: "Private profiler" - whats_in_profile_a: "Biografi, placering, køn og fødselsdag. Det er de ting i den nederste del af profilredigeringssiden. Disse oplysninger er valgfri - det er op til dig om du vil udfylde. indloggede brugere som du har føjet til dine aspekter er de eneste, der kan se din private profil. De kan også se de indlæg du har foretaget i de aspekt(er) de er i og dine offentlige indlæg når de besøger din profil side." + whats_in_profile_a: "Biografi, placering, køn og fødselsdag. Det er de ting i den nederste del af profilredigeringssiden. Disse oplysninger er valgfri - det er op til dig om du vil udfylde dem. indloggede brugere som du har føjet til dine aspekter er de eneste, der kan se din private profil. De kan også se de indlæg du har foretaget i de aspekt(er) de er i og dine offentlige indlæg når de besøger din profil side." whats_in_profile_q: "Hvad indeholder min private profil?" who_sees_profile_a: "Enhver bruger der er logged ind og som du deler med (en du har tilføjet til et aspekt). Folk der følger dig men som du ikke følger, vil dog kun kunne se din offentlige information." who_sees_profile_q: "Hvem kan se min private profil?" who_sees_updates_a: "Alle der er i et af dine aspekter kan se ændringer i din private profil. " who_sees_updates_q: "Hvem kan se når jeg opdaterer min private profil?" public_posts: - can_comment_reshare_like_a: "Enhver der er logget på diaspora * kan kommentere, videredele eller like dine offentlige indlæg." + can_comment_reshare_like_a: "Enhver der er logget på Diaspora kan kommentere, videredele eller like dine offentlige indlæg." can_comment_reshare_like_q: "Hvem kan kommentere, videredele eller like mine offentlige indlæg?" deselect_aspect_posting_a: "Det påvirker ikke offentlige indlæg at fravælge aspekter. Det vil stadig være synligt i strømmen hos alle dine kontakter. For at begrænse adgangen til specifikke aspekter, skal du vælge de aspekter du ønsker skal kunne se indlægget med knapperne under indlægget" deselect_aspect_posting_q: "Hvad sker der, når jeg fravælger et eller flere aspekter, når jeg laver et offentligt indlæg?" find_public_post_a: "Dine offentlige indlæg vises i strømmen hos alle der følger dig. Hvis du har inkluderet #tags i dine offentlige indlæg, vil enhver der følger disse tags kunne se dit indlæg i deres strøm. Hvert offentligt indlæg har også en specifik webadresse som alle kan se selvom de er ikke logget ind - og dermed kan man linke offentlige indlæg direkte fra Twitter, blogs osv. Offentlige indlæg bliver også indekseret af søgemaskiner." find_public_post_q: "Hvordan kan folk finde mine offentlige indlæg?" - see_comment_reshare_like_a: "Enhver der er logget på diaspora * og andre på internettet. Kommentarer, likes og videredelinger af offentlige indlæg er også offentlige." + see_comment_reshare_like_a: "Enhver der er logget på Diaspora og andre på internettet. Kommentarer, likes og videredelinger af offentlige indlæg er også offentlige." see_comment_reshare_like_q: "Når jeg kommenterer, videredeler eller liker en offentlig post, Hvem kan så se det?" title: "Offentlige indlæg" who_sees_post_a: "Alle der bruger internettet vil kunne se dine offentlige indlæg, så vær sikker på at du virkelig ønsker at det skal være offentligt. Det er en fin måde at række hånden ud mod verden." @@ -506,9 +498,9 @@ da: title: "Offentlige profiler" what_do_tags_do_a: "De hjælper folk til at få et indtryk af dig. Dit profilbillede vil også kunne ses i den venstre side af det specifikke tags side sammen med alle de andre der har dem i deres offentlige profil." what_do_tags_do_q: "Hvad bruges de tags jeg har skrevet på min personlige profil til?" - whats_in_profile_a: "Du kan vælge fem tags som du synes beskriver dig som person og et billede. Det er det man kan se i den øverste del af siden når du redigerer din profil. Du kan gøre denne information lige så præcis eller anonym som du selv synes. Din profil vil også vise de offentlige indlæg du har lavet." + whats_in_profile_a: "Du kan vælge fem tags som du synes beskriver dig som person og et billede. Det er det man kan se i den øverste del af siden når du redigerer din profil. Du kan gøre denne information lige så identificerbar eller anonym som du selv synes. Din profil vil også vise de offentlige indlæg du har lavet." whats_in_profile_q: "Hvad indeholder min offentlige profil?" - who_sees_profile_a: "Alle Diaspora*-brugere der er logget ind og hele resten af internettet kan se det. Hver profil har en direkte URL, så man kan linke direkte til siden også fra andre sites. Det kan også indekseres af søgemaskiner." + who_sees_profile_a: "Alle Diaspora-brugere der er logget ind og hele resten af internettet kan se det. Hver profil har en direkte URL, så man kan linke direkte til siden også fra andre sites. Det kan også indekseres af søgemaskiner." who_sees_profile_q: "Hvem kan se min offentlige profil?" who_sees_updates_a: "Alle kan se ændringer hvis de besøger din profilside." who_sees_updates_q: "Hvem kan se når jeg opdaterer min offentlige profil?" @@ -537,18 +529,18 @@ da: see_old_posts_q: "Når jeg føjer en person til et aspekt, kan de så se ældre indlæg som jeg allerede har lagt op til dette aspekt?" title: "Deling" tags: - filter_tags_a: "Dette er endnu ikke tilgængelig direkte via diaspora *, men der er blevet skrevet %{third_party_tools} som kan tilbyde dette." + filter_tags_a: "Dette er endnu ikke tilgængelig direkte via Diaspora, men der er blevet skrevet %{third_party_tools} som kan tilbyde dette." filter_tags_q: "Hvordan kan jeg filtrere/fjerne tags fra min strøm?" - followed_tags_a: "Når du har søgt efter et tag, kan du klikke på knappen øverst på tag-siden for at \"følge\" det tag. Det vil herefter blive vist i din liste over #Fulgte tags til venstre. Hvis du klikker på en af dine #Fulgte tags kommer du til det tags side, hvor du kan se de seneste indlæg der indeholder dette tag. Klik på #Fulgte tags for at se en strøm med indlæg, der omfatter et eller flere af dine #Fulgte tags. " + followed_tags_a: "Når du har søgt efter et tag, kan du klikke på knappen øverst på tag-siden for at \"følge\" det tag. Det vil herefter blive vist i din liste over fulgte tags til venstre. Hvis du klikker på en af dine fulgte tags kommer du til det tags side, hvor du kan se de seneste indlæg der indeholder dette tag. Klik på #fulgte tags for at se en strøm med indlæg, der omfatter et eller flere af dine fulgte tags. " followed_tags_q: "Hvad er #Fulgte tags\" og hvordan kan jeg følge et tag?" people_tag_page_a: "Det er folk der har skrevet det som et tag til at beskrive sig selv i deres offentlige profil." people_tag_page_q: "Hvem er de mennesker der er anført på den venstre side af en tag-side?" - tags_in_comments_a: "Et tag som er tilføjet en kommentar vil stadig virke som et link til det tags side, men det vil ikke få indlægget (eller kommentaren) til at optræde på siden. Det er kun hvis tagget er i selve indlægget." + tags_in_comments_a: "Et tag som er tilføjet en kommentar vil stadig virke som et link til det tags side, men det vil ikke få indlægget (eller kommentaren) til at optræde på siden. Det er kun hvis tagget findes i selve indlægget." tags_in_comments_q: "Kan jeg sætte tags i kommentarer eller kan jeg kun gøre det i indlæg?" title: "Tags" what_are_tags_for_a: "Tags er en måde at kategorisere indlæg på, normalt efter emne. Hvis du søger efter et tag vil du se alle de indlæg der indeholder tagget og som du har tilladelse til at se (både offentlige og private indlæg). Dette lader folk der er interesserede i et bestemt emne finde offentlige indlæg der handler om netop det." what_are_tags_for_q: "Hvad bruger man tags til?" - third_party_tools: "tredjeparts værktøjer" + third_party_tools: "Tredjeparts værktøjer" title_header: "Hjælp" tutorial: "guide" tutorials: "guider" @@ -576,16 +568,16 @@ da: new: already_invited: "Følgende personer har ikke accepteret din invitation:" aspect: "Aspekt" - check_out_diaspora: "Check Diaspora* ud!" + check_out_diaspora: "Check Diaspora ud!" codes_left: one: "En invitation tilbage på denne kode" other: "%{count} invitationer tilbage på denne kode" zero: "Ikke flere invitationer tilbage på denne kode" comma_separated_plz: "Du kan indsætte flere emailadresser ved at adskille dem med komma." if_they_accept_info: "hvis de accepterer, vil de blive tilføjet til det aspekt du inviterede dem til." - invite_someone_to_join: "Inviter en person til Diaspora*!" + invite_someone_to_join: "Inviter en person til Diaspora!" language: "Sprog" - paste_link: "Del dette link med sine venner for at invitere dem til Diaspora*, eller email dem linket direkte." + paste_link: "Del dette link med sine venner for at invitere dem til Diaspora, eller email dem linket direkte." personal_message: "Personlig besked" resend: "Send igen" send_an_invitation: "Send en invitation" @@ -595,16 +587,16 @@ da: layouts: application: back_to_top: "Tilbage til toppen" - powered_by: "DREVET AF DIASPORA*" - public_feed: "Offentligt Diaspora*-nyhedsfeed for %{name}" - source_package: "download kildekoden" - toggle: "skift mobil side" + powered_by: "Kører på Diaspora" + public_feed: "Offentligt Diaspora-nyhedsfeed for %{name}" + source_package: "Download kildekoden" + toggle: "Slå mobil side til/fra" whats_new: "Hvad er nyt?" - your_aspects: "dine aspekter" + your_aspects: "Dine aspekter" header: - admin: "admin" - blog: "blog" - code: "kode" + admin: "Admin" + blog: "Blog" + code: "Kode" help: "Hjælp" login: "Log ind" logout: "Log ud" @@ -615,29 +607,26 @@ da: likes: likes: people_dislike_this: - few: "%{count} synes ikke om" - many: "%{count} synes ikke om" one: "Én person synes ikke om" other: "%{count} synes ikke om" - two: "%{count} synes ikke om" - zero: "ingen synes ikke om" + zero: "Ingen synes ikke om" people_like_this: one: "%{count} synes godt om dette" other: "%{count} synes godt om dette" - zero: "ingen synes godt om dette" + zero: "Ingen synes godt om dette" people_like_this_comment: one: "%{count} synes om det" other: "%{count} synes om det" - zero: "ingen synes om det" + zero: "Ingen synes om det" limited: "Begrænset" more: "Mere" next: "Næste" no_results: "Ingen resultater fundet" notifications: also_commented: - one: "%{actors} kommenterede også %{post_author}s indlæg%{post_link}." - other: "%{actors} kommenterede også %{post_author}s indlæg%{post_link}." - zero: "%{actors} kommenterede også %{post_author}s indlæg%{post_link}." + one: "%{actors} kommenterede også %{post_author}s indlæg %{post_link}." + other: "%{actors} kommenterede også %{post_author}s indlæg %{post_link}." + zero: "%{actors} kommenterede også %{post_author}s indlæg %{post_link}." also_commented_deleted: few: "%{actors} kommenterede et slettet indlæg." many: "%{actors} kommenterede et slettet indlæg." @@ -675,10 +664,11 @@ da: mark_read: "Marker som læst" mark_unread: "Marker som ulæst" mentioned: "omtalte" + no_notifications: "Du har endnu ikke fået nogen notifikationer." notifications: "Notifikationer" reshared: "Delt" - show_all: "vis alle" - show_unread: "vis ulæste" + show_all: "Vis alle" + show_unread: "Vis ulæste" started_sharing: "Begyndte at dele" liked: one: "%{actors} har lige syntes om dit indlæg %{post_link}." @@ -729,41 +719,101 @@ da: two: "%{actors} begyndte at dele med dig." zero: "%{actors} er begyndt at dele med dig." notifier: + a_limited_post_comment: "Der er en ny kommentar til dig i et lukket indlæg i Diaspora." a_post_you_shared: "et indlæg." - accept_invite: "Accepter din Diaspora* invitation!" - click_here: "klik her" + a_private_message: "Der er en ny privat besked til dig i Diaspora." + accept_invite: "Accepter din Diaspora-invitation!" + click_here: "Klik her" comment_on_post: - reply: "Besvar eller se %{navn}s indlæg>" + reply: "Besvar eller se %{name}s indlæg >" confirm_email: click_link: "For at aktivere din nye e-mail adresse %{unconfirmed_email}, skal du følge dette link:" subject: "Aktiver venligst din nye e-mail adresse %{unconfirmed_email}" email_sent_by_diaspora: "Denne e-mail blev sendt af %{pod_name}. Hvis du gerne vil holde op med at få e-mails som denne," + export_email: + body: |- + Hej %{name}, + + Dine data er blevet behandlet og er klar til at blive downloadet. Følg [dette link](%{url}). + + Hilsen + + Diasporas email-robot! + subject: "Dine personlige data er klar til at blive downloadet, %{name}." + export_failure_email: + body: |- + Hej %{name} + + Der er sket en fejl mens dine personlige data blev behandlet til download. + Prøv venligst igen! + + Undskyld, + + Diasporas email-robot! + subject: "Vi er kede af det, men der er et problem med dine data, %{name}." + export_photos_email: + body: |- + Hej %{name} + + Dine billeder er blevet behandlet, og er klar til nedhentning ved at klikke [her](%{url}) + + Hilsen + + Diasporas email-robot! + subject: "Dine billeder er klar til download, %{name}" + export_photos_failure_email: + body: |- + Hej %{name} + + Der er sket en fejl mens vi behandlede dine billeder til download. + Prøv venligst igen! + + Unskyld, + + Diasporas email-robot! + subject: "Der var et problem med dine billeder, %{name}" hello: "Hej %{name}!" invite: message: |- Hej! - Du er blevet inviteret til at deltage på Diaspora*! + Du er blevet inviteret til at deltage på Diaspora! Tryk på dette link for at starte - %{invite_url}[1] + [%{invite_url}][1] Kærlig hilsen - Diasporas* emailrobot + Diasporas email-robot! [1]: %{invite_url} - invited_you: "%{name} inviterede dig til at deltage på Diaspora*" + invited_you: "%{name} inviterede dig til at deltage på Diaspora" liked: liked: "%{name} har lige syntes om dit indlæg" view_post: "Vis indlæg >" mentioned: mentioned: "omtalte dig i et indlæg:" - subject: "%{name} har omtalt dig på Diaspora*" + subject: "%{name} har omtalt dig på Diaspora" private_message: reply_to_or_view: "Besvar eller se denne samtale >" + remove_old_user: + body: |- + Hej, + + Det ser ud til at du ikke længere bruger din Diaspora-konto på %{pod_url}. Det er %{after_days} dage siden du brugte den sidst. For at sikre at vores aktive brugere får det bedste ud af denne Diaspora-pods ressourcer vil vi gerne fjerne ubrugte kontoer fra vores database. + + Vi vil selvfølgelig meget gerne have at du du bliver og er en del af Diaspora, og du er velkommen til at beholde din konto hvis du ønsker det. + + Hvis du gerne vil beholde din konto, er det eneste du skal gøre at logge ind inden %{remove_after}. Hvis du logger indt så se dig lidt omkring på Diaspora. Det har ændret sig en del siden du sidst besøgte det, og vi er sikre på at du vil kunne lide de forbedringer vi har lavet. Prøv at følge forskellige #tags med emner der interesserer dig. + + Du logger ind her: %{login_url}. Har du glemt din kode kan du bede om at få tilsendt et nyt. + + Vi håber at se dig igen, + + Venlig hilsen, Diasporas email-robot! + subject: "Din Diaspora-konto er blevet mærket: \"fjernes på grund af inaktivitet.\"" report_email: body: |- Hej, @@ -777,7 +827,7 @@ da: Venlig hilsen, - Diasporas email-robot + Diasporas email-robot! [1]:%{url} subject: "%{type} blev markeret som stødende" @@ -788,16 +838,16 @@ da: reshared: "%{name} har lige delt dit indlæg" view_post: "Vis indlæg >" single_admin: - admin: "Din Diaspora* administrator" - subject: "En besked fra din Diaspora*-konto:" + admin: "Din Diaspora-administrator" + subject: "En besked fra din Diaspora-konto:" started_sharing: sharing: "er begyndt at dele med dig!" - subject: "%{name} er begyndt at dele med dig på Diaspora*" + subject: "%{name} er begyndt at dele med dig på Diaspora" view_profile: "Vis %{navn}s profil" thanks: "Tak," to_change_your_notification_settings: "for at ændre dine indstillinger for meddelelser" nsfw: "Uegnet til arbejdsvisning (NSFW)" - ok: "O.k." + ok: "Ok." or: "eller" password: "Adgangskode" password_confirmation: "Adgangskode bekræftelse" @@ -805,10 +855,9 @@ da: add_contact: invited_by: "Du er blevet inviteret af" add_contact_small: - add_contact_from_tag: "tilføj kontakt fra tag" + add_contact_from_tag: "Tilføj kontakt fra tag" aspect_list: - edit_membership: "redigér aspektsmedlemsskab" - few: "%{count} personer" + edit_membership: "Redigér aspektsmedlemsskab" helper: is_not_sharing: "%{name} deler ikke med dig." is_sharing: "%{name} deler med dig" @@ -819,26 +868,25 @@ da: no_one_found: "... Og ingen blev fundet." no_results: "Hey! Du er nødt til at søge efter noget." results_for: "Brugere der matcher %{search_term}" - search_handle: "Vær sikker på at finde dine venner - brug deres Diaspora*-id (brugernavn@pod.tld)." - searching: "søger, vent venligst..." + search_handle: "Vær sikker på at finde dine venner - brug deres Diaspora-id (brugernavn@pod.tld)." + searching: "Søger, vent venligst..." send_invite: "Stadig ikke noget? Send en invitation!" - many: "%{count} personer" one: "1 person" other: "%{count} personer" person: - add_contact: "tilføj kontaktperson" + add_contact: "Tilføj kontaktperson" already_connected: "Allerede forbundet" pending_request: "afventende anmodning" - thats_you: "det er dig!" + thats_you: "Det er dig!" profile_sidebar: bio: "Biografi" born: "Fødselsdag" edit_my_profile: "Redigér min profil" gender: "Køn" - in_aspects: "i aspekter" + in_aspects: "I aspekter" location: "Placering" photos: "Billeder" - remove_contact: "fjern kontakt" + remove_contact: "Fjern kontakt" remove_from: "Fjern %{name} fra %{aspect}?" show: closed_account: "Denne konto er blevet lukket." @@ -853,16 +901,15 @@ da: recent_public_posts: "Seneste offentlige indlæg" return_to_aspects: "Tilbage til aspektsoversigt" see_all: "Se alle" - start_sharing: "begynd at dele" + start_sharing: "Begynd at dele" to_accept_or_ignore: "at godkende eller ignorere det." sub_header: - add_some: "tilføje nogle" - edit: "redigér" - you_have_no_tags: "du har ingen tags!" - two: "%{count} personer" + add_some: "Tilføje nogle" + edit: "Redigér" + you_have_no_tags: "Du har ingen tags!" webfinger: fail: "Undskyld, vi kunne ikke finde %{handle}." - zero: "ingen personer" + zero: "Ingen personer" photos: comment_email_subject: "%{name}s billede" create: @@ -874,9 +921,9 @@ da: edit: editing: "Redigering" new: - back_to_list: "Tilbage til liste" - new_photo: "Nye billeder" - post_it: "del det!" + back_to_list: "Gå tilbage til liste" + new_photo: "Nyt billede" + post_it: "Del det!" new_photo: empty: "{file} er tom. Vælg venligst filer igen uden {file}." invalid_ext: "{file} har en ugyldig filtype. Kun {udvidelser} er tilladt." @@ -885,9 +932,9 @@ da: or_select_one_existing: "eller vælg et fra dine eksisterende %{photos}" upload: "Upload et nyt profilbillede!" photo: - view_all: "se alle %{name}s billeder" + view_all: "Se alle %{name}s billeder" show: - collection_permalink: "samling permalink" + collection_permalink: "Samling permalink" delete_photo: "Slet billede" edit: "Redigér" edit_delete_photo: "Redigér billedbeskrivelse / slet billede" @@ -903,7 +950,7 @@ da: show: destroy: "Slet" not_found: "Vi kunne desværre ikke finde dette indlæg." - permalink: "permalink" + permalink: "Permalink" photos_by: few: "%{count} billeder af %{author}" many: "%{count} billeder af %{author}" @@ -918,12 +965,12 @@ da: profile: "Profil" profiles: edit: - allow_search: "Tillad folk at søge på dig i Diaspora*" + allow_search: "Tillad folk at søge på dig i Diaspora" edit_profile: "Rediger profil" first_name: "Fornavn" last_name: "Efternavn" nsfw_check: "Marker alt det jeg deler som NSFW" - nsfw_explanation: "NSFW (not safe for work) er Diaspora*s selvregulerede fællesstandard for hvilket indhold der ikke vil være passende at se i en arbejdssituation. Hvis du ønsker at vise den slags indhold ofte, så husk at slå denne valgmulighed til så det du deler vil være skjult fra folks strøm, med mindre de ønsker at se dem." + nsfw_explanation: "NSFW (not safe for work) er Diasporas selvregulerede fællesstandard for hvilket indhold der ikke vil være passende at se i en arbejdssituation. Hvis du ønsker at vise den slags indhold ofte, så husk at slå denne valgmulighed til så det du deler vil være skjult fra folks strøm, med mindre de ønsker at se dem." nsfw_explanation2: "Hvis du vælger ikke at slå denne valgmulighed til, husk at tilføje et #nsfw tag hver gang du deler denne slags materiale." update_profile: "Opdater profil" your_bio: "Din bio" @@ -935,7 +982,7 @@ da: your_private_profile: "Din private profil" your_public_profile: "Din offentlige profil" your_tags: "Beskriv dig selv i fem ord" - your_tags_placeholder: "som #diaspora #strygning #kattekillinger #musik #hacking" + your_tags_placeholder: "Såsom #diaspora #danmark #kattekillinger #musik #hacking" update: failed: "Kunne ikke opdatere profil" updated: "Profil opdateret" @@ -945,36 +992,33 @@ da: other: "%{count} reaktioner" zero: "Ingen reaktioner" registrations: - closed: "Der er lukket for tilmeldinger på denne Diaspora* server." + closed: "Der er lukket for tilmeldinger på denne Diaspora server." create: - success: "Du har tilmeldt dig Diaspora*!" + success: "Du er nu en del af Diaspora!" edit: cancel_my_account: "Annullér min konto" edit: "Redigér %{name}" - leave_blank: "(Lad være tom hvis du ikke ønsker at ændre det)" + leave_blank: "(Lad det være tomt hvis du ikke ønsker at ændre det)" password_to_confirm: "(Vi har brug for din nuværende adgangskode for at bekræfte dine ændringer)" unhappy: "Ulykkelig?" update: "Opdatér" invalid_invite: "Det invitations link som du anvendte er ikke længere gyldigt!" new: - continue: "Fortsæt" create_my_account: "Opret min konto!" - diaspora: "<3 diaspora*" - email: "E-MAIL" + email: "E-mail" enter_email: "Indtast e-mail" enter_password: "Indtast en adgangskode (mindst seks tegn)" enter_password_again: "Indtast den samme adgangskode som før" enter_username: "Vælg et brugernavn (kun bogstaver, tal og understreg)" - hey_make: "HEY,
GØR
NOGET." join_the_movement: "Deltag i bevægelsen!" - password: "KODEORD" - password_confirmation: "BEKRÆFTELSE AF ADGANGSKODE" - sign_up: "TILMELD DIG" + password: "Adgangskode" + password_confirmation: "Bekræftelse af adgangskoden" + sign_up: "Tilmeld dig" sign_up_message: "Socialt netværk med et <3" submitting: "Sender ..." terms: "Ved at oprette en konto accepterer du %{terms_link}." terms_link: "Servicevilkår" - username: "BRUGERNAVN" + username: "Brugernavn" report: comment_label: "Kommentar:
%{data}" confirm_deletion: "Er du sikker på at du vil slette det valgte?" @@ -993,24 +1037,21 @@ da: requests: create: sending: "Sender" - sent: "Du har bedt om at dele med %{name}. De vil se det næste gang de logger ind på Diaspora*." + sent: "Du har bedt om at dele med %{name}. De vil se det næste gang de logger ind på Diaspora." destroy: error: "Vælg venligst et aspekt!" ignore: "Ignorér kontaktanmodning." success: "I deler nu." helper: new_requests: - few: "%{count} nye anmodninger!" - many: "%{Count} nye anmodninger!" - one: "ny anmodning!" + one: "Ny anmodning!" other: "%{count} nye anmodninger!" - two: "%{count} nye ansøgninger!" - zero: "ingen nye anmodninger" + zero: "Ingen nye anmodninger" manage_aspect_contacts: existing: "Eksisterende kontaktpersoner" manage_within: "Administrér kontaktpersoner indenfor" new_request_to_person: - sent: "afsendt!" + sent: "Afsendt!" reshares: comment_email_subject: "%{resharer}s deling af %{author}s indlæg" create: @@ -1024,9 +1065,9 @@ da: other: "%{count} delinger" two: "%{count} delinger" zero: "Del" - reshare_confirmation: "Del %{author} - %{text}?" + reshare_confirmation: "Del %{author}s indlæg?" reshare_original: "Del original" - reshared_via: "delt via" + reshared_via: "Delt via" show_original: "Vis original" search: "Søg" services: @@ -1038,44 +1079,46 @@ da: destroy: success: "Godkendelsen er nu blevet slettet." failure: - error: "der opstod en fejl i at forbinde til den service" + error: "Forbindelsen til denne service fejlede" finder: - fetching_contacts: "Diaspora* indsamler dine %{service}-venner. Vent venligst et par minutter." + fetching_contacts: "Diaspora indsamler dine %{service}-venner. Vent venligst et øjeblik." no_friends: "Ingen Facebook-venner fundet." - service_friends: "%{service} Venner" + service_friends: "%{service} venner" index: connect_to_facebook: "Tilslut til Facebook" connect_to_tumblr: "Tilslut til Tumblr" connect_to_twitter: "Tilslut til Twitter" connect_to_wordpress: "Forbind til Wordpress" - disconnect: "afbryd" + disconnect: "Afbryd" edit_services: "Redigér tjenester" - logged_in_as: "log ind som" + logged_in_as: "Loget ind som" no_services: "Du har ikke tilsluttet nogen tjenester endnu." - really_disconnect: "afbryd %{service}?" - services_explanation: "Tilslutning til andre tjenester giver dig mulighed for at sende dine indlæg til dem, samtidig med at du skriver dem i Diaspora*." + really_disconnect: "Afbryd %{service}?" + services_explanation: "Tilslutning til andre tjenester giver dig mulighed for at sende dine indlæg til dem, samtidig med at du skriver dem i Diaspora." inviter: click_link_to_accept_invitation: "Klik på dette link for at acceptere din invitation" - join_me_on_diaspora: "Deltag sammen med mig på DIASPORA*" + join_me_on_diaspora: "Deltag sammen med mig på Diaspora" remote_friend: - invite: "inviter" - not_on_diaspora: "Endnu ikke på Diaspora*" + invite: "Inviter" + not_on_diaspora: "Er endnu ikke på Diaspora" resend: "Send igen" settings: "Indstillinger" share_visibilites: update: - post_hidden_and_muted: "%{name}'s indlæg er nu skjult, og meddelelser er blevet gjort tavse." - see_it_on_their_profile: "Hvis du ønsker at se opdateringer til dette indlæg, besøg %{name}'s profilside." + post_hidden_and_muted: "%{name}s indlæg er nu skjult, og meddelelser er blevet gjort tavse." + see_it_on_their_profile: "Hvis du ønsker at se opdateringer til dette indlæg, besøg %{name}s profilside." shared: add_contact: add_new_contact: "Tilføj en ny kontakt" - create_request: "Find med Diaspora*-ID" + create_request: "Find med Diaspora-ID" diaspora_handle: "diaspora@pod.org" - enter_a_diaspora_username: "Indsæt et Diaspora*-brugernavn:" + enter_a_diaspora_username: "Indsæt et Diaspora-brugernavn:" know_email: "Kender du deres e-mail adresse? Du burde invitere dem" - your_diaspora_username_is: "Dit Diaspora*-brugernavn er: %{diaspora_handle}" + your_diaspora_username_is: "Dit Diaspora-brugernavn er: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Tilføj kontakt" + mobile_row_checked: "%{name} (fjern)" + mobile_row_unchecked: "%{name} (tilføj)" toggle: few: "I %{count} aspekter" many: "I %{count} aspekter" @@ -1096,32 +1139,32 @@ da: invite_someone: "Invitér en person" invite_your_friends: "Invitér dine venner" invites: "Invitationer" - invites_closed: "Invitationer er i øjeblikket lukkede på denne Diaspora*-server" + invites_closed: "Invitationer er i øjeblikket lukkede på denne Diaspora server" share_this: "Del dette link via e-mail, blog eller dit yndlings-sociale netværk!" notification: new: "Ny %{type} fra %{from}" public_explain: atom_feed: "Atom feed" control_your_audience: "Kontrollér dit publikum" - logged_in: "Log ind til %{service}" + logged_in: "Logget på %{service}" manage: "Administrér tilsluttede tjenester" new_user_welcome_message: "Brug #tags til at klassificere dine indlæg og til at finde personer der deler dine interesser. Nævn folk ved at kalde dem ved @Navn" - outside: "Offentlige meddelelser vil kunne ses af folk uden for Diaspora*." + outside: "Offentlige meddelelser vil kunne ses af folk uden for Diaspora." share: "Del" title: "Opsæt tilsluttede tjenester" visibility_dropdown: "Brug denne dropdown til at ændre synligheden af dit indlæg. (Vi foreslår, at du gør dette første indlæg offentligt.)" publisher: - all: "alle" - all_contacts: "alle kontaktpersoner" + all: "Alle" + all_contacts: "Alle kontakter" discard_post: "Kassér indlæg" formatWithMarkdown: "Du kan bruge %{markdown_link} til at formatere dine indlæg" get_location: "Få din placering" - make_public: "offentliggør" + make_public: "Offentliggør" new_user_prefill: hello: "Hej allesammen, jeg er #%{new_user_tag}. " i_like: "Jeg interesserer mig for %{tags}." invited_by: "Tak for invitationen, " - newhere: "NewHere" + newhere: "newhere" poll: add_a_poll: "Tilføj en afstemning" add_poll_answer: "Tilføj mulighed" @@ -1131,12 +1174,12 @@ da: post_a_message_to: "Send en besked til %{aspect}" posting: "Sender..." preview: "Forhåndsvisning" - publishing_to: "del med: " + publishing_to: "Del med: " remove_location: "Fjern placering" share: "Del" share_with: "Del med" upload_photos: "Upload fotos" - whats_on_your_mind: "Hvad har du på hjerte?" + whats_on_your_mind: "Hvad har du på hjertet?" reshare: reshare: "Del igen" stream_element: @@ -1149,10 +1192,10 @@ da: like: "Synes om" nsfw: "Dette indlæg er markeret af forfatteren som 'uegnet til arbejdsvisning'. %{link}" shared_with: "Delt med: %{aspect_names}" - show: "vis" + show: "Vis" unlike: "Synes ikke om" - via: "via %{link}" - via_mobile: "via mobil" + via: "Via %{link}" + via_mobile: "Via mobil" viewable_to_anyone: "Dette indlæg er synlig for alle på internettet" simple_captcha: label: "Skriv koden i boksen:" @@ -1161,6 +1204,21 @@ da: failed: "Den menneskelige kontrol mislykkedes" user: "Det hemmelige billede og koden var forskellige" placeholder: "Indsæt billedværdi" + statistics: + active_users_halfyear: "Aktive brugere halvårligt" + active_users_monthly: "Aktive brugere månedligt" + closed: "Lukket" + disabled: "Ikke tilgængelig" + enabled: "Tilgængelig" + local_comments: "Lokale kommentarer" + local_posts: "Lokale opslag" + name: "Navn" + network: "Netværk" + open: "Åben" + registrations: "Tilmeldinger" + services: "Tjenester" + total_users: "Antal brugere" + version: "Version" status_messages: create: success: "%{names} nævnt med succes" @@ -1170,12 +1228,11 @@ da: no_message_to_display: "Ingen beskeder at vise." new: mentioning: "Nævnt: %{person}" - too_long: - one: "Lav venligst en statusopdatering på under %{count} tegn" - other: "Lav venligst en statusopdatering på under %{count} tegn" - zero: "Lav venligst en statusopdatering på under %{count} tegn" + too_long: "Lav venligst en statusopdatering på under %{count} tegn. Lige nu er der %{current_length} tegn." stream_helper: hide_comments: "Skjul alle kommentarer" + no_more_posts: "Du har nået bunden af denne strøm." + no_posts_yet: "Der er endnu ingen indlæg." show_comments: few: "Vis %{count} flere kommentarer" many: "Vis %{count} flere kommentarer" @@ -1192,7 +1249,7 @@ da: comment_stream: contacts_title: "Brugere, hvis indlæg du har kommenteret" title: "Kommenterede indlæg" - community_spotlight_stream: "Kreative medlemmer" + community_spotlight_stream: "Community Spotlight" followed_tag: add_a_tag: "Tilføj et tag" contacts_title: "Personer der følger disse tags" @@ -1201,20 +1258,19 @@ da: followed_tags_stream: "#Fulgte tags" like_stream: contacts_title: "Brugere hvis indlæg du kan lide" - title: "Strøm af 'synes om'" + title: "'Synes om' strøm" mentioned_stream: "@Omtaler" mentions: contacts_title: "Personer der har nævnt dig" title: "Dine omtaler" multi: - contacts_title: "Personer i din Strøm" + contacts_title: "Personer i din strøm" title: "Strøm" public: - contacts_title: "Seneste indlæg" + contacts_title: "Har senest slået ting op" title: "Offentlig Aktivitet" tags: contacts_title: "Folk der følger disse tags" - tag_prefill_text: "Jeg synes at %{tag_name} er... " title: "Indlæg tagget med: %{tags}" tag_followings: create: @@ -1223,20 +1279,18 @@ da: success: "Du følger nu #%{name}." destroy: failure: "Fejlede med at holde op med at følge #%{name}. Måske har du allerede valgt ikke at følge tag'et?" - success: "Du følger desværre ikke #%{name} længere." + success: "Du følger ikke #%{name} længere." tags: + name_too_long: "Lav venligst et tag-navn på under %{count} tegn. Lige nu er det på %{current_length} tegn." show: follow: "Følg #%{tag}" - followed_by_people: - one: "fulgt af en person" - other: "fulgt af %{count} personer" - zero: "ikke fulgt af nogen" following: "Følger #%{tag}" - nobody_talking: "Ingen har talt om %{tag} endnu." none: "Det tomme tag eksisterer ikke!" - people_tagged_with: "Personer tagged med %{tag}" - posts_tagged_with: "Indlæg tagged med #%{tag}" stop_following: "Hold op med at følge #%{tag}" + tagged_people: + one: "En person har brugt %{tag} tag" + other: "%{count} personer har brugt %{tag} tag" + zero: "Ingen har brugt %{tag} tag" terms_and_conditions: "Regler og vilkår" undo: "Fortryd?" username: "Brugernavn" @@ -1245,11 +1299,11 @@ da: email_confirmed: "E-mail %{email} aktiveret" email_not_confirmed: "E-mail kunne ikke aktiveres. Forkert link?" destroy: - no_password: "Indtast venligst dit kodeord for at lukke din konto." - success: "Din konto er nu låst. Det kan tage 20 minutter for os at blive færdige med at lukke den helt. Tak fordi du prøvede Diaspora*." + no_password: "Indtast venligst din adgangskode for at lukke din konto." + success: "Din konto er nu låst. Det kan tage 20 minutter for os at blive færdige med at lukke den helt. Tak fordi du prøvede Diaspora." wrong_password: "Det indtastede kodeord stemmer ikke overens med dit nuværende kodeord." edit: - also_commented: "... nogen har kommenteret et indlæg du tidligere har kommenteret." + also_commented: "nogen har kommenteret et indlæg du tidligere har kommenteret." auto_follow_aspect: "Aspekt for automatisk tilføjede kontakter:" auto_follow_back: "Følg automatisk brugere der følger dig" change: "Skift" @@ -1259,44 +1313,51 @@ da: character_minimum_expl: "skal være mindst seks tegn" close_account: dont_go: "Hey, gå ikke!" - if_you_want_this: "Hvis du virkelig ønsker dette, indtast da dit kodeord og klik på 'Luk konto'" - lock_username: "Dette vil låse dit brugernavn til hvis du beslutter at oprettes igen." - locked_out: "Du vil blive logget ud og låst ude af din konto." - make_diaspora_better: "Vi ønsker din hjælp til at forbedre Diaspora*, du kan hjælpe os i stedet for at forlade os. Hvis du ønsker at forlade os, så vil vi gerne have at du ved hvad der så sker." + if_you_want_this: "Hvis du virkelig ønsker dette, indtast da din adgangskode og klik på \"Luk konto\"" + lock_username: "Dit brugernavn vil blive låst. Du vil ikke kunne åbne en ny konto på denne pod med det samme ID." + locked_out: "Du vil blive logget ud og derefter låst ude af din konto indtil den er blevet slettet." + make_diaspora_better: "Vi vlle ønske du blev og hjalp os med at gøre Diaspora til et bedre sted. Men hvis du virkelig ønsker at forlade os, foregår det på denne måde:" mr_wiggles: "Hr. Wiggles bliver ked af det når du forlader os" - no_turning_back: "Nu er der ingen vej tilbage." - what_we_delete: "Vi sletter alle dine indlæg og profildata så hurtigt som overhovedet muligt. Dine kommentarer vil forblive, men være forbundet til dit Diaspora*-ID og ikke dit navn." + no_turning_back: "Du kan ikke fortryde dette! Hvis du er helt sikker, indtast din adgangskode herunder." + what_we_delete: "Vi sletter alle dine indlæg og profildata så hurtigt som overhovedet muligt. Dine kommentarer til andre folks indlæg vil forblive, men vil vise dit Diaspora-ID og ikke dit navn." close_account_text: "Luk konto" comment_on_post: "... nogen har kommenteret dit indlæg." current_password: "Nuværende adgangskode" current_password_expl: "det du loggede ind med..." + download_export: "Download min profil" + download_export_photos: "Hent mine billeder" download_photos: "Download mine billeder" - download_xml: "Download min XML" edit_account: "Rediger konto" email_awaiting_confirmation: "Vi har sendt dig et aktiveringslink til %{unconfirmed_email}. Indtil du følger dette link og aktiverer den nye adresse, vil vi fortsætte med at bruge din oprindelige adresse %{email}." export_data: "Eksportér data" + export_in_progress: "Vi er ved at behandle dine data. Vend venligst tilbage om et øjeblik." + export_photos_in_progress: "Vi behandler dine billeder. Vend tilbage om et øjeblik." following: "Delingsindstillinger" getting_started: "Ny bruger opsætning" + last_exported_at: "(sidst opdateret %{timestamp})" liked: "... nogen synes om dit indlæg." mentioned: "... du er nævnt i et indlæg." new_password: "Nyt adgangskode" - photo_export_unavailable: "Følg" private_message: "... du har modtaget en privat besked." receive_email_notifications: "Modtag en besked på e-mail når:" + request_export: "Bed om at få mine profil data" + request_export_photos: "Anmod om mine billeder" + request_export_photos_update: "Opdater mine billeder" + request_export_update: "Genopfrisk mine profildata" reshared: "... nogen deler dit indlæg." - show_community_spotlight: "Vis kreative medlemmer i din hovedstrøm?" + show_community_spotlight: "Vis Community Spotlight i din strøm?" show_getting_started: "Genaktivér 'Kom godt i gang'" someone_reported: "Der er en der har sendt en rapport" started_sharing: "... nogen er begyndt at dele med dig." stream_preferences: "Opsætning af din Strøm" your_email: "Din e-mail" - your_handle: "Dit Diaspora*-ID" + your_handle: "Dit Diaspora-ID" getting_started: - awesome_take_me_to_diaspora: "Fantastisk! Tag mig til Diaspora*" - community_welcome: "Diaspora*-samfundet er glad for at have dig ombord!" + awesome_take_me_to_diaspora: "Fantastisk! Tag mig til Diaspora" + community_welcome: "Diaspora-samfundet er glad for at have dig ombord!" connect_to_facebook: "Vi kan fremskynde tingene lidt op ved at %{link} til Diaspora. Dit navn og foto vil blive hentet, og videresending aktiveret." - connect_to_facebook_link: "forbinde din Facebook-konto" - hashtag_explanation: "Hashtags giver dig mulighed for at tale om og følge dine interesser. De er også en fantastisk måde at finde nye folk på Diaspora*." + connect_to_facebook_link: "Forbinde din Facebook-konto" + hashtag_explanation: "Hashtags giver dig mulighed for at tale om og følge dine interesser. De er også en fantastisk måde at finde nye folk på Diaspora." hashtag_suggestions: "Prøv med følgende tags som #kunst, #film, #gif, osv." saved: "Gemt!" well_hello_there: "Hejsa!" @@ -1304,8 +1365,10 @@ da: who_are_you: "Hvem er du?" privacy_settings: ignored_users: "Ignorerede brugere" - stop_ignoring: "Hold op med at ignorere" - title: "Privatliv" + no_user_ignored_message: "Du ignorerer for tiden ikke andre brugere" + stop_ignoring: "hold op med at ignorere" + strip_exif: "Fjern metadata såsom: sted, fotografens navn og kameramodel fra mine uploadede billeder (anbefalet)" + title: "Privatlivs indstillinger" public: does_not_exist: "Brugeren %{username} findes ikke!" update: @@ -1321,11 +1384,11 @@ da: unconfirmed_email_changed: "E-mail ændret. Kræver aktivering." unconfirmed_email_not_changed: "E-mail ændring mislykkedes" webfinger: - fetch_failed: "kunne ikke hente webfinger profil for %{profile_url}" - hcard_fetch_failed: "der opstod et problem i forbindelse med hentning af hcard for %{account}" + fetch_failed: "Kunne ikke hente webfinger profil for %{profile_url}" + hcard_fetch_failed: "Der opstod et problem i forbindelse med hentning af hcard for %{account}" no_person_constructed: "Ingen person kunne konstrueres fra dette hcard." - not_enabled: "det ser ikke ud til at webfinger er aktiveret på %{account}s domæne" - xrd_fetch_failed: "der opstod en fejl i forbindelse med hentning af xrd fra kontoen %{account}" + not_enabled: "Det ser ikke ud til at webfinger er aktiveret på %{account}s domæne" + xrd_fetch_failed: "Der opstod en fejl i forbindelse med hentning af xrd fra kontoen %{account}" welcome: "Velkommen!" will_paginate: next_label: "næste »" diff --git a/config/locales/diaspora/de.yml b/config/locales/diaspora/de.yml index 0e0ccefa4..0e47b71db 100644 --- a/config/locales/diaspora/de.yml +++ b/config/locales/diaspora/de.yml @@ -12,6 +12,7 @@ de: _home: "Startseite" _photos: "Fotos" _services: "Dienste" + _statistics: "Statistiken" _terms: "Bedingungen" account: "Konto" activerecord: @@ -40,7 +41,7 @@ de: reshare: attributes: root_guid: - taken: "Ziemlich gut, was? Du hast diesen Beitrag bereits weitergesagt!" + taken: "Ziemlich gut, was? Du hast diesen Beitrag bereits weitergesagt!" user: attributes: email: @@ -96,15 +97,19 @@ de: id: "ID" last_seen: "Zuletzt gesehen" ? "no" - : Nein + : nein nsfw: "NSFW (unpassend für den Arbeitsplatz)" - unknown: "Unbekannt" + unknown: "unbekannt" ? "yes" : ja user_search: account_closing_scheduled: "Das Konto von %{name} soll geschlossen werden. Dies dauert ein paar Augenblicke..." + account_locking_scheduled: "Das Konto von %{name} ist zur Sperrung vorgesehen. Es wird in wenigen Augenblicken verarbeitet..." + account_unlocking_scheduled: "Das Konto von %{name} ist zur Entperrung vorgesehen. Es wird in wenigen Augenblicken verarbeitet..." add_invites: "Einladungen hinzufügen" are_you_sure: "Möchtest du dein Konto wirklich schließen?" + are_you_sure_lock_account: "Bist du dir sicher, dass du dieses Konto sperren möchtest?" + are_you_sure_unlock_account: "Bist du dir sicher, dass du dieses Konto entsperren möchtest?" close_account: "Konto schließen" email_to: "per E-Mail einladen" under_13: "Zeige Benutzer, die unter 13 Jahre alt sind (COPPA)" @@ -112,7 +117,7 @@ de: one: "%{count} Benutzer gefunden" other: "%{count} Benutzer gefunden" zero: "%{count} Benutzer gefunden" - view_profile: "Profil anzeigen" + view_profile: "Profil ansehen" you_currently: one: "Du hast noch eine Einladung übrig %{link}" other: "Du hast noch %{count} Einladungen übrig %{link}" @@ -141,8 +146,6 @@ de: add_to_aspect: failure: "Fehler beim Hinzufügen des Kontakts zum Aspekt." success: "Kontakt erfolgreich zum Aspekt hinzugefügt." - aspect_contacts: - done_editing: "Änderungen abgeschlossen" aspect_listings: add_an_aspect: "+ Aspekt hinzufügen" deselect_all: "Auswahl aufheben" @@ -161,23 +164,18 @@ de: failure: "%{name} ist nicht leer und konnte nicht entfernt werden." success: "%{name} wurde erfolgreich entfernt." edit: - add_existing: "Einen bereits bestehenden Kontakt hinzufügen" - aspect_list_is_not_visible: "Kontakte in diesem Aspekt können einander nicht sehen" - aspect_list_is_visible: "Kontakte in diesem Aspekt können einander sehen" + aspect_chat_is_enabled: "Kontakte in diesem Aspekt können mit dir chatten." + aspect_chat_is_not_enabled: "Kontakte in diesem Aspekt können nicht mit dir chatten." + aspect_list_is_not_visible: "Kontakte in diesem Aspekt können einander nicht sehen." + aspect_list_is_visible: "Kontakte in diesem Aspekt können einander sehen." confirm_remove_aspect: "Bist du dir sicher, dass du diesen Aspekt löschen möchtest?" - done: "Fertig" + grant_contacts_chat_privilege: "Kontakten im Aspekt das Chatrecht gewähren?" make_aspect_list_visible: "Kontakte aus diesem Aspekt öffentlich machen?" - manage: "Verwalten" remove_aspect: "Diesen Aspekt löschen" - rename: "umbenennen" + rename: "Umbenennen" set_visibility: "Sichtbarkeit festlegen" update: "Ändern" - updating: "Ändere …" - few: "%{count} Aspekte" - helper: - are_you_sure: "Möchtest du diesen Aspekt wirklich löschen?" - aspect_not_empty: "Aspekt ist nicht leer" - remove: "entfernen" + updating: "Ändere…" index: diaspora_id: content_1: "Deine diaspora* ID ist:" @@ -218,11 +216,6 @@ de: heading: "Verbinde Dienste" unfollow_tag: "#%{tag} nicht mehr folgen" welcome_to_diaspora: "Willkommen bei diaspora*, %{name}!" - many: "%{count} Aspekte" - move_contact: - error: "Fehler beim Verschieben des Kontakts: %{inspect}" - failure: "hat nicht funktioniert: %{inspect}" - success: "Person in neuen Aspekt verschoben" new: create: "Erstellen" name: "Name (nur für dich sichtbar)" @@ -240,18 +233,10 @@ de: family: "Familie" friends: "Freunde" work: "Arbeit" - selected_contacts: - manage_your_aspects: "Verwalte deine Aspekte." - no_contacts: "Du hast hier noch keine Kontakte." - view_all_community_spotlight: "Schaukasten der gesamten Gemeinschaft" - view_all_contacts: "Zeige alle Kontakte" - show: - edit_aspect: "Aspekt bearbeiten" - two: "%{count} Aspekte" update: failure: "%{name} ist ein zu langer Name, um gespeichert zu werden." success: "Aspekt %{name} erfolgreich bearbeitet." - zero: "keine Aspekte" + zero: "Keine Aspekte" back: "Zurück" blocks: create: @@ -267,36 +252,31 @@ de: post_success: "Erstellt! Schließen …" cancel: "Abbrechen" comments: - few: "%{count} Kommentare" - many: "%{count} Kommentare" new_comment: comment: "Kommentieren" commenting: "Kommentieren …" one: "Ein Kommentar" other: "%{count} Kommentare" - two: "%{count} Kommentare" zero: "Keine Kommentare" contacts: create: failure: "Fehler beim Erstellen des Kontakts" - few: "%{count} Kontakte" index: add_a_new_aspect: "Einen neuen Aspekt hinzufügen" + add_contact: "Kontakt hinzufügen" add_to_aspect: "Füge Kontakte zu %{name} hinzu" - add_to_aspect_link: "füge Kontakte zu »%{name}« hinzu" all_contacts: "Alle Kontakte" community_spotlight: "Gemeinschafts-Focus" - many_people_are_you_sure: "Bist du dir sicher, dass du eine private Unterhaltung mit mehr als %{suggested_limit} Kontakten beginnen möchtest? Einen Beitrag in diesen Aspekt zu schreiben könnte ein besserer Weg sein, um sie zu kontaktieren." my_contacts: "Meine Kontakte" no_contacts: "Sieht so aus, als müsstest du einige Kontakte hinzufügen!" + no_contacts_in_aspect: "Du hast noch keine Kontakte in diesem Aspekt. Unten ist eine Liste mit deinen bestehenden Kontakten, die du zu diesem Aspekt hinzufügen kannst." no_contacts_message: "Guck’ in den %{community_spotlight}" - no_contacts_message_with_aspect: "Guck’ in den %{community_spotlight} oder %{add_to_aspect_link}" only_sharing_with_me: "Nur mit dir Teilende" - remove_person_from_aspect: "Entferne %{person_name} aus \"%{aspect_name}\"" + remove_contact: "Kontakt entfernen" start_a_conversation: "Beginne eine Unterhaltung" title: "Kontakte" + user_search: "Nutzersuche" your_contacts: "Deine Kontakte" - many: "%{count} Kontakte" one: "Ein Kontakt" other: "%{count} Kontakte" sharing: @@ -304,8 +284,7 @@ de: spotlight: community_spotlight: "Gemeinschafts-Schaukasten" suggest_member: "Ein Mitglied vorschlagen" - two: "%{count} Kontakte" - zero: "Kontakte" + zero: "Keine Kontakte" conversations: conversation: participants: "Teilnehmer" @@ -314,7 +293,8 @@ de: no_contact: "Hoppla, du musst den Kontakt erst hinzufügen!" sent: "Nachricht versendet" destroy: - success: "Konversation erfolgreich entfernt" + delete_success: "Das Gespräch wurde erfolgreich gelöscht." + hide_success: "Das Gespräch wurde erfolgreich ausgeblendet." helper: new_messages: few: "%{count} neue Nachrichten" @@ -324,7 +304,7 @@ de: two: "%{count} neue Nachrichten" zero: "Keine neuen Nachrichten" index: - conversations_inbox: "Konversationen – Eingang" + conversations_inbox: "Konversationen – Posteingang" create_a_new_conversation: "beginne eine neue Konversation" inbox: "Eingang" new_conversation: "Neue Konversation" @@ -339,7 +319,8 @@ de: new_conversation: fail: "Ungültige Nachricht" show: - delete: "Diese Konversation löschen und blockieren" + delete: "Dieses Gespräch löschen." + hide: "Gespräch ausblenden und stumm schalten." reply: "Antworten" replying: "Antworten …" date: @@ -376,7 +357,7 @@ de: change_aspect_of_post_q: "Kann ich die Aspekte eines Beitrags nach dem Senden nochmal verändern?" contacts_know_aspect_a: "Nein. Sie können den Namen des Aspekts, in welchem sie eingeordnet sind, nicht sehen." contacts_know_aspect_q: "Wissen meine Kontakte in welchem Aspekt von mir sie sind?" - contacts_visible_a: "" + contacts_visible_a: "Wenn du diese Option anwählst, werden die Kontakte dieses Aspekts die Möglichkeit haben, auf Ihrem Profil unter Ihrem Profilbild, zu sehen wer sonst noch in diesem Aspekt ist. Es ist am besten diese Option nur anzuwählen, wenn sich alle Kontakte in diesem Aspekt untereinander kennen. Sie werden aber trotzdem nicht erfahren, wie dieser Aspekt heißt." contacts_visible_q: "Was bewirkt „Kontakte aus diesem Aspekt öffentlich machen“?" delete_aspect_a: "Positioniere deinen Mauszeiger links auf der Startseite auf dem Aspekt, den du löschen willst und klicke auf den dann erscheinenden, kleinen „Bearbeiten“-Stift. Klicke anschließend in der erscheinenden Box auf die Schaltfläche „Löschen“." delete_aspect_q: "Wie kann ich einen Aspekt löschen?" @@ -395,9 +376,16 @@ de: what_is_an_aspect_q: "Was sind Aspekte?" who_sees_post_a: "Wenn du einen begrenzten Beitrag postest, wird dieser nur für Leute sichtbar sein, die sich in dem ausgewählten Aspekt (oder in den ausgewählten Aspekten, falls du mehrere ausgewählt hast) befinden. Deine anderen Kontakte werden ihn nicht sehen, es sei denn, du machst ihn öffentlich. Ausschließlich öffentliche Beiträge werden auch für Leute sichtbar sein, die sich in keinem deiner Aspekte befinden." who_sees_post_q: "Wenn ich einen Beitrag an einen Aspekt poste, wer sieht ihn dann?" + chat: + add_contact_roster_a: "Zuerst musst du den Chat für einen der Aspekte aktivieren, in denen sich die Person befindet. Dafür gehst du zur %{contacts_page}, wählst den gewünschten Aspekt aus und klickst auf das Chat-Icon, um den Chat für den Aspekt zu aktivieren. %{toggle_privilege} Wenn es dir lieber ist, kannst du auch einen speziellen Aspekt namens 'Chat' erstellen und zu ihm die Leute hinzufügen, mit denen du chatten willst. Wenn du damit fertig bist, öffnest du die Chatoberfläche und wählst die Person aus, mit der du chatten willst." + add_contact_roster_q: "Wie kann ich auf diaspora* mit jemandem chatten?" + contacts_page: "Kontaktseite" + title: "Chat" + faq: "FAQ" foundation_website: "Webseite der diaspora*-Stiftung" getting_help: - get_support_a_hashtag: "frage in einem öffentlichen diaspora* Beitrag mit dem Hashtag %{question}." + get_support_a_faq: "Lies unsere %{faq}-Seite im Wiki" + get_support_a_hashtag: "Stelle auf diaspora* in einem öffentlichen Beitrag eine Frage anhand des Hashtags %{question}." get_support_a_irc: "Nehme am %{irc} teil" get_support_a_tutorials: "Lies unsere %{tutorials}" get_support_a_website: "Besuche unsere %{link}" @@ -415,6 +403,10 @@ de: keyboard_shortcuts_li2: "k - zum vorigen Beitrag springen" keyboard_shortcuts_li3: "c - den aktuellen Beitrag kommentieren" keyboard_shortcuts_li4: "l - den aktuellen Beitrag mit „Gefällt mir“ markieren" + keyboard_shortcuts_li5: "r - den aktuellen Beitrag teilen" + keyboard_shortcuts_li6: "m - den aktuellen Beitrag ausklappen" + keyboard_shortcuts_li7: "o - den ersten externen Link des aktuellen Beitrags in neuem Fenster öffnen" + keyboard_shortcuts_li8: "Strg + Enter - Sende die Nachricht, die du schreibst" keyboard_shortcuts_q: "Welche Tastenkürzel gibt es?" title: "Tastenkürzel" markdown: "Markdown" @@ -464,6 +456,14 @@ de: insert_images_comments_a2: "kann sowohl in Kommentaren, als auch in Beiträgen, dazu benutzt werden, Bilder aus dem Internet einzufügen." insert_images_comments_q: "Kann ich Bilder in Kommentare einfügen?" insert_images_q: "Wie füge ich einem Beitrag Fotos hinzu?" + post_location_a: "Klicke auf das Stecknadelsymbol neben der Kamera im Eingabefeld für Veröffentlichungen. Das wird deine Position von OpenStreetMap einfügen. Du kannst deine Position bearbeiten – vielleicht möchtest du nur die Stadt, in der du dich befindest, einbinden, und nicht die genaue Adresse." + post_location_q: "Wie füge ich einem Beitrag meine Position hinzu?" + post_notification_a: "Neben dem X oben rechts an einem Beitrag findest du ein Glockensymbol. Klicke darauf, um Benachrichtigungen für jenen Beitrag zu aktivieren oder zu deaktivieren." + post_notification_q: "Wie kann ich Benachrichtigungen über einen Beitrag an- oder ausschalten?" + post_poll_a: "Klicke auf das Diagrammsymbol, um eine Umfrage zu erstellen. Gib eine Frage und mindestens zwei Antwortmöglichkeiten ein. Vergiss nicht, deinen Beitrag öffentlich zu machen, wenn jeder daran teilnehmen können soll." + post_poll_q: "Wie füge ich meinem Beitrag eine Umfrage hinzu?" + post_report_a: "Klicke auf das Warndreieck oben rechts an einem Beitrag, um ihn deinem Podmin zu melden. Gib einen Grund für das Melden des Beitrags in der Dialogbox ein." + post_report_q: "Wie melde ich einen anstößigen Beitrag?" size_of_images_a: "Nein. Bilder werden automatisch auf eine Größe geändert, die in den Stream passt. Markdown bietet keinen Code, um die Größe eines Bildes anzugeben." size_of_images_q: "Kann ich die Größe von Bildern in Beiträgen oder Kommentaren anpassen?" stream_full_of_posts_a1: "Dein Stream ist zusammengesetzt aus drei Arten von Beiträgen:" @@ -528,6 +528,7 @@ de: add_to_aspect_li5: "Aber wenn Ben sich nun Amys Profil ansieht, dann kann er ihre privaten Beiträge des Aspekts sehen, in welchen sie ihn eingeordnet hat (und natürlich ihre öffentlichen, die jeder sehen kann)." add_to_aspect_li6: "Ben sieht nun Amys privates Profil (Beschreibung, Ort, Geschlecht, Geburtstag)." add_to_aspect_li7: "Amy ist nun auf Bens Kontaktseite unter „Nur mit dir teilend“ zu finden." + add_to_aspect_li8: "Amy wird Ben auch in einem Beitrag @erwähnen können." add_to_aspect_q: "Was passiert wenn ich jemanden zu meinen Aspekten hinzufüge? Oder wenn mich jemand zu seinen Aspekten hinzufügt?" list_not_sharing_a: "Nein, aber du kannst auf den Profilseiten von Leuten nachsehen, ob sie mit dir teilen. Wenn ja, ist die Leiste unter deren Profilbild grün, andernfalls grau. Du solltest zudem immer, wenn jemand mit dir zu teilen beginnt, eine Benachrichtigung bekommen." list_not_sharing_q: "Gibt es eine Liste mit Leuten, die ich zu einem meiner Aspekte hinzugefügt habe, die mich aber noch nicht zu einem ihrer Aspekte hinzugefügt haben?" @@ -535,6 +536,8 @@ de: only_sharing_q: "Wer ist auf der Kontaktseite unter „Nur mit dir teilend“ zu finden?" see_old_posts_a: "Nein. Er wird ausschließlich neue Beiträge für diesen Aspekt sehen. Er (und alle Anderen) können aber alle älteren, öffentlichen Beiträge von dir auf deiner Profilseite oder in ihrem Stream sehen." see_old_posts_q: "Wenn ich jemanden zu einem Aspekt hinzufüge, sieht er dann auch ältere, bereits geschriebene Beiträge in diesem Aspekt?" + sharing_notification_a: "Du solltest jedes Mal, wenn jemand mit dir zu teilen anfängt, eine Benachrichtigung erhalten." + sharing_notification_q: "Wie erfahre ich es, wenn jemand anfängt, mit mir zu teilen?" title: "Teilen" tags: filter_tags_a: "Dass ist in in diaspora* derzeit nicht möglich, aber einige %{third_party_tools} wurde geschrieben um dies zu ermöglichen." @@ -638,7 +641,7 @@ de: limited: "Begrenzt" more: "Mehr" next: "Nächste" - no_results: "Keine Ergebnisse gefunden." + no_results: "Keine Ergebnisse gefunden" notifications: also_commented: one: "%{actors} hat auch %{post_author}s Beitrag %{post_link} kommentiert." @@ -665,7 +668,7 @@ de: zero: "Keine neuen Benachrichtigungen" index: all_notifications: "Alle Benachrichtigungen" - also_commented: "Auch Kommentiert" + also_commented: "Auch kommentiert" and: "und" and_others: few: "und %{count} anderen" @@ -681,6 +684,7 @@ de: mark_read: "Als gelesen markieren" mark_unread: "als ungelesen markieren" mentioned: "Erwähnt" + no_notifications: "Du hast noch keine Benachrichtigungen." notifications: "Benachrichtigungen" reshared: "Weitergesagt" show_all: "Alle anzeigen" @@ -741,7 +745,9 @@ de: two: "%{actors} haben angefangen mit dir zu teilen." zero: "Niemand hat angefangen mit dir zu teilen." notifier: + a_limited_post_comment: "Auf diaspora* gibt es einen neuen Kommentar zu einem begrenzten Beitrag." a_post_you_shared: "ein Beitrag." + a_private_message: "Auf diaspora* gibt eine neue Private Nachricht für dich." accept_invite: "Bestätige deine diaspora* Einladung!" click_here: "Hier klicken" comment_on_post: @@ -750,6 +756,47 @@ de: click_link: "Um deine neue E-Mail-Adresse %{unconfirmed_email} zu aktivieren, klicke bitte auf diesen Link:" subject: "Bitte aktiviere deine neue E-Mail-Adresse %{unconfirmed_email}" email_sent_by_diaspora: "Diese E-Mail wurde von %{pod_name} verschickt. Falls du solche E-Mails nicht mehr erhalten willst," + export_email: + body: |- + Hallo %{name}, + + Deine Daten wurden verarbeitet und stehen [hier zum Download bereit](%{url}). + + Gruß, + + der diaspora* E-Mail-bot! + subject: "Deine persönlichen Daten stehen zum Download bereit, %{name}" + export_failure_email: + body: |- + Hallo %{name}, + + Es trat ein Fehler beim Verarbeiten deiner Daten auf. + Bitte versuche es noch einmal! + + Gruß, + Der diaspora* email bot! + subject: "Entschuldige %{name}, es gab einen Fehler beim Verarbeiten deiner Daten." + export_photos_email: + body: |- + Hallo %{name}, + + Deine Fotos wurden verarbeitet und können unter [diesem Link](%{url}) heruntergeladen werden. + + Grüße, + + Der diaspora* E-Mail-Roboter! + subject: "Deine Fotos sind bereit zum Herunterladen, %{name}" + export_photos_failure_email: + body: |- + Hallo %{name}, + + Beim Verarbeiten deiner Fotos zum Herunterladen ist ein Problem aufgetreten. + Bitte versuche es noch einmal! + + Entschuldigung, + + Der diaspora* E-Mail-Roboter! + subject: "Es gab ein Problem mit deinen Fotos, %{name}" hello: "Hallo %{name}!" invite: message: |- @@ -775,6 +822,22 @@ de: subject: "%{name} hat dich auf diaspora* erwähnt" private_message: reply_to_or_view: "Antworte oder sieh dir diese Unterhaltung an >" + remove_old_user: + body: |- + Hallo, + + da du dein Konto unter %{pod_url} seit %{after_days} nicht mehr benutzt hast, sieht es so aus, als ob du es nicht mehr möchtest. Um unseren aktiven Nutzern auf diesem Pod die bestmögliche Leistung zu bieten, würden wir ungewollte Konten gerne aus unserer Datenbank entfernen. + + Es würde uns sehr gefallen, wenn du ein Teil der diaspora*-Gemeinschaft bleibst, und wenn du möchtest kannst du dein Konto behalten. + + Wenn du dein Konto behalten möchtest, musst du dich nur vor %{remove_after} anmelden. Wenn du dich angemeldet hast, nimm dir einen Augenblick Zeit, um dich auf diaspora* umzusehen. Es hat sich seit deinem letzten Besuch stark verändert und wir glauben, dass dir die Verbesserungen, die wir vorgenommen haben, gefallen werden. Folge einigen #Tags, um Inhalte zu finden, die dir gefallen. + + Melde dich hier an: %{login_url}. Falls du deine Zugangsdaten vergessen hast, kannst du dir auf der Seite eine Erinnerung zuschicken lassen. + + In Hoffnung dich wiederzusehen, + + Der diaspora* E-Mail-Roboter! + subject: "Dein diaspora*-Konto wurde aufgrund von Inaktivität zur Löschung markiert" report_email: body: |- Hallo, @@ -818,7 +881,6 @@ de: add_contact_from_tag: "Füge Kontakt über einen Hashtag hinzu" aspect_list: edit_membership: "Bearbeite die Aspekt-Zugehörigkeit" - few: "%{count} Personen" helper: is_not_sharing: "%{name} teilt nicht mit dir" is_sharing: "%{name} teilt mit dir" @@ -829,14 +891,13 @@ de: no_one_found: "… und niemand wurde gefunden." no_results: "Hey! Du musst nach etwas suchen." results_for: "Suchergebnisse für %{search_term}" - search_handle: "Nutze die diaspora* ID (nutzername@pod.tld) deiner Freunde um sie leichter zu finden." + search_handle: "Nutze die diaspora* ID (nutzername@pod.tld) deiner Freunde, um sie leichter zu finden." searching: "suche, bitte warten..." send_invite: "Immer noch nichts? Verschicke eine Einladung!" - many: "%{count} Personen" one: "einer Person" other: "%{count} Personen" person: - add_contact: "Kontakt hinzufügen" + add_contact: "+ Kontakt hinzufügen" already_connected: "Bereits verbunden" pending_request: "Ausstehende Anfrage" thats_you: "Das bist du!" @@ -869,7 +930,6 @@ de: add_some: "Füge neue hinzu" edit: "Bearbeiten" you_have_no_tags: "Du hast keine Tags!" - two: "%{count} Personen" webfinger: fail: "Entschuldigung, wir konnten %{handle} nicht finden." zero: "niemand" @@ -933,8 +993,8 @@ de: first_name: "Vorname" last_name: "Nachname" nsfw_check: "Markiere alles, was ich teile, als NSFW" - nsfw_explanation: "NSFW („Not safe for work“, dt. „Unpassend für den Arbeitsplatz“) ist Diasporas sich selbst verwaltender Community-Standard für Inhalte, die für das Ansehen während der Arbeit möglicherweise ungeeignet sind. Bitte aktiviere diese Option, wenn du häufig derartiges Material teilen möchtest, damit es in den Streams anderer Leute, die es nicht sehen wollen, ausgeblendet wird." - nsfw_explanation2: "Wenn du diese Option nicht verwenden möchtest, markiere entsprechendes Material bitte mit dem Tag #nsfw." + nsfw_explanation: "NSFW („Not safe for work“, dt. „Unpassend für den Arbeitsplatz“) ist Diasporas sich selbst verwaltender Gemeinschafts-Standard für Inhalte, die für das Ansehen während der Arbeit möglicherweise ungeeignet sind. Bitte aktiviere diese Option, wenn du häufig derartiges Material teilen möchtest, damit es in den Streams anderer Leute, die es nicht sehen wollen, ausgeblendet wird." + nsfw_explanation2: "Wenn du diese Option nicht auswählst, markiere deine entsprechenden Beiträge dann bitte jeweils mit dem Tag #nsfw." update_profile: "Profil aktualisieren" your_bio: "Deine Beschreibung" your_birthday: "Dein Geburtstag" @@ -958,7 +1018,7 @@ de: two: "%{count} Reaktionen" zero: "Keine Reaktionen" registrations: - closed: "Neuregistrierungen sind auf diesem Pod geschlossen." + closed: "Neuregistrierungen sind auf diesem diaspora*-Pod geschlossen." create: success: "Du bist diaspora* beigetreten!" edit: @@ -970,29 +1030,26 @@ de: update: "Aktualisieren" invalid_invite: "Der von dir erstellte Einladungs-Link ist nicht mehr gültig!" new: - continue: "Weiter" create_my_account: "Konto erstellen!" - diaspora: "<3 diaspora*" - email: "EMAIL" + email: "E-Mail" enter_email: "Gib eine E-Mail-Adresse an" enter_password: "Gib ein Kennwort ein (mindestens sechs Zeichen)" enter_password_again: "Gib das gleiche Kennwort wie zuvor ein" enter_username: "Wähle einen Nutzernamen (nur Buchstaben, Nummern und Unterstriche)" - hey_make: "HEY,
MACHE
ETWAS." join_the_movement: "Tritt der Bewegung bei!" - password: "PASSWORT" - password_confirmation: "PASSWORT BESTÄTIGEN" - sign_up: "REGISTRIEREN" + password: "Passwort" + password_confirmation: "Passwort bestätigen" + sign_up: "Registrieren" sign_up_message: "Soziales Netzwerken mit ♥" submitting: "Absenden…" terms: "Indem du ein Konto erstellst, akzeptierst du die %{terms_link}." terms_link: "Nutzungsbedingungen" - username: "BENUTZERNAME" + username: "Benutzername" report: comment_label: "Kommentar:
%{data}" confirm_deletion: "Bist du dir sicher, dass du das Objekt löschen willst?" - delete_link: "Lösche Objekt" - not_found: "Der Beitrag/Kommentar wurde nicht gefunden. Es sieht so aus, als ob er vom Benutzer gelöscht wurde!" + delete_link: "Lösche Element" + not_found: "Der Beitrag/Kommentar wurde nicht gefunden. Es sieht so aus, als ob er vom Benutzer gelöscht wurde!" post_label: "Beitrag: %{title}" reason_label: "Grund: %{text}" reported_label: "Gemeldet von %{person}" @@ -1053,7 +1110,7 @@ de: failure: error: "Es gab einen Fehler der Verbindung mit dem Dienst." finder: - fetching_contacts: "Deine %{service}-Freunde werden momentan eingeladen. Schau bitte in ein paar Minuten noch einmal vorbei!" + fetching_contacts: "Deine %{service}-Freunde werden momentan eingeladen. Schau in ein paar Minuten noch einmal vorbei!" no_friends: "Keine Facebook-Freunde gefunden." service_friends: "%{service}-Freunde" index: @@ -1089,6 +1146,8 @@ de: your_diaspora_username_is: "Dein diaspora*-Nutzername ist: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Kontakt hinzufügen" + mobile_row_checked: "%{name} (entfernen)" + mobile_row_unchecked: "%{name} (hinzufügen)" toggle: few: "In %{count} Aspekten" many: "In %{count} Aspekten" @@ -1145,7 +1204,7 @@ de: posting: "Senden …" preview: "Vorschau" publishing_to: "Veröffentlichen an: " - remove_location: "Position entfernen" + remove_location: "Ort entfernen" share: "Teilen" share_with: "Teile mit" upload_photos: "Fotos hochladen" @@ -1172,8 +1231,23 @@ de: message: default: "Der Sicherheitsschlüssel entsprach nicht dem aus dem Bild." failed: "Menschlichkeitsprüfung fehlgeschlagen" - user: "Der eingegebene Code unterschied sich vom abgebildeten." - placeholder: "Gebe die dargestellten Zeichen ein" + user: "Der eingegebene Code unterschied sich vom Abgebildeten." + placeholder: "Gib die dargestellten Zeichen ein" + statistics: + active_users_halfyear: "Aktive Benutzer innerhalb eines halben Jahres" + active_users_monthly: "Aktive Benutzer innerhalb eines Monats" + closed: "Geschlossen" + disabled: "Nicht verfügbar" + enabled: "Verfügbar" + local_comments: "Lokale Kommentare" + local_posts: "Lokale Beiträge" + name: "Name" + network: "Netzwerk" + open: "Offen" + registrations: "Registrierungen" + services: "Dienste" + total_users: "Gesamtzahl Benutzer" + version: "Version" status_messages: create: success: "Erfolgreich erwähnt: %{names}" @@ -1183,15 +1257,11 @@ de: no_message_to_display: "Keine Nachricht zum Anzeigen." new: mentioning: "Erwähnt: %{person}" - too_long: - few: "Bitte kürze deinen Beitrag auf weniger als %{count} Zeichen." - many: "Bitte kürze deinen Beitrag auf weniger als %{count} Zeichen." - one: "Bitte kürze deinen Beitrag auf weniger als %{count} Zeichen." - other: "Bitte kürze deinen Beitrag auf weniger als %{count} Zeichen." - two: "Bitte kürze deinen Beitrag auf unter %{count} Zeichen." - zero: "Bitte kürze deinen Beitrag auf weniger als %{count} Zeichen." + too_long: "Bitte kürze deinen Beitrag auf weniger als %{count} Zeichen. Im Moment enthält er %{current_length} Zeichen" stream_helper: hide_comments: "Alle Kommentare verbergen" + no_more_posts: "Du hast das Ende des Streams erreicht." + no_posts_yet: "Es existieren bisher keine Beiträge." show_comments: few: "Zeige %{count} weitere Kommentare" many: "Zeige %{count} weitere Kommentare" @@ -1230,7 +1300,6 @@ de: title: "Öffentliche Aktivität" tags: contacts_title: "Personen, die diesen Tag nutzen" - tag_prefill_text: "Das Interessante an %{tag_name} ist, dass …" title: "Getaggte Beiträge: %{tags}" tag_followings: create: @@ -1241,18 +1310,16 @@ de: failure: "Fehler beim Beenden des Folgens von: #%{name}. Vielleicht hast du schon aufgehört zu folgen?" success: "Schade! Du folgst #%{name} nun nicht mehr." tags: + name_too_long: "Bitte kürze deinen Tag-Namen auf weniger als %{count} Zeichen. Im Moment enthält er %{current_length} Zeichen" show: follow: "#%{tag} folgen" - followed_by_people: - one: "von einer Person gefolgt" - other: "von %{count} Personen gefolgt" - zero: "von keiner Person gefolgt" following: "Du folgst #%{tag}" - nobody_talking: "Niemand hat bisher etwas über %{tag} gesagt." none: "Der leere Tag existiert nicht!" - people_tagged_with: "Personen, die mit %{tag} getaggt sind" - posts_tagged_with: "Beiträge, die mit #%{tag} getaggt sind" stop_following: "#%{tag} nicht mehr folgen" + tagged_people: + one: "1 Person ist getaggt mit %{tag}" + other: "%{count} Personen sind getaggt mit %{tag}" + zero: "Niemand ist getaggt mit %{tag}" terms_and_conditions: "Allgemeine Geschäftsbedingungen" undo: "Rückgängig machen?" username: "Benutzername" @@ -1265,7 +1332,7 @@ de: success: "Dein Account wurde gesperrt. Es kann bis zu 20 Minuten dauern, bis dein Account endgültig geschlossen ist. Vielen Dank, dass du diaspora* ausprobiert hast." wrong_password: "Das eingegebene Kennwort stimmt nicht mit deinem aktuellen Kennwort überein." edit: - also_commented: "… jemand ebenfalls den Beitrag eines Kontaktes kommentiert" + also_commented: "… jemand ebenfalls den Beitrag, den du kommentiert hast, kommentiert" auto_follow_aspect: "Aspekt für automatisch gefolgten Benutzern:" auto_follow_back: "Folge Benutzern automatisch, wenn sie dir folgen" change: "Ändern" @@ -1275,35 +1342,42 @@ de: character_minimum_expl: "bitte mindestens sechs Zeichen eingeben" close_account: dont_go: "Hey, bitte geh nicht!" - if_you_want_this: "Wenn du das wirklich möchtest, gib dein Kennwort ein und klicke auf 'Konto schließen'" - lock_username: "Das wird deinen Benutzernamen sperren, falls du dich dazu entscheidest, dich neu anzumelden." - locked_out: "Du wirst abgemeldet und von deinem Account ausgesperrt." - make_diaspora_better: "Wir möchten, dass du uns dabei hilfst, diaspora* besser zu machen, anstatt zu gehen. Wenn du wirklich gehen möchtest, wollen wir dich auf dem Laufenden halten." + if_you_want_this: "Wenn du das wirklich möchtest, gib unten dein Passwort ein und klicke auf 'Konto schließen'" + lock_username: "Dein Benutzername wird gesperrt werden. Du wirst auf diesem Pod kein neues Konto mit derselben ID erstellen können." + locked_out: "Du wirst abgemeldet und von deinem Konto ausgesperrt, bis es gelöscht wurde." + make_diaspora_better: "Wir würden uns freuen, wenn du bleibst und uns hilfst, diaspora* besser zu machen, anstatt uns zu verlassen. Wenn du uns wirklich verlassen möchtest, wird folgendes passieren:" mr_wiggles: "Mr. Wiggles wird traurig sein, wenn du gehst" - no_turning_back: "Momentan gibt es kein Zurück." - what_we_delete: "Wir löschen alle deine Beiträge und dein Profil so schnell wie möglich. Deine Kommentare bleiben hier, werden jedoch mit deiner diaspora* ID anstatt deinem Namen verbunden." + no_turning_back: "Es gibt kein Zurück! Wenn du dir wirklich sicher bist, gib unten dein Passwort ein." + what_we_delete: "Wir löschen alle deine Beiträge und dein Profil so schnell wie möglich. Deine Kommentare auf anderer Leute Beiträge werden weiterhin angezeigt, aber sie werden mit deiner diaspora*-ID statt mit deinem Namen verknüpft." close_account_text: "Konto schließen" comment_on_post: "… jemand deinen Beitrag kommentiert" current_password: "Derzeitiges Kennwort" current_password_expl: "das mit dem Du dich anmeldest..." + download_export: "Mein Profil herunterladen" + download_export_photos: "Meine Fotos herunterladen" download_photos: "Meine Fotos herunterladen" - download_xml: "Daten herunterladen (XML)" edit_account: "Konto bearbeiten" email_awaiting_confirmation: "Wir haben dir einen Aktivierungslink zu %{unconfirmed_email} geschickt. Solange du dem Link nicht gefolgt bist und die neue Adresse aktiviert hast, werden wir weiterhin deine ursprüngliche E-Mail-Adresse %{email} verwenden." export_data: "Daten exportieren" + export_in_progress: "Wir verarbeiten momentan deine Daten - schau etwas später noch einmal vorbei." + export_photos_in_progress: "Wir sind gerade dabei, deine Fotos zu verarbeiten. Bitte guck in ein paar Augenblicken noch mal vorbei." following: "Folgen-Einstellungen" getting_started: "Einstellungen für neue Nutzer" - liked: "… wenn jemandem dein Beitrag gefällt?" + last_exported_at: "(Zuletzt aktualisiert: %{timestamp})" + liked: "… jemandem dein Beitrag gefällt" mentioned: "… du in einem Beitrag erwähnt wirst" new_password: "Neues Kennwort" - photo_export_unavailable: "Exportieren von Fotos derzeit nicht verfügbar" private_message: "… du eine private Nachricht erhältst" receive_email_notifications: "E-Mail-Benachrichtigungen empfangen, wenn …" - reshared: "… jemand deinen Beitrag weitersagt?" + request_export: "Meine Profildaten anfordern" + request_export_photos: "Meine Fotos anfragen" + request_export_photos_update: "Meine Fotos aktualisieren" + request_export_update: "Meine Profildaten aktualisieren" + reshared: "… jemand deinen Beitrag weitersagt" show_community_spotlight: "Gemeinschafts-Schaukasten im Stream anzeigen?" show_getting_started: "Einstiegshinweise wieder aktivieren" - someone_reported: "jemand hat eine Meldung gesendet" - started_sharing: "… jemand mit dir zu teilen anfängt" + someone_reported: "... jemand einen Beitrag gemeldet hat" + started_sharing: "… jemand anfägt mit dir zu teilen" stream_preferences: "Stream-Einstellungen" your_email: "Deine E-Mail-Adresse" your_handle: "Deine diaspora* ID" @@ -1320,7 +1394,9 @@ de: who_are_you: "Wer bist Du?" privacy_settings: ignored_users: "Benutzer, die ignoriert werden" + no_user_ignored_message: "Du ignorierst momentan keinen anderen Benutzer" stop_ignoring: "Aufhören, zu ignorieren" + strip_exif: "Entferne Metadaten wie Ort, Autor und Kameramodell von hochgeladenen Bildern (empfohlen)" title: "Privatsphären-Einstellungen" public: does_not_exist: "Benutzer %{username} existiert nicht!" diff --git a/config/locales/diaspora/de_formal.yml b/config/locales/diaspora/de_formal.yml index 5ed3dca7b..16ceee011 100644 --- a/config/locales/diaspora/de_formal.yml +++ b/config/locales/diaspora/de_formal.yml @@ -12,6 +12,8 @@ de_formal: _home: "Startseite" _photos: "Fotos" _services: "Dienste" + _statistics: "Statistik" + _terms: "Bedingungen" account: "Konto" activerecord: errors: @@ -102,8 +104,12 @@ de_formal: : ja user_search: account_closing_scheduled: "Das Konto von %{name} soll geschlossen werden. Dies dauert ein paar Augenblicke..." + account_locking_scheduled: "Das Konto von %{name} ist zur Sperrung vorgesehen. Es wird in wenigen Augenblicken verarbeitet..." + account_unlocking_scheduled: "Das Konto von %{name} ist zur Entsperrung vorgesehen. Es wird in wenigen Augenblicken verarbeitet..." add_invites: "Einladungen hinzufügen" are_you_sure: "Möchten Sie Ihr Konto wirklich schließen?" + are_you_sure_lock_account: "Sind Sie sicher, dass Sie dieses Konto sperren möchten?" + are_you_sure_unlock_account: "Sind Sie sicher, dass Sie dieses Konto entsperren möchten?" close_account: "Konto schließen" email_to: "per E-Mail einladen" under_13: "Zeige Benutzer, die unter 13 Jahre alt sind (COPPA)" @@ -113,7 +119,7 @@ de_formal: zero: "%{count} Benutzer gefunden" view_profile: "Profil anzeigen" you_currently: - one: "Sie haben derzeit %{count} Einladung übrig %{link}" + one: "Sie haben derzeit eine Einladung übrig %{link}" other: "Sie haben derzeit %{count} Einladungen übrig %{link}" zero: "Sie haben derzeit keine Einladung übrig %{link}" weekly_user_stats: @@ -140,8 +146,6 @@ de_formal: add_to_aspect: failure: "Fehler beim Hinzufügen des Kontakts zum Aspekt." success: "Kontakt erfolgreich zum Aspekt hinzugefügt." - aspect_contacts: - done_editing: "Änderungen abgeschlossen" aspect_listings: add_an_aspect: "+ Aspekt hinzufügen" deselect_all: "Auswahl aufheben" @@ -160,28 +164,23 @@ de_formal: failure: "%{name} ist nicht leer und konnte nicht entfernt werden." success: "%{name} wurde erfolgreich entfernt." edit: - add_existing: "Einen bereits bestehenden Kontakt hinzufügen" - aspect_list_is_not_visible: "Die Aspektliste wird vor anderen im Aspekt versteckt" - aspect_list_is_visible: "Die Aspektliste ist für andere im Aspekt sichtbar" + aspect_chat_is_enabled: "Kontakte in diesem Askekt können mit Ihnen chatten." + aspect_chat_is_not_enabled: "Kontakte in diesem Aspekt können nicht mit Ihnen chatten." + aspect_list_is_not_visible: "Kontakte in diesem Aspekt können einander nicht sehen." + aspect_list_is_visible: "Kontakte in diesem Aspekt können einander sehen." confirm_remove_aspect: "Sind Sie sich sicher, dass Sie diesen Aspekt löschen möchten?" - done: "Fertig" + grant_contacts_chat_privilege: "Kontakten im Aspekt das Chatrecht gewähren?" make_aspect_list_visible: "Kontakte aus diesem Aspekt öffentlich machen?" - manage: "Verwalten" remove_aspect: "Diesen Aspekt löschen" - rename: "umbenennen" + rename: "Umbenennen" set_visibility: "Sichtbarkeit festlegen" update: "Ändern" - updating: "Ändere …" - few: "%{count} Aspekte" - helper: - are_you_sure: "Möchten Sie diesen Aspekt wirklich löschen?" - aspect_not_empty: "Aspekt ist nicht leer" - remove: "entfernen" + updating: "Ändere…" index: diaspora_id: - content_1: "Ihre diaspora* ID ist:" - content_2: "Geben Sie diese weiter und seien Sie somit auf diaspora* leicht zu finden." - heading: "diaspora* ID" + content_1: "Ihre diaspora*-ID ist:" + content_2: "Geben Sie diese an andere weiter und sie werden Sie leicht auf diaspora* finden können." + heading: "diaspora*-ID" donate: "Spenden" handle_explanation: "Das ist Ihre diaspora* ID. Sie können sie wie eine E-Mail-Adresse weitergeben, damit andere Nutzer mit Ihnen Kontakt aufnehmen können." help: @@ -207,21 +206,16 @@ de_formal: new_here: follow: "Folgen Sie %{link} und heißen Sie neue Benutzer auf diaspora* willkommen!" learn_more: "Mehr erfahren" - title: "Willkommen, neuer Benutzer" + title: "Heißen Sie neue Benutzer willkommen" no_contacts: "Keine Kontakte" no_tags: "+ Finden Sie einen #Tag zum folgen" people_sharing_with_you: "Leute, die mit Ihnen teilen" post_a_message: "Schreiben Sie eine Nachricht >>" services: content: "Sie können die folgenden Dienste mit diaspora* verbinden:" - heading: "Verbinde Dienste" + heading: "Dienste verbinden" unfollow_tag: "#%{tag} nicht mehr folgen" welcome_to_diaspora: "Willkommen bei diaspora*, %{name}!" - many: "%{count} Aspekte" - move_contact: - error: "Fehler beim Verschieben des Kontakts: %{inspect}" - failure: "hat nicht funktioniert: %{inspect}" - success: "Person in neuen Aspekt verschoben" new: create: "Erstellen" name: "Name (nur für Sie sichtbar)" @@ -239,18 +233,10 @@ de_formal: family: "Familie" friends: "Freunde" work: "Arbeit" - selected_contacts: - manage_your_aspects: "Verwalten Sie ihre Aspekte." - no_contacts: "Sie haben hier noch keine Kontakte." - view_all_community_spotlight: "Schaukasten der gesamten Gemeinschaft" - view_all_contacts: "Zeige alle Kontakte" - show: - edit_aspect: "Aspekt bearbeiten" - two: "%{count} Aspekte" update: failure: "%{name} ist ein zu langer Name, um gespeichert zu werden." success: "Aspekt %{name} erfolgreich bearbeitet." - zero: "keine Aspekte" + zero: "Keine Aspekte" back: "Zurück" blocks: create: @@ -266,36 +252,31 @@ de_formal: post_success: "Erstellt! Schließen …" cancel: "Abbrechen" comments: - few: "%{count} Kommentare" - many: "%{count} Kommentare" new_comment: comment: "Kommentieren" commenting: "Kommentieren …" one: "Ein Kommentar" other: "%{count} Kommentare" - two: "%{count} Kommentare" zero: "Keine Kommentare" contacts: create: failure: "Fehler beim Erstellen des Kontakts" - few: "%{count} Kontakte" index: add_a_new_aspect: "Einen neuen Aspekt hinzufügen" + add_contact: "Kontakt hinzufügen" add_to_aspect: "Füge Kontakte zu %{name} hinzu" - add_to_aspect_link: "Füge Kontakte zu %{name} hinzu" all_contacts: "Alle Kontakte" community_spotlight: "Gemeinschafts-Focus" - many_people_are_you_sure: "Sind Sie sich sicher, dass Sie eine private Unterhaltung mit mehr als %{suggested_limit} Kontakten beginnen möchten? Einen Beitrag in diesen Aspekt zu schreiben könnte ein besserer Weg sein, um sie zu kontaktieren." my_contacts: "Meine Kontakte" no_contacts: "Sieht so aus als müssten Sie einige Kontakte hinzufügen!" + no_contacts_in_aspect: "Sie haben noch keine Kontakte in diesem Aspekt. Unten befindet sich eine Liste Ihrer bestehenden Kontakte, die Sie zu diesem Aspekt hinzufügen können." no_contacts_message: "Erkunden Sie den %{community_spotlight}" - no_contacts_message_with_aspect: "Schauen Sie in den %{community_spotlight} oder %{add_to_aspect_link}" only_sharing_with_me: "Nur mit Ihnen Teilende" - remove_person_from_aspect: "Entferne %{person_name} aus \"%{aspect_name}\"" + remove_contact: "Kontakt entfernen" start_a_conversation: "Starten Sie eine Unterhaltung" title: "Kontakte" + user_search: "Nutzersuche" your_contacts: "Ihre Kontakte" - many: "%{count} Kontakte" one: "Ein Kontakt" other: "%{count} Kontakte" sharing: @@ -303,7 +284,6 @@ de_formal: spotlight: community_spotlight: "Gemeinschafts-Schaukasten" suggest_member: "Ein Mitglied vorschlagen" - two: "%{count} Kontakte" zero: "Kontakte" conversations: conversation: @@ -313,7 +293,8 @@ de_formal: no_contact: "Hoppla, Sie müssen den Kontakt erst hinzufügen!" sent: "Nachricht versendet" destroy: - success: "Konversation erfolgreich entfernt" + delete_success: "Unterhaltung erfolgreich gelöscht" + hide_success: "Unterhaltung erfolgreich ausgeblendet" helper: new_messages: few: "%{count} neue Nachrichten" @@ -339,6 +320,7 @@ de_formal: fail: "Ungültige Nachricht" show: delete: "Diese Konversation löschen und blockieren" + hide: "Unterhaltung ausblenden und stummschalten" reply: "Antworten" replying: "Antworten …" date: @@ -394,8 +376,15 @@ de_formal: what_is_an_aspect_q: "Was sind Aspekte?" who_sees_post_a: "Wenn Sie einen begrenzten Beitrag posten, wird dieser nur für Leute sichtbar sein, die sich in dem ausgewählten Aspekt (oder in den ausgewählten Aspekten, falls Sie mehrere ausgewählt haben) befinden. Ihre anderen Kontakte werden ihn nicht sehen, es sei denn, Sie machen ihn öffentlich. Ausschließlich öffentliche Beiträge werden auch für Leute sichtbar sein, die sich in keinem Ihrer Aspekte befinden." who_sees_post_q: "Wenn ich einen Beitrag an einen Aspekt poste, wer sieht ihn dann?" + chat: + add_contact_roster_a: "Zuerst müssen Sie den Chat für einen der Aspekte aktivieren, in denen sich die Person befindet. Dafür gehen Sie zur %{contacts_page}, wählen den gewünschten Aspekt aus und klicken auf das Chat-Icon, um den Chat für den Aspekt zu aktivieren. %{toggle_privilege} Wenn es Ihnen lieber ist, können Sie auch einen speziellen Aspekt namens 'Chat' erstellen und zu ihm die Personen hinzufügen, mit denen Sie chatten möchten. Wenn Sie das erledigt haben, öffnen Sie die Chatoberfläche und wählen die Person aus, mit der Sie chatten möchten." + add_contact_roster_q: "Wie kann ich auf diaspora* mit jemandem chatten?" + contacts_page: "Kontaktseite" + title: "Chat" + faq: "FAQ" foundation_website: "Webseite der diaspora*-Stiftung" getting_help: + get_support_a_faq: "Lesen Sie die %{faq}-Seite im Wiki" get_support_a_hashtag: "fragen Sie in einem öffentlichen diaspora* Beitrag mit dem Hashtag %{question}." get_support_a_irc: "Nehmen Sie am %{irc} teil" get_support_a_tutorials: "Lesen Sie unsere %{tutorials}" @@ -414,6 +403,10 @@ de_formal: keyboard_shortcuts_li2: "k - zum vorigen Beitrag springen" keyboard_shortcuts_li3: "c - den aktuellen Beitrag kommentieren" keyboard_shortcuts_li4: "l - den aktuellen Beitrag mit „Gefällt mir“ markieren" + keyboard_shortcuts_li5: "r - den aktuellen Beitrag weitersagen" + keyboard_shortcuts_li6: "m - den aktuellen Beitrag ausklappen" + keyboard_shortcuts_li7: "o - den ersten externen Link im Beitrag in einem neuen Fenster öffnen" + keyboard_shortcuts_li8: "Strg + Enter - Senden Sie die Nachricht, die Sie schreiben" keyboard_shortcuts_q: "Welche Tastenkürzel gibt es?" title: "Tastenkürzel" markdown: "Markdown" @@ -434,7 +427,7 @@ de_formal: diaspora_app_q: "Gibt es eine diaspora* App für Android oder iOS?" photo_albums_a: "Nein, momentan nicht. Aber Sie können sich die hochgeladenen Bilder in der Fotosektion in der linke Leiste auf dem Profil ansehen." photo_albums_q: "Gibt es Foto- oder Videoalben?" - subscribe_feed_a: "Ja, allerdings ist diese Funktion noch immer nicht ganz ausgereift und das Ergebnis wird nicht ganz richtig formatiert. Wenn Sie die Funktion dennoch benutzen wollen, gehen Sie einfach zu der Profilseite der Person und klicken Sie auf die Feed-Schaltfläche deines Browsers oder kopieren Sie die Profil-URL (z.B. https://joindiaspora.com/people/irgendeinenummer) und fügen Sie sie in den Feedreader ein. Die resultierenden Feed-Adressen sehen aus wie https://joindiaspora.com/public/benutzername.atom. diaspora* benutzt Atom an Stelle von RSS." + subscribe_feed_a: "Ja, allerdings ist diese Funktion noch immer nicht ganz ausgereift und das Ergebnis wird nicht ganz richtig formatiert. Wenn Sie die Funktion dennoch benutzen wollen, gehen Sie einfach zu der Profilseite der Person und klicken Sie auf die Feed-Schaltfläche deines Browsers oder kopieren Sie die Profil-URL (z.B. https://joindiaspora.com/people/irgendeinenummer) und fügen Sie sie in den Feedreader ein. Die resultierenden Feed-Adressen sehen aus wie https://joindiaspora.com/public/benutzername.atom – diaspora* benutzt Atom an Stelle von RSS." subscribe_feed_q: "Kann ich die öffentlichen Beiträge einer Person mit einem Feedreader verfolgen?" title: "Diverses" pods: @@ -463,6 +456,14 @@ de_formal: insert_images_comments_a2: "kann sowohl in Kommentaren, als auch in Beiträgen, dazu benutzt werden, Bilder aus dem Internet einzufügen." insert_images_comments_q: "Kann ich Bilder in Kommentare einfügen?" insert_images_q: "Wie füge ich zu einem Beitrag Fotos hinzu?" + post_location_a: "Klicken Sie auf das Stecknadelsymbol neben der Kamera im Eingabefeld für Veröffentlichungen. Dies wird Ihre Position von OpenStreetMap einfügen. Sie können Ihre Position bearbeiten – möglicherweise möchten Sie nur die Stadt, in der Sie sich befinden, einbinden, und nicht die genaue Adresse." + post_location_q: "Wie füge ich einem Beitag meine Position hinzu?" + post_notification_a: "Neben dem X oben rechts an einem Beitrag finden Sie ein Glockensymbol. Klicken Sie darauf, um Benachrichtigungen für jenen Beitrag zu aktivieren oder zu deaktivieren." + post_notification_q: "Wie kann ich Benachrichtigungen über einen Beitrag ein- oder ausschalten?" + post_poll_a: "Klicken Sie auf das Diagrammsymbol, um eine Umfrage zu erstellen. Geben Sie eine Frage und mindestens zwei Antwortmöglichkeiten ein. Vergessen Sie nicht, Ihren Beitrag öffentlich zu machen, wenn jeder daran teilnehmen können soll." + post_poll_q: "Wie füge ich meinem Beitrag eine Umfrage hinzu?" + post_report_a: "Klicken Sie auf das Warndreieck oben rechts an einem Beitrag, um ihn Ihrem Podmin zu melden. Geben Sie einen Grund für das Melden des Beitrags in der Dialogbox ein." + post_report_q: "Wie melde ich einen anstößigen Beitrag?" size_of_images_a: "Nein. Bilder werden automatisch auf eine Größe geändert, die in den Stream passt. Markdown bietet keinen Code, um die Größe eines Bildes anzugeben." size_of_images_q: "Kann ich die Größe von Bildern in Beiträgen oder Kommentaren anpassen?" stream_full_of_posts_a1: "Ihr Stream setzt sich aus drei Arten von Beiträgen zusammen:" @@ -527,6 +528,7 @@ de_formal: add_to_aspect_li5: "Aber wenn Ben sich nun Amys Profil ansieht, dann kann er ihre privaten Beiträge des Aspekts sehen, in welchen sie ihn eingeordnet hat (und natürlich ihre öffentlichen, die jeder sehen kann)." add_to_aspect_li6: "Ben sieht nun Amys privates Profil (Beschreibung, Ort, Geschlecht, Geburtstag)." add_to_aspect_li7: "Amy ist nun auf Bens Kontaktseite unter „Nur mit dir teilend“ zu finden." + add_to_aspect_li8: "Amy wird Ben auch in einem Beitrag @erwähnen können." add_to_aspect_q: "Was passiert wenn ich jemanden zu meinen Aspekten hinzufüge? Oder wenn mich jemand zu seinen Aspekten hinzufügt?" list_not_sharing_a: "Nein, aber Sie können auf den Profilseiten von Leuten nachsehen, ob sie mit Ihnen teilen. Wenn ja, ist die Leiste unter deren Profilbild grün, andernfalls grau. Sie sollten zudem immer, wenn jemand mit Ihnen zu teilen beginnt, eine Benachrichtigung bekommen." list_not_sharing_q: "Gibt es eine Liste mit Leuten, die ich zu einem meiner Aspekte hinzugefügt habe, die mich aber noch nicht zu einem ihrer Aspekte hinzugefügt haben?" @@ -534,6 +536,8 @@ de_formal: only_sharing_q: "Wer ist auf der Kontaktseite unter „Nur mit dir teilend“ zu finden?" see_old_posts_a: "Nein. Er wird ausschließlich neue Beiträge für diesen Aspekt sehen. Er (und alle Anderen) können aber alle älteren öffentlichen Beiträge von Ihnen auf Ihrer Profilseite oder in ihrem Stream sehen." see_old_posts_q: "Wenn ich jemanden zu einem Aspekt hinzufüge, sieht er dann auch ältere, bereits geschriebene Beiträge in diesem Aspekt?" + sharing_notification_a: "Sie sollten jedes Mal, wenn jemand mit Ihnen zu teilen anfängt, eine Benachrichtigung erhalten." + sharing_notification_q: "Wie erfahre ich es, wenn jemand anfängt, mit mir zu teilen?" title: "Teilen" tags: filter_tags_a: "Dass ist in in diaspora* derzeit nicht möglich, aber einige %{third_party_tools} wurden geschrieben um dies zu ermöglichen." @@ -637,15 +641,12 @@ de_formal: limited: "Begrenzt" more: "Mehr" next: "Nächste" - no_results: "Keine Ergebnisse gefunden." + no_results: "Keine Ergebnisse gefunden" notifications: also_commented: - few: "%{actors} haben auch %{post_author}s %{post_link} kommentiert." - many: "%{actors} haben auch %{post_author}s %{post_link} kommentiert." - one: "%{actors} hat auch %{post_author}s %{post_link} kommentiert." - other: "%{actors} haben auch %{post_author}s %{post_link} kommentiert." - two: "%{actors} haben auch %{post_author}s %{post_link} kommentiert." - zero: "%{actors} hat auch %{post_author}s %{post_link} kommentiert." + one: "%{actors} hat auch %{post_author}s Beitrag %{post_link} kommentiert." + other: "%{actors} haben auch %{post_author}s Beitrag %{post_link} kommentiert." + zero: "%{actors} hat auch %{post_author}s Beitrag %{post_link} kommentiert." also_commented_deleted: few: "%{actors} haben einen inzwischen gelöschten Beitrag kommentiert." many: "%{actors} haben einen inzwischen gelöschten Beitrag kommentiert." @@ -654,12 +655,9 @@ de_formal: two: "%{actors} haben deinen inzwischen gelöschten Beitrag kommentiert." zero: "Niemand hat einen inzwischen gelöschten Beitrag kommentiert." comment_on_post: - few: "%{actors} haben Ihren %{post_link} kommentiert." - many: "%{actors} haben Ihren %{post_link} kommentiert." - one: "%{actors} hat Ihren %{post_link} kommentiert." - other: "%{actors} haben Ihren %{post_link} kommentiert." - two: "%{actors} hat Ihren %{post_link} kommentiert." - zero: "Niemand hat Ihren %{post_link} kommentiert." + one: "%{actors} hat Ihren Beitrag %{post_link} kommentiert." + other: "%{actors} haben Ihren Beitrag %{post_link} kommentiert." + zero: "%{actors} hat Ihren Beitrag %{post_link} kommentiert." helper: new_notifications: few: "%{count} neue Benachrichtigungen" @@ -682,21 +680,20 @@ de_formal: comment_on_post: "Einen Beitrag Kommentiert" liked: "Gefällt" mark_all_as_read: "Markiere alle als gelesen" + mark_all_shown_as_read: "Alle angezeigten als gelesen markieren" mark_read: "Als gelesen markieren" mark_unread: "als ungelesen markieren" mentioned: "Erwähnt" + no_notifications: "Sie haben noch keine Benachrichtigungen." notifications: "Benachrichtigungen" reshared: "Weitergesagt" show_all: "alle zeigen" show_unread: "Ungelesene anzeigen" started_sharing: "Angefangen zu teilen" liked: - few: "%{actors} gefällt Ihr %{post_link}." - many: "%{actors} gefällt Ihr %{post_link}." - one: "%{actors} gefällt Ihr %{post_link}." - other: "%{actors} gefällt Ihr %{post_link}." - two: "%{actors} mag Ihr %{post_link}." - zero: "Niemandem gefällt Ihr %{post_link}." + one: "%{actors} gefällt Ihr Beitrag %{post_link}." + other: "%{actors} gefällt Ihr Beitrag %{post_link}." + zero: "Niemandem gefällt Ihr Beitrag %{post_link}." liked_post_deleted: few: "%{actors} gefällt Ihr gelöschter Beitrag." many: "%{actors} gefällt Ihr gelöschter Beitrag." @@ -705,12 +702,9 @@ de_formal: two: "%{actors} gefällt Ihr gelöschter Beitrag." zero: "Niemandem gefällt Ihr gelöschter Beitrag." mentioned: - few: "%{actors} haben Sie in einem %{post_link} erwähnt." - many: "%{actors} haben Sie in einem %{post_link} erwähnt." - one: "%{actors} hat Sie in einem %{post_link} erwähnt." - other: "%{actors} haben Sie in einem %{post_link} erwähnt." - two: "%{actors} hat Sie in einem %{post_link} erwähnt." - zero: "Niemand hat Sie in einem %{post_link} erwähnt." + one: "%{actors} hat Sie in dem Beitrag %{post_link} erwähnt." + other: "%{actors} haben Sie in dem %{post_link} erwähnt." + zero: "Niemand hat Sie in dem Beitrag %{post_link} erwähnt." mentioned_deleted: few: "%{actors} haben Sie in einem gelöschten Beitrag erwähnt." many: "%{actors} haben Sie in einem gelöschten Beitrag erwähnt." @@ -727,12 +721,9 @@ de_formal: two: "%{actors} hat Ihnen eine Nachricht geschickt." zero: "%{actors} hat Ihnen eine Nachricht gesendet." reshared: - few: "%{actors} haben Ihren %{post_link} weitergesagt." - many: "%{actors} haben Ihren %{post_link} weitergesagt." - one: "%{actors} hat Ihren %{post_link} weitergesagt." - other: "%{actors} haben Ihren %{post_link} weitergesagt." - two: "%{actors} hat Ihren %{post_link} weitergeleitet." - zero: "%{actors} haben Ihren %{post_link} weitergesagt." + one: "%{actors} hat Ihren Beitrag %{post_link} weitergesagt." + other: "%{actors} haben Ihren Beitrag %{post_link} weitergesagt." + zero: "%{actors} haben Ihren Beitrag %{post_link} weitergesagt." reshared_post_deleted: few: "%{actors} haben Ihren gelöschten Beitrag weitergesagt." many: "%{actors} haben Ihren gelöschten Beitrag weitergesagt." @@ -748,7 +739,9 @@ de_formal: two: "%{actors} haben angefangen mit Ihnen zu teilen." zero: "Niemand hat angefangen mit Ihnen zu teilen." notifier: + a_limited_post_comment: "Auf diaspora* wartet ein neuer Kommentar auf einem begrenzten Beitrag darauf, von Ihnen gelesen zu werden." a_post_you_shared: "ein Beitrag." + a_private_message: "Auf diaspora* wartet eine neue private Nachricht darauf, von Ihnen gelesen zu werden." accept_invite: "Bestätigen Sie Ihre diaspora* Einladung!" click_here: "Hier klicken" comment_on_post: @@ -757,6 +750,45 @@ de_formal: click_link: "Um deine neue E-Mail-Adresse %{unconfirmed_email} zu aktivieren, klicken Sie bitte auf diesen Link:" subject: "Bitte aktivieren Sie Ihre neue E-Mail-Adresse %{unconfirmed_email}" email_sent_by_diaspora: "Diese E-Mail wurde von %{pod_name} verschickt. Falls Sie solche E-Mails nicht mehr erhalten wollen," + export_email: + body: |- + Hallo %{name}, + + Ihre Daten wurden verarbeiten und stehen [hier zum Download bereit](%{url}). + + Gruß, + Der diaspora* email bot! + subject: "Ihre persönlichen Daten sind bereit zum Download, %{name}" + export_failure_email: + body: |- + Hallo %{name}, + + Es trat ein Fehler beim Verarbeiten Ihrer Daten auf, bitte versuchen Sie es später noch einmal. + + Gruß, + Der diaspora* email bot! + subject: "Entschuldige, es gab einen Fehler beim Verarbeiten Ihrer Daten, %{name}" + export_photos_email: + body: |- + Hallo %{name}, + + Ihre Fotos wurden verarbeitet und können nun unter [diesem Link](%{url}) heruntergeladen werden. + + Grüße, + + Der diaspora* E-Mail-Roboter! + subject: "Ihre Fotos stehen zum Herunterladen bereit, %{name}" + export_photos_failure_email: + body: |- + Hallo %{name} + + Bei der Verarbeitung Ihrer Fotos zum Herunterladen ist ein Problem aufgetreten. + Bitte versuchen Sie es noch einmal! + + Entschuldigung, + + Der diaspora* E-Mail-Roboter! + subject: "Es ist ein Problem mit Ihren Fotos aufgetreten, %{name}" hello: "Hallo %{name}!" invite: message: |- @@ -782,6 +814,22 @@ de_formal: subject: "%{name} hat Sie auf diaspora* erwähnt" private_message: reply_to_or_view: "Antworten Sie oder sehen Sie sich diese Unterhaltung an >" + remove_old_user: + body: |- + Hallo, + + da Sie Ihr Konto unter %{pod_url} seit %{after_days} nicht mehr benutzt haben, sieht es so aus, als ob Sie es nicht mehr möchten. Um unseren aktiven Nutzern auf diesem Pod die bestmögliche Leistung zu bieten, würden wir ungewollte Konten gerne aus unserer Datenbank entfernen. + + Es würde uns sehr gefallen, wenn Sie ein Teil der diaspora*-Gemeinschaft bleiben, und wenn Sie möchten können Sie ihr Konto behalten. + + Wenn Sie Ihr Konto behalten möchten, müssen Sie sich nur vor %{remove_after} anmelden. Wenn Sie sich angemeldet haben, nehmen Sie sich einen Augenblick Zeit, um sich auf diaspora* umzusehen. Es hat sich seit Ihrem letzten Besuch stark verändert und wir glauben, dass Ihnen die Verbesserungen, die wir vorgenommen haben, gefallen werden. Folgen Sie einigen #Tags, um Inhalte zu finden, die Ihnen gefallen. + + Melden Sie sich hier an: %{login_url}. Falls Sie Ihre Zugangsdaten vergessen haben, können Sie sich auf der Seite eine Erinnerung zuschicken lassen. + + In Hoffnung Sie wiederzusehen, + + Der diaspora* E-Mail-Roboter! + subject: "Ihr diaspora*-Konto wurde aufgrund von Inaktivität zur Löschung markiert" report_email: body: |- Hallo, @@ -825,7 +873,6 @@ de_formal: add_contact_from_tag: "Fügen Sie Kontakt über einen Hashtag hinzu" aspect_list: edit_membership: "Bearbeiten Sie die Aspekt-Zugehörigkeit" - few: "%{count} Personen" helper: is_not_sharing: "%{name} teilt nicht mit Ihnen" is_sharing: "%{name} teilt mit Ihnen" @@ -835,11 +882,10 @@ de_formal: looking_for: "Suchen Sie mit %{tag_link} getaggte Beiträge?" no_one_found: "… und niemand wurde gefunden." no_results: "Hey! Sie müssen nach etwas suchen." - results_for: "Suchergebnisse für" + results_for: "Suchergebnisse für %{search_term}" search_handle: "Nutzen Sie die diaspora* ID (nutzername@pod.tld) Ihrer Freunde, um sie leichter zu finden." searching: "suche, bitte warten..." send_invite: "Immer noch nichts? Verschicken Sie eine Einladung!" - many: "%{count} Personen" one: "Eine Person" other: "%{count} Personen" person: @@ -876,7 +922,6 @@ de_formal: add_some: "Füge neue hinzu" edit: "Bearbeiten" you_have_no_tags: "Sie haben keine Tags!" - two: "%{count} Personen" webfinger: fail: "Entschuldigung, wir konnten %{handle} nicht finden." zero: "Keine Personen" @@ -932,7 +977,7 @@ de_formal: profile: "Profil" profiles: edit: - allow_search: "Erlauben Sie anderen auf diaspora* nach Ihnen zu suchen" + allow_search: "Erlauben Sie anderen, auf diaspora* nach Ihnen zu suchen" edit_profile: "Profil bearbeiten" first_name: "Vorname" last_name: "Nachname" @@ -974,21 +1019,20 @@ de_formal: update: "Aktualisieren" invalid_invite: "Der von Ihnen erstellte Einladungs-Link ist nicht mehr gültig!" new: - continue: "Weiter" create_my_account: "Konto erstellen" - diaspora: "<3 diaspora*" email: "E-MAIL" enter_email: "Geben Sie eine E-Mail-Adresse an" enter_password: "Geben Sie ein Kennwort ein (mindestens sechs Zeichen)" enter_password_again: "Geben Sie das gleiche Kennwort wie zuvor ein" enter_username: "Wählen Sie einen Nutzernamen (nur Buchstaben, Nummern und Unterstriche)" - hey_make: "HEY,
MACHEN SIE
ETWAS." join_the_movement: "Treten Sie der Bewegung bei!" password: "PASSWORT" password_confirmation: "PASSWORT BESTÄTIGEN" sign_up: "REGISTRIEREN" sign_up_message: "Soziales Netzwerken mit <3" submitting: "Absenden..." + terms: "Indem Sie ein Konto erstellen, akzeptieren Sie die %{terms_link}." + terms_link: "Nutzungsbedingungen" username: "BENUTZERNAME" report: comment_label: "Kommentar:
%{data}" @@ -1085,6 +1129,8 @@ de_formal: your_diaspora_username_is: "Ihr diaspora*-Nutzername ist: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Kontakt hinzufügen" + mobile_row_checked: "%{name} (entfernen)" + mobile_row_unchecked: "%{name} (hinzufügen)" toggle: few: "In %{count} Aspekten" many: "In %{count} Aspekten" @@ -1105,8 +1151,8 @@ de_formal: invite_someone: "Jemanden einladen" invite_your_friends: "Laden Sie Ihre Freunde ein" invites: "Einladungen" - invites_closed: "Einladungen sind auf diesem diaspora*-Pod derzeit nicht verfügbar." - share_this: "Teilen Sie diesen Link per E-Mail, Blog oder Ihrem beliebtesten sozialen Netzwerk!" + invites_closed: "Einladungen sind auf diesem diaspora*-Pod derzeit geschlossen" + share_this: "Teilen Sie diesen Link per E-Mail, Blog oder soziale Netzwerke!" notification: new: "Neue %{type} von %{from}" public_explain: @@ -1170,6 +1216,21 @@ de_formal: failed: "Menschlichkeitsprüfung fehlgeschlagen" user: "Der eingegebene Code unterschied sich vom abgebildeten" placeholder: "Geben Sie die dargestellten Zeichen ein" + statistics: + active_users_halfyear: "Aktive Benutzer innerhalb eines halben Jahres" + active_users_monthly: "Aktive Benutzer innerhalb eines Monats" + closed: "Geschlossen" + disabled: "Nicht verfügbar" + enabled: "Verfügbar" + local_comments: "Lokale Kommentare" + local_posts: "Lokale Beiträge" + name: "Name" + network: "Netzwerk" + open: "Offen" + registrations: "Registrierungen" + services: "Dienste" + total_users: "Gesamtzahl Benutzer" + version: "Version" status_messages: create: success: "Erfolgreich erwähnt: %{names}" @@ -1179,15 +1240,11 @@ de_formal: no_message_to_display: "Keine Nachricht zum Anzeigen." new: mentioning: "Erwähnt: %{person}" - too_long: - few: "Bitte kürzen Sie Ihren Beitrag auf weniger als %{count} Zeichen." - many: "Bitte kürzen Sie Ihren Beitrag auf weniger als %{count} Zeichen." - one: "Bitte kürzen Sie Ihren Beitrag auf weniger als %{count} Zeichen." - other: "Bitte kürzen Sie Ihren Beitrag auf weniger als %{count} Zeichen." - two: "Bitte kürzen Sie Ihren Beitrag auf unter %{count} Zeichen." - zero: "Bitte kürzen Sie Ihren Beitrag auf weniger als %{count} Zeichen." + too_long: "Bitte kürzen Sie Ihren Beitrag auf weniger als %{count} Zeichen. Im Moment enthält er %{current_length} Zeichen" stream_helper: hide_comments: "Alle Kommentare verbergen" + no_more_posts: "Sie haben das Ende des Streams erreicht." + no_posts_yet: "Es existieren noch keine Beiträge." show_comments: one: "Zeige einen weiteren Kommentar" other: "Zeige %{count} weitere Kommentare" @@ -1223,7 +1280,6 @@ de_formal: title: "Öffentliche Aktivität" tags: contacts_title: "Menschen, die diese Tags nutzen" - tag_prefill_text: "Das Interessante an %{tag_name} ist, dass… " title: "Getaggte Beiträge: %{tags}" tag_followings: create: @@ -1234,18 +1290,16 @@ de_formal: failure: "Fehler beim Beenden des Folgens von: #%{name}" success: "Sie folgen #%{name} nicht mehr" tags: + name_too_long: "Bitte kürzen Sie Ihren Tag-Namen auf weniger als %{count} Zeichen. Im Moment enthält er %{current_length} Zeichen" show: follow: "#%{tag} folgen" - followed_by_people: - one: "von einer Person gefolgt" - other: "von %{count} Personen gefolgt" - zero: "von keiner Person gefolgt" following: "#%{tag} folgen" - nobody_talking: "Niemand hat bisher etwas über %{tag} gesagt." none: "Der leere Tag existiert nicht!" - people_tagged_with: "Personen, die mit %{tag} getagt sind" - posts_tagged_with: "Beiträge, die mit #%{tag} getagt sind" stop_following: "#%{tag} nicht mehr folgen" + tagged_people: + one: "1 Person getaggt mit %{tag}" + other: "%{count} Personen getaggt mit %{tag}" + zero: "Keiner getaggt mit %{tag}" terms_and_conditions: "Nutzungsbedingungen" undo: "Rückgängig machen?" username: "Benutzername" @@ -1258,9 +1312,9 @@ de_formal: success: "Ihr Account wurde gesperrt. Es kann bis zu 20 Minuten dauern, bis Ihr Account endgültig geschlossen ist. Vielen Dank, dass Sie diaspora* ausprobiert haben." wrong_password: "Das eingegebene Kennwort stimmt nicht mit Ihrem aktuellen Kennwort überein." edit: - also_commented: "… jemand ebenfalls den Beitrag eines Kontaktes kommentiert?" - auto_follow_aspect: "Aspekt für automatisch gefolgte Benutzer:" - auto_follow_back: "Automatically follow back if a someone follows you" + also_commented: "jemand ebenfalls einen Beitrag kommentiert, den Sie kommentiert haben" + auto_follow_aspect: "Aspekt für automatisch gefolgte Kontakte:" + auto_follow_back: "Automatisch mit Benutzern teilen, die anfangen, mit Ihnen zu teilen" change: "Ändern" change_email: "E-Mail-Adresse ändern" change_language: "Sprache ändern" @@ -1268,35 +1322,42 @@ de_formal: character_minimum_expl: "bitte mindestens sechs Zeichen eingeben" close_account: dont_go: "Bitte gehen Sie nicht!" - if_you_want_this: "Wenn Sie das wirklich möchten, geben Sie Ihr Kennwort ein und klicken Sie auf 'Konto schließen'" - lock_username: "Das wird Ihren Benutzernamen sperren, falls Sie sich dazu entscheiden, sich neu anzumelden." - locked_out: "Sie werden abgemeldet und von Ihrem Account ausgesperrt." - make_diaspora_better: "Wir möchten, dass Sie uns dabei helfen diaspora* zu verbessern, anstatt uns zu verlassen. Falls Sie uns dennoch verlassen möchten, wollen wir Sie auf dem Laufenden halten." + if_you_want_this: "Wenn Sie wirklich möchten, dass das passiert, geben Sie Ihr Kennwort ein und klicken Sie auf 'Konto schließen'" + lock_username: "Ihr Benutzername wird gesperrt werden. Sie werden auf diesem Pod kein neues Konto mit derselben ID erstellen können." + locked_out: "Sie werden abgemeldet und von Ihrem Account ausgesperrt, bis es gelöscht wurde." + make_diaspora_better: "Wir würden uns freuen, wenn Sie bleiben und uns helfen, diaspora* besser zu machen, anstatt uns zu verlassen. Wenn Sie uns jedoch wirklich verlassen möchten, wird folgendes passieren:" mr_wiggles: "Mr. Wiggles wird traurig sein, wenn Sie gehen" - no_turning_back: "Momentan gibt es kein Zurück." - what_we_delete: "Wir löschen alle Ihre Beiträge und Ihr Profil so schnell wie möglich. Ihre Kommentare bleiben hier, werden jedoch mit einem diaspora*-Handle verbunden." + no_turning_back: "Momentan gibt es kein Zurück. Wenn Sie sich wirklich sicher sind, geben Sie Ihr Passwort unten ein." + what_we_delete: "Wir löschen alle Ihre Beiträge und Ihr Profil so schnell wie möglich. Ihre Kommentare auf Beiträge anderer Leute werden noch angezeigt, aber Sie werden mit Ihrer diaspora*-ID anstatt mit Ihrem Namen verknüpft." close_account_text: "Konto schließen" - comment_on_post: "… jemand Ihren Beitrag kommentiert?" + comment_on_post: "jemand Ihren Beitrag kommentiert" current_password: "Derzeitiges Kennwort" current_password_expl: "das mit dem Sie sich anmelden..." + download_export: "Mein Profil herunterladen" + download_export_photos: "Meine Fotos herunterladen" download_photos: "Meine Fotos herunterladen" - download_xml: "Daten herunterladen (XML)" edit_account: "Konto bearbeiten" email_awaiting_confirmation: "Wir haben Ihnen einen Aktivierungslink zu %{unconfirmed_email} geschickt. Solange Sie dem Link nicht gefolgt sind und die neue Adresse aktiviert haben, werden wir weiterhin Ihre ursprüngliche E-Mail-Adresse %{email} verwenden." export_data: "Daten exportieren" - following: "Folgen-Einstellungen" + export_in_progress: "Vorbereitung Ihrer Daten läuft - schauen Sie etwas später noch mal vorbei." + export_photos_in_progress: "Ihre Fotos werden derzeit verarbeitet. Bitte sehen Sie in wenigen Augenblicken erneut nach." + following: "Teilen-Einstellungen" getting_started: "Einstellungen für neue Nutzer" - liked: "… wenn jemandem Ihr Beitrag gefällt?" - mentioned: "… Sie in einem Beitrag erwähnt werden?" + last_exported_at: "(Zuletzt aktualisiert um %{timestamp})" + liked: "wenn jemandem Ihr Beitrag gefällt" + mentioned: "Sie in einem Beitrag erwähnt werden" new_password: "Neues Kennwort" - photo_export_unavailable: "Das Exportieren von Fotos ist derzeit nicht verfügbar" - private_message: "… Sie eine private Nachricht erhalten?" - receive_email_notifications: "E-Mail-Benachrichtigungen empfangen, wenn …" - reshared: "… jemand Ihren Beitrag weitersagt?" - show_community_spotlight: "Gemeinschafts-Schaukasten im Stream anzeigen?" - show_getting_started: "Einstieg reaktivieren" + private_message: "Sie eine private Nachricht erhalten" + receive_email_notifications: "E-Mail-Benachrichtigungen empfangen, wenn:" + request_export: "Meine Profildaten anfordern" + request_export_photos: "Meine Fotos anfragen" + request_export_photos_update: "Meine Fotos aktualisieren" + request_export_update: "Meine Profildaten aktualisieren" + reshared: "jemand Ihren Beitrag weitersagt" + show_community_spotlight: "Gemeinschafts-Schaukasten im Stream anzeigen" + show_getting_started: "Einstiegshinweise anzeigen" someone_reported: "jemand hat eine Meldung gesendet" - started_sharing: "… jemand mit Ihnen zu teilen anfängt?" + started_sharing: "jemand mit Ihnen zu teilen anfängt" stream_preferences: "Stream-Einstellungen" your_email: "Ihre E-Mail-Adresse" your_handle: "Ihre diaspora* ID" @@ -1313,7 +1374,9 @@ de_formal: who_are_you: "Wer sind Sie?" privacy_settings: ignored_users: "Ignorierte Benutzer" + no_user_ignored_message: "Sie ignorieren momentan keinen anderen Benutzer" stop_ignoring: "Ignorieren beenden" + strip_exif: "Entferne Metadaten z.B. Ort, Autor und Kameramodell von hochgeladenen Bildern (empfohlen)" title: "Privatsphären-Einstellungen" public: does_not_exist: "Benutzer %{username} existiert nicht!" diff --git a/config/locales/diaspora/el.yml b/config/locales/diaspora/el.yml index 5c5dc026e..dca363908 100644 --- a/config/locales/diaspora/el.yml +++ b/config/locales/diaspora/el.yml @@ -31,7 +31,7 @@ el: reshare: attributes: root_guid: - taken: "Έχετε ήδη κοινοποιήσει αυτή την ανάρτηση!" + taken: "Έχεις ήδη κοινοποιήσει αυτή την ανάρτηση!" user: attributes: email: @@ -46,10 +46,11 @@ el: correlations: "Συσχετίσεις" pages: "Σελίδες" pod_stats: "Στατιστικά του Pod" + sidekiq_monitor: "Sidekiq monitor" user_search: "Αναζήτηση χρηστών" - weekly_user_stats: "Εβδομαδιαία στατιστηκά χρηστών" + weekly_user_stats: "Εβδομαδιαία στατιστικά χρηστών" correlations: - correlations_count: "Συσχετίσεις με Είσοδος:" + correlations_count: "Συσχετίσεις με αριθμό συνδέσεων:" stats: 2weeks: "2 εβδομάδων" 50_most: "Οι 50 πιο Δημοφιλείς Ετικέτες" @@ -77,40 +78,48 @@ el: other: "%{count} χρήστες" zero: "%{count} χρήστες" week: "Εβδομάδας" + user_entry: + ? "no" + : όχι + nsfw: "#nsfw" + ? "yes" + : ναί user_search: add_invites: "προσθήκη προσκλήσεων" - email_to: "Ηλεκτρονικό ταχυδρομείο για Πρόσκληση" + email_to: "Email για Πρόσκληση" + under_13: "Προβολή χρηστών που είναι κάτω των 13" users: one: "%{count} χρήστης βρέθηκε" other: "%{count} χρήστες βρέθηκαν" zero: "%{count} χρήστες βρέθηκαν" - you_currently: "αυτήν την στιγμή σας έχουν μείνει %{user_invitation} προσκλήσεις %{link}" + you_currently: + one: "σου έχει απομείνει μία πρόσκληση %{link}" + other: "σου έχουν απομείνει %{count} προσκλήσεις %{link}" + zero: "δεν σου έχει απομείνει καμία πρόσκληση %{link}" weekly_user_stats: amount_of: - one: "πλήθος νέων χρηστών αυτήν την βδομάδα: %{count}" - other: "πλήθος νέων χρηστών αυτήν την βδομάδα: %{count}" - zero: "πλήθος νέων χρηστών αυτήν την βδομάδα: κανείς" + one: "Σύνολο νέων χρηστών αυτήν την βδομάδα: %{count}" + other: "Σύνολο νέων χρηστών αυτήν την βδομάδα: %{count}" + zero: "Σύνολο νέων χρηστών αυτήν την βδομάδα: κανείς" current_server: "Η ημερομηνία στον server είναι %{date}" - ago: "%{time} πριν" + ago: "πριν από %{time}" all_aspects: "Όλες οι πτυχές" application: helper: unknown_person: "άγνωστο άτομο" video_title: unknown: "Άγνωστος τίτλος video" - are_you_sure: "Είστε σίγουροι;" - are_you_sure_delete_account: "Σίγουρα θέλετε να κλείσετε τον λογαριασμό σας; Αυτό δεν μπορεί να αναιρεθεί!" + are_you_sure: "Είσαι σίγουρος;" + are_you_sure_delete_account: "Θέλεις σίγουρα να κλείσεις τον λογαριασμό σου; Αυτό δεν μπορεί να αναιρεθεί!" aspect_memberships: destroy: failure: "Αποτυχία στην αφαίρεση προσώπου από την πτυχή" no_membership: "Δεν βρέθηκε το επιλεγμένο άτομο σε αυτή την πτυχή" - success: "Αφαιρέθει επιτυχώς το πρόσωπο από την πτυχή" + success: "Αφαιρέθηκε επιτυχώς το πρόσωπο από την πτυχή" aspects: add_to_aspect: failure: "Αποτυχία προσθήκης επαφής στην πτυχή." success: "Επιτυχής προσθήκη επαφής στην πτυχή." - aspect_contacts: - done_editing: "ολοκλήρωση επεξεργασίας" aspect_listings: add_an_aspect: "+ Προσθέστε μια πτυχή" deselect_all: "Αποεπιλογή όλων" @@ -118,85 +127,77 @@ el: select_all: "Επιλογή όλων" aspect_stream: make_something: "Κάνε κάτι" - stay_updated: "Μείνετε ενημερωμένοι" - stay_updated_explanation: "Η κεντρική σας ροή απαρτίζεται από όλες τις επαφές σας, ετικέτες που ακολουθείτε, και αναρτήσεις από μερικά ενεργά μέλη της κοινότητας." + stay_updated: "Μείνε ενημερωμένος" + stay_updated_explanation: "Η κεντρική σου ροή απαρτίζεται από όλες τις επαφές σου, ετικέτες που ακολουθείς, και αναρτήσεις από μερικά ενεργά μέλη της κοινότητας." contacts_not_visible: "Οι επαφές σ' αυτήν την πτυχή δεν θα μπορούν να δουν ο ένας τον άλλον." contacts_visible: "Οι επαφές σ' αυτήν την πτυχή θα μπορούν να δουν ο ένας τον άλλον." create: failure: "Η δημιουργία της πτυχής απέτυχε." - success: "Η νέα σας πτυχή %{name} δημιουργήθηκε" + success: "Η νέα σου πτυχή %{name} δημιουργήθηκε" destroy: failure: "Το %{name} δεν είναι άδειο και δεν μπορεί να αφαιρεθεί." success: "Ο/Η %{name} αφαιρέθηκε επιτυχώς." edit: - add_existing: "Προσθέστε μια υπάρχουσα επαφή" - aspect_list_is_not_visible: "η λίστα σας είναι κρυφή στους άλλους στην πτυχή" - aspect_list_is_visible: "η λίστα σας είναι ορατή στους άλλους στην πτυχή" - confirm_remove_aspect: "Είστε σίγουροι πως θέλετε να διαγράψετε αυτή την πτυχή;" - done: "Ολοκληρώθηκε" - make_aspect_list_visible: "θέλετε οι επαφές αυτής της πτυχής να είναι ορατές μεταξύ τους;" + aspect_chat_is_enabled: "Οι επαφές σε αυτήν την πτυχή μπορούν να συνομιλήσουν μαζί σου." + aspect_chat_is_not_enabled: "Οι επαφές σε αυτήν την πτυχή δεν μπορούν να συνομιλήσουν μαζί σου." + aspect_list_is_not_visible: "η λίστα σου είναι κρυφή στους άλλους στην πτυχή" + aspect_list_is_visible: "η λίστα σου είναι ορατή στους άλλους στην πτυχή" + confirm_remove_aspect: "Θέλεις σίγουρα να διαγράψεις αυτή την πτυχή;" + grant_contacts_chat_privilege: "Θες να δώσεις δικαίωμα συνομιλίας στις επαφές αυτής της πτυχής;" + make_aspect_list_visible: "θέλεις οι επαφές αυτής της πτυχής να είναι ορατές μεταξύ τους;" remove_aspect: "Διαγραφή αυτής της πτυχής" rename: "μετονομασία" + set_visibility: "Ορισμός ορατότητας" update: "ενημέρωση" updating: "ενημέρωση" - few: "%{count} πτυχές" - helper: - are_you_sure: "Είστε σίγουροι πως θέλετε να διαγράψετε αυτή την πτυχή;" - aspect_not_empty: "Η πτυχή δεν είναι άδεια" - remove: "αφαίρεση" index: diaspora_id: - content_1: "Το Diaspora αναγνωριστικό σας (ID) είναι:" - content_2: "Δώστε το σε κάποιον και θα μπορεί να σας βρει στο Diaspora." - heading: "Αναγνωριστικό Diaspora (ID)" - donate: "Κάντε Δωρεά" - handle_explanation: "Αυτό είναι το αναγνωριστικό σας στο Diaspora (ID). Όπως και με μια διεύθυνση ηλεκτρονικού ταχυδρομείου, μπορείτε να το δώσετε σε άλλους για να σας βρουν." + content_1: "Το diaspora* αναγνωριστικό σου (ID) είναι:" + content_2: "Δώσε το σε κάποιον και θα μπορεί να σε βρει στο diaspora*." + heading: "Αναγνωριστικό diaspora* (ID)" + donate: "Κάνε μια Δωρεά" + handle_explanation: "Αυτό είναι το αναγνωριστικό σου στο diaspora* (ID). Όπως και με μια διεύθυνση email, μπορείς να το δώσεις σε άλλους για να σε βρουν." help: any_problem: "Υπάρχει πρόβλημα;" - contact_podmin: "Επικοινωνήστε με τον διαχειριστή του pod!" + contact_podmin: "Επικοινώνησε με τον διαχειριστή του pod!" do_you: "Μήπως.." - email_feedback: "Αν θέλετε, μπορείτε να στείλετε τα σχόλιά σας με %{link}." - email_link: "ηλεκτρονικό ταχυδρομείο" - feature_suggestion: "... έχετε να προτείνετε μία δυνατότητα %{link} ;" - find_a_bug: "... βρήκατε ένα σφάλμα %{link} ;" - have_a_question: "... έχετε μία ερώτηση %{link} ;" - here_to_help: "Η κοινότητα του Diaspora είναι εδώ για να σας βοηθήσει!" - mail_podmin: "Ηλ. διεύθυνση Διαχειριστή" - need_help: "Χρειάζεστε βοήθεια;" + email_feedback: "Αν θέλεις, μπορείς να στείλεις τα σχόλιά σου με %{link}." + email_link: "Email" + feature_suggestion: "... έχεις να προτείνεις ένα χαρακτηριστικό %{link} ;" + find_a_bug: "... βρήκες ένα σφάλμα %{link} ;" + have_a_question: "... έχεις μία ερώτηση %{link} ;" + here_to_help: "Η κοινότητα του diaspora* είναι εδώ για να σε βοηθήσει!" + mail_podmin: "Email Διαχειριστή" + need_help: "Χρειάζεσαι βοήθεια;" tag_bug: "bug" tag_feature: "feature" tag_question: "question" tutorial_link_text: "Οδηγοί" - tutorials_and_wiki: "%{tutorial} και %{wiki} : Βοήθεια για τα πρώτα σας βήματα" - introduce_yourself: "Αυτή είναι η Ροή σας. Μπείτε και συστηθείτε." - keep_diaspora_running: "Κρατήστε το Diaspora σε γρήγορη ανάπτυξη με μηνιαία δωρεά!" - keep_pod_running: "Διατηρείστε τη καλή λειτουργία του %{pod}, παρέχοντας στους servers μας τη μηνιαία δωρεά σας!" + tutorials_and_wiki: "%{faq}, %{tutorial} και %{wiki} : Βοήθεια για τα πρώτα σας βήματα." + introduce_yourself: "Αυτή είναι η Ροή σου. Μπες και συστήσου." + keep_diaspora_running: "Κράτησε την ανάπτυξη του diaspora* σε γρήγορους ρυθμούς με μια μηνιαία δωρεά!" + keep_pod_running: "Βοήθησε στην ομαλή λειτουργία του %{pod}, προσφέροντας ένα κέρασμα στους διαχειριστές των servers μας!" new_here: - follow: "Ακολουθήστε την ετικέτα %{link} και καλωσορίστε νέους χρήστες στο Diaspora*!" - learn_more: "Μάθετε περισσότερα" - title: "Καλωσορίστε Νέους Χρήστες" + follow: "Ακολούθησε την ετικέτα %{link} και καλωσόρισε νέους χρήστες στο diaspora*!" + learn_more: "Μάθε περισσότερα" + title: "Καλωσόρισε Νέους Χρήστες" no_contacts: "Καμία επαφή" - no_tags: "+ Βρείτε μια ετικέτα να ακολουθείτε" - people_sharing_with_you: "Άτομα που μοιράζονται μαζί σας" - post_a_message: "αναρτήστε ένα μήνυμα >>" + no_tags: "+ Βρες μια ετικέτα να ακολουθήσεις" + people_sharing_with_you: "Άτομα που μοιράζονται μαζί σου" + post_a_message: "ανάρτησε ένα μήνυμα >>" services: - content: "Μπορείτε να συνδέσετε τις παρακάτω υπηρεσίες στο Diaspora:" - heading: "Συνδέστε Υπηρεσίες" - unfollow_tag: "Σταματήστε να ακολουθείτε την ετικέτα #%{tag}" - welcome_to_diaspora: "Καλωσήρθες στο Diaspora, %{name}!" - many: "%{count} πτυχές" - move_contact: - error: "Σφάλμα μεταφοράς επαφής: %{inspect}" - failure: "δεν λειτούργησε %{inspect}" - success: "Το άτομο μετακινήθηκε σε νέα πτυχή" + content: "Μπορείς να συνδέσεις τις παρακάτω υπηρεσίες στο diaspora*:" + heading: "Σύνδεσε Υπηρεσίες" + unfollow_tag: "Σταμάτα να ακολουθείς την ετικέτα #%{tag}" + welcome_to_diaspora: "Καλωσήρθες στο diaspora*, %{name}!" new: create: "Δημιουργία" - name: "Όνομα (εμφανίζετε μόνο σε εσάς)" + name: "Όνομα (εμφανίζετε μόνο σε σένα)" no_contacts_message: community_spotlight: "δημοσιεύσεις κοινότητας" - or_spotlight: "Ή μπορείτε να το μοιραστείτε με %{link}" - try_adding_some_more_contacts: "Μπορείτε να ψάξετε ή να προσκαλέσετε περισσότερες επαφές." - you_should_add_some_more_contacts: "Πρέπει να προσθέσετε περισσότερες επαφές!" + or_spotlight: "Ή μπορείς να το μοιραστείς με %{link}" + try_adding_some_more_contacts: "Μπορείς να ψάξεις ή να προσκαλέσεις περισσότερες επαφές." + you_should_add_some_more_contacts: "Πρέπει να προσθέσεις περισσότερες επαφές!" no_posts_message: start_talking: "Κανένας δεν έχει δημοσιεύσει κάτι ακόμα!" one: "1 πτυχή" @@ -206,81 +207,61 @@ el: family: "Οικογένεια" friends: "Φίλοι" work: "Εργασία" - selected_contacts: - manage_your_aspects: "Διαχείριση των πτυχών." - no_contacts: "Δεν έχετε ακόμα κάποια επαφή εδώ." - view_all_community_spotlight: "Εμφάνιση όλων των δημοσιεύσεων κοινότητας" - view_all_contacts: "Προβολή όλων των επαφών" - show: - edit_aspect: "επεξεργασία πτυχής" - two: "%{count} πτυχές" update: - failure: "Η πτυχή σας, %{name}, έχει πολύ μεγάλο όνομα για να αποθηκευτεί." - success: "Έγινε επιτυχώς η επεξεργασία της πτυχής σας, %{name}." + failure: "Η πτυχή σου, %{name}, έχει πολύ μεγάλο όνομα για να αποθηκευτεί." + success: "Έγινε επιτυχώς η επεξεργασία της πτυχής σου, %{name}." zero: "καμία πτυχή" back: "Πίσω" blocks: create: failure: "Δεν μπόρεσα να αγνοήσω αυτόν τον χρήστη. #evasion" - success: "Εντάξει, δεν θα ξαναδείτε αυτό το χρήστη στη ροή σας. #σίγαση!" + success: "Εντάξει, δεν θα ξαναδείς αυτό το χρήστη στη ροή σας. #σίγαση!" destroy: failure: "Δεν μπόρεσα να σταματήσω να αγνοώ αυτό το χρήστη. #evasion" success: "Για να δούμε τι έχουν να πουν! #sayhello" bookmarklet: - explanation: "Αναρτήστε στο Diaspora από οπουδήποτε, σύρετε αυτό τον σύνδεσμο στα αγαπημένα => %{link}." + explanation: "ανάρτησε στο diaspora* από οπουδήποτε, σύρε αυτό τον σύνδεσμο στα αγαπημένα => %{link}." heading: "Εφαρμογή σελιδοδείκτη" - post_something: "Αναρτήστε στο Diaspora" + post_something: "Ανάρτησε στο diaspora*" post_success: "Αναρτήθηκε! Κλείνει!" cancel: "Ακύρωση" comments: - few: "%{count} σχόλια" - many: "%{count} σχόλια" new_comment: - comment: "Σχολιάστε" + comment: "Σχολίασε" commenting: "Σχολιάζει..." one: "1 σχόλιο" other: "%{count} σχόλια" - two: "%{count} σχόλια" zero: "κανένα σχόλιο" contacts: create: failure: "Αποτυχία δημιουργίας επαφής" - few: "%{count} επαφές" index: - add_a_new_aspect: "Προσθέστε μια νέα πτυχή" - add_to_aspect: "Προσθέστε επαφές στο %{name}" - add_to_aspect_link: "Προσθέστε επαφές στο %{name}" + add_a_new_aspect: "Πρόσθεσε μια νέα πτυχή" + add_to_aspect: "Πρόσθεσε επαφές στο %{name}" all_contacts: "Όλες οι Επαφές" community_spotlight: "Αναρτήσεις κοινότητας" - many_people_are_you_sure: "Είστε σίγουροι ότι θέλετε να ξεκινήσετε μια ιδιωτική συνομιλία με περισσότερες από %{suggested_limit} επαφές; Η δημοσίευση σε αυτή την πτυχή ίσως είναι ένας καλύτερος τρόπος για να επικοινωνήσετε μαζί τους." my_contacts: "Οι Επαφές μου" - no_contacts: "Φαίνεται πως χρειάζεται να προσθέσετε μερικές επαφές! " + no_contacts: "Φαίνεται πως χρειάζεται να προσθέσεις μερικές επαφές!" no_contacts_message: "Δες και %{community_spotlight}" - no_contacts_message_with_aspect: "Δες και %{community_spotlight} ή %{add_to_aspect_link}" only_sharing_with_me: "Μοιράζονται μόνο με εμένα" - remove_person_from_aspect: "Μετακίνηση του χρήστη %{person_name} από την πτυχή \"%{aspect_name}\"" - start_a_conversation: "Ξεκινήστε μια συζήτηση" + start_a_conversation: "Ξεκίνα μια συζήτηση" title: "Επαφές" - your_contacts: "Οι Επαφές σας" - many: "%{count} επαφές" + your_contacts: "Οι Επαφές σου" one: "1 επαφή" other: "%{count} επαφές" sharing: - people_sharing: "Άτομα που διαμοιράζονται μαζί σας: " + people_sharing: "Άτομα που μοιράζονται μαζί σου:" spotlight: community_spotlight: "Δημοσιεύσεις Κοινότητας" - suggest_member: "Προτείνετε ένα μέλος" - two: "%{count} επαφές" + suggest_member: "Πρότεινε ένα μέλος" zero: "επαφές" conversations: conversation: participants: "Συμμετέχοντες" create: fail: "Μη έγκυρο μήνυμα" - no_contact: "Ε, πρέπει πρώτα να προσθέσετε μια επαφή!" + no_contact: "Πρέπει πρώτα να προσθέσεις μια επαφή!" sent: "Μήνυμα εστάλη" - destroy: - success: "Η συζήτηση αφαιρέθηκε επιτυχώς" helper: new_messages: few: "%{count} νέα μηνύματα" @@ -312,12 +293,12 @@ el: email: "Email" error_messages: helper: - correct_the_following_errors_and_try_again: "Διορθώστε τα ακόλουθα σφάλματα και προσπαθήστε ξανά." + correct_the_following_errors_and_try_again: "Διόρθωσε τα ακόλουθα σφάλματα και προσπάθησε ξανά." invalid_fields: "Άκυρα Πεδία" - login_try_again: "Παρακαλώ συνδεθείτε και ξαναπροσπαθήστε." - post_not_public: "Η ανάρτηση που προσπαθείτε να δείτε δεν είναι δημόσια!" + login_try_again: "Παρακαλώ συνδέσου και ξαναπροσπάθησε." + post_not_public: "Η ανάρτηση που προσπαθείς να δεις δεν είναι δημόσια!" fill_me_out: "Ενημέρωσε με" - find_people: "Βρείτε άτομα ή #ετικέτες" + find_people: "Βρες άτομα ή #ετικέτες" help: account_and_data_management: close_account_a: "Πηγαίνετε στο κάτω μέρος στη σελίδα των ρυθμίσεων και πατήστε το κουμπί \"Κλείσιμο Λογαριασμού\"." @@ -327,24 +308,47 @@ el: data_visible_to_podmin_q: "Πόσες από τις πληροφορίες μου μπορεί να δει ο διαχειριστής του εξυπηρετητή μου (pod);" download_data_a: "Ναι. Στο κάτω μέρος της καρτέλας \"Λογαριασμός\", στην σελίδα των ρυθμίσεων, υπάρχουν δύο κουμπιά για το κατέβασμα των δεδομένων σας." download_data_q: "Μπορώ να κατεβάσω ένα αντίγραφο όλων των δεδομένων μου που συμπεριλαμβάνονται στον λογαριασμό μου;" - move_pods_a: "Στο μέλλον θα είναι δυνατόν να εξάγετε τις πληροφορίες του λογαριασμού σας από έναν εξυπηρετητή (pod) και να τις εισάγετε σε έναν άλλον, αλλά αυτό προς το παρόν δεν είναι δυνατό. Θα μπορούσατε να ανοίξετε έναν καινούριο λογαριασμό και να προσθέσετε τις επαφές σας στις πτυχές αυτού κι ύστερα να ζητήσετε από τις επαφές σας να σας προσθέσουν κι αυτοί στις δικές τους πτυχές." + move_pods_a: "Στο μέλλον θα είναι δυνατόν να εξάγεις τις πληροφορίες του λογαριασμού σου από έναν εξυπηρετητή (pod) και να τις εισάγεις σε έναν άλλον, αλλά αυτό προς το παρόν δεν είναι δυνατό. Θα μπορούσες να ανοίξεις έναν καινούριο λογαριασμό και να προσθέσεις τις επαφές σου στις πτυχές αυτού κι ύστερα να ζητήσεις από τις επαφές σου να σε προσθέσουν κι αυτοί στις δικές τους πτυχές." move_pods_q: "Πώς μεταφέρω τον λογαριασμό μου από έναν εξυπηρετητή (pod) σε άλλον;" title: "Διαχείριση Λογαριασμού και Δεδομένων" + aspects: + delete_aspect_q: "Πώς μπορώ να διαγράψω μια πτυχή;" + person_multiple_aspects_q: "Μπορώ να προσθέσω ένα άτομο σε πολλαπλές πτυχές;" + post_multiple_aspects_q: "Μπορώ να αναρτήσω περιεχόμενο σε πολλαπλές πτυχές ταυτόχρονα;" + remove_notification_a: "Όχι." + rename_aspect_q: "Μπορώ να μετονομάσω μια πτυχή;" + title: "Πτυχές" + what_is_an_aspect_q: "Τι είναι πτυχή;" getting_help: - get_support_a_hashtag: "ρωτήστε σε μια δημόσια δημοσίευση στο diaspora* χρησιμοποιώντας την ετικέτα της ερώτησης ( %{question} )" - get_support_a_irc: "Συμμετέχετε στο %{irc} μας (ζωντανή συζήτηση)" - get_support_a_tutorials: "Δείτε τα %{tutorials} μας" - get_support_a_website: "Επισκεφθείτε τη σελίδα μας %{link}" + get_support_a_hashtag: "ρώτησε σε μια δημόσια δημοσίευση στο diaspora* χρησιμοποιώντας την ετικέτα της ερώτησης ( %{question} )" + get_support_a_irc: "βρες μας στο %{irc} (ζωντανή συζήτηση)" + get_support_a_tutorials: "Δείτε τα %{tutorials} μας" + get_support_a_website: "Επισκέψου τη %{link} μας" get_support_a_wiki: "Αναζήτηση για %{link}" get_support_q: "Τι γίνεται εάν η ερώτηση μου δεν έχει απαντηθεί στις Συχνές Ερωτήσεις (FAQ); Πού αλλού μπορώ να βρω υποστήριξη;" getting_started_a: "Είσαστε τυχερός/ή. Δοκιμάστε το %{tutorial_series} στην σελίδα με τα έργα μας. Θα σας δείξει βήμα - βήμα την διαδικασία εγγραφής και θα σας μάθει όλα τα βασικά πράγματα που χρειάζεται να ξέρετε σχετικά με το diaspora*." getting_started_q: "Βοήθεια! Χρειάζομαι βοήθεια με τα βασικά για να ξεκινήσω!" + title: "Λήψη βοήθειας" here: "εδώ" irc: "Κανάλι συζήτησης IRC" + markdown: "Markdown" + miscellaneous: + diaspora_app_q: "Υπαρχη εφαρμογή diaspora* για Android ή iOS;" + pods: + use_search_box_q: "Πώς μπορώ να χρησιμοποιήσω το πλαίσιο αναζήτησης για να βρω συγκεκριμένα άτομα;" + posts_and_posting: + image_text: "κείμενο εικόνας" + insert_images_q: "Πώς μπορώ να εισάγω εικόνες στις αναρτήσεις;" + private_posts: + title: "Ιδιωτικές αναρτήσεις" + private_profiles: + title: "Ιδιωτικά προφίλ" + title_header: "Βοήθεια" tutorial: "οδηγός" tutorials: "οδηγοί" - wiki: "βικιλεξικό (wiki)" + wiki: "wiki" hide: "Απόκρυψη" + ignore: "Αγνόησε" invitation_codes: excited: "Ο/Η %{name} χαίρεται που σε βλέπει εδώ." invitations: @@ -352,49 +356,50 @@ el: check_token: not_found: "Το σύμβολο της πρόσκλησης δεν βρέθηκε" create: - already_contacts: "Είστε ήδη συνδεδεμένος με αυτό το άτομο" - already_sent: "Έχετε ήδη προσκαλέσει αυτό το άτομο." - empty: "Παρακαλώ εισάγετε μία τουλάχιστον διεύθυνση ηλεκτρονικού ταχυδρομείου." - no_more: "Δεν έχετε άλλες προσκλήσεις." + already_contacts: "Είσαι ήδη συνδεδεμένος με αυτό το άτομο" + already_sent: "Έχεις ήδη προσκαλέσει αυτό το άτομο." + empty: "Παρακαλώ εισήγαγε τουλάχιστον μία διεύθυνση email." + no_more: "Δεν έχεις άλλες προσκλήσεις." note_already_sent: "Προσκλήσεις έχουν ήδη σταλεί στα: %{emails}" - own_address: "Δεν μπορείτε να στείλετε πρόσκληση στην διεύθυνση σας." - rejected: "Οι παρακάτω διευθύνσεις ηλεκτρονικού ταχυδρομείου είχαν προβλήματα:" - sent: "Η προσκλήσεις σας έχουν σταλεί στα: %{emails}" + own_address: "Δεν μπορείς να στείλεις πρόσκληση στη διεύθυνση σου." + rejected: "Οι παρακάτω διευθύνσεις email είχαν προβλήματα: " + sent: "Η προσκλήσεις σου έχουν σταλεί στα: %{emails}" edit: - accept_your_invitation: "Αποδεχτείτε την πρόσκληση" - your_account_awaits: "Ο λογαριασμός σας περιμένει!" + accept_your_invitation: "Αποδέξου την πρόσκληση" + your_account_awaits: "Ο λογαριασμός σου περιμένει!" new: - already_invited: "Τα παρακάτω άτομα δεν αποδέχτηκαν την πρόσκληση σας:" + already_invited: "Τα παρακάτω άτομα δεν αποδέχτηκαν την πρόσκληση σου:" aspect: "Πτυχή" - check_out_diaspora: "Δοκίμασε το Diaspora!" + check_out_diaspora: "Δοκίμασε το diaspora*!" codes_left: one: "Μία πρόσκληση απομένει γι' αυτό τον κωδικό" other: "%{count} προσκλήσεις απομένουν γι' αυτό τον κωδικό" zero: "Δεν απομένουν προσκλήσεις γι' αυτό τον κωδικό" - comma_separated_plz: "Μπορείτε να εισάγετε πολλαπλές διευθύνσεις ηλεκτρονικού ταχυδρομείου χωρισμένες με κόμμα." - if_they_accept_info: "αν δεχτούν, θα προστεθούν στην πτυχή που τους πρασκαλέσατε. " - invite_someone_to_join: "Προσκαλέστε κάποιον στο Diaspora!" + comma_separated_plz: "Μπορείς να εισάγεις πολλαπλές διευθύνσεις email χωρισμένες με κόμμα." + if_they_accept_info: "αν δεχτούν, θα προστεθούν στην πτυχή που τους προσκάλεσες." + invite_someone_to_join: "Προσκάλεσε κάποιον στο diaspora*!" language: "Γλώσσα" - paste_link: "Μοιραστείτε αυτόν τον σύνδεσμο με τους φίλους σας για να τους προσκαλέσετε στο Diaspora, ή στείλτε τον απευθείας με ηλ.ταχυδρομίο." + paste_link: "Μοιράσου αυτόν τον σύνδεσμο με τους φίλους σου για να τους προσκαλέσετε στο diaspora*, ή στείλε τον απευθείας με email." personal_message: "Προσωπικό μήνυμα" resend: "Αποστολή ξανά" - send_an_invitation: "Στείλτε μια πρόσκληση" - send_invitation: "Στείλτε πρόσκληση" + send_an_invitation: "Στείλε μια πρόσκληση" + send_invitation: "Στείλε πρόσκληση" sending_invitation: "Αποστολή πρόσκλησης..." to: "Στον" layouts: application: back_to_top: "Πίσω στην αρχή" - powered_by: "POWERED BY DIASPORA*" - public_feed: "Δημόσια ανατροφοδότηση (feed) του Diaspora για τον χρήστη %{name}" - source_package: "κατεβάστε τον πηγαίο κώδικα του πακέτου" + powered_by: "POWERED BY diaspora*" + public_feed: "Δημόσια ανατροφοδότηση (feed) του diaspora* για τον χρήστη %{name}" + source_package: "κατέβασε τον πηγαίο κώδικα" toggle: "εναλλαγή σε κινητό" whats_new: "τι νέα;" - your_aspects: "οι πτυχές σας" + your_aspects: "οι πτυχές σου" header: admin: "διαχειριστής" blog: "Iστολόγιo" code: "κώδικας" + help: "Βοήθεια" login: "Είσοδος" logout: "Αποσύνδεση" profile: "Προφίλ" @@ -438,9 +443,9 @@ el: other: "Οι %{actors} σχολίασαν μια διαγραμμένη δημοσίευση. " zero: "Ο %{actors} σχολίασε μια διαγεγραμμένη δημοσίευση. " comment_on_post: - one: "Ο/Η %{actors} σχολίασε τη %{post_link}." - other: "Οι %{actors} σχολίασαν τη %{post_link}." - zero: "Ο/Η %{actors} σχολίασε τη %{post_link}." + one: "Ο/Η %{actors} σχολίασε στη δημοσίευση σου %{post_link}." + other: "Οι %{actors} σχολίασαν στη δημοσίευση σου %{post_link}." + zero: "Ο/Η %{actors} σχολίασε στη δημοσίευση σου %{post_link}." helper: new_notifications: few: "%{count} νέες ειδοποιήσεις" @@ -459,7 +464,7 @@ el: two: "και %{count} άλλοι" zero: "και κανένας άλλος" mark_all_as_read: "Σήμανση όλων ως διαβασμένα" - mark_unread: "Σήμανε ως μη διαβασμένο" + mark_unread: "Σήμανση ως μη διαβασμένο" notifications: "Ειδοποιήσεις" liked: few: "Η %{post_link} άρεσε στους χρήστες %{actors}." @@ -469,53 +474,50 @@ el: two: "Στους χρήστες %{actors} άρεσε το %{post_link}." zero: "Η %{post_link} άρεσε στους χρήστες %{actors}." liked_post_deleted: - few: "Η διαγεγραμμένη δημοσίευσή σας άρεσε στους χρήστες %{actors}." - many: "Η διαγραμμένη ανάρτησή σας άρεσε στους χρήστες %{actors}." - one: "Η διαγεγραμμένη δημοσίευσή σας άρεσε στον χρήστη %{actors}." - other: "Η διαγεγραμμένη δημοσίευσή σας άρεσε στον χρήστη %{actors}." - two: "Στους χρήστες %{actors} άρεσε η διαγραμμένη ανάρτησή σας." - zero: "Η διαγεγραμμένη δημοσίευσή σας άρεσε στον χρήστη %{actors}." + one: "Η διαγεγραμμένη δημοσίευσή σου άρεσε στον χρήστη %{actors}." + other: "Η διαγεγραμμένη δημοσίευσή σου άρεσε στον χρήστη %{actors}." + zero: "Η διαγεγραμμένη δημοσίευσή σου άρεσε στον χρήστη %{actors}." mentioned: - one: "Ο/Η %{actors} σας ανέφερε στη %{post_link}." - other: "Οι %{actors} σας ανέφεραν σε μια %{post_link}." - zero: "Οι %{actors} σας ανέφερε σε μια %{post_link}." + one: "Ο/Η %{actors} σε ανέφερε στη %{post_link}." + other: "Οι %{actors} σε ανέφεραν σε μια %{post_link}." + zero: "Οι %{actors} σε ανέφερε σε μια %{post_link}." mentioned_deleted: - one: "Ο/Η %{actors} σας ανέφερε σε μια διαγραμμένη δημοσίευση." - other: "Οι %{actors} σας ανέφεραν σε μια διαγραμμένη δημοσίευση." - zero: "Ο/Η %{actors} σας ανέφερε σε μια διαγραμμένη δημοσίευση." + one: "Ο/Η %{actors} σου ανέφερε σε μια διαγραμμένη δημοσίευση." + other: "Οι %{actors} σου ανέφεραν σε μια διαγραμμένη δημοσίευση." + zero: "Ο/Η %{actors} σου ανέφερε σε μια διαγραμμένη δημοσίευση." post: "ανάρτηση" private_message: - one: "Ο/Η %{actors} σας έστειλε ένα μήνυμα." - other: "Οι %{actors} σας έστειλαν ένα μήνυμα." - zero: "Ο/Η χρήστης %{actors} σας έστειλε ένα μήνυμα." + one: "Ο/Η %{actors} σου έστειλε ένα μήνυμα." + other: "Οι %{actors} σου έστειλαν ένα μήνυμα." + zero: "Ο/Η χρήστης %{actors} σου έστειλε ένα μήνυμα." reshared: one: "Ο/Η %{actors} μοιράστηκε τη %{post_link}." other: "Οι %{actors} μοιράστηκαν τη %{post_link}." zero: "Οι %{actors} μοιράστηκαν τη %{post_link}." reshared_post_deleted: - one: "Ο/Η %{actors} κοινοποίησε τη διαγραμμένη ανάρτησή σας. " - other: "Οι %{actors} κοινοποίησαν διαγραμμένη ανάρτησή σας. " - zero: "Ο/Η %{actors} κοινοποίησε τη διαγραμμένη ανάρτησή σας." + one: "Ο/Η %{actors} κοινοποίησε τη διαγραμμένη ανάρτησή σου." + other: "Οι %{actors} κοινοποίησαν διαγραμμένη ανάρτησή σου." + zero: "Ο/Η %{actors} κοινοποίησε τη διαγραμμένη ανάρτησή σου." started_sharing: - one: "Ο/Η %{actors} άρχισε να μοιράζεται μαζί σας." - other: "Οι %{actors} άρχισαν να μοιράζονται μαζί σας." - zero: "Ο/Η %{actors} άρχισε να μοιράζεται μαζί σας." + one: "Ο/Η %{actors} άρχισε να μοιράζεται μαζί σου." + other: "Οι %{actors} άρχισαν να μοιράζονται μαζί σου." + zero: "Ο/Η %{actors} άρχισε να μοιράζεται μαζί σου." notifier: a_post_you_shared: "μια δημοσίευση." - accept_invite: "Αποδέξου την πρόσκληση στο Diaspora*!" - click_here: "πατήστε εδώ" + accept_invite: "Αποδέξου την πρόσκληση στο diaspora*!" + click_here: "πάτησε εδώ" comment_on_post: - reply: "Απαντήστε ή δείτε την ανάρτηση του χρήστη %{name} >" + reply: "Απάντησε ή δες την ανάρτηση του χρήστη %{name} >" confirm_email: - click_link: "Για να ενεργοποιήσετε την καινούρια διεύθυνση ηλεκτρονικού ταχυδρομείου %{unconfirmed_email}, παρακαλούμε πατήστε στο παρακάτω σύνδεσμο: " - subject: "Παρακαλούμε ενεργοποιήστε την καινούρια διεύθυνση ηλεκτρονικού ταχυδρομείου %{unconfirmed_email}" - email_sent_by_diaspora: "Αυτό το μήνυμα εστάλη από το %{pod_name}. Εάν δεν θέλετε να λαμβάνετε πλέον μηνύματα σαν κι αυτό," + click_link: "Για να ενεργοποιήσεις την καινούρια διεύθυνση email %{unconfirmed_email}, παρακαλούμε πάτησε στο παρακάτω σύνδεσμο:" + subject: "Παρακαλούμε ενεργοποίησε την καινούρια email διεύθυνση %{unconfirmed_email}" + email_sent_by_diaspora: "Αυτό το μήνυμα εστάλη από το %{pod_name}. Εάν δεν θέλεις να λαμβάνεις πλέον μηνύματα σαν κι αυτό," hello: "Γειά σου %{name}!" invite: message: |- - Γεια σου! + Χαίρετε! - Έχεις προσκληθεί να συμμετέχεις στο Diapora* + Έχεις προσκληθεί να συμμετέχεις στο diaspora* Κάνε κλικ στο σύνδεσμο για να ξεκινήσεις @@ -524,30 +526,30 @@ el: Με Αγάπη, - Το e-mail ρομπότ του Diaspora*! + Το e-mail ρομπότ του diaspora*! [1]: %{invite_url} - invited_you: "O/H %{name} σε προσκάλεσε στο Diaspora*" + invited_you: "O/H %{name} σε προσκάλεσε στο diaspora*" liked: - liked: "στο χρήστη %{name} αρέσει η δημοσίευση σας" - view_post: "Δείτε την ανάρτηση >" + liked: "στο χρήστη %{name} αρέσει η δημοσίευση σου" + view_post: "Δες την ανάρτηση >" mentioned: - mentioned: "αναφέρεται σε σας σε μια δημοσίευση:" - subject: "Ο/Η %{name} σας αναφέρει στο Diaspora*" + mentioned: "αναφέρεται σε σένα σε μια δημοσίευση:" + subject: "Ο/Η %{name} σε ανέφερε στο diaspora*" private_message: - reply_to_or_view: "Απαντήστε ή δείτε τη συζήτηση >" + reply_to_or_view: "Απάντησε ή δες τη συζήτηση >" reshared: - reshared: "Ο/Η %{name} κοινοποίησε τη δημοσίευση σας" - view_post: "Δείτε την ανάρτηση >" + reshared: "Ο/Η %{name} κοινοποίησε τη δημοσίευση σου" + view_post: "Δες την ανάρτηση >" single_admin: - admin: "Ο διαχειριστής του Diaspora σας" - subject: "Μήνυμα για τον Diaspora λογαριασμό σας:" + admin: "Ο διαχειριστής του diaspora* σου" + subject: "Μήνυμα για τον diaspora* λογαριασμό σου:" started_sharing: - sharing: "ξεκίνησε το διαμοιρασμό μαζί σας!" - subject: "Ο/Η %{name} ξεκίνησε το διαμοιρασμό μαζί σας στο Diaspora*" - view_profile: "Δείτε το προφίλ του χρήστη %{name}" + sharing: "ξεκίνησε να μοιράζεται μαζί σου!" + subject: "Ο/Η %{name} ξεκίνησε να μοιράζεται μαζί σου στο diaspora*" + view_profile: "Δες το προφίλ του χρήστη %{name}" thanks: "Ευχαριστώ," - to_change_your_notification_settings: "για να αλλάξετε τις ρυθμίσεις των ειδοποιήσεων" + to_change_your_notification_settings: "για να αλλάξεις τις ρυθμίσεις των ειδοποιήσεων" nsfw: "NSFW" ok: "ΟΚ" or: "ή" @@ -560,18 +562,16 @@ el: add_contact_from_tag: "προσθήκη επαφής από ετικέτα" aspect_list: edit_membership: "επεξεργασία ιδιοτήτων πτυχής" - few: "%{count} άτομα" helper: - is_not_sharing: "Ο/Η %{name} δεν διαμοιράζεται μαζί σας" - is_sharing: "Ο/Η %{name} διαμοιράζεται μαζί σας" + is_not_sharing: "Ο/Η %{name} δεν διαμοιράζεται μαζί σου" + is_sharing: "Ο/Η %{name} διαμοιράζεται μαζί σου" results_for: "αποτελέσματα για %{params}" index: - looking_for: "Ψάχνετε για αναρτήσεις με την ετικέτα %{tag_link};" - no_one_found: "...κανένας δεν βρέθηκε. " - no_results: "Επ! Χρειάζεται να ψάξετε για κάτι." + looking_for: "Ψάχνεις για αναρτήσεις με την ετικέτα %{tag_link};" + no_one_found: "...κανένας δεν βρέθηκε." + no_results: "Επ! Χρειάζεται να ψάξεις για κάτι." results_for: "αποτελέσματα αναζήτησης για" - searching: "αναζητηση,παρακαλώ περιμένετε..." - many: "%{count} άτομα" + searching: "αναζήτηση, παρακαλώ περίμενε..." one: "1 άτομο" other: "%{count} άτομα" person: @@ -580,44 +580,43 @@ el: pending_request: "Αίτημα σε αναμονή" thats_you: "Εσύ είσαι αυτός!" profile_sidebar: - bio: "βιογραφικό" - born: "γενέθλια" + bio: "Βιογραφικό" + born: "Γενέθλια" edit_my_profile: "Επεξεργασία του προφίλ μου" - gender: "φύλο" + gender: "Φύλο" in_aspects: "στις πτυχές" - location: "τοποθεσία" + location: "Τοποθεσία" photos: "Φωτογραφίες" remove_contact: "διαγραφή επαφής" remove_from: "Αφαίρεση του χρήστη %{name} από τη πτυχή %{aspect};" show: closed_account: "Αυτός ο λογαριασμός έχει κλείσει." does_not_exist: "Δεν υπάρχει τέτοιο άτομα!" - has_not_shared_with_you_yet: "Ο/Η %{name} δεν μοιράζεται ακόμα κάποια δημοσίευση μαζί σας!" - ignoring: "Αγνοείτε όλες τις αναρτήσεις από %{name}." - incoming_request: "Ο/Η %{name} θέλει να μοιραστεί μαζί σας" + has_not_shared_with_you_yet: "Ο/Η %{name} δεν μοιράζεται ακόμα κάποια δημοσίευση μαζί σου!" + ignoring: "Αγνοείς όλες τις αναρτήσεις από %{name}." + incoming_request: "Ο/Η %{name} θέλει να μοιραστεί μαζί σου" mention: "Αναφορά" message: "Μήνυμα" - not_connected: "Δεν είστε συνδεδεμένος με αυτόν τον χρήστη " + not_connected: "Δεν είσαι συνδεδεμένος με αυτόν τον χρήστη" recent_posts: "Πρόσφατες Αναρτήσεις" recent_public_posts: "Πρόσφατες Δημόσιες Αναρτήσεις" - return_to_aspects: "Επιστροφή στη σελίδα με τις πτυχές σας" + return_to_aspects: "Επιστροφή στη σελίδα με τις πτυχές σου" see_all: "Εμφάνιση όλων" - start_sharing: "ξεκινήσετε την κοινή χρήση" + start_sharing: "ξεκίνα να μοιράζεις" to_accept_or_ignore: "να το αποδεχθεί ή να το αγνοήσει." sub_header: - add_some: "προσθέστε κάποιες" + add_some: "πρόσθεσε κάποιες" edit: "επεξεργασία" you_have_no_tags: "δεν έχετε ετικέτες!" - two: "%{count} άτομα" webfinger: fail: "Λυπούμαστε, δεν ήταν δυνατή η εύρεση του %{handle}." zero: "κανένα άτομο" photos: comment_email_subject: "φωτογραφία του χρήστη %{name}" create: - integrity_error: "Η μεταφόρτωση της φωτογραφίας απέτυχε. Είστε σίγουροι ότι ήταν φωτογραφία;" - runtime_error: "Η μεταφόρτωση της φωτογραφίας απέτυχε. Είστε σίγουροι πως φορέσατε ζώνη ασφαλείας πριν ξεκινήσετε;" - type_error: "Η μεταφόρτωση της φωτογραφίας απέτυχε. Είστε σίγουροι πως προστέθηκε μια εικόνα;" + integrity_error: "Η μεταφόρτωση της φωτογραφίας απέτυχε. Ήταν σίγουρα φωτογραφία;" + runtime_error: "Η μεταφόρτωση της φωτογραφίας απέτυχε. Σίγουρα έχεις φορέσει τη ζώνη ασφαλείας;" + type_error: "Η μεταφόρτωση της φωτογραφίας απέτυχε. Σίγουρα προστέθηκε μια εικόνα;" destroy: notice: "Η φωτογραφία διαγράφηκε." edit: @@ -631,8 +630,8 @@ el: invalid_ext: "{file} δεν έχει έγκυρη τύπο αρχείου. Μόνο τύποι αρχείου {extensions} επιτρέπονται." size_error: "{file} είναι πολύ μεγάλο, το μέγιστο μέγεθος αρχείου είναι {sizeLimit}." new_profile_photo: - or_select_one_existing: "ή επιλέξτε μια από τις ήδη υπάρχουσες %{photos}" - upload: "Μεταφορτώστε μια νέα φωτογραφία προφίλ!" + or_select_one_existing: "ή επέλεξε μια από τις ήδη υπάρχουσες %{photos}" + upload: "Ανέβασε μια νέα φωτογραφία προφίλ!" photo: view_all: "προβολή όλων των φωτογραφιών του χρήστη %{name}" show: @@ -660,24 +659,24 @@ el: reshare_by: "Κοινοποίηση από %{author}" previous: "προηγούμενο" privacy: "Απόρρητο" - privacy_policy: "Πολιτική Ιδιωτικού Απορρήτου" + privacy_policy: "Πολιτική χρήσης δεδομένων" profile: "Προφίλ" profiles: edit: - allow_search: "Επιτρέψτε σε άλλους ανθρώπους να σας αναζητούν στο Diaspora" + allow_search: "Επέτρεψε σε άλλους ανθρώπους να σε αναζητούν στο diaspora*" edit_profile: "Επεξεργασία προφίλ" first_name: "Όνομα" last_name: "Επώνυμο" - update_profile: "Ενημέρωση Προφίλ" - your_bio: "To βιογραφικό σας" - your_birthday: "Τα γενέθλιά σας" - your_gender: "Tο φύλο σας" - your_location: "Η τοποθεσία σας" - your_name: "Το όνομά σας" - your_photo: "Η φωτογραφία σας" - your_private_profile: "Το ιδιωτικό σας προφίλ" - your_public_profile: "Το δημόσιο προφίλ σας" - your_tags: "Περιγράψτε τον εαυτό σας με 5 λέξεις" + update_profile: "Ενημέρωση προφίλ" + your_bio: "To βιογραφικό σου" + your_birthday: "Τα γενέθλιά σου" + your_gender: "Tο φύλο σου" + your_location: "Η τοποθεσία σου" + your_name: "Το όνομά σου" + your_photo: "Η φωτογραφία σου" + your_private_profile: "Το ιδιωτικό σου προφίλ" + your_public_profile: "Το δημόσιο προφίλ σου" + your_tags: "Περιέγραψε τον εαυτό σου με 5 λέξεις" your_tags_placeholder: "όπως #ταινίες #γατάκια #ταξίδι #δάσκαλος #newyork" update: failed: "Αποτυχία ενημέρωσης προφίλ" @@ -691,41 +690,39 @@ el: two: "%{count} αντιδράσεις" zero: "0 αντιδράσεις" registrations: - closed: "Οι εγγραφές είναι κλειστές σε αυτό το pod του Diaspora." + closed: "Οι εγγραφές είναι κλειστές σε αυτό το pod του diaspora*." create: - success: "Γίνατε μέλος στο Diaspora!" + success: "Έγινες μέλος στο diaspora*!" edit: cancel_my_account: "Ακύρωση του λογαριασμού μου" edit: "Επεξεργασία %{name}" - leave_blank: "(αφήστε το κενό αν δεν θέλετε να το αλλάξετε)" - password_to_confirm: "(χρειαζόμαστε τον τρέχοντα κωδικό σας για να επιβεβαιώσετε τις αλλαγές σας)" - unhappy: "Δεν είσαι ικανοποιημένοι;" + leave_blank: "(άφησε το κενό αν δεν θέλεις να το αλλάξεις)" + password_to_confirm: "(χρειαζόμαστε τον τρέχοντα κωδικό σου για να επιβεβαιώσουμε τις αλλαγές σου)" + unhappy: "Δεν είσαι ικανοποιημένος;" update: "Ενημέρωση" - invalid_invite: "Ο σύνδεσμος που δώσατε δεν είναι πια έγκυρος!" + invalid_invite: "Ο σύνδεσμος που έδωσες δεν είναι πια έγκυρος!" new: - continue: "Συνέχεια" create_my_account: "Δημιουργία λογαριασμού!" - diaspora: "<3 Diaspora*" - email: "ΗΛΕΚΤΡΟΝΙΚΟ ΤΑΧΥΔΡΟΜΕΙΟ" - enter_email: "Εισάγετε μια διεύθυνση ηλεκτρονικού ταχυδρομείου" - enter_password: "Εισάγετε έναν κωδικό" - enter_password_again: "Εισάγετε τον ίδιο κωδικό πάλι" - enter_username: "Επιλέξτε ένα όνομα χρήστη (μόνο γράμματα, νούμερα και κάτω-παύλα)" - hey_make: "ΕΗ,
ΚΑΝΕ
ΚΑΤΙ." - join_the_movement: "Γίνετε μέλος του κινήματος!" + email: "EMAIL" + enter_email: "Επέλεξε μια διεύθυνση email" + enter_password: "Επέλεξε έναν κωδικό" + enter_password_again: "Επανέλαβε τον κωδικό" + enter_username: "Επέλεξε ένα όνομα χρήστη (μόνο γράμματα, νούμερα και κάτω-παύλα)" + join_the_movement: "Γίνε μέλος του κινήματος!" password: "ΚΩΔΙΚΟΣ" password_confirmation: "ΕΠΑΛΗΘΕΥΣΗ ΚΩΔΙΚΟΥ" sign_up: "ΕΓΓΡΑΦΗ" - sign_up_message: "Κοινωνική Δικτύωση με <3" + sign_up_message: "Κοινωνική Δικτύωση με ♥" + submitting: "Υποβολή..." username: "ΟΝΟΜΑ ΧΡΗΣΤΗ" requests: create: sending: "Αποστολή" - sent: "Σας ζητήθηκε να μοιράζεστε με τον/την %{name}. Θα είναι ορατό την επόμενη φορά που θα συνδεθεί στο Diaspora." + sent: "Σου ζητήθηκε να μοιράζεσαι με τον/την %{name}. Θα είναι ορατό την επόμενη φορά που θα συνδεθείς στο diaspora*." destroy: - error: "Παρακαλώ επιλέξτε μια πτυχή!" + error: "Παρακαλώ επέλεξε μια πτυχή!" ignore: "Αγνοήθηκε αίτηση επαφής." - success: "Τώρα πλέον διαμοιράζεστε." + success: "Τώρα πλέον μοιράζεσαι." helper: new_requests: few: "%{count} νέα αιτήματα!" @@ -736,7 +733,7 @@ el: zero: "κανένα νέο αίτημα" manage_aspect_contacts: existing: "Υφιστάμενες επαφές" - manage_within: "Διαχειριστείτε τις επαφές της πτυχής" + manage_within: "Διαχείριση των επαφών της πτυχής" new_request_to_person: sent: "εστάλη!" reshares: @@ -754,53 +751,54 @@ el: zero: "Κοινοποίηση" reshare_confirmation: "Κοινοποίηση της δημοσίευσης του χρήστη %{author};" reshare_original: "Κοινοποίηση αρχικής" - reshared_via: "διαμοιράστηκε μέσω" + reshared_via: "κοινοποιήθηκε μέσω" show_original: "Προεπισκόπηση αρχικού" search: "Αναζήτηση" services: create: already_authorized: "Ένας χρήστης με diaspora αναγνωριστικό %{diaspora_id} έχει ήδη εξουσιοδοτήσει αυτόν τον %{service_name} λογαριασμό." failure: "Αποτυχία πιστοποίησης." - read_only_access: "Τα δικαιώματα πρόσβασης είναι μόνο για ανάγνωση, παρακαλώ προσπαθήστε να λάβετε εξουσιοδότηση ξανά αργότερα" + read_only_access: "Τα δικαιώματα πρόσβασης είναι μόνο για ανάγνωση, παρακαλώ προσπάθησε να λάβεις εξουσιοδότηση ξανά αργότερα" success: "Επιτυχής έλεγχος ταυτότητας." destroy: success: "Επιτυχής καταστροφή ταυτότητας." failure: error: "εμφανίστηκε ένα σφάλμα κατά τη σύνδεση με αυτή την υπηρεσία" finder: - fetching_contacts: "Το Diaspora ανακτά τους %{service} φίλους σας παρακαλώ επανέλθετε σε μερικά λεπτά." + fetching_contacts: "Το diaspora* ανακτά τους %{service} φίλους σου, έλεγξε ξανά σε μερικά λεπτά." no_friends: "Δεν βρέθηκαν φίλοι στο Facebook. " service_friends: "%{service} Φίλοι" index: connect_to_facebook: "Σύνδεση με Facebook" connect_to_tumblr: "Σύνδεση με το Tumblr" connect_to_twitter: "Σύνδεση με Twitter" + connect_to_wordpress: "Σύνδεση με Wordpress" disconnect: "αποσύνδεση" edit_services: "Επεξεργασία υπηρεσιών" logged_in_as: "συνδεδεμένος ως" - no_services: "Δεν έχετε συνδέσει κάποια υπηρεσία ακόμα." + no_services: "Δεν έχεις συνδέσει κάποια υπηρεσία ακόμα." really_disconnect: "αποσύνδεση %{service};" services_explanation: "Η σύνδεση των υπηρεσιών σας δίνει τη δυνατότητα να κοινοποιούνται οι δημοσιεύσεις σας σε κάθε υπηρεσία, καθώς τις γράφεται στο Diaspora." inviter: - click_link_to_accept_invitation: "Κάντε κλικ σ' αυτό το σύνδεσμο για να αποδεχθείτε την πρόσκλησή σας" - join_me_on_diaspora: "Συνδεθείτε μαζί μου στο DIASPORA*" + click_link_to_accept_invitation: "Κάνε κλικ σ' αυτό το σύνδεσμο για να αποδεχθείς την πρόσκλησή" + join_me_on_diaspora: "Συνδέσου μαζί μου στο diaspora*" remote_friend: invite: "πρόσκληση" - not_on_diaspora: "Όχι ακόμα στο Diaspora" + not_on_diaspora: "Δεν είναι ακόμα στο diaspora*" resend: "αποστολή ξανά" settings: "Ρυθμίσεις" share_visibilites: update: post_hidden_and_muted: "Οι δημοσιεύσεις του χρήστη %{name} έχουν κρυφτεί, και οι ειδοποιήσεις έχουν απενεργοποιηθεί." - see_it_on_their_profile: "Αν θέλετε να δείτε ενημερώσεις για αυτή τη δημοσίευση, επισκεφτείτε το προφίλ του χρήστη %{name}." + see_it_on_their_profile: "Αν θέλεις να δεις ενημερώσεις για αυτή τη δημοσίευση, επισκέψου το προφίλ του χρήστη %{name}." shared: add_contact: - add_new_contact: "Προσθέστε μια νέα επαφή" - create_request: "Εύρεση βάσει Diaspora ID" + add_new_contact: "Πρόσθεσε μια νέα επαφή" + create_request: "Εύρεση βάσει diaspora* ID" diaspora_handle: "diaspora@pod.org" - enter_a_diaspora_username: "Εισάγετε όνομα χρήστη Diaspora:" - know_email: "Ξέρετε τις ηλεκτρονικές τους διευθύνσεις; Τότε πρέπει να τους προσκαλέσετε" - your_diaspora_username_is: "Το όνομα χρήστη σας στο Diaspora είναι: %{diaspora_handle}" + enter_a_diaspora_username: "Επέλεξε όνομα χρήστη diaspora*:" + know_email: "Γνωρίζεις τις διευθύνσεις email τους; Τότε πρέπει να τους προσκαλέσεις" + your_diaspora_username_is: "Το όνομα χρήστη σου στο diaspora* είναι: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Προσθήκη επαφής" toggle: @@ -814,55 +812,56 @@ el: all_contacts: "Όλες οι επαφές" footer: logged_in_as: "συνδεμένοι ως %{name}" - your_aspects: "οι πτυχές σας" + your_aspects: "οι πτυχές σου" invitations: - by_email: "Μέσω ηλεκτρονικού ταχυδρομείου" - dont_have_now: "Δεν έχετε κάποια τώρα, αλλά περισσότερες προσκλήσεις έρχονται σύντομα!" + by_email: "Μέσω email" + dont_have_now: "Δεν έχεις κάποια τώρα, αλλά περισσότερες προσκλήσεις έρχονται σύντομα!" from_facebook: "Από το Facebook" invitations_left: "απομένουν %{count}" - invite_someone: "Προσκαλέστε κάποιον/α" - invite_your_friends: "Προσκαλέστε φίλους" + invite_someone: "Προσκάλεσε κάποιον/α" + invite_your_friends: "Προσκάλεσε φίλους" invites: "Προσκλήσεις" - invites_closed: "Οι προσκλήσεις αυτή τη στιγμή είναι κλειστές σε αυτό το Diaspora pod" - share_this: "Μοιραστείτε αυτόν τον σύνδεσμο με ηλεκτρονικό ταχυδρομείο, blog, ή αγαπημένο κοινωνικό δίκτυο!" + invites_closed: "Οι προσκλήσεις αυτή τη στιγμή είναι κλειστές σε αυτό το diaspora* pod" + share_this: "Μοιράσου αυτόν τον σύνδεσμο με email, blog, ή σε κάποιο κοινωνικό δίκτυο!" notification: new: "Νέο %{type} από τον χρήστη %{from}" public_explain: atom_feed: "" - control_your_audience: "Ελέγξτε το Κοινό σας" + control_your_audience: "Έλεγξε το Κοινό σου" logged_in: "συνδεμένοι στο %{service}" manage: "Διαχείριση συνδεμένων υπηρεσιών" - new_user_welcome_message: "Χρησιμοποιήστε τις #ετικέτες για να ταξινομήσετε τις δημοσιεύσεις σας και να βρείτε άτομα με κοινά ενδιαφέροντα με εσάς. Μνημονεύστε αξιόλογα άτομα με @αναφορές" - outside: "Τα δημόσια μηνύματα θα είναι διαθέσιμα και σε χρήστες εκτός του δικτύου Diaspora" - share: "Μοιραστείτε" + new_user_welcome_message: "Χρησιμοποίησε τις #ετικέτες για να ταξινομήσεις τις δημοσιεύσεις σου και να βρείς άτομα με κοινά ενδιαφέροντα με σένα. Μνημόνευσε αξιόλογα άτομα με @αναφορές" + outside: "Τα δημόσια μηνύματα θα είναι διαθέσιμα και σε χρήστες εκτός του δικτύου diaspora*" + share: "Μοιράσου" title: "Ρύθμιση συνδεδεμένων υπηρεσιών" - visibility_dropdown: "Χρησιμοποιήστε αυτό το αναδυόμενο μενού για να αλλάξτε την ορατότητα της ανάρτησης σας. (Προτείνουμε την πρώτη σας να κάνετε δημόσια.)" + visibility_dropdown: "Χρησιμοποίησε αυτό το αναδυόμενο μενού για να αλλάξεις την ορατότητα της ανάρτησης σου. (Προτείνουμε την πρώτη σου να την κάνεις δημόσια.)" publisher: all: "όλα" all_contacts: "όλες οι επαφές" discard_post: "Απόρριψη ανάρτησης" - make_public: "κάντε το δημόσιο" + get_location: "Λήψη τοποθεσίας μου" + make_public: "κάνε το δημόσιο" new_user_prefill: hello: "Γεια σε όλους, είμαι #%{new_user_tag}. " i_like: "Με ενδιαφέρουν οι ετικέτες %{tags}." invited_by: "Ευχαριστώ για την πρόσκληση, " newhere: "ΝέοςΕδώ" - post_a_message_to: "Αναρτήστε ένα μήνυμα στην πτυχή %{aspect}" + post_a_message_to: "Ανάρτησε ένα μήνυμα στην πτυχή %{aspect}" posting: "Ανάρτηση..." preview: "Προεπισκόπηση" publishing_to: "δημοσίευση στο: " share: "Κοινοποίηση" - share_with: "μοιραστείτε με" + share_with: "μοιράσου με" upload_photos: "Μεταφόρτωση εικόνων" - whats_on_your_mind: "Τι σκέφτεστε;" + whats_on_your_mind: "Τι σκέφτεσαι;" reshare: - reshare: "Κοινοποιήστε" + reshare: "Κοινοποίησε" stream_element: - connect_to_comment: "Συνδεθείτε με αυτόν τον χρήστη για να σχολιάσετε στην ανάρτησή του" + connect_to_comment: "Συνδέσου με αυτόν τον χρήστη για να σχολιάσεις στην ανάρτησή του" currently_unavailable: "ο σχολιασμός αυτή τη στιγμή δεν είναι διαθέσιμος" dislike: "Δεν μ' αρέσει" hide_and_mute: "Απόκρυψη και σίγαση δημοσίευσης" - ignore_user: "Αγνοήστε τον/την %{name}" + ignore_user: "Αγνόησε τον/την %{name}" ignore_user_description: "Αγνόηση και αφαίρεση χρήστη από όλες τις πτυχές;" like: "Μου αρέσει" nsfw: "Αυτή η δημοσίευση έχει σημανθεί ως μη ασφαλής για δουλειά από τον δημιουργό της. %{link}" @@ -881,15 +880,11 @@ el: no_message_to_display: "Κανένα μήνυμα" new: mentioning: "Αναφορά σε: %{person}" - too_long: - few: "παρακαλώ μετατρέψτε τα μηνύματα κατάστασης σας σε λιγότερους από %{count} χαρακτήρες" - many: "παρακαλώ ελαττώστε το μύνημα κατάστασης σας σε λιγότερο από %{count} χαρακτήρες" - one: "παρακαλώ μετατρέψτε τα μηνύματα κατάστασης σας σε λιγότερο από %{count} χαρακτήρα" - other: "παρακαλώ μετατρέψτε τα μηνύματα κατάστασης σας σε λιγότερους από %{count} χαρακτήρες" - two: "παρακαλούμε ορίστε το μήνυμα κατάστασής σας σε λιγότερους από %{count} χαρακτήρες" - zero: "παρακαλώ μετατρέψτε τα μηνύματα κατάστασης σας σε λιγότερους από %{count} χαρακτήρες" + too_long: "Παρακαλώ μετέτρεψε το μήνυμα κατάστασης σου σε λιγότερους από %{count} χαρακτήρες. Τώρα είναι %{current_length} χαρακτήρες." stream_helper: hide_comments: "Απόκρυψη όλων των σχολίων" + no_more_posts: "Έχεις φτάσει το τέλος της ροής." + no_posts_yet: "Δεν υπάρχουν αναρτήσεις ακόμα." show_comments: few: "Εμφάνιση %{count} ακόμα σχολίων" many: "Εμφάνιση %{count} ακόμα σχολίων" @@ -901,69 +896,65 @@ el: activity: title: "Η δραστηριότητα μου" aspects: - title: "Οι Πτυχές σας" + title: "Οι Πτυχές σου" aspects_stream: "Πτυχές" comment_stream: - contacts_title: "Χρήστες των οποίων έχετε σχολιάσει αναρτήσεις" + contacts_title: "Χρήστες των οποίων έχεις σχολιάσει αναρτήσεις" title: "Σχολιασμένες Αναρτήσεις" community_spotlight_stream: "Αναρτήσεις Κοινότητας" followed_tag: add_a_tag: "Προσθήκη μιας ετικέτας" contacts_title: "Άτομα που έψαξαν αυτές τις ετικέτες" - follow: "Ακολουθήστε" - title: "#Ετικέτες που ακολουθείτε" - followed_tags_stream: "#Ετικέτες που ακολουθείτε" + follow: "Ακολούθησε" + title: "#Ετικέτες που ακολουθείς" + followed_tags_stream: "#Ετικέτες που ακολουθείς" like_stream: - contacts_title: "Χρήστες των οποίων αναρτήσεις σας αρέσουν" + contacts_title: "Χρήστες των οποίων αναρτήσεις σου αρέσουν" title: "Αυτή η ροή μου αρέσει" mentioned_stream: "@Αναφορές" mentions: - contacts_title: "Άτομα που σας έχουν αναφέρει" + contacts_title: "Άτομα που σε έχουν αναφέρει" title: "@Αναφορές" multi: - contacts_title: "Άτομα στη Ροή σας" + contacts_title: "Άτομα στη Ροή σου" title: "Ροή" public: - contacts_title: "Πρόσφατες Αφίσες" + contacts_title: "Πρόσφατες Δημοσιεύσεις" title: "Δημόσια Δραστηριότητα" tags: contacts_title: "Άτομα που τους αρέσει αυτή η ετικέτα" - tag_prefill_text: "Αυτό που σκέφτομαι για %{tag_name} είναι... " - title: "Δημοσιοποιήσατε με ετικέτα: %{tags}" + title: "Ανάρτησες με ετικέτες: %{tags}" tag_followings: create: - failure: "Η προσπάθεια σας να ακολουθήσετε την ετικέτα #%{name} απέτυχε. Μήπως την ακολουθείτε ήδη;" - none: "Δεν μπορείτε να ακολουθήσετε μια κενή ετικέτα!" - success: "Γιούπι! Ακολουθείτε επιτυχώς την ετικέτα #%{name}." + failure: "Η προσπάθεια σου να ακολουθήσεις την ετικέτα #%{name} απέτυχε. Μήπως την ακολουθείς ήδη;" + none: "Δεν μπορείς να ακολουθήσεις μια κενή ετικέτα!" + success: "Γιούπι! Ακολουθείς επιτυχώς την ετικέτα #%{name}." destroy: - failure: "Η προσπάθεια σας να σταματήσετε να ακολουθείτε την ετικέτα #%{name} απέτυχε. Μήπως έχετε ήδη σταματήσει να την ακολουθείτε;" - success: "Δεν ακολουθείτε την ετικέτα: #%{name} πια." + failure: "Η προσπάθεια σου να σταματήσεις να ακολουθείς την ετικέτα #%{name} απέτυχε. Μήπως έχεις ήδη σταματήσει να την ακολουθείς;" + success: "Δεν ακολουθείς την ετικέτα: #%{name} πια." tags: show: - follow: "Ακολουθήστε την ετικέτα #%{tag}" - following: "Ακολουθείτε την ετικέτα #%{tag}" - nobody_talking: "Κανένας δεν μιλάει ακόμα για την ετικέτα %{tag}." + follow: "Ακολούθησε την ετικέτα #%{tag}" + following: "Ακολουθείς την ετικέτα #%{tag}" none: "Η κενή ετικέτα δεν υπάρχει!" - people_tagged_with: "Άτομα με την ετικέτα %{tag}" - posts_tagged_with: "Αναρτήσεις με την ετικέτα #%{tag}" - stop_following: "Σταματήσατε να ακολουθείτε την ετικέτα #%{tag}" + stop_following: "Σταμάτησες να ακολουθείς την ετικέτα #%{tag}" terms_and_conditions: "Όροι και Προϋποθέσεις" undo: "Αναίρεση;" username: "Όνομα Χρήστη" users: confirm_email: - email_confirmed: "Η διεύθυνση ηλεκτρονικού ταχυδρομείου %{email} ενεργοποιήθηκε" - email_not_confirmed: "Η διεύθυνση ηλεκτρονικού ταχυδρομείου δεν ενεργοποιήθηκε. Μήπως ήταν λάθος ο σύνδεσμος;" + email_confirmed: "Το email %{email} ενεργοποιήθηκε" + email_not_confirmed: "Η διεύθυνση email δεν ενεργοποιήθηκε. Μήπως ήταν λάθος ο σύνδεσμος;" destroy: - no_password: "Παρακαλώ εισάγετε τον τωρινό κωδικό σας για να κλείσει ο λογαριασμός σας." + no_password: "Παρακαλώ εισήγαγε τον τωρινό κωδικό σου για να κλείσει ο λογαριασμός σου." success: "Ο λογαριασμός σας έχει κλειδωθεί. Μπορεί να πάρει 20 λεπτά για να ολοκληρώσουμε το κλείσιμο του λογαριασμού σας. Ευχαριστούμε που δοκιμάσατε το Diaspora." - wrong_password: "Ο κωδικός που εισάγατε δεν ταιριάζει με τον τωρινό κωδικό σας." + wrong_password: "Ο κωδικός που εισήγαγες δεν ταιριάζει με τον τωρινό κωδικό σου." edit: - also_commented: "...κάποιος επίσης σχολίασε σε δημοσίευση επαφής σας;" + also_commented: "κάποιος σχολίασε σε δημοσίευση που έχεις σχολιάσει κι εσύ" auto_follow_aspect: "Πτυχή για αυτόματη Παρακολούθησης" auto_follow_back: "Αυτόματη ακολούθηση αν κάποιος σας ακουλουθήσει" change: "Αλλαγή" - change_email: "Αλλαγή διεύθυνσης ηλεκτρονικού ταχυδρομείου" + change_email: "Αλλαγή διεύθυνσης email" change_language: "Αλλαγή γλώσσας" change_password: "Αλλαγή κωδικού πρόσβασης" character_minimum_expl: "πρέπει να είναι τουλάχιστον έξι χαρακτήρες" @@ -973,44 +964,42 @@ el: lock_username: "Αυτό θα κλειδώσει το username σας αν προσπαθήσετε να επανεγγραφείτε." locked_out: "Θα αποσυνδεθείτε και θα κλειδωθείτε έξω από τον λογαριασμό σας." make_diaspora_better: "Θα επιθυμούσαμε να μας βοηθήσετε να κάνουμε το Diaspora καλύτερο αντί να φύγετε. Αν πράγματι θέλετε να φύγετε, θα θέλαμε να ξέρετε τι θα συμβεί στην συνέχεια." - mr_wiggles: "Ο κύριος Wiggles θα λυπηθεί να σας δει να αποχωρείτε" + mr_wiggles: "Ο κύριος Wiggles θα λυπηθεί να σε δει να αποχωρείς" no_turning_back: "Προς το παρόν, δεν υπάρχει γυρισμός." what_we_delete: "Διαγράφουμε όλες τις δημοσιεύσεις και τα δεδομένα του προφίλ σας το συντομότερο δυνατόν. Τα σχόλιά σας δεν θα διαγραφούν, αλλά θα συνεχίσουν να υπάρχουν." close_account_text: "Κλείσιμο λογαριάσμου" - comment_on_post: "...κάποιος σχολίασε την ανάρτησή σας;" + comment_on_post: "κάποιος σχολίασε την ανάρτησή σου" current_password: "Τρέχον κωδικός πρόσβασης" - current_password_expl: "αυτόν που συνδεθήκατε..." + current_password_expl: "αυτόν που συνδέθηκες..." download_photos: "κατέβασμα των φωτογραφιών μου" - download_xml: "κατέβασμα του xml μου" edit_account: "Επεξεργασία λογαριασμού" - email_awaiting_confirmation: "Σας στείλαμε έναν σύνδεσμο ενεργοποίησης στο %{unconfirmed_email}. Μέχρι να ακολουθήσετε αυτόν τον σύνδεσμο και να ενεργοποιήσετε τη νέα διεύθυνση, θα συνεχίσουμε να χρησιμοποιούμε την αρχική σας %{email}." - export_data: "Εξαγωγή Δεδομένων" + email_awaiting_confirmation: "Σου στείλαμε έναν σύνδεσμο ενεργοποίησης στο %{unconfirmed_email}. Μέχρι να ακολουθήσεις αυτόν τον σύνδεσμο και να ενεργοποιήσεις τη νέα διεύθυνση, θα συνεχίσουμε να χρησιμοποιούμε την αρχική %{email}." + export_data: "Εξαγωγή δεδομένων" following: "Ρυθμίσεις Παρακολούθησης" - getting_started: "Προτιμήσεις Νέου Χρήστη" + getting_started: "Προτιμήσεις νέου χρήστη" liked: "...σε κάποιον αρέσει η δημοσίευση σας;" mentioned: "...επισημανθήκατε σε μία φωτογραφία;" new_password: "Νέος κωδικός πρόσβασης" - photo_export_unavailable: "Η εξαγωγή φωτογραφίας αυτή τη στιγμή δεν είναι διαθέσιμη" private_message: "...μόλις λάβατε μία προσωπική ειδοποίηση;" - receive_email_notifications: "Να λαμβάνετε ειδοποιήσεις στο ηλεκτρονικό σας ταχυδρομείο όταν..." + receive_email_notifications: "Να λαμβάνω ειδοποιήσεις στο email μου όταν:" reshared: "...κάποιος κοινοποίησε τη δημοσίευση σας;" - show_community_spotlight: "Εμφάνιση Δημοσιεύσεων Κοινότητας στη Ροή σας;" + show_community_spotlight: "Εμφάνιση Δημοσιεύσεων Κοινότητας στη ροή σου;" show_getting_started: "Επανενεργοποιήση Getting Started" started_sharing: "...κάποιος άρχισε να διαμοιράζεται μαζί σας;" - stream_preferences: "Προτιμήσεις Ροής" - your_email: "Το email σας" - your_handle: "Το αναγνωριστικό σας στο diaspora" + stream_preferences: "Προτιμήσεις ροής" + your_email: "Το email σου" + your_handle: "Το αναγνωριστικό σου στο diaspora*" getting_started: - awesome_take_me_to_diaspora: "Εξαιρετικά! Πήγαινέ με στο Diaspora*" - community_welcome: "Η κοινότητα του Diaspora είναι χαρούμενη να σας έχει μαζί της!" - connect_to_facebook: "Μπορούμε να επιταχύνουμε λίγο τα πράγματα %{link} στο Diaspora. Αυτό θα τραβήξει το όνομα και τη φωτογραφία σας, και θα ενεργοποιήσει την πολλαπλή ανάρτηση." + awesome_take_me_to_diaspora: "Εξαιρετικά! Πήγαινέ με στο diaspora*" + community_welcome: "Η κοινότητα του diaspora* είναι χαρούμενη να σε έχει μαζί της!" + connect_to_facebook: "Μπορούμε να επιταχύνουμε λίγο τα πράγματα με %{link} στο diaspora*. Αυτό θα τραβήξει το όνομα και τη φωτογραφία σας, και θα ενεργοποιήσει την πολλαπλή ανάρτηση." connect_to_facebook_link: "συνδέοντας τον Facebook λογαριασμό σας" hashtag_explanation: "Τα hashtags σας επιτρέπουν να συζητάτε και να ακολουθείτε συγκεκριμένα ενδιαφέροντα. Είναι ακόμα ένας ωραίος τρόπος για να γνωρίσετε νέα άτομα στο Diaspora." - hashtag_suggestions: "Δοκιμάστε να ακολουθήσετε ετικέτες όπως #τέχνη, #ταινίες, #gif, κτλ." + hashtag_suggestions: "Δοκιμάστε να ακολουθήσεις ετικέτες όπως #art, #movies, #gif, κτλ." saved: "Αποθηκεύτηκε!" - well_hello_there: "Λοιπόν, γεια σας!" - what_are_you_in_to: "Με τι ασχολείστε;" - who_are_you: "Ποιός είστε;" + well_hello_there: "Λοιπόν, γεια σου!" + what_are_you_in_to: "Με τι ασχολείσαι;" + who_are_you: "Ποιος είσαι;" privacy_settings: ignored_users: "Αγνοημένοι Χρήστες" stop_ignoring: "Διακοπή Αγνόησης" @@ -1018,24 +1007,24 @@ el: public: does_not_exist: "Ο χρήστης %{username} δεν υπάρχει!" update: - email_notifications_changed: "Αλλαγή ειδοποιήσεων ηλεκτρονικού ταχυδρομείου,επιτυχής" + email_notifications_changed: "Επιτυχής αλλαγή email ειδοποιήσεων" follow_settings_changed: "Οι ρυθμίσεις παρακολούθησης έχουν αλλάξει" follow_settings_not_changed: "Η αλλαγή ρυθμίσεων παρακολουθήσεις απέτυχε." language_changed: "Η γλώσσα άλλαξε" language_not_changed: "Η αλλαγή γλώσσας απέτυχε" - password_changed: "Ο κωδικός σας άλλαξε. Μπορείτε τώρα να συνδεθείτε με τον νέο κωδικό. " + password_changed: "Ο κωδικός σου άλλαξε. Μπορείς τώρα να συνδεθείς με τον νέο κωδικό." password_not_changed: "Η αλλαγή κωδικού απέτυχε" settings_not_updated: "Αποτυχία ενημέρωσης ρυθμίσεων" settings_updated: "Οι ρυθμίσεις ενημερώθηκαν" - unconfirmed_email_changed: "Η διεύθυνση ηλεκτρονικού ταχυδρομείου άλλαξε. Χρειάζεται ενεργοποίηση." - unconfirmed_email_not_changed: "Η αλλαγή της διεύθυνσης ηλεκτρονικού ταχυδρομείου απέτυχε." + unconfirmed_email_changed: "Η διεύθυνση email άλλαξε. Χρειάζεται ενεργοποίηση." + unconfirmed_email_not_changed: "Η αλλαγή της διεύθυνσης email απέτυχε." webfinger: fetch_failed: "αποτυχία παροχής του προφίλ webfinger για %{profile_url}" - hcard_fetch_failed: "υπήρξε ενά πρόβλημα παροχής του hcard για #{@account}" + hcard_fetch_failed: "υπήρξε ενά πρόβλημα λήξης του hcard για %{account}" no_person_constructed: "Κανένα άτομο δεν μπορούσε να κατασκευαστεί απο αυτό το hcard." not_enabled: "το webfinger φαίνεται να μην είναι ενεργοποιημέο για τον host του %{account}" xrd_fetch_failed: "υπήρξε ένα πρόβλημα στη λήψη του xrd απο το λογαριασμό %{account}" - welcome: "Καλωσήρθατε!" + welcome: "Καλωσόρισες!" will_paginate: next_label: "επόμενο »" previous_label: "« προηγούμενο" \ No newline at end of file diff --git a/config/locales/diaspora/en.yml b/config/locales/diaspora/en.yml index fa2c84b8a..604596ec5 100644 --- a/config/locales/diaspora/en.yml +++ b/config/locales/diaspora/en.yml @@ -10,11 +10,11 @@ en: profile: "Profile" account: "Account" privacy: "Privacy" - privacy_policy: "Privacy Policy" - terms_and_conditions: "Terms and Conditions" + privacy_policy: "Privacy policy" + terms_and_conditions: "Terms and conditions" _services: "Services" _applications: "Applications" - _photos: "photos" + _photos: "Photos" _help: "Help" ok: "OK" cancel: "Cancel" @@ -29,7 +29,7 @@ en: password: "Password" password_confirmation: "Password confirmation" are_you_sure: "Are you sure?" - are_you_sure_delete_account: "Are you sure you want to close your account? This can't be undone!" + are_you_sure_delete_account: "Are you sure you want to close your account? This can’t be undone!" fill_me_out: "Fill me out" back: "Back" public: "Public" @@ -39,17 +39,18 @@ en: find_people: "Find people or #tags" _home: "Home" more: "More" - next: "next" - previous: "previous" + next: "Next" + previous: "Previous" _comments: "Comments" - all_aspects: "All Aspects" - no_results: "No Results Found" + all_aspects: "All aspects" + no_results: "No results found" _contacts: "Contacts" welcome: "Welcome!" - _terms: "terms" + _terms: "Terms" + _statistics: "Statistics" - #for reference translation, the real activerecord english transations are actually - #in en-US, en-GB, and en-AU yml files + # For reference translation; the real ActiveRecord English transations are actually + # in the en-US, en-GB, and en-AU yml files. activerecord: errors: models: @@ -69,7 +70,7 @@ en: contact: attributes: person_id: - taken: "must be unique among this user's contacts." + taken: "must be unique among this user’s contacts." request: attributes: from_id: @@ -77,7 +78,7 @@ en: reshare: attributes: root_guid: - taken: "That good, huh? You've already reshared that post!" + taken: "That good, eh? You've already reshared that post!" poll: attributes: poll_answers: @@ -85,10 +86,10 @@ en: poll_participation: attributes: poll: - already_participated: "You've already participated in this poll!" + already_participated: "You’ve already participated in this poll!" error_messages: helper: - invalid_fields: "Invalid Fields" + invalid_fields: "Invalid fields" correct_the_following_errors_and_try_again: "Correct the following errors and try again." post_not_public: "The post you are trying to view is not public!" post_not_public_or_not_exist: "The post you are trying to view is not public, or does not exist!" @@ -97,41 +98,46 @@ en: admins: admin_bar: pages: "Pages" - user_search: "User Search" - weekly_user_stats: "Weekly User Stats" - pod_stats: "Pod Stats" + user_search: "User search" + weekly_user_stats: "Weekly user stats" + pod_stats: "Pod stats" report: "Reports" correlations: "Correlations" sidekiq_monitor: "Sidekiq monitor" correlations: - correlations_count: "Correlations with Sign In Count:" + correlations_count: "Correlations with sign-in count:" user_search: you_currently: - zero: "you currently have no invites left %{link}" - one: "you currently have one invite left %{link}" - other: "you currently have %{count} invites left %{link}" - view_profile: "view profile" - add_invites: "add invites" - close_account: "close account" + zero: "You currently have no invites left %{link}" + one: "You currently have one invite left %{link}" + other: "You currently have %{count} invites left %{link}" + view_profile: "View profile" + add_invites: "Add invites" + close_account: "Close account" are_you_sure: "Are you sure you want to close this account?" + are_you_sure_lock_account: "Are you sure you want to lock this account?" + are_you_sure_unlock_account: "Are you sure you want to unlock this account?" account_closing_scheduled: "The account of %{name} is scheduled to be closed. It will be processed in a few moments..." + account_locking_scheduled: "The account of %{name} is scheduled to be locked. It will be processed in a few moments..." + account_unlocking_scheduled: "The account of %{name} is scheduled to be unlocked. It will be processed in a few moments..." email_to: "Email to Invite" + email_to: "Email to invite" under_13: "Show users that are under 13 (COPPA)" users: zero: "%{count} users found" one: "%{count} user found" other: "%{count} users found" user_entry: - id: 'ID' - guid: 'GUID' - email: 'Email' - diaspora_handle: 'Diaspora handle' - last_seen: 'last seen' - account_closed: 'account closed' - nsfw: '#nsfw' - unknown: 'unknown' - 'yes': 'yes' - 'no': 'no' + id: "ID" + guid: "GUID" + email: "Email" + diaspora_handle: "diaspora* handle" + last_seen: "Last seen" + account_closed: "Account closed" + nsfw: "#nsfw" + unknown: "Unknown" + 'yes': "Yes" + 'no': "No" weekly_user_stats: current_server: "Current server date is %{date}" amount_of: @@ -140,11 +146,11 @@ en: other: "Number of new users this week: %{count}" stats: week: "Week" - 2weeks: "2 Week" + 2weeks: "2 weeks" month: "Month" daily: "Daily" - usage_statistic: "Usage Statistics" - go: "go" + usage_statistic: "Usage statistics" + go: "Go" display_results: "Displaying results from the %{segment} segment" posts: zero: "%{count} posts" @@ -163,56 +169,44 @@ en: one: "%{count} user" other: "%{count} users" current_segment: "The current segment is averaging %{post_yest} posts per user, from %{post_day}" - 50_most: "50 Most Popular Tags" - tag_name: "Tag Name: %{name_tag} Count: %{count_tag}" + 50_most: "50 most popular tags" + tag_name: "Tag name: %{name_tag} Count: %{count_tag}" application: helper: - unknown_person: "unknown person" + unknown_person: "Unknown person" video_title: - unknown: "Unknown Video Title" + unknown: "Unknown video title" aspects: - zero: "no aspects" + zero: "No aspects" one: "1 aspect" - two: "%{count} aspects" - few: "%{count} aspects" - many: "%{count} aspects" other: "%{count} aspects" contacts_visible: "Contacts in this aspect will be able to see each other." contacts_not_visible: "Contacts in this aspect will not be able to see each other." edit: - make_aspect_list_visible: "make contacts in this aspect visible to each other?" + grant_contacts_chat_privilege: "Grant contacts in this aspect chat privilege?" + make_aspect_list_visible: "Make contacts in this aspect visible to each other?" remove_aspect: "Delete this aspect" confirm_remove_aspect: "Are you sure you want to delete this aspect?" - add_existing: "Add an existing contact" set_visibility: "Set visibility" - manage: "Manage" - done: "Done" - rename: "rename" + rename: "Rename" aspect_list_is_visible: "Contacts in this aspect are able to see each other." aspect_list_is_not_visible: "Contacts in this aspect are not able to see each other." - update: "update" - updating: "updating" - aspect_contacts: - done_editing: "done editing" - show: - edit_aspect: "edit aspect" + aspect_chat_is_enabled: "Contacts in this aspect are able to chat with you." + aspect_chat_is_not_enabled: "Contacts in this aspect are not able to chat with you." + update: "Update" + updating: "Updating" no_posts_message: start_talking: "Nobody has said anything yet!" no_contacts_message: you_should_add_some_more_contacts: "You should add some more contacts!" try_adding_some_more_contacts: "You can search or invite more contacts." or_spotlight: "Or you can share with %{link}" - community_spotlight: "community spotlight" + community_spotlight: "Community spotlight" aspect_listings: select_all: "Select all" deselect_all: "Deselect all" edit_aspect: "Edit %{name}" add_an_aspect: "+ Add an aspect" - selected_contacts: - view_all_community_spotlight: "See all community spotlight" - view_all_contacts: "View all contacts" - no_contacts: "You don't have any contacts here yet." - manage_your_aspects: "Manage your aspects." new: name: "Name (only visible to you)" create: "Create" @@ -225,17 +219,9 @@ en: update: success: "Your aspect, %{name}, has been successfully edited." failure: "Your aspect, %{name}, had too long name to be saved." - move_contact: - failure: "didn't work %{inspect}" - success: "Person moved to new aspect" - error: "Error moving contact: %{inspect}" add_to_aspect: failure: "Failed to add contact to aspect." success: "Successfully added contact to aspect." - helper: - remove: "remove" - aspect_not_empty: "Aspect not empty" - are_you_sure: "Are you sure you want to delete this aspect?" seed: family: "Family" work: "Work" @@ -249,19 +235,19 @@ en: unfollow_tag: "Stop following #%{tag}" handle_explanation: "This is your diaspora* ID. Like an email address, you can give this to people to reach you." no_contacts: "No contacts" - post_a_message: "post a message >>" + post_a_message: "Post a message >>" people_sharing_with_you: "People sharing with you" welcome_to_diaspora: "Welcome to diaspora*, %{name}!" introduce_yourself: "This is your stream. Jump in and introduce yourself." new_here: - title: "Welcome New Users" + title: "Welcome new users" follow: "Follow %{link} and welcome new users to diaspora*!" learn_more: "Learn more" help: - need_help: "Need Help?" + need_help: "Need help?" here_to_help: "The diaspora* community is here!" do_you: "Do you:" have_a_question: "... have a %{link}?" @@ -270,31 +256,31 @@ en: tag_bug: "bug" feature_suggestion: "... have a %{link} suggestion?" tag_feature: "feature" - tutorials_and_wiki: "%{faq}, %{tutorial} & %{wiki}: Help for your first steps." + tutorials_and_wiki: "%{faq}, %{tutorial} & %{wiki}: help for your first steps." tutorial_link_text: "Tutorials" email_feedback: "%{link} your feedback, if you prefer" email_link: "Email" - any_problem: "Any Problem?" + any_problem: "Got a problem?" contact_podmin: "Contact the administrator of your pod!" - mail_podmin: "Podmin E-Mail" + mail_podmin: "Podmin email" diaspora_id: heading: "diaspora* ID" content_1: "Your diaspora* ID is:" - content_2: "Give it to anyone and they'll be able to find you on diaspora*." + content_2: "Give it to anyone and they’ll be able to find you on diaspora*." services: - heading: "Connect Services" + heading: "Connect services" content: "You can connect the following services to diaspora*:" aspect_stream: - stay_updated: "Stay Updated" + stay_updated: "Stay updated" stay_updated_explanation: "Your main stream is populated with all of your contacts, tags you follow, and posts from some creative members of the community." make_something: "Make something" aspect_memberships: destroy: - success: "Successfully removed person from aspect" - failure: "Failed to remove person from aspect" - no_membership: "Could not find the selected person in that aspect" + success: "Successfully removed person from aspect." + failure: "Failed to remove person from aspect." + no_membership: "Could not find the selected person in that aspect." bookmarklet: heading: "Bookmarklet" @@ -303,69 +289,64 @@ en: explanation: "Post to diaspora* from anywhere by bookmarking this link => %{link}." comments: - zero: "no comments" + zero: "No comments" one: "1 comment" - two: "%{count} comments" - few: "%{count} comments" - many: "%{count} comments" other: "%{count} comments" new_comment: comment: "Comment" commenting: "Commenting..." reactions: - zero: "0 reactions" + zero: "No reactions" one: "1 reaction" other: "%{count} reactions" contacts: - zero: "contacts" + zero: "No contacts" one: "1 contact" - two: "%{count} contacts" - few: "%{count} contacts" - many: "%{count} contacts" other: "%{count} contacts" create: failure: "Failed to create contact" sharing: people_sharing: "People sharing with you:" index: - add_to_aspect: "add contacts to %{name}" + add_to_aspect: "Add contacts to %{name}" start_a_conversation: "Start a conversation" add_a_new_aspect: "Add a new aspect" title: "Contacts" - your_contacts: "Your Contacts" + your_contacts: "Your contacts" no_contacts: "Looks like you need to add some contacts!" no_contacts_message: "Check out %{community_spotlight}" - no_contacts_message_with_aspect: "Check out %{community_spotlight} or %{add_to_aspect_link}" - add_to_aspect_link: "add contacts to %{name}" - community_spotlight: "Community Spotlight" - my_contacts: "My Contacts" - all_contacts: "All Contacts" + community_spotlight: "Community spotlight" + no_contacts_in_aspect: "You don't have any contacts in this aspect yet. Below is a list of your existing contacts which you can add to this aspect." + my_contacts: "My contacts" + all_contacts: "All contacts" only_sharing_with_me: "Only sharing with me" - remove_person_from_aspect: "Remove %{person_name} from \"%{aspect_name}\"" - many_people_are_you_sure: "Are you sure you want to start a private conversation with more than %{suggested_limit} contacts? Posting to this aspect may be a better way to contact them." + add_contact: "Add contact" + remove_contact: "Remove contact" + user_search: "Contact search" spotlight: - community_spotlight: "Community Spotlight" + community_spotlight: "Community spotlight" suggest_member: "Suggest a member" conversations: index: conversations_inbox: "Conversations – Inbox" new_conversation: "New conversation" - no_conversation_selected: "no conversation selected" - create_a_new_conversation: "start a new conversation" - no_messages: "no messages" + no_conversation_selected: "No conversation selected" + create_a_new_conversation: "Start a new conversation" + no_messages: "No messages" inbox: "Inbox" conversation: participants: "Participants" show: - reply: "reply" + reply: "Reply" replying: "Replying..." - delete: "delete and block conversation" + hide: "Hide and mute conversation" + delete: "Delete conversation" new: - to: "to" - subject: "subject" + to: "To" + subject: "Subject" send: "Send" sending: "Sending..." abandon_changes: "Abandon changes?" @@ -381,8 +362,8 @@ en: new_conversation: fail: "Invalid message" destroy: - success: "Conversation successfully removed" - + delete_success: "Conversation successfully deleted" + hide_success: "Conversation successfully hidden" date: formats: fullmonth_day: "%B %d" @@ -395,195 +376,217 @@ en: tutorial: "tutorial" irc: "IRC" wiki: "wiki" + faq: "FAQ" markdown: "Markdown" here: "here" - foundation_website: "diaspora foundation website" - third_party_tools: "third party tools" - getting_started_tutorial: "'Getting started' tutorial series" + foundation_website: "diaspora* foundation website" + third_party_tools: "Third-party tools" + getting_started_tutorial: "”Getting started” tutorial series" getting_help: title: "Getting help" getting_started_q: "Help! I need some basic help to get me started!" - getting_started_a: "You're in luck. Try the %{tutorial_series} on our project site. It will take you step-by-step through the registration process and teach you all the basic things you need to know about using diaspora*." + getting_started_a: "You’re in luck. Try the %{tutorial_series} on our project site. It will take you step-by-step through the registration process and teach you all the basic things you need to know about using diaspora*." get_support_q: "What if my question is not answered in this FAQ? Where else can I get support?" - get_support_a_website: "visit our %{link}" - get_support_a_tutorials: "check out our %{tutorials}" - get_support_a_wiki: "search the %{link}" - get_support_a_irc: "join us on %{irc} (Live chat)" - get_support_a_hashtag: "ask in a public post on diaspora* using the %{question} hashtag" + get_support_a_website: "Visit our %{link}" + get_support_a_tutorials: "Check out our %{tutorials}" + get_support_a_wiki: "Search the %{link}" + get_support_a_irc: "Join us on %{irc} (live chat)" + get_support_a_faq: "Read our %{faq} page on wiki" + get_support_a_hashtag: "Ask in a public post on diaspora* using the %{question} hashtag" account_and_data_management: title: "Account and data management" move_pods_q: "How do I move my seed (account) from one pod to another?" move_pods_a: "In the future you will be able to export your seed from a pod and import it on another, but this is not currently possible. You could always open a new account and add your contacts to aspects on that new seed, and ask them to add your new seed to their aspects." download_data_q: "Can I download a copy of all of my data contained in my seed (account)?" - download_data_a: "Yes. At the bottom of the Account tab of your settings page there are two buttons for downloading your data." + download_data_a: "Yes. At the bottom of the Account tab of your settings page you will find two buttons: one for downloading your data and one for downloading your photos." close_account_q: "How do I delete my seed (account)?" - close_account_a: "Go to the bottom of your settings page and click the Close Account button." + close_account_a: "Go to the bottom of your settings page and click the “Close account” button. You will be asked to enter your password to complete the process. Remember, if you close your account, you will never be able to re-register your username on that pod." data_visible_to_podmin_q: "How much of my information can my pod administrator see?" - data_visible_to_podmin_a: "Communication *between* pods is always encrypted (using SSL and diaspora*'s own transport encryption), but the storage of data on pods is not encrypted. If they wanted to, the database administrator for your pod (usually the person running the pod) could access all your profile data and everything that you post (as is the case for most websites that store user data). Running your own pod provides more privacy since you then control access to the database." + data_visible_to_podmin_a: "In short: everything. Communication between pods is always encrypted (using SSL and diaspora*’s own transport encryption), but the storage of data on pods is not encrypted. If they wanted to, the database administrator for your pod (usually the person running the pod) could access all your profile data and everything that you post (as is the case for most websites that store user data). This is why we give you the choice which pod you sign up to, so you can choose a pod whose admin you are happy to trust with your data. Running your own pod provides more privacy since you then control access to the database." data_other_podmins_q: "Can the administrators of other pods see my information?" - data_other_podmins_a: "Once you are sharing with someone on another pod, any posts you share with them and a copy of your profile data are stored (cached) on their pod, and are accessible to that pod's database administrator. When you delete a post or profile data it is deleted from your pod and any other pods where it had previously been stored." + data_other_podmins_a: "Once you are sharing with someone on another pod, any posts you share with them and a copy of your profile data are stored (cached) on their pod, and are accessible to that pod’s database administrator. When you delete a post or profile data it is deleted from your pod and a delete request is sent to any other pods where it had previously been stored. Your images are never stored on any pod but your own; only links to them are transmitted to other pods." aspects: title: "Aspects" what_is_an_aspect_q: "What is an aspect?" what_is_an_aspect_a: "Aspects are the way you group your contacts on diaspora*. An aspect is one of the faces you show to the world. It might be who you are at work, or who you are to your family, or who you are to your friends in a club you belong to." who_sees_post_q: "When I post to an aspect, who sees it?" - who_sees_post_a: "If you make a limited post, it will only be visible the people you have put in that aspect (or those aspects, if it is made to multiple aspects). Contacts you have that aren't in the aspect have no way of seeing the post, unless you've made it public. Only public posts will ever be visible to anyone who you haven't placed into one of your aspects." - restrict_posts_i_see_q: "Can I restrict the posts I see to just those from certain aspects?" - restrict_posts_i_see_a: "Yes. Click on My Aspects in the side-bar and then click individual aspects in the list to select or deselect them. Only the posts by people in the selected aspects will appear in your stream." + who_sees_post_a: "If you make a limited post, it will only be visible to the people you had placed in that aspect (or aspects, if it is made to multiple aspects) before making the post. Contacts you have who aren’t in the aspect have no way of seeing the post. Limited posts will never be visible to anyone who you haven’t placed into one of your aspects." contacts_know_aspect_q: "Do my contacts know which aspects I have put them in?" contacts_know_aspect_a: "No. They cannot see the name of the aspect under any circumstances." - contacts_visible_q: "What does \"make contacts in this aspect visible to each other\" mean?" - contacts_visible_a: "If you check this option then contacts from that aspect will be able to see who else is in it, on your profile page under your picture. It's best to select this option only if the contacts in that aspect all know each other. They still won't be able to see what the aspect is called." + person_multiple_aspects_q: "Can I add a person to multiple aspects?" + person_multiple_aspects_a: "Yes. Go to your contacts page and click on “My contacts”. For each contact you can use the menu on the right to add them to (or remove them from) as many aspects as you want. Or you can add them to a new aspect (or remove them from an aspect) by clicking the aspect selector button on their profile page. Or you can even just move the pointer over their name where you see it in the stream, and a “hovercard” will appear. You can change the aspects they are in right there." + contacts_visible_q: "What does “make contacts in this aspect visible to each other” mean?" + contacts_visible_a: "If you check this option then contacts from that aspect will be able to see who else is in it, in the “Contacts” tab on your profile page. It’s best to select this option only if the contacts in that aspect all know each other, for example if the aspect is for a club or society you belong to. They still won’t be able to see what the aspect is called." remove_notification_q: "If I remove someone from an aspect, or all of my aspects, are they notified of this?" - remove_notification_a: "No." - rename_aspect_q: "Can I rename an aspect?" - rename_aspect_a: "Yes. In your list of aspects on the left side of the main page, point your mouse at the aspect you want to rename. Click the little 'edit' pencil that appears to the right. Click rename in the box that appears." + remove_notification_a: "No. They are also not notified if you add them to more aspects, when you are already sharing with them." change_aspect_of_post_q: "Once I have posted something, can I change the aspect(s) that can see it?" change_aspect_of_post_a: "No, but you can always make a new post with the same content and post it to a different aspect." post_multiple_aspects_q: "Can I post content to multiple aspects at once?" - post_multiple_aspects_a: "Yes. When you are making a post, use the aspect selector button to select or deselect aspects. Your post will be visible to all the aspects you select. You could also select the aspects you want to post to in the side-bar. When you post, the aspect(s) that you have selected in the list on the left will automatically be selected in the aspect selector when you start to make a new post." - person_multiple_aspects_q: "Can I add a person to multiple aspects?" - person_multiple_aspects_a: "Yes. Go to your contacts page and click my contacts. For each contact you can use the menu on the right to add them to (or remove them from) as many aspects as you want. Or you can add them to a new aspect (or remove them from an aspect) by clicking the aspect selector button on their profile page. Or you can even just move the pointer over their name where you see it in the stream, and a 'hover-card' will appear. You can change the aspects they are in right there." + post_multiple_aspects_a: "Yes. When you are making a post, use the aspect selector button to select or deselect aspects. “All aspects” is the default setting. Your post will be visible to all the aspects you select. You could also select the aspects you want to post to in the side-bar. When you post, the aspect(s) that you have selected in the list on the left will automatically be selected in the aspect selector when you start to make a new post." + restrict_posts_i_see_q: "Can I restrict the posts in my stream to just those from certain aspects?" + restrict_posts_i_see_a: "Yes. Click “My aspects” in the side-bar and then click individual aspects in the list to select or deselect them. Only the posts by people in the selected aspects will appear in your stream." + rename_aspect_q: "How do I rename an aspect?" + rename_aspect_a: "Click “My aspects” in the side-bar from a stream view and click the pencil icon by the aspect you want to rename, or go to your Contacts page and select the relevant aspect. Then click the edit icon next to the aspect name at the top of this page, change the name and press “Update”." delete_aspect_q: "How do I delete an aspect?" - delete_aspect_a: "In your list of aspects on the left side of the main page, point your mouse at the aspect you want to delete. Click the little 'edit' pencil that appears on the right. Click the delete button in the box that appears." + delete_aspect_a: "Click “My aspects” in the side-bar from a stream view and click the pencil icon by the aspect you want to delete, or go to your Contacts page and select the relevant aspect. Then click the trash icon in the top right of the page." + chat: + title: "Chat" + contacts_page: "contacts page" + add_contact_roster_q: "How do I chat with someone in diaspora*?" + add_contact_roster_a: "First, you need to enable chat for one of the aspects that person is in. To do so, go to the %{contacts_page}, select the aspect you want and click on the chat icon to enable chat for the aspect. %{toggle_privilege} You could, if you prefer, create a special aspect called “Chat” and add the people you want to chat with to that aspect. Once you’ve done this, open the chat interface and select the person you want to chat with." mentions: title: "Mentions" - what_is_a_mention_q: "What is a \"mention\"?" - what_is_a_mention_a: "A mention is a link to a person's profile page that appears in a post. When someone is mentioned they receive a notification that calls their attention to the post." + what_is_a_mention_q: "What is a “mention”?" + what_is_a_mention_a: "A mention is a link to a person’s profile page that appears in a post. When someone is mentioned they receive a notification that calls their attention to the post." how_to_mention_q: "How do I mention someone when making a post?" - how_to_mention_a: "Type the \"@\" sign and start typing their name. A drop down menu should appear to let you select them more easily. Note that it is only possible to mention people you have added to an aspect." + how_to_mention_a: "Type the “@” sign and start typing their name. A drop-down menu should appear to let you select them more easily. Note that it is only possible to mention people you have added to an aspect." mention_in_comment_q: "Can I mention someone in a comment?" mention_in_comment_a: "No, not currently." see_mentions_q: "Is there a way to see the posts in which I have been mentioned?" - see_mentions_a: "Yes, click \"Mentions\" in the left hand column on your home page." + see_mentions_a: "Yes, click “@Mentions” in the left-hand column on your home page." pods: title: "Pods" what_is_a_pod_q: "What is a pod?" - what_is_a_pod_a: "A pod is a server running the diaspora* software and connected to the diaspora* network. \"Pod\" is a metaphor referring to pods on plants which contain seeds, in the way that a server contains a number of user accounts. There are many different pods. You can add friends from other pods and communicate with them. (You can think of a diaspora* pod as similar to an email provider: there are public pods, private pods, and with some effort you can even run your own)." + what_is_a_pod_a: "A pod is a server running the diaspora* software and connected to the diaspora* network. “Pod” is a metaphor referring to pods on plants which contain seeds, in the way that a server contains a number of user accounts. There are many different pods. You can add friends from other pods and communicate with them. There’s no need to open an account on different pods! One is enough – in this way, you can think of a diaspora* pod as similar to an email provider. There are public pods, private pods, and with some effort you can even run your own." find_people_q: "I just joined a pod, how can I find people to share with?" - find_people_a: "Invite your friends using the email link in the side-bar. Follow #tags to discover others who share your interests, and add those who post things that interest you to an aspect. Shout out that you're #newhere in a public post." + find_people_a: "If you want to invite your friends to join diaspora*, use the invitation link or the email link in the side-bar. Follow #tags to discover others who share your interests, and add those who post things that interest you to an aspect. Shout out that you’re #newhere in a public post." use_search_box_q: "How do I use the search box to find particular individuals?" - use_search_box_a: "If you know their full diaspora* ID (e.g. username@podname.org), you can find them by searching for it. If you are on the same pod you can search for just their username. An alternative is to search for them by their profile name (the name you see on screen). If a search does not work the first time, try it again." + use_search_box_a: "If you know their full diaspora* ID (e.g. username@podname.org), you can find them by searching for it. If you are on the same pod you can search for just their username. Alternatively you can search for them by their profile name (the name you see on screen). If a search does not work the first time, try it again." posts_and_posting: title: "Posts and posting" - hide_posts_q: "How do I hide a post? / How do I stop getting notifications about a post that I commented on?" + stream_full_of_posts_q: "Why is my stream full of posts from people I don’t know and don’t share with?" + stream_full_of_posts_a1: "Your stream is made up of three types of posts:" + stream_full_of_posts_li1: "Posts by people you are sharing with, which come in two types: public posts and limited posts shared with an aspect that you are part of. To remove these posts from your stream, simply stop sharing with the person." + stream_full_of_posts_li2: "Public posts containing one of the tags that you follow. To remove these, stop following that tag." + stream_full_of_posts_li3: "Public posts by people listed in the community spotlight. These can be removed by unchecking the “Show community spotlight in stream?” option in the Account tab of your Settings." + hide_posts_q: "How do I hide a post?" hide_posts_a: "If you point your mouse at the top of a post, an X appears on the right. Click it to hide the post and mute notifications about it. You can still see the post if you visit the profile page of the person who posted it." + post_notification_q: "How do I get notifications, or stop getting notifications, about a post?" + post_notification_a: "You will find a bell icon next to the X at the top right of a post. Click this to enable or disable notifications for that post." + post_report_q: "How do I report an offensive post?" + post_report_a: "Click the alert triangle icon at the top right of the post to report it to your podmin. Enter a reason for reporting this post in the dialog box." + character_limit_q: "What is the character limit for posts?" + character_limit_a: "65,535 characters. That’s 65,395 more characters than you get on Twitter! ;)" + char_limit_services_q: "What if I'm sharing my post with a connected service with a smaller character count?" + char_limit_services_a: "In that case you should restrict your post to the smaller character count (140 in the case of Twitter; 1000 in the case of Tumblr), and the number of characters you have left to use is displayed when that service’s icon is highlighted. You can still post to these services if your post is longer than their limit, but the text will be truncated on those services with a link to the post on diaspora*." format_text_q: "How can I format the text in my posts (bold, italics, etc.)?" format_text_a: "By using a simplified system called %{markdown}. You can find the full Markdown syntax %{here}. The preview button is really helpful here, as you can see how your message will look before you share it." insert_images_q: "How do I insert images into posts?" - insert_images_a: "Click the little camera icon to insert an image into a post. Press the photo icon again to add another photo, or you can select multiple photos to upload in one go." + insert_images_a: "Click the little camera icon to insert an image into a post. Press the camera icon again to add another photo, or you can select multiple photos to upload in one go." insert_images_comments_q: "Can I insert images into comments?" - insert_images_comments_a1: "The following Markdown code" + insert_images_comments_a1: "You cannot upload images into comments, but the following Markdown code" image_text: "image text" image_url: "image url" insert_images_comments_a2: "can be used to insert images from the web into comments as well as posts." size_of_images_q: "Can I customize the size of images in posts or comments?" - size_of_images_a: "No. Images are resized automatically to fit the stream. Markdown does not have a code for specifying the size of an image." + size_of_images_a: "No. Images are resized automatically to fit the stream or single-post view. Markdown does not have a code for specifying the size of an image." embed_multimedia_q: "How do I embed a video, audio, or other multimedia content into a post?" - embed_multimedia_a: "You can usually just paste the URL (e.g. http://www.youtube.com/watch?v=nnnnnnnnnnn ) into your post and the video or audio will be embedded automatically. Some of the sites that are supported are: YouTube, Vimeo, SoundCloud, Flickr and a few more. diaspora* uses oEmbed for this feature. We're supporting new sites all the time. Remember to always post simple, full links: no shortened links; no operators after the base URL; and give it a little time before you refresh the page after posting for seeing the preview." - character_limit_q: "What is the character limit for posts?" - character_limit_a: "65,535 characters. That's 65,395 more characters than you get on Twitter! ;)" - char_limit_services_q: "What is the character limit for posts shared through a connected service with a smaller character count?" - char_limit_services_a: "In that case your post is limited to the smaller character count (140 in the case of Twitter; 1000 in the case of Tumblr), and the number of characters you have left to use is displayed when that service's icon is highlighted. You can still post to these services if your post is longer than their limit, but the text is truncated on those services." - stream_full_of_posts_q: "Why is my stream full of posts from people I don't know and don't share with?" - stream_full_of_posts_a1: "Your stream is made up of three types of posts:" - stream_full_of_posts_li1: "Posts by people you are sharing with, which come in two types: public posts and limited posts shared with an aspect that you are part of. To remove these posts from your stream, simply stop sharing with the person." - stream_full_of_posts_li2: "Public posts containing one of the tags that you follow. To remove these, stop following the tag." - stream_full_of_posts_li3: "Public posts by people listed in the Community Spotlight. These can be removed by unchecking the “Show Community Spotlight in Stream?” option in the Account tab of your Settings." + embed_multimedia_a: "You can usually just paste the URL (e.g. http://www.youtube.com/watch?v=nnnnnnnnnnn ) into your post and the video or audio will be embedded automatically. The sites supported include: YouTube, Vimeo, SoundCloud, Flickr and a few more. diaspora* uses oEmbed for this feature. We’re supporting more media sources all the time. Remember to always post simple, full links – no shortened links; no operators after the base URL – and give it a little time before you refresh the page after posting for seeing the preview." + post_location_q: "How do I add my location to a post?" + post_location_a: "Click the pin icon next to the camera in the publisher. This will insert your location from OpenStreetMap. You can edit your location – you might only want to include the city you’re in rather than the specific street address." + post_poll_q: "How do I add a poll to my post?" + post_poll_a: "Click the graph icon to generate a poll. Type a question and at least two answers. Don’t forget to make your post public if you want everyone to be able to participate in your poll." private_posts: title: "Private posts" who_sees_post_q: "When I post a message to an aspect (i.e., a private post), who can see it?" - who_sees_post_a: "Only logged-in diaspora* users you have placed in that aspect can see your private post." + who_sees_post_a: "Only logged-in diaspora* users you had placed in that aspect before making the private post can see it." can_comment_q: "Who can comment on or like my private post?" - can_comment_a: "Only logged-in diaspora* users you have placed in that aspect can comment on or like your private post." + can_comment_a: "Only logged-in diaspora* users you had placed in that aspect before making the private post can comment on or like it." can_reshare_q: "Who can reshare my private post?" - can_reshare_a: "Nobody. Private posts are not resharable. Logged-in diaspora* users in that aspect can potentially copy and paste it, however." + can_reshare_a: "Nobody. Private posts are not resharable. Logged-in diaspora* users in that aspect can potentially copy and paste it, however. It’s up to you whether you trust those people!" see_comment_q: "When I comment on or like a private post, who can see it?" see_comment_a: "Only the people that the post was shared with (the people who are in the aspects selected by the original poster) can see its comments and likes. " private_profiles: title: "Private profiles" who_sees_profile_q: "Who sees my private profile?" who_sees_profile_a: "Any logged-in user that you are sharing with (meaning, you have added them to one of your aspects). However, people following you, but whom you do not follow, will see only your public information." - whats_in_profile_q: "What's in my private profile?" - whats_in_profile_a: "Biography, location, gender, and birthday. It's the stuff in the bottom section of the edit profile page. All this information is optional – it's up to you whether you fill it in. Logged-in users who you have added to your aspects are the only people who can see your private profile. They will also see the private posts that made to the aspect(s) they are in, mixed in with your public posts, when they visit your profile page." + whats_in_profile_q: "What’s in my private profile?" + whats_in_profile_a: "Your private profile contains your biography, location, gender, and birthday, if you have completed these sections. All this information is optional – it’s up to you whether you provide it. Logged-in users who you have added to your aspects are the only people who can see your private profile. When they visit your profile page they will also see the private posts that made to the aspect(s) they are in, mixed in with your public posts." who_sees_updates_q: "Who sees updates to my private profile?" who_sees_updates_a: "Anyone in your aspects sees changes to your private profile. " public_posts: title: "Public posts" who_sees_post_q: "When I post something publicly, who can see it?" - who_sees_post_a: "Anyone using the internet can potentially see a post you mark public, so make sure you really do want your post to be public. It's a great way of reaching out to the world." + who_sees_post_a: "Anyone using the internet can potentially see a post you mark public, so make sure you really do want your post to be public. It’s a great way of reaching out to the world." find_public_post_q: "How can other people find my public post?" - find_public_post_a: "Your public posts will appear in the streams of anyone following you. If you included #tags in your public post, anyone following those tags will find your post in their streams. Every public post also has a specific URL that anyone can view, even if they're not logged in - thus public posts may be linked to directly from Twitter, blogs, etc. Public posts may also be indexed by search engines." + find_public_post_a: "Your public posts will appear in the streams of anyone following you. If you included #tags in your public post, anyone following those tags will find your post in their streams. Every public post also has a specific URL that anyone can view, even if they’re not logged in – thus public posts may be linked to directly from Twitter, blogs, etc. Public posts may also be indexed by search engines." can_comment_reshare_like_q: "Who can comment on, reshare, or like my public post?" can_comment_reshare_like_a: "Any logged-in diaspora* user can comment on, reshare, or like your public post." see_comment_reshare_like_q: "When I comment on, reshare, or like a public post, who can see it?" - see_comment_reshare_like_a: "Any logged-in diaspora* user and anyone else on the internet. Comments, likes, and reshares of public posts are also public." + see_comment_reshare_like_a: "Comments, likes, and reshares of public posts are also public. Any logged-in diaspora* user and anyone else on the internet can see your interactions with a public post." deselect_aspect_posting_q: "What happens when I deselect one or more aspects when making a public post?" - deselect_aspect_posting_a: "Deselecting aspects does not affect a public post. It will still appear in the streams of all of your contacts. To make a post visible only to specific aspects, you need to select those aspects from the button under the publisher." + deselect_aspect_posting_a: "Deselecting aspects does not affect a public post. It will still be public and will appear in the streams of all of your contacts. To make a post visible only to specific aspects, you need to select those aspects from the aspect selector under the publisher." public_profiles: title: "Public profiles" who_sees_profile_q: "Who sees my public profile?" who_sees_profile_a: "Any logged-in diaspora* user, as well as the wider internet, can see it. Each profile has a direct URL, so it may be linked to directly from outside sites. It may be indexed by search engines." - whats_in_profile_q: "What's in my public profile" - whats_in_profile_a: "Your name, the five tags you chose to describe yourself, and your photo. It's the stuff in the top section of the edit profile page. You can make this profile information as identifiable or anonymous as you like. Your profile page also shows any public posts you have made." + whats_in_profile_q: "What’s in my public profile?" + whats_in_profile_a: "Your public profile contains your name, the five tags you chose to describe yourself, and your photo, if you have completed these sections. All this information is optional – it’s up to you whether you provide it. You can make this profile information as identifiable or anonymous as you like. Your profile page also shows any public posts you have made." who_sees_updates_q: "Who sees updates to my public profile?" who_sees_updates_a: "Anyone can see changes if they visit your profile page." what_do_tags_do_q: "What do the tags on my public profile do?" what_do_tags_do_a: "They help people get to know you. Your profile picture will also appear on the left-hand side of those particular tag pages, along with anyone else who has them in their public profile." resharing_posts: title: "Resharing posts" - reshare_public_post_aspects_q: "Can I reshare a public post with only certain aspects?" - reshare_public_post_aspects_a: "No, when you reshare a public post it automatically becomes one of your public posts. To share it with certain aspects, copy and paste the contents of the post into a new post." - reshare_private_post_aspects_q: "Can I reshare a private post with only certain aspects?" - reshare_private_post_aspects_a: "No, it is not possible to reshare a private post. This is to respect the intentions of the original poster who only shared it with a particular group of people." + reshare_public_post_aspects_q: "Can I reshare a public post to selected aspects?" + reshare_public_post_aspects_a: "No, when you reshare a public post it automatically becomes one of your public posts. To share it with certain aspects, copy and paste the contents of the post into a new, limited post." + reshare_private_post_aspects_q: "Can I reshare a private post to selected aspects?" + reshare_private_post_aspects_a: "No, it is not possible to reshare any private post. This is to respect the intentions of the original poster, who shared it only with a particular group of people." sharing: title: "Sharing" - add_to_aspect_q: "What happens when I add someone to one of my aspects? Or when someone adds me to one of their aspects?" - add_to_aspect_a1: "Let's say that Amy adds Ben to an aspect, but Ben has not (yet) added Amy to an aspect:" - add_to_aspect_li1: "Ben will receive a notification that Amy has \"started sharing\" with Ben." - add_to_aspect_li2: "Amy will start to see Ben's public posts in her stream." - add_to_aspect_li3: "Amy will not see any of Ben's private posts." - add_to_aspect_li4: "Ben will not see Amy's public or private posts in his stream." - add_to_aspect_li5: "But if Ben goes to Amy's profile page, then he will see Amy's private posts that she makes to her aspect that has him in it (as well as her public posts which anyone can see there)." - add_to_aspect_li6: "Ben will be able to see Amy's private profile (bio, location, gender, birthday)." - add_to_aspect_li7: "Amy will appear under \"Only sharing with me\" on Ben's contacts page." - add_to_aspect_a2: "This is known as asymmetrical sharing. If and when Ben also adds Amy to an aspect then it would become mutual sharing, with both Amy's and Ben's public posts and relevant private posts appearing in each other's streams, etc. " - only_sharing_q: "Who are the people listed in \"Only sharing with me\" on my contacts page?" - only_sharing_a: "These are people that have added you to one of their aspects, but who are not (yet) in any of your aspects. In other words, they are sharing with you, but you are not sharing with them (asymmetrical sharing). If you add them to an aspect, they will then appear under that aspect and not under \"only sharing with you\". See above." + add_to_aspect_q: "What happens when I add someone to one of my aspects, or when someone adds me to one of their aspects?" + add_to_aspect_a1: "Let’s say that Amy adds Ben to an aspect, but Ben has not (yet) added Amy to an aspect:" + add_to_aspect_li1: "Ben will receive a notification that Amy has “started sharing” with Ben." + add_to_aspect_li2: "Amy will start to see Ben’s public posts in her stream." + add_to_aspect_li3: "Amy will not see any of Ben’s private posts." + add_to_aspect_li4: "Ben will not see Amy’s public or private posts in his stream." + add_to_aspect_li5: "But if Ben goes to Amy’s profile page, then he will see the private posts that Amy makes to the aspect that she has placed him in (as well as her public posts, which anyone can see there)." + add_to_aspect_li6: "Ben will be able to see Amy’s private profile (biography, location, gender, birthday)." + add_to_aspect_li7: "Amy will appear under “Only sharing with me” on Ben’s contacts page." + add_to_aspect_li8: "Amy will also be able to @mention Ben in a post." + add_to_aspect_a2: "This is known as asymmetrical sharing. If and when Ben also adds Amy to an aspect then it would become mutual sharing, with both Amy’s and Ben’s public posts and relevant private posts appearing in each other’s streams, and Amy would be able to view Ben’s private profile. They would then also be able to send each other private messages." + sharing_notification_q: "How do I know when someone starts sharing with me?" + sharing_notification_a: "You should receive a notification each time someone starts sharing with you." + only_sharing_q: "Who are the people listed under “Only sharing with me” on my contacts page?" + only_sharing_a: "These are people that have added you to one of their aspects, but who are not (yet) in any of your aspects. In other words, they are sharing with you, but you are not sharing with them: you can think of this as them “following” you. If you add them to an aspect, they will then appear under that aspect and not under “Only sharing with me”. See above." list_not_sharing_q: "Is there a list of people whom I have added to one of my aspects, but who have not added me to one of theirs?" - list_not_sharing_a: "No, but you can see whether or not someone is sharing with you by visiting their profile page. If they are, the bar under their profile picture will be green; if not, it'll be grey. You should get a notification each time someone starts sharing with you." + list_not_sharing_a: "No, but you can see whether or not someone is sharing with you by visiting their profile page. If they are, the button showing the aspect(s) in which you have placed them will be green; if not, it’ll be gray." see_old_posts_q: "When I add someone to an aspect, can they see older posts that I have already posted to that aspect?" see_old_posts_a: "No. They will only be able to see new posts to that aspect. They (and everyone else) can see your older public posts on your profile page, and they may also see them in their stream." tags: title: "Tags" what_are_tags_for_q: "What are tags for?" - what_are_tags_for_a: "Tags are a way to categorize a post, usually by topic. Searching for a tag shows all posts with that tag that you can see (both public and private posts). This lets people who are interested in a given topic find public posts about it." + what_are_tags_for_a: "Tags are a way to categorize a post, usually by topic. Searching for a tag shows all posts, both public and private, with that tag that you have permission to see. This lets people who are interested in a given topic find public posts about it." tags_in_comments_q: "Can I put tags in comments or just in posts?" - tags_in_comments_a: "A tag added to a comment will still appear as a link to that tag's page, but it will not make that post (or comment) appear on that tag page. This only works for tags in posts." - followed_tags_q: "What are \"#Followed Tags\" and how do I follow a tag?" - followed_tags_a: "After searching for a tag you can click the button at the top of the tag's page to \"follow\" that tag. It will then appear in your list of followed tags on the left. Clicking one of your followed tags takes you to that tag's page so you can see recent posts containing that tag. Click on #Followed Tags to see a stream of posts that include one of any of your followed tags. " + tags_in_comments_a: "A tag added to a comment will still appear as a link to that tag’s page, but it will not make that post (or comment) appear on that tag page. This only works for tags in posts." + followed_tags_q: "What are “#Followed Tags” and how do I follow a tag?" + followed_tags_a: "After searching for a tag you can click the button at the top of the tag’s page to “follow” that tag. It will then appear in your list of followed tags in the left-hand menu. Clicking one of your followed tags takes you to that tag’s page so you can see recent posts containing that tag. Click on #Followed Tags to see a stream of posts that include any one of your followed tags." people_tag_page_q: "Who are the people listed on the left-hand side of a tag page?" people_tag_page_a: "They are people who have listed that tag to describe themselves in their public profile." filter_tags_q: "How can I filter/exclude some tags from my stream?" filter_tags_a: "This is not yet available directly through diaspora*, but some %{third_party_tools} have been written that might provide this." keyboard_shortcuts: + title: "Keyboard shortcuts" keyboard_shortcuts_q: "What keyboard shortcuts are available?" keyboard_shortcuts_a1: "In the stream view you can use the following keyboard shortcuts:" - keyboard_shortcuts_li1: "j - jump to the next post" - keyboard_shortcuts_li2: "k - jump to the previous post" - keyboard_shortcuts_li3: "c - comment on the current post" - keyboard_shortcuts_li4: "l - like the current post" - title: "Keyboard shortcuts" + keyboard_shortcuts_li1: "j – Jump to the next post" + keyboard_shortcuts_li2: "k – Jump to the previous post" + keyboard_shortcuts_li3: "c – Comment on the current post" + keyboard_shortcuts_li4: "l – Like the current post" + keyboard_shortcuts_li5: "r – Reshare the current post" + keyboard_shortcuts_li6: "m – Expand the current post" + keyboard_shortcuts_li7: "o – Open the first link in the current post" + keyboard_shortcuts_li8: "Ctrl+Enter – Send the message you are writing" miscellaneous: title: "Miscellaneous" back_to_top_q: "Is there a quick way to go back to the top of a page after I scroll down?" - back_to_top_a: "Yes. After scrolling down a page, click on the grey arrow that appears in the bottom right corner of your browser window." + back_to_top_a: "Yes. After scrolling down a page, click on the grey arrow that appears in the bottom right-hand corner of your browser window." photo_albums_q: "Are there photo or video albums?" - photo_albums_a: "No, not currently. However you can view a stream of their uploaded pictures from the Photos section in the side-bar of their profile page." - subscribe_feed_q: "Can I subscribe to someone's public posts with a feed reader?" - subscribe_feed_a: "Yes, but this is still not a polished feature and the formatting of the results is still pretty rough. If you want to try it anyway, go to someone's profile page and click the feed button in your browser, or you can copy the profile URL (i.e. https://joindiaspora.com/people/somenumber), and paste it into a feed reader. The resulting feed address looks like this: https://joindiaspora.com/public/username.atom – diaspora* uses Atom rather than RSS." + photo_albums_a: "No, not currently. However you can view a person’s uploaded pictures under the Photos tab of their profile page." + subscribe_feed_q: "Can I subscribe to someone’s public posts with a feed reader?" + subscribe_feed_a: "Yes, but this is still not a polished feature and the formatting of the results is still pretty rough. If you want to try it anyway, go to someone’s profile page and click the feed button in your browser, or you can copy the profile URL (e.g. https://podname.org/people/somenumber) and paste it into a feed reader. The resulting feed address looks like this: https://podname.org/public/username.atom – diaspora* uses Atom rather than RSS." diaspora_app_q: "Is there a diaspora* app for Android or iOS?" - diaspora_app_a: "There are several Android apps in very early development. Several are long-abandoned projects and so do not work well with the current version of diaspora*. Don't expect much from these apps at the moment. Currently the best way to access diaspora* from your mobile device is through a browser, because we've designed a mobile version of the site which should work well on all devices. There is currently no app for iOS. Again, diaspora* should work fine via your browser." + diaspora_app_a: "There have been several Android apps in development by community members. Some are long-abandoned projects and so do not work well with the current version of diaspora*. Don’t expect much from these apps at the moment. There is currently no app for iOS. The best way to access diaspora* from your mobile device is through a browser, because we’ve designed a mobile version of the site which should work well on all devices, although it does not yet have complete functionality." invitation_codes: excited: "%{name} is excited to see you here." @@ -594,7 +597,7 @@ en: no_more: "You have no more invitations." already_sent: "You already invited this person." already_contacts: "You are already connected with this person" - own_address: "You can't send an invitation to your own address." + own_address: "You can’t send an invitation to your own address." empty: "Please enter at least one email address." note_already_sent: "Invitations have already been sent to: %{emails}" new: @@ -630,33 +633,33 @@ en: settings: "Settings" help: "Help" logout: "Log out" - blog: "blog" - login: "log in" - code: "code" - admin: "admin" + blog: "Blog" + login: "Log in" + code: "Code" + admin: "Admin" view_all: "View all" recent_notifications: "Recent notifications" application: - powered_by: "POWERED BY diaspora*" - whats_new: "what's new?" - toggle: "toggle mobile" + powered_by: "Powered by diaspora*" + whats_new: "What’s new?" + toggle: "Toggle mobile" public_feed: "Public diaspora* feed for %{name}" - your_aspects: "your aspects" + your_aspects: "Your aspects" back_to_top: "Back to top" - source_package: "download the source code package" + source_package: "Download the source code package" likes: likes: people_like_this: - zero: "no likes" + zero: "No likes" one: "%{count} like" other: "%{count} likes" people_like_this_comment: - zero: "no likes" + zero: "No likes" one: "%{count} like" other: "%{count} likes" people_dislike_this: - zero: "no dislikes" + zero: "No dislikes" one: "%{count} dislike" other: "%{count} dislikes" @@ -674,9 +677,9 @@ en: one: "%{actors} commented on your post %{post_link}." other: "%{actors} commented on your post %{post_link}." also_commented: - zero: "%{actors} also commented on %{post_author}'s post %{post_link}." - one: "%{actors} also commented on %{post_author}'s post %{post_link}." - other: "%{actors} also commented on %{post_author}'s post %{post_link}." + zero: "%{actors} also commented on %{post_author}’s post %{post_link}." + one: "%{actors} also commented on %{post_author}’s post %{post_link}." + other: "%{actors} also commented on %{post_author}’s post %{post_link}." mentioned: zero: "%{actors} have mentioned you in the post %{post_link}." one: "%{actors} has mentioned you in the post %{post_link}." @@ -712,8 +715,8 @@ en: mark_all_shown_as_read: "Mark all shown as read" mark_read: "Mark read" mark_unread: "Mark unread" - show_all: "show all" - show_unread: "show unread" + show_all: "Show all" + show_unread: "Show unread" all_notifications: "All Notifications" also_commented: "Also commented" comment_on_post: "Comment on post" @@ -721,11 +724,12 @@ en: mentioned: "Mentioned" reshared: "Reshared" started_sharing: "Started sharing" + no_notifications: "You don't have any notifications yet." and_others: zero: "and nobody else" one: "and one more" other: "and %{count} others" - and: 'and' + and: "and" helper: new_notifications: zero: "No new notifications" @@ -734,8 +738,10 @@ en: notifier: a_post_you_shared: "a post." + a_private_message: "There’s a new private message in diaspora* for you to check out." + a_limited_post_comment: "There’s a new comment on a limited post in diaspora* for you to check out." email_sent_by_diaspora: "This email was sent by %{pod_name}. If you'd like to stop getting emails like this," - click_here: "click here" + click_here: "Click here" hello: "Hello %{name}!" thanks: "Thanks," to_change_your_notification_settings: "to change your notification settings" @@ -745,9 +751,9 @@ en: started_sharing: subject: "%{name} started sharing with you on diaspora*" sharing: "has started sharing with you!" - view_profile: "View %{name}'s profile" + view_profile: "View %{name}’s profile" comment_on_post: - reply: "Reply or view %{name}'s post >" + reply: "Reply or view %{name}’s post >" mentioned: subject: "%{name} has mentioned you on diaspora*" mentioned: "mentioned you in a post:" @@ -782,7 +788,49 @@ en: The diaspora* email robot! [1]: %{url} - accept_invite: "Accept Your diaspora* invite!" + export_email: + subject: "Your personal data is ready for download, %{name}" + body: |- + Hello %{name}, + + Your data has been processed and is ready for download by following [this link](%{url}). + + Cheers, + + The diaspora* email robot! + export_failure_email: + subject: "We’re sorry, there was an issue with your data, %{name}" + body: |- + Hello %{name} + + We’ve encountered an issue while processing your personal data for download. + Please try again! + + Sorry, + + The diaspora* email robot! + export_photos_email: + subject: "Your photos are ready for download, %{name}" + body: |- + Hello %{name}, + + Your photos have been processed and are ready for download by following [this link](%{url}). + + Cheers, + + The diaspora* email robot! + export_photos_failure_email: + subject: "There was an issue with your photos, %{name}" + body: |- + Hello %{name} + + We’ve encountered an issue while processing your photos for download. + Please try again! + + Sorry, + + The diaspora* email robot! + accept_invite: "Accept your diaspora* invite!" invited_you: "%{name} invited you to diaspora*" invite: message: |- @@ -800,29 +848,42 @@ en: The diaspora* email robot! [1]: %{invite_url} + remove_old_user: + subject: "Your diaspora* account has been flagged for removal due to inactivity" + body: |- + Hello, + + It looks as though you no longer want your account at %{pod_url}, as you haven’t used it for %{after_days} days. To ensure our active users get the best performance from this diaspora* pod, we’d like to remove unwanted accounts from our database. + + We’d love you to stay part of diaspora*’s community, and you’re welcome to keep your account live if you want to. + + If you want to keep your account live, all you need to do is to sign in to your account before %{remove_after}. When you sign in, take a moment to have a look around diaspora*. It has changed a lot since you last looked in, and we think you’ll like the improvements we’ve made. Follow some #tags to find content you love. + + Sign in here: %{login_url}. If you’ve forgotten your sign-in details, you can ask for a reminder on that page. + + Hoping to see you again, + + The diaspora* email robot! people: - zero: "no people" + zero: "No people" one: "1 person" - two: "%{count} people" - few: "%{count} people" - many: "%{count} people" other: "%{count} people" person: pending_request: "Pending request" already_connected: "Already connected" - thats_you: "That's you!" - add_contact: "add contact" + thats_you: "That’s you!" + add_contact: "Add contact" index: results_for: "Users matching %{search_term}" no_results: "Hey! You need to search for something." - couldnt_find_them: "Couldn't find them?" + couldnt_find_them: "Couldn’t find them?" search_handle: "Use their diaspora* ID (username@pod.tld) to be sure to find your friends." send_invite: "Still nothing? Send an invite!" no_one_found: "...and no one was found." - searching: "searching, please be patient..." + searching: "Searching, please be patient..." looking_for: "Looking for posts tagged %{tag_link}?" webfinger: - fail: "Sorry, we couldn't find %{handle}." + fail: "Sorry, we couldn’t find %{handle}." show: has_not_shared_with_you_yet: "%{name} has not shared any posts with you yet!" incoming_request: "%{name} wants to share with you" @@ -830,56 +891,56 @@ en: to_accept_or_ignore: "to accept or ignore it." does_not_exist: "Person does not exist!" not_connected: "You are not sharing with this person" - recent_posts: "Recent Posts" - recent_public_posts: "Recent Public Posts" + recent_posts: "Recent posts" + recent_public_posts: "Recent public posts" see_all: "See all" - start_sharing: "start sharing" + start_sharing: "Start sharing" message: "Message" mention: "Mention" ignoring: "You are ignoring all posts from %{name}." closed_account: "This account has been closed." sub_header: - you_have_no_tags: "you have no tags!" - add_some: "add some" - edit: "edit" + you_have_no_tags: "You have no tags!" + add_some: "Add some" + edit: "Edit" profile_sidebar: - remove_contact: "remove contact" + remove_contact: "Remove contact" edit_my_profile: "Edit my profile" bio: "Bio" location: "Location" gender: "Gender" born: "Birthday" photos: "Photos" - in_aspects: "in aspects" + in_aspects: "In aspects" remove_from: "Remove %{name} from %{aspect}?" helper: results_for: " results for %{params}" is_sharing: "%{name} is sharing with you" is_not_sharing: "%{name} is not sharing with you" aspect_list: - edit_membership: "edit aspect membership" + edit_membership: "Edit aspect membership" add_contact_small: - add_contact_from_tag: "add contact from tag" + add_contact_from_tag: "Add contact from tag" add_contact: - invited_by: "you were invited by" + invited_by: "You were invited by" photos: show: - delete_photo: "Delete Photo" - make_profile_photo: "make profile photo" - update_photo: "Update Photo" - edit: "edit" + delete_photo: "Delete photo" + make_profile_photo: "Make profile photo" + update_photo: "Update photo" + edit: "Edit" edit_delete_photo: "Edit photo description / delete photo" - collection_permalink: "collection permalink" + collection_permalink: "Collection permalink" show_original_post: "Show original post" edit: editing: "Editing" photo: - view_all: "view all of %{name}'s photos" + view_all: "View all of %{name}’s photos" new: - new_photo: "New Photo" - back_to_list: "Back to List" - post_it: "post it!" + new_photo: "New photo" + back_to_list: "Back to list" + post_it: "Post it!" create: runtime_error: "Photo upload failed. Are you sure that your seatbelt is fastened?" integrity_error: "Photo upload failed. Are you sure that was an image?" @@ -896,15 +957,15 @@ en: new_profile_photo: upload: "Upload a new profile photo!" or_select_one_existing: "or select one from your already existing %{photos}" - comment_email_subject: "%{name}'s photo" + comment_email_subject: "%{name}’s photo" posts: presenter: title: "A post from %{name}" show: destroy: "Delete" - permalink: "permalink" - not_found: "Sorry, we couldn't find that post." + permalink: "Permalink" + not_found: "Sorry, we couldn’t find that post." photos_by: zero: "No photos by %{author}" one: "One photo by %{author}" @@ -912,7 +973,7 @@ en: reshare_by: "Reshare by %{author}" report: - title: "Reports Overview" + title: "Reports overview" post_label: "Post: %{title}" comment_label: "Comment:
%{data}" reported_label: "Reported by %{person}" @@ -920,7 +981,7 @@ en: review_link: "Mark as reviewed" delete_link: "Delete item" confirm_deletion: "Are you sure to delete the item?" - not_found: "The post/comment was not found. It seams that it was deleted by the user!" + not_found: "The post/comment was not found. It seems that it was deleted by the user!" status: marked: "The report was marked as reviewed" destroyed: "The post was destroyed" @@ -929,8 +990,8 @@ en: share_visibilites: update: - post_hidden_and_muted: "%{name}'s post has been hidden, and notifications have been muted." - see_it_on_their_profile: "If you want to see updates on this post, visit %{name}'s profile page." + post_hidden_and_muted: "%{name}’s post has been hidden, and notifications have been muted." + see_it_on_their_profile: "If you want to see updates on this post, visit %{name}’s profile page." profiles: edit: @@ -943,7 +1004,7 @@ en: your_birthday: "Your birthday" your_tags: "Describe yourself in 5 words" - your_tags_placeholder: "like #movies #kittens #travel #teacher #newyork" + your_tags_placeholder: "Like #movies #kittens #travel #teacher #newyork" your_bio: "Your bio" your_location: "Your location" @@ -951,7 +1012,7 @@ en: update_profile: "Update profile" allow_search: "Allow for people to search for you within diaspora*" edit_profile: "Edit profile" - nsfw_explanation: "NSFW (‘not safe for work’) is diaspora*’s self-governing community standard for content which may not be suitable to view while at work. If you plan to share such material frequently, please check this option so that everything you share will be hidden from people’s streams unless they choose to view them." + nsfw_explanation: "NSFW (“not safe for work”) is diaspora*’s self-governing community standard for content which may not be suitable to view while at work. If you plan to share such material frequently, please check this option so that everything you share will be hidden from people’s streams unless they choose to view them." nsfw_explanation2: "If you choose not to select this option, please add the #nsfw tag each time you share such material." nsfw_check: "Mark everything I share as NSFW" update: @@ -963,28 +1024,25 @@ en: create_my_account: "Create my account!" join_the_movement: "Join the movement!" - sign_up_message: "Social Networking with a ♥" + sign_up_message: "Social networking with a ♥" enter_email: "Enter an email" enter_username: "Pick a username (only letters, numbers, and underscores)" enter_password: "Enter a password (six character minimum)" enter_password_again: "Enter the same password as before" - hey_make: "HEY,
MAKE
SOMETHING." - diaspora: "<3 diaspora*" - sign_up: "SIGN UP" - email: "EMAIL" - username: "USERNAME" - password: "PASSWORD" - password_confirmation: "PASSWORD CONFIRMATION" - continue: "Continue" + sign_up: "Sign up" + email: "Email" + username: "Username" + password: "Password" + password_confirmation: "Password confirmation" submitting: "Submitting..." terms: "By creating an account you accept the %{terms_link}." terms_link: "terms of service" create: - success: "You've joined diaspora*!" + success: "You’ve joined diaspora*!" edit: edit: "Edit %{name}" - leave_blank: "(leave blank if you don't want to change it)" + leave_blank: "(leave blank if you don’t want to change it)" password_to_confirm: "(we need your current password to confirm your changes)" unhappy: "Unhappy?" update: "Update" @@ -1002,40 +1060,40 @@ en: ignore: "Ignored contact request." create: sending: "Sending" - sent: "You've asked to share with %{name}. They should see it next time they log in to diaspora*." + sent: "You’ve asked to share with %{name}. They should see it next time they log in to diaspora*." new_request_to_person: - sent: "sent!" + sent: "Sent!" helper: new_requests: - zero: "no new requests" - one: "new request!" + zero: "No new requests" + one: "New request!" other: "%{count} new requests!" reshares: reshare: - reshared_via: "reshared via" + reshared_via: "Reshared via" reshare_original: "Reshare original" reshare: zero: "Reshare" one: "1 reshare" other: "%{count} reshares" show_original: "Show original" - reshare_confirmation: "Reshare %{author}'s post?" + reshare_confirmation: "Reshare %{author}’s post?" deleted: "Original post deleted by author." create: failure: "There was an error resharing this post." - comment_email_subject: "%{resharer}'s reshare of %{author}'s post" + comment_email_subject: "%{resharer}’s reshare of %{author}’s post" services: index: - logged_in_as: "logged in as" - disconnect: "disconnect" - really_disconnect: "disconnect %{service}?" + logged_in_as: "Logged in as" + disconnect: "Disconnect" + really_disconnect: "Disconnect %{service}?" connect_to_twitter: "Connect to Twitter" connect_to_facebook: "Connect to Facebook" connect_to_tumblr: "Connect to Tumblr" - connect_to_wordpress: "Connect to Wordpress" + connect_to_wordpress: "Connect to WordPress" edit_services: "Edit services" - no_services: 'You have not connected any services yet.' - services_explanation: 'Connecting to services gives you the ability to publish your posts to them as you write them in diaspora*.' + no_services: "You have not connected any services yet." + services_explanation: "Connecting to services gives you the ability to publish your posts to them as you write them in diaspora*." create: success: "Authentication successful." failure: "Authentication failed." @@ -1044,30 +1102,32 @@ en: destroy: success: "Successfully deleted authentication." failure: - error: "there was an error connecting that service" + error: "There was an error connecting to that service" inviter: join_me_on_diaspora: "Join me on diaspora*" click_link_to_accept_invitation: "Follow this link to accept your invitation" finder: fetching_contacts: "diaspora* is populating your %{service} friends, please check back in a few minutes." - service_friends: "%{service} Friends" + service_friends: "%{service} friends" no_friends: "No Facebook friends found." remote_friend: - resend: "resend" - invite: "invite" + resend: "Resend" + invite: "Invite" not_on_diaspora: "Not yet on diaspora*" blocks: create: - success: "Alright, you won't see that user in your stream again. #silencio!" - failure: "I couldn't ignore that user. #evasion" + success: "All right, you won’t see that user in your stream again. #silencio!" + failure: "I couldn’t ignore that user. #evasion" destroy: - success: "Let's see what they have to say! #sayhello" - failure: "I couldn't stop ignoring that user. #evasion" + success: "Let’s see what they have to say! #sayhello" + failure: "I couldn’t stop ignoring that user. #evasion" shared: aspect_dropdown: add_to_aspect: "Add contact" + mobile_row_checked: "%{name} (remove)" + mobile_row_unchecked: "%{name} (add)" toggle: zero: "Add contact" one: "In %{count} aspect" @@ -1078,20 +1138,20 @@ en: share: "Share" preview: "Preview" post_a_message_to: "Post a message to %{aspect}" - make_public: "make public" - all: "all" + make_public: "Make public" + all: "All" upload_photos: "Upload photos" get_location: "Get your location" remove_location: "Remove location" - all_contacts: "all contacts" - share_with: "share with" - whats_on_your_mind: "What's on your mind?" - publishing_to: "publishing to: " + all_contacts: "All contacts" + share_with: "Share with" + whats_on_your_mind: "What’s on your mind?" + publishing_to: "Publishing to: " discard_post: "Discard post" new_user_prefill: - newhere: "NewHere" - hello: "Hey everyone, I'm #%{new_user_tag}. " - i_like: "I'm interested in %{tags}. " + newhere: "newhere" + hello: "Hey everyone, I’m #%{new_user_tag}. " + i_like: "I’m interested in %{tags}. " invited_by: "Thanks for the invite, " poll: remove_poll_answer: "Remove option" @@ -1110,7 +1170,7 @@ en: invites: "Invites" invite_someone: "Invite someone" invitations_left: "%{count} left" - dont_have_now: "You don't have any right now, but more invites are coming soon!" + dont_have_now: "You don’t have any right now, but more invites are coming soon!" invites_closed: "Invites are currently closed on this diaspora* pod" invite_your_friends: "Invite your friends" from_facebook: "From Facebook" @@ -1119,13 +1179,13 @@ en: reshare: reshare: "Reshare" public_explain: - control_your_audience: "Control your Audience" + control_your_audience: "Control your audience" new_user_welcome_message: "Use #hashtags to classify your posts and find people who share your interests. Call out awesome people with @Mentions" visibility_dropdown: "Use this dropdown to change visibility of your post. (We suggest you make this first one public.)" title: "Set up connected services" share: "Share" outside: "Public messages will be available for others outside of diaspora* to see." - logged_in: "logged in to %{service}" + logged_in: "Logged in to %{service}" manage: "Manage connected services" atom_feed: "Atom feed" notification: @@ -1135,9 +1195,9 @@ en: stream_element: viewable_to_anyone: "This post is viewable to anyone on the web" connect_to_comment: "Connect to this user to comment on their post" - currently_unavailable: 'commenting currently unavailable' - via: "via %{link}" - via_mobile: "via mobile" + currently_unavailable: "Commenting currently unavailable" + via: "Via %{link}" + via_mobile: "Via mobile" ignore_user: "Ignore %{name}" ignore_user_description: "Ignore and remove user from all aspects?" hide_and_mute: "Hide and mute post" @@ -1146,10 +1206,10 @@ en: dislike: "Dislike" shared_with: "Shared with: %{aspect_names}" nsfw: "This post has been flagged as NSFW by its author. %{link}" - show: "show" + show: "Show" footer: - logged_in_as: "logged in as %{name}" - your_aspects: "your aspects" + logged_in_as: "Logged in as %{name}" + your_aspects: "Your aspects" status_messages: new: mentioning: "Mentioning: %{person}" @@ -1159,10 +1219,7 @@ en: no_message_to_display: "No message to display." destroy: failure: "Failed to delete post" - too_long: - zero: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} characters" - other: "please make your status messages less than %{count} characters" + too_long: "Please make your status message fewer than %{count} characters. Right now it is %{current_length} characters" stream_helper: show_comments: @@ -1170,49 +1227,50 @@ en: one: "Show one more comment" other: "Show %{count} more comments" hide_comments: "Hide all comments" + no_more_posts: "You have reached the end of the stream." + no_posts_yet: "There are no posts yet." tags: show: - posts_tagged_with: "Posts tagged with #%{tag}" - nobody_talking: "Nobody is talking about %{tag} yet." - people_tagged_with: "People tagged with %{tag}" + tagged_people: + zero: "No one tagged with %{tag}" + one: "1 person tagged with %{tag}" + other: "%{count} people tagged with %{tag}" follow: "Follow #%{tag}" following: "Following #%{tag}" - stop_following: "Stop Following #%{tag}" - followed_by_people: - zero: "followed by nobody" - one: "followed by one person" - other: "followed by %{count} people" + stop_following: "Stop following #%{tag}" none: "The empty tag does not exist!" + name_too_long: "Please make your tag name fewer than %{count} characters. Right now it is %{current_length} characters" + tag_followings: create: - success: "Hooray! You're now following #%{name}." + success: "Hooray! You’re now following #%{name}." failure: "Failed to follow #%{name}. Are you already following it?" none: "You cannot follow a blank tag!" destroy: - success: "Alas! You aren't following #%{name} anymore." + success: "Alas! You aren’t following #%{name} any more." failure: "Failed to stop following #%{name}. Maybe you already stopped following it?" streams: - community_spotlight_stream: "Community Spotlight" + community_spotlight_stream: "Community spotlight" aspects_stream: "Aspects" mentioned_stream: "@Mentions" - followed_tags_stream: "#Followed Tags" + followed_tags_stream: "#Followed tags" mentions: title: "@Mentions" contacts_title: "People who mentioned you" comment_stream: - title: "Commented Posts" + title: "Commented posts" contacts_title: "People whose posts you commented on" like_stream: - title: "Like Stream" + title: "Like stream" contacts_title: "People whose posts you like" followed_tag: - title: "#Followed Tags" + title: "#Followed tags" contacts_title: "People who dig these tags" add_a_tag: "Add a tag" follow: "Follow" @@ -1220,90 +1278,95 @@ en: tags: title: "Posts tagged: %{tags}" contacts_title: "People who dig this tag" - tag_prefill_text: "The thing about %{tag_name} is... " public: - title: "Public Activity" - contacts_title: "Recent Posters" + title: "Public activity" + contacts_title: "Recent posters" multi: title: "Stream" - contacts_title: "People in your Stream" + contacts_title: "People in your stream" aspects: - title: "My Aspects" + title: "My aspects" activity: - title: "My Activity" + title: "My activity" users: edit: - export_data: "Export data" - photo_export_unavailable: "Photo exporting currently unavailable" - close_account_text: "Close account" - change_language: "Change language" - change_password: "Change password" + edit_account: "Edit account" + change: "Change" + your_handle: "Your diaspora* ID" + your_email: "Your email" change_email: "Change email" + email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Until you follow this link and activate the new address, we will continue to use your original address %{email}." + change_password: "Change password" new_password: "New password" current_password: "Current password" current_password_expl: "the one you sign in with..." character_minimum_expl: "must be at least six characters" - download_xml: "download my xml" - download_photos: "download my photos" - your_handle: "Your diaspora* ID" - your_email: "Your email" - edit_account: "Edit account" + change_language: "Change language" + close_account_text: "Close account" + stream_preferences: "Stream preferences" + show_community_spotlight: "Show “community spotlight” in stream" + show_getting_started: "Show “getting started” hints" + getting_started: "New user preferences" + following: "Sharing settings" + auto_follow_back: "Automatically share with users who start sharing with you" + auto_follow_aspect: "Aspect for users you automatically share with:" receive_email_notifications: "Receive email notifications when:" started_sharing: "someone starts sharing with you" - someone_reported: "someone sent a report" + someone_reported: "someone sends a report" mentioned: "you are mentioned in a post" liked: "someone likes your post" reshared: "someone reshares your post" comment_on_post: "someone comments on your post" - also_commented: "someone comments on a post you've commented on" + also_commented: "someone comments on a post you’ve commented on" private_message: "you receive a private message" - change: "Change" - email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Until you follow this link and activate the new address, we will continue to use your original address %{email}." - stream_preferences: "Stream preferences" - show_community_spotlight: "Show Community Spotlight in stream" - show_getting_started: 'Show Getting Started hints' - getting_started: 'New user preferences' - following: "Sharing settings" - auto_follow_back: "Automatically share with users who start sharing with you" - auto_follow_aspect: "Aspect for automatically added contacts:" + download_export: "Download my profile" + request_export: "Request my profile data" + request_export_update: "Refresh my profile data" + export_data: "Export data" + export_in_progress: "We are currently processing your data. Please check back in a few moments." + last_exported_at: "(Last updated at %{timestamp})" + download_export_photos: "Download my photos" + request_export_photos: "Request my photos" + request_export_photos_update: "Refresh my photos" + download_photos: "Download my photos" + export_photos_in_progress: "We are currently processing your photos. Please check back in a few moments." close_account: - dont_go: "Hey, please don't go!" - make_diaspora_better: "We want you to help us make diaspora* better, so you should help us out instead of leaving. If you do want to leave, we want you to know what happens next." - mr_wiggles: 'Mr Wiggles will be sad to see you go' - what_we_delete: "We will delete all of your posts and profile data as soon as humanly possible. Your comments will hang around, but they would be associated with your diaspora* ID instead of your name." - locked_out: "You will get signed out and locked out of your account." - lock_username: "This will lock your username if you decided to sign back up." - no_turning_back: "Currently, there is no turning back." - if_you_want_this: "If you really want this, type in your password below and click 'Close Account'" + dont_go: "Hey, please don’t go!" + make_diaspora_better: "We’d love you to stay and help us make diaspora* better instead of leaving. If you really do want to leave, however, here’s what will happen next:" + mr_wiggles: "Mr Wiggles will be sad to see you go" + what_we_delete: "We will delete all of your posts and profile data as soon as possible. Your comments on other people’s posts will still appear, but they will be associated with your diaspora* ID rather than your name." + locked_out: "You will get signed out and locked out of your account until it has been deleted." + lock_username: "Your username will be locked. You will not be able create a new account on this pod with the same ID." + no_turning_back: "There is no turning back! If you’re really sure, enter your password below." + if_you_want_this: "If you really want this to happen, type in your password below and click “Close account”" privacy_settings: - title: "Privacy Settings" - ignored_users: "Ignored Users" - stop_ignoring: "Stop ignoring" + title: "Privacy settings" + strip_exif: "Strip metadata such as location, author, and camera model from uploaded images (recommended)" + ignored_users: "Ignored users" + stop_ignoring: "stop ignoring" + no_user_ignored_message: "You are not currently ignoring any other user" destroy: - success: "Your account has been locked. It may take 20 minutes for us to finish closing your account. Thank you for trying diaspora*." + success: "Your account has been locked. It may take 20 minutes for us to finish closing your account. Thank you for trying diaspora*." no_password: "Please enter your current password to close your account." - wrong_password: "The entered password didn't match your current password." + wrong_password: "The entered password didn’t match your current password." + getting_started: well_hello_there: "Well, hello there!" - community_welcome: "diaspora*'s community is happy to have you aboard!" - + community_welcome: "diaspora*’s community is happy to have you aboard!" awesome_take_me_to_diaspora: "Awesome! Take me to diaspora*" - who_are_you: "Who are you?" connect_to_facebook: "We can speed things up a bit by %{link} to diaspora*. This will pull your name and photo, and enable cross-posting." - connect_to_facebook_link: "hooking up your Facebook account" - + connect_to_facebook_link: "Hooking up your Facebook account" what_are_you_in_to: "What are you into?" - hashtag_explanation: "Hashtags allow you to talk about and follow your interests. They're also a great way to find new people on diaspora*." + hashtag_explanation: "Hashtags allow you to talk about and follow your interests. They’re also a great way to find new people on diaspora*." hashtag_suggestions: "Try following tags like #art, #movies, #gif, etc." - saved: "Saved!" update: @@ -1332,10 +1395,10 @@ en: next_label: "next »" webfinger: - fetch_failed: "failed to fetch webfinger profile for %{profile_url}" - hcard_fetch_failed: "there was a problem fetching the hcard for %{account}" - xrd_fetch_failed: "there was an error getting the xrd from account %{account}" - not_enabled: "webfinger does not seem to be enabled for %{account}'s host" + fetch_failed: "Failed to fetch webfinger profile for %{profile_url}" + hcard_fetch_failed: "There was a problem fetching the hcard for %{account}" + xrd_fetch_failed: "There was an error getting the xrd from account %{account}" + not_enabled: "Webfinger does not seem to be enabled for %{account}’s host" no_person_constructed: "No person could be constructed from this hcard." simple_captcha: @@ -1345,3 +1408,19 @@ en: default: "The secret code did not match with the image" user: "The secret image and code were different" failed: "Human verification failed" + + statistics: + name: "Name" + network: "Network" + services: "Services" + total_users: "Total users" + active_users_halfyear: "Active users half year" + active_users_monthly: "Active users monthly" + local_posts: "Local posts" + local_comments: "Local comments" + version: "Version" + registrations: "Registrations" + enabled: "Available" + disabled: "Not available" + open: "Open" + closed: "Closed" diff --git a/config/locales/diaspora/en_1337.yml b/config/locales/diaspora/en_1337.yml index 6b7405fa0..43b91c9a6 100644 --- a/config/locales/diaspora/en_1337.yml +++ b/config/locales/diaspora/en_1337.yml @@ -58,8 +58,6 @@ en_1337: add_to_aspect: failure: "F41L3D 2 4DD N00B!" success: "N00B 4DD3D" - aspect_contacts: - done_editing: "D0N3 3D171NG!" aspect_listings: add_an_aspect: "+ 4DD 4N 45P3C7" edit_aspect: "3D17 %{name}" @@ -73,21 +71,14 @@ en_1337: failure: "%{name} N07 3MP7Y -> F41L!" success: "%{name} G07 5UCC35FULLY PWND!" edit: - add_existing: "4DD 4 KN0WN N00B" aspect_list_is_not_visible: "45P3C7 L157 15 H1DD3N 2 07H3R5 1N 45P3C7!" aspect_list_is_visible: "45P3C7 L157 15 V151BL3 2 07H3R5 1N 45P3C7!" confirm_remove_aspect: "5UR3?" - done: "K" make_aspect_list_visible: "M4K3 N00B5 V151BL3 2 34CH 07H3R?" remove_aspect: "D3L373 7H15 45P3C7!" rename: "R3N4M3" update: "UPD473" updating: "UPD471NG..." - few: "%{count} 45P3C75" - helper: - are_you_sure: "5UR3?" - aspect_not_empty: "45P3C7 N07 3MP7Y!" - remove: "R3M0V3" index: diaspora_id: content_1: "Y0UR D* 1D 15:" @@ -114,11 +105,6 @@ en_1337: content: "U C4N C0NN3C7 7H3 F0LL0W1NG 53RV1C35 2 D*:" heading: "C0NN3C7 53RV1C35" unfollow_tag: "570P F0LL0W1NG #%{tag}" - many: "%{count} 45P3C75" - move_contact: - error: "3RR0R M0V1NG N00B: %{inspect}" - failure: "PWND %{inspect}" - success: "N00B M0V3D 2 N3W 45P3C7!" new: create: "CR3473" name: "N4M3 (JU57 F0R U)" @@ -134,13 +120,6 @@ en_1337: family: "RL" friends: "N00B5" work: "RL-N00B5" - selected_contacts: - manage_your_aspects: "M4N4G3 Y0UR 45P3C75!" - no_contacts: "U D0N7 H4V3 4NY N00B5 H3R3!" - view_all_contacts: "V13W 4LL N00B5!" - show: - edit_aspect: "3D17 45P3C7" - two: "%{count} 45P3C75" update: failure: "45P3C7 %{name} H4D 2 L0NG N4M3 -> F41L!" success: "45P3C7 %{name} H45 B33N 5UCC35FULLY 3D173D!" @@ -153,45 +132,34 @@ en_1337: post_success: "5P4MM3D! CL051NG!" cancel: "c4nc3l" comments: - few: "%{count} 5P4M5" - many: "%{count} 5P4M5" new_comment: comment: "5P4M" commenting: "5P4MM1NG..." one: "1 5P4M" other: "%{count} 5P4M5" - two: "%{count} 5P4M5" zero: "N0 5P4M5" contacts: create: failure: "F41L3D 2 CR3473 C0N74C7!" - few: "%{count} N00B5" index: add_a_new_aspect: "4DD 4 N3W 45P3C7!" add_to_aspect: "4DD N00B5 2: %{name}" - add_to_aspect_link: "++no0bz >> %{name}" all_contacts: "4LL N00B5" - many_people_are_you_sure: "R34LLY W4NN4 5P4M %{suggested_limit} N00B5? 5P4MM1NG 7H31R 45P3C7 M4Y B3 M0R3 1N73LL1G3N7!" my_contacts: "Y0UR N00B5" no_contacts: "L00K5 L1K3 U N33D 70 PWN M0R3 N00B5!" only_sharing_with_me: "0NLY 5H4R1NG W17H U" - remove_person_from_aspect: "R3M0V3 %{person_name} FR0M \"%{aspect_name}\"" start_a_conversation: "574R7 4 N3W C0NV3R54710N!" title: "N00B5" your_contacts: "Y0UR N00B5" - many: "%{count} N00B5" one: "1 N00B" other: "%{count} N00B5" sharing: people_sharing: "N00B5 5H4R1NG W17H U:" - two: "%{count} N00B5" zero: "N00B5" conversations: create: fail: "1NV4L1D M3554G3!" sent: "M3554G3 53N7!" - destroy: - success: "C0NV3R54710N PWND!" helper: new_messages: few: "%{count} N3W M3554G35" @@ -429,14 +397,12 @@ en_1337: add_contact_from_tag: "4DD N00B FR0M 74G" aspect_list: edit_membership: "3D17 45P3C7 M3MB3R5H1P" - few: "%{count} N00B5" helper: results_for: " R35UL75 F0R %{params}" index: no_one_found: "...4ND N0 0N3 W45 F0UND!" no_results: "H3Y! U N33D 2 534RCH F0R 50M37H1NG!" results_for: "534RCH R35UL75 F0R" - many: "%{count} N00B5" one: "1 N00B" other: "%{count} N00B5" person: @@ -470,7 +436,6 @@ en_1337: add_some: "4DD 50M3" edit: "3D17" you_have_no_tags: "U H4V3 N0 74G5!" - two: "%{count} N00B5" webfinger: fail: "%{handle} != 3X1571NG" zero: "N0 N00B5" @@ -710,13 +675,7 @@ en_1337: no_message_to_display: "N0 5P4M 2 D15PL4Y!" new: mentioning: "M3N710N1NG: %{person}" - too_long: - few: "PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5" - many: "PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5" - one: "PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R\"" - other: "PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5" - two: "PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5" - zero: "PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5" + too_long: "{\"few\"=>\"PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5\", \"many\"=>\"PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5\", \"one\"=>\"PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R\\\"\", \"other\"=>\"PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5\", \"two\"=>\"PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5\", \"zero\"=>\"PL3453 M4K3 Y0UR 5P4M5 L355 7H3N %{count} CH4R4C73R5\"}" stream_helper: hide_comments: "H1D3 4LL 5P4M5!" show_comments: @@ -746,9 +705,6 @@ en_1337: show: follow: "F0LL0W #%{tag}" following: "F0LL0W1NG #%{tag}" - nobody_talking: "N0B0DY 5P4MM3D 4B0U7 %{tag} Y37!" - people_tagged_with: "N00B5 74GG3D W17H %{tag}" - posts_tagged_with: "5P4M 74GG3D W17H #%{tag}" stop_following: "570P F0LL0W1NG #%{tag}" terms_and_conditions: "T&C" undo: "Ctrl+Z?" @@ -769,7 +725,6 @@ en_1337: comment_on_post: "...50M30N3 5P4M5 Y0UR 5P4M?" current_password: "CURR3N7 *****" download_photos: "D0WNL04D MY PR0N" - download_xml: "D0WNL04D MY XML" edit_account: "H4CK Y0UR 4CC0UN7" email_awaiting_confirmation: "4C71V4510N L1NK 53N7 2 %{unconfirmed_email}. UN71L U F0LL0W 7H3 L1NK W3 W1LL C0N71NU3 2 U53 Y0UR 0R1G1N4L M41L %{email}." export_data: "3XP0R7 D474" diff --git a/config/locales/diaspora/en_pirate.yml b/config/locales/diaspora/en_pirate.yml index 88d1f130b..0431955db 100644 --- a/config/locales/diaspora/en_pirate.yml +++ b/config/locales/diaspora/en_pirate.yml @@ -5,21 +5,50 @@ en_pirate: + _applications: "Applications" + _comments: "Comments" _contacts: "Mateys" _home: "Home Port" _photos: "Portraits" + _services: "Ye Services" + account: "Ye account" activerecord: errors: models: + contact: + attributes: + person_id: + taken: "must be unique among this matey's mates." + person: + attributes: + diaspora_handle: + taken: "has been hornswaggled!" + request: + attributes: + from_id: + taken: "is a another one of something that already exists ye scallywag!" reshare: attributes: root_guid: taken: "Ye've already reshared that post!" user: attributes: + email: + taken: "has been hornswaggled!" + person: + invalid: "be invalid." username: - invalid: "is invalid. We only allow letters, numbers, 'n underscores" + invalid: "is invalid. We only allow letters, numbers, 'n underscores." + taken: "has been hornswaggled!" + ago: "%{time} ago arrr" all_aspects: "Yer Crews" + application: + helper: + unknown_person: "unknown scallywag" + video_title: + unknown: "Arrgh! Unknown Video Title" + are_you_sure: "Are ye sure?" + are_you_sure_delete_account: "Are ye sure you want t' walk the plank? Yer account will be shark bait!" aspect_memberships: destroy: failure: "Blast! Failed to kick matey out yer crew" @@ -31,31 +60,71 @@ en_pirate: success: "Successfully added contact to crew." aspect_listings: add_an_aspect: "+ Add a crew" - contacts_not_visible: "Contacts in this crew will nah be able to see each other." + deselect_all: "Unchoose all" + edit_aspect: "Edit %{name}" + select_all: "Choose all" + aspect_stream: + stay_updated: "Stay up 't date" + stay_updated_explanation: "Yer main stream is populated with all of yer contacts, tags ye follow, and posts from some creative members of the community." + contacts_not_visible: "Mateys in this crew will nah be able to see each other." contacts_visible: "Contacts in this crew will be able to see each other." create: failure: "Crew creation failed." success: "Yer new crew %{name} was created" + destroy: + failure: "%{name} not be empty and could not be removed YARGH!" + success: "%{name} was removed successfully mate." edit: aspect_list_is_not_visible: "Yer crew list is hidden to others in crew" aspect_list_is_visible: "Yer crew list is visible to others in crew" confirm_remove_aspect: "Are ye sure ye wants t' scuttle this crew?" make_aspect_list_visible: "make crew list visible?" remove_aspect: "Fire this crew" - few: "%{count} crews" - helper: - are_you_sure: "Are ye sure ye want t' scuttle this crew?" - aspect_not_empty: "Crew not empty" + rename: "rename" + update: "update" + updating: "updatin'" index: - handle_explanation: "This is yer diaspora id. Like an email address, you can give this to scallywags to reach you." + diaspora_id: + content_1: "Ye ship name be:" + content_2: "Give it to anyone 'n they'll be able to find ye on diaspora*. Yargh." + heading: "diaspora* ID" + donate: "Give some dubloons!" + handle_explanation: "This is yer diaspora id. Like a ship name, ye can give this to mates to reach ye." help: + do_you: "Do ye:" + email_feedback: "%{link} yer feedback, if ye prefer" + feature_suggestion: "... do ye have a %{link} suggestion?" + find_a_bug: "... ye find a %{link}?" + have_a_question: "do ye have a %{link}?" here_to_help: "Diaspora community is here to help!" + need_help: "S.O.S." + tag_bug: "blunder" + tag_feature: "addition" + tag_question: "wanna know somethin'!" + introduce_yourself: "This be yer sea. Make yerself acquainted ye bucko." + new_here: + follow: "Follow %{link} 'n welcome new mateys 't diaspora*!" + learn_more: "Learn more matey" + title: "Welcome New Buccaneers" no_contacts: "No mateys" - many: "%{count} crews" + no_tags: "+ Find an interestin' somethin' t' follow" + people_sharing_with_you: "Buccaneers sharin' with ye" + post_a_message: "send a letter" + services: + content: "Ye can connect the following services to diaspora*:" + heading: "Connect ye services" + unfollow_tag: "Stop followin' #%{tag}" + welcome_to_diaspora: "Welcome to diaspora*, %{name}. Ye old seadog!" new: + create: "Forge" name: "Name" no_contacts_message: + community_spotlight: "crew spotlight" + or_spotlight: "Or ye can share with %{link}" try_adding_some_more_contacts: "You can search (top) or invite (right) more mateys." + you_should_add_some_more_contacts: "Ye should add some more contacts!" + no_posts_message: + start_talking: "None of yer mates has said anything yet!" one: "1 crew" other: "%{count} crews" seed: @@ -63,36 +132,115 @@ en_pirate: family: "Kin" friends: "Mateys" work: "Shipmates" + update: + failure: "Yer crew, %{name}, had too many words, YARGH!" + success: "Yer crew, %{name}. has been edited matey!" + zero: "Ye have no crews! Yargh!" + back: "Backs" + blocks: + create: + failure: "Could not send'em to the brig!" + success: "Alright mate, ye wont see that scallywag in yer sea again. #walkedtheplank!" + destroy: + failure: "Couldnt stop ignorin' that scallywag." + bookmarklet: + explanation: "Post to diaspora* from anywhere by marking this link on yer map => %{link}" + heading: "Mark on ye map" + post_something: "Post 't d*" + post_success: "Sent! Closing!" + cancel: "Nevermind" + comments: + new_comment: + comment: "Comm'nt" + commenting: "Commentin'" + one: "1 comment mate" + other: "%{count} comments mate" + zero: "no comments mate" contacts: - few: "%{count} contacts" + create: + failure: "Failed 't create contact" index: + add_a_new_aspect: "Add a new crew" add_to_aspect: "Add more mateys to %{name}" all_contacts: "All yer mateys" my_contacts: "Me Mateys" no_contacts: "No Mateys." + only_sharing_with_me: "Mateys only sharin' with me" + start_a_conversation: "Send a letter" title: "Mateys" your_contacts: "Yer Mateys" - many: "%{count} contacts" - one: "1 contact" - other: "%{count} contacts" - two: "%{count} contacts" - zero: "contacts" + one: "1 matey" + other: "%{count} mateys" + sharing: + people_sharing: "Buccaneers sharin' with ye:" + zero: "mates" conversations: + create: + fail: "Problem with letter, YARGH!" + sent: "Letter sent" helper: new_messages: - few: "%{count} new messages" - many: "%{count} new messages" - one: "1 new messages" - other: "%{count} new messages" - two: "%{count} new messages" - zero: "No new messages" + one: "1 new letter" + other: "%{count} new letters" + zero: "No new letters" + index: + inbox: "Pigeon's nest" + no_conversation_selected: "no message chosen, mate" + no_messages: "no letters" + new: + abandon_changes: "Abandon ye changes?" + sending: "Sendin'..." + to: "'t" + show: + delete: "scuttle and batten down the discussion" + reply: "send a letter back" + replying: "Replyin'" + delete: "Scuttle" + email: "Yer Carrier Pigeon (Email)" + error_messages: + helper: + correct_the_following_errors_and_try_again: "Correct ye blunders 'n try again ye scallywag!" + invalid_fields: "N'valid fields" + fill_me_out: "Fill me out arrr" + find_people: "Scour fer mates or treasures" + hide: "Cover" + invitations: + a_facebook_user: "A Facebook scallywag" + create: + already_contacts: "Ye are already mates with this buccaneer!" + already_sent: "Ye already invited this bucko." + no_more: "Ye have no more invitations." + own_address: "Ye can't send an invitation t' yer own address ye scallywag." + rejected: "Yer pigeon can't deliver to the followin' addresses: " + sent: "Invitations have been sent t': %{emails}" + edit: + accept_your_invitation: "Accept yer invitation" + your_account_awaits: "Yer ship awaits!" + new: + already_invited: "The following landblubbers have not accepted yer invitation:" + aspect: "Crew" + check_out_diaspora: "Avast ye! Check out diaspora*! ARRR!!" + if_they_accept_info: "if they accept, they will be added to the crew ye invited them." + invite_someone_to_join: "Invite a bucko t' diaspora*!" + language: "What do ye speak?" + personal_message: "Personal letter" + send_an_invitation: "Send n' invitation" + to: "Who's this goin' t'?" layouts: application: + back_to_top: "Back to crow's nest" + powered_by: "This ship be POWERED BY diaspora*" + public_feed: "Sea-wide diaspora* feed for %{name}" toggle: "toggl' mobile site" + whats_new: "what be new?" + your_aspects: "yer crews" header: + admin: "cap'n" + login: "check in with ye captain" logout: "Abandon Ship" profile: "Ye Ship" settings: "Ye Ships Rigging" + view_all: "Show all" likes: likes: people_dislike_this: @@ -116,6 +264,10 @@ en_pirate: other: "%{count} likes" two: "%{count} likes" zero: "no likes" + limited: "Only ye crews" + more: "More!" + next: "next" + no_results: "Ye results be in davey jones' locker. Yargh!" notifications: also_commented: few: "%{actors} also commented on %{post_author}'s %{post_link}." @@ -147,6 +299,7 @@ en_pirate: two: "%{count} new notifications" zero: "No new notifications" index: + and: "'n" and_others: few: "'n %{count} others" many: "'n %{count} others" @@ -211,37 +364,133 @@ en_pirate: two: "%{actors} started sharin' with ye." zero: "%{actors} started sharin' with ye." notifier: + click_here: "look here" + comment_on_post: + reply: "Reply or see %{name}'s post >" confirm_email: click_link: "To activate yer new email %{unconfirmed_email} in a bottle coordinates , please click 'tis link." + subject: "Please activate yer new email %{unconfirmed_email}" + email_sent_by_diaspora: "This letter was sent by %{pod_name}. If ye'd like to stop gettin' letters like this," + hello: "Hello %{name}! How are ye, matey?" liked: - liked: "%{name} just liked yer post" + liked: "%{name} just like'd yer post" + view_post: "Read post >" + mentioned: + mentioned: "mention'd ye in a post:" + subject: "%{name} has mention'd ye on diaspora*" + private_message: + reply_to_or_view: "Reply 't or read this conversation >" reshared: - reshared: "%{name} just reshared yer post" + reshared: "%{name} just reshare'd yer post" + view_post: "Read post >" + single_admin: + admin: "Yer diaspora* cap'n" + subject: "A message about yer diaspora* account:" + started_sharing: + sharing: "has start'd sharin' with ye!" + subject: "%{name} started sharin' with ye on diaspora*" + view_profile: "Look at %{name}'s ship" + to_change_your_notification_settings: "t' change yer notification settin's" + nsfw: "Not safe for lad's or lasses'" ok: "Aye" + or: "er" + password: "Secret pact" + password_confirmation: "Confirm yer secret pact!" people: - few: "%{count} people" - many: "%{count} people" + add_contact_small: + add_contact_from_tag: "add matey from tag" + helper: + results_for: " results fer %{params}" + index: + looking_for: "Lookin' fer posts tagged %{tag_link}?" + no_one_found: "...and no landblubbers were found." + no_results: "Ahoy! Ye need 't search fer somethin'." + results_for: "Scallywags matchin' %{search_term}" one: "1 person" other: "%{count} people" + person: + add_contact: "add mate" + pending_request: "Pendin' request" + thats_you: "That's ye!" profile_sidebar: born: "date o' birth" - two: "%{count} people" + edit_my_profile: "Edit me profile" + gender: "Ye gender" + location: "Sea I be in" + remove_contact: "remove matey" + show: + closed_account: "This ship has been sunk." + does_not_exist: "Matey does not exist! Arrr" + has_not_shared_with_you_yet: "%{name} has not shared any posts with ye yet!" + ignoring: "Yer ignorin' all posts from %{name}." + incoming_request: "%{name} wants 't share with ye" + not_connected: "Yer not sharin' with this scallywag." + return_to_aspects: "Return 't yer mateys page" + start_sharing: "start sharin'" + to_accept_or_ignore: "'t accept or deny it." + sub_header: + you_have_no_tags: "ye have no tags!" + webfinger: + fail: "Sorry mate, we couldnt spot %{handle}." zero: "no people" photos: + comment_email_subject: "%{name}'s portrait" + create: + integrity_error: "Portrait hanging failed. Are ye sure that was a portrait?" + runtime_error: "Portrait hanging failed. Are ye sure yer hatches be battened down?" + type_error: "Portrait hangin' failed. Are ye sure a portrait was added mate?" + destroy: + notice: "Portrait scuttled!" + edit: + editing: "Editin'" new: new_photo: "New Portrait" + post_it: "Fire!" + new_photo: + empty: "{file} be empty, choose yer files again without it mate." + invalid_ext: "{file} not be valid ye scallywag. Only {extensions} be allowed." + size_error: "{file} be 't large mate, the biggest file size be {sizeLimit}." + new_profile_photo: + or_select_one_existing: "or choose one from yer already existin' %{photos}" + upload: "Hang a new portrait in ye ship!" + photo: + view_all: "look at all of %{name}'s portraits" + show: + delete_photo: "Delete Portrait" + edit_delete_photo: "Edit portrait tale / get rid of portrait" + make_profile_photo: "make profile portrait" + update_photo: "Update Portrait" + update: + error: "Failed to change portrait cap'n!" + notice: "Portrait changed, cap'n!" posts: show: + destroy: "Scuttle" + not_found: "Sorry cap'n, we couldn't find that X." photos_by: - few: "%{count} photos by %{author}" - many: "%{count} photos by %{author}" - one: "One photo by %{author}" - other: "%{count} photos by %{author}" - two: "Two photos by %{author}" - zero: "No photos by %{author}" + one: "One portrait by %{author}" + other: "%{count} portraits by %{author}" + zero: "No portraits by %{author}" + previous: "previous" + privacy: "Ye privacy settin's" + privacy_policy: "Ye privacy policy" + profile: "Ye duffle" profiles: edit: + allow_search: "Allow fer scallywags to search fer ye within diaspora*" + your_bio: "Ye story" your_birthday: "Yer day o' birth" + your_gender: "Lad, lass, or something else?" + your_location: "Where ye be in the sea?" + your_name: "Yer name" + your_photo: "Ye portrait" + your_private_profile: "Ye private profile" + your_public_profile: "Ye public profile" + your_tags: "Describe yerself in 5 words, mate." + your_tags_placeholder: "like #treasure #ships #plunderin #sea #rum" + update: + failed: "Failed to update profile, matey!" + public: "The Sea can see this" reactions: few: "%{count} reactions" many: "%{count} reactions" @@ -250,10 +499,25 @@ en_pirate: two: "%{count} reactions" zero: "0 reactions" registrations: + closed: "Signups be closed on this ship!" + create: + success: "Ye've joined diaspora*! YARGH!" + edit: + cancel_my_account: "Walk the plank" + leave_blank: "(leave blank if ye dont want 't change it)" + password_to_confirm: "we need yer current password 'to confirm yer changes)" new: create_my_account: "Create my account" + join_the_movement: "Join the pirate life, YARGH!" sign_up_message: "Social Networking with a <3" requests: + create: + sending: "Sendin'" + sent: "Ye've asked 't share with %{name}. They should be able 't see it next time they come aboard diaspora*." + destroy: + error: "Select a crew!" + ignore: "The brig." + success: "Ye are now sharin'." helper: new_requests: few: "%{count} new requests!" @@ -262,7 +526,12 @@ en_pirate: other: "%{count} new requests!" two: "%{count} new requests!" zero: "no new requests" + manage_aspect_contacts: + existing: "Existin' mates" + manage_within: "Manage mates within" reshares: + create: + failure: "There be an error resharin' this post." reshare: reshare: few: "%{count} reshares" @@ -273,8 +542,26 @@ en_pirate: zero: "Reshare" search: "Scour" services: + create: + already_authorized: "A matey named %{diaspora_id} already authorized that %{service_name} record. ARR!" + failure: + error: "there be an error connectin' that service" + finder: + fetching_contacts: "diaspora* is populatin' yer %{service} mates, come back in a bit mate." + no_friends: "Couldnt find any Facebook mateys." + service_friends: "%{service} Mateys" + index: + connect_to_facebook: "Connect 't Facebook" + connect_to_tumblr: "Connect 't Tumblr" + connect_to_twitter: "Connect 't Twitter" + no_services: "Ye have not connected any services yet." inviter: click_link_to_accept_invitation: "Click this link t' accept yer invitation" + settings: "Settin's" + share_visibilites: + update: + post_hidden_and_muted: "%{name}'s be hidden, 'n notifications be muted." + see_it_on_their_profile: "If ye be wantin' 't see updates on this post, look at %{name}'s ship, ARRGH!" shared: aspect_dropdown: add_to_aspect: "Add to aspect" @@ -285,23 +572,40 @@ en_pirate: other: "In %{count} aspects" two: "In %{count} aspects" zero: "Add to aspect" + footer: + your_aspects: "yer mateys" + public_explain: + logged_in: "on deck at %{service}" + new_user_welcome_message: "Use #hashtags t' classify yer posts n' find mateys. Call out mateys with @Mentions" + outside: "Sea-wide messages will be available fer others outside of diaspora* t' see." + visibility_dropdown: "Use this dropdown t' change the visibility of yer post. (It's good idear ye make this first one sea-wide.)" publisher: + all_contacts: "all mateys" + discard_post: "Scuttle post" new_user_prefill: i_like: "I be interested in %{tags}." + newhere: "NewMatey" + posting: "Firin!" share: "Fire!" + upload_photos: "Hang up portraits" whats_on_your_mind: "What be botherin' you?" stream_element: + connect_to_comment: "Connect t' this scallywag t' comm'nt on their post" + currently_unavailable: "comm'ntin currently not working" hide_and_mute: "Hide and Mute" shared_with: "Fired at: %{aspect_names}" status_messages: - too_long: - few: "Ye scallywag, make yer status messages less than %{count} characters" - many: "Ye scallywag,make yer status messages less than %{count} characters" - one: "Ye scallywag, make yer status messages less than %{count} character" - other: "Ye scallywag, make yer status messages less than %{count} characters" - two: "Ye scallywag, make yer status messages less than %{count} characters" - zero: "Ye scallywag,make yer status messages less than %{count} characters" + create: + success: "Ye've successfully mentioned: %{names}" + destroy: + failure: "Failed t' get rid of post" + helper: + no_message_to_display: "No message t' display." + new: + mentioning: "Mentionin': %{person}" + too_long: "{\"few\"=>\"Ye scallywag, make yer status messages less than %{count} characters\", \"many\"=>\"Ye scallywag,make yer status messages less than %{count} characters\", \"one\"=>\"Ye scallywag, make yer status messages less than %{count} character\", \"other\"=>\"Ye scallywag, make yer status messages less than %{count} characters\", \"two\"=>\"Ye scallywag, make yer status messages less than %{count} characters\", \"zero\"=>\"Ye scallywag,make yer status messages less than %{count} characters\"}" stream_helper: + hide_comments: "Hide all comm'nts" show_comments: few: "Show %{count} more comments" many: "Show %{count} more comments" @@ -312,20 +616,41 @@ en_pirate: streams: aspects: title: "Yer Aspects" + aspects_stream: "Crews" mentions: + contacts_title: "Seadogs that mentioned ye" title: "Yer Mentions" + multi: + contacts_title: "Mateys in yer Sea" + title: "Sea" tags: contacts_title: "scallywags who dig these tags" tag_followings: create: failure: "Failed to follow: #%{name}" + none: "Ye cannot follow a blank tag!" success: "Successfully followin': #%{name}" destroy: failure: "Failed to stop followin': #%{name}" - success: "Successfully stopped followin': #%{name}" + success: "Avast! Successfully stopped followin': #%{name}" + tags: + show: + following: "Followin' #%{tag}" + stop_following: "Stop Followin' #%{tag}" + terms_and_conditions: "Terms 'n conditions" + undo: "Undo?" + username: "Yer Username" users: edit: auto_follow_back: "Automatically follow back if someone follows ye" close_account: + dont_go: "Yo Ho HO! No need t' walk the plank!" + make_diaspora_better: "We want ye t' make diaspora* better arr, so ye should help before ye walk the plank and feed the fishes. If ye do want t' walk, we want ye t' be savvy on what happens next ye old seadog arrr." + mr_wiggles: "Mr Wiggles will be sad t' see ye go mate." what_we_delete: "We scuttle all of yer posts, profile data, as soon as humanly possible. Yer comments will hang around, but be associated with yer Diaspora Handle." - your_handle: "Yer diaspora id" \ No newline at end of file + download_photos: "download ye portraits" + show_community_spotlight: "Show Community Spotlight in sea" + stream_preferences: "Sea settin's" + your_email: "Yer email" + your_handle: "Yer diaspora id" + welcome: "Ahoy, matey!" \ No newline at end of file diff --git a/config/locales/diaspora/en_shaw.yml b/config/locales/diaspora/en_shaw.yml index 1add816ad..c1bfd6d82 100644 --- a/config/locales/diaspora/en_shaw.yml +++ b/config/locales/diaspora/en_shaw.yml @@ -54,8 +54,6 @@ en_shaw: add_to_aspect: failure: "𐑓𐑱𐑤𐑛 𐑑 𐑨𐑛 𐑒𐑪𐑯𐑑𐑨𐑒𐑑 𐑑 𐑨𐑕𐑐𐑧𐑒𐑑." success: "𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑫𐑤𐑦 𐑨𐑛𐑩𐑛 𐑒𐑪𐑯𐑑𐑨𐑒𐑑 𐑑 𐑨𐑕𐑐𐑧𐑒𐑑." - aspect_contacts: - done_editing: "𐑛𐑳𐑯 𐑧𐑛𐑦𐑑𐑦𐑙" aspect_listings: add_an_aspect: "+ 𐑨𐑛 𐑩𐑯 𐑨𐑕𐑐𐑧𐑒𐑑" contacts_not_visible: "𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕 𐑦𐑯 𐑞𐑦𐑕 𐑨𐑕𐑐𐑧𐑒𐑑 𐑢𐑦𐑤 𐑯𐑪𐑑 𐑚𐑰 𐑱𐑚𐑩𐑤 𐑑 𐑕𐑰 𐑰𐑗 𐑳𐑞𐑼." @@ -67,21 +65,14 @@ en_shaw: failure: "%{name} ez dago hutsik eta ezin izan da ezabatu." success: "%{name} 𐑢𐑪𐑟 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑫𐑤𐑦 𐑮𐑦𐑥𐑵𐑝𐑛." edit: - add_existing: "𐑨𐑛 𐑩𐑯 𐑧𐑜𐑟𐑦𐑕𐑑𐑦𐑙 𐑒𐑪𐑯𐑑𐑨𐑒𐑑" aspect_list_is_not_visible: "𐑨𐑕𐑐𐑧𐑒𐑑 𐑤𐑦𐑕𐑑 𐑦𐑟 𐑣𐑦𐑛𐑩𐑯 𐑑 𐑳𐑞𐑼𐑟 𐑦𐑯 𐑨𐑕𐑐𐑧𐑒𐑑" aspect_list_is_visible: "𐑨𐑕𐑐𐑧𐑒𐑑 𐑤𐑦𐑕𐑑 𐑦𐑟 𐑝𐑦𐑟𐑦𐑚𐑩𐑤 𐑑 𐑳𐑞𐑼𐑟 𐑦𐑯 𐑨𐑕𐑐𐑧𐑒𐑑" confirm_remove_aspect: "𐑸 𐑿 𐑖𐑻 𐑿 𐑢𐑳𐑯𐑑 𐑑 𐑛𐑦𐑤𐑰𐑑 𐑞𐑦𐑕 𐑨𐑕𐑐𐑧𐑒𐑑?" - done: "𐑛𐑳𐑯" make_aspect_list_visible: "𐑥𐑱𐑒 𐑞𐑦𐑕 𐑨𐑕𐑐𐑧𐑒𐑑 𐑤𐑦𐑕𐑑 𐑝𐑦𐑟𐑦𐑚𐑩𐑤?" remove_aspect: "𐑛𐑦𐑤𐑰𐑑 𐑞𐑦𐑕 𐑨𐑕𐑐𐑧𐑒𐑑" rename: "𐑮𐑦𐑯𐑱𐑥" update: "𐑳𐑐𐑛𐑱𐑑" updating: "𐑳𐑐𐑛𐑱𐑑𐑦𐑙" - few: "%{count} 𐑨𐑕𐑐𐑧𐑒𐑑𐑕" - helper: - are_you_sure: "𐑸 𐑿 𐑖𐑻 𐑿 𐑢𐑳𐑯𐑑 𐑑 𐑛𐑦𐑤𐑰𐑑 𐑞𐑦𐑕 𐑨𐑕𐑐𐑧𐑒𐑑?" - aspect_not_empty: "𐑨𐑕𐑐𐑧𐑒𐑑 𐑯𐑪𐑑 𐑧𐑥𐑐𐑑𐑦" - remove: "𐑮𐑦𐑥𐑵𐑝" index: diaspora_id: content_1: "𐑿𐑼 ·𐑛𐑦𐑨𐑕𐑐𐑹𐑩 𐑲𐑛𐑧𐑯𐑑𐑦𐑓𐑦𐑒𐑱𐑖𐑯 𐑦𐑟:" @@ -101,11 +92,6 @@ en_shaw: services: content: "𐑿 𐑒𐑨𐑯 𐑒𐑩𐑯𐑧𐑒𐑑 𐑞 𐑓𐑪𐑤𐑴𐑦𐑙 𐑕𐑻𐑝𐑦𐑕𐑩𐑟 𐑑 ·𐑛𐑦𐑨𐑕𐑐𐑹𐑩:" heading: "𐑒𐑩𐑯𐑧𐑒𐑑 𐑕𐑻𐑝𐑦𐑕𐑩𐑟" - many: "%{count} 𐑨𐑕𐑐𐑧𐑒𐑑𐑕" - move_contact: - error: "𐑺𐑼 𐑥𐑵𐑝𐑦𐑙 𐑒𐑪𐑯𐑑𐑨𐑒𐑑: %{inspect}" - failure: "𐑛𐑦𐑛𐑯𐑑 𐑢𐑻𐑒 %{inspect}" - success: "𐑐𐑻𐑕𐑩𐑯 𐑥𐑵𐑝𐑛 𐑑 𐑯𐑿 𐑨𐑕𐑐𐑧𐑒𐑑" new: create: "𐑒𐑮𐑦𐑱𐑑" name: "𐑯𐑱𐑥" @@ -120,13 +106,6 @@ en_shaw: family: "𐑓𐑨𐑥𐑦𐑤𐑦" friends: "𐑓𐑮𐑧𐑯𐑛𐑟" work: "𐑢𐑻𐑒" - selected_contacts: - manage_your_aspects: "𐑥𐑨𐑯𐑩𐑡 𐑿𐑼 𐑨𐑕𐑐𐑧𐑒𐑑𐑕." - no_contacts: "𐑿 𐑛𐑴𐑯𐑑 𐑣𐑨𐑝 𐑧𐑯𐑦 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕 𐑣𐑽 𐑘𐑧𐑑." - view_all_contacts: "𐑝𐑿 𐑷𐑤 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕" - show: - edit_aspect: "𐑧𐑛𐑦𐑑 𐑨𐑕𐑐𐑧𐑒𐑑" - two: "%{count} aspects" update: failure: "𐑿𐑼 𐑨𐑕𐑐𐑧𐑒𐑑, %{name}, 𐑣𐑨𐑛 𐑑𐑵 𐑤𐑪𐑙 𐑩 𐑯𐑱𐑥 𐑑 𐑚𐑰 𐑕𐑱𐑝𐑛." success: "𐑿𐑼 𐑨𐑕𐑐𐑧𐑒𐑑, %{name}, 𐑣𐑨𐑟 𐑚𐑧𐑯 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑫𐑤𐑦 𐑧𐑛𐑦𐑑𐑩𐑛." @@ -139,43 +118,33 @@ en_shaw: post_success: "𐑐𐑴𐑕𐑑𐑩𐑛! 𐑒𐑤𐑴𐑟𐑦𐑙!" cancel: "𐑒𐑨𐑯𐑕𐑩𐑤" comments: - few: "%{count} 𐑒𐑪𐑥𐑩𐑯𐑑𐑕" - many: "%{count} 𐑒𐑪𐑥𐑩𐑯𐑑𐑕" new_comment: comment: "𐑒𐑪𐑥𐑩𐑯𐑑" commenting: "𐑒𐑪𐑥𐑩𐑯𐑑𐑦𐑙..." one: "1 𐑒𐑪𐑥𐑩𐑯𐑑" other: "%{count} 𐑒𐑪𐑥𐑩𐑯𐑑𐑕" - two: "%{count} comments" zero: "𐑯𐑴 𐑒𐑪𐑥𐑩𐑯𐑑𐑕" contacts: create: failure: "𐑓𐑱𐑤𐑛 𐑑 𐑒𐑮𐑦𐑱𐑑 𐑒𐑪𐑯𐑑𐑨𐑒𐑑" - few: "%{count} 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕" index: add_a_new_aspect: "𐑨𐑛 𐑯𐑿 𐑨𐑕𐑐𐑧𐑒𐑑" add_to_aspect: "Add contacts to %{name}" all_contacts: "𐑷𐑤 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕" - many_people_are_you_sure: "𐑸 𐑿 𐑖𐑻 𐑿 𐑢𐑳𐑯𐑑 𐑑 𐑕𐑑𐑸𐑑 𐑩 𐑐𐑮𐑲𐑝𐑩𐑑 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯 𐑢𐑦𐑞 𐑥𐑹 𐑞𐑨𐑯 %{suggested_limit} 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕? 𐑐𐑴𐑕𐑑𐑦𐑙 𐑑 𐑞𐑦𐑕 𐑨𐑕𐑐𐑧𐑒𐑑 𐑥𐑱 𐑚𐑰 𐑩 𐑚𐑧𐑑𐑼 𐑢𐑱 𐑑 𐑒𐑪𐑯𐑑𐑨𐑒𐑑 𐑞𐑧𐑥." my_contacts: "𐑥𐑲 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕" no_contacts: "𐑯𐑴 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕." only_sharing_with_me: "𐑴𐑯𐑤𐑦 𐑖𐑺𐑦𐑙 𐑢𐑦𐑞 𐑥𐑰" - remove_person_from_aspect: "𐑮𐑦𐑥𐑵𐑝 %{person_name} 𐑓𐑮𐑳𐑥 \"%{aspect_name}\"" start_a_conversation: "𐑕𐑑𐑸𐑑 𐑩 𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯" title: "𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕" your_contacts: "𐑿𐑼 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕" - many: "%{count} 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕" one: "1 𐑒𐑪𐑯𐑑𐑨𐑒𐑑" other: "%{count} 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕" sharing: people_sharing: "𐑐𐑰𐑐𐑩𐑤 𐑖𐑺𐑦𐑙 𐑢𐑦𐑞 𐑿:" - two: "%{count} contacts" zero: "𐑯𐑴 𐑒𐑪𐑯𐑑𐑨𐑒𐑑𐑕" conversations: create: sent: "𐑥𐑧𐑕𐑩𐑡 𐑕𐑧𐑯𐑑" - destroy: - success: "𐑒𐑪𐑯𐑝𐑼𐑕𐑱𐑖𐑩𐑯 𐑕𐑩𐑒𐑕𐑧𐑕𐑓𐑫𐑤𐑦 𐑮𐑦𐑥𐑵𐑝𐑛" helper: new_messages: few: "%{count} 𐑯𐑿 𐑥𐑧𐑕𐑩𐑡𐑩𐑟" @@ -404,14 +373,12 @@ en_shaw: add_contact_from_tag: "𐑨𐑛 𐑒𐑪𐑯𐑑𐑨𐑒𐑑 𐑓𐑮𐑪𐑥 𐑑𐑨𐑜" aspect_list: edit_membership: "𐑧𐑛𐑦𐑑 𐑨𐑕𐑐𐑧𐑒𐑑 𐑥𐑧𐑥𐑚𐑼𐑖𐑦𐑐" - few: "%{count} 𐑐𐑰𐑐𐑩𐑤" helper: results_for: " 𐑮𐑦𐑟𐑫𐑤𐑑 𐑓𐑹 %{params}" index: no_one_found: "...𐑯 𐑯𐑴 𐑢𐑳𐑯 𐑢𐑪𐑟 𐑓𐑬𐑯𐑛." no_results: "𐑣𐑱! 𐑿 𐑯𐑰𐑛 𐑑 𐑕𐑻𐑗 𐑓𐑹 𐑕𐑳𐑥𐑔𐑦𐑙." results_for: "𐑕𐑻𐑗 𐑮𐑦𐑟𐑫𐑤𐑑𐑕 𐑓𐑹" - many: "%{count} 𐑐𐑰𐑐𐑩𐑤" one: "1 𐑐𐑻𐑕𐑩𐑯" other: "%{count} 𐑐𐑰𐑐𐑩𐑤" person: @@ -441,7 +408,6 @@ en_shaw: see_all: "𐑕𐑰 𐑷𐑤" start_sharing: "𐑕𐑑𐑸𐑑 𐑖𐑺𐑦𐑙" to_accept_or_ignore: "𐑑 𐑩𐑒𐑕𐑧𐑐𐑑 𐑹 𐑦𐑜𐑯𐑹 𐑦𐑑." - two: "%{count} people" webfinger: fail: "𐑕𐑪𐑮𐑦, 𐑢𐑰 𐑒𐑫𐑛𐑯𐑑 𐑓𐑲𐑯𐑛 %{handle}." zero: "𐑯𐑴 𐑐𐑰𐑐𐑩𐑤" @@ -667,13 +633,7 @@ en_shaw: no_message_to_display: "𐑯𐑴 𐑥𐑧𐑕𐑩𐑡 𐑑 𐑛𐑦𐑕𐑐𐑤𐑱." new: mentioning: "𐑥𐑧𐑯𐑖𐑩𐑯𐑦𐑙: %{person}" - too_long: - few: "𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼𐑟" - many: "𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼𐑟" - one: "𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼" - other: "𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼𐑟" - two: "please make your status messages less than %{count} characters" - zero: "𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼𐑟" + too_long: "{\"few\"=>\"𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼𐑟\", \"many\"=>\"𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼𐑟\", \"one\"=>\"𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼\", \"other\"=>\"𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼𐑟\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"𐑐𐑤𐑰𐑟 𐑥𐑱𐑒 𐑿𐑼 𐑕𐑑𐑨𐑑𐑩𐑕 𐑥𐑧𐑕𐑩𐑡𐑩𐑟 𐑤𐑧𐑕 𐑞𐑨𐑯 %{count} 𐑒𐑺𐑩𐑒𐑑𐑼𐑟\"}" stream_helper: hide_comments: "𐑣𐑲𐑛 𐑷𐑤 𐑒𐑪𐑥𐑩𐑯𐑑𐑕" show_comments: @@ -701,9 +661,6 @@ en_shaw: show: follow: "𐑓𐑪𐑤𐑴 #%{tag}" following: "𐑓𐑪𐑤𐑴𐑦𐑙 #%{tag}" - nobody_talking: "𐑯𐑴𐑚𐑩𐑛𐑦 𐑦𐑟 𐑑𐑷𐑒𐑦𐑙 𐑩𐑚𐑬𐑑 %{tag} 𐑘𐑧𐑑." - people_tagged_with: "𐑐𐑰𐑐𐑩𐑤 𐑑𐑨𐑜𐑛 𐑢𐑦𐑞 %{tag}" - posts_tagged_with: "𐑐𐑴𐑕𐑑𐑕 𐑑𐑨𐑜𐑛 𐑢𐑦𐑞 #%{tag}" stop_following: "𐑕𐑑𐑪𐑐 𐑓𐑪𐑤𐑴𐑦𐑙 #%{tag}" undo: "𐑩𐑯𐑛𐑵?" username: "𐑿𐑟𐑼𐑯𐑱𐑥" @@ -723,7 +680,6 @@ en_shaw: comment_on_post: "...𐑕𐑳𐑥𐑢𐑩𐑯 𐑒𐑪𐑥𐑩𐑯𐑑𐑕 𐑪𐑯 𐑿𐑼 𐑐𐑴𐑕𐑑?" current_password: "𐑒𐑻𐑩𐑯𐑑 𐑐𐑨𐑕𐑢𐑼𐑛" download_photos: "𐑛𐑬𐑯𐑤𐑴𐑛 𐑥𐑲 𐑓𐑴𐑑𐑴𐑟" - download_xml: "𐑛𐑬𐑯𐑤𐑴𐑛 𐑥𐑲 𐑧.𐑥.𐑤." edit_account: "𐑧𐑛𐑦𐑑 𐑩𐑒𐑬𐑯𐑑" email_awaiting_confirmation: "𐑢𐑰 𐑣𐑨𐑝 𐑕𐑧𐑯𐑑 𐑿 𐑩𐑯 𐑨𐑒𐑑𐑦𐑝𐑱𐑖𐑩𐑯 𐑤𐑦𐑙𐑒 𐑑 %{unconfirmed_email}. 𐑩𐑯𐑑𐑦𐑤 𐑿 𐑓𐑪𐑤𐑴 𐑞𐑦𐑕 𐑤𐑦𐑙𐑒 𐑯 𐑨𐑒𐑑𐑦𐑝𐑱𐑑 𐑞 𐑯𐑿 𐑨𐑛𐑮𐑧𐑕, 𐑢𐑰 𐑢𐑦𐑤 𐑒𐑩𐑯𐑑𐑦𐑯𐑿 𐑑 𐑿𐑟 𐑿𐑼 𐑩𐑮𐑦𐑡𐑩𐑯𐑩𐑤 𐑨𐑛𐑮𐑧𐑕 %{email}." export_data: "𐑧𐑒𐑕𐑐𐑹𐑑 𐑛𐑱𐑑𐑩" diff --git a/config/locales/diaspora/en_valspeak.yml b/config/locales/diaspora/en_valspeak.yml new file mode 100644 index 000000000..4588a6988 --- /dev/null +++ b/config/locales/diaspora/en_valspeak.yml @@ -0,0 +1,1236 @@ +# Copyright (c) 2010-2013, Diaspora Inc. This file is +# licensed under the Affero General Public License version 3 or later. See +# the COPYRIGHT file. + + + +en_valspeak: + _applications: "Appz" + _comments: "Txts" + _contacts: "BFFs <3" + _help: "Need halp!!" + _home: "ur place" + _photos: "Picz n selfiez" + _services: "Other socialz" + _terms: "boring legal stuff" + account: "Like ur account" + activerecord: + errors: + models: + contact: + attributes: + person_id: + taken: "it must be like... different among this homie's homiez. duh." + person: + attributes: + diaspora_handle: + taken: "is like... already taken. sry :\\" + poll: + attributes: + poll_answers: + not_enough_poll_answers: "Theres like... not enough stuff to select in the poll..." + poll_participation: + attributes: + poll: + already_participated: "uve like... already voted on this poll!! derp." + request: + attributes: + from_id: + taken: "is like... the same as another thing.." + reshare: + attributes: + root_guid: + taken: "Umm, wtf r u doing? U already reshared that postie? Duh?" + user: + attributes: + email: + taken: "is like... already taken." + person: + invalid: "is like... not valid n junk." + username: + invalid: "is like... not valid n junk. u have 2 liek... use letterz, numbahz, and these thingz \"_\" but like witout the quote thingz..." + taken: "some1 like, already bought those shoez. sry bout that :\\" + admins: + admin_bar: + correlations: "Correlationz" + pages: "Pagies!" + pod_stats: "Pod statsss <3" + report: "Reportz" + sidekiq_monitor: "Technical thingy called Sidekiq monitor... wasnt that like... a phone once? OMG! IT WAS! :DD" + user_search: "Ppl search" + weekly_user_stats: "Weekly ppl stats" + correlations: + correlations_count: "Correlationz wit sign in count:" + stats: + 2weeks: "2 weekz" + 50_most: "ZOMG THE 50 MOST POPULAR TAGZ!!!" + comments: + one: "%{count} comment!!!(:" + other: "%{count} commentz!! :DDD" + zero: "%{count} commentz :(" + current_segment: "So like, the current segment is like.. averagin %{post_yest} posties per usah, from %{post_day}" + daily: "Dailyy" + display_results: "Showin results from the like.. %{segment} segment" + go: "go!!" + month: "Month" + posts: + one: "%{count} postie" + other: "%{count} posties!" + zero: "%{count} posties :(" + shares: + one: "%{count} share!(:" + other: "OMG u like have %{count} sharez!! :DDD" + zero: "%{count} sharez :c" + tag_name: "Tag Nameuh: %{name_tag} Countuh: %{count_tag}" + usage_statistic: "Usage staties" + users: + one: "%{count} ppl!(:" + other: "%{count} ppl!!! :DDD" + zero: "%{count} ppl :c" + week: "Week" + user_entry: + account_closed: "account trashed <3" + diaspora_handle: "d* handle" + email: "Emale" + guid: "gee yew eye dee" + id: "eye dee" + last_seen: "was like, last seen" + ? "no" + : "no way!" + nsfw: "#groody" + unknown: "dunno them" + ? "yes" + : totally + user_search: + account_closing_scheduled: "So like, the account of %{name} is waitin 2 b closed. it will b done in a few min, kay?" + add_invites: "add invites!! <3" + are_you_sure: "R u like... totally sure u wanna trash this account?" + close_account: "trash account" + email_to: "Email for the ppl 2 invite <3" + under_13: "show ppl undah 13 (COPPA)" + users: + one: "%{count} was like... found! :D" + other: "%{count} ppl found!! :D" + zero: "%{count} ppl found :(" + view_profile: "look at profile" + you_currently: + one: "u only have 1 invite left %{link}" + other: "u have like... %{count} invites left %{link}" + zero: "u like... have no invites left %{link} :\\" + weekly_user_stats: + amount_of: + one: "Number of new ppl this week: %{count}" + other: "Number of new ppl this week: %{count}" + zero: "Number of new ppl this week: none :\\" + current_server: "So like... the current server date ish like... %{date}" + ago: "it was like... %{time} ago" + all_aspects: "All aspectz" + application: + helper: + unknown_person: "this person is like... not known... sry bout that :\\" + video_title: + unknown: "this video title is like... not known... sry bout that :\\" + are_you_sure: "R u like, for sure?" + are_you_sure_delete_account: "R u like, mental? U like, wanna close ur account? U should like stay! YOLO! Well if u do, remember, like, this CANT b undone. Kay?" + aspect_memberships: + destroy: + failure: "The person was not like... removed... sry bout that :\\" + no_membership: "like... we couldnt find the ppl u picked in that aspect... sry bout tht :\\" + success: "The person was like... removed.. n stuff..." + aspects: + add_to_aspect: + failure: "there was like... a problem addin bff to aspect." + success: "OMG! Movin them like, totally WORKED! <333" + aspect_listings: + add_an_aspect: "+ Addn aspect" + deselect_all: "unhighlight everythin" + edit_aspect: "Like edit %{name}" + select_all: "highlight everythin" + aspect_stream: + make_something: "Make somethin.." + stay_updated: "stay like... up 2 date" + stay_updated_explanation: "Ur wall has like... ur BFFs n tagz n junk on it..." + contacts_not_visible: "Ppl in this group will like... not b able 2 c each other n stuff" + contacts_visible: "Ppl in this aspect will like.. b able 2 c each other n stuff" + create: + failure: "group makin failed." + success: "Ur new group %{name} was like... created" + destroy: + failure: "%{name} is like... not gone n so it like... cant b removed... sry bout tht :\\" + success: "%{name} is nao like... gone n stuff." + edit: + aspect_list_is_not_visible: "Ppl in this aspect r like.. not able 2 c each other." + aspect_list_is_visible: "Ppl in this aspect r like.. able 2 c each other." + confirm_remove_aspect: "R u sure u want 2 like... remove this aspect?" + make_aspect_list_visible: "make ppl in this group like... able 2 see each other?" + remove_aspect: "Git rid of this aspect" + rename: "bag this name.." + set_visibility: "Set look at prefs" + update: "make like... newer..." + updating: "makin like... newer..." + index: + diaspora_id: + content_1: "ur diaspora* id is:" + content_2: "give it 2 ne1, except for creepers, n theyll b able to like... find u.." + heading: "ur like... id" + donate: "give like... free money" + handle_explanation: "This is like... ur name thingy. Its like an email... like.. that thing that my mom uses... she's like... so totally disgustin... she like, wheres mom jeans its like barf out! Gag me with a spoon! So like, neway, this will like... let ppl reach u n stuff." + help: + any_problem: "Havin drama?" + contact_podmin: "Contact the dude that manages ur pod!" + do_you: "do u... like:" + email_feedback: "%{link} ur feedback n junk" + email_link: "Emailll <3" + feature_suggestion: "... do u like... have a %{link} suggestion?" + find_a_bug: "... find a like... %{link}?" + have_a_question: "... have a like... %{link}?" + here_to_help: "diaspora ppl r here... yay!" + mail_podmin: "the email for the ppl who like... run this bitch" + need_help: "so like, wat?" + tag_bug: "OMG, i like... have an issue!" + tag_feature: "cool new thang" + tag_question: "q4u" + tutorial_link_text: "Tutorialz!!" + tutorials_and_wiki: "%{faq}, %{tutorial}, && %{wiki}: Halp for ur first stepz." + introduce_yourself: "so this is like, ur stream thing... its like facebooks wall thingy but like... less annoyin n wit like... less adz n picz of food and stuff... like, post sumthin n see if ne1 repliez... like... yeah" + keep_diaspora_running: "Keep d* from suckin wit a monthly donation! :D<3" + keep_pod_running: "So like, keep %{pod} from bein all slow n stupid by like... donatin monthly n stuff! <3(:" + new_here: + follow: "follow %{link} n like ... welcome new ppl 2 diaspora*!" + learn_more: "like... learn moar n stuff..." + title: "dude! u should like, totally whalecum the new diaspora ppl. its a blast like... yeah.." + no_contacts: "No BFFs :(" + no_tags: "+ Find a tag 2 like... follow n junk" + people_sharing_with_you: "ppl sharin wit u" + post_a_message: "txt somethin >>" + services: + content: "U can like... connect the followin things 2 d*:" + heading: "connect like... other stuff.." + unfollow_tag: "Stop creepin on ppl who like... post stuff usin %{tag}" + welcome_to_diaspora: "OMG HEY! Like, welcome to diaspora*, %{name}. its pretty bitchin' n has electrolytes(;" + new: + create: "Make like.. a new aspect" + name: "Name (only like... u can c it)" + no_contacts_message: + community_spotlight: "d* celebz" + or_spotlight: "Or u can like... share wit %{link}" + try_adding_some_more_contacts: "U can like... search or like... invite moar ppl." + you_should_add_some_more_contacts: "U should like... add some moar ppl!" + no_posts_message: + start_talking: "No 1z gossiped yet! Lame :\\" + one: "1 azpect" + other: "%{count} aspectz" + seed: + acquaintances: "Some ppl I sorta kno" + family: "Fam" + friends: "BFFs" + work: "Work bffs" + update: + failure: "Ur group, %{name}, had like... a rlly long name.. so yeah... it wasnt saved... sry :\\" + success: "Ur aspect, %{name}, has like... not flipped out. So ur good!(:" + zero: "no aspectz" + back: "go back" + blocks: + create: + failure: "couldnt ignore the h8ter. #lame" + success: "Aight, u wont c that weirdo on ur wall again. Ur welcome. ;)" + destroy: + failure: "I couldnt like... unblock that h8ter. #couldntunblockh8terlame" + success: "Lets c wat they have 2 say!! #sayhaithar" + bookmarklet: + explanation: "post 2 d* from like.. anywhere by like... saving this thing => %{link}" + heading: "save page thingy" + post_something: "put it on d* n stuff" + post_success: "its like posted nao... byez! <3" + cancel: "Nvm" + comments: + new_comment: + comment: "say somethin" + commenting: "sayin somethin" + one: "OMG! u got a comment!!!" + other: "OMG! u got like %{count} commentz!!!" + zero: "like... no commentz :(" + contacts: + create: + failure: "there was like... drama when makin a BFF" + index: + add_a_new_aspect: "add a new aspect!" + add_contact: "Add BFF <3" + add_to_aspect: "add BFFs 2 %{name}" + all_contacts: "All BFFs!!" + community_spotlight: "d* celebz <33" + my_contacts: "My BFFs!!! <333" + no_contacts: "u like... need 2 add sum ppl" + no_contacts_message: "OMG! u should like... check out %{community_spotlight}" + only_sharing_with_me: "only sharin wit me" + remove_contact: "Trash BFF :(" + start_a_conversation: "start a like... convo" + title: "BFFs" + user_search: "Ppl stalk" + your_contacts: "ur BFFs" + one: "1 BFF" + other: "%{count} BFFs" + sharing: + people_sharing: "ppl sharin wit u:" + spotlight: + community_spotlight: "d* celebz!! <3" + suggest_member: "Suggest a membah!!(:" + zero: "BFFs" + conversations: + conversation: + participants: "Ppl participatin" + create: + fail: "bad txt" + no_contact: "Umm HELLO, u need 2 like, add them first! Duh!" + sent: "txt sent" + helper: + new_messages: + one: "1 new txts! ZOMG!!!" + other: "%{count} new txts! ZOMG!!!" + zero: "No new txts :(" + index: + conversations_inbox: "Convos - Inbox" + create_a_new_conversation: "start a new convo" + inbox: "Txts <3" + new_conversation: "New convo" + no_conversation_selected: "no convo picked :\\" + no_messages: "therez like... no messagez :( 3" + new: + abandon_changes: "nvm?" + send: "txt" + sending: "txtin..." + subject: "topic" + to: "2" + new_conversation: + fail: "Bad txt" + show: + delete: "get rid of n like... block the convo" + reply: "txt bak" + replying: "txtin bak..." + date: + formats: + birthday: "%B %d" + birthday_with_year: "%B %d %Y" + fullmonth_day: "%B %d" + delete: "Trash" + email: "thing b4 txtin like i think its called like email er sumthin?" + error_messages: + helper: + correct_the_following_errors_and_try_again: "so much drama! chillax n try again, k?" + invalid_fields: "not the like... rite fieldz..." + login_try_again: "Plz like login n like... try again. Kthx <3" + post_not_public: "Umm, the postie u r tryin 2 look at is like... not public! derrp" + post_not_public_or_not_exist: "So like, the postie u r tryin to look at is not public or it like.. doesnt exist. sry bout tht :\\" + fill_me_out: "Like, put ur txt into here like, K?" + find_people: "find new BFFs or #stuff" + help: + account_and_data_management: + close_account_a: "Go like.. 2 the bottom of ur settins page n click the Trash Account button." + close_account_q: "how do i like... trash my account?" + data_other_podmins_a: "So like, once u r sharin wit some1 on anotha pod, ne posties u share wit them n a copy of ur profile stuff r put on their pod, n r accessible 2 that pod'z database keeper... person.. thing. When u trash a postie err profile content is is trashed from ur pod n ne other podz where it was stored. YAY! <3" + data_other_podmins_q: "So like, can the ppl of other pods see my stuff? D:" + data_visible_to_podmin_a: "Convos between podz is like... super top secret... like... pinky promise not tell ne1. but like... the stuff on the pod is like... not top secret. the person who like, manages ur pod n stuff can like.. see everythin u put on it which is like... wat FB does like... constantlay. totally freaking lame, right? but theres like this cool part of d* where u can run like ur OWN pod n like thats more private n stuff cuz u like control everythin. freakin sick nasty right? :DDD" + data_visible_to_podmin_q: "so like... how much of my stuff can the ppl who run this pod like... see? #creepedout" + download_data_a: "ya. at like... the bottom of the account tab thingy in ur like... settins page there r like... 2 buttons for dling ur stuff." + download_data_q: "can I like... dl a copy of all my stuff on my account?" + move_pods_a: "so like, in the future, u will like... b able 2 export ur account from a pod n like... import it on another but this is like, not possible right nao. sry bout that. but u could like.. always open another account n add ur BFFs 2 groups on that new account, n like... ask them 2 add ur new account 2 their groups. K?" + move_pods_q: "So like, how do I move my account from one pod 2 another one? :o" + title: "Account n stuff management" + aspects: + change_aspect_of_post_a: "Nope, butt u can always like... make a new postie wit the same stuff and post eet 2 a different aspect. c:" + change_aspect_of_post_q: "So like, once ive posted somethin, can i like.. change the aspect(z) that can like.. see it? :o" + contacts_know_aspect_a: "nah. they cant." + contacts_know_aspect_q: "do like... my BFFs kno which aspects i like.. put them in?" + contacts_visible_a: "If u like, pick this option then ppl from that aspect will like... b able 2 c who else is in it on ur profile under ur pic. its like... best 2 pick this option only if like... the ppl in the aspect all kno each other. but like, they still wont kno wat the aspect is called, kay?" + contacts_visible_q: "so like, what does \"make BFFs in this aspect able to be seen by each other\" mean? its moar confusin than my Math class." + delete_aspect_a: "So like, in ur list of aspectz on the left side of the main page thingy, point ur mouse at like... the aspect u wanna trash. click the adorable little 'edit' pencil thingy that comes up on the right. then like, click the trash button in the box that comes up. Kay?" + delete_aspect_q: "How do I like... trash a group?" + person_multiple_aspects_a: "Ya. Like, go 2 ur BFFs page n click on my BFFs. for each BFF u can like... use the menu on the right 2 add them 2 (or like... trash them from) as many aspectz as u want. or u can like... add them 2 a new aspect (or trash them from an aspect) by like.. clickin the aspect picker button on their profile. or u can even like... just move the pointer thingy over their name where u like.. c it n the stream, n a 'hover-card' will like... come up. u can change the aspectz they r in right tharrr <3" + person_multiple_aspects_q: "So like, can I add a person 2 many aspects?" + post_multiple_aspects_a: "Ya. When u like.. make a postie, use the aspect picker button 2 pick or unpick aspectz. Ur post will b shown to like... ALL the aspectz u pick. u could also like... pick the aspectz u wanna post 2 in the sidebar thingy. when u post, the aspect(z) u picked in the list on teh left will automagically b picked in the aspect picker when u start 2 make a new postie <3 Kay? <3" + post_multiple_aspects_q: "So like, can i like, make a postie of some stuff n send it 2 many aspects @ once?" + remove_notification_a: "Nah" + remove_notification_q: "So like, if i trashed some1 from an aspect, err all of mah aspects, r they like... notified of this?" + rename_aspect_a: "Ya. In ur aspectz list thingy on the left side of the main page, like, point ur mouse at the aspect u wanna change the name of. then like, click the ADORABLE little 'edit' pencil thingy that like... comes up on the right. then liek, click rename in the box that comes up. yeah." + rename_aspect_q: "can i like, change the name of an aspect?" + restrict_posts_i_see_a: "ya. u have 2 like... click on My Aspects err whatever its called. its like in the sidebar thingy n then click individual (woah that weird was so big it made me lightheaded like that 1 time at band camp) aspects in the list thing 2 pick or not pick them. only like... the posties by ppl in the picked aspects will b seen by u on ur Wall n stuff." + restrict_posts_i_see_q: "so like, can i like... restrict the posties i c 2 just those from certain aspects?" + title: "Aspectz <33" + what_is_an_aspect_a: "Aspectz r like, the way u group ur BFFs on d*. an aspect is like... one of the faces u show 2 the world. sort of like wat brittany does. shes such a two-faced bitch fer sure. but like, on d* its like.. kay cuz liek u dont have 2 b showin ur grandpa ur like.. bikini picz which is like.. super gnarly... its totally tubular!!! :D" + what_is_an_aspect_q: "Wat is an aspect er group er whatev?" + who_sees_post_a: "so like, if u like... make a postie thats like... limited, it will only like, b seen by the ppl u have in ur aspect or group or groups err whatever. BFFs u have that like... arent in the aspect have like... no way of seein the postie, unless u set it 2 like... internet or public n junk. like, only like... posties that r set 2 public can b seen by ppl who u havent like... place in 1 of ur aspects. totally weird, right?" + who_sees_post_q: "when i like... make a postie 2 a aspect er whatever.. who can like.. see it?" + foundation_website: "d* foundation site! i lurve it!! <3" + getting_help: + get_support_a_hashtag: "ask in a public postie on d* usin the %{question} hashtag" + get_support_a_irc: "join us on %{irc} (Live, nerdy chat)" + get_support_a_tutorials: "check out our like, %{tutorials}" + get_support_a_website: "like, go to our %{link}" + get_support_a_wiki: "search teh %{link} :D!" + get_support_q: "So like, wat if mah queztion is like... not answered in this FAQ thingy? Where else can I like.. get support?" + getting_started_a: "OMG! ur in luck! :D. Try the %{tutorial_series} on our site thingy. It will like, take u step by step (Not the old TV show btw) through the registration process n like teach u all the thingys u need 2 kno bout usin d*! :D Like, totally try it! <3" + getting_started_q: "Halp!! i need sum like... simple halp 2 get me started!" + title: "Gettin halp" + getting_started_tutorial: "'Gettin started' tutorial seriez" + here: "like, here." + irc: "Nerd chat, gross" + keyboard_shortcuts: + keyboard_shortcuts_a1: "In the steam u can like use these keybored shorties:" + keyboard_shortcuts_li1: "j - to like... go to next postie" + keyboard_shortcuts_li2: "k - to like... go to last postie" + keyboard_shortcuts_li3: "c - comment on the current postie" + keyboard_shortcuts_li4: "l - <3 the current postie" + keyboard_shortcuts_q: "What key shorties r available?(:" + title: "Keypad shorties!!!" + markdown: "markydown" + mentions: + how_to_mention_a: "So like, you type this thing: @ n start typin their name. Then this like... little menu thingy will come up n like let u pick their name. But like, remember that u can like.. only mention ppl u've added n stuff. Totally lame sometimes :\\" + how_to_mention_q: "So like, how do I like... mention some1 when making a postie?" + mention_in_comment_a: "Mmm... nope. sry bout that :\\" + mention_in_comment_q: "So can I like... mention some1 in a comment? :o" + see_mentions_a: "Ya, click \"Mentionz\" in the like.. left column on ur home page. K?" + see_mentions_q: "Is there like, a way 2 c the posties that ive been mentioned in?" + title: "Mentionz!" + what_is_a_mention_a: "So like, a mention is a link 2 a persons profile that comes up in a postie. When some1 is mentioned they like... get a notie that bugs them when their doin stuff n gets them 2 come check it out." + what_is_a_mention_q: "Wats a mention?" + miscellaneous: + back_to_top_a: "Ya. After scrollin down a page, like, click on teh grey arrow tht comes up in the bottom right corner of ur web browser window thingy..." + back_to_top_q: "Is there like... a quick way 2 go back 2 the like... top of a page after i like... scroll down?" + diaspora_app_a: "There r many Android apps in like... super early makin. many r like.. not worked on projects n they liek dont work well wit the current version of d*. so like dont expect totally awesome stuff wit these. just use a browser on ur mobile thingy cuz weve made a like... mobile version of teh site which should work well on like... ALL things. there is currently no iOS app tho. sry bout tht :\\" + diaspora_app_q: "Is there like... a d* app for Android err iOS err Windows Phone? :o" + photo_albums_a: "Nah, not right nao. Butt u can like, look at a stream of their added pics from the Pics and Selfies section in their profile." + photo_albums_q: "R there like... pic or vid albumz?" + subscribe_feed_a: "Ya, butt this is like... stil not a rlly great workin feature n the formattin of the resultz is kinda groody... but if u like, wanna try it neway, go 2 some1s profile n click the feed button in ur browser, or u can copy pasta the profile link into a feed reader thingy. the resultin feed addy lookz like this: https://joindiaspora.com/public/usahname.atom -- D* uses Atom rather than RSS. JustFYI! <333" + subscribe_feed_q: "Can i like... subscribe 2 some1's public posties wit a feed reader thingy?" + title: "Misc. stuff" + pods: + find_people_a: "Invite ur frandz usin the email link in the sidebar thingy. Follow #tagz 2 discovah otherz that liek the same stuff u liek n add those who post thingz that u liek 2 2 an aspect. b for sure 2 liek, say ur #newhere in a public postie! <3" + find_people_q: "So like, I just joined a pod thingy. How can I like... find ppl 2 share wit?" + title: "Podz" + use_search_box_a: "So like, if u kno their fill d* ID (e.g. usahname@podname.org), u can find them by searchin for it. if u r on the same pod u can look for just their usahname. another thing u can do is look for them by their profile name. if lookin them up doesnt work the first time, try again. Kay?" + use_search_box_q: "How do I like... use the search box thingy 2 find ppl?" + what_is_a_pod_a: "So like, a pod is a compy runnin d* on it and it can liek talk 2 the rest of d*. \"Pod\" as in like, plants that have seedz, yes... liek that plant hehe... just liek how a server, computah thingy has a bunch of different accountz. therez lotz of podz n u can add BFFs from othah podz n talk wit them. n stuff." + what_is_a_pod_q: "Wats a pod?" + posts_and_posting: + char_limit_services_a: "in like, that case ur postie is like, limited 2 the smallah key pressed cont (twittar is liek, 140 n tumblar is liek, 1000), n the numbah of key presses u have left 2 use r display when that servie's icon is highlighted. u can stil post 2 these servies if ur postie is longer than their limit, but the txt is like.. smallar on those servies, kay?" + char_limit_services_q: "Wat is the amount of times for posties shared 2 other servies wit a smallar key pressed count?" + character_limit_a: "Like, a lot. Its like, 65,535 presses. Which is like.. totally rad cuz like... Twittar only lets u have like.. 140. totally lame..." + character_limit_q: "so wats the like, amount of times can i press a key in my posties?" + embed_multimedia_a: "U can like, usually just paste a link (like, http://www.youtube.com/watch?v=3dcxtEKShXA) into ur postie n the vid or sound will b in the thingy automagically. some of the sitez that r able 2 do this r: YT, Vimeo, soundcloud, flickah n a few moar. d* uses this thingy called oEmbed for this featuh. were supportin new sitez all the time. remembah 2 alwayz post simple, fill linkz: no shortend linkz && no weird symbolz after the link; n give it a lil time b4 u reload the page after postin 2 c the preview. Kthx!!! <33" + embed_multimedia_q: "How do I like... put a vid, tune, err other media stuff into a postie?" + format_text_a: "By usin like... %{markdown}. U can find teh full Markydown stuff %{here}. The preview button rlly halps, as u can c how ur txt will look b4 u post it." + format_text_q: "So how can I like, format txt in mah posties (bold, slanted txt, etc)?" + hide_posts_a: "So like, if u point ur mouse at the top of a postie, a cute lil X comes up on the right. click it 2 hide the postie n mute noties bout it. u can still c the post f u visit the profile of the person who made it.(:" + hide_posts_q: "So like, how do I like.. hide a postie? N how do I stop gettin noties bout a postie that i like.. commented on? :o" + image_text: "pic txt" + image_url: "pic linkk" + insert_images_a: "So like, click on the cute lil camera thingy 2 add a pic into a postie. Press the pic icon thingy again 2 add another pic, or u can like... pick multiple pics 2 add in 1 go at it. :D" + insert_images_comments_a1: "The followin Markydown code" + insert_images_comments_a2: "can b used 2 like.. put pics from the web into comments as well as in posties :)" + insert_images_comments_q: "Can I insert picz into commentz? :o" + insert_images_q: "How do I like... put picz into posties?" + size_of_images_a: "No :\\ Pics r resized automagically 2 fit the Wall err stream. Markydown doesnt have a code for specifyin a picz size n stuff." + size_of_images_q: "Can I like... customize the size of pics in posties or commentz?" + stream_full_of_posts_a1: "ur Wall err stream err whatever is like.. made up of 3 kindsa posties:" + stream_full_of_posts_li1: "Posties by ppl u r sharin wit, which come in 2 kinds: public posties n limited posties shared wit an aspect tht u r part of. 2 trash these posties from ur stream, just stop sharin wit the person." + stream_full_of_posts_li2: "Like, public posties containin 1 of the tagz tht u follow. 2 trash these, stop followin the tag. yeah..." + stream_full_of_posts_li3: "Public posties by ppl listed in the d* celebz thingy. these can b trashed by uncheckin' the \"show d* celebz in stream?\" thingy in the account tab of ur settins." + stream_full_of_posts_q: "So like, y is my streem full of posties from ppl idk n dont share wit?" + title: "Posties and postin" + private_posts: + can_comment_a: "Only like, d* ppl who r logged in that r in tht aspect can comment on or liek ur private postie." + can_comment_q: "Who can like.. comment on err liek mah private posties?" + can_reshare_a: "No1. Private posties r not resharable. d* ppl tht r logged in tht r in tht r in that aspect can just copy pasta it tho. sry bout tht :\\" + can_reshare_q: "So who can like... reshare my private posties?" + see_comment_a: "Only the ppl that the postie was shared wit (the ppl who r in the aspectz picked by the poster) can c its commentz n likez. " + see_comment_q: "when i like, comment on or liek a private postie, who can c it???" + title: "Privy posties!" + who_sees_post_a: "Only like, d* ppl who r logged in that r in tht aspect can c ur private postie." + who_sees_post_q: "So like, when i post a txt 2 an aspect (as in a private postie), who can c it???" + private_profiles: + title: "Private profilez!!!" + whats_in_profile_a: "ur like, bio, location, gendah, n bday. its the stuff in the bottom part of the edit profile page thingy. all this info is optional - its up 2 u whether u fill it in. logged in ppl who u have added 2 ur aspectz r the only ppl who can c ur private stuff. they will also like, c the private posties that r made to the aspectz they r in, mixed in with ur public posties, n when they look at ur profile. kay?" + whats_in_profile_q: "So like, wats in mah private profile? :o" + who_sees_profile_a: "ne logged in ppl that u r sharin wit (meanin, u have added them 2 1 of ur aspectz). howevah, ppl followin u, but u do not follow, will c only ur public info." + who_sees_profile_q: "Who can like... c my private profile?" + who_sees_updates_a: "Ne in ur aspectz can like... c the changes 2 ur private profile. " + who_sees_updates_q: "Who can like... c updates 2 mah private profile? :o" + public_posts: + can_comment_reshare_like_a: "Ne d* ppl who r logged in can do that. Yeah." + can_comment_reshare_like_q: "Who can like... comment on, reshare or like... like my public posties?" + deselect_aspect_posting_a: "unpickin aspectz doesnt affect a public postie. it will like, still come up in the streamz of all ur BFFs. 2 make a postie viewable only 2 certain aspectz, u need to like, pick those aspects from the button thingy under the liek, publisher thing. yeah." + deselect_aspect_posting_q: "So like, what happenz when i like... unpick 1 err moar aspectz when makin a public postie?" + find_public_post_a: "Ur like, public posties will come up in the streamz of ne1 followin u. if u included #tagz in ur public postie, ne1 followin those tagz will find ur posy in their streamz. every public postie also has a certain link that ne1 can look at, even if theyre not logged in - so public posties may b linked 2 directly from twittar, blogz, etc. public posts may like, also b indexed by google n other nosey search engine ppl. just fyi!!!" + find_public_post_q: "So how can like.. other ppl find my public postie?" + see_comment_reshare_like_a: "Ne like, logged in d* ppl n ne1 else on the interwebz can c it. like, commentz, likez, n reshares of public posties r also public n stuff. yeah." + see_comment_reshare_like_q: "So like, when i comment on, reshare or like... like a public postie, who can c it then? :o" + title: "Public posties!!!" + who_sees_post_a: "ne1 usin the internet can possibly c a postie u mark public, so make for sure u rlly do want ur postie 2 b public. its a great way of reachin out 2 the world tho." + who_sees_post_q: "When I like... post somethin publicly, like, who can c it?" + public_profiles: + title: "Public profilez!" + what_do_tags_do_a: "They halp ppl get 2 kno u. Ur profile pic will also come up on the left side of those certain tag pagez, along wit ne1 else who has them in their public profile n stuff." + what_do_tags_do_q: "Wat do the tagz on mah public profile do? Like, so confused.." + whats_in_profile_a: "Ur like, name, the 5 tagz u chose 2 describe urself, n ur pic. its the stuff in the top part of the edit profile page thingy. u can like, make this profile info as obvious or not obvious as u would like. Ur profile page also showz ne public posties u have made.." + whats_in_profile_q: "So like, wats in my public profile?" + who_sees_profile_a: "ne logged in d* usah, as well as the internetz, can c it. so liek, each profile has a link, so it may b linked 2 directly from other sites. it may b listed by search engine ppl." + who_sees_profile_q: "Who can like.. c my public profile? o_o" + who_sees_updates_a: "Ne1 can like... c changes if they go to ur profile page..." + who_sees_updates_q: "Who like... c's updates 2 my public profile?" + resharing_posts: + reshare_private_post_aspects_a: "Nah, its not possible 2 reshare a private postie. This is 2 respect the intention of teh original poster who only shared it wit a certain group of ppl. Kay? Kay, good." + reshare_private_post_aspects_q: "Can I like... reshare a private postie with like... only certain aspectz?" + reshare_public_post_aspects_a: "Nah, when u like, reshare a public postie, it automagically bcomes 1 of ur public posties. 2 share it wit certain aspectz, copy pasta the stuff of the postie in2 a new postie." + reshare_public_post_aspects_q: "so can i like, reshare a public postie wit only certain aspectz?" + title: "Resharin posties" + sharing: + add_to_aspect_a1: "lets say that Brittany adds Ben 2 an aspect, but Ben has not (yet) like, added Brittany 2 an aspect:" + add_to_aspect_a2: "this is called like.. asymmetrical sharin (big word, woah!!!). if n when Ben also adds Brittany 2 an aspect then it would bcome mutual sharin, wit both Brittany's n Ben's public posties and related private posties appearin in each otherz streamz, etc. " + add_to_aspect_li1: "So like, Ben will like, get a notie that Brittany has like... \"started sharin\" wit him. probs sharin an STD knowin her. that bitch." + add_to_aspect_li2: "Brittany will like... start to c Ben's public posties in her stream. as well as THC... that bitch..." + add_to_aspect_li3: "Brittany will like... not c ne of Ben's private posties." + add_to_aspect_li4: "Ben will like... not c ne of Brittany's public or private posties in his stream either." + add_to_aspect_li5: "But liek, if Ben goes to Brittany's profile, then he will c Amy's private posties that that bitch makes to her aspects that hes in. as well as like.. her public posties which ne1 can c there)." + add_to_aspect_li6: "Ben will like... b able 2 c Brittany's private profile (bio, location, gender, bday, small boobs, etc)." + add_to_aspect_li7: "Brittany will like... come up under \"Only sharin wit me\" on Ben's BFFs page." + add_to_aspect_q: "so like, wat happenz when i add some1 2 1 of my aspectz? or when some1 adds me 2 1 of their aspectz?" + list_not_sharing_a: "Nah, butt u can c whether err not some1 is sharin wit u by lookin at their profile. if they r, the bar under their profile pic will be green; if not, itll b grey like mah kitty. U should liek, get a notie each time some1 starts sharin wit u. Kay?" + list_not_sharing_q: "is there liek, a list of ppl who i like, added 2 1 of mah aspectz, butt who have like, not added me to 1 of theirs yet?" + only_sharing_a: "These r ppl that have like, added u 2 1 of their aspectz, butt who r not (yet) in ne of ur aspectz. In other wordz, they r sharin wit you, butt u r not sharin wit them (that big werd asymmetrical sharin again). if u add them 2 an aspect, they will then show up under tht aspect n not under \"only sharin wit u\". Look above.(;" + only_sharing_q: "so like, who r the ppl listed in \"Only sharin wit meh\" on mah BFFs page?" + see_old_posts_a: "Nah. They will only b able 2 c new posties 2 tht aspect. they (n every1 else) can c ur older public posties on ur profile, n they may also c them in their stream." + see_old_posts_q: "So liek, when i add some1 2 an aspect, can they c oldr posties tht I have like, already posted 2 that aspect???" + title: "Sharin" + tags: + filter_tags_a: "Sry but this is like, not yet workin through d*, butt some %{third_party_tools} have like, been made tht might do this. YAY FREE SOFTWARE!!! :DDD" + filter_tags_q: "So liek, how can i liek, get rid of certain tagz from mah stream???" + followed_tags_a: "After like, lookin for a like, tag like, u can liek, click the button at like the top of teh tag'z page 2 like \"follow\" tht tag. then it will like, come up in ur list of like, followed tagz on the like left. clickin 1 of ur like followed tagz takez u 2 tht tag'z like, page thingy, so u can like, c recent postiez wit tht tag in it. u can like, click on #Followed Tagz 2 c a stream of postiez tht include 1 of ne of ur followed tagz. Kay? " + followed_tags_q: "Wat r \"#Followed Tagz\" neway? How do u like.. follow them?" + people_tag_page_a: "They r ppl who have picked tht tag to describe themselves in their public profile... so yeah like... yeah..." + people_tag_page_q: "So like, who r the ppl listed on the left side of a tag page thingy???" + tags_in_comments_a: "A tag added 2 a comment will still come up as a link 2 tht tag'z page, butt it will not make tht postie (or comment) come up on tht tag page. This only workz for tagz in postiez." + tags_in_comments_q: "Can I like... put tagz in commentz or just in like... posties..?" + title: "Tagz!!" + what_are_tags_for_a: "Tagz r a way to organize postiez by a certain topic usually. Lookin for a tag showz all postiez wit tht tah tht u can c (both public and private postiez). This letz ppl who liek the same topic find public postiez bout it." + what_are_tags_for_q: "Wat r tagz like... for?" + third_party_tools: "3rd partay toolz" + title_header: "Halp" + tutorial: "tutorial<3" + tutorials: "tutorialz!!" + wiki: "ZOMG D*'s OWN WIKIPEDIA!! :DDD" + hide: "Cover" + ignore: "Talk to the hand" + invitation_codes: + excited: "%{name} is like so TOTALLY excited 2 see u!! :D" + invitations: + a_facebook_user: "a like... fb usah" + check_token: + not_found: "invite token was like... not found :\\" + create: + already_contacts: "u r like.. already talkin 2 this ppl" + already_sent: "u like... already invited this ppl." + empty: "Plz enter at least 1 email addy, thx<3" + no_more: "u have like... no moar invites." + note_already_sent: "Invites have like... already been sent 2: %{emails}" + own_address: "Umm, u like... cant send an invite 2 ur own address.. duh." + rejected: "the followin email addys made drama: " + sent: "Ur invites have like... ben sent 2: %{emails}" + edit: + accept_your_invitation: "RSVP" + your_account_awaits: "ur account like.. awaits! OMG! TOTALLY!" + new: + already_invited: "The followin ppl didnt like accept ur invite:" + aspect: "Aspectt" + check_out_diaspora: "check out d* dude!!" + codes_left: + one: "So theres like... one invite left on this code. Yup." + other: "ZOMG! theres like %{count} invites left on this code... yeah..." + zero: "sry, theres like no invites left on this code. omg like totally lame.... yeah... wanna go 2 taco bell?(:" + comma_separated_plz: "U can enter lots of different email addies by usin commaz! <3" + if_they_accept_info: "if they like... accept, they will b added 2 the group u like invited them 2..." + invite_someone_to_join: "invite sum1 2 da partay!!!" + language: "what do u like... speak?" + paste_link: "Share this link wit ur BFFs 2 invite them 2 d*, or like... txt them the link n stuff." + personal_message: "sext(;" + resend: "Re-txt" + send_an_invitation: "send an invite" + send_invitation: "send invite" + sending_invitation: "Sendin invite, hold up..." + to: "2" + layouts: + application: + back_to_top: "Go back 2 the top" + powered_by: "this site is like... powered by diaspora*... far out!!" + public_feed: "the feed for %{name} that like... every1 can c n stuff" + source_package: "dl code n stuff.." + toggle: "make like... phone friendly..." + whats_new: "sup?" + your_aspects: "ur like... aspectz" + header: + admin: "the man" + blog: "bllllooog" + code: "code" + help: "Halp" + login: "check in" + logout: "Bounce" + profile: "Wall" + recent_notifications: "Recent noties! <3" + settings: "Settins" + view_all: "Look at all" + likes: + likes: + people_dislike_this: + one: "%{count} dislike :(" + other: "%{count} dislikes :(((" + zero: "no dislikes(:" + people_like_this: + one: "1 like!! OMG!!!" + other: "%{count} likes!!! OMFG!!!" + zero: "omg, theres like.. no likes :(" + people_like_this_comment: + one: "%{count} like!!!" + other: "%{count} likez!!! :D" + zero: "no likes :(" + limited: "Only ur BFFs can c these! OMG!" + more: "Moar" + next: "next!" + no_results: "no results found... lame..." + notifications: + also_commented: + one: "%{actors} also like... commented on %{post_author}'s postie %{post_link}!!" + other: "%{actors} also like... commented on %{post_author}'s postie %{post_link}!!" + zero: "%{actors} also like... commented on %{post_author}'s postie %{post_link}!!" + also_commented_deleted: + one: "%{actors} like... commented on a trashed postie." + other: "%{actors} like... commented on a trashed postie." + zero: "%{actors} like... commented on a trashed postie." + comment_on_post: + one: "%{actors} commented on ur postie %{post_link}. OMG!" + other: "%{actors} commented on ur postie %{post_link}. OMG!" + zero: "%{actors} like... commented on ur postie %{post_link}." + helper: + new_notifications: + one: "1 new notie!!" + other: "%{count} new noties!!! :D" + zero: "no new noties :(" + index: + all_notifications: "All noties" + also_commented: "Also comment'd" + and: "n" + and_others: + one: "n 1 more" + other: "n like.. %{count} others" + zero: "n no1 else" + comment_on_post: "Comment on postie" + liked: "lieked" + mark_all_as_read: "i totally read them all" + mark_all_shown_as_read: "I read all of these..." + mark_read: "i liek, read this" + mark_unread: "umm, HELLO, i havent read this" + mentioned: "Mentioned" + notifications: "Noties!" + reshared: "Reshared! <3" + show_all: "show like, all" + show_unread: "show like, unread stuff" + started_sharing: "Started like... sharin" + liked: + one: "%{actors} has like... liked ur postie %{post_link}." + other: "%{actors} have like... liked ur postie %{post_link}." + zero: "%{actors} have like... liked ur postie %{post_link}." + liked_post_deleted: + one: "%{actors} like.. liked ur trashed postie." + other: "%{actors} like... liked ur trashed postie." + zero: "%{actors} like.. liked ur trashed postie." + mentioned: + one: "%{actors} has like.. mentioned u in the postie %{post_link}." + other: "%{actors} have like... mentioned u in the postie %{post_link}." + zero: "%{actors} have like... mentioned u in the postie %{post_link}. :(" + mentioned_deleted: + one: "%{actors} like... mentioned u in a trashed postie." + other: "%{actors} like... mentioned u in a trashed postie." + zero: "%{actors} like... mentioned u in a trashed postie." + post: "postie!!" + private_message: + one: "%{actors} sent u a txt" + other: "%{actors} sent u a txt" + zero: "0 %{actors} sent u a txt" + reshared: + one: "%{actors} has like... reshared ur postie %{post_link} && stuff.." + other: "%{actors} have like... reshared ur postie %{post_link} && stuff.." + zero: "%{actors} have like... reshared ur postie %{post_link} && stuff.." + reshared_post_deleted: + one: "%{actors} like... reshared ur trashed postie." + other: "%{actors} like... reshared ur trashed postie." + zero: "%{actors} like... reshared ur trashed postie." + started_sharing: + one: "%{actors} started sharin wit u." + other: "%{actors} started sharin wit u!!! :DDD" + zero: "%{actors} started sharin wit u :(" + notifier: + a_post_you_shared: "a postie!!" + accept_invite: "RSVP ur d* invite!!" + click_here: "click this txt" + comment_on_post: + reply: "Reply or like... look at %{name}'s postie >" + confirm_email: + click_link: "2 like, activate ur like new email %{unconfirmed_email}, plz like, follow this link:" + subject: "Plz like... confirm ur new email %{unconfirmed_email}. K thx!!! <3" + email_sent_by_diaspora: "This email was like... sent by %{pod_name}. If u'd like... to like... stop gettin emails like this," + hello: "OMG HEY! %{name}" + invite: + message: |- + Ohai! + + U have like... been invited 2 join diaspora*! + + Click this link thingy 2 like.. get started + + [%{invite_url}][1] + + + <3, + + The d* email robot! + + [1]: %{invite_url} + invited_you: "%{name} invited u 2 d*!!!" + liked: + liked: "OMG! %{name} has like liked ur postie!!!" + view_post: "Look at postie >" + mentioned: + mentioned: "mentioned u in a postie:" + subject: "OMG! %{name} has like... mentioned u on d*" + private_message: + reply_to_or_view: "Reply 2 or like... look at this convo >" + report_email: + body: |- + Ohai! + + the %{type} wit ID %{id} waz marked as groody. yeah. + + [%{url}][1] + + Plz like, check in on this, kay? + + + Kthxbye, + + The d* email robot <3 + + [1]: %{url} + subject: "A new %{type} was like... marked as gag me with a spoon." + type: + comment: "commentt<3" + post: "postie" + reshared: + reshared: "%{name} like... reshared ur postie... tubular!!" + view_post: "Look at postie >" + single_admin: + admin: "ur dude that runs everythin" + subject: "A txt bout ur d* account:" + started_sharing: + sharing: "has like... started sharin wit u!" + subject: "ZOMG!! so like.. %{name} has TOTALLY started sharin wit u!!!(:" + view_profile: "Look at %{name}'s profile" + thanks: "thx," + to_change_your_notification_settings: "2 change ur notie settins" + nsfw: "OMG! GROODY!" + ok: "For SURE" + or: "or like" + password: "Passwerd" + password_confirmation: "2 make sure u put in the right passwerd n junk" + people: + add_contact: + invited_by: "u were like... invited by" + add_contact_small: + add_contact_from_tag: "add BFF frum tag" + aspect_list: + edit_membership: "like.. edit aspect membership n junk" + helper: + is_not_sharing: "%{name} is not sharin wit u :(" + is_sharing: "%{name} is sharin wit u!!" + results_for: " ur like.. resultz for %{params}" + index: + couldnt_find_them: "couldnt find them? thats totally lame :(" + looking_for: "U like... lookin for posties tagged %{tag_link}?" + no_one_found: "...and nothin was like... found. sry bout that :\\" + no_results: "OMG! Hey! U like, need 2 search for sumthin." + results_for: "Ppl who match ur like... search thingy %{search_term}" + search_handle: "use their d* ID (usahname@pod.tld) to b for sure 2 find ur BFFs." + searching: "im lookin, brb... <3" + send_invite: "still nothin? :( send an invite!!! :DDD" + one: "1 personz" + other: "%{count} ppl" + person: + add_contact: "add BFF <3" + already_connected: "ur like... already connected n stuff" + pending_request: "waitin' on request" + thats_you: "OMG! thats u!!!! FAR OUT!" + profile_sidebar: + bio: "all about meee <333" + born: "Bday" + edit_my_profile: "change my stuff.." + gender: "dude or dudette or whatev..." + in_aspects: "in aspectz" + location: "my crib" + photos: "Picz n selfiez" + remove_contact: "delete BFF" + remove_from: "Do u like... wanna trash %{name} from %{aspect}?" + show: + closed_account: "this profile is gone dude..." + does_not_exist: "they dont like... exist :\\" + has_not_shared_with_you_yet: "%{name} has like... not shared ne posties wit u yet!" + ignoring: "U r like... ignorin all posties from %{name}." + incoming_request: "%{name} wants 2 like... share wit u" + mention: "Tag person" + message: "Txt" + not_connected: "ur not like... sharin wit this person... im sure!" + recent_posts: "Recent posties!!!" + recent_public_posts: "Recent posties that like... every1 can c!!!" + return_to_aspects: "bounce back 2 ur aspectz page... thingy..." + see_all: "C all!!!" + start_sharing: "start like... sharin" + to_accept_or_ignore: "2 like... accept or not accept.." + sub_header: + add_some: "like... add sum" + edit: "edit!" + you_have_no_tags: "Umm, u like have no tagz! Duh!" + webfinger: + fail: "sry, we cant find %{handle}" + zero: "no ppl" + photos: + comment_email_subject: "%{name}'s pic!" + create: + integrity_error: "The pic didnt like... upload. R u like for sure that was a pic n not somethin else?" + runtime_error: "Pic didnt like... upload. R u like for sure ur duck face is like.. ducky enough?" + type_error: "So like... ur pic wasnt added. r u like... sure u actually like... added it?" + destroy: + notice: "Pic deleted :o" + edit: + editing: "Editin" + new: + back_to_list: "Go back to the like... list" + new_photo: "New pic!! OMG! -duck face-" + post_it: "OMG! post it!" + new_photo: + empty: "{file} is like... empty, plz pick the filez again witout that 1. kthx" + invalid_ext: "{file} is like... not able2 b uploaded cuz like... its not the right kinda file.. only like... these {extensions} r allowed... sry bout tht :\\" + size_error: "OMG {file} is 2 big!! the biggest i can take is like... {sizeLimit}.(;" + new_profile_photo: + or_select_one_existing: "or like... pick 1 from ur %{photos}" + upload: "Upload a new selfie!!! OMG!!" + photo: + view_all: "look at all of %{name}'z picz" + show: + collection_permalink: "the like... collection permalink... thing.." + delete_photo: "Delete pic" + edit: "edit picz and selfiez" + edit_delete_photo: "Edit pic topic / trash pic" + make_profile_photo: "make profile pic" + show_original_post: "Show da original postie" + update_photo: "Change Pic" + update: + error: "the pic wasnt like... edited... sry bout that :\\" + notice: "pic changed <3" + posts: + presenter: + title: "A postie from %{name}" + show: + destroy: "Trash ur pic" + not_found: "Sry, but we like... couldnt find that postie. :\\" + permalink: "like... permalink" + photos_by: + one: "One pic by %{author}" + other: "%{count} picz by %{author}" + zero: "No picz by %{author}" + reshare_by: "Reshare is like... by %{author}" + previous: "prevy!" + privacy: "OMG give me some privacy!" + privacy_policy: "Wat like... privacy u have" + profile: "Like ur profile" + profiles: + edit: + allow_search: "Do u wanna like... let ppl stalk u within d*?" + edit_profile: "Edit profie!!" + first_name: "First name? Kthx" + last_name: "Last name? Kthx" + nsfw_check: "Like, mark everythin i share as groody" + nsfw_explanation: "Groody (NSFW) is d*'s thingy to hide nudes n other groody stuff that like.. can get u in trouble. make sure u liek, check this thingy if u plan to post this kind of stuff a lot. Kthxbye <3" + nsfw_explanation2: "if u liek, choose 2 not pick this option, then liek, plz add the #nsfw or #groody tag thingy each time u share naughty stuff. Kay? Thx!!! <3" + update_profile: "Change ur stuff" + your_bio: "Ur bio. Kthx." + your_birthday: "Ur bday" + your_gender: "Ur gender? Kthx" + your_location: "Ur place" + your_name: "Ur name" + your_photo: "Ur pic" + your_private_profile: "Ur like... private profile..." + your_public_profile: "Ur like... profile where every1 can like... c it..." + your_tags: "Describe urself in like... 5 werdz" + your_tags_placeholder: "like #twilight #selfies #Belieber #iphone #mtv" + update: + failed: "Ur profie didnt update :(" + updated: "Profie updated!!! <3" + public: "like, every1 can c this" + reactions: + one: "1 reaction!!(:" + other: "like... %{count} reactionz!!! :DDD" + zero: "0 reactionz" + registrations: + closed: "Signups r like... closed on here... sry bout that :\\ totally lame, right?" + create: + success: "u've joined d*!!! OMFG YAAAAAYYY!! :DDD" + edit: + cancel_my_account: "Trash mah account! Plz Kthx" + edit: "edit %{name} n junk" + leave_blank: "(dont like... type nething if u like.. dont wanna change it kthx)" + password_to_confirm: "(we liek... need ur current secret code thingy to make sure it like.. matches the other 1... kthx)" + unhappy: "Butthurt? :(" + update: "Like... update" + invalid_invite: "OMG, dude, ur invite link is like... SOOOO old... like... gross. so like, sry but its no longer valid. Kthxbye<3" + new: + create_my_account: "Make ur account!!! :DD" + email: "EMAIL<3" + enter_email: "Enter like... an email" + enter_password: "Enter a like... secret code thats like... moar than 6 keys n junk" + enter_password_again: "enter what u liek... entered b4" + enter_username: "So like.. pick a name that ppl will like... call u by.. n sry but u can only like.. use letters numbers n these things \"_\" but like.. witout the up n down lines n junk..." + join_the_movement: "Join the awesomeness!!!" + password: "PASSWERD<3" + password_confirmation: "PASSWERD CONFIRMATION!!" + sign_up: "SIGN UP!!" + sign_up_message: "This is like.. social networkin with a <3" + submitting: "Submittin... just a sec..." + terms: "By creatin an account u like... accept the %{terms_link}." + terms_link: "more boring legal stuff" + username: "USERNAMEEE<3" + report: + comment_label: "Like, Comment:
%{data}" + confirm_deletion: "R u sure u wanna trash this?" + delete_link: "Trash item" + not_found: "The postie/comment like, wasnt found. mayb it was liek.. trashed by the usah!" + post_label: "Postie: %{title}" + reason_label: "Reazun: %{text}" + reported_label: "Like, reported by %{person}" + review_link: "Mark as like, reviewed n stuff" + status: + created: "OMG some1s in troubleee!! A report was made :o" + destroyed: "The postie went bye byez!" + failed: "Somethin screwed up. sry bout that :\\" + marked: "So umm, like, the report was like, marked as reviewed and stuff." + title: "Reportz Ovahview" + requests: + create: + sending: "Sendin" + sent: "U've like... asked 2 share wit %{name}. They should like... c it the like.. next time they check into d* <3" + destroy: + error: "Plz pick an aspect!! Kthx<3" + ignore: "Ignored h8ter request" + success: "U r nao sharin!" + helper: + new_requests: + one: "new request!!!" + other: "%{count} new requests!!! :D" + zero: "no new requests :(" + manage_aspect_contacts: + existing: "Existin BFFs" + manage_within: "Manage BFFs within" + new_request_to_person: + sent: "sent!!!" + reshares: + comment_email_subject: "%{resharer}'s like... reshare of %{author}'s postie" + create: + failure: "There was drama when resharin this postie :(" + reshare: + deleted: "The original postie was like... deleted by the person who made it :(" + reshare: + one: "1 reshare!!!" + other: "%{count} reshares!! :DD" + zero: "Like... reshare" + reshare_confirmation: "Like... reshare %{author}'z postie n stuff?" + reshare_original: "Reshare the like, original" + reshared_via: "like reshared via" + show_original: "Show the like... original" + search: "like look for stuff like #shoes!" + services: + create: + already_authorized: "A person wit like... the d* id %{diaspora_id} already like... enabled that %{service_name} account n stuff..." + failure: "So like... it failed n stuff... sry bout tht :\\" + read_only_access: "this is like.. read-only... plz try 2 like.. authorize again l8ter. kthx <3" + success: "so like... ur connected nao n stuff" + destroy: + success: "Yay! Trashed eet woo!!" + failure: + error: "there was drama when connectin 2 that thing :\\" + finder: + fetching_contacts: "d* is like... populatin ur %{service} BFFs, plz check back n liek... a few mins. Kthxbye <3" + no_friends: "No FB friendz found. :\\" + service_friends: "Ur like... %{service} BFFs" + index: + connect_to_facebook: "Connect to FB!!!" + connect_to_tumblr: "Connect to Tumblar!!!" + connect_to_twitter: "Connect to Twittar!!!" + connect_to_wordpress: "Connect 2 WP!" + disconnect: "like disconnect" + edit_services: "Edit servies!!!" + logged_in_as: "ur like... checkin in as" + no_services: "U have not like... connected ne stuff yet." + really_disconnect: "drop %{service}?" + services_explanation: "Connectin 2 servies gives u like... the ability 2 post ur posties 2 them as u write them in d*! :p" + inviter: + click_link_to_accept_invitation: "so like... follow this link 2 like... accept ur invite" + join_me_on_diaspora: "Chill wit me on diaspora*!" + remote_friend: + invite: "invite!!" + not_on_diaspora: "Not yet on d* :(" + resend: "retxt" + settings: "Like ur settinz" + share_visibilites: + update: + post_hidden_and_muted: "%{name}'s has like... ben hidden, n noties have been like... made quiet." + see_it_on_their_profile: "If u like... want 2 c updates on this postie, go 2 %{name}'z profile n stuff." + shared: + add_contact: + add_new_contact: "add a new BFF" + create_request: "Find by d* id thing.." + diaspora_handle: "nick@pod.org" + enter_a_diaspora_username: "Enter a d* usernameeee:" + know_email: "do u liek... kno their email addy? U should like TOTALLY invite them!!" + your_diaspora_username_is: "Ur d* username is like: %{diaspora_handle}" + aspect_dropdown: + add_to_aspect: "Add BFF" + toggle: + one: "In like... %{count} aspect" + other: "In like... %{count} aspectz" + zero: "add BFF" + contact_list: + all_contacts: "All BFFs!!" + footer: + logged_in_as: "checkin in as %{name}" + your_aspects: "ur aspectz" + invitations: + by_email: "By email(:" + dont_have_now: "U dont like.. have ne right nao :\\ BUT moar invites r comin soon! yay! :D" + from_facebook: "From FB" + invitations_left: "so like... theres %{count} left" + invite_someone: "Invite ppl!" + invite_your_friends: "Invite ur BFFs!!" + invites: "Invites!!" + invites_closed: "so like... invites r closed for this pod... sry bout that :\\" + share_this: "Share this link like... via email, blogg, or social netz!" + notification: + new: "OMG new %{type} from %{from}!!!" + public_explain: + atom_feed: "Feed thingy" + control_your_audience: "Control ur ppl" + logged_in: "checked in 2 %{service}" + manage: "Like... manage servies ur like... connected 2" + new_user_welcome_message: "Like, use #hashtags 2 like... make ur posties bout somethin n find ppl who like... share ur interests. call out awesome ppl wit @Mentions" + outside: "So like... these txts r able 2 b seen by the internet.." + share: "Sharrr" + title: "Set up other servies" + visibility_dropdown: "Use dis dropdown 2 change who can like... c ur postie. (we like... recommend u make this first 1 2 where ne1 can c it.)" + publisher: + all: "allll" + all_contacts: "all ppl" + discard_post: "Trash postie" + formatWithMarkdown: "U can like... use %{markdown_link} to make ur postie totally awesome!!(:" + get_location: "Get ur place in the world!" + make_public: "make it so like... every1 can c it" + new_user_prefill: + hello: "OMG liek HEY PPL! im #%{new_user_tag} " + i_like: "im like... rlly into %{tags}. " + invited_by: "Thx for the invite, " + newhere: "Newbie<3" + poll: + add_a_poll: "Add a pole" + add_poll_answer: "Like, add an optionnnn" + option: "Option #1" + question: "q4u" + remove_poll_answer: "Trash option" + post_a_message_to: "Txt 2 %{aspect}" + posting: "Postin..." + preview: "Look at b4 its a postie" + publishing_to: "publish 2: " + remove_location: "Trash where u r" + share: "Share!!!" + share_with: "share wit" + upload_photos: "Upload picz!!" + whats_on_your_mind: "Sup dude?" + reshare: + reshare: "Liek... reshare" + stream_element: + connect_to_comment: "Connect 2 this peep 2 comment on their postie" + currently_unavailable: "commenting isnt workin right nao... sry bout that :\\" + dislike: "Thumbs down" + hide_and_mute: "Hide n like... make postie quiet" + ignore_user: "h8te %{name}" + ignore_user_description: "Block n delete h8ter from all aspectz?" + like: "Thumbs up" + nsfw: "This postie has lyke... been flagged as Groody by its author. %{link} n stuff" + shared_with: "Shared wit: %{aspect_names}" + show: "make seen" + unlike: "3" + via: "like... via %{link}" + via_mobile: "via mobilez!!" + viewable_to_anyone: "This postie can b seen by ne1 on the internetz" + simple_captcha: + label: "enter teh stuff in the box:" + message: + default: "The captcha didnt match wit the pic D:" + failed: "so like, r u human? cuz u have to b in order to get past this :\\ sry bout tht. :\\" + user: "The secret pic n code werent the same D:" + placeholder: "like, enter in the stuff in the pic" + status_messages: + create: + success: "YAY! %{names} has been mentioned!! :D" + destroy: + failure: "so like... ur postie didnt get trashed... sry bout that :\\" + helper: + no_message_to_display: "No txt 2 display :(" + new: + mentioning: "Mentionin: %{person}" + too_long: "Plz make ur status txt smaller than %{count} key presses. Right nao its like... %{current_length} key presses" + stream_helper: + hide_comments: "Cover up... like... all commentz" + show_comments: + one: "Show like... 1 moar comment" + other: "Show like... %{count} moar commentz" + zero: "No moar commentz :(" + streams: + activity: + title: "My happenins" + aspects: + title: "My Aspectz" + aspects_stream: "Aspectz" + comment_stream: + contacts_title: "Ppl whose posties u commented on" + title: "Commented Posties" + community_spotlight_stream: "D* celebz!!" + followed_tag: + add_a_tag: "Add a like... tag" + contacts_title: "Ppl who <3 these tags" + follow: "Stalk" + title: "#Followed Tagz" + followed_tags_stream: "#Followed Tagz" + like_stream: + contacts_title: "Ppl whos posties u <3" + title: "Like Wall" + mentioned_stream: "@Mentionz" + mentions: + contacts_title: "Ppl who like... mentioned u" + title: "@Mentionz" + multi: + contacts_title: "Ppl on ur Wall" + title: "Wall" + public: + contacts_title: "Recent Posterz" + title: "Stuff every1 can like... c" + tags: + contacts_title: "Ppl who <3 this tag" + title: "Posties tagged: %{tags}" + tag_followings: + create: + failure: "So like... followin %{name} didnt like... work. R u like... already followin it?" + none: "Umm, u like... cant follow a blank tag! Duh." + success: "OMG! Ur nao followin #%{name}. YAAAAY! :DD" + destroy: + failure: "So like... there was drama when tryin 2 stop followin %{name}. Mayb u already like... stopped followin it?" + success: "So like, u rnt followin #%{name} nemore..." + tags: + show: + follow: "Follow like... #%{tag}" + following: "Followin #%{tag}" + none: "Umm, so the like... empty tag doesnt like... exist :\\" + stop_following: "Stop like... followin #%{tag}" + terms_and_conditions: "wat ur like... allowed to do and stuff" + undo: "do u wanna like.. undo?" + username: "ur like... name ppl will find u by or whatever" + users: + confirm_email: + email_confirmed: "Ur email %{email} is like... activated" + email_not_confirmed: "So like, ur email could not like... b activated for sum reason. Do u have the like... wrong link? D:" + destroy: + no_password: "Plz enter ur like... current passwerd 2 like... trash ur account." + success: "Ur account has like... been locked. and it like.. may take like 20 mins for us 2 like... finish closin ur account.. thx for checkin out d*. byezz <33" + wrong_password: "so like, the passwerd u entered didnt match ur like... current 1... yeah." + edit: + also_commented: "some1 comments on a postie u've commented on" + auto_follow_aspect: "Group for automagically added BFFs:" + auto_follow_back: "Automagically share wit ppl who start sharin wit u" + change: "Changeee" + change_email: "Change email <3" + change_language: "Change what u read n speak n stuff" + change_password: "Change passwerd" + character_minimum_expl: "must b like... 6 buttons..." + close_account: + dont_go: "DUDE! WTF!? Dont leave!" + if_you_want_this: "If u like... rlly want this, type in ur passwerd below n click on 'Trash Account'" + lock_username: "So this will liek.. lock ur username thingy if u decided 2 sign back up n stuff." + locked_out: "U will like... get like.. automagically bounced n locked out of ur account." + make_diaspora_better: "We like... want u 2 help make d* bettah n stuff, so u should like.. help us out instead of leavin(: if u do wanna leave, we like... wanna make sure u know wat happens next. K?" + mr_wiggles: "Mr Wigglez will b sad :(( 3 3" + no_turning_back: "So theres like, no turnin back nao. sry! <3" + what_we_delete: "We will like... trash all of ur posties n profile stuff asap. Ur comments will still hang out, but they would b associated wit ur d* ID instead of ur name. K?" + close_account_text: "Trash account" + comment_on_post: "some1 comments on ur postie" + current_password: "Current passwerd :3" + current_password_expl: "the 1 u like sign in wit... OMG" + download_photos: "dl mah picz" + edit_account: "Edit ur account <3" + email_awaiting_confirmation: "So we like... sent u a link 2 like activate %{unconfirmed_email}. Until u like... follow this link && activate this new addy, we will continue 2 like.. use ur original addy %{email}. Kay?" + export_data: "dl data!!!" + following: "Sharin settins" + getting_started: "New user prefies" + liked: "some1 likes ur postie" + mentioned: "u r mentioned in a postie" + new_password: "New passwerd(;" + private_message: "u receive a sext :o" + receive_email_notifications: "Receive email noties when like:" + reshared: "some1 reshares ur postie" + show_community_spotlight: "Show d* celebs on Wall" + show_getting_started: "Show gettin started stuff" + someone_reported: "some1 told on some1" + started_sharing: "some1 starts sharin wit u" + stream_preferences: "Wall prefies" + your_email: "Ur emailll <3" + your_handle: "Ur d* ID" + getting_started: + awesome_take_me_to_diaspora: "Sweet! Take me 2 d*!!!" + community_welcome: "omg, like, thx for comin! <3" + connect_to_facebook: "We can like, speed things up a lil by %{link} 2 d*. This will like, pull ur name n pic n allow cross-posties <3" + connect_to_facebook_link: "hookin up ur FB account" + hashtag_explanation: "Ok so like, hashtags allow u 2 talk bout n follow ur interests. theyre like... also a sweet way 2 find new ppl on d* :D" + hashtag_suggestions: "Try followin tags like #justinbeiber #16andpregnant #monster #xbox and stuff.." + saved: "Saved!!!(:" + well_hello_there: "Ohai thar! <3" + what_are_you_in_to: "Wat r u into?" + who_are_you: "Umm like, who r u?" + privacy_settings: + ignored_users: "Haters" + stop_ignoring: "Stop ignorin hater" + title: "Privie settins" + public: + does_not_exist: "Umm like... %{username} doesnt exist... yeah.." + update: + email_notifications_changed: "Ur email noties have been changed <3" + follow_settings_changed: "Stalkin settins changed <3" + follow_settings_not_changed: "so like, changin the follow settins didnt work.. sry bout that :\\" + language_changed: "Language changedddd <3" + language_not_changed: "Oh noes the language change like... didnt work! D:" + password_changed: "Passwerd changed! U can nao check in wit ur new passwerd! <33 :D" + password_not_changed: "Ur passwerd like... didnt change... sry bout that :\\" + settings_not_updated: "Settins update didnt work... sry bout that :\\" + settings_updated: "Settins updated!!! <33" + unconfirmed_email_changed: "Ur email was like... changed. N nao it needs activation. K?" + unconfirmed_email_not_changed: "so like, the email change didnt work. sry bout that :\\" + webfinger: + fetch_failed: "so like... i couldnt fetch the like... webfinger profile thingy for %{profile_url}. sry bout that :\\" + hcard_fetch_failed: "so like, there was like... drama when gettin the hcard for %{account}. yeah, sry bout that :\\" + no_person_constructed: "No person could like... b made from this hcard thingy..." + not_enabled: "so like... webfinger doesnt seem 2 b enabled for %{account}'s host :\\" + xrd_fetch_failed: "there like... was drama when tryin 2 get the xrd from account %{account}..." + welcome: "Like, OMG, hey!" + will_paginate: + next_label: "next!! »" + previous_label: "« previe!!" \ No newline at end of file diff --git a/config/locales/diaspora/eo.yml b/config/locales/diaspora/eo.yml index ac5391cee..c7030da7b 100644 --- a/config/locales/diaspora/eo.yml +++ b/config/locales/diaspora/eo.yml @@ -83,7 +83,8 @@ eo: one: "%{count} uzanto trovita" other: "%{count} uzantoj trovitaj" zero: "%{count} uzantoj trovitaj" - you_currently: "vi aktuale havas ankoraŭ %{user_invitation} invitojn %{link}" + you_currently: + other: "vi aktuale havas ankoraŭ %{user_invitation} invitojn %{link}" weekly_user_stats: current_server: "Aktuala dato de servilo estas %{date}" ago: "antaŭ %{time}" @@ -104,8 +105,6 @@ eo: add_to_aspect: failure: "Ne povis aldoni kontakton al aspekto." success: "Sukcese aldonis kontakton al aspekto." - aspect_contacts: - done_editing: "redaktado finita" aspect_listings: add_an_aspect: "+ Aldoni aspekton" deselect_all: "Malelekti ĉion" @@ -124,21 +123,14 @@ eo: failure: "%{name} ne malplenas kaj do ne povis esti forigita." success: "%{name} estis sukcese forigita." edit: - add_existing: "Aldoni ekzistantan kontakton" aspect_list_is_not_visible: "la aspekto-listo estas kaŝita al la aliaj en ĉi tiu aspekto" aspect_list_is_visible: "la aspekto-listo estas montrata al la aliaj en ĉi tiu aspekto" confirm_remove_aspect: "Ĉu vi certe volas forigi ĉi tiun aspekton?" - done: "Farita" make_aspect_list_visible: "Ĉu kontaktoj en ĉi tiu aspekto povu vidi unu la alian?" remove_aspect: "Forigi ĉi tiun aspekton" rename: "alinomigi" update: "ĝisdatigi" updating: "ĝisdatigado" - few: "%{count} aspektoj" - helper: - are_you_sure: "Ĉu vi certas, ke vi volas forviŝi tiun ĉi aspekton?" - aspect_not_empty: "Aspekto ne malplenas" - remove: "forigi" index: diaspora_id: content_1: "Via DIASPORA* uzantnomo estas:" @@ -176,11 +168,6 @@ eo: heading: "Konekti Servojn" unfollow_tag: "Ne plu abonas #%{tag}." welcome_to_diaspora: "Bonvenon al Diaspora, %{name}!" - many: "%{count} aspektoj" - move_contact: - error: "Ne povis movi kontakton: %{inspect}" - failure: "Eraro: %{inspect}" - success: "Kontakto moviĝis al nova aspekto" new: create: "Krei" name: "Nomo (nur videblas de vi)" @@ -198,14 +185,6 @@ eo: family: "Familio" friends: "Amikoj" work: "Laboro" - selected_contacts: - manage_your_aspects: "Redakti viajn aspektojn." - no_contacts: "Vi ne jam havas iujn ajn kontaktojn ĉi tie." - view_all_community_spotlight: "Vidi ĉiun komunuman ĉeflumon" - view_all_contacts: "Vidi ĉiujn kontaktojn" - show: - edit_aspect: "redakti aspekton" - two: "%{count} aspektoj" update: failure: "Via aspekto, %{name}, havis tro longan nomon por konserviĝi." success: "Via aspekto, %{name}, sukcese redaktiĝis." @@ -225,36 +204,27 @@ eo: post_success: "Afiŝita! Fermanta!" cancel: "Nuligi" comments: - few: "%{count} komentoj" - many: "%{count} komentoj" new_comment: comment: "Komenti" commenting: "Komentanta..." one: "1 komento" other: "%{count} komentoj" - two: "%{count} komentoj" zero: "neniuj komentoj" contacts: create: failure: "Ne povis krei kontakton" - few: "%{count} kontaktoj" index: add_a_new_aspect: "Aldoni novan aspekton" add_to_aspect: "aldoni kontaktojn al %{name}" - add_to_aspect_link: "aldoni kontaktojn al %{name}" all_contacts: "Ĉiuj kontaktoj" community_spotlight: "En la ĉeflumo de la komunumo" - many_people_are_you_sure: "Ĉu vi certas, ke vi volas mesaĝi al pli ol {suggested_limit} homoj? Afiŝi al tiu ĉi aspekto eble estas pli bona metodo kontakti ilin." my_contacts: "Miaj kontaktoj" no_contacts: "Ŝajne necesas, ke vi aldonos iujn kontaktojn!" no_contacts_message: "Esploru %{community_spotlight}" - no_contacts_message_with_aspect: "Esploru %{community_spotlight} aŭ %{add_to_aspect_link}" only_sharing_with_me: "Nur koniganta al mi" - remove_person_from_aspect: "Forigi %{person_name} de \"%{aspect_name}\"" start_a_conversation: "Komenci interparoladon" title: "Kontaktoj" your_contacts: "Viaj kontaktoj" - many: "%{count} kontaktoj" one: "1 kontakto" other: "%{count} kontaktoj" sharing: @@ -262,7 +232,6 @@ eo: spotlight: community_spotlight: "Komunuma ĉeflumo" suggest_member: "Sugesti membron" - two: "%{count} kontaktoj" zero: "kontaktoj" conversations: conversation: @@ -270,8 +239,6 @@ eo: create: fail: "Malĝusta mesaĝo" sent: "Mesaĝo sendiĝis." - destroy: - success: "Konversacio sukcese forviŝiĝis." helper: new_messages: one: "1 nova mesaĝo" @@ -532,7 +499,6 @@ eo: add_contact_from_tag: "aldoni kontakton de etikedo" aspect_list: edit_membership: "redakti membraron de aspekto" - few: "%{count} personoj" helper: is_not_sharing: "%{name} ne kunhavigas kun vi" is_sharing: "%{name} nun kunhavigas kun vi" @@ -543,7 +509,6 @@ eo: no_results: "Hej! Vi devas serĉi ion." results_for: "serĉrezultoj por" searching: "serĉanta, bv. pacienci..." - many: "%{count} personoj" one: "1 persono" other: "%{count} personoj" person: @@ -580,7 +545,6 @@ eo: add_some: "aldoni iujn" edit: "redakti" you_have_no_tags: "vi ne havas etikedojn!" - two: "%{count} homoj" webfinger: fail: "Ni bedaŭras, sed ni ne povis trovi je %{handle}." zero: "neniuj personoj" @@ -675,15 +639,12 @@ eo: update: "Ĝisdatigi" invalid_invite: "La invitoligilo, kiun vi donis, ne plu validas!" new: - continue: "Daŭrigi" create_my_account: "Krei mian konton!" - diaspora: "<3 DIASPORA*" email: "Retpoŝtadreso" enter_email: "Enskribu retpoŝtadreson" enter_password: "Enskribu kodvorton (almenaŭ 6 signoj)" enter_password_again: "Enskribu la saman pasvorton, kiel antaŭe" enter_username: "Elektu uzantnomon (nur literojn, nombrojn, kaj substrekojn)" - hey_make: "HEJ,
FARU
ION." join_the_movement: "Aniĝu je la movado!" password: "Pasvorto" password_confirmation: "KONFIRMADO DE PASVORTO" @@ -852,10 +813,7 @@ eo: no_message_to_display: "Neniu afiŝo montrenda." new: mentioning: "Mencianta: %{person}" - too_long: - one: "bonvolu igi viajn afiŝojn malpli longaj ol %{count} signoj" - other: "bonvolu igi viajn afiŝojn malpli longaj ol %{count} signoj" - zero: "bonvolu igi viajn afiŝojn malpli longaj ol %{count} signoj" + too_long: "{\"one\"=>\"bonvolu igi viajn afiŝojn malpli longaj ol %{count} signoj\", \"other\"=>\"bonvolu igi viajn afiŝojn malpli longaj ol %{count} signoj\", \"zero\"=>\"bonvolu igi viajn afiŝojn malpli longaj ol %{count} signoj\"}" stream_helper: hide_comments: "kaŝi ĉiujn komentojn" show_comments: @@ -896,7 +854,6 @@ eo: title: "publika aktiveco" tags: contacts_title: "Homoj, al kiuj tiuj ĉi etikedoj plaĉas" - tag_prefill_text: "La afero pri %{tag_name} estas... " title: "Afiŝoj etikeditaj: %{tags}" tag_followings: create: @@ -910,10 +867,7 @@ eo: show: follow: "Aboni al #%{tag}" following: "Abonita al #%{tag}" - nobody_talking: "Ankoraŭ neniu parolas pri %{tag}." none: "Malplena etikedo ne ekzistas!" - people_tagged_with: "Personoj etikediĝis kun %{tag}" - posts_tagged_with: "Afiŝoj etikeditaj per #%{tag}" stop_following: "Malaboni de #%{tag}" terms_and_conditions: "Reguloj kaj kondiĉoj" undo: "Ĉu malfari?" @@ -949,7 +903,6 @@ eo: current_password: "Nuna pasvorto" current_password_expl: "tiu per kiu vi ensalutis..." download_photos: "elŝuti miajn bildojn" - download_xml: "elŝuti mian XML-n" edit_account: "Redakti konton" email_awaiting_confirmation: "Ni sendis al vi aktivigan ligilon ĉe %{unconfirmed_email}. Ĝis kiam vi klakos tiun ĉi ligilon kaj aktivigos la novan repoŝtadreson, ni uzados vian ĝisnunan retpoŝtadreson %{email}." export_data: "Eksporti datumojn" @@ -958,7 +911,6 @@ eo: liked: "...iu ŝatis vian afiŝon?" mentioned: "...vi estas menciita en afiŝo?" new_password: "Nova pasvorto" - photo_export_unavailable: "bildeksporto aktuale ne eblas" private_message: "...vi ricevas malpublikan mesaĝon?" receive_email_notifications: "Ĉu ricevi retpoŝtajn sciigojn, kiam..." reshared: "... iu rekonigis vian afiŝon?" diff --git a/config/locales/diaspora/es-AR.yml b/config/locales/diaspora/es-AR.yml index 5fa6039fc..f412cf606 100644 --- a/config/locales/diaspora/es-AR.yml +++ b/config/locales/diaspora/es-AR.yml @@ -10,8 +10,9 @@ es-AR: _contacts: "Contactos" _help: "Ayuda" _home: "Inicio" - _photos: "fotos" + _photos: "Fotos" _services: "Servicios" + _statistics: "Estadísticas" _terms: "Términos y condiciones" account: "Cuenta" activerecord: @@ -40,7 +41,7 @@ es-AR: reshare: attributes: root_guid: - taken: "Está bueno, ¿eh? Ya habías compartido esa publicación!" + taken: "Está bueno, ¿eh? ¡Ya habías compartido esa publicación!" user: attributes: email: @@ -54,7 +55,7 @@ es-AR: admin_bar: correlations: "Similitudes" pages: "Páginas" - pod_stats: "Estadísticas del servidor" + pod_stats: "Estadísticas del Pod (servidor)" report: "Reportes" sidekiq_monitor: "Monitor Sidekiq" user_search: "Búsqueda de usuarios" @@ -62,7 +63,7 @@ es-AR: correlations: correlations_count: "Correlaciones con el conteo de inicio de sesión:" stats: - 2weeks: "2 Semanas" + 2weeks: "2 semanas" 50_most: "Las 50 etiquetas más populares" comments: one: "%{count} comentario" @@ -103,8 +104,12 @@ es-AR: : Si user_search: account_closing_scheduled: "La cuenta de %{name} está agendada para ser eliminada. Será procesada en unos momentos..." + account_locking_scheduled: "El bloqueo de la cuenta de %{name} se ha añadido a la lista de tareas. Será procesada en unos minutos..." + account_unlocking_scheduled: "El desbloqueo de la cuenta de %{name} se ha añadido a la lista de tareas. Será procesada en unos minutos..." add_invites: "Añadir invitaciones" are_you_sure: "¿Estás seguro de que quieres eliminar tu cuenta? ¡Esto no se puede deshacer!" + are_you_sure_lock_account: "¿Estás seguro que quieres bloquear esta cuenta?" + are_you_sure_unlock_account: "¿Estás seguro que quieres desbloquear esta cuenta?" close_account: "Cerrar cuenta" email_to: "Mandar invitación por correo electrónico a" under_13: "Mostrar usuarios menores de 13 años (COPPA)" @@ -113,7 +118,10 @@ es-AR: other: "%{count} usuarios encontrados" zero: "%{count} usuarios encontrados" view_profile: "Ver perfil" - you_currently: "Actualmente te quedan %{user_invitation} invitaciones para enviar %{link}" + you_currently: + one: "Actualmente te queda una invitación para enviar %{link}" + other: "Actualmente te quedan %{count} invitaciones para enviar %{link}" + zero: "Actualmente no tienes invitaciones para enviar %{link}" weekly_user_stats: amount_of: one: "Cantidad de nuevos usuarios esta semana: %{count}" @@ -124,22 +132,20 @@ es-AR: all_aspects: "Todos los aspectos" application: helper: - unknown_person: "persona desconocida" + unknown_person: "Persona desconocida" video_title: unknown: "Título de video desconocido" are_you_sure: "¿Estás seguro?" are_you_sure_delete_account: "¿Seguro que quieres eliminar tu cuenta? ¡Esto no se podrá deshacer!" aspect_memberships: destroy: - failure: "No pudo eliminarse al contacto del aspecto" + failure: "El contacto no se pudo eliminar del aspecto" no_membership: "No se encontró a la persona seleccionada en el aspecto" success: "El contacto se eliminó del aspecto" aspects: add_to_aspect: failure: "No pudo agregarse el contacto al aspecto." success: "Se agregó el contacto al aspecto." - aspect_contacts: - done_editing: "aceptar" aspect_listings: add_an_aspect: "+ Agregar un aspecto" deselect_all: "Deseleccionar todo" @@ -158,23 +164,18 @@ es-AR: failure: "%{name} no está vacío y no puede ser eliminado." success: "%{name} se eliminó con éxito." edit: - add_existing: "Agregar un contacto existente" + aspect_chat_is_enabled: "Los contactos de este aspecto pueden chatear con vos." + aspect_chat_is_not_enabled: "Los contactos de este aspecto no pueden chatear con vos." aspect_list_is_not_visible: "La lista de contactos de este aspecto NO es visible" aspect_list_is_visible: "La lista de contactos de este aspecto es visible" confirm_remove_aspect: "¿Estás seguro de que querés eliminar este aspecto?" - done: "Listo" - make_aspect_list_visible: "¿Hacer visible los contactos del aspecto entre ellos?" - manage: "Administrar" + grant_contacts_chat_privilege: "¿Conceder privilegio a los contactos de este aspecto para poder chatear?" + make_aspect_list_visible: "¿Hacer visible los contactos de este aspecto entre ellos?" remove_aspect: "Eliminar este aspecto" - rename: "renombrar" + rename: "Renombrar" set_visibility: "Establecer visibilidad" - update: "actualizar" - updating: "actualizando" - few: "%{count} aspectos" - helper: - are_you_sure: "¿Estás seguro de que querés eliminar este aspecto?" - aspect_not_empty: "El aspecto no está vacío" - remove: "eliminar" + update: "Actualizar" + updating: "Actualizando" index: diaspora_id: content_1: "Tu ID de diaspora* es:" @@ -198,7 +199,7 @@ es-AR: tag_feature: "idea" tag_question: "pregunta" tutorial_link_text: "Tutoriales" - tutorials_and_wiki: "%{tutorial} y %{wiki}: Ayuda para tus primeros pasos en diaspora*." + tutorials_and_wiki: "%{faq}, %{tutorial} y %{wiki}: Ayuda para tus primeros pasos en diaspora*." introduce_yourself: "Este es tu stream. Zambullite en el y presentate." keep_diaspora_running: "¡Haz que el desarrollo de diaspora* vaya más rápido con una donación mensual!" keep_pod_running: "¡Haz que %{pod} siga corriendo rápido, y compra a nuestros servidores su dosis de café con una donación mensual!" @@ -209,22 +210,17 @@ es-AR: no_contacts: "No hay contactos" no_tags: "+ Encuentra una etiqueta para seguir" people_sharing_with_you: "Comparten con vos" - post_a_message: "publicar un mensaje >>" + post_a_message: "Publicar un mensaje >>" services: content: "Podés conectar los siguientes servicios a diaspora*:" heading: "Conectar Servicios" unfollow_tag: "Dejar de seguir #%{tag}" welcome_to_diaspora: "¡Bienvenid@ a diaspora*, %{name}!" - many: "%{count} aspectos" - move_contact: - error: "Se produjo un error al mover el contacto: %{inspect}" - failure: "%{inspect} no funcionó" - success: "El contacto se movió al nuevo aspecto" new: create: "Crear" name: "Nombre (solo visible para ti)" no_contacts_message: - community_spotlight: "comunidad creativa" + community_spotlight: "Comunidad creativa" or_spotlight: "O lo podés compartir con %{link}" try_adding_some_more_contacts: "Podés buscar o invitar más contactos." you_should_add_some_more_contacts: "¡Deberías agregar más contactos!" @@ -237,26 +233,18 @@ es-AR: family: "Familia" friends: "Amigos" work: "Trabajo" - selected_contacts: - manage_your_aspects: "Administra tus aspectos." - no_contacts: "Todavía no tenés ningún contacto aquí." - view_all_community_spotlight: "Ver \"Comunidad Creativa\"" - view_all_contacts: "Ver todos los contactos" - show: - edit_aspect: "editar aspecto" - two: "%{count} aspectos" update: failure: "Tu aspecto, %{name}, tenía un nombre muy largo para guardarlo." success: "Tu aspecto, %{name}, se editó con éxito." - zero: "no hay aspectos" + zero: "No hay aspectos" back: "Atrás" blocks: create: - failure: "No se puede ignorar ese usuario. #evasion" - success: "Bien, ya no verás más a ese usuario en tu stream. #silencio!" + failure: "No se puede ignorar a ese usuario. #evasión" + success: "Bien, ya no verás más a ese usuario en tu Entrada. #silencio!" destroy: - failure: "No se pudo dejar de ignorar a ese usuario. #evasion" - success: "¡Veamos que tiene que decir! #dihola" + failure: "No se pudo dejar de ignorar a ese usuario. #evasión" + success: "¡Veamos qué tiene que decir! #hola" bookmarklet: explanation: "Publicá en diaspora* desde cualquier página agregando a tus marcadores este enlace: %{link}" heading: "Marcador" @@ -264,36 +252,31 @@ es-AR: post_success: "¡Publicado! Cerrando." cancel: "Cancelar" comments: - few: "%{count} comentarios" - many: "%{count} comentarios" new_comment: comment: "Comentar" commenting: "Comentando..." one: "1 comentario" other: "%{count} comentarios" - two: "%{count} comentarios" - zero: "no hay comentarios" + zero: "No hay comentarios" contacts: create: failure: "No pudo crearse el contacto" - few: "%{count} contactos" index: add_a_new_aspect: "Añadir un nuevo aspecto" - add_to_aspect: "añade contactos a %{name}" - add_to_aspect_link: "Agregar contactos a %{name}" - all_contacts: "Todos los Contactos" - community_spotlight: "Lo más destacado de la comunidad" - many_people_are_you_sure: "Estás seguro que querés comenzar una conversación privada con más de %{suggested_limit} contactos? Publicando en este aspecto puede ser una mejor manera de contactarlos." - my_contacts: "Mis Contactos" + add_contact: "Agregar contacto" + add_to_aspect: "Agregar contactos a %{name}" + all_contacts: "Todos los contactos" + community_spotlight: "Comunidad Creativa" + my_contacts: "Mis contactos" no_contacts: "¡Parece que necesitás agregar algunos contactos!" + no_contacts_in_aspect: "Aún no tienes contactos en este aspecto. Debajo hay una lista de tus contactos existentes que puedes agregar a este aspecto." no_contacts_message: "Echa un vistazo a %{community_spotlight}" - no_contacts_message_with_aspect: "Echa un vistazo a %{community_spotlight} o %{add_to_aspect_link}" only_sharing_with_me: "Compartiendo solo conmigo" - remove_person_from_aspect: "Quitar a %{person_name} de \"%{aspect_name}\"" + remove_contact: "Eliminar contacto" start_a_conversation: "Empezar una conversación" title: "Contactos" + user_search: "Búsqueda de usuarios" your_contacts: "Tus contactos" - many: "%{count} contactos" one: "1 contacto" other: "%{count} contactos" sharing: @@ -301,8 +284,7 @@ es-AR: spotlight: community_spotlight: "Comunidad Creativa" suggest_member: "Sugiere un usuario" - two: "%{count} contactos" - zero: "contactos" + zero: "No hay contactos" conversations: conversation: participants: "Participantes" @@ -311,7 +293,8 @@ es-AR: no_contact: "¡Primero necesitas agregar al contacto!" sent: "Mensaje enviado" destroy: - success: "La conversación se eliminó" + delete_success: "La conversación ha sido eliminada" + hide_success: "La conversación se ha ocultado" helper: new_messages: few: "%{count} mensajes nuevos" @@ -322,22 +305,23 @@ es-AR: zero: "No hay mensajes nuevos" index: conversations_inbox: "Conversaciones - Bandeja de entrada" - create_a_new_conversation: "comenzar una nueva conversación" + create_a_new_conversation: "Iniciar una nueva conversación" inbox: "Mensajes" new_conversation: "Nueva conversación" - no_conversation_selected: "ninguna conversación seleccionada" - no_messages: "no hay mensajes" + no_conversation_selected: "Ninguna conversación seleccionada" + no_messages: "No hay mensajes" new: abandon_changes: "¿Descartar los cambios?" send: "Enviar" sending: "Enviando..." - subject: "asunto" - to: "para" + subject: "Asunto" + to: "Para" new_conversation: fail: "Mensaje inválido" show: - delete: "eliminar y bloquear conversación" - reply: "responder" + delete: "Eliminar y bloquear conversación" + hide: "Ocultar y silenciar la conversación" + reply: "Responder" replying: "Contestando..." date: formats: @@ -359,9 +343,9 @@ es-AR: account_and_data_management: close_account_a: "Ve a la parte inferior de la página de Configuración y haz clic en el botón \"Cerrar Cuenta\"." close_account_q: "¿Cómo puedo borrar mi semilla (cuenta)?" - data_other_podmins_a: "Cuando estas compartiendo con alguien mas en otro servidor, cualquier publicación que compartas con esa persona se guardara una copia (cache) en su servidor, y esta será accesible al administrador de la base de datos de ese servidor. Cuando borras una publicación o un dato de perfil, esta información es borrada de tu servidor y de cualquier otro servidor en el que previamente hubiera estado alojada." + data_other_podmins_a: "Cuando estás compartiendo con alguien que tiene cuenta en otro servidor, de cualquier publicación que compartas con esa persona se guardará una copia (cache) en su servidor, y ésta será accesible al administrador de la base de datos de ese servidor. Cuando borras una publicación o un dato de perfil, esta información es borrada de tu servidor y de cualquier otro servidor en el que previamente hubiera estado alojada." data_other_podmins_q: "¿Pueden los administradores de otros pods ver mi información?" - data_visible_to_podmin_a: "La comunicación *entre* pods siempre esta encriptada (usando tanto SSL como el propio cifrado de diaspora*), pero el almacenamiento de los datos en los servidores no está encriptado. Si quisiera, el administrador de la base de datos de tu servidor (usualmente la persona que gerencia el servidor) puede acceder a todos los datos de tu perfil y a todo lo que has publicado (este es el caso para la mayoría de los sitios web que almacenan datos del usuario). Instalar tu propio pod te provee más privacidad al poder controlar el acceso a la base de datos." + data_visible_to_podmin_a: "La comunicación *entre* pods siempre está encriptada (usando tanto SSL como el propio cifrado de diaspora*), pero el almacenamiento de los datos en los servidores no está encriptado. Si quisiera, el administrador de la base de datos de tu servidor (usualmente la persona que gerencia el servidor) puede acceder a todos los datos de tu perfil y a todo lo que has publicado (este es el caso para la mayoría de los sitios web que almacenan datos del usuario). Instalar tu propio pod te provee más privacidad al poder controlar el acceso a la base de datos." data_visible_to_podmin_q: "¿Qué cantidad de mi información puede ver el administrador de mi pod?" download_data_a: "Sí. En la parte inferior de la página de Configuración de Cuenta hay dos botones para la descarga de los datos." download_data_q: "¿Puedo descargar una copia de todos los datos contenidos en mi cuenta?" @@ -373,11 +357,11 @@ es-AR: change_aspect_of_post_q: "Una vez que publiqué algo, ¿puedo cambiar el o los aspectos que pueden verlo?" contacts_know_aspect_a: "No. Tus contactos no pueden ver el nombre del aspecto bajo ninguna circunstancia." contacts_know_aspect_q: "¿Mis contactos pueden saber a cuáles aspectos los he agregado?" - contacts_visible_a: "Si marcas esta opción entonces los contactos de este aspecto serán capaces de ver lo que esta en él, en tu perfil de pagina bajo tu foto. Es mejor seleccionar esta opción solo si los contactos en este aspecto se conocen unos a otros. Ellos igualmente no serán capaces de ver cuando este aspecto es llamado." + contacts_visible_a: "Si marcas esta opción entonces los contactos de este aspecto serán capaces de ver quiénes más están en él, bajo tu foto en tu página de perfil. Es mejor seleccionar esta opción solo si los contactos en este aspecto se conocen unos a otros. Ellos igualmente no serán capaces de ver cómo se llama este aspecto." contacts_visible_q: "¿Qué significa \"hacer visibles entre ellos a los contactos de este aspecto\"?" - delete_aspect_a: "En su lista de aspectos en el lado izquierdo de la pagina principal, pase el puntero sobre el aspecto que desea borrar. Clic en la pequeña lapicera \"editar\" que aparece en la derecha. Clic el botón de borrar en la caja de texto que aparece." + delete_aspect_a: "En tu lista de aspectos en el lado izquierdo de la página principal, pasá el puntero sobre el aspecto que deseas borrar. Haz clic en el pequeño lápiz de \"Editar\" que aparece en la derecha. Haz clic en el botón\"Borrar\" en la caja de texto que aparece." delete_aspect_q: "¿Cómo hago para borrar un aspecto?" - person_multiple_aspects_a: "Sí. Ve a la lista de contactos y has clic en mis contactos. Para cada contacto puedes usar el menú en la derecha para agregarlos (o borrarlos) a la cantidad de aspectos que desees. O puedes agregarlos a un nuevo aspecto (o borrarlos de un aspecto) haciendo clic en el botón selector de aspectos en su pagina de perfil. O siempre puedes solo mover el puntero sobre su nombre cuando veas su nombre en la entrada, y una \"tarjeta suspendida\" aparecerá. Puedes cambiar los aspectos que están allí." + person_multiple_aspects_a: "Sí. Ve a la lista de contactos y haz clic en \"Mis contactos\". Para cada contacto puedes usar el menú en la derecha para agregarlos (o borrarlos) a la cantidad de aspectos que desees. O puedes agregarlos a un nuevo aspecto (o borrarlos de un aspecto) haciendo clic en el botón selector de aspectos en su página de perfil. O siempre puedes solo mover el puntero sobre su nombre cuando lo veas en la Entrada, y una \"tarjeta suspendida\" aparecerá. Puedes cambiar los aspectos que están allí." person_multiple_aspects_q: "¿Puedo agregar a una persona a varios aspectos?" post_multiple_aspects_a: "Sí. Cuando estas realizando una publicación, usa el botón de seleccionar aspectos para incluir o excluir aspectos. Tú publicación será visible a todos los que pertenecen a los aspectos que has seleccionado. También puedes seleccionar los aspectos a los que deseas enviarles la publicación en la barra lateral. Cuando publicas, el/los aspecto/s que has seleccionado en la lista de la izquierda automáticamente serán seleccionado en el selector de aspectos cuando comiences a realizar una nueva publicación." post_multiple_aspects_q: "¿Puedo publicar contenido en varios aspectos a la vez?" @@ -385,26 +369,33 @@ es-AR: remove_notification_q: "Si elimino a alguien de un aspecto, o de todos mis aspectos, ¿le llegará una notificación de eso?" rename_aspect_a: "Sí. En tu lista de aspectos en el costado izquierdo del menú, apunta tu ratón al aspecto para renombrarlo. Haz clic en el pequeño lápiz de \"editar\" que se muestra a la derecha. Haz clic en \"renombrar\" e ingresa el nombre en la caja de texto que aparece desplegada." rename_aspect_q: "¿Puedo renombrar un aspecto?" - restrict_posts_i_see_a: "Sí. Haz clic en \"Mis Aspectos\" en la barra lateral y entonces marca o desmarca a cada uno de los aspectos de la lista para incluirlos o no. Solo las publicaciones de las personas en los aspectos seleccionados aparecerán en tu Entrada." + restrict_posts_i_see_a: "Sí. Haz clic en \"Mis aspectos\" en la barra lateral y entonces marca o desmarca a cada uno de los aspectos de la lista para incluirlos o no. Solo las publicaciones de las personas en los aspectos seleccionados aparecerán en tu Entrada." restrict_posts_i_see_q: "¿Puedo restringir las publicaciones que veo sólo a ciertos aspectos?" title: "Aspectos" what_is_an_aspect_a: "Los aspectos son la forma de mostrar tus grupos de contactos en diaspora*. Un aspecto es una de las caras que le muestras al mundo. Esta puede mostrar como eres en el trabajo, como eres en tu familia, o como eres con tus amigos en el club al que perteneces." what_is_an_aspect_q: "¿Qué es un aspecto?" - who_sees_post_a: "Si haces una publicación restringida, esta solo será visible para las personas que has incluido en ese aspecto (o esos aspectos, si la hiciste para varios aspectos). Los contactos que no pertenecen al aspecto no tendrán forma de ver la publicación, a menos que la hagas publica. Solo las publicaciones públicas serán visibles para cualquiera que no hayas incluido en uno de tus aspectos." + who_sees_post_a: "Si haces una publicación restringida (limitada), ésta solo será visible para las personas que hayas incluido en ese aspecto (o esos aspectos, si la hiciste para varios aspectos). Los contactos que no pertenecen al aspecto no tendrán forma de ver la publicación, a menos que la hagas publica. Solo las publicaciones públicas serán visibles para cualquiera que no hayas incluido en uno de tus aspectos." who_sees_post_q: "Cuando publico en un aspecto, ¿quienes pueden verlo?" + chat: + add_contact_roster_a: "Primero, necesitas activar el chat para uno de los aspectos en donde está el usuario. Para hacer eso, ve a la %{contacts_page}, selecciona el aspecto que quieras y haz clic en el icono de chat para activar el chat en ese aspecto. %{toggle_privilege} Si lo prefieres, puedes crear un aspecto especial llamado 'Chat' y agregar allí a los usuarios con los que quieres chatear. Una vez que hayas hecho esto, abre la interface de chat y selecciona al usuario con quien quieres chatear." + add_contact_roster_q: "¿Cómo hago para chatear con alguien en diaspora*?" + contacts_page: "página de contactos" + title: "Chat" + faq: "Preguntas frecuentes" foundation_website: "página web de la Fundación diaspora*" getting_help: - get_support_a_hashtag: "preguntar en una publicación pública usando la etiqueta #pregunta" - get_support_a_irc: "únete a nosotros en %{irc} (Chat en vivo)" - get_support_a_tutorials: "revisa nuestros %{tutorials}" - get_support_a_website: "visítanos en %{link}" - get_support_a_wiki: "busca en %{link}" + get_support_a_faq: "Lee nuestra página de preguntas frecuentes %{faq} en la Wiki" + get_support_a_hashtag: "Preguntar en una publicación pública utilizando la etiqueta %{question}" + get_support_a_irc: "Únete a nosotros en %{irc} (Chat en vivo)" + get_support_a_tutorials: "Consultá nuestros %{tutorials}" + get_support_a_website: "Visítanos en %{link}" + get_support_a_wiki: "Buscá en %{link}" get_support_q: "¿Y si mi pregunta no está contestada en estas FAQ? ¿Dónde más puedo obtener ayuda?" - getting_started_a: "Estás de suerte. Prueba %{tutorial_series} en el sitio web del proyecto. Donde se explica paso a paso el proceso de registracion y los conceptos basicos que necesitas saber para usar diaspora*." + getting_started_a: "Estás de suerte. :) Prueba la %{tutorial_series} en el sitio web del proyecto, donde se explica paso a paso el proceso de registro y los conceptos basicos que necesitas saber para usar diaspora*." getting_started_q: "¡Ayuda! ¡Necesito conocer lo básico para empezar!" title: "Obtener ayuda" - getting_started_tutorial: "series de tutoriales 'Primeros pasos'" - here: "aquí" + getting_started_tutorial: "Serie de tutoriales \"Primeros pasos\"" + here: "Aquí" irc: "IRC" keyboard_shortcuts: keyboard_shortcuts_a1: "En la \"Entrada\" puedes utilizar los siguientes atajos de teclado:" @@ -412,6 +403,10 @@ es-AR: keyboard_shortcuts_li2: "k- salta a la publicación anterior" keyboard_shortcuts_li3: "c- comentar la publicación actual" keyboard_shortcuts_li4: "l- marcar como \"Me gusta\" la publicación actual" + keyboard_shortcuts_li5: "r - compartir la publicación actual" + keyboard_shortcuts_li6: "m - expandir la publicación actual" + keyboard_shortcuts_li7: "o - abrir el primer enlace de la publicación actual" + keyboard_shortcuts_li8: "ctrl + enter - Envía el mensaje que estás escribiendo" keyboard_shortcuts_q: "¿Qué atajos de teclado están disponibles?" title: "Atajos de teclado" markdown: "Markdown" @@ -423,20 +418,20 @@ es-AR: see_mentions_a: "Sí, haz clic en \"@Menciones\" en la columna izquierda de tu página de inicio." see_mentions_q: "¿Existe alguna manera de ver las publicaciones en las cuales he sido mencionado?" title: "Menciones" - what_is_a_mention_a: "Una mención es un enlace a la pagina de perfil de la o las personas que aparecen en la publicación. Cuando alguien es mencionado el recibe una notificación que llama su atención sobre la publicación." + what_is_a_mention_a: "Una mención es un enlace a la página de perfil de la o las personas que aparecen en la publicación. Cuando alguien es mencionado, recibe una notificación que llama su atención sobre la publicación." what_is_a_mention_q: "¿Qué es una \"mención\"?" miscellaneous: back_to_top_a: "Sí. Después de haberse desplazado hacia abajo en la página, haciendo un click en la flecha gris que aparece en la esquina inferior derecha de la ventana de tú navegador." back_to_top_q: "¿Existe una manera rápida de regresar a la parte superior de la página después de haberme desplazado hacia abajo?" - diaspora_app_a: "Existen muchas aplicaciones para Android en una etapa temprana de desarrollo. Muchos son proyectos hace tiempo abandonados y no funcionan bien con la versión actual de diaspora*. No esperes demasiado de estas aplicaciones por el momento. Actualmente la mejor manera de acceder a diaspora* desde tu dispositivo móvil es a través de tu navegador, porque hemos diseñado una versión móvil de este sitio que debería funcionar correctamente en todos los teléfonos. No existe actualmente una aplicación para iOS. Nuevamente, diaspora* debería funcionar bien a través de su navegador." + diaspora_app_a: "Existen muchas aplicaciones para Android en una etapa temprana de desarrollo. Muchos son proyectos hace tiempo abandonados y no funcionan bien con la versión actual de diaspora*. No esperes demasiado de estas aplicaciones por el momento. Actualmente la mejor manera de acceder a diaspora* desde tu dispositivo móvil es a través de tu navegador, porque hemos diseñado una versión móvil de este sitio que debería funcionar correctamente en todos los teléfonos. No existe actualmente una aplicación para iOS. Nuevamente, diaspora* debería funcionar bien a través de tu navegador." diaspora_app_q: "¿Existe una aplicación diaspora* para Android o iOS?" photo_albums_a: "No, no actualmente. De todas formas puedes ver las actualizaciones de sus fotos desde la sección de Fotos en la barra lateral de su pagina de perfil." photo_albums_q: "¿Hay álbumes de fotos o videos?" - subscribe_feed_a: "Sí, pero ésta aún no es una funcionalidad completamente pulida y el formateo de los resultados es todavía un poco tosco. Si deseas probarla de todas maneras, ve hacia alguna página de perfil y has click en el botón feed de tu navegador, o puedes copiar la URL del perfil (ej.: https://joindiaspora.com/people/somenumber), y pegarla dentro del lector de feeds. La dirección que resulta de esto es parecida a: https//joindiaspora.com/public/username.atom - diaspora* usa Atom en lugar de RSS." + subscribe_feed_a: "Sí, pero ésta aún no es una funcionalidad completamente pulida y el formateo de los resultados es todavía un poco tosco. Si de todas maneras deseas probarla, ve hacia alguna página de perfil y haz clic en el botón feed de tu navegador, o puedes copiar la URL del perfil (ej.: https://joindiaspora.com/people/número), y pegarla dentro del lector de feeds. La dirección que resulta de ésto es parecida a: https//joindiaspora.com/public/usuario.atom - diaspora* usa Atom en lugar de RSS." subscribe_feed_q: "¿Puedo suscribirme a las publicaciones públicas de alguien usando un lector de feeds?" title: "Opciones varias" pods: - find_people_a: "Invita a tus amigos usando el enlace al correo electrónico en la barra lateral. Sigue las etiquetas (#tags) para descubrir a otras personas con intereses en común, y agrega a aquellos que publican cosas interesantes a tus aspectos. Di quien eres en una publicación publica #nuevoaqui (#newhere)." + find_people_a: "Invitá a tus amigos usando el enlace de correo electrónico en la barra lateral. Sigue las etiquetas (#tags) para descubrir a otras personas con intereses en común, y agrega a tus aspectos a aquellos que publican cosas interesantes. Preséntate y saluda a la comunidad con una publicación pública usando la etiqueta #hola." find_people_q: "Me acabo de registrar en un \"pod\", ¿cómo puedo encontrar a gente con quien compartir?" title: "Pods" use_search_box_a: "Si conoces su ID completa de diaspora* (por ejemplo nombredeusuario@nombredelpod.org), puedes encontrarlo mediante la búsqueda con estos datos. Si te encuentras en la misma vaina (servidor) lo puedes buscar solo por su nombre de usuario. Una alternativa es la búsqueda por su nombre de perfil (el nombre que ves en la pantalla). Si una búsqueda no funciona la primera vez, inténtalo de nuevo." @@ -444,11 +439,11 @@ es-AR: what_is_a_pod_a: "Un pod es un servidor con el software de diaspora* y conectado a la red de diaspora*. \"Pod\" (vaina) es una metáfora que hace referencia a las vainas de las plantas que contienen las semillas, por la manera en que los servidores contienen las cuentas de usuarios. Existen muchos pods diferentes. Puedes agregar a tus amigos de otros pods y comunicarte con ellos. (Puedes pensar en un pod de diaspora* como algo similar a un proveedor de correo electrónico: existen pods publicos, pods privados, y con algo de esfuerzo puedes instalar y correr tu propio pod)." what_is_a_pod_q: "¿Qué es un \"pod\"?" posts_and_posting: - char_limit_services_a: "En el caso de que tu publicación sea limitada a una cantidad menor de caracteres (140 en el caso de Twitter, 1000 en el caso de Tumblr), y el número de caracteres restantes se mostrarán cuando el icono del servicio esta seleccionado. Aun podrás publicar en esos servicios si tu publicación es mas extensa del límite de estos servicios, pero el texto será recortado en estos." + char_limit_services_a: "En el caso de que tu publicación sea limitada a una cantidad menor de caracteres (140 en el caso de Twitter, 1000 en el caso de Tumblr), y el número de caracteres restantes se mostrará cuando el icono del servicio esté seleccionado. Aun podrás publicar en esos servicios si tu publicación es más extensa del límite de éstos, pero el texto será recortado." char_limit_services_q: "¿Cuál es el límite de caracteres para publicaciones compartidas con servicios conectados que tienen una cantidad más pequeña de caracteres permitidos?" character_limit_a: "65.535 caracteres. Es decir, ¡65.395 caracteres más de los que permite Twitter! ;)" character_limit_q: "¿Cuál es el límite de caracteres para una publicación?" - embed_multimedia_a: "Generalmente puedes pegar la URL (ej.: http://www.youyube.com/watch?v=nnnnnnnnnnn) dentro de tu publicación y el video o audio será añadido automáticamente. Algunos de los sitios que son soportados son: YouTube, Vimeo, SoundCloud, Flickr y algunos más. diaspora* usas oEmbed para esto. Estamos agregando nuevos sitios todo el tiempo. Recuerda siempre publicar simple y claro, con enlaces completos: sin enlaces acortados, ni operadores después de la URL base; y dale algo de tiempo antes de refrescar la pagina después de publicar para ver la vista previa." + embed_multimedia_a: "Generalmente puedes pegar la URL (ej.: http://www.youyube.com/watch?v=nnnnnnnnnnn) dentro de tu publicación y el video o audio será añadido automáticamente. Algunos de los sitios que soportados son: YouTube, Vimeo, SoundCloud, Flickr y algunos más. diaspora* usa oEmbed para ésto. Estamos agregando nuevos sitios todo el tiempo. Recuerda siempre publicar simple y claro, con enlaces completos: sin enlaces acortados, ni operadores después de la URL base; y dale algo de tiempo antes de refrescar la página después de publicar para ver la vista previa." embed_multimedia_q: "¿Cómo hago para insertar video, audio u otro contenido multimedia en una publicación?" format_text_a: "Usando un sistema simplificado llamado %{markdown}. Puedes encontrar la sintaxis completa de Markdown %{here}. El botón de vista previa es realmente útil en este caso, ya que puedes ver como se verá tu mensaje antes de compartirlo." format_text_q: "¿Cómo puedo darle formato al texto de mis publicaciones (negrita, itálica, etc.)?" @@ -466,7 +461,7 @@ es-AR: stream_full_of_posts_a1: "Tu Entrada está compuesta por tres tipos de publicaciones:" stream_full_of_posts_li1: "Las publicaciones de las personas que comparten contigo, se dividen en dos tipos: publicaciones publicas y publicaciones limitadas al aspecto en el que estas incluido. Para eliminar esas publicaciones de tu entrada, simplemente deja de compartir el aspecto con esta persona." stream_full_of_posts_li2: "Las publicaciones públicas que contienen alguna de las etiquetas que sigues. Para eliminarlas, deja de seguir la etiqueta." - stream_full_of_posts_li3: "Las publicaciones publicas realizadas por las personas en la lista de destacados de la comunidad. Estas pueden ser eliminadas destildando la opción \"¿Mostrar las publicaciones destacadas de la comunidad en la entrada?\" en la tabla de cuenta de tu configuración." + stream_full_of_posts_li3: "Son las publicaciones públicas realizadas por las personas listadas en la Comunidad Creativa. Éstas pueden ser eliminadas destildando la opción \"¿Mostrar Comunidad Creativa en tu Entrada?\" en la pestaña de configuración de cuenta." stream_full_of_posts_q: "¿Porqué mi Entrada está repleta de publicaciones de gente que no conozco y que no tengo en mis aspectos?" title: "Publicaciones y cómo publicar" private_posts: @@ -481,7 +476,7 @@ es-AR: who_sees_post_q: "Cuando publico un mensaje en un aspecto (es decir, una publicación restringida o limitada), ¿quienes pueden verlo?" private_profiles: title: "Perfiles privados" - whats_in_profile_a: "Tu Biografía, ubicación, género, y fecha de cumpleaños. Están ubicadas en la parte inferior de la pagina de edición de perfil. Toda esta información es opcional -depende de tí si la llenas o no. Los usuarios conectados que tengas agregados a tus aspectos son las únicas personas que podrán ver tu perfil privado. Ellos también podrán ver las publicaciones privadas que hagas en él o los aspectos a los que pertenecen, mezcladas con tus publicaciones publicas, cuando visiten tu pagina de perfil." + whats_in_profile_a: "Tu biografía, ubicación, género y fecha de cumpleaños. Están ubicadas en la parte inferior de la página de edición de perfil. Toda esta información es opcional -depende de vos si la llenás o no-. Los usuarios conectados que tengas agregados a tus aspectos son las únicas personas que podrán ver tu perfil privado. Ellos también podrán ver las publicaciones privadas que hagas en él o los aspectos a los que pertenecen, mezcladas con tus publicaciones públicas, cuando visiten tu página de perfil." whats_in_profile_q: "¿Qué hay en mi perfil privado?" who_sees_profile_a: "Cualquier usuario conectado que esta compartiendo contigo (es decir, que tú tienes en uno de tus aspectos). Sin embargo, las personas que te siguen, pero que tu no sigues, solo verán tu información publica." who_sees_profile_q: "¿Quiénes pueden ver mi perfil privado?" @@ -492,18 +487,18 @@ es-AR: can_comment_reshare_like_q: "¿Quién puede comentar, volver a compartir o poner \"Me gusta\" en mis publicaciones públicas?" deselect_aspect_posting_a: "El destildar aspectos no afecta una publicación pública. Está aún puede aparecer en la entrada de todos tus contactos. Para hacer una publicación visible solo a aspectos específicos, necesitas seleccionar esos aspectos desde el botón bajo el editor." deselect_aspect_posting_q: "¿Qué sucede cuando quito la selección de uno o más aspectos al momento de hacer una publicación pública?" - find_public_post_a: "Tus publicaciones publicas aparecerán en las entradas de todos aquellos que te sigan. Si incluyes #etiquetas (#tag) en tus publicaciones públicas, cualquiera que siga esas etiquetas podrá ver tu publicación en sus entradas. Cualquier publicación pública también tiene una URL especifica que cualquiera puede ver, incluso si no han iniciado sesión, por lo que pueden ser enlazadas directamente desde Twitter, blogs, etcétera. Las publicaciones públicas también pueden ser indexadas por los motores de búsqueda." + find_public_post_a: "Tus publicaciones públicas aparecerán en las Entradas de todos aquellos que te sigan. Si incluyes etiquetas (#tags) en tus publicaciones públicas, cualquiera que siga esas etiquetas podrá ver tu publicación en su Entrada. Cualquier publicación pública también tiene una URL específica que cualquiera puede ver, incluso si no ha iniciado sesión, por lo que pueden ser enlazadas directamente desde Twitter, blogs, etc. Las publicaciones públicas también pueden ser indexadas por los motores de búsqueda." find_public_post_q: "¿Cómo pueden los demás usuarios encontrar mis publicaciones públicas?" see_comment_reshare_like_a: "Cualquier usuario de diaspora* conectado y cualquier persona en Internet. Tanto los comentarios como las acciones de los \"Me gusta\" y \"Compartir\" de una publicación pública son también públicos." see_comment_reshare_like_q: "Cuando comento, comparto o hago \"Me gusta\" en una publicación pública, ¿quién puede verlo?" title: "Publicaciones públicas" - who_sees_post_a: "Cualquiera que use Internet puede potencialmente ver una publicación que marques como pública, así que asegúrate de que realmente quieras que tu publicación sea pública. Es una buena forma de hacerse escuchar en todo el mundo." + who_sees_post_a: "Cualquiera que use Internet puede potencialmente ver una publicación que hayas marcado como pública, así que asegúrate de que realmente quieres que tu publicación sea pública. Es una buena forma de hacerse escuchar en todo el mundo." who_sees_post_q: "Cuando publico algo de manera pública, ¿quién puede verlo?" public_profiles: title: "Perfiles públicos" what_do_tags_do_a: "Las etiquetas ayudan a la gente a conocerte. Las fotos de perfil también aparecerán en el lado izquierdo de las páginas de esas etiquetas, junto con cualquier otra persona que las tenga en su perfil público." what_do_tags_do_q: "¿Qué hacen las etiquetas de mi perfil público?" - whats_in_profile_a: "Tu nombre, las cinco etiquetas que elijas para describirte a ti mismo, y tu foto. Están en la sección superior de la pagina de edición de perfil. Tú puedes hacer que esta información de perfil sea identificable o anónima. Tú pagina de perfil también muestra cualquier publicación pública que hayas hecho." + whats_in_profile_a: "Tu nombre, las cinco etiquetas que elijas para describirte a ti mismo, y tu foto. Están en la sección superior de la pagina de edición de perfil. Tú puedes hacer que esta información de perfil sea identificable o anónima. También, tu página de perfil muestra cualquier publicación pública que hayas hecho." whats_in_profile_q: "¿Qué hay en mi perfil público?" who_sees_profile_a: "Cualquier usuario de diaspora* conectado, así como la inmensidad de Internet, puede verlo. Cada perfil tiene una URL directa, así que puede ser enlazado directamente desde sitios externos y puede ser indexado por los motores de búsqueda." who_sees_profile_q: "¿Quién puede ver mi perfil público?" @@ -517,16 +512,16 @@ es-AR: title: "Volver a compartir una publicación" sharing: add_to_aspect_a1: "Digamos que Amy agrega a Ben a un aspecto, pero Ben (aún) no ha agregado a Amy a un aspecto:" - add_to_aspect_a2: "Esto es conocido como distribución asimétrica. Si Ben también agrega a Amy a sus aspectos entonces pasaría a ser un intercambio mutuo, con las publicaciones públicas de Amy y Ben y las publicaciones privadas importantes apareciendo en las entradas de ambos, etc. " + add_to_aspect_a2: "Esto es conocido como intercambio asimétrico. Si Ben también agrega a Amy a sus aspectos entonces pasaría a ser un intercambio mutuo, con las publicaciones públicas de Amy y Ben y las publicaciones privadas importantes apareciendo en las Entradas de ambos, etc. " add_to_aspect_li1: "Ben recibe una notificación de que Amy \"comenzó a compartir\" con Ben." add_to_aspect_li2: "Amy comenzará a ver las publicaciones públicas de Ben en su Entrada." add_to_aspect_li3: "Amy no podrá ver ninguna de las publicaciones restringidas de Ben." add_to_aspect_li4: "Ben no verá las publicaciones públicas o restringidas de Amy en su Entrada." - add_to_aspect_li5: "Pero si Ben va a la pagina de perfil de Amy, entonces él podrá ver las publicaciones privadas que ella ha enviado a sus aspectos en los cuales él esta incluido (así como sus publicaciones públicas que cualquiera puede ver allí)." + add_to_aspect_li5: "Pero si Ben va a la página de perfil de Amy, entonces él podrá ver las publicaciones privadas que ella ha enviado a sus aspectos en los cuales él está incluido (así como sus publicaciones públicas que cualquiera puede ver allí)." add_to_aspect_li6: "Ben podrá ver el perfil privado de Amy (biografía, ubicación, género y fecha de nacimiento)." add_to_aspect_li7: "Amy aparecerá como \"Compartiendo solo conmigo\" en la página de contactos de Ben." add_to_aspect_q: "¿Qué sucede cuando agrego a alguien a uno de mis aspectos?, ¿o cuando alguien me agrega a uno de sus aspectos?" - list_not_sharing_a: "No, pero puedes ver si alguien esta compartiendo contigo visitando su pagina de perfil. Si es así, la barra bajo su foto de perfil aparecerá de color verde; si no, será gris. Deberías recibir una notificación cada vez que alguien comienza a compartir contigo." + list_not_sharing_a: "No, pero puedes ver si alguien esta compartiendo contigo visitando su página de perfil. Si es así, la barra bajo su foto de perfil aparecerá de color verde; si no, será gris. Deberías recibir una notificación cada vez que alguien comienza a compartir contigo." list_not_sharing_q: "¿Hay una lista de las personas a las que he agregado a uno de mis aspectos, pero ellos a mí no?" only_sharing_a: "Estas son las personas que lo han agregado en uno de sus aspectos, pero que no están (aún) en ninguno de tus aspectos. En otras palabras, ellos están compartiendo contigo, pero tú no compartes con ellos (distribución asimétrica). Si tú los agregas a cualquiera de tus aspectos, entonces ellos aparecerán bajo este aspecto y no bajo \"solo compartiendo contigo\". Véase más arriba." only_sharing_q: "¿Quienes son las personas que figuran en mi lista de contactos como \"Compartiendo solo conmigo\"?" @@ -536,16 +531,16 @@ es-AR: tags: filter_tags_a: "Esta opción aún no está disponible directamente mediante diaspora*, pero algunos colaboradores %{third_party_tools} han escrito algo que permite hacerlo." filter_tags_q: "¿Como puedo filtrar/excluir algunas etiquetas de mi entrada?" - followed_tags_a: "Después de buscar una etiqueta puedes hacer click en el botón en la parte superior de la pagina de etiqueta \"seguir\" para seguirla. Entonces aparecerá en tu lista de etiquetas seguidas a la izquierda. Al hacer click en una de las etiquetas seguidas te re-dirigirá a la pagina de esa etiqueta para que puedas ver las publicaciones mas recientes que contengan esa etiqueta. Haciendo click en la etiqueta #Seguidas para ver las entradas de las publicaciones estas incluyen una o cualquiera de tus etiquetas seguidas. " + followed_tags_a: "Después de buscar una etiqueta puedes hacer clic en el botón \"Seguir\", ubicado en la parte superior de la página de la etiqueta, para seguirla. Entonces aparecerá en tu lista de etiquetas seguidas a la izquierda. Al hacer clic en una de las etiquetas seguidas te enviará a la página de esa etiqueta para que puedas ver las publicaciones más recientes que contengan esa etiqueta. Haz clic en #Etiquetas que sigues para ver en la Entrada las publicaciones que incluyan una o cualquiera de las etiquetas seguidas. " followed_tags_q: "¿Qué son las \"#Etiquetas que sigues\" y cómo hago para seguir una etiqueta?" people_tag_page_a: "Son personas que han puesto esta etiqueta para describirse a si mismos en sus perfiles públicos." people_tag_page_q: "¿Quienes son las personas listadas a la izquierda de la página de etiquetas?" - tags_in_comments_a: "Una etiqueta agregada a un comentario seguirá apareciendo como un enlace hacia la pagina de la etiqueta, pero no hará aparecer la publicación (o comentario) en la página de la etiqueta. Esto solo funciona para las etiquetas en las publicaciones." + tags_in_comments_a: "Una etiqueta agregada a un comentario seguirá apareciendo como un enlace hacia la página de la etiqueta, pero no hará aparecer la publicación (o comentario) en la página de la etiqueta. Esto solo funciona para las etiquetas en las publicaciones." tags_in_comments_q: "¿Puedo agregar etiquetas en los comentarios o solo en las publicaciones?" title: "Etiquetas" what_are_tags_for_a: "Las etiquetas son una manera de categorizar una publicación, usualmente por un tema. Buscando por etiquetas se mostraran todas las publicaciones con dicha etiqueta que puedes ver (ambos públicos y privados). Esto permite a las personas que están interesadas en un tema en particular encontrar todas las publicaciones públicas sobre él." what_are_tags_for_q: "¿Para qué sirven las etiquetas?" - third_party_tools: "herramientas de terceros" + third_party_tools: "Herramientas de terceros" title_header: "Ayuda" tutorial: "tutorial" tutorials: "tutoriales" @@ -592,18 +587,18 @@ es-AR: layouts: application: back_to_top: "Volver al inicio" - powered_by: "IMPULSADO POR diaspora*" + powered_by: "Impulsado por diaspora*" public_feed: "Canal público para %{name}" - source_package: "descargar el paquete del código fuente" + source_package: "Descargar el paquete con el código fuente" toggle: "Cambiar a celular" whats_new: "¿Qué hay de nuevo?" - your_aspects: "tus aspectos" + your_aspects: "Tus aspectos" header: - admin: "administrar" + admin: "Administrar" blog: "Blog" - code: "código" + code: "Código" help: "Ayuda" - login: "conectarse" + login: "Conectarse" logout: "Salir" profile: "Perfil" recent_notifications: "Notificaciones recientes" @@ -625,13 +620,13 @@ es-AR: zero: "a nadie le gusta este comentario" limited: "Limitado" more: "Más" - next: "siguiente" + next: "Siguiente" no_results: "No hay resultados" notifications: also_commented: one: "%{actors} también comentó en la publicación %{post_link} de %{post_author}." other: "%{actors} también comentaron en la publicación %{post_link} de %{post_author}." - zero: "%{actors} también comentó en la publicación %{post_link} de %{post_author}." + zero: "%{actors} comentaron en la publicación %{post_link} de %{post_author}." also_commented_deleted: few: "%{actors} comentaron en una publicación eliminada." many: "%{actors} comentaron en una publicación eliminada." @@ -669,10 +664,11 @@ es-AR: mark_read: "Marcar como leído" mark_unread: "Marcar como no leído" mentioned: "Mencionados" + no_notifications: "Aún no tienes ninguna notificación." notifications: "Notificaciones" reshared: "Compartidos" - show_all: "mostrar todo" - show_unread: "mostrar no leídos" + show_all: "Mostrar todo" + show_unread: "Mostrar no leídos" started_sharing: "Usuarios que comparten con vos" liked: one: "A %{actors} le gustó tu publicación %{post_link}." @@ -720,15 +716,59 @@ es-AR: two: "%{actors} comenzó a compartir con vos." zero: "%{actors} comparte con vos." notifier: + a_limited_post_comment: "Hay un nuevo comentario para vos en una publicación limitada de diaspora*" a_post_you_shared: "una publicación." - accept_invite: "¡Acepta tu invitación a diaspora*!" - click_here: "click aquí" + a_private_message: "Hay un nuevo mensaje privado para vos en diaspora*" + accept_invite: "¡Aceptá tu invitación a diaspora*!" + click_here: "Haz clic aquí" comment_on_post: reply: "Responder o ver la publicación de %{name} >" confirm_email: click_link: "Para activar tu nueva dirección de correo %{unconfirmed_email}, por favor seguí este enlace::" subject: "Por favor, activá tu nueva dirección de correo %{unconfirmed_email}" email_sent_by_diaspora: "Este correo electrónico fue enviado por %{pod_name}. Si quieres dejar de recibir correos como este," + export_email: + body: |- + Hola %{name}, + + Tus datos han sido procesados y están listos para descargar siguiendo [este enlace](%{url}). + + Saludos, + + El correo robot de diaspora* + subject: "Tu información personal está lista para ser descargada, %{name}" + export_failure_email: + body: |- + Hola %{name} + + Hemos encontrado un problema mientras se procesaba tu información personal para descargar. + ¡Por favor inténtalo de nuevo! + + Saludos, + + El correo robot de diaspora* + subject: "Lo sentimos, hubo un problema al exportar tus datos, %{name}" + export_photos_email: + body: |- + Hola %{name}, + + Tus fotos han sido procesadas y están listas para descargar siguiendo [este enlace](%{url}). + + Saludos, + + El correo robot de diaspora* + subject: "%{name}, tus fotos están listas para descargar" + export_photos_failure_email: + body: |- + Hola %{name} + + Hemos encontrado un problema mientras se procesaban tus fotos para descargar. + Por favor ¡inténtalo de nuevo! + + Saludos, + + El correo robot de diaspora* + subject: "%{name}, hubo un problema con la descarga de tus fotos" hello: "¡Hola %{name}!" invite: message: |- @@ -755,6 +795,23 @@ es-AR: subject: "%{name} te mencionó en diaspora*" private_message: reply_to_or_view: "Responder o ver esta conversación >" + remove_old_user: + body: |- + Hola, + + Debido a su inactividad en la cuenta de diaspora* alojada en %{pod_url}, lamentamos informarle que el sistema a marcado esta cuenta para que sea removida automaticamente. Esto sucede después de un periodo de inactividad mayor a %{after_days} días. + + Usted puede evitar perder la cuenta accediendo antes de %{remove_after}, en cuyo caso la remoción automática será cancelada. + + Este mantenimiento es realizado para asegurar a nuestros usuarios activos los recursos de la red diaspora*. Gracias por su comprensión. + + Si usted desea mantener su cuenta por favor acceda aquí: + %{login_url} + + Esperamos verlo nuevamente. + + El correo robot de Diaspora* + subject: "Su cuenta de Diaspora* ha sido marcada para dar de baja por inactividad" report_email: body: |- Hola, @@ -794,12 +851,11 @@ es-AR: password_confirmation: "Confirmación de contraseña" people: add_contact: - invited_by: "fuiste invitado por" + invited_by: "Fuiste invitado por" add_contact_small: - add_contact_from_tag: "añadir contacto desde una etiqueta" + add_contact_from_tag: "Agregar contacto desde una etiqueta" aspect_list: - edit_membership: "editar aspectos asociados" - few: "%{count} personas" + edit_membership: "Editar el Aspecto donde está el contacto" helper: is_not_sharing: "%{name} no está compartiendo con vos" is_sharing: "%{name} está compartiendo con vos" @@ -811,13 +867,12 @@ es-AR: no_results: "¡Che! Necesitás buscar algo." results_for: "Usuarios que coinciden con la búsqueda %{search_term}" search_handle: "Utiliza la ID de diaspora* (usuario@pod.tld) para estar seguro/a de que encontrarás a tus amigos." - searching: "buscando, por favor sé paciente…" + searching: "Buscando, por favor sé paciente..." send_invite: "¿Todavía nada? ¡Envía una invitación!" - many: "%{count} personas" one: "1 persona" other: "%{count} personas" person: - add_contact: "agregar contacto" + add_contact: "Agregar contacto" already_connected: "Ya estás conectado" pending_request: "Solicitud pendiente" thats_you: "¡Ése sos vos!" @@ -826,10 +881,10 @@ es-AR: born: "Fecha de nacimiento" edit_my_profile: "Editar mi perfil" gender: "Género/sexo" - in_aspects: "en aspectos" + in_aspects: "En aspectos" location: "Ubicación" photos: "Fotos" - remove_contact: "eliminar contacto" + remove_contact: "Eliminar contacto" remove_from: "¿Querés eliminar a %{name} de %{aspect}?" show: closed_account: "Esta cuenta ha sido cerrada." @@ -841,19 +896,18 @@ es-AR: message: "Mensaje" not_connected: "No estás conectado con esa persona" recent_posts: "Publicaciones recientes" - recent_public_posts: "Publicaciones al mundo recientes" + recent_public_posts: "Últimas publicaciones públicas" return_to_aspects: "Volver a tu página de aspectos" see_all: "Ver todo" - start_sharing: "comenzar a compartir" + start_sharing: "Comenzar a compartir" to_accept_or_ignore: "aceptar o ignorar." sub_header: add_some: "Agregar algo" - edit: "editar" - you_have_no_tags: "no tenes tags!" - two: "%{count} gente" + edit: "Editar" + you_have_no_tags: "¡No tenés etiquetas!" webfinger: fail: "Lo sentimos, no pudimos encontrar a %{handle}." - zero: "nadie" + zero: "No se encontró a nadie" photos: comment_email_subject: "La foto de %{name}" create: @@ -866,7 +920,7 @@ es-AR: editing: "Editando" new: back_to_list: "Volver a la lista" - new_photo: "Foto nueva" + new_photo: "Nueva foto" post_it: "¡Publicalo!" new_photo: empty: "{file} está vacío, por favor seleccioná archivos sin él." @@ -876,13 +930,13 @@ es-AR: or_select_one_existing: "o selecciona una %{photos} de las existentes" upload: "¡Subir una nueva foto de perfil!" photo: - view_all: "ver todas las fotos de %{name}" + view_all: "Ver todas las fotos de %{name}" show: - collection_permalink: "enlace permanente a la colección" + collection_permalink: "Enlace permanente a la colección" delete_photo: "Eliminar foto" - edit: "editar" + edit: "Editar" edit_delete_photo: "Editar descripción de foto / eliminar foto" - make_profile_photo: "convertir en foto de perfil" + make_profile_photo: "Convertir en foto de perfil" show_original_post: "Mostrar la publicación original" update_photo: "Actualizar foto" update: @@ -900,7 +954,7 @@ es-AR: other: "%{count} fotos de %{author}" zero: "Ninguna foto de %{author}" reshare_by: "Compartido por %{author}" - previous: "anterior" + previous: "Anterior" privacy: "Privacidad" privacy_policy: "Política de Privacidad" profile: "Perfil" @@ -923,7 +977,7 @@ es-AR: your_private_profile: "Tu perfil privado" your_public_profile: "Tu perfil público" your_tags: "Vos en 5 palabras" - your_tags_placeholder: "Por ejemplo #arte #panqueque #gatitos #música" + your_tags_placeholder: "Por ejemplo #arte #viajes #linux #música #cine" update: failed: "No pudo actualizarse el perfil" updated: "Perfil actualizado" @@ -948,29 +1002,26 @@ es-AR: update: "Actualizar" invalid_invite: "¡El enlace de la invitación ya no es válido!" new: - continue: "Continuar" create_my_account: "¡Crear mi cuenta!" - diaspora: "<3 diaspora*" - email: "CORREO ELECTRONICO" + email: "Correo electrónico" enter_email: "Ingresá un correo electrónico" enter_password: "Ingresa una contraseña (seis caracteres mínimo)" enter_password_again: "Repetí la misma contraseña" enter_username: "Elegí un nombre de usuario (sólo letras, números y guión bajo)" - hey_make: "HEY,
SIENTE LA
LIBERTAD." join_the_movement: "Unite al movimiento!" - password: "CONTRASEÑA" + password: "Contraseña" password_confirmation: "Confirmación de contraseña" - sign_up: "REGISTRARSE" + sign_up: "Registrarse" sign_up_message: "Redes Sociales con un <3" submitting: "Enviar" terms: "Con la creación de una cuenta aceptas los %{terms_link}." terms_link: "Términos de Servicio" - username: "NOMBRE DE USUARIO" + username: "Nombre de usuario" report: comment_label: "Comentario:
%{data}" confirm_deletion: "¿Está seguro de borrar el item?" delete_link: "Borrar item" - not_found: "La publicación/comentario no se ha encontrado. ¡Al parecer ha sido borrada por el usuario!" + not_found: "No se ha encontrado la publicación/comentario. ¡Al parecer ha sido borrada por el usuario!" post_label: "Publicación: %{title}" reason_label: "Motivo: %{text}" reported_label: "Reportada por %{person}" @@ -1012,9 +1063,9 @@ es-AR: one: "Compartido 1 vez" other: "Compartido %{count} veces" zero: "No compartido" - reshare_confirmation: "¿Compartir publicación de %{author}?" + reshare_confirmation: "¿Compartir la publicación de %{author}?" reshare_original: "Compartir orignial" - reshared_via: "compartido a través de" + reshared_via: "Compartido a través de" show_original: "Mostrar original " search: "Buscar" services: @@ -1026,19 +1077,19 @@ es-AR: destroy: success: "Autenticación eliminada." failure: - error: "hubo un error al conectar al servicio" + error: "Hubo un error al conectar con el servicio" finder: fetching_contacts: "diaspora* está trasladando tus contactos de %{service}, por favor regresa en unos minutos." no_friends: "No se han encontrado contactos de Facebook." - service_friends: "%{service} Amigos" + service_friends: "diaspora* se está llenando de tus amigos de %{service}, por favor regresa en unos minutos." index: connect_to_facebook: "Conectar a Facebook" connect_to_tumblr: "Conectar con Tumblr" connect_to_twitter: "Conectar a Twitter" - connect_to_wordpress: "Conectarse a Wordpress" - disconnect: "desconectar" + connect_to_wordpress: "Conectarse a WordPress" + disconnect: "Desconectar" edit_services: "Editar servicios" - logged_in_as: "conectado como" + logged_in_as: "Conectado como" no_services: "No conectaste ningún servicio todavía." really_disconnect: "¿Querés desconectarte de %{service}?" services_explanation: "Conectar con otros servicios te ofrece la posibilidad de publicar tus publicaciones a medida que las escribes en diaspora*." @@ -1046,14 +1097,14 @@ es-AR: click_link_to_accept_invitation: "Seguí este enlace para aceptar la invitación" join_me_on_diaspora: "Unite, nos vemos en diaspora*" remote_friend: - invite: "invitar" + invite: "Invitar" not_on_diaspora: "Todavía no está en diaspora*" - resend: "reenviar" + resend: "Reenviar" settings: "Configuración" share_visibilites: update: post_hidden_and_muted: "La publicación de %{name} ha sido ocultada y sus notificaciones desactivadas." - see_it_on_their_profile: "Si querés ver actualizaciones sobre este post, visitá la página del perfil de %{name}." + see_it_on_their_profile: "Si querés ver actualizaciones sobre esta publicación, visitá la página de perfil de %{name}." shared: add_contact: add_new_contact: "Añadir contacto" @@ -1064,6 +1115,8 @@ es-AR: your_diaspora_username_is: "Tu nombre de usuario de diaspora* es: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Añadir contacto" + mobile_row_checked: "%{name} (eliminar)" + mobile_row_unchecked: "%{name} (agregar)" toggle: one: "En %{count} aspecto" other: "En %{count} aspectos" @@ -1071,11 +1124,11 @@ es-AR: contact_list: all_contacts: "Todos los contactos" footer: - logged_in_as: "conectado como %{name}" - your_aspects: "tus aspectos" + logged_in_as: "Conectado como %{name}" + your_aspects: "Tus aspectos" invitations: by_email: "Vía correo electrónico" - dont_have_now: "No tenés ninguna invitación ahora, pero ¡pronto tendrás más!" + dont_have_now: "No tenés ninguna invitación por ahora, pero ¡pronto tendrás más!" from_facebook: "Desde Facebook" invitations_left: "quedan %{count}" invite_someone: "Invitá a alguien" @@ -1087,8 +1140,8 @@ es-AR: new: "Nueva %{type} de %{from}" public_explain: atom_feed: "canal Atom" - control_your_audience: "Controla tu Audiencia" - logged_in: "conectado a %{service}" + control_your_audience: "Controlá tu audiencia" + logged_in: "Conectado a %{service}" manage: "Gestionar servicios conectados" new_user_welcome_message: "Usa #hashtags para clasificar tus publicaciones y encontrar gente que comparte tus intereses. Llama a gente interesante usando las @Menciones" outside: "Las publicaciones públicas podrán ser vistas por otros fuera de diaspora*." @@ -1096,12 +1149,12 @@ es-AR: title: "Gestioná los servicios conectados" visibility_dropdown: "Usa este menú para cambiar la visibilidad de tu publicación. (Sugerimos hacer público el primero.)" publisher: - all: "todo" - all_contacts: "todos los contactos" + all: "Todo" + all_contacts: "Todos los contactos" discard_post: "Descartar publicación" formatWithMarkdown: "Puedes usar %{markdown_link} para darle formato a tu publicación" get_location: "Obtener tu ubicación" - make_public: "hacer público" + make_public: "Hacer público" new_user_prefill: hello: "#%{new_user_tag}, acabo de llegar aquí." i_like: " Tengo interés en %{tags}." @@ -1116,10 +1169,10 @@ es-AR: post_a_message_to: "Publicar un mensaje en %{aspect}" posting: "Publicando..." preview: "Vista previa" - publishing_to: "publicar en: " + publishing_to: "Publicar en: " remove_location: "Eliminar ubicación" share: "Compartir" - share_with: "compartir con" + share_with: "Compartir con" upload_photos: "Subir fotos" whats_on_your_mind: "¿Qué tenés en mente?" reshare: @@ -1136,8 +1189,8 @@ es-AR: shared_with: "Compartido con: %{aspect_names}" show: "Mostrar" unlike: "No me gusta" - via: "vía %{link}" - via_mobile: "vía celular" + via: "A través de %{link}" + via_mobile: "Desde el celular" viewable_to_anyone: "Esta publicación puede ser vista por cualquiera en la web" simple_captcha: label: "Ingresa el código en el recuadro de abajo" @@ -1146,6 +1199,21 @@ es-AR: failed: "Falló la verificación humana" user: "La imagen secreta y el código son diferentes" placeholder: "Ingresa el valor de la imagen" + statistics: + active_users_halfyear: "Usuarios activos en los últimos 6 meses" + active_users_monthly: "Usuarios activos en el último mes" + closed: "Cerrado" + disabled: "No disponible" + enabled: "Disponible" + local_comments: "Comentarios en el pod" + local_posts: "Publicaciones en el pod" + name: "Nombre" + network: "Red" + open: "Abierto" + registrations: "Usuarios registrados" + services: "Servicios" + total_users: "Usuarios totales" + version: "Versión" status_messages: create: success: "Se mencionó a: %{names}" @@ -1155,12 +1223,11 @@ es-AR: no_message_to_display: "No hay mensajes que mostrar." new: mentioning: "Mencionar a: %{person}" - too_long: - one: "Por favor, hacé que tu mensaje de estado tenga menos de %{count} caracter" - other: "Por favor, hacé que tu mensaje de estado tenga menos de %{count} caracteres" - zero: "Por favor, hacé que tu mensaje de estado tenga menos de %{count} caracteres" + too_long: "Por favor haz que tu mensaje de estado tenga menos de %{count} caracteres. En este momento el máximo permitido es de %{current_length} caracteres." stream_helper: hide_comments: "Ocultar comentarios" + no_more_posts: "No hay más posts, llegaste al final de la \"Entrada\"." + no_posts_yet: "Todavía no hay publicaciones." show_comments: few: "Mostrar %{count} comentarios más" many: "Mostrar %{count} comentarios más" @@ -1172,7 +1239,7 @@ es-AR: activity: title: "Mi actividad" aspects: - title: "Aspectos" + title: "Mis aspectos" aspects_stream: "Aspectos" comment_stream: contacts_title: "Personas que han comentado tu mensaje" @@ -1192,36 +1259,33 @@ es-AR: contacts_title: "Gente que te mencionó" title: "@Menciones" multi: - contacts_title: "Personas en tu Stream" + contacts_title: "Personas en tu Entrada" title: "Entrada" public: contacts_title: "Autores recientes" - title: "Actividad Pública" + title: "Actividad pública" tags: contacts_title: "Personas que usaron esta etiqueta" - tag_prefill_text: "Sobre %{tag_name}... " title: "Mensajes tagueados: %{tags}" tag_followings: create: failure: "No has podido seguir a #%{name}. Tal vez ya lo hagas..." none: "No se puedes seguir una etiqueta en blanco!" - success: "Ahora estás siguiendo a #%{name}." + success: "¡Bien ahí! Ahora estás siguiendo a #%{name}." destroy: failure: "No has podido dejar de seguir a: #%{name}. Tal vez ya lo hiciste..." - success: "Dejaste de seguir a #%{name}. " + success: "¡Epa! Dejaste de seguir a #%{name}." tags: + name_too_long: "Por favor haz que el nombre de la etiqueta tenga menos de %{count} caracteres. En este momento el máximo permitido es de %{current_length} caracteres." show: follow: "Seguir #%{tag}" - followed_by_people: - one: "Seguido por una persona" - other: "Seguido por %{count} personas" - zero: "Seguido por nadie" following: "Siguiendo #%{tag}" - nobody_talking: "Nadie está hablado sobre %{tag} todavía." none: "La etiqueta en blanco no existe!" - people_tagged_with: "Personas etiquetadas con %{tag}" - posts_tagged_with: "Publicaciones etiquetadas con #%{tag}" stop_following: "Dejar de seguir #%{tag}" + tagged_people: + one: "1 persona etiquetada con %{tag}" + other: "%{count} personas etiquetadas con %{tag}" + zero: "Ninguna persona etiquetada con %{tag}" terms_and_conditions: "Términos y Condiciones" undo: "¿Deshacer?" username: "Nombre de usuario" @@ -1231,11 +1295,11 @@ es-AR: email_not_confirmed: "El E-Mail no pudo ser activado. Link equivocado?" destroy: no_password: "Por favor, introduce tu contraseña actual para cerrar y destruir tu cuenta." - success: "Tu cuenta ha sido bloqueada. Nos puede tomar unos 20 minutos cerrar tu cuenta definitivamente. Te agradecemos por probar diaspora*." + success: "Tu cuenta ha sido bloqueada. Nos puede tomar unos 20 minutos cerrar tu cuenta definitivamente. Muchas gracias por probar diaspora*." wrong_password: "La contraseña ingresada no coincide con tu contraseña actual." edit: - also_commented: "...alguien también comenta en una publicación en la que comentaste?" - auto_follow_aspect: "Selecciona el aspecto al que se incluirán los usuarios a quienes sigues automáticamente:" + also_commented: "alguien también comenta en una publicación en la que comentaste" + auto_follow_aspect: "Selecciona el aspecto al que se incluirán los usuarios que sigues automáticamente:" auto_follow_back: "Seguir automáticamente a los usuarios que te sigan" change: "Cambiar" change_email: "Cambiar E-Mail" @@ -1243,31 +1307,38 @@ es-AR: change_password: "Cambiar contraseña" character_minimum_expl: "debe tener al menos seis caracteres" close_account: - dont_go: "Hey, por favor no te vayas!" - if_you_want_this: "Si realmente es lo que deseas, ingresa tu contraseña debajo y pulsa «Eliminar cuenta»." - lock_username: "Esto bloquerá tu nombre de usuario si decides volver a registrarte." - locked_out: "Saldrás y eliminarás tu cuenta." - make_diaspora_better: "Queremos que nos ayudes a mejorar diaspora*, así que deberías ayudarnos en vez de marcharte. Si en verdad quieres irte, queremos que sepas lo que sucede después." + dont_go: "Hey, ¡por favor no te vayas!" + if_you_want_this: "Si realmente es lo que deseás, ingresá tu contraseña debajo y pulsá «Eliminar cuenta»." + lock_username: "Tu nombre de usuario se ha bloqueado. No será posible crear una nueva cuenta con el mismo ID en este pod." + locked_out: "Se cerrará tu sesión y serás bloqueado hasta que tu cuenta sea eliminada." + make_diaspora_better: "Nos encantaría que te quedes y que nos ayudes a mejorar diaspora*. Pero, si en verdad querés irte, ésto es lo que va a suceder a continuación:" mr_wiggles: "El gatito estará triste por verte partir." - no_turning_back: "Actualmente, no hay vuelta atrás." - what_we_delete: "Eliminaremos todas tus publicaciones y datos de perfil tan pronto como sea humanamente posible. Tus comentarios seguirán en línea, pero asociados a tu dirección de diaspora*." + no_turning_back: "¡Ojo! No hay vuelta atrás. Si estás seguro, ingresá su contraseña." + what_we_delete: "Eliminaremos todas tus publicaciones y datos de perfil tan pronto como sea posible. Tus comentarios seguirán en línea, pero asociados a tu ID de diaspora* en lugar de tu nombre." close_account_text: "Cerrar cuenta" comment_on_post: "...comentan en una publicación tuya?" current_password: "Contraseña actual" current_password_expl: "con la que inicias sesión…" - download_photos: "descargar mis fotos" - download_xml: "decargar mi XML" + download_export: "Descargar mi perfil" + download_export_photos: "Descargar mis fotos" + download_photos: "Descargar mis fotos" edit_account: "Editar cuenta" email_awaiting_confirmation: "Te hemos enviado un link de activación a %{unconfirmed_email}. Hasta que sigas este link y actives la nueva dirección, continuaremos utilizando tu dirección original %{email}." export_data: "Exportar datos" + export_in_progress: "En este momento estamos procesando tus datos. Por favor regresa en unos minutos." + export_photos_in_progress: "En este momento estamos procesando tus fotos. Por favor vuelve a chequear en unos minutos." following: "Opciones de seguimiento" getting_started: "Preferencias de Nuevos Usuarios" + last_exported_at: "(Última actualización en %{timestamp})" liked: "...a alguien le gusta una publicación tuya?" mentioned: "...te mencionan en una publicación?" new_password: "Contraseña nueva" - photo_export_unavailable: "Exportar fotos actualmente no está disponible" private_message: "...recibís un mensaje privado?" receive_email_notifications: "¿Recibir notificaciones por correo electrónico cuando..." + request_export: "Solicitar los datos de mi perfil" + request_export_photos: "Solicitar la descarga de mis fotos" + request_export_photos_update: "Recargar mis fotos" + request_export_update: "Actualizar los datos de mi perfil" reshared: "...alguien compartió tu publicación?" show_community_spotlight: "¿Mostrar \"Comunidad Creativa\" en tu Entrada?" show_getting_started: "Volver a activar la Introducción de Ayuda" @@ -1280,8 +1351,8 @@ es-AR: awesome_take_me_to_diaspora: "¡Increíble! Llévame a diaspora*" community_welcome: "¡La comunidad de diaspora* está feliz de tenerte a bordo!" connect_to_facebook: "Podemos acelerar un poco las cosas con un %{link} a diaspora*. Esto extraerá tu nombre y foto, y habilitará la publicación cruzada." - connect_to_facebook_link: "conectando tu cuenta de Facebook" - hashtag_explanation: "Las etiquetas te permiten seguir y hablar sobre tus intereses. También son una gran manera de encontrar gente nueva en diaspora*." + connect_to_facebook_link: "Conectando tu cuenta de Facebook" + hashtag_explanation: "Las etiquetas te permiten seguir y hablar sobre tus intereses. También son una gran manera de encontrar gente interesante y divertida en diaspora*." hashtag_suggestions: "Probá siguiendo tags como #arte, #películas, #activismo, #geek." saved: "¡Guardado!" well_hello_there: "Bueno, ¡hola!" @@ -1289,7 +1360,9 @@ es-AR: who_are_you: "¿Quién sos?" privacy_settings: ignored_users: "Usuarios ignorados" + no_user_ignored_message: "En este momento no estás ignorando a ningún otro usuario" stop_ignoring: "Dejar de ignorar" + strip_exif: "Evita metadatos como la ubicación, autor y modelo de cámara de fotos en las imágenes subidas (recomendado)" title: "Configuración de Privacidad" public: does_not_exist: "¡El usuariuo %{username} no existe!" @@ -1307,10 +1380,10 @@ es-AR: unconfirmed_email_not_changed: "El cambio de E-Mail fallo" webfinger: fetch_failed: "No pudo encontrarse el perfil webfinger de %{profile_url}" - hcard_fetch_failed: "Hubo un problema al buscar el 'hcard' de %{account}" + hcard_fetch_failed: "Hubo un problema al buscar el \"hcard\" de %{account}" no_person_constructed: "No pudo crearse ninguna persona a partir de esta 'hcard'." not_enabled: "Parece que webfinger no está habilitado para el servidor de %{account}" - xrd_fetch_failed: "Hubo un error al buscar el 'xrd' de %{account}" + xrd_fetch_failed: "Hubo un error al buscar el \"xrd\" de %{account}" welcome: "¡Bienvenido!" will_paginate: next_label: "siguiente »" diff --git a/config/locales/diaspora/es-BO.yml b/config/locales/diaspora/es-BO.yml index a524d75ec..bc482f80c 100644 --- a/config/locales/diaspora/es-BO.yml +++ b/config/locales/diaspora/es-BO.yml @@ -53,8 +53,6 @@ es-BO: add_to_aspect: failure: "Error al añadir el contacto al aspecto." success: "Contacto añadido exitosamente al aspecto." - aspect_contacts: - done_editing: "editado" aspect_listings: add_an_aspect: "+ Añadir un aspecto" deselect_all: "Anular selección" @@ -69,21 +67,14 @@ es-BO: failure: "%{name} no esta vacio y no pudo ser eliminado." success: "%{name} ha sido eliminado con éxito." edit: - add_existing: "Añade un contacto existente" aspect_list_is_not_visible: "la lista de aspectos está oculta a otros en este aspecto" aspect_list_is_visible: "la lista de contactos del aspecto es visible" confirm_remove_aspect: "¿Estás seguro de que quieres eliminar este aspecto?" - done: "Hecho" make_aspect_list_visible: "¿hacer que los contactos en este aspecto puedan verse entre ellos?" remove_aspect: "Eliminar este aspecto" rename: "Cambiar nombre" update: "actualizar" updating: "actualizando" - few: "%{count} aspectos" - helper: - are_you_sure: "¿Estás seguro de querer borrar este aspecto?" - aspect_not_empty: "El aspecto no está vacío" - remove: "eliminar" index: donate: "Donar" handle_explanation: "Esta es tu dirección de Diaspora. Como una dirección de correo electrónico, puedes dársela a la gente para que te encuentre." @@ -93,10 +84,6 @@ es-BO: post_a_message: "publica un mensaje >>" unfollow_tag: "Dejar de seguir #%{tag}" welcome_to_diaspora: "Bienvenido a Diaspora, %{name}!" - many: "%{count} aspectos" - move_contact: - error: "Error moviendo contacto: %{inspect}" - success: "La persona fue movida al nuevo aspecto" new: create: "Crear" name: "Nombre (solo es visible para tí)" @@ -114,14 +101,6 @@ es-BO: family: "Familia" friends: "Amigos" work: "Trabajo" - selected_contacts: - manage_your_aspects: "Administra tus aspectos" - no_contacts: "Todavía no tienes ningún contacto aquí." - view_all_community_spotlight: "Ver lo más destacado de la comunidad" - view_all_contacts: "Ver todos los contactos" - show: - edit_aspect: "editar aspecto" - two: "%{count} aspectos" update: failure: "Tu aspecto, %{name}, tiene un nombre muy largo para ser guardado." success: "Tu aspecto %{name}, ha sido editado con éxito." diff --git a/config/locales/diaspora/es-CL.yml b/config/locales/diaspora/es-CL.yml index 7c3c2f0de..54ad70f96 100644 --- a/config/locales/diaspora/es-CL.yml +++ b/config/locales/diaspora/es-CL.yml @@ -86,7 +86,8 @@ es-CL: one: "%{count} usuario encontrado" other: "%{count} usuarios encontrados" zero: "Ningún usuario encontrado" - you_currently: "Actualmente tienes %{user_invitation} invitaciones %{link}" + you_currently: + other: "Actualmente tienes %{user_invitation} invitaciones %{link}" weekly_user_stats: amount_of: one: "Número de usuarios esta semana: %{count} usuario" @@ -111,8 +112,6 @@ es-CL: add_to_aspect: failure: "Error al agregar el contacto a este aspecto." success: "Contacto agregado correctamente al aspecto." - aspect_contacts: - done_editing: "Aceptar" aspect_listings: add_an_aspect: "+ Añadir un aspecto" deselect_all: "Desmarcar todo" @@ -131,21 +130,14 @@ es-CL: failure: "El aspecto %{name} no esta vacío y no se puede eliminar." success: "%{name} fue correctamente eliminado." edit: - add_existing: "Agregar un contacto existente" aspect_list_is_not_visible: "Lista de contactos oculta para los demás en el Aspecto" aspect_list_is_visible: "Lista de contactos visible para los demás en el Aspecto" confirm_remove_aspect: "¿Estás seguro que quieres eliminar este aspecto?" - done: "Listo" make_aspect_list_visible: "hacer visible el aspecto?" remove_aspect: "Eliminar este aspecto" rename: "renombrar" update: "Actualizar" updating: "actualizando" - few: "%{count} aspectos" - helper: - are_you_sure: "¿Estás seguro que quieres eliminar este aspecto?" - aspect_not_empty: "El aspecto no está vacío" - remove: "eliminar" index: diaspora_id: content_1: "Tu ID de Diaspora es:" @@ -186,11 +178,6 @@ es-CL: heading: "Servicios que puedes enlazar" unfollow_tag: "Dejar de seguir #%{tag}" welcome_to_diaspora: "Bienvenido a Diaspora, %{name}!" - many: "%{count} aspectos" - move_contact: - error: "Error al mover el contacto: %{inspect}" - failure: "no funcionó %{inspect}" - success: "Persona movida al nuevo aspecto" new: create: "Crear" name: "Nombre(solo visible para ti)" @@ -208,14 +195,6 @@ es-CL: family: "Familia" friends: "Amigos" work: "Trabajo" - selected_contacts: - manage_your_aspects: "Organiza tus aspectos." - no_contacts: "Todavía no tienes ningún contacto aquí." - view_all_community_spotlight: "Ver todos los focos de atención de la comunidad" - view_all_contacts: "Ver todos los contactos" - show: - edit_aspect: "editar aspecto" - two: "%{count} aspectos" update: failure: "Tu aspecto, %{name}, tenía el nombre muy largo para ser guardado." success: "Tu aspecto, %{name}, ha sido correctamente editado." @@ -235,36 +214,27 @@ es-CL: post_success: "Posteado! Cerrando!" cancel: "Cancelar" comments: - few: "%{count} comentarios" - many: "%{count} comentarios" new_comment: comment: "Comentar" commenting: "Comentando..." one: "1 comentario" other: "%{count} comentarios" - two: "%{count} comentarios" zero: "no hay comentarios" contacts: create: failure: "Error al crear contacto" - few: "%{count} contactos" index: add_a_new_aspect: "Agregar un nuevo aspecto" add_to_aspect: "Añadir contactos a %{name}" - add_to_aspect_link: "añadir contactos a %{name}" all_contacts: "Todos los Contactos" community_spotlight: "Comunidad Creativa" - many_people_are_you_sure: "Estas seguro que quieres iniciar una conversación privada con más de %{suggested_limit} contactos? Postear algo en este aspecto quizás sea una mejor manera de contactarte con ellos." my_contacts: "Mis Contactos" no_contacts: "Parece que necesitas agregar algunos contactos!" no_contacts_message: "Echa un vistazo a %{community_spotlight}" - no_contacts_message_with_aspect: "Echa un vistazo a %{community_spotlight} o %{add_to_aspect_link}" only_sharing_with_me: "Solo compartiendo conmigo" - remove_person_from_aspect: "Eliminar a %{person_name} de \"%{aspect_name}\"" start_a_conversation: "Comenzar una conversación" title: "Contactos" your_contacts: "Tus Contactos" - many: "%{count} contactos" one: "1 contacto" other: "%{count} contactos" sharing: @@ -272,7 +242,6 @@ es-CL: spotlight: community_spotlight: "Comunidad Creativa" suggest_member: "Sugiere un usuario" - two: "%{count} contactos" zero: "contactos" conversations: conversation: @@ -281,8 +250,6 @@ es-CL: fail: "Mensaje invalido" no_contact: "¡Tranquilo, primero tienes que añadir el contacto!" sent: "Mensaje enviado" - destroy: - success: "Conversación eliminada exitosamente" helper: new_messages: few: "%{count} nuevos mensajes" @@ -689,7 +656,6 @@ es-CL: add_contact_from_tag: "agrega un contacto desde una etiqueta" aspect_list: edit_membership: "Editar el Aspecto donde está el contacto" - few: "%{count} personas" helper: is_not_sharing: "%{name} no está compartiendo contigo" is_sharing: "%{name} está compartiendo contigo" @@ -700,7 +666,6 @@ es-CL: no_results: "¡Oye! Tienes que buscar algo." results_for: "resultados de búsqueda para" searching: "Buscando, por favor sé paciente..." - many: "%{count} personas" one: "1 persona" other: "%{count} personas" person: @@ -737,7 +702,6 @@ es-CL: add_some: "Agrega algunos" edit: "editar" you_have_no_tags: "No tienes ningún tag!" - two: "%{count} personas" webfinger: fail: "Lo siento, no pudimos encontrar %{handle}." zero: "ninguna persona" @@ -835,15 +799,12 @@ es-CL: update: "Actualizar" invalid_invite: "¡El enlace de invitación ya no es válido!" new: - continue: "Continuar" create_my_account: "¡Crear mi cuenta!" - diaspora: "<3 diaspora*" email: "Correo Electrónico" enter_email: "Ingresa un email" enter_password: "Ingresar contraseña" enter_password_again: "Ingresa la misma contraseña anterior" enter_username: "Escoge un nick (solo letras, números, y guión bajo)" - hey_make: "OYE,
HAZ
ALGO." join_the_movement: "Unete al movimiento!" password: "Contraseña" password_confirmation: "Confirme Contraseña" @@ -1014,13 +975,7 @@ es-CL: no_message_to_display: "No hay mensaje que mostrar." new: mentioning: "Mencionar a: %{person}" - too_long: - few: "Tu mensaje de estado debe tener menos de %{count} caracteres" - many: "Tu mensaje de estado debe tener menos de %{count} caracteres" - one: "Tu mensaje de estado debe tener menos de %{count} caracter" - other: "Tu mensaje de estado debe tener menos de %{count} caracteres" - two: "tu mensaje de estado tiene que tener menos de %{count} caracteres" - zero: "Tu mensaje de estado debe tener menos de %{count} caracteres" + too_long: "{\"few\"=>\"Tu mensaje de estado debe tener menos de %{count} caracteres\", \"many\"=>\"Tu mensaje de estado debe tener menos de %{count} caracteres\", \"one\"=>\"Tu mensaje de estado debe tener menos de %{count} caracter\", \"other\"=>\"Tu mensaje de estado debe tener menos de %{count} caracteres\", \"two\"=>\"tu mensaje de estado tiene que tener menos de %{count} caracteres\", \"zero\"=>\"Tu mensaje de estado debe tener menos de %{count} caracteres\"}" stream_helper: hide_comments: "ocultar todos los comentarios" show_comments: @@ -1061,7 +1016,6 @@ es-CL: title: "Actividad publica" tags: contacts_title: "Gente que usa este tag" - tag_prefill_text: "La cosa sobre %{tag_name} es... " title: "Posts con el tag: %{tags}" tag_followings: create: @@ -1075,10 +1029,7 @@ es-CL: show: follow: "Seguir a #%{tag}" following: "Siguiendo a #%{tag}" - nobody_talking: "Todavía nadie habla de %{tag}." none: "¡La etiqueta vacía no existe!" - people_tagged_with: "Personas etiquetadas en %{tag}" - posts_tagged_with: "Posts etiquetados con #%{tag}" stop_following: "Dejar de seguir a #%{tag}" terms_and_conditions: "Términos y Condiciones" undo: "Deshacer?" @@ -1114,7 +1065,6 @@ es-CL: current_password: "Contraseña actual" current_password_expl: "con la que inicias sesión…" download_photos: "descargar mis fotos" - download_xml: "descargar mi xml" edit_account: "Editar cuenta" email_awaiting_confirmation: "Te enviamos un link de activación a %{unconfirmed_email}. Hasta que sigas ese link y actives la nueva dirección, nosotros seguiremos usando tu dirección original %{email}." export_data: "Exportar Datos" @@ -1123,7 +1073,6 @@ es-CL: liked: "...a alguien le gusta tu post?" mentioned: "...te mencionan en un post?" new_password: "Nueva Contraseña" - photo_export_unavailable: "Exportar fotos actualmente inaccesible" private_message: "...recibes un mensaje privado?" receive_email_notifications: "Recibir notificaciones por correo electrónico cuando..." reshared: "...alguien comparte tu post?" diff --git a/config/locales/diaspora/es-CO.yml b/config/locales/diaspora/es-CO.yml index 4936279a5..eece7bdca 100644 --- a/config/locales/diaspora/es-CO.yml +++ b/config/locales/diaspora/es-CO.yml @@ -58,8 +58,6 @@ es-CO: add_to_aspect: failure: "Error al añadir el contacto al aspecto." success: "Contacto añadido exitosamente al aspecto." - aspect_contacts: - done_editing: "edición finalizada" aspect_listings: add_an_aspect: "+ Añadir un aspecto" deselect_all: "No seleccionar nada" @@ -77,21 +75,14 @@ es-CO: failure: "%{name} no está vacío y no puede ser eliminado." success: "%{name} fue eliminado exitosamente." edit: - add_existing: "Añade un contacto existente" aspect_list_is_not_visible: "La lista de aspectos permanece oculta a los demás en este aspecto" aspect_list_is_visible: "La lista de aspectos es visible a los demás en este aspecto" confirm_remove_aspect: "¿Estás seguro que quieres eliminar este aspecto?" - done: "Hecho" make_aspect_list_visible: "¿Hacer visibles entre ellos a los contactos de este aspecto?" remove_aspect: "Eliminar este aspecto" rename: "renombrar" update: "actualizar" updating: "actualizando" - few: "%{count} aspectos" - helper: - are_you_sure: "¿Estás seguro que quieres eliminar este aspecto?" - aspect_not_empty: "El aspecto no está vacío" - remove: "eliminar" index: diaspora_id: content_1: "Tu ID de Diaspora es:" @@ -124,11 +115,6 @@ es-CO: heading: "Conectar Servicios" unfollow_tag: "Dejar de seguir #%{tag}" welcome_to_diaspora: "¡Bienvenido/a a Diaspora, %{name}!" - many: "%{count} aspectos" - move_contact: - error: "Error moviendo el contacto: %{inspect}" - failure: "%{inspect} no funcionó" - success: "La persona fue movida al nuevo aspecto" new: create: "Crear" name: "Nombre (solo es visible para ti)" @@ -146,14 +132,6 @@ es-CO: family: "Familia" friends: "Amigos" work: "Trabajo" - selected_contacts: - manage_your_aspects: "Gestiona tus aspectos." - no_contacts: "Todavía no tienes ningún contacto aquí." - view_all_community_spotlight: "Ver lo más destacado de la comunidad" - view_all_contacts: "Ver todos los contactos" - show: - edit_aspect: "editar aspecto" - two: "%{count} aspectos" update: failure: "Tu aspecto, %{name}, tenía un nombre muy largo para ser guardado." success: "Tu aspecto, %{name}, fue editado exitosamente." @@ -166,50 +144,38 @@ es-CO: post_success: "¡Publicado! ¡Cerrando!" cancel: "Cancelar" comments: - few: "%{count} comentarios" - many: "%{count} comentarios" new_comment: comment: "Comenta" commenting: "Comentando…" one: "1 comentario" other: "%{count} comentarios" - two: "%{count} comentarios" zero: "no hay comentarios" contacts: create: failure: "No se pudo crear el contacto" - few: "%{count} contactos" index: add_a_new_aspect: "Añade un nuevo aspecto" add_to_aspect: "Añade contactos a %{name}" - add_to_aspect_link: "añade contactos a %{name}" all_contacts: "Todos los Contactos" community_spotlight: "Comunidad Creativa" - many_people_are_you_sure: "¿Estás seguro de que quieres iniciar una conversación privada con más de %{suggested_limit} contactos? Publicar en este aspecto puede ser una mejor manera de contactar con ellos." my_contacts: "Mis Contactos" no_contacts: "¡Parece que necesitas añadir algunos contactos!" no_contacts_message: "Echa un vistazo a %{community_spotlight}" - no_contacts_message_with_aspect: "Echa un vistazo a %{community_spotlight} o %{add_to_aspect_link}" only_sharing_with_me: "Compartiendo solo conmigo" - remove_person_from_aspect: "Eliminar a %{person_name} de \"%{aspect_name}\"" start_a_conversation: "Inicia una conversación" title: "Contactos" your_contacts: "Tus Contactos" - many: "%{count} contactos" one: "1 contacto" other: "%{count} contactos" sharing: people_sharing: "Personas que comparten contigo:" spotlight: community_spotlight: "Comunidad Creativa" - two: "%{count} contactos" zero: "contactos" conversations: create: fail: "Mensaje inválido" sent: "Mensaje enviado" - destroy: - success: "Conversación eliminada exitosamente" helper: new_messages: one: "%{count} mensaje nuevo" @@ -374,7 +340,6 @@ es-CO: add_contact_from_tag: "añadir contacto desde una etiqueta" aspect_list: edit_membership: "editar miembros del aspecto" - few: "%{count} personas" helper: results_for: " resultados para %{params}" index: @@ -382,7 +347,6 @@ es-CO: no_one_found: "…no se encontró a nadie." no_results: "¡Oye! Necesitas buscar algo." results_for: "buscar resultados para" - many: "%{count} personas" one: "1 persona" other: "%{count} personas" person: @@ -418,7 +382,6 @@ es-CO: add_some: "agregar algunas" edit: "editar" you_have_no_tags: "¡no tienes etiquetas!" - two: "%{count} personas" webfinger: fail: "Perdón, no pudimos encontrar %{handle}." zero: "Sin personas" diff --git a/config/locales/diaspora/es-MX.yml b/config/locales/diaspora/es-MX.yml index d78f1f796..bebfd25cf 100644 --- a/config/locales/diaspora/es-MX.yml +++ b/config/locales/diaspora/es-MX.yml @@ -86,7 +86,8 @@ es-MX: one: "Un usuario encontrado" other: "%{count} usuarios encontrados" zero: "Ningún usuario encontrado" - you_currently: "Actuamente tienes %{user_invitation} invitaciones para enviar %{link}" + you_currently: + other: "Actuamente tienes %{user_invitation} invitaciones para enviar %{link}" weekly_user_stats: amount_of: one: "cantidad de usuarios nuevos esta semana: %{count}" @@ -111,8 +112,6 @@ es-MX: add_to_aspect: failure: "Error al añadir el contacto al aspecto." success: "Contacto añadido exitosamente al aspecto." - aspect_contacts: - done_editing: "editado" aspect_listings: add_an_aspect: "+ Agregar un aspecto" deselect_all: "Desmarcar todos" @@ -131,23 +130,15 @@ es-MX: failure: "%{name} no está vacío y no puede ser eliminado." success: "%{name} fue eliminado exitosamente." edit: - add_existing: "Añade un contacto existente" aspect_list_is_not_visible: "Los contactos en este aspecto no pueden verse entre sí." aspect_list_is_visible: "Los contactos en este aspecto pueden verse entre sí." confirm_remove_aspect: "¿Estás seguro de que quieres eliminar este aspecto?" - done: "Hecho" make_aspect_list_visible: "¿Hacer visibles entre ellos a los contactos de este aspecto?" - manage: "Gestionar" remove_aspect: "Eliminar este aspecto" rename: "renombrar" set_visibility: "Establecer visibilidad" update: "actualizar" updating: "actualizando" - few: "%{count} aspectos" - helper: - are_you_sure: "¿Estás seguro de que quieres eliminar este aspecto?" - aspect_not_empty: "El aspecto no está vacío" - remove: "quitar" index: diaspora_id: content_1: "Tu ID de Diaspora es:" @@ -188,11 +179,6 @@ es-MX: heading: "Conectar servicios" unfollow_tag: "Dejar de seguir #%{tag}" welcome_to_diaspora: "¡Bienvenido/a a Diaspora, %{name}!" - many: "%{count} aspectos" - move_contact: - error: "Error al mover el contacto: %{inspect}" - failure: "%{inspect} no funcionó" - success: "La persona fue movida al nuevo aspecto" new: create: "Crear" name: "Nombre (solo es visible para ti)" @@ -210,14 +196,6 @@ es-MX: family: "Familia" friends: "Amigos" work: "Trabajo" - selected_contacts: - manage_your_aspects: "Gestiona tus aspectos." - no_contacts: "Todavía no tienes ningún contacto aquí." - view_all_community_spotlight: "Ver lo más destacado de la comunidad" - view_all_contacts: "Ver todos los contactos" - show: - edit_aspect: "editar aspecto" - two: "%{count} aspectos" update: failure: "Tu aspecto, %{name}, tenía un nombre muy largo para ser guardado." success: "Tu aspecto, %{name}, fue editado exitosamente." @@ -237,36 +215,27 @@ es-MX: post_success: "¡Publicado! ¡Cerrando!" cancel: "Cancelar" comments: - few: "%{count} comentarios" - many: "%{count} comentarios" new_comment: comment: "Comentar" commenting: "Comentando…" one: "1 comentario" other: "%{count} comentarios" - two: "%{count} comentarios" zero: "no hay comentarios" contacts: create: failure: "No se pudo crear el contacto" - few: "%{count} contactos" index: add_a_new_aspect: "Añade un nuevo aspecto" add_to_aspect: "Añade contactos a %{name}" - add_to_aspect_link: "Añade contactos a %{name}" all_contacts: "Todos los contactos" community_spotlight: "Lo más destacado de la comunidad" - many_people_are_you_sure: "¿Estás seguro de que quieres iniciar una conversación privada con más de %{suggested_limit} contactos? Publicar en este aspecto puede ser una mejor manera de contactar con ellos." my_contacts: "Mis contactos" no_contacts: "¡Parece que necesitas añadir algunos contactos!" no_contacts_message: "Echa un vistazo a %{community_spotlight}" - no_contacts_message_with_aspect: "Echa un vistazo a %{community_spotlight} o %{add_to_aspect_link}" only_sharing_with_me: "Compartiendo solo conmigo" - remove_person_from_aspect: "Eliminar a %{person_name} de \"%{aspect_name}\"" start_a_conversation: "Inicia una conversación" title: "Contactos" your_contacts: "Tus contactos" - many: "%{count} contactos" one: "1 contacto" other: "%{count} contactos" sharing: @@ -274,7 +243,6 @@ es-MX: spotlight: community_spotlight: "Lo más destacado de la comunidad" suggest_member: "Sugiere a un miembro" - two: "%{count} contactos" zero: "contactos" conversations: conversation: @@ -283,8 +251,6 @@ es-MX: fail: "Mensaje inválido" no_contact: "¡Eh, primero necesitas añadir al contacto!" sent: "Mensaje enviado" - destroy: - success: "Conversación eliminada exitosamente" helper: new_messages: one: "Un mensaje nuevo" @@ -693,7 +659,6 @@ es-MX: add_contact_from_tag: "añadir contacto desde una etiqueta" aspect_list: edit_membership: "editar aspecto asociado" - few: "%{count} personas" helper: is_not_sharing: "%{name} no está compartiendo contigo" is_sharing: "%{name} está compartiendo contigo" @@ -704,7 +669,6 @@ es-MX: no_results: "¡Eh! Necesitas buscar algo." results_for: "buscar resultados para" searching: "buscando, por favor sé paciente…" - many: "%{count} personas" one: "1 persona" other: "%{count} personas" person: @@ -741,7 +705,6 @@ es-MX: add_some: "agregar algunas" edit: "editar" you_have_no_tags: "¡no tienes etiquetas!" - two: "%{count} personas" webfinger: fail: "Perdón, no pudimos encontrar %{handle}." zero: "ninguna persona" @@ -836,15 +799,12 @@ es-MX: update: "Actualizar" invalid_invite: "¡El enlace de invitación que proporcionaste ya no es válido!" new: - continue: "Continuar" create_my_account: "¡Crear mi cuenta!" - diaspora: "<3 diaspora*" email: "CORREO ELECTRÓNICO" enter_email: "Ingresa un correo electrónico" enter_password: "Elige una contraseña (mínimo seis caracteres)" enter_password_again: "Ingresa de nuevo la misma contraseña" enter_username: "Elige un nombre de usuario (solo letras, números o guiones bajos)" - hey_make: "EH,
HAZ
ALGO." join_the_movement: "¡Únete al movimiento!" password: "CONTRASEÑA" password_confirmation: "CONFIRMACIÓN DE CONTRASEÑA" @@ -1016,10 +976,7 @@ es-MX: no_message_to_display: "No hay mensaje que mostrar." new: mentioning: "Mencionar a: %{person}" - too_long: - one: "por favor, haz que tu mensaje de estado tenga un carácter menos" - other: "por favor, haz que tu mensaje de estado tenga %{count} caracteres menos" - zero: "por favor, haz que tu mensaje de estado tenga %{count} caracteres menos" + too_long: "{\"one\"=>\"por favor, haz que tu mensaje de estado tenga un carácter menos\", \"other\"=>\"por favor, haz que tu mensaje de estado tenga %{count} caracteres menos\", \"zero\"=>\"por favor, haz que tu mensaje de estado tenga %{count} caracteres menos\"}" stream_helper: hide_comments: "Ocultar todos los comentarios" show_comments: @@ -1057,7 +1014,6 @@ es-MX: title: "Actividad pública" tags: contacts_title: "Personas que buscaron en esta etiqueta" - tag_prefill_text: "Lo que pasa con %{tag_name} es… " title: "Publicaciones etiquetadas: %{tags}" tag_followings: create: @@ -1070,15 +1026,8 @@ es-MX: tags: show: follow: "Seguir #%{tag}" - followed_by_people: - one: "seguida por una persona" - other: "seguida por %{count} personas" - zero: "seguida por nadie" following: "Siguiendo #%{tag}" - nobody_talking: "Nadie está hablando acerca de %{tag} todavía." none: "¡La etiqueta vacía no existe!" - people_tagged_with: "Personas etiquetadas con %{tag}" - posts_tagged_with: "Publicaciones etiquetadas con #%{tag}" stop_following: "Dejar de seguir #%{tag}" terms_and_conditions: "Términos y condiciones" undo: "¿Deshacer?" @@ -1114,7 +1063,6 @@ es-MX: current_password: "Contraseña actual" current_password_expl: "con la que inicias sesión…" download_photos: "Descargar mis fotos" - download_xml: "Descargar mi XML" edit_account: "Editar cuenta" email_awaiting_confirmation: "Te hemos enviado un enlace de activación a %{unconfirmed_email}. Hasta que sigas este enlace y actives la nueva dirección, continuaremos usando tu dirección original %{email}." export_data: "Exportar datos" @@ -1123,7 +1071,6 @@ es-MX: liked: "A alguien le gusta tu publicación." mentioned: "Te mencionan en una publicación." new_password: "Nueva contraseña" - photo_export_unavailable: "Exportar fotos no está disponible actualmente" private_message: "Recibes un mensaje privado." receive_email_notifications: "Recibir notificaciones por correo electrónico cuando:" reshared: "Alguien comparte tu publicación." diff --git a/config/locales/diaspora/es.yml b/config/locales/diaspora/es.yml index 89847b651..30d7bd4e1 100644 --- a/config/locales/diaspora/es.yml +++ b/config/locales/diaspora/es.yml @@ -12,7 +12,7 @@ es: _home: "Inicio" _photos: "Fotos" _services: "Servicios" - _terms: "" + _statistics: "Estadísticas" account: "Cuenta" activerecord: errors: @@ -40,7 +40,7 @@ es: reshare: attributes: root_guid: - taken: "Que bien, ¿eh? Has compartido esa publicación." + taken: "Es buena, ¿eh? ¡Ya habías compartido esa publicación!" user: attributes: email: @@ -54,7 +54,7 @@ es: admin_bar: correlations: "Similitudes" pages: "Páginas" - pod_stats: "Estadísticas del Servidor" + pod_stats: "Estadísticas del servidor" report: "Informes" sidekiq_monitor: "Monitor Sidekiq" user_search: "Buscar usuario" @@ -62,7 +62,7 @@ es: correlations: correlations_count: "Cuentas similares:" stats: - 2weeks: "2 Semanas" + 2weeks: "2 semanas" 50_most: "Las 50 etiquetas más leídas." comments: one: "%{count} comentario" @@ -103,8 +103,12 @@ es: : sí user_search: account_closing_scheduled: "El cierre de la cuenta de %{name} se ha añadido a la lista de tareas. Será procesado en unos minutos..." - add_invites: "añadir invitaciones" + account_locking_scheduled: "Se ha programado el bloqueo de la cuenta de %{name}. Se realizará en unos instantes..." + account_unlocking_scheduled: "Se ha programado el desbloqueo de la cuenta de %{name}. Se realizará en unos instantes..." + add_invites: "Añadir invitaciones" are_you_sure: "¿Estás seguro de que quieres eliminar tu cuenta?" + are_you_sure_lock_account: "¿Estás seguro de que quieres bloquear esta cuenta?" + are_you_sure_unlock_account: "¿Estás seguro de que quieres desbloquear esta cuenta?" close_account: "cerrar cuenta" email_to: "Correo electrónico a invitar" under_13: "Mostrar usuarios menores de 13 años (COPPA)" @@ -127,22 +131,20 @@ es: all_aspects: "Todos los aspectos" application: helper: - unknown_person: "persona desconocida" + unknown_person: "Persona desconocida" video_title: unknown: "Título de vídeo desconocido" are_you_sure: "¿Estás seguro?" are_you_sure_delete_account: "¿Seguro que quieres eliminar tu cuenta? ¡Esto no se podrá deshacer!" aspect_memberships: destroy: - failure: "No se pudo quitar a la persona del aspecto" + failure: "No se pudo quitar a la persona del aspecto." no_membership: "No se pudo encontrar a la persona seleccionada en ese aspecto" - success: "Se ha quitado con éxito a la persona del aspecto" + success: "Se ha quitado correctamente a la persona del aspecto" aspects: add_to_aspect: failure: "Error añadiendo el contacto al aspecto." success: "Contacto añadido con éxito al aspecto." - aspect_contacts: - done_editing: "editado" aspect_listings: add_an_aspect: "+ Añade un aspecto" deselect_all: "Desmarcar todos" @@ -150,7 +152,7 @@ es: select_all: "Marcar todos" aspect_stream: make_something: "Haz algo" - stay_updated: "Mantente Actualizado" + stay_updated: "Mantente actualizado" stay_updated_explanation: "Tu página principal la forman todos tus contactos, las etiquetas que sigues, y si lo deseas, las publicaciones de diferentes miembros creativos de la comunidad." contacts_not_visible: "Los contactos en este aspecto no podrán verse entre ellos." contacts_visible: "Los contactos de este aspecto podrán verse entre ellos." @@ -161,23 +163,18 @@ es: failure: "El aspecto %{name} no está vacío y no pudo ser borrado." success: "%{name} fue eliminado con éxito." edit: - add_existing: "Añade un contacto existente" + aspect_chat_is_enabled: "Los contactos de este grupo pueden chatear contigo." + aspect_chat_is_not_enabled: "Los contactos de este grupo no pueden chatear contigo." aspect_list_is_not_visible: "Los contactos en este aspecto no son capaces de verse entre sí." aspect_list_is_visible: "Los contactos en este aspecto son capaces de verse entre sí." confirm_remove_aspect: "¿Seguro que quieres eliminar este aspecto?" - done: "Listo" + grant_contacts_chat_privilege: "¿conceder privilegio a los contactos de este aspecto para poder chatear?" make_aspect_list_visible: "Permitir que estos contactos puedan ver quien más hay en este aspecto." - manage: "Gestionar" remove_aspect: "Eliminar este aspecto" rename: "Renombrar" set_visibility: "Configurar Visibilidad" - update: "actualizar" - updating: "actualizando" - few: "%{count} aspectos" - helper: - are_you_sure: "¿Seguro que quieres eliminar este aspecto?" - aspect_not_empty: "El aspecto no está vacío" - remove: "eliminar" + update: "Actualizar" + updating: "Actualizando" index: diaspora_id: content_1: "Tu ID de Diaspora* es:" @@ -196,7 +193,7 @@ es: have_a_question: "... tienes %{link}?" here_to_help: "¡La comunidad Diaspora* está aquí!" mail_podmin: "Correo del podmin (administrador de pod)" - need_help: "Ayuda" + need_help: "¿Necesitas ayuda?" tag_bug: "error" tag_feature: "idea" tag_question: "pregunta" @@ -208,26 +205,21 @@ es: new_here: follow: "¡Sigue %{link} y da la bienvenida a los nuevos miembros de Diaspora*!" learn_more: "Más información" - title: "Bienvenida" + title: "Bienvenidos nuevos usuarios" no_contacts: "No hay contactos" no_tags: "+ Encuentra una etiqueta a seguir" people_sharing_with_you: "Personas que comparten contigo" - post_a_message: "publica un mensaje >>" + post_a_message: "Publica un mensaje >>" services: content: "Puedes conectar los siguientes servicios a Diaspora:" - heading: "Servicios" + heading: "Conectar servicios" unfollow_tag: "Dejar de seguir a #%{tag}" welcome_to_diaspora: "¡Bienvenido a Diaspora*, %{name}!" - many: "%{count} aspectos" - move_contact: - error: "Error moviendo el contacto: %{inspect}" - failure: "%{inspect} no funcionó" - success: "El contacto fue movido al nuevo aspecto" new: create: "Crear" name: "Nombre (sólo tu lo puedes ver)" no_contacts_message: - community_spotlight: "comunidad creativa" + community_spotlight: "Destacado en la comunidad" or_spotlight: "O puedes compartir con %{link}" try_adding_some_more_contacts: "Puedes buscar o invitar a más contactos." you_should_add_some_more_contacts: "¡Deberías añadir algunos contactos más!" @@ -240,18 +232,10 @@ es: family: "Familia" friends: "Contactos" work: "Trabajo" - selected_contacts: - manage_your_aspects: "Gestiona tus aspectos." - no_contacts: "Aún no tienes ningún contacto aquí." - view_all_community_spotlight: "Ver \"Comunidad Creativa\"" - view_all_contacts: "Ver todos los contactos" - show: - edit_aspect: "editar aspecto" - two: "%{count} aspectos" update: failure: "Tu aspecto, %{name}, tenía un nombre muy largo para guardarlo." success: "Tu aspecto, %{name}, fue editado con éxito." - zero: "no hay aspectos" + zero: "No hay aspectos" back: "Atrás" blocks: create: @@ -267,36 +251,31 @@ es: post_success: "¡Publicado! ¡Cerrando!" cancel: "Cancelar" comments: - few: "%{count} comentarios" - many: "%{count} comentarios" new_comment: comment: "Comentar" commenting: "Comentando..." one: "1 comentario" other: "%{count} comentarios" - two: "%{count} comentarios" - zero: "no hay comentarios" + zero: "No hay comentarios" contacts: create: failure: "No se pudo crear el contacto" - few: "%{count} contactos" index: add_a_new_aspect: "Añade un nuevo aspecto" + add_contact: "Añadir contacto" add_to_aspect: "Añadir contactos a %{name}" - add_to_aspect_link: "añade contactos a %{name}" all_contacts: "Todos los contactos" community_spotlight: "Comunidad Creativa" - many_people_are_you_sure: "¿Estás seguro que quieres comenzar una conversación privada con más de %{suggested_limit} contactos? Publicar en sus aspectos podría ser mejor para contactar con ellos." - my_contacts: "Mis Contactos" + my_contacts: "Mis contactos" no_contacts: "¡Parece que necesitas añadir algunos contactos!" + no_contacts_in_aspect: "Todavía no tienes ningún contacto en este aspecto. A continuación puedes ver una lista de tus contactos que puedes agregar a este aspecto." no_contacts_message: "Echa un vistazo a la %{community_spotlight}" - no_contacts_message_with_aspect: "Echa un vistazo a la %{community_spotlight} o %{add_to_aspect_link}" only_sharing_with_me: "Solo compartiendo conmigo" - remove_person_from_aspect: "Eliminar a %{person_name} de \"%{aspect_name}\"" + remove_contact: "Eliminar contacto" start_a_conversation: "Inicia una conversación" title: "Contactos" - your_contacts: "Tus Contactos" - many: "%{count} contactos" + user_search: "Buscar usuarios" + your_contacts: "Tus contactos" one: "1 contacto" other: "%{count} contactos" sharing: @@ -304,8 +283,7 @@ es: spotlight: community_spotlight: "Comunidad Creativa" suggest_member: "Sugiere un usuario" - two: "%{count} contactos" - zero: "contactos" + zero: "No hay contactos" conversations: conversation: participants: "Participantes" @@ -314,7 +292,8 @@ es: no_contact: "¡Eh, primero tienes que añadir al contacto!" sent: "Mensaje enviado" destroy: - success: "Conversación eliminada con éxito" + delete_success: "Conversación correctamente borrada" + hide_success: "Conversación correctamente oculta" helper: new_messages: one: "1 mensaje nuevo" @@ -326,18 +305,19 @@ es: inbox: "Bandeja de entrada" new_conversation: "Nueva conversación" no_conversation_selected: "ninguna conversación seleccionada" - no_messages: "sin mensajes" + no_messages: "Ningún mensaje" new: abandon_changes: "¿Descartar los cambios?" send: "Enviar" sending: "Enviando..." - subject: "asunto" - to: "para" + subject: "Asunto" + to: "Para" new_conversation: fail: "Mensaje no válido" show: - delete: "Eliminar y bloquear conversación" - reply: "responder" + delete: "Borrar conversación" + hide: "ocultar y silenciar la conversación" + reply: "Responder" replying: "Respondiendo..." date: formats: @@ -392,19 +372,26 @@ es: what_is_an_aspect_q: "¿Qué es un aspecto?" who_sees_post_a: "Si haces una publicación limitada, solo será visible para las personas que hayas puesto en ese especto (o los aspectos, si está hecho para múltiples aspectos). Los contactos que tengas que no estén en el aspecto, no tienen forma de ver la publicación, a menos que la hayas hecho pública. Solo las publicaciones públicas serán visibles alguna ves por alguien que no hayas incluido en alguno de tus aspectos." who_sees_post_q: "Cuando publico en un aspecto, ¿Quienes pueden verlo?" - foundation_website: "página web de la fundación diaspora" + chat: + add_contact_roster_a: "En primer lugar, necesitas activar el chat para uno de los aspectos en los que está esa persona. Para hacerlo, ve a la %{contacts_page}, selecciona el aspecto que quieras y pulsa sobre el icono del chat para activar el chat en ese aspecto. %{toggle_privilege} Si lo prefieres, podrías crear un aspecto especial llamado \"Chat\" y añadir a la persona con la que quieras chatear en ese aspecto. Ona vez que hayas hecho esto, abre la ventana de chat y selecciona la persona con la que quieras hablar." + add_contact_roster_q: "¿Cómo puedo chatear con alguien en Diaspora*?" + contacts_page: "página de contactos" + title: "Chat" + faq: "Preguntas Más Frecuentes" + foundation_website: "página web de la fundación Diaspora*" getting_help: + get_support_a_faq: "Lee nuestra página %{faq} en la wiki" get_support_a_hashtag: "pregunta en una publicación pública en diaspora* usando el hashtag %{question}" get_support_a_irc: "únete a nosotros en %{irc} (Chat en vivo)" - get_support_a_tutorials: "visita nuestros %{tutorials}" + get_support_a_tutorials: "Consulta nuestros %{tutorials}" get_support_a_website: "Visítanos en %{link}" - get_support_a_wiki: "busca en %{link}" + get_support_a_wiki: "Busca %{link}" get_support_q: "¿Y si mi pregunta no está contestada en este FAQ? ¿Dónde más puedo obtener ayuda?" getting_started_a: "Estás de suerte. Prueba los %{tutorial_series} en la web del proyecto. Te llevara paso a paso por el proceso de registro, y te enseñara todas las cosas básicas que necesitas saber para usar diaspora*." getting_started_q: "¡Ayuda! ¡Necesito conocer lo básico para empezar!" title: "Obteniendo ayuda" getting_started_tutorial: "Tutoriales de la serie 'Empezando'" - here: "aquí" + here: "Aquí" irc: "IRC" keyboard_shortcuts: keyboard_shortcuts_a1: "En la vista principal puedes usar los siguientes atajos de teclado:" @@ -412,6 +399,10 @@ es: keyboard_shortcuts_li2: "k - salta al post anterior" keyboard_shortcuts_li3: "c - comentar el post actual" keyboard_shortcuts_li4: "l - \"me gusta\" el post actual" + keyboard_shortcuts_li5: "r - Compartir la publicación actual" + keyboard_shortcuts_li6: "m - Expandir la publicación actual" + keyboard_shortcuts_li7: "o - Abrir el primer enlace de la publicación actual" + keyboard_shortcuts_li8: "ctrl + enter - Envía el mensaje que estás escribiendo" keyboard_shortcuts_q: "¿Qué atajos de teclado están disponibles?" title: "Atajos de teclado" markdown: "Markdown" @@ -421,7 +412,7 @@ es: mention_in_comment_a: "No, de momento no." mention_in_comment_q: "¿Puedo mencionar a alguien en un comentario?" see_mentions_a: "Sí, haz click en \"menciones\" en la columna izquierda en tu pagina principal." - see_mentions_q: "Hay alguna forma de ver los posts en los cuales he sido mencionado?" + see_mentions_q: "¿Hay alguna forma de ver las publicaciones en las cuales he sido mencionado?" title: "Menciones" what_is_a_mention_a: "Una mención es un enlace a el perfil de una persona que aparece en una publicación. Cuando alguien es mencionado, recibirá una notificación que llama su atención a la publicación." what_is_a_mention_q: "¿Qué es una \"mención\"?" @@ -436,7 +427,7 @@ es: subscribe_feed_q: "¿Puedo suscribirme a las publicaciones públicas de alguien usando un lector de feeds?" title: "Miscelánea" pods: - find_people_a: "Invita a tus amigos usando el link de e-mail en la barra lateral. Sigue los #tags para descubrir a otros amigos que compartan tus intereses, y agrega aquellos que postean cosas que te interesen en algún aspecto. Dí que eres #nuevoaquí o #newhere en un post público." + find_people_a: "Invita a tus amigos usando el enlace de e-mail en la barra lateral. Sigue los #tags para descubrir a otros amigos que compartan tus intereses, y agrega aquellos que publican cosas que te interesen en algún aspecto. Dí que eres #nuevoaquí o #newhere en un post público." find_people_q: "Me acabo de unir a una vaina, ¿Cómo puedo encontrar a gente con la que compartir?" title: "Vainas (Servidores)" use_search_box_a: "Si conoces su ID de diaspora* completo (ej. nombreusuario@nombrevaina.org) puedes encontrales al buscar desde ahí. Si estas en su mismo pod, puedes buscarle por su nombre de usuario. Una alternativa es buscar por su nombre de perfil (el nombre que ves en la pantalla). Si una búsqueda no funciona a la primera, inténtalo denuevo." @@ -444,11 +435,11 @@ es: what_is_a_pod_a: "Una vaina es un servidor ejecutanto el software diaspora* y conectado a la red diaspora*. \"Vaina\" es una metafora refiriendose a las vainas (pod en ingles) en las plantas que contienen semillas, en la forma en que un servidor contiene un número de cuentas de usuario. Hay muchos pods diferentes. Puedes agregar amigos de otros pods y comunicarte con ellos. (Puedes pensar en las vainas de diaspora* como un proveedor de e-mail: hay vainas publicas, privadas, y con algún esfuerzo puedes incluso ejecutar la tuya)." what_is_a_pod_q: "¿Qué es una vaina?" posts_and_posting: - char_limit_services_a: "En esos casos tu publicación es limitada al menor conteo de caracteres (140 en el caso de Twitter; 1000 en el caso de Tumblr), y el número de caracteres que tienes restantes para usar es mostrado cuando el icono del servicio esta resaltado. Puedes aún así postear para esos servicios si tu publicación sobrepasa el límite, pero el texto sera truncado para aquellos." + char_limit_services_a: "En esos casos tu publicación está limitada al menor número de caracteres (140 en el caso de Twitter; 1000 en el caso de Tumblr), y el número de caracteres que tienes restantes para usar es mostrado cuando el icono del servicio esta resaltado. Puedes aún así publicar para esos servicios si tu publicación sobrepasa el límite, pero el texto sera truncado para aquellos." char_limit_services_q: "¿Cual es el límite de caracteres para publicaciones compartidas a traves de un servicio con un conteo menor de caracteres?" - character_limit_a: "65.535 caracteres. !Que vienen a ser 65.395 caracteres más de los que permite Twitter! ;)" + character_limit_a: "65.535 caracteres. ¡Eso son 65.395 caracteres más de los que permite Twitter! ;)" character_limit_q: "¿Cuál es el límites de caracteres en una publicación?" - embed_multimedia_a: "Puedes usualmente copiar la URL (ej. http://www.youtube.com/watch?v=nnnnnnnnnnn ) en tu post y el video o audio sera incrustado automáticamente. Algunos sitios que son soportados son YouTube, Vimeo, SoundCloud, Flickr y unos cuantos mas. Diaspora* usa oEmbed para esa funcionalidad. Estamos soportando nuevos sitios todo el tiempo. Recuerda siempre incluir links simples, completos, no acortados; sin operadores despues de la URL de base; y dale un poco de tiempo antes de refrescar la pagina despues de postear para ver la previsualización." + embed_multimedia_a: "Puedes usualmente copiar la URL (ej. http://www.youtube.com/watch?v=nnnnnnnnnnn ) en tu publicación y el vídeo o audio sera incrustado automáticamente. Algunos sitios que son soportados son YouTube, Vimeo, SoundCloud, Flickr y unos cuantos más. Diaspora* usa oEmbed para esa funcionalidad. Estamos soportando nuevos sitios todo el tiempo. Recuerda siempre incluir enlaces simples, completos, no acortados; sin operadores después de la URL de base; y dale un poco de tiempo antes de refrescar la pagina después de publicar para ver la previsualización." embed_multimedia_q: "¿Como incrusto un video, audio, o otro contenido multimedia en una publicación?" format_text_a: "Al usar un sistema simplificado llamado %{markdown}. Puedes encontrar la sintaxis completa de marcado %{here}. El boton de previsualización es realmente útil aquí, ya que puedes ver como tu mensage se verá antes de que lo compartas." format_text_q: "¿Cómo puedo formatear el texto en mis publicaciones (negrita, italica, etc.)?" @@ -461,23 +452,31 @@ es: insert_images_comments_a2: "puede ser usado para insertar imagenes desde la web tanto en comentarios como en publicaciones." insert_images_comments_q: "¿Puedo insertar imágenes en los comentarios?" insert_images_q: "¿Cómo puedo insertar imágenes en las publicaciones?" + post_location_a: "Pulsa el icono de localización al lado de la cámara en la ventana de publicación. Insertarás tu localización desde OpenStreetMap. Puedes editar tu localización (puedes escoger publicar sólo el nombre de la ciudad en la que estás en lugar de tu dirección exacta)." + post_location_q: "¿Cómo agrego mi localización a una publicación?" + post_notification_a: "Encontrarás una campana al lado de la X en la esquina superior derecha de cada publicación. Pulsando sobre ella activarás o desactivarás las notificaciones de esa publicación." + post_notification_q: "¿Cómo activo o desactivo las notificaciones de una publicación?" + post_poll_a: "Pulsa el icono de la gráfica para crear una encuesta. Escribe una pregunta y al menos dos respuestas. No olvides hacer pública la publicación si quieres que todo el mundo pueda participar en ella." + post_poll_q: "¿Cómo agrego una encuesta a mi publicación?" + post_report_a: "Pulsa en el icono de alerta en la esquina superior derecha de la publicación para denunciarla al administrador. Escribe una razón para denunciar la publicación en el cuadro de texto." + post_report_q: "¿Cómo denuncio una publicación ofensiva?" size_of_images_a: "No. Las imagenes son escaladas automáticamente para encajar su espacio en el flujo. El sistema de marcado no tiene un codigo para especificar el tamaño de una imagen." size_of_images_q: "¿Puedo personalizar el tamaño de las imagenes en publicaciones o comentarios?" stream_full_of_posts_a1: "Tu flujo está hecho de tres tipos de publicaciones:" stream_full_of_posts_li1: "Publicaciones de personas con las cuales compartes, que vienen en dos tipos: publicaciones publicas y publicaciones limitadas compartidas con un aspecto en el cual te encuentras. Para remover estas publicaciones de tu flujo, simplemente deja de compartir con la persona." stream_full_of_posts_li2: "Publicaciones públicas conteniendo una de las etiquetas (tags) que sigues. Para remover estas publicaciones, deja de seguir la etiqueta." stream_full_of_posts_li3: "Publicaciones hechas por las personas pertenecientes a la Comunidad Creativa. Estas publicaciones desaparecerán de tu entrada al desactivar la opción \"¿Mostrar Comunidad Creativa en la entrada?\" en la pestaña \"Cuenta\" de tus \"Ajustes\"." - stream_full_of_posts_q: "¿Por que mi flujo esta lleno de publicaciónes de personas que no conosco y con las cuales no comparto?" + stream_full_of_posts_q: "¿Por qué mi flujo esta lleno de publicaciones de personas que no conozco y con las cuales no comparto?" title: "Sobre publicaciones y publicar" private_posts: can_comment_a: "Solo los usuarios conectados a diaspora* que hayas alojado en ese aspecto podrán comentar o poner me gusta en tu publicación privada." can_comment_q: "¿Quién puede comentar o poner me gusta en mi publicación privada?" - can_reshare_a: "Nadie. Las publicaciones privadas no son compartibles. Usuarios conectados a diaspora* con acceso a ese aspecto, en cualquier caso, pueden potencialmente copiarlas y pegarlas." + can_reshare_a: "Nadie. Las publicaciones privadas no se pueden compartir. Los usuarios conectados a diaspora* con acceso a ese aspecto, como mucho, pueden copiarlas y pegarlas." can_reshare_q: "¿Quién puede compartir mi publicación privada?" - see_comment_a: "Solo la gente con la cual esa publicación fue compartida (las personas que estan en los aspectos seleccionadas por el publicador original) puede ver esos \"me gusta\" y comentarios. " + see_comment_a: "Sólo la gente con la que se ha compartido esa publicación (las personas que están en los aspectos seleccionadas por el usuario que publicó la entrada) puede ver esos \"me gusta\" y comentarios. " see_comment_q: "¿Cuando comento en, o hago \"me gusta\", a una publicación privada, quién puede verlo?" title: "Publicaciones privadas" - who_sees_post_a: "Solo los conectados a diaspora* que hayas alojado en ese aspecto podrán ver tu publicación privada." + who_sees_post_a: "Sólo los conectados a diaspora* que hayas alojado en ese aspecto podrán ver tu publicación privada." who_sees_post_q: "¿Cuando publico un mensage a un aspecto (ej., una publicación privada), quién puede verla?" private_profiles: title: "Perfil privado" @@ -525,6 +524,7 @@ es: add_to_aspect_li5: "Pero si Ben va a la pagina de perfil de Amy, entonces él podrá ver las publicaciones privadas que ella ha enviado a sus aspectos en los cuales él esta incluido (así como sus publicaciones públicas que cualquiera puede ver allí)." add_to_aspect_li6: "Ben podrá ver el perfil privado de Amy (biografía, ubicación, género y fecha de nacimiento)." add_to_aspect_li7: "Amy aparecerá como \"Solo compartiendo conmigo\" en la página de contactos de Ben." + add_to_aspect_li8: "Amy también será capaz de @mencionar a Ben en una publicación." add_to_aspect_q: "¿Qué sucede cuando agrego a alguien a uno de mis aspectos? ¿O cuando alguien me agrega a uno de sus aspectos?" list_not_sharing_a: "No, pero puedes ver si alguien esta compartiendo contigo visitando su pagina de perfil. Si es así, la barra bajo su foto de perfil aparecerá de color verde; de lo contrario, será gris. Deberías recibir una notificación cada vez que alguien comienza a compartir contigo." list_not_sharing_q: "¿Hay una lista de las personas a las que he agregado a uno de mis aspectos, pero ellos no a mí?" @@ -532,6 +532,8 @@ es: only_sharing_q: "¿Quienes son las personas que figuran en mi lista de contactos como \"Sólo compartiendo contigo\"?" see_old_posts_a: "No. Ellos solo podrán ver nuevas publicaciones de ese aspecto. Ellos (y cualquier otra persona) podrán ver tus publicaciones públicas viejas en tú página de perfil, y también podrán verlas en sus entradas." see_old_posts_q: "Cuando agrego a alguien a un aspecto, ¿puede ver lo que he publicado anteriormente en ese aspecto?" + sharing_notification_a: "Deberías recibir una notificación cada vez que alguien empieza a compartir contigo." + sharing_notification_q: "¿Cómo sé que alguien ha empezado a compartir conmigo?" title: "Compartir" tags: filter_tags_a: "Esta opción aún no está disponible directamente mediante diaspora*, pero algunos %{third_party_tools} han escrito algo que podría proveerlo." @@ -592,18 +594,18 @@ es: layouts: application: back_to_top: "Volver arriba" - powered_by: "IMPULSADO POR diaspora*" + powered_by: "Impulsado por Diaspora*" public_feed: "Canal público de %{name} " - source_package: "descargar el paquete del código fuente" + source_package: "Descargar el paquete del código fuente" toggle: "Interfaz móvil" - whats_new: "Novedades en Diaspora*" - your_aspects: "tus aspectos" + whats_new: "Novedades" + your_aspects: "Tus aspectos" header: admin: "Administrar" - blog: "blog" - code: "código" + blog: "Blog" + code: "Código" help: "Ayuda" - login: "acceder" + login: "Acceder" logout: "Salir" profile: "Perfil" recent_notifications: "Notificaciones recientes" @@ -625,13 +627,13 @@ es: zero: "A nadie le gusta" limited: "Limitado" more: "Más" - next: "siguiente" + next: "Siguiente" no_results: "No hay resultados" notifications: also_commented: - one: "%{actors} comentario en %{post_link} de %{post_author}." - other: "%{actors} también han comentado %{post_link} de %{post_author}." - zero: "%{actors} comentarios en %{post_link} de %{post_author}." + one: "%{actors} también ha comentado la publicación %{post_link} de %{post_author}." + other: "%{actors} también han comentado la publicación %{post_link} de %{post_author}." + zero: "%{actors} comentarios en la publicación %{post_link} de %{post_author}." also_commented_deleted: one: "%{actors} ha comentado una publicación eliminada." other: "%{actors} han comentado una publicación eliminada." @@ -660,6 +662,7 @@ es: mark_read: "Marcar como leído" mark_unread: "Marcar como no leído" mentioned: "Mencionado" + no_notifications: "Todavía no tienes ninguna notificación." notifications: "Notificaciones" reshared: "Compartido" show_all: "mostrar todo" @@ -699,15 +702,59 @@ es: other: "%{actors} ha empezado a compartir contigo." zero: "%{actors} ha empezado a compartir contigo." notifier: + a_limited_post_comment: "Hay un nuevo comentario en una publicación limitada en diaspora* para que lo consultes." a_post_you_shared: "una publicación." + a_private_message: "Hay un nuevo mensaje privado en diaspora* para que lo consultes." accept_invite: "¡Acepta tu invitación a diaspora*!" - click_here: "haz clic aquí" + click_here: "Pulsa aquí" comment_on_post: - reply: "Responder o ver los comentarios de %{name} >" + reply: "Responder o ver las publicaciones de %{name} >" confirm_email: click_link: "Para activar tu nueva dirección de correo %{unconfirmed_email}, sigue este enlace:" subject: "Por favor activa tu nueva dirección de correo %{unconfirmed_email}" email_sent_by_diaspora: "Este correo electrónico fue enviado por %{pod_name}. Si quieres dejar de recibir correos como este," + export_email: + body: |- + Hola %{name}, + + Tus datos han sido procesados y están listos para descargar yendo a este enlace %{url}. + + Saludos, + + El robot email de diaspora* + subject: "Tus datos personales están listos para descargar, %{name}" + export_failure_email: + body: |- + Hola %{name} + + Hemos encontrado un problema mientras procesábamos tus datos personales para descargar. + Por favor, inténtalo de nuevo! + + Saludos + + El robot email de diaspora* + subject: "Lo sentimos, hubo un problema con tus datos, %{name}" + export_photos_email: + body: |- + Hola, %{name}: + + Tus fotografías han sido procesadas y están listas para descargar siguiendo este enlace %{url}. + + Saludos, + + El robot email de Diaspora* + subject: "Tus fotografías están listas para descargar, %{name}" + export_photos_failure_email: + body: |- + Hola, %{name}: + + Hemos encontrado un problema mientras procesábamos tus fotografías para descargar. + Por favor, ¡inténtalo de nuevo! + + Disculpas, + + El robot email de Diaspora* + subject: "Ha ocurrido un problema con tus fotografías, %{name}" hello: "¡Hola %{name}!" invite: message: |- @@ -734,6 +781,22 @@ es: subject: "%{name} te mencionó en diaspora*" private_message: reply_to_or_view: "Responder o ver esta conversación >" + remove_old_user: + body: |- + Hola, + + Parece que no quieres seguir usando tu cuenta en el pod %{pod_url}, ya que no la has usado en los últimos %{after_days} días. Para asegurar que nuestros usuarios activos obtienen el mejor rendimiento de nuestro pod diaspora*, nos gustaría elminar cuentas no utilizadas en nuestra base de datos. + + Nos encantaría que formaras parte de la comunidad diaspora*, y eres bienvenido si quieres seguir manteniendo tu cuenta. + + Si quieres mantener la cuenta activa, todo lo que necesitas es iniciar sesión antes de %{remove_after}. Cuando inicies sesión, toma un tiempo para echar un vistazo a diaspora*. Ha cambiado mucho desde la última vez que entraste, y pensamos que te gustarán los cambios que hemos implementado. Sigue algunos #tags para encontrar contenido que te guste. + + Inicia sesión aquí %{login_url}. Si has olvidado tus credenciales de inicio de sesión, puedes utilizar el enlace para recordarlas. + + Esperamos verte de nuevo, + + El robot de correos de Diaspora* + subject: "Tu cuenta de Diaspora* ha sido marcada para eliminación debido a la inactividad." report_email: body: |- Hola, @@ -773,12 +836,11 @@ es: password_confirmation: "Confirmación de la contraseña" people: add_contact: - invited_by: "fuiste invitado por" + invited_by: "Fuiste invitado por" add_contact_small: - add_contact_from_tag: "añadir contacto desde una etiqueta" + add_contact_from_tag: "Añadir contacto desde una etiqueta" aspect_list: edit_membership: "editar aspectos asociados" - few: "%{count} personas" helper: is_not_sharing: "%{name} no está compartiendo contigo" is_sharing: "%{name} está compartiendo contigo" @@ -792,11 +854,10 @@ es: search_handle: "Utiliza su ID de Diaspora* (usuario@pod.tld) para estar seguro de que encontrarás a tus amigos." searching: "buscando, por favor sé paciente…" send_invite: "¿Todavía nadie? ¡Envía una invitación!" - many: "%{count} personas" one: "1 persona" other: "%{count} personas" person: - add_contact: "añadir contacto" + add_contact: "Añadir contacto" already_connected: "Ya conectado" pending_request: "Solicitud pendiente" thats_you: "¡Ese eres tú!" @@ -805,10 +866,10 @@ es: born: "Fecha de nacimiento" edit_my_profile: "Editar mi perfil" gender: "Género" - in_aspects: "en aspectos" + in_aspects: "En los aspectos" location: "Ubicación" photos: "Fotos" - remove_contact: "quitar contacto" + remove_contact: "Eliminar contacto" remove_from: "¿Eliminar a %{name} de %{aspect}?" show: closed_account: "Esta cuenta ha sido eliminada." @@ -820,21 +881,20 @@ es: message: "Mensaje" not_connected: "No estás compartiendo con esta persona." recent_posts: "Últimas publicaciones" - recent_public_posts: "Últimas publicaciones para \"el mundo\"" + recent_public_posts: "Últimas publicaciones públicas" return_to_aspects: "Volver a tu página de aspectos" see_all: "Ver todos" - start_sharing: "empezar a compartir" + start_sharing: "Empezar a compartir" to_accept_or_ignore: "aceptar o ignorar" sub_header: add_some: "añadir algunos" - edit: "editar" - you_have_no_tags: "¡no tienes etiquetas!" - two: "%{count} personas" + edit: "Editar" + you_have_no_tags: "¡No tienes etiquetas!" webfinger: fail: "Perdona, no pudimos encontrar %{handle}" zero: "0 personas" photos: - comment_email_subject: "fotografía de %{name}" + comment_email_subject: "Fotografía de %{name}" create: integrity_error: "Error subiendo la foto. ¿Seguro que era una imagen?" runtime_error: "Error subiendo la foto. ¿Alguna restricción de seguridad?" @@ -845,7 +905,7 @@ es: editing: "Editando" new: back_to_list: "Volver a la lista" - new_photo: "Nueva foto" + new_photo: "Nueva fotografía" post_it: "¡Publícalo!" new_photo: empty: "{file} está vacío, por favor selecciona otros archivos." @@ -855,15 +915,15 @@ es: or_select_one_existing: "o selecciona alguna de las %{photos} ya existentes" upload: "¡Sube una foto nueva de perfil!" photo: - view_all: "ver todas las fotos de %{name}" + view_all: "Ver todas las fotografías de %{name}" show: - collection_permalink: "enlace permanente a la colección" - delete_photo: "Eliminar foto" - edit: "editar" + collection_permalink: "Enlace permanente a la colección" + delete_photo: "Eliminar fotografía" + edit: "Editar" edit_delete_photo: "Editar pie de foto / eliminar foto" - make_profile_photo: "convertir en foto de perfil" + make_profile_photo: "Convertir en foto de perfil" show_original_post: "Mostrar la publicación original" - update_photo: "Actualizar foto" + update_photo: "Actualizar fotografía" update: error: "Error editando la foto." notice: "Foto actualizada con éxito." @@ -872,14 +932,14 @@ es: title: "Una publicación de %{name}" show: destroy: "Eliminar" - not_found: "Lo sentimos, no podemos encontrar ese comentario." - permalink: "enlace permanente" + not_found: "Lo sentimos, no podemos encontrar esa publicación." + permalink: "Enlace permanente" photos_by: one: "Una foto por %{author}" other: "%{count} fotos por %{author}" zero: "Ninguna foto por %{author}" reshare_by: "Vuelto a compartir por %{author}" - previous: "anterior" + previous: "Anterior" privacy: "Privacidad" privacy_policy: "Política de Privacidad" profile: "Perfil" @@ -924,24 +984,21 @@ es: update: "Actualizar" invalid_invite: "¡El enlace de la invitación ya no es válido!" new: - continue: "Continuar" create_my_account: "¡Crear mi cuenta!" - diaspora: "<3 diaspora*" - email: "CORREO ELECTRÓNICO" + email: "Correo electrónico" enter_email: "Escribe un correo" enter_password: "Escribe una contraseña (seis caracteres como mínimo)" enter_password_again: "Escribe la misma contraseña como antes" enter_username: "Elige un nombre de usuario (letras, números o guiones bajos)" - hey_make: "EH,
HAZ
ALGO." join_the_movement: "¡Únete al movimiento!" - password: "CONTRASEÑA" - password_confirmation: "CONFIRMACIÓN DE CONTRASEÑA" - sign_up: "REGISTRARSE" + password: "Contraseña" + password_confirmation: "Confirmación de contraseña" + sign_up: "Registrarse" sign_up_message: "Redes Sociales con un ♥" submitting: "En proceso..." terms: "Creando una cuenta, usted acepta los %{terms_link}" terms_link: "términos del servicio" - username: "NOMBRE" + username: "Nombre" report: comment_label: "Comentario:
%{data}" confirm_deletion: "¿Seguro que quieres borrar esto?" @@ -999,7 +1056,7 @@ es: destroy: success: "Autenticación eliminada con éxito." failure: - error: "hubo un error conectando ese servicio" + error: "Hubo un error conectando a ese servicio" finder: fetching_contacts: "Diaspora está trasladando tus contactos de %{service}; vuelve a intentarlo en unos minutos." no_friends: "No se han encontrados contactos en Facebook." @@ -1009,9 +1066,9 @@ es: connect_to_tumblr: "Conecta con Tumblr" connect_to_twitter: "Conecta con Twitter" connect_to_wordpress: "Conectarse a Wordpress" - disconnect: "desconectar" + disconnect: "Desconectar" edit_services: "Editar servicios" - logged_in_as: "conectado como" + logged_in_as: "Conectado como" no_services: "Aún no has conectado ningún servicio." really_disconnect: "¿Desconectar %{service}?" services_explanation: "Conectar con servicios te da la posibilidad de publicar tus mensajes en ellos a medida que los escribes en diaspora." @@ -1019,9 +1076,9 @@ es: click_link_to_accept_invitation: "Sigue este enlace para aceptar tu invitación" join_me_on_diaspora: "Nos vemos en diaspora*." remote_friend: - invite: "invitar" + invite: "Invitar" not_on_diaspora: "Aún no está en Diaspora" - resend: "reenviar" + resend: "Reenviar" settings: "Ajustes" share_visibilites: update: @@ -1037,6 +1094,8 @@ es: your_diaspora_username_is: "Tu nombre de usuario Diaspora* es: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Añadir contacto" + mobile_row_checked: "%{name} (eliminar)" + mobile_row_unchecked: "%{name} (añadir)" toggle: one: "En %{count} aspecto" other: "En %{count} aspectos" @@ -1045,7 +1104,7 @@ es: all_contacts: "Todos los contactos" footer: logged_in_as: "accediste como %{name}" - your_aspects: "tus aspectos" + your_aspects: "Tus aspectos" invitations: by_email: "Por correo electrónico" dont_have_now: "No tienes invitaciones ahora mismo pero, ¡pronto llegarán más!" @@ -1060,8 +1119,8 @@ es: new: "Nuevo %{type} de %{from}" public_explain: atom_feed: "canal Atom" - control_your_audience: "Controla tu Audiencia" - logged_in: "conectado a %{service}" + control_your_audience: "Controla tu público" + logged_in: "Conectado a %{service}" manage: "Gestionar servicios conectados" new_user_welcome_message: "Utiliza #etiquetas para clasificar tus publicaciones y encontrar gente que comparta tus intereses. Llama a gente asombrosa usando las @Menciones" outside: "Los mensajes públicos podrán ser vistos por otros fuera de Diaspora*." @@ -1069,12 +1128,12 @@ es: title: "Configurar los servicios conectados" visibility_dropdown: "Usa este menú desplegable para cambiar la visibilidad de tu publicación. (Sugerimos hacerlo público la primera vez.)" publisher: - all: "todo" - all_contacts: "todos los contactos" + all: "Todo" + all_contacts: "Todos los contactos" discard_post: "Descartar publicación" formatWithMarkdown: "Puedes usar %{markdown_link} para dar formato al mensaje." get_location: "Obtener tu localización" - make_public: "hacer público" + make_public: "Hacer público" new_user_prefill: hello: "#%{new_user_tag}, acabo de llegar aquí. " i_like: "Tengo interés en %{tags}. " @@ -1089,17 +1148,17 @@ es: post_a_message_to: "Publicar un mensaje en %{aspect}" posting: "Publicando..." preview: "Vista previa" - publishing_to: "publicar en:" + publishing_to: "Publicar en: " remove_location: "Eliminar ubicación" share: "Compartir" - share_with: "compartir con" + share_with: "Compartir con" upload_photos: "Subir fotos" whats_on_your_mind: "¿Qué andas pensando?" reshare: reshare: "Compartir" stream_element: connect_to_comment: "Conecta con esta persona para comentar en su publicación" - currently_unavailable: "comentarios actualmente no disponibles" + currently_unavailable: "Comentarios no disponibles en este momento" dislike: "No me gusta" hide_and_mute: "Ignorar la publicación" ignore_user: "Ignorar a %{name}" @@ -1107,10 +1166,10 @@ es: like: "Me gusta" nsfw: "Esta publicación ha sido calificada por su autor como no apta para todos los públicos. %{link}" shared_with: "Compartido con: %{aspect_names}" - show: "mostrar" + show: "Mostrar" unlike: "No me gusta" - via: "vía %{link}" - via_mobile: "vía móvil" + via: "Vía %{link}" + via_mobile: "Vía móvil" viewable_to_anyone: "Esta publicación podrá verla cualquiera en internet" simple_captcha: label: "Ingrese el código en el recuadro." @@ -1119,6 +1178,21 @@ es: failed: "Verificación humana fallida." user: "La imagen secreta y el código son diferentes." placeholder: "Ingresa el valor de la imagen" + statistics: + active_users_halfyear: "Usuarios activos de este semestre" + active_users_monthly: "Usuarios activos mensualmente" + closed: "Cerrado" + disabled: "No disponible" + enabled: "Disponible" + local_comments: "Comentarios locales" + local_posts: "Publicaciones locales" + name: "Nombre" + network: "Red" + open: "Abrir" + registrations: "Registros" + services: "Servicios" + total_users: "Usuarios totales" + version: "Versión" status_messages: create: success: "Se ha mencionado con éxito a: %{names}" @@ -1128,25 +1202,24 @@ es: no_message_to_display: "No hay mensajes que mostrar." new: mentioning: "Menciones: %{person}" - too_long: - one: "por favor, escribe tu mensaje con menos de %{count} carácter" - other: "por favor, escribe tu mensaje con menos de %{count} caracteres" - zero: "por favor, escribe tu mensaje con menos de %{count} caracteres" + too_long: "Por favor, pon un mensaje de estado menor de %{count} caracteres. Actualmente ocupa %{current_length} caracteres." stream_helper: hide_comments: "Ocultar comentarios" + no_more_posts: "Has llegado al final de la página." + no_posts_yet: "Todavía no hay publicaciones." show_comments: one: "Mostrar un comentario más" other: "Mostrar %{count} comentarios más" zero: "No hay más comentarios" streams: activity: - title: "Mi Actividad" + title: "Mi actividad" aspects: - title: "Aspectos" + title: "Mis aspectos" aspects_stream: "Aspectos" comment_stream: contacts_title: "Gente cuyas publicaciones comentaste" - title: "Comentado" + title: "Publicaciones comentadas" community_spotlight_stream: "Lo más destacado" followed_tag: add_a_tag: "Añade una etiqueta" @@ -1166,10 +1239,9 @@ es: title: "Inicio" public: contacts_title: "Publicadores recientes" - title: "Actividad Pública" + title: "Actividad pública" tags: contacts_title: "Gente que sigue esta etiqueta" - tag_prefill_text: "Sobre %{tag_name}..." title: "Publicaciones etiquetadas: %{tags}" tag_followings: create: @@ -1180,18 +1252,16 @@ es: failure: "Error al dejar de seguir #%{name}. ¿Tal vez ya lo hiciste?" success: "¡Ay! Ya no estás siguiendo #%{name}." tags: + name_too_long: "Por favor haz que tu mensaje de estado tenga menos de %{count} caracteres. En este momento el máximo permitido es de %{current_length} caracteres." show: follow: "Seguir #%{tag}" - followed_by_people: - one: "una persona te sigue" - other: "%{count} personas te siguen" - zero: "nadie te sigue" following: "Siguiendo #%{tag}" - nobody_talking: "Nadie esta hablando sobre %{tag} todavía." none: "¡La etiqueta vacía no existe!" - people_tagged_with: "Perfiles con %{tag}" - posts_tagged_with: "Publicaciones con #%{tag}" stop_following: "Dejar de seguir #%{tag}" + tagged_people: + one: "Una persona etiquetada con %{tag}" + other: "%{count} personas etiquetadas con %{tag}" + zero: "Nadie etiquetado con %{tag}" terms_and_conditions: "Términos y Condiciones" undo: "¿Deshacer?" username: "Nombre de usuario" @@ -1201,7 +1271,7 @@ es: email_not_confirmed: "El correo no pudo ser activado. ¿Enlace erróneo?" destroy: no_password: "Por favor, introduce tu contraseña actual para cerrar tu cuenta." - success: "Tu cuenta ha sido bloqueda. Llevará unos 20 minutos cerrarla y destruirla. Gracias por probar Diaspora." + success: "Tu cuenta ha sido bloqueda. Llevará unos 20 minutos terminar de cerrar tu cuenta. Gracias por probar Diaspora*." wrong_password: "La contraseña introducida no coincide con la contraseña actual." edit: also_commented: "alguien comenta en una publicación que has comentado" @@ -1214,30 +1284,37 @@ es: character_minimum_expl: "mínimo seis caracteres" close_account: dont_go: "¡Eh, no te vayas!" - if_you_want_this: "Si realmente quieres eliminarla, teclea tu contraseña debajo y haz clic en 'Eliminar Cuenta'" - lock_username: "Esto bloquerá tu nombre de usuario si decides volver a registrarte." - locked_out: "Saldrás y eliminarás tu cuenta." - make_diaspora_better: "Queremos que nos ayudes a hacer Diaspora * mejor, por lo que podrías ayudarnos en lugar de dejarnos. Si quieres irte, queremos que sepas lo que sucede a continuación." + if_you_want_this: "Si de verdad quieres hacerlo, teclea tu contraseña debajo y haz click en 'Eliminar Cuenta'" + lock_username: "Se bloqueará tu nombre de usuario. No podrás crear una nueva cuenta en este pod con el mismo ID." + locked_out: "Serás desconectado y tu cuenta bloqueada hasta que se haya borrado." + make_diaspora_better: "Nos gustaría que te quedaras con nosotros y nos ayudaras a hacer de diaspora* un sitio mejor en lugar de dejarnos.. Si quieres irte, queremos que sepas lo que sucede a continuación:" mr_wiggles: "El Tío la Vara estará triste si te vas" - no_turning_back: "Actualmente, no hay vuelta atrás." - what_we_delete: "Eliminaremos todas tus publicaciones y datos del perfil, tan pronto como sea humanamente posible. Tus comentarios seguirán en línea, pero asociados a tu dirección Diaspora* en lugar de a tu nombre." + no_turning_back: "No hay vuelta atrás!. Si estás totalmente seguro, entra tu contraseña a continuación." + what_we_delete: "Eliminaremos todas tus publicaciones y datos del perfil, tan pronto como sea posible. Tus comentarios seguirán en línea, pero asociados a tu dirección Diaspora* en lugar de a tu nombre." close_account_text: "Eliminar cuenta" comment_on_post: "...alguien comentó en tu publicación" current_password: "Contraseña actual" current_password_expl: "con la que inicias sesión..." - download_photos: "Descargar mis fotos" - download_xml: "Descargar mi XML" + download_export: "Descargar mi perfil" + download_export_photos: "Descargar mis fotografías" + download_photos: "Descargar mis fotografías" edit_account: "Editar cuenta" email_awaiting_confirmation: "Te hemos enviado un enlace de activación a %{unconfirmed_email}. Hasta que no sigas este enlace y actives la nueva dirección, continuaremos usando tu dirección original %{email}." export_data: "Exportar datos" + export_in_progress: "Actualmente estamos procesando tus datos. Por favor, vuelve en unos minutos." + export_photos_in_progress: "En este momento estamos procesando tus fotografías. Por favor, vuelva en unos instantes." following: "Ajustes de Seguimiento" getting_started: "Preferencias del Nuevo Usuario" + last_exported_at: "(Última actualización el %{timestamp})" liked: "a alguien le gusta tu publicación" mentioned: "te mencionan en una publicación" new_password: "Nueva contraseña" - photo_export_unavailable: "Exportar fotos no está disponible actualmente" private_message: "has recibido un mensaje privado" receive_email_notifications: "Recibir notificaciones por correo cuando..." + request_export: "Solicitar los datos de mi perfil" + request_export_photos: "Solicitar mis fotografías" + request_export_photos_update: "Actualizar mis fotografías" + request_export_update: "Actualizar los datos de mi perfil" reshared: "alguien ha compartido una de tus publicaciones" show_community_spotlight: "¿Mostrar lo más destacado en la portada?" show_getting_started: "Mostrar los Consejos de Inicio" @@ -1258,9 +1335,11 @@ es: what_are_you_in_to: "¿Qué te atrae?" who_are_you: "¿Quién eres?" privacy_settings: - ignored_users: "Personas Ignoradas" - stop_ignoring: "Dejar de ignorar" - title: "Ajustes de Privacidad" + ignored_users: "Usuarios ignorados" + no_user_ignored_message: "En este momento no estás ignorando a ningún usuario" + stop_ignoring: "dejar de ignorar" + strip_exif: "Descartar metadatos como la localización, el autor o el modelo de la cámara en las imágenes subidas (recomendado)" + title: "Ajustes de privacidad" public: does_not_exist: "¡La persona %{username} no existe!" update: diff --git a/config/locales/diaspora/eu.yml b/config/locales/diaspora/eu.yml index 2844213ed..e43c1d303 100644 --- a/config/locales/diaspora/eu.yml +++ b/config/locales/diaspora/eu.yml @@ -83,7 +83,8 @@ eu: one: "erabiltzaile %{count} aurkitu da" other: "%{count} erabiltzaile aurkitu dira" zero: "erabiltzailerik ez da aurkitu" - you_currently: "oraindik %{user_invitation} gonbidapen dituzu %{link}" + you_currently: + other: "oraindik %{user_invitation} gonbidapen dituzu %{link}" weekly_user_stats: amount_of: one: "erabiltzaile berriak azken astean: %{count}" @@ -108,8 +109,6 @@ eu: add_to_aspect: failure: "Huts egin du laguna arlora gehitzeak." success: "Adiskidea arrakastaz gehitu da arlora." - aspect_contacts: - done_editing: "aldaketak gauzatu" aspect_listings: add_an_aspect: "+ Arlo berria sortu" deselect_all: "Guztiak deshautatu" @@ -128,21 +127,14 @@ eu: failure: "%{name} ez dago hutsik eta ezin izan da ezabatu." success: "%{name} arrakastaz ezabatu da." edit: - add_existing: "Jada laguna den norbait gehitu" aspect_list_is_not_visible: "arloaren zerrenda ezkutua da arloko besteentzat" aspect_list_is_visible: "arloaren zerrenda ikusgarria da arloko besteengandik" confirm_remove_aspect: "Ziur al zaude arlo hau ezabatu nahi duzunaz?" - done: "Ados" make_aspect_list_visible: "arlo honetako lagunak ikusgarriak egin bata bestearekiko?" remove_aspect: "Arlo hau ezabatu" rename: "berrizendatu" update: "eguneratu" updating: "eguneratzen" - few: "%{count} arlo" - helper: - are_you_sure: "Ziur al zaude arlo hau ezabatu nahi duzunaz?" - aspect_not_empty: "Arlo ez hutsa" - remove: "ezabatu" index: diaspora_id: content_1: "Zure Diaspora ID honakoa da:" @@ -178,11 +170,6 @@ eu: heading: "Zerbitzuak Lotu" unfollow_tag: "#%{tag} jarraitzeari utzi" welcome_to_diaspora: "Ongietorri Diasporara, %{name}!" - many: "%{count} arlo" - move_contact: - error: "Huts laguna mugitzean: %{inspect}" - failure: "huts egin du %{inspect}" - success: "Pertsona arlo berrira gehitua" new: create: "Sortu" name: "Izena (zuk bakarrik ikus dezakezu)" @@ -200,14 +187,6 @@ eu: family: "Familia" friends: "Adiskideak" work: "Lantokia" - selected_contacts: - manage_your_aspects: "Zure arloak kudeatu." - no_contacts: "Ez duzu lagunik hemen oraindik." - view_all_community_spotlight: "Ikusi komunitate guztiko nabarmenena" - view_all_contacts: "Adiskide guztiak ikusi" - show: - edit_aspect: "arloa aldatu" - two: "%{count} arlo" update: failure: "Zure arloak, %{name}(e)k, izen luzeegia du." success: "Zure arloa, %{name}, eraldatua izan da." @@ -227,50 +206,38 @@ eu: post_success: "Bidalia! Irteten!" cancel: "Ezeztatu" comments: - few: "%{count} iruzkin" - many: "%{count} iruzkin" new_comment: comment: "Iruzkindu" commenting: "Iruzkintzen..." one: "iruzkin 1" other: "%{count} iruzkin" - two: "%{count} iruzkin" zero: "iruzkinik ez" contacts: create: failure: "Akatsa lagun berria sortzean" - few: "%{count} lagun" index: add_a_new_aspect: "Arlo berria gehitu" add_to_aspect: "Adiskideak gehitu %{name}(e)n" - add_to_aspect_link: "gehitu lagunak %{name}(e)ra" all_contacts: "Adiskide Guztiak" community_spotlight: "Komunitateko nabarmenduak" - many_people_are_you_sure: "Ziur al zaude elkarrizketa pribatu bat hasi nahi duzula %{suggested_limit} baino lagun gehiagorekin? Arlo horretan mezu bat bidaltzea beharbada haiekin harremanetan egoteko modu hobea izan daiteke." my_contacts: "Nire Adiskideak" no_contacts: "Badirudi lagun batzuk gehitu behar dituzula!" no_contacts_message: "Ikus ezazu %{community_spotlight}" - no_contacts_message_with_aspect: "Ikus ezazu %{community_spotlight} edo %{add_to_aspect_link}" only_sharing_with_me: "Bakarrik nirekin harremanetan" - remove_person_from_aspect: "Ezabatu %{person_name} \"%{aspect_name}\"(e)tik" start_a_conversation: "Elkarrizketa bat hasi" title: "Adiskideak" your_contacts: "Zure Adiskideak" - many: "%{count} lagun" one: "lagun 1" other: "%{count} lagun" sharing: people_sharing: "Zurekin harremanetan daudenak:" spotlight: community_spotlight: "Komunitateko Nabarmenena" - two: "%{count} contacts" zero: "lagunak" conversations: create: fail: "Mezu baliogabea" sent: "Mezua arrakastaz bidali da" - destroy: - success: "Elkarrizketa arrakastaz ezabatua" helper: new_messages: few: "%{count} mezu pribatu berri" @@ -547,7 +514,6 @@ eu: add_contact_from_tag: "gehitu laguna etiketatik abiatuta" aspect_list: edit_membership: "aldatu arloaren bazkidetza" - few: "%{count} pertsona" helper: results_for: " %{params}(r)entzat emaitzak" index: @@ -556,7 +522,6 @@ eu: no_results: "Aizu! Zerbait bilatu behar duzu." results_for: "bilaketa emaitzak hontarako:" searching: "bilatzen, mesedez itxaron pixka bat..." - many: "%{count} pertsona" one: "pertsona 1" other: "%{count} pertsona" person: @@ -592,7 +557,6 @@ eu: add_some: "gehitu batzuk" edit: "aldatu" you_have_no_tags: "etiketarik ez duzu!" - two: "%{count} pertsona" webfinger: fail: "%{handle} ezin izan dugu aurkitu." zero: "jenderik ez" @@ -690,15 +654,12 @@ eu: update: "Eguneratu" invalid_invite: "Eman duzun gonbidapen esteka ez da jada baliagarria!" new: - continue: "Jarraitu" create_my_account: "Nire kontua sortu!" - diaspora: "<3 Diaspora*" email: "EMAILA" enter_email: "Idatzi zure e-posta" enter_password: "Pasahitz bat idatzi (sei karaktere gutxienez)" enter_password_again: "Lehengo pasahitz berdina idatzi" enter_username: "Aukeratu erabiltzaile izen bat (hizkiak, zenbakiak eta gidoibaxuak soilik)" - hey_make: "AIZU,
SORTU
ZERBAIT." join_the_movement: "Mugimendura batu!" password: "PASAHITZA" sign_up: "IZENA EMAN" @@ -861,13 +822,7 @@ eu: no_message_to_display: "Erakusteko mezurik ez." new: mentioning: "Aipatzen: %{person}" - too_long: - few: "mesedez, egin itzazu zure mezuak %{count} karaktere baino motzagoak" - many: "mesedez, egin itzazu zure mezuak %{count} karaktere baino motzagoak" - one: "mesedez, egin itzazu zure mezuak karaktere %{count} baino motzagoak" - other: "mesedez, egin itzazu zure mezuak %{count} karaktere baino motzagoak" - two: "mesedez egin itzazu zure mezuak %{count} laraktere baino motzagoak" - zero: "mesedez, egin itzazu zure mezuak %{count} karaktere baino motzagoak" + too_long: "{\"few\"=>\"mesedez, egin itzazu zure mezuak %{count} karaktere baino motzagoak\", \"many\"=>\"mesedez, egin itzazu zure mezuak %{count} karaktere baino motzagoak\", \"one\"=>\"mesedez, egin itzazu zure mezuak karaktere %{count} baino motzagoak\", \"other\"=>\"mesedez, egin itzazu zure mezuak %{count} karaktere baino motzagoak\", \"two\"=>\"mesedez egin itzazu zure mezuak %{count} laraktere baino motzagoak\", \"zero\"=>\"mesedez, egin itzazu zure mezuak %{count} karaktere baino motzagoak\"}" stream_helper: hide_comments: "Iruzkin guztiak ezkutatu" show_comments: @@ -908,7 +863,6 @@ eu: title: "Ekintza Publikoak" tags: contacts_title: "Etiketa hau jarraitzen duen jendea" - tag_prefill_text: "%{tag_name} buruzkoa zera da..." title: "Mezu etiketatuak: %{tags}" tag_followings: create: @@ -922,10 +876,7 @@ eu: show: follow: "Jarraitu #%{tag}" following: "#%{tag} jarraitzen" - nobody_talking: "Inor ez du %{tag}(r)i buruz hitz egin oraindik." none: "Etiketa hutsik ez dago!" - people_tagged_with: "%{tag} etiketadun jendea" - posts_tagged_with: "#%{tag} etiketadun mezuak" stop_following: "Ez Jarraitu #%{tag}" terms_and_conditions: "Termino eta Baldintzak" undo: "Desegin?" @@ -961,7 +912,6 @@ eu: current_password: "Pasahitz zaharra" current_password_expl: "sartzen zarenarekin..." download_photos: "nire argazkiak jaitsi" - download_xml: "nire xml jaitsi" edit_account: "Kontua aldatu" email_awaiting_confirmation: "Aktibaketa esteka bat bidali dizugu %{unconfirmed_email}(e)ra. Esteka hau jarraitzen duzun arte, zure jatorrizko e-postak, %{email}, jarraituko du erabilpenean." export_data: "Datuak esportatu" @@ -970,7 +920,6 @@ eu: liked: "...norbaitek zure mezu bat gustuko duenean?" mentioned: "...mezu batean aipatzen zaituztenean?" new_password: "Pasahitz berria" - photo_export_unavailable: "Argazkien esportazioa tenporalki desgaitua" private_message: "...mezu pribatu bat jasotzen duzunean?" receive_email_notifications: "E-posta jakinarazpenak jaso nahi dituzu..." reshared: "...norbaitek zure mezu bat birpartekatzen duenean?" diff --git a/config/locales/diaspora/fa.yml b/config/locales/diaspora/fa.yml index 268b6f158..784dc6ab6 100644 --- a/config/locales/diaspora/fa.yml +++ b/config/locales/diaspora/fa.yml @@ -53,8 +53,6 @@ fa: add_to_aspect: failure: "خطا در اضافه کردن مخاطب به منظر" success: "مخاطب با موفقیت به منظر اضافه شد." - aspect_contacts: - done_editing: "اتمام ویرایش" aspect_listings: add_an_aspect: "+اضافه کردن منظر" deselect_all: "لغو انتخاب همه" @@ -71,21 +69,14 @@ fa: failure: "%{name} خالی نیست و نمیتوانید حذفش کنید." success: "%{name} با موفقیت حذف شد." edit: - add_existing: "اضافه کردن یک مخاطب موجود" aspect_list_is_not_visible: "لیست منظر برای افراد دیگر در این منظر مخفی است" aspect_list_is_visible: "لیست منظر برای افراد دیگر در این منظر قابل مشاهده است" confirm_remove_aspect: "مطمئن هستید میخواهید این منظر را حذف کنید؟" - done: "تمام" make_aspect_list_visible: "مخاطبینی که در این منظر هستند برای یکدیگر قابل مشاهده باشند؟" remove_aspect: "حذف این منظر" rename: "تغییر نام" update: "بروزرسانی" updating: "در حال بروزرسانی" - few: "%{count} منظر" - helper: - are_you_sure: "مطمئن هستید که میخواهید این منظر را حذف کنید؟" - aspect_not_empty: "منظر خالی نیست" - remove: "حذف" index: diaspora_id: content_1: "آدرس شناسایی دیاسپورای شما:" @@ -118,11 +109,6 @@ fa: heading: "اتصال سرویسها" unfollow_tag: "لغو دنبال کردن #%{tag}" welcome_to_diaspora: "%{name}، به دیاسپورا خوش آمدی!" - many: "%{count} منظر" - move_contact: - error: "خطا در فرستادن مخاطب: %{inspect}" - failure: "%{inspect} کار نکرد." - success: "شخص به منظر جدید فرستاده شد." new: create: "ساختن" name: "نام (فقط برای شما قابل مشاهده است)" @@ -140,14 +126,6 @@ fa: family: "خانواده" friends: "دوستان" work: "کار" - selected_contacts: - manage_your_aspects: "مدیریت منظرهای شما" - no_contacts: "هنوز هیچ مخاطبی ندارد." - view_all_community_spotlight: "مشاهده تمامی کانونهای توجه جامعه" - view_all_contacts: "مشاهده همه مخاطبین" - show: - edit_aspect: "ویرایش منظر" - two: "%{count} منظر" update: failure: "منظر %{name}، نامش برای ذخیره سازی طولانی هست." success: "منظر %{name}، با موفقیت ویرایش شد." diff --git a/config/locales/diaspora/fi.yml b/config/locales/diaspora/fi.yml index 28843a55f..6ea5fe1b4 100644 --- a/config/locales/diaspora/fi.yml +++ b/config/locales/diaspora/fi.yml @@ -7,11 +7,13 @@ fi: _applications: "Sovellukset" _comments: "Kommentit" - _contacts: "Henkilöt" + _contacts: "Kontaktit" _help: "Apua" _home: "Etusivu" - _photos: "kuvat" + _photos: "Kuvat" _services: "Ulkoiset palvelut" + _statistics: "Tilastot" + _terms: "Ehdot" account: "Käyttäjätili" activerecord: errors: @@ -88,34 +90,38 @@ fi: zero: "ei yhtään käyttäjää" week: "Viikko" user_entry: - account_closed: "käyttäjätili suljettu" + account_closed: "Käyttäjätili suljettu" diaspora_handle: "Diaspora kahva" email: "Sähköposti" guid: "GUID" id: "Tunnus" - last_seen: "nähty viimeksi" + last_seen: "Nähty viimeksi" ? "no" - : ei + : Ei nsfw: "#nsfw" - unknown: "tuntematon" + unknown: "Tuntematon" ? "yes" - : kyllä + : Kyllä user_search: account_closing_scheduled: "Käyttäjätili %{name} on ajastettu suljettavaksi. Suoritus tapahtuu muutaman hetken kuluttua..." + account_locking_scheduled: "Käyttäjätili %{name} on ajastettu lukittavaksi. Tapahtuma käsitellään hetken kuluttua..." + account_unlocking_scheduled: "Käyttäjätilin %{name} lukitus on ajastettu poistettavaksi. Tapahtuma käsitellään hetken kuluttua..." add_invites: "lisää kutsuja" are_you_sure: "Haluatko varmasti sulkea tämä käyttäjätilin?" - close_account: "sulje käyttäjätili" + are_you_sure_lock_account: "Haluatko varmasti lukita tämän tilin?" + are_you_sure_unlock_account: "Haluatko varmasti poistaa tämän tilin lukituksen?" + close_account: "Sulje käyttäjätili" email_to: "Lähetä sähköposti kutsuaksesi" - under_13: "Näytä käyttäjät jotka ovat alle 13 (COPPA)" + under_13: "Näytä käyttäjät, jotka ovat alle 13 (COPPA)" users: one: "%{count} käyttäjä löytyi" other: "%{count} käyttäjää löytyi" zero: "Yhtään käyttäjää ei löytynyt" - view_profile: "näytä profiili" + view_profile: "Näytä profiili" you_currently: - one: "sinulla on tällä hetkellä %{count} kutsu jäljellä %{link}" - other: "sinulla on tällä hetkellä %{count} kutsua jäljellä %{link}" - zero: "sinulla ei ole tällä hetkellä yhtään kutsua jäljellä" + one: "Sinulla on tällä hetkellä yksi kutsu jäljellä %{link}" + other: "Sinulla on tällä hetkellä %{count} kutsua jäljellä %{link}" + zero: "Sinulla ei ole tällä hetkellä yhtään kutsua jäljellä %{link}" weekly_user_stats: amount_of: one: "Yksi uusi käyttäjä tällä viikolla." @@ -126,22 +132,20 @@ fi: all_aspects: "Kaikki näkymät" application: helper: - unknown_person: "tuntematon henkilö" + unknown_person: "Tuntematon henkilö" video_title: unknown: "Tuntematon videon otsikko" are_you_sure: "Oletko varma?" are_you_sure_delete_account: "Haluatko varmasti sulkea tilisi? Tätä ei voi kumota!" aspect_memberships: destroy: - failure: "Henkilön poisto näkymästä epäonnistui" - no_membership: "Kyseistä henkilöä ei löytynyt valitusta näkymästä" - success: "Henkilö poistettiin näkymästä onnistuneesti" + failure: "Henkilön poisto näkymästä epäonnistui." + no_membership: "Valittua henkilöä ei löytynyt kyseisestä näkymästä." + success: "Henkilö poistettiin näkymästä onnistuneesti." aspects: add_to_aspect: - failure: "Henkilön lisäys näkymään epäonnistui." - success: "Henkilön lisäys näkymään onnistui." - aspect_contacts: - done_editing: "muokkaus valmis" + failure: "Kontaktin lisääminen näkymään epäonnistui." + success: "Kontaktin lisääminen näkymään onnistui." aspect_listings: add_an_aspect: "+ Lisää näkymä" deselect_all: "Poista valinnat" @@ -150,9 +154,9 @@ fi: aspect_stream: make_something: "Julkaise jotain" stay_updated: "Pysy ajan tasalla" - stay_updated_explanation: "Sinun päävirrassasi näkyvät kaikki henkilösi, seuraamasi tagit ja eräiden yhteisön luovien jäsenten julkaisut." - contacts_not_visible: "Henkilöt tässä näkymässä eivät voi nähdä toisiaan." - contacts_visible: "Henkilöt tässä näkymässä voivat nähdä toisensa." + stay_updated_explanation: "Näet päävirrassasi kaikki kontaktiesi ja eräiden yhteisön luovien jäsenten lähettämät sekä seuraamillasi tageillä merkityt julkaisut." + contacts_not_visible: "Tämän näkymän kontaktit eivät voi nähdä toisiaan." + contacts_visible: "Tämän näkymän kontaktit voivat nähdä toisensa." create: failure: "Näkymän luominen epäonnistui." success: "Uusi näkymäsi, %{name}, on luotu" @@ -160,23 +164,18 @@ fi: failure: "%{name} ei ole tyhjä, eikä sitä voitu poistaa." success: "%{name} poistettiin onnistuneesti." edit: - add_existing: "Lisää olemassa oleva henkilö" - aspect_list_is_not_visible: "Henkilöt tässä näkymässä eivät voi nähdä toisiaan." - aspect_list_is_visible: "Henkilöt tässä näkymässä voivat nähdä toisensa." + aspect_chat_is_enabled: "Tämän näkymän kontaktit voivat lähettää sinulle pikaviestejä." + aspect_chat_is_not_enabled: "Tämän näkymän kontaktit eivät voi lähettää sinulle pikaviestejä." + aspect_list_is_not_visible: "Tämän näkymän kontaktit eivät voi nähdä toisiaan." + aspect_list_is_visible: "Tämän näkymän kontaktit voivat nähdä toisensa." confirm_remove_aspect: "Oletko varma, että haluat poistaa tämän näkymän?" - done: "Valmis" - make_aspect_list_visible: "salli näkymän henkilöiden nähdä toisensa?" - manage: "Hallitse" + grant_contacts_chat_privilege: "Salli näkymän kontaktien lähettää pikaviestejä?" + make_aspect_list_visible: "Salli tämän näkymän kontaktien nähdä toisensa?" remove_aspect: "Poista näkymä" - rename: "nimeä uudelleen" + rename: "Nimeä uudelleen" set_visibility: "Aseta näkyvyys" - update: "päivitä" - updating: "päivittää" - few: "%{count} näkymää" - helper: - are_you_sure: "Haluatko varmasti poistaa tämän näkymän?" - aspect_not_empty: "Näkymä ei ole tyhjä" - remove: "poista" + update: "Päivitä" + updating: "Päivittää" index: diaspora_id: content_1: "Diaspora-ID:si on:" @@ -200,7 +199,7 @@ fi: tag_feature: "ominaisuus" tag_question: "kysymys" tutorial_link_text: "Ohjeita" - tutorials_and_wiki: "%{faq},%{tutorial} & %{wiki}: Ohjeita aloittavalle." + tutorials_and_wiki: "%{faq}, %{tutorial} & %{wiki}: ohjeita alkuun pääsemiseksi." introduce_yourself: "Tämä on virtasi. Hyppää sekaan ja esittele itsesi." keep_diaspora_running: "Pidä Diasporan kehitys nopeana kuukausittaisten lahjoitusten avulla!" keep_pod_running: "Pidä %{pod} vauhdissa tarjoamalla palvelimille kupponen kahvia kuukausittaisella lahjoituksella!" @@ -208,28 +207,23 @@ fi: follow: "Seuraa tagia %{link} ja toivota uudet käyttäjät tervetulleiksi Diasporaan!" learn_more: "Lue lisää" title: "Tervehdi uusia käyttäjiä" - no_contacts: "Ei henkilöitä" + no_contacts: "Ei kontakteja" no_tags: "+ Etsi tageja seurattaviksi" - people_sharing_with_you: "Ihmiset jotka jakavat kanssasi" - post_a_message: "lähetä viesti >>" + people_sharing_with_you: "Henkiöt, jotka jakavat kanssasi" + post_a_message: "Lähetä viesti >>" services: content: "Voit yhdistää Diasporaan seuraavat palvelut:" heading: "Yhdistä palveluihin" unfollow_tag: "Lopeta tagin #%{tag} seuraaminen" welcome_to_diaspora: "Tervetuloa Diasporaan, %{name}!" - many: "%{count} näkymää" - move_contact: - error: "Virhe siirrettäessä henkilöä: %{inspect}" - failure: "ei toiminut %{inspect}" - success: "Henkilö siirretty uuteen näkymään" new: create: "Luo" name: "Nimi (näkyy vain sinulle)" no_contacts_message: - community_spotlight: "yhteisön valokeila" + community_spotlight: "Yhteisön valokeila" or_spotlight: "Voit myös jakaa %{link}n kanssa" - try_adding_some_more_contacts: "Voit etsiä (ylhäällä) tai kutsua (oikealla) lisää henkilöitä." - you_should_add_some_more_contacts: "Sinun pitäisi lisätä henkilöitä!" + try_adding_some_more_contacts: "Voit etsiä tai kutsua lisää kontakteja." + you_should_add_some_more_contacts: "Sinun pitäisi lisätä kontakteja!" no_posts_message: start_talking: "Kukaan ei ole vielä sanonut mitään!" one: "1 näkymä" @@ -239,18 +233,10 @@ fi: family: "Perhe" friends: "Ystävät" work: "Työ" - selected_contacts: - manage_your_aspects: "Hallitse näkymiäsi." - no_contacts: "Sinulla ei vielä ole henkilöitä täällä." - view_all_community_spotlight: "Näytä kaikki yhteisön valokeilaan kuuluvat käyttäjät" - view_all_contacts: "Näytä kaikki henkilöt" - show: - edit_aspect: "muokkaa näkymää" - two: "%{count} näkymää" update: failure: "Antamasi näkymän nimi, %{name}, oli liian pitkä tallennettavaksi." success: "Näkymäsi, %{name}, muokkaus onnistui." - zero: "ei näkymiä" + zero: "Ei näkymiä" back: "Takaisin" blocks: create: @@ -266,45 +252,38 @@ fi: post_success: "Lähetetty! Suljetaan!" cancel: "Peruuta" comments: - few: "%{count} kommenttia" - many: "%{count} kommenttia" new_comment: comment: "Kommentoi" commenting: "Kommentoidaan..." one: "1 kommentti" other: "%{count} kommenttia" - two: "%{count} kommenttia" - zero: "ei kommentteja" + zero: "Ei kommentteja" contacts: create: - failure: "Henkilön lisääminen epäonnistui" - few: "%{count} henkilöä" + failure: "Kontaktin luominen epäonnistui" index: add_a_new_aspect: "Lisää näkymä" - add_to_aspect: "lisää henkilöitä näkymään %{name}" - add_to_aspect_link: "lisää henkilöitä näkymään %{name}" - all_contacts: "Kaikki henkilöt" + add_contact: "Lisää kontakti" + add_to_aspect: "Lisää kontakteja näkymään %{name}" + all_contacts: "Kaikki kontaktit" community_spotlight: "Yhteisön valokeila" - many_people_are_you_sure: "Oletko varma, että haluat aloittaa yksityiskeskustelun useamman kuin %{suggested_limit} kontaktin kanssa? Julkaisun lähettäminen tähän näkymään voisi olla parempi tapa olla yhteydessä heihin." - my_contacts: "Henkilöt" + my_contacts: "Kontaktini" no_contacts: "Sinun pitäisi näköjään lisätä kontakteja!" no_contacts_message: "Käy katsomassa %{community_spotlight}" - no_contacts_message_with_aspect: "Käy katsomassa %{community_spotlight} tai %{add_to_aspect_link}" only_sharing_with_me: "Jakaa vain kanssani" - remove_person_from_aspect: "Poista %{person_name} näkymästä: \"%{aspect_name}\"" + remove_contact: "Poista kontakti" start_a_conversation: "Aloita keskustelu" - title: "Henkilöt" + title: "Kontaktit" + user_search: "Käyttäjähaku" your_contacts: "Kontaktisi" - many: "%{count} henkilöä" - one: "1 henkilö" - other: "%{count} henkilöä" + one: "1 kontakti" + other: "%{count} kontaktia" sharing: - people_sharing: "Ihmiset jotka jakavat kanssasi:" + people_sharing: "Henkilöt, jotka jakavat kanssasi:" spotlight: community_spotlight: "Yhteisön valokeila" suggest_member: "Ehdota jäsentä" - two: "%{count} henkilöä" - zero: "ei henkilöitä" + zero: "Ei kontakteja" conversations: conversation: participants: "Osallistujat" @@ -313,7 +292,8 @@ fi: no_contact: "Hei, sinun on ensin lisättävä vastaanottaja!" sent: "Viesti lähetetty" destroy: - success: "Keskustelu poistettu onnistuneesti" + delete_success: "Keskustelun poistaminen onnistui" + hide_success: "Keskustelun piilottaminen onnistui" helper: new_messages: few: "%{count} uutta viestiä" @@ -324,22 +304,23 @@ fi: zero: "Ei uusia viestejä" index: conversations_inbox: "Keskustelut - Saapuneet" - create_a_new_conversation: "aloita uusi keskustelu" + create_a_new_conversation: "Aloita uusi keskustelu" inbox: "Uudet viestit" new_conversation: "Uusi keskustelu" - no_conversation_selected: "ei valittua keskustelua" - no_messages: "ei viestejä" + no_conversation_selected: "Yhtäkään keskustelua ei ole valittu" + no_messages: "Ei viestejä" new: abandon_changes: "Hylkää muutokset?" send: "Lähetä" sending: "Lähetetään..." - subject: "aihe" - to: "vast.ott." + subject: "Aihe" + to: "Vast.ott." new_conversation: fail: "virheellinen viesti" show: - delete: "poista ja estä tämä keskustelu" - reply: "vastaa" + delete: "Poista keskustelu" + hide: "Piilota ja vaimenna keskustelu" + reply: "Vastaa" replying: "Vastataan..." date: formats: @@ -354,7 +335,7 @@ fi: invalid_fields: "Vialliset arvot" login_try_again: "Kirjaudu sisään ja yritä uudelleen." post_not_public: "Julkaisu, jota yrität lukea, ei ole julkinen!" - post_not_public_or_not_exist: "Julkaisu jota yrität katsella ei ole julkinen tai sitä ei ole olemassa!" + post_not_public_or_not_exist: "Julkaisu, jota yrität katsella, ei ole julkinen tai sitä ei ole olemassa!" fill_me_out: "Täytä tiedot" find_people: "Etsi ihmisiä tai #tageja" help: @@ -363,7 +344,7 @@ fi: close_account_q: "Kuinka poistan käyttäjätilini?" data_other_podmins_a: "Kun aloitat jakamaan jonkun toisessa podissa olevan kanssa kaikki julkaisut mitä jaat ja kopio profiilistasi tallennetaan (välimuistiin) heidän podiinsa jolloin kyseisen podin tietokannan ylläpitäjällä on pääsy noihin tietoihin. Kun poistat julkaisun tai profiilitietoa se poistetaan omasta ja kaikista muista podeista mihin se oli tallennettuna." data_other_podmins_q: "Voivatko muiden podien ylläpitäjät nähdä tietojani?" - data_visible_to_podmin_a: "Podien välinen tietoliikenne on aina salattua (käyttäen SSL:ää ja diasporan* omaa liikenteen salausta), mutta tiedot podeissa ovat salaamattomia. Jos podisi tietokannan ylläpitäjä niin tahtoo (yleensä henkilö, joka ajaa podia) hänellä on pääsy profiilitietoihisi ja kaikkeen mitä julkaiset (kuten on asianlaita suurimmassa osassa verkkosivustoja jotka tallentavat käyttäjien tietoa). Oman podisi ajaminen antaa enemmän yksityisyyttä, koska silloin sinä voit itse hallita pääsyä tietokantaan." + data_visible_to_podmin_a: "Podien välinen tietoliikenne on aina salattua (käyttäen SSL:ää ja diasporan* omaa liikenteen salausta), mutta tiedot podeissa ovat salaamattomia. Jos podisi tietokannan ylläpitäjä (yleensä henkilö, joka ylläpitää podia) niin tahtoo hänellä on pääsy profiilitietoihisi ja kaikkeen, mitä julkaiset (kuten on asianlaita suurimmassa osassa verkkosivustoja, jotka tallentavat käyttäjien tietoa). Oman podisi ylläpitäminen tarjoaa enemmän yksityisyyttä, koska silloin sinä voit itse hallita pääsyä tietokantaan." data_visible_to_podmin_q: "Kuinka paljon tiedoistani podin ylläpitäjä voi nähdä?" download_data_a: "Kyllä. Käyttäjätilisi asetus-sivun alaosassa on kaksi painiketta joita voit käyttää tietojesi lataamiseen." download_data_q: "Voinko ladata itselleni kopion kaikesta käyttäjätilini sisältämästä tiedosta?" @@ -374,12 +355,12 @@ fi: change_aspect_of_post_a: "Et, mutta voit aina tehdä uuden julkaisun samalla sisällöllä ja julkaista sen eri näkymään." change_aspect_of_post_q: "Voinko muuttaa näkymiä julkaisun julkaisemisen jälkeen?" contacts_know_aspect_a: "Ei. He eivät voi nähdä näkymän nimeä missään olosuhteissa." - contacts_know_aspect_q: "Tietävätkö henkilöt mihin näkymiin heidät sijoitan?" - contacts_visible_a: "Jos rastitat tämän kohdan niin henkilöt tässä näkymässä voivat nähdä keitä muita näkymään kuuluu, profiilisivultasi kuvasi alta. On parasta valita tämä vaihtoehto vain, jos kaikki henkilöt tässä näkymässä tuntevat toisensa muutenkin. Näkymän nimi ei kuitenkaan ole nähtävissä vaikka tämä asetus olisi valittu." - contacts_visible_q: "Mitä tarkoittaa \"määritä henkilöt tässä näkymässä toisilleen näkyviksi\"?" + contacts_know_aspect_q: "Tietävätkö kontaktit, mihin näkymiin heidät sijoitan?" + contacts_visible_a: "Jos rastitat tämän kohdan, tässä näkymässä olevat kontaktit voivat nähdä, keitä muita näkymään kuuluu profiilisivultasi kuvasi alta. On parasta valita tämä vaihtoehto vain, jos kaikki tässä näkymässä olevat kontaktit tuntevat toisensa muutenkin. Näkymän nimi ei kuitenkaan ole nähtävissä, vaikka tämä asetus olisi valittu." + contacts_visible_q: "Mitä tarkoittaa asetus \"Salli tämän näkymän kontaktien nähdä toisensa\"?" delete_aspect_a: "Näkymälistassasi etusivun vasemmalla puolen, osoita hiirellä näymää, jonka tahdot poistaa. Klikkaa pientä 'muokkaus'-kynää, joka ilmestyy oikealle. Klikkaa poista painiketta ilmestyvästä laatikosta." delete_aspect_q: "Miten poistan näkymän?" - person_multiple_aspects_a: "Kyllä. Mene henkilöt sivullesi ja klikkaa henkilöt. Jokaista henkilöä kohden voit käyttää oikealla olevaa valikkoa lisätäksesi (tai poistaaksesi) heidät niin moneen näkymään, kuin haluat. Tai voit lisätä heidät uuteen näkymään (tai poistaa näkymästä) klikkaamalla näkymän valitsinpainiketta heidän profiilisivullaan. Tai voit siirtää hiiren kohdistimen henkilön nimen päälle, jos näet sen virrassa, jolloin hänen \"leiju-korttinsa\" ilmestyy. Voit muuttaa henkilön näkymiä suoraan siitä." + person_multiple_aspects_a: "Kyllä. Mene kontaktisivullesi ja klikkaa \"Kontaktini\". Oikealla olevasta valikosta voit lisätä (tai poistaa) jokaisen kontaktin niin moneen näkymään kuin haluat. Voit myös lisätä kontakteja uuteen näkymään (tai poistaa näkymästä) klikkaamalla näkymän valitsinpainiketta heidän profiilisivullaan. Voit myös siirtää hiiren kohdistimen kontaktin nimen päälle, kun näet sen virrassa, jolloin hänen \"leiju-korttinsa\" ilmestyy. Voit vaihtaa kontaktin näkymiä suoraan siitä." person_multiple_aspects_q: "Voinko lisätä henkilön useampaan näkymään?" post_multiple_aspects_a: "Kyllä. Kun olet luomassa julkaisua, käytä näkymän valintapainiketta poistaaksesi tai lisätäksesi näkymiä. Julkaisusi tulee näkymään kaikissa näkymissä, jotka valitset. Voit valita julkaisullesi halutut kohdenäkymät myös sivupalkista. Valitsemasi näkymät ovat automaattisesti valittuina, kun ryhdyt luomaan seuraavaa julkaisua." post_multiple_aspects_q: "Voinko tehdä julkaisun useisiin näkymiin samalla kertaa?" @@ -394,7 +375,7 @@ fi: what_is_an_aspect_q: "Mikä on näkymä?" who_sees_post_a: "Jos teet rajoitetun julkaisun sen näkevät vain henkilöt, jotka olet sijoittanut kyseiseen näkymään (tai näkymiin). Henkilöt, jotka eivät kuulu kyseiseen näkymään, eivät voi mitenkään nähdä sellaista julkaisua ellet ole tehnyt siitä julkista. Vain julkiset julkaisut ovat sellaisten henkilöiden nähtävillä, jotka eivät kuulu mihinkään näkymistäsi." who_sees_post_q: "Kun julkaisen näkymälle kuka voi nähdä sen?" - foundation_website: "diaspora säätiön kotisivu" + foundation_website: "Diaspora-säätiön kotisivu" getting_help: get_support_a_hashtag: "kysy Diasporassa* julkisessa julkaisussa käyttämällä %{question} tagia" get_support_a_irc: "juttele kanssamme %{irc} (Live chat)" @@ -410,10 +391,13 @@ fi: irc: "IRC" keyboard_shortcuts: keyboard_shortcuts_a1: "Virtanäkymässä voit käyttää seuraavia näppäinoikoteitä?" - keyboard_shortcuts_li1: "j - siirry seuraavaan julkaisuun" - keyboard_shortcuts_li2: "k - siirry edelliseen julkaisuun" - keyboard_shortcuts_li3: "c - kommentoi nykyistä julkaisua" - keyboard_shortcuts_li4: "I - tykkää nykyistä julkaisua" + keyboard_shortcuts_li1: "j - Siirry seuraavaan julkaisuun" + keyboard_shortcuts_li2: "k - Siirry edelliseen julkaisuun" + keyboard_shortcuts_li3: "c - Kommentoi nykyistä julkaisua" + keyboard_shortcuts_li4: "I - Tykkää nykyisestä julkaisusta" + keyboard_shortcuts_li5: "r - Jaa tämä julkaisu uudelleen" + keyboard_shortcuts_li6: "m - Laajenna tämä julkaisu" + keyboard_shortcuts_li7: "o - Avaa tämän julkaisun ensimmäinen linkki" keyboard_shortcuts_q: "MItä näppäinoikoteitä on käytettävissä?" title: "Näppäinoikotiet" markdown: "Markdown" @@ -425,7 +409,7 @@ fi: see_mentions_a: "Kyllä, klikkaa \"Maininnat\" aloitussivun vasemmassa sarakkeessa." see_mentions_q: "Onko minun mahdollista nähdä julkaisut joissa minut on mainittu?" title: "Maininnat" - what_is_a_mention_a: "Maininta on julkaisussa näkyvä linkki henkilön profiilisivulle. Kun joku on mainittu he saavat maininnasta ilmoituksen, jotta he voivat kiinnittää huomiota julkaisuun." + what_is_a_mention_a: "Maininta on julkaisussa näkyvä linkki henkilön profiilisivulle. Mainittu henkilö saa maininnasta ilmoituksen, jotta huomaa julkaisuun." what_is_a_mention_q: "Mikä on \"maininta\"?" miscellaneous: back_to_top_a: "Kyllä. Kun olet vierittänyt sivua alas, klikkaa harmaata nuolta joka on selainikkunassa sivun oikeassa yläkulmassa." @@ -439,10 +423,10 @@ fi: title: "Sekalaiset" pods: find_people_a: "Kutsu ystäviäsi käyttämällä sivupalkissa olevaa sähköpostilinkkiä. Seuraa #Tageja löytääksesi muita, jotka jakavat kiinnostuksen kohteesi ja lisätäksesi sinua kiinnostavia julkaisuja tehneet henkilöt omaan näkymääsi. Huuda olevasi #newhere julkisessa julkaisussa." - find_people_q: "Liityin juuri podiin. Kuinka löydän ihmisiä joiden kanssa haluan alkaa jakamaan?" + find_people_q: "Liityin juuri podiin. Kuinka löydän ihmisiä, joiden kanssa haluan alkaa jakaa?" title: "Podit" use_search_box_a: "Jos tiedät heidän diaspora* ID:nsä (esim. käyttäjänimi@podinimi.org), voit löytää heidät etsimällä sitä. Jos olet samassa podissa voit etsiä pelkän käyttäjänimen perusteella. Vaihtoehtoisesti voit etsiä profiilinimen perusteella (nimi, jonka näet näytöllä). Jos haku ei onnistu ensimmäisellä kerralla, yritä uudestaan." - use_search_box_q: "Kuinka käytän etsi -kenttää löytääkseni jonkun henkilön?" + use_search_box_q: "Kuinka käytän Etsi-kenttää löytääkseni jonkun henkilön?" what_is_a_pod_a: "Podi on palvelin, jossa ajetaan diaspora* ohjelmaa ja joka on yhteydessä diaspora* verkkoon. \"Podi\" on vertaus joidenkin kasvien palkoihin joiden sisällä on siemeniä, vastaavasti palvelimen sisältäessä useita käyttäjätiliejä. On olemassa useita erilaisia podeja. Voit lisätä ystäväi muista podeista ja viestiä heidän kanssaan. (Voi ajatella diaspora* podin olevan kuten sähköpostipalvelu: on olemassa julkisia podeja, yksityisiä podeja ja jonkin verran vaivaa näkemällä voit ajaa myös omaa podiasi)" what_is_a_pod_q: "Mikä on podi?" posts_and_posting: @@ -454,12 +438,12 @@ fi: embed_multimedia_q: "Kuinka upotan videota, ääntä tai muuta multimediasisältöä julkaisuihini?" format_text_a: "Käyttämällä yksinkertaista menetelmää nimeltä %{markdown}. Täydellinen Markdown syntaksi löytyy %{here}. Esikatselupainike on tässä yhteydessä todella hyödyllinen sillä voit tarkistaa miltä julkaisusi näyttää, ennen kuin jaat sen." format_text_q: "Kuinka voin muotoilla julkaisuni tekstiä (lihavointi, kursiivi jne.)?" - hide_posts_a: "Jos osoitat hiirelläsi julkaisusi yläosaa X ilmestyy oikealle. Klikkaa sitä piilottaaksesi julkaisun ja estääksesi siihen liittyvät ilmoitukset. Voit edelleen nähdä piilotetun julkaisun, jos vierailet julkaisun tehneen henkilön profiilisivulla." + hide_posts_a: "Jos osoitat hiirelläsi julkaisusi yläosaa, ilmestyy oikealle X. Klikkaa sitä piilottaaksesi julkaisun ja estääksesi siihen liittyvät ilmoitukset. Voit edelleen nähdä piilotetun julkaisun, jos vierailet julkaisun tehneen henkilön profiilisivulla." hide_posts_q: "Kuinka piilotan julkaisun? / Kuinka estän saamasta ilmoituksia julkaisusta johon olen kommentoinut?" image_text: "kuvateksti" image_url: "kuvan url" insert_images_a: "Klikkaa pientä kamerakuvaketta lisätäksesi kuvan julkaisuun. Klikkaa kamerakuvaketta uudelleen lisätäksesi muita kuvia, tai voit valita useita kuvia ladataksesi ne samalla kertaa." - insert_images_comments_a1: "Seuraava Markdown koodi" + insert_images_comments_a1: "Seuraava Markdown-koodi" insert_images_comments_a2: "voidaan käyttää kuvien lisäämiseksi Internetistä kommenttehin ja julkaisuihin." insert_images_comments_q: "Voinko lisätä kuvia kommentteihini?" insert_images_q: "Kuinka lisään kuvia julkaisuihini?" @@ -467,9 +451,9 @@ fi: size_of_images_q: "Voinko muokata kuvien kokoa julkaisuissani tai kommenteissani?" stream_full_of_posts_a1: "Virtasi rakentuu kolmenlaisista julkaisuista:" stream_full_of_posts_li1: "Julkaisuista henkilöiltä joiden kanssa jaat. Näitä on kahdenlaisia: julkiset julkaisut ja rajoitetut julkaisut, jotka on jaettu näkymään johon kuulut. Nämä julkaisut poistuvat yksinkertaisesti lopettamalla jakaminen kyseisen henkilön kanssa." - stream_full_of_posts_li2: "Julkiset julkaisut, jotka sisältävät tagin jota seuraat. Nämä poistuvat, kun lakkaat seuraamasta kyseistä tagia." + stream_full_of_posts_li2: "Julkiset julkaisut, jotka sisältävät tagin, jota seuraat. Nämä poistuvat, kun lakkaat seuraamasta kyseistä tagia." stream_full_of_posts_li3: "Julkiset julkaisut Yhteisön Valokeilassa luetelluilta henkilöiltä. Nämä voi estää näkymästä poistamalla valinnan kohdasta \"Näytetäänkö Yhteisön valokeila virrassa?\" käyttäjätilisi asetuksissa." - stream_full_of_posts_q: "Miksi minun virtani on täynnä julkaisuja henkilöiltä joita en tunne ja joiden kanssa en jaa?" + stream_full_of_posts_q: "Miksi minun virtani on täynnä julkaisuja henkilöiltä, joita en tunne ja joiden kanssa en jaa?" title: "Julkaisut ja lähettäminen" private_posts: can_comment_a: "Vain kirjautuneet diaspora* käyttäjät, jotka olet sijoittanut kyseiseen näkymään, voivat tykätä tai kommentoida yksityistä julkaisuasi." @@ -492,7 +476,7 @@ fi: public_posts: can_comment_reshare_like_a: "Kuka tahansa kirjautunut Diaspora* käyttäjä voi kommentoida, uudelleenjakaa tai tykätä julkista julkaisuasi." can_comment_reshare_like_q: "Kuka voi kommentoida, uudelleenjakaa tai tykätä julkista julkaisuani?" - deselect_aspect_posting_a: "Valinnan poistaminen näkymästä ei vaikuta julkiseen julkaisuun. Se näkyy silti kaikkien henkilöidesi virrassa. Tehdäksesi julkaisun näkyväksi vain tietylle näkymälle sinun täytyy valita halutut näkymät julkaisun alta." + deselect_aspect_posting_a: "Valinnan poistaminen näkymästä ei vaikuta julkiseen julkaisuun. Se näkyy silti kaikkien kontaktiesi virrassa. Tehdäksesi julkaisun näkyväksi vain tietylle näkymälle sinun täytyy valita halutut näkymät julkaisun alta." deselect_aspect_posting_q: "Mitä tapahtuu jos poistan valinnan yhdestä tai useammasta näkymästä tehdessäni julkista julkaisua?" find_public_post_a: "Julkiset julkaisusi näkyvät jokaisen sinua seuraavan virrassa. Jos merkitsit julkisen julkaisusi joillakin tai jollakin #tagilla, jokainen joka seuraa kyseistä tagia näkee julkaisusi omassa virrassaan. Jokaisella julkisella julkaisulla on myös oma URL jonka jokainen voi nähdä, jopa silloin kun he eivät ole kirjautuneet sisään - tällöin julkisiin julkaisuihin voidaan linkittää suoraan Twitteristä, blogista jne. Myös hakukoneet voivat indeksoida julkiset julkaisut." find_public_post_q: "Kuinka toiset henkilöt voivat löytää julkisen julkaisuni?" @@ -520,18 +504,18 @@ fi: sharing: add_to_aspect_a1: "Sanotaan vaikka, että Amy lisää Benin johonkin näkymään, mutta Ben ei ole (vielä) lisännyt Amya mihinkään näkymään:" add_to_aspect_a2: "Tämä tunnetaan nimellä epäsymmetrinen jakaminen. Jos ja kun Ben myös lisää Amyn johonkin näkymään tämä muuttuu yhtäläiseksi jakamiseksi, jolloin Amyn ja Benin julkiset julkaiset ja asiaankuuluvat yksityiset julkaisut alkavat näkyä molempien virrassa jne. " - add_to_aspect_li1: "Ben saa ilmoituksen, että Amy on \"alkanut jakamaan\" Benin kanssa." - add_to_aspect_li2: "Amy alkaa saamaan Benin julkiset julkaisut omaan näkymäänsä." + add_to_aspect_li1: "Ben saa ilmoituksen, että Amy on \"alkanut jakaa\" Benin kanssa." + add_to_aspect_li2: "Amy alkaa saada Benin julkiset julkaisut omaan näkymäänsä." add_to_aspect_li3: "Amy ei näe Benin yksityisiä julkaisuja." add_to_aspect_li4: "Ben ei näe Amyn julkisia tai yksityisiä julkaisuja omassa virrassaan." add_to_aspect_li5: "Mutta jos Ben menee Amyn profiilisivulle, hän voi sitten nähdä Amyn yksityiset julkaisut joihin Amy on hänet lisännyt (kuten myös julkiset julkaisut jotka ovat kenen tahansa nähtävillä siellä)." add_to_aspect_li6: "Ben voi nähdä Amyn yksityisen profiilin, (bio, sijainti, sukupuoli, syntymäpäivä)" add_to_aspect_li7: "Amy näkyy Benin yhteystietosivulla \"Jakaa vain kanssani\" -kohdassa." add_to_aspect_q: "Mitä tapahtuu, kun lisään jonkun johonkin näkymistäni? Tai jos joku lisää minut johonkin omista näkymistään?" - list_not_sharing_a: "Ei, mutta voit nähdä jakaako joku kanssasi vierailemalla heidän profiilisivullaan. Jos he jakavat, palkki heidän profiilikuvansa alla on vihreä; jos eivät, palkki on harmaa. Sinun tulisi kuitenkin saada ilmoitus, jos joku alkaa jakamaan kanssasi." + list_not_sharing_a: "Ei, mutta voit nähdä jakaako joku kanssasi vierailemalla heidän profiilisivullaan. Jos he jakavat, palkki heidän profiilikuvansa alla on vihreä; jos eivät, palkki on harmaa. Sinun tulisi kuitenkin saada ilmoitus, jos joku alkaa jakaa kanssasi." list_not_sharing_q: "Onko olemassa luetteloa henkilöistä, jotka olen lisännyt johonkin näkymääni mutta jotka eivät ole lisänneet minun mihinkään omaan näkymäänsä?" - only_sharing_a: "Nämä ovat henkilöitä, jotka ovat lisänneet sinut johonkin näkymäänsä, mutta jotka eivät (vielä) ole yhdessäkään sinun näkymässäsi. Toisin sanoen he jakavat kanssasi mutta sinä et jaa heidän kanssaa (epäsymmetrinen jakaminen). Jos lisäät heidät johonkin näkymääsi he alkavat sen jälkeen näkymään kyseisessä näkymässä eivätkä enää \"Jakaa vain kanssasi\". Katso ylempää." - only_sharing_q: "Keitä ovat henkilöt jotka on lueteltu \"Jakaa vain kanssani\" -listassa yhteystietosivullani?" + only_sharing_a: "Nämä ovat henkilöitä, jotka ovat lisänneet sinut johonkin näkymäänsä, mutta jotka eivät (vielä) ole yhdessäkään sinun näkymässäsi. Toisin sanoen he jakavat kanssasi mutta sinä et jaa heidän kanssaa (epäsymmetrinen jakaminen). Jos lisäät heidät johonkin näkymääsi he alkavat sen jälkeen näkyä kyseisessä näkymässä eivätkä enää \"Jakaa vain kanssasi\". Katso ylempää." + only_sharing_q: "Keitä ovat henkilöt, jotka on lueteltu \"Jakaa vain kanssani\" -listassa yhteystietosivullani?" see_old_posts_a: "Ei. He näkevät vain kyseiseen näkymään julkaisemasi uudet julkaisut. He (ja jokainen muu) voivat nähdä vanhemmat julkiset julkaisusi profiilisivullasi, ja he voivat nähdä ne myös virrassaan." see_old_posts_q: "Jos lisään jonkun johonkin omaan näkymääni, voivatko he nähdä vanhemmat julkaisut jotka olen julkaissut kyseiseen näkymään?" title: "Jakaminen" @@ -547,7 +531,7 @@ fi: title: "Tagit" what_are_tags_for_a: "Tagit on tapa luokitella julkaisuja, yleensä aiheen mukaan. Tagin etsiminen näyttää kaikki kyseisellä tagilla merkityt julkaisut, jotka ovat sinun nähtävissäsi (sekä julkiset, että yksityiset). Tällä tavalla kyseisestä aiheesta kiinnostuneet ihmiset voivat löytää aiheeseen liittyvät julkiset julkaisut." what_are_tags_for_q: "Mihin tageja tarvitaan?" - third_party_tools: "kolmannen osapuolen työkalut" + third_party_tools: "Kolmannen osapuolen työkalut" title_header: "Apua" tutorial: "Opastus" tutorials: "ohjeita" @@ -594,18 +578,18 @@ fi: layouts: application: back_to_top: "Takaisin ylös" - powered_by: "PALVELUN TARJOAA DIASPORA*" + powered_by: "Palvelun tarjoaa Diaspora*" public_feed: "Käyttäjän %{name} julkinen Diaspora-uutisvirta" source_package: "Lataa lähdekoodipaketti" - toggle: "mobiilisivusto päälle/pois" + toggle: "Mobiilisivusto päälle/pois" whats_new: "Uutta" - your_aspects: "näkymäsi" + your_aspects: "Näkymäsi" header: - admin: "ylläpitäjä" - blog: "blogi" - code: "lähdekoodi" + admin: "Ylläpitäjä" + blog: "Blogi" + code: "Lähdekoodi" help: "Apua" - login: "kirjaudu sisään" + login: "Kirjaudu sisään" logout: "Kirjaudu ulos" profile: "Profiili" recent_notifications: "Viimeaikaiset ilmoitukset" @@ -620,20 +604,20 @@ fi: people_like_this: one: "%{count} tykkäys" other: "%{count} tykkäystä" - zero: "ei tykkäyksiä" + zero: "Ei tykkäyksiä" people_like_this_comment: one: "%{count} tykkäys" other: "%{count} tykkäystä" - zero: "ei tykkäyksiä" + zero: "Ei tykkäyksiä" limited: "Rajoitettu" more: "Lisää" - next: "seuraava" + next: "Seuraava" no_results: "Tuloksia ei löytynyt" notifications: also_commented: - one: "Myös %{actors} kommentoi käyttäjän %{post_author} %{post_link}a." - other: "Myös %{actors} kommentoivat käyttäjän %{post_author} %{post_link}a." - zero: "Myös %{actors} kommentoi käyttäjän %{post_author} %{post_link}a." + one: "Myös %{actors} kommentoi käyttäjän %{post_author} julkaisua %{post_link}." + other: "Myös %{actors} kommentoivat käyttäjän %{post_author} julkaisua %{post_link}." + zero: "Myös %{actors} kommentoi käyttäjän %{post_author} julkaisua %{post_link}." also_commented_deleted: one: "%{actors} kommentoi poistettua julkaisuasi." other: "%{actors} on kommentoinut poistettua julkaisuasi." @@ -661,17 +645,19 @@ fi: other: "ja %{count} muuta" two: "ja %{count} muuta" zero: "eikä kukaan muu" - comment_on_post: "Kommentoi julkaisua" - liked: "Tykätyt" + comment_on_post: "Julkaisujesi kommentit" + liked: "Tykkäykset" mark_all_as_read: "Merkitse kaikki luetuiksi" + mark_all_shown_as_read: "Merkitse kaikki luetuiksi" mark_read: "Merkitse luetuksi" mark_unread: "Merkitse lukemattomaksi" - mentioned: "Mainittu" + mentioned: "Maininnat" + no_notifications: "Sinulle ei ole vielä ilmoituksia." notifications: "Ilmoitukset" - reshared: "Jaettu uudelleen" - show_all: "näytä kaikki" - show_unread: "näytä lukemattomat" - started_sharing: "Aloitti jakamaan" + reshared: "Uudelleenjaot" + show_all: "Näytä kaikki" + show_unread: "Näytä lukemattomat" + started_sharing: "Jakoilmoitukset" liked: one: "%{actors} tykkäsi julkaisustasi %{post_link}." other: "%{actors} on tykännyt julkaisustasi %{post_link}." @@ -681,12 +667,9 @@ fi: other: "%{actors} on tykännyt poistamastasi julkaisusta." zero: "%{actors} tykkäsi poistamastasi julkaisusta." mentioned: - few: "%{actors} ovat maininneet sinut %{post_link}ssä." - many: "%{actors} ovat maininneet sinut %{post_link}ssä." - one: "%{actors} on maininnut sinut %{post_link}ssä." - other: "%{actors} ovat maininneet sinut %{post_link}ssä." - two: "%{actors} ovat maininneet sinut %{post_link}ssä." - zero: "%{actors} on maininnut sinut %{post_link}ssä." + one: "%{actors} on maininnut sinut julkaisussa %{post_link}." + other: "%{actors} ovat maininneet sinut julkaisussa %{post_link}." + zero: "%{actors} on maininnut sinut julkaisussa %{post_link}." mentioned_deleted: one: "%{actors} mainitsi sinut poistetussa julkaisussa." other: "%{actors} mainitsivat sinut poistetussa julkaisussa." @@ -712,15 +695,37 @@ fi: two: "%{actors} started sharing with you." zero: "%{actors} on aloittanut jakamaan kanssasi." notifier: + a_limited_post_comment: "Rajoitetulle julkaisullesi on uusi kommentti Diasporassa." a_post_you_shared: "julkaisu" + a_private_message: "Diasporassa on sinulle uusi yksityisviesti." accept_invite: "Hyväksy sinun Diaspora* kutsusi!" - click_here: "klikkaa tästä" + click_here: "Klikkaa tästä" comment_on_post: reply: "Vastaa tai katso käyttäjän %{name} viesti >" confirm_email: click_link: "Aktivoi uusi sähköpostiosoitteesi %{unconfirmed_email} napsauttamalla tätä linkkiä:" subject: "Aktivoi uusi sähköpostiosoitteesi %{unconfirmed_email}" email_sent_by_diaspora: "Podi %{pod_name} lähetti tämän sähköpostin. Jos et halua saada tällaisia sähköposteja jatkossa," + export_email: + body: |- + Hei %{name}, + + Tietosi on käsitelty ja voit ladata ne tämän [linkin kautta](%{url}). + + Terveisin, + + Diaspora* sähköpostirobotti! + subject: "Henkilökohtaiset tietosi ovat valmiina ladattavaksi, %{name}" + export_photos_email: + body: |- + Hei %{name}, + + Kuvatiedostosi on käsitelty ja ne voit ladata ne [tästä linkistä](%{url}). + + Terveisin, + + diaspora* sähköpostirobotti! + subject: "Kuvatiedostot ovat valmiina ladattaviksi, %{name}" hello: "Hei %{name}!" invite: message: |- @@ -747,6 +752,22 @@ fi: subject: "%{name} on maininnut sinut Diaspora*:ssa" private_message: reply_to_or_view: "Lue tai osallistu keskusteluun >" + remove_old_user: + body: |- + Hei, + + Koska käyttäjätilisi %{pod_url}-podilla ei ole ollut aktiivinen %{after_days} päivään, oletamme, että et halua enää käyttää tiliäsi. Poistamme tämän Diaspora-podin tietokannasta tarpeettomia käyttäjätilejä, koska haluamme taata sen aktiivisille käyttäjille parhaan mahdollisen suorituskyvyn. + + Näkisimme sinut mielellämme osana Diaspora-yhteisöä, ja olet niin halutessasi tervetullut pitämään käyttäjätilisi elossa. + + Jos haluat pitää käyttäjätilisi toiminnassa, sinun tarvitsee vain kirjautua sisään tilillesi ennen päivämäärää %{remove_after}. Kun olet kirjautunut sisään, katsele vähän ympärillesi Diasporassa. Se on muuttunut paljon siitä kun viimeksi kävit siellä, ja uskomme että tulet pitämään tekemistämme parannuksista. Voit löytää kiinnostavaa sisältöä seuraamalla #tageja. + + Kirjaudu sisään tästä: %{login_url}. Jos olet unohtanut kirjautumistietosi, voit pyytää niitä uudelleen kyseisellä sivulla. + + Toivottavasti näemme uudelleen, + + Diaspora-sähköpostirobotti! + subject: "Käyttämätön diaspora* käyttäjätilisi on merkitty poistettavaksi" report_email: body: |- Hei, @@ -778,7 +799,7 @@ fi: subject: "%{name} on alkanut jakaa kanssasi Diaspora*:ssa" view_profile: "Näytä käyttäjän %{name} profiiili" thanks: "Kiitos," - to_change_your_notification_settings: "vaihtaaksesi ilmoitusasetuksia" + to_change_your_notification_settings: "muuttaaksesi ilmoitusasetuksia" nsfw: "NSFW" ok: "OK" or: "tai" @@ -788,40 +809,38 @@ fi: add_contact: invited_by: "sinut kutsui" add_contact_small: - add_contact_from_tag: "lisää henkilö tagista" + add_contact_from_tag: "Lisää kontakti tagista" aspect_list: - edit_membership: "muokkaa näkymän jäsenyyttä." - few: "%{count} henkilöä" + edit_membership: "Muokkaa näkymän jäsenyyttä" helper: is_not_sharing: "%{name} ei jaa kanssasi" is_sharing: "%{name} jakaa kanssasi" results_for: " tulokset kyselylle %{params}" index: - couldnt_find_them: "Heitä ei löytynyt?" - looking_for: "Etsitkö tägillä %{tag_link} merkittyjä viestejä?" + couldnt_find_them: "Etkö löytänyt etsimääsi henkilöä?" + looking_for: "Etsitkö tagilla %{tag_link} merkittyjä viestejä?" no_one_found: "...ketään ei löytynyt." no_results: "Hei! Sinun tulisi etsiä jotakin." - results_for: "Käyttäjät jotka vastaavat hakua %{search_term}" - search_handle: "Käytä heidän diaspora* ID:tään (käyttäjänimi@pod.tld) löytääksesi ystäväsi varmasti." + results_for: "Hakua %{search_term} vastaavat käyttäjät" + search_handle: "Löydät ystäväsi parhaiten käyttämällä heidän Diaspora-ID:itään (käyttäjänimi@pod.tld)." searching: "etsitään, pieni hetki..." send_invite: "Ei edelleenkään mitään? Lähetä kutsu!" - many: "%{count} henkilöä" one: "1 henkilö" other: "%{count} henkilöä" person: - add_contact: "lisää kontakti" + add_contact: "Lisää kontakti" already_connected: "Yhteys jo olemassa" pending_request: "Jonossa oleva pyyntö" thats_you: "Se olet sinä!" profile_sidebar: bio: "Elämäkerta" born: "Syntymäpäivä" - edit_my_profile: "Muokkaa profiiliasi" + edit_my_profile: "Muokkaa profiiliani" gender: "Sukupuoli" - in_aspects: "näkymissä" + in_aspects: "Näkymissä" location: "Sijainti" photos: "Kuvat" - remove_contact: "poista kontakti" + remove_contact: "Poista kontakti" remove_from: "Poista %{name} näkymästä %{aspect}?" show: closed_account: "Tämä käyttäjätili on suljettu." @@ -836,18 +855,17 @@ fi: recent_public_posts: "Viimeisimmät julkiset julkaisut" return_to_aspects: "Palaa näkymiin" see_all: "Näytä kaikki" - start_sharing: "aloita jakamaan" + start_sharing: "Aloita jakamaan" to_accept_or_ignore: "hyväksyäksesi tai hylätäksesi sen." sub_header: - add_some: "lisää niitä" - edit: "muokkaa" - you_have_no_tags: "sinulla ei ole tageja!" - two: "%{count} henkilöä" + add_some: "Lisää niitä" + edit: "Muokkaa" + you_have_no_tags: "Sinulla ei ole tageja!" webfinger: fail: "Valitettavasti tunnusta %{handle} ei löytynyt." - zero: "ei henkilöitä" + zero: "Ei henkilöitä" photos: - comment_email_subject: "kuva käyttäjältä %{name}" + comment_email_subject: "Kuva käyttäjältä %{name}" create: integrity_error: "Kuvan lataus epäonnistui. Oletko varma, että se oli kuva?" runtime_error: "Kuvan lataus epäonnistui. Onhan turvavyösi kiinni?" @@ -859,7 +877,7 @@ fi: new: back_to_list: "Takaisin listaan" new_photo: "Uusi kuva" - post_it: "lähetä!" + post_it: "Lähetä!" new_photo: empty: "{file} on tyhjä, valitse tiedostot uudelleen ilman kyseistä tiedostoa." invalid_ext: "{file} sisältää viallisen tiedostopäätteen. Tuetut muodot ovat {extensions}." @@ -868,13 +886,13 @@ fi: or_select_one_existing: "tai valitse joku jo lisäämistäsi kuvista: %{photos}" upload: "Lisää uusi profiilikuva!" photo: - view_all: "näytä kaikki käyttäjän %{name} kuvat" + view_all: "Näytä kaikki käyttäjän %{name} kuvat" show: - collection_permalink: "tallenna pysyvä linkki" + collection_permalink: "Tallenna pysyvä linkki" delete_photo: "Poista kuva" - edit: "muokkaa" + edit: "Muokkaa" edit_delete_photo: "Muokkaa kuvan kuvausta / poista kuva" - make_profile_photo: "aseta profiilikuvaksi" + make_profile_photo: "Aseta profiilikuvaksi" show_original_post: "Näytä alkuperäinen julkaisu" update_photo: "Päivitä kuva" update: @@ -886,13 +904,13 @@ fi: show: destroy: "Poista" not_found: "Valitettavasti tätä julkaisua ei löytynyt." - permalink: "pysyvä linkki" + permalink: "Pysyvä linkki" photos_by: one: "Yksi kuva käyttäjältä %{author}" other: "%{count} kuvaa käyttäjältä %{author}" zero: "Ei kuvia käyttäjältä %{author}" reshare_by: "Uudelleenjaettu käyttäjältä %{author}" - previous: "edellinen" + previous: "Edellinen" privacy: "Yksityisyys" privacy_policy: "Tietosuojakäytäntö" profile: "Profiili" @@ -904,7 +922,7 @@ fi: last_name: "Sukunimi" nsfw_check: "Merkitse kaikki jakamani sisältö NSFW:ksi" nsfw_explanation: "NSFW ('not safe for work' - 'sopimatonta työpaikalle') on Diaspora*n itseohjautuva yhteisöstandardi sisällölle, joka on mahdollisesti sopimatonta katsottavaksi työpaikalla. Valitse tämä asetus, jos suunnittelet julkaisevasi sellaista materiaalia säännöllisesti, jotta kaikki jakamasi sisältö piilotetaan virrasta ja näytetään vain, jos kukin niin haluaa." - nsfw_explanation2: "Jos et halua käyttää tätä asetusta ole hyvä ja lisää #nsfw tagi julkaisuusi aina, kun haluat jakaa sellaista sisältöä." + nsfw_explanation2: "Jos et halua käyttää tätä asetusta, ole hyvä ja lisää #nsfw-tagi julkaisuusi aina, kun haluat jakaa työpaikalle sopimatonta sisältöä." update_profile: "Päivitä profiili" your_bio: "Elämäkertasi" your_birthday: "Syntymäpäiväsi" @@ -915,7 +933,7 @@ fi: your_private_profile: "Yksityinen profiilisi" your_public_profile: "Julkinen profiilisi" your_tags: "Kuvaile itseäsi viidellä sanalla" - your_tags_placeholder: "esim. #elokuvat #kissat #matkailu #opettaja #turku" + your_tags_placeholder: "Esim. #elokuvat #kissat #matkailu #opettaja #turku" update: failed: "Profiilin päivitys epäonnistui" updated: "Profiili päivitetty" @@ -923,7 +941,7 @@ fi: reactions: one: "1 reaktio" other: "%{count} reaktiota" - zero: "Ei yhtään reaktiota" + zero: "Ei reaktioita" registrations: closed: "Rekisteröityminen on suljettu tässä Diaspora-podissa." create: @@ -937,22 +955,21 @@ fi: update: "Päivitä" invalid_invite: "Antamasi kutsulinkki ei ole enää voimassa!" new: - continue: "Jatka" create_my_account: "Luo käyttäjätili!" - diaspora: "<3 diaspora*" - email: "SÄHKÖPOSTI" + email: "Sähköposti" enter_email: "Syötä sähköpostiosoite" enter_password: "Syötä salasana (vähintään kuusi merkkiä)" enter_password_again: "Syötä sama salasana kuin edellä" enter_username: "Valitse käyttäjänimi (vain kirjaimet, numerot ja alaviivat sallittuja)" - hey_make: "HEI,
JULKAISE
JOTAIN." join_the_movement: "Liity joukkoon!" - password: "SALASANA" - password_confirmation: "SALASANA UUDESTAAN" - sign_up: "REKISTERÖIDY" + password: "Salasana" + password_confirmation: "Salasana uudestaan" + sign_up: "Rekisteröidy" sign_up_message: "Yhteisöpalvelu suurella ♥:llä" submitting: "Lähettää..." - username: "KÄYTTÄJÄNIMI" + terms: "Luomalla tilin hyväksyt %{terms_link}" + terms_link: "palvelun käyttöehdot" + username: "Käyttäjänimi" report: comment_label: "Kommentti:
%{data}" confirm_deletion: "Oletko varma, että haluat poistaa kohteen?" @@ -978,14 +995,14 @@ fi: success: "Olet nyt jakamassa." helper: new_requests: - one: "%{count} uusi pyyntö!" + one: "Uusi pyyntö!" other: "%{count} uutta pyyntöä!" - zero: "ei uusia pyyntöjä" + zero: "Ei uusia pyyntöjä" manage_aspect_contacts: - existing: "Olemassa olevat henkilöt" - manage_within: "Muokkaa henkilöitä näkymässä" + existing: "Olemassa olevat kontaktit" + manage_within: "Muokkaa kontakteja näkymässä" new_request_to_person: - sent: "lähetetty!" + sent: "Lähetetty!" reshares: comment_email_subject: "Käyttäjän %{resharer} uudelleenjako käyttäjän %{author} julkaisusta." create: @@ -998,7 +1015,7 @@ fi: zero: "Jaa uudelleen" reshare_confirmation: "Jaetaanko käyttäjän %{author} julkaisu uudelleen?" reshare_original: "Jaa alkuperäinen uudelleen" - reshared_via: "kautta" + reshared_via: "Jaettu uudelleen" show_original: "Näytä alkuperäinen" search: "Haku" services: @@ -1010,7 +1027,7 @@ fi: destroy: success: "Tunnistuksen poisto onnistui." failure: - error: "palvelun yhdistämisessä tapahtui virhe" + error: "Palveluun yhdistämisessä tapahtui virhe" finder: fetching_contacts: "Diaspora etsii %{service}-ystäviäsi. Katso uudelleen muutaman minuutin kuluttua." no_friends: "Facebook-kavereita ei löytynyt." @@ -1020,19 +1037,19 @@ fi: connect_to_tumblr: "Yhdistä Tumblriin" connect_to_twitter: "Yhdistä Twitteriin" connect_to_wordpress: "Yhdistä WordPressiin" - disconnect: "katkaise yhteys" + disconnect: "Katkaise yhteys" edit_services: "Muokkaa palveluita" - logged_in_as: "kirjauduttu käyttäjänä" + logged_in_as: "Kirjauduttu käyttäjänä" no_services: "Et ole vielä yhdistänyt palveluita." - really_disconnect: "katkaise yhteys palveluun %{service}?" + really_disconnect: "Katkaistaanko yhteys palveluun %{service}?" services_explanation: "Palveluihin yhdistäminen antaa sinulle mahdollisuuden julkaista Diasporaan lähettämäsi julkaisut myös niissä." inviter: click_link_to_accept_invitation: "Paina tätä linkkiä hyväksyäksesi kutsun" join_me_on_diaspora: "Liity seuraani Diasporaan*" remote_friend: - invite: "kutsu" + invite: "Kutsu" not_on_diaspora: "Ei vielä Diasporassa" - resend: "lähetä uudelleen" + resend: "Lähetä uudelleen" settings: "Asetukset" share_visibilites: update: @@ -1047,16 +1064,18 @@ fi: know_email: "Tiedätkö heidän sähköpostiosoitteitansa? Kutsu heidät!" your_diaspora_username_is: "Diaspora-käyttäjätunnuksesi on: %{diaspora_handle}" aspect_dropdown: - add_to_aspect: "Lisää henkilö" + add_to_aspect: "Lisää kontakti" + mobile_row_checked: "%{name} (poista)" + mobile_row_unchecked: "%{name} (lisää)" toggle: one: "%{count} näkymässä" other: "%{count} näkymässä" - zero: "Lisää henkilö" + zero: "Lisää kontakti" contact_list: - all_contacts: "Kaikki henkilöt" + all_contacts: "Kaikki kontaktit" footer: - logged_in_as: "kirjauduttu sisään käyttäjällä %{name}" - your_aspects: "näkymäsi" + logged_in_as: "Kirjauduttu sisään käyttäjänä %{name}" + your_aspects: "Näkymäsi" invitations: by_email: "Sähköpostilla" dont_have_now: "Sinulla ei ole yhtään kutsua jäljellä, mutta lisää tulee pian!" @@ -1072,7 +1091,7 @@ fi: public_explain: atom_feed: "Atom-syöte" control_your_audience: "Hallitse yleisöäsi" - logged_in: "kirjauduttu palveluun %{service}" + logged_in: "Kirjauduttu palveluun %{service}" manage: "Hallitse yhdistettyjä palveluita" new_user_welcome_message: "Käytä #hashtageja luokitellaksesi julkaisusi ja löytääksesi ihmisiä, jotka jakavat kiinnostuksen kohteesi. Kutsu upeita ihmisiä paikalle @Maininnoilla." outside: "Julkiset julkaisut näkyvät Diasporan ulkopuolelle." @@ -1080,8 +1099,8 @@ fi: title: "Yhdistä ulkoisia palveluita" visibility_dropdown: "Muuta tästä pudotusvalikosta julkaisusi näkyvyyttä. (Suosittelemme, että teet tästä ensimmäisestä julkaisustasi julkisen.)" publisher: - all: "kaikki" - all_contacts: "kaikki henkilöt" + all: "Kaikki" + all_contacts: "Kaikki kontaktit" discard_post: "Hylkää julkaisu" formatWithMarkdown: "Voit käyttää %{markdown_link}-merkintäkieltä muotoillaksesi julkaisuasi" get_location: "Nouda sijaintisi" @@ -1090,7 +1109,7 @@ fi: hello: "Hei kaikki, olen #%{new_user_tag}. " i_like: "Kiinnostukseni kohteita ovat %{tags}." invited_by: "Kiitos kutsusta, " - newhere: "UusiTäällä" + newhere: "uusitäällä" poll: add_a_poll: "Lisää kysely" add_poll_answer: "Lisää vastausvaihtoehto" @@ -1110,7 +1129,7 @@ fi: reshare: "Jaa uudelleen" stream_element: connect_to_comment: "Yhdistä tähän käyttäjään kommentoidaksesi hänen julkaisuaan" - currently_unavailable: "kommentointi ei tällä hetkellä ole mahdollista" + currently_unavailable: "Kommentointi ei ole tällä hetkellä mahdollista" dislike: "En tykkää" hide_and_mute: "Piilota ja vaimenna julkaisu" ignore_user: "Sivuuta %{name}" @@ -1118,10 +1137,10 @@ fi: like: "Tykkää" nsfw: "Tämän julkaisun lähettäjä on merkinnyt sen ei-työturvalliseksi. %{link}" shared_with: "Jaettu heidän kanssaan: %{aspect_names}" - show: "näytä" + show: "Näytä" unlike: "Peru tykkäys" via: "%{link} kautta" - via_mobile: "mobiililaitteen kautta" + via_mobile: "Mobiililaitteen kautta" viewable_to_anyone: "Kuka tahansa verkossa näkee tämän julkaisun" simple_captcha: label: "Kirjoita kentässä oleva koodi:" @@ -1130,6 +1149,20 @@ fi: failed: "Ihmisen suorittama varmennus epäonnistui" user: "Salainen kuva ja koodi olivat erilaiset" placeholder: "Kirjoita kuvan arvo" + statistics: + active_users_halfyear: "Aktiivisia käyttäjiä puolen vuoden aikana" + active_users_monthly: "Aktiivisia käyttäjiä kuukausittain" + closed: "Suljettu" + disabled: "Ei käytettävissä" + enabled: "Käytettävissä" + local_comments: "Paikalliset kommentit" + local_posts: "Paikalliset julkaisut" + name: "Nimi" + network: "Verkko" + open: "Avaa" + services: "Palvelut" + total_users: "Käyttäjiä yhteensä" + version: "Versio" status_messages: create: success: "Onnistuneesti mainittu: %{names}" @@ -1139,12 +1172,11 @@ fi: no_message_to_display: "Ei näytettäviä viestejä." new: mentioning: "Mainitse: %{person}" - too_long: - one: "tilapäivityksen merkkimäärä voi olla enimmillään %{count}" - other: "tilapäivityksen merkkimäärä voi olla enimmillään %{count}" - zero: "tilapäivityksen merkkimäärä voi olla enimmillään %{count}" + too_long: "Sinun täytyy lyhentää tilapäivitystäsi, sillä se voi sisältää enimmillään %{count} merkkiä. Tällä hetkellä päivityksessäsi on %{current_length} merkkiä." stream_helper: hide_comments: "Piilota kaikki kommentit" + no_more_posts: "Olet saavuttanut virran päätepisteen." + no_posts_yet: "Julkaisuja ei vielä ole." show_comments: few: "Näytä %{count} muuta kommenttia" many: "Näytä %{count} muuta kommenttia" @@ -1156,10 +1188,10 @@ fi: activity: title: "Oma toimintani" aspects: - title: "Näkymäsi" + title: "Näkymäni" aspects_stream: "Näkymät" comment_stream: - contacts_title: "Ihmiset, joiden julkaisuaja olet kommentoinut" + contacts_title: "Ihmiset, joiden julkaisuja olet kommentoinut" title: "Kommentoimasi julkaisut" community_spotlight_stream: "Yhteisön valokeila" followed_tag: @@ -1183,7 +1215,6 @@ fi: title: "Julkinen toiminta" tags: contacts_title: "Tästä tagista pitävät ihmiset" - tag_prefill_text: "Puhuttaessa asiasta %{tag_name}, olen sitä mieltä että... " title: "%{tags} merkityt julkaisut" tag_followings: create: @@ -1196,16 +1227,13 @@ fi: tags: show: follow: "Seuraa tagia #%{tag} " - followed_by_people: - one: "%{count} seuraaja" - other: "%{count} seuraajaa" - zero: "kukaan ei seuraa" following: "Seurataan tagia #%{tag}" - nobody_talking: "Kukaan ei vielä keskustele tagista %{tag}." none: "Tyhjää tagia ei ole olemassa!" - people_tagged_with: "Tagilla %{tag} merkityt ihmiset" - posts_tagged_with: "Tagilla #%{tag} merkityt julkaisut" stop_following: "Lopeta tagin #%{tag} seuraaminen" + tagged_people: + one: "1 henkilö merkitty tagilla %{tag}" + other: "%{count} henkilöä merkitty tagilla %{tag}" + zero: "Ketään ei ole merkitty tagilla %{tag}" terms_and_conditions: "Käyttöehdot" undo: "Peruuta?" username: "Käyttäjätunnus" @@ -1218,9 +1246,9 @@ fi: success: "Tilisi on lukittu. Meiltä voi mennä 20 minuuttia tilisi sulkemiseen. Kiitos, kun kokeilit Diasporaa." wrong_password: "Syötetty salasana ei vastannut nykyistä salasanaasi." edit: - also_commented: "...joku kommentoi julkaisua jota olet myös itse kommentoinut" + also_commented: "joku kommentoi julkaisua, jota olet itse kommentoinut" auto_follow_aspect: "Näkymä automaattisesti seurattaville käyttäjille:" - auto_follow_back: "Ryhdy jakamaan automaattisesti niiden henkilöiden kanssa, jotka alkavat jakamaan sinun kanssasi" + auto_follow_back: "Ryhdy jakamaan automaattisesti niiden käyttäjien kanssa, jotka alkavat jakaa sinun kanssasi" change: "Vaihda" change_email: "Vaihda sähköpostiosoite" change_language: "Vaihda kieli" @@ -1228,35 +1256,41 @@ fi: character_minimum_expl: "täytyy olla vähintään kuusi merkkiä" close_account: dont_go: "Hei, älä lähde!" - if_you_want_this: "Jos todella haluat tätä, kirjoita salasanasi alle ja napsauta 'Sulje käyttäjätili'" - lock_username: "Tämä lukitsee käyttäjänimesi, jos päätät kirjautua uudelleen." - locked_out: "Kirjaudut ulos ja käyttäjätilisi lukitaan." - make_diaspora_better: "Haluamme sinun auttavan Diasporan parantamisessa, joten voit lähtemisen sijaan auttaa meitä. Jos haluat lähteä, haluamme sinun tietävän, mitä tapahtuu seuraavaksi." + if_you_want_this: "Jos todella haluat tämän tapahtuvan, kirjoita salasanasi alle ja napsauta 'Sulje käyttäjätili'" + lock_username: "Käyttäjänimesi lukitaan. Et pysty luomaan uutta tiliä tälle podille samalla ID:llä." + locked_out: "Sinut kirjataan ulos ja käyttäjätilisi lukitaan, kunnes tilisi on poistettu." + make_diaspora_better: "Näkisimme mielelläme sinun jäävän ja auttavan Diasporan parantamisessa lähtemisen sijaan. Jos kuitenkin haluat varmasti lähteä, käyttäjätilillesi suoritetaan seuraavat toimenpiteet:" mr_wiggles: "Herra Töpö on surullinen, kun lähdet" - no_turning_back: "Tällä hetkellä tästä ei ole paluuta." - what_we_delete: "Poistamme kaikki julkaisusi ja profiilisi tiedot niin pian kuin se on inhimillisesti mahdollista. Kommenttisi jäävät paikoilleen, mutta ne yhdistetään Diaspora-tunnukseesi nimesi sijasta." + no_turning_back: "Tästä ei ole paluuta! Jos olet aivan varma, syötä salasanasi alle." + what_we_delete: "Poistamme kaikki julkaisusi ja profiilisi tiedot niin pian kuin se on mahdollista. Kommenttisi jäävät paikoilleen, mutta ne yhdistetään nimesi sijasta Diaspora-tunnukseesi." close_account_text: "Sulje käyttäjätili" - comment_on_post: "...joku kommentoi julkaisuasi" + comment_on_post: "joku kommentoi julkaisuasi" current_password: "Nykyinen salasana" current_password_expl: "se, jolla kirjaudut sisään..." + download_export: "Lataa profiilini" + download_export_photos: "Lataa kaikki kuvat" download_photos: "Lataa kaikki kuvat" - download_xml: "Lataa tiedot XML-muodossa" edit_account: "Muokkaa käyttäjätiliä" email_awaiting_confirmation: "Olemme lähettäneet sinulle aktivointilinkin osoitteeseen %{unconfirmed_email}. Jatkamme alkuperäisen osoitteesi %{email} käyttämistä siihen saakka, kunnes aktivoit uuden osoitteesi kyseisen linkin kautta." export_data: "Vie tietoja" + export_in_progress: "Profiilidataasi käsitellään parhaillaan. Tarkista käsittelyn tila hetken kuluttua uudelleen." + export_photos_in_progress: "Kuvatiedostojasi käsitellään parhaillaan. Tarkista tilanne uudelleen hetken kuluttua." following: "Jakamisen asetukset" getting_started: "Uudet käyttäjäasetukset" + last_exported_at: "(Viimeksi päivitetty %{timestamp})" liked: "joku tykkää julkaisustasi" - mentioned: "...sinut mainitaan julkaisussa" + mentioned: "sinut mainitaan julkaisussa" new_password: "Uusi salasana" - photo_export_unavailable: "Kuvien vienti ei tällä hetkellä mahdollista" - private_message: "...saat yksityisviestin" + private_message: "saat yksityisviestin" receive_email_notifications: "Vastaanota sähköposti-ilmoituksia, kun:" - reshared: "...joku jakaa julkaisusi uudelleen" - show_community_spotlight: "Näytä Yhteisön Valokeila virrassa" - show_getting_started: "Ota aloitusohjeet uudelleen käyttöön" + request_export: "Pyydä profiilidataani" + request_export_photos_update: "Päivitä kuvani" + request_export_update: "Päivitä profiilidatani" + reshared: "joku jakaa julkaisusi uudelleen" + show_community_spotlight: "Näytä \"yhteisön valokeila\" virrassa" + show_getting_started: "Näytä aloitusohjeet" someone_reported: "joku lähetti ilmoituksen" - started_sharing: "...aloittaa jakamaan kanssasi" + started_sharing: "joku alkaa jakaa kanssasi" stream_preferences: "Virran asetukset" your_email: "Sähköpostiosoitteesi" your_handle: "Diaspora-tunnuksesi" @@ -1273,7 +1307,9 @@ fi: who_are_you: "Kuka olet?" privacy_settings: ignored_users: "Sivuutetut käyttäjät" - stop_ignoring: "Lakkaa sivuuttamasta" + no_user_ignored_message: "Et sivuuta tällä hetkellä yhtäkään käyttäjää" + stop_ignoring: "Lopeta sivuuttaminen" + strip_exif: "Poista ladatuista kuvatiedostoista metadata, kuten sijainti, tekijä ja kameran malli (suositeltu)" title: "Yksityisyysasetukset" public: does_not_exist: "Käyttäjää %{username} ei ole olemassa!" @@ -1292,7 +1328,7 @@ fi: webfinger: fetch_failed: "webfinger-profiilin %{profile_url} haku epäonnistui" hcard_fetch_failed: "tapahtui virhe haettaessa hcard:ia tilille %{account}" - no_person_constructed: "Yhtäkään henkilöä ei pystytty kokoamaan tältä hcard:ilta." + no_person_constructed: "Yhtäkään henkilöä ei pystytty kokoamaan tältä hcardilta." not_enabled: "webfinger-palvelua ei ilmeisesti ole aktivoitu tilin, %{account}, isännälle" xrd_fetch_failed: "tapahtui virhe haettaessa xrd:tä käyttäjätilille %{account}" welcome: "Tervetuloa!" diff --git a/config/locales/diaspora/fil.yml b/config/locales/diaspora/fil.yml index eb86ba7c0..ef6f6e684 100644 --- a/config/locales/diaspora/fil.yml +++ b/config/locales/diaspora/fil.yml @@ -70,10 +70,6 @@ fil: confirm_remove_aspect: "Are you sure you want to delete this crew?" make_aspect_list_visible: "make crew list visible?" remove_aspect: "Fire this crew" - few: "%{count} crews" - helper: - are_you_sure: "Are you sure you want to delete this crew?" - aspect_not_empty: "Crew not empty" index: handle_explanation: "This is your diaspora id. Like an email address, you can give this to people to reach you." help: @@ -82,7 +78,6 @@ fil: tag_feature: "#feature" tag_question: "#question" no_contacts: "No mateys" - many: "%{count} crews" new: name: "Pangalan" no_contacts_message: @@ -94,10 +89,8 @@ fil: family: "Kin" friends: "Mateys" work: "Shipmates" - two: "%{count} aspects" zero: "no aspects" contacts: - few: "%{count} contacts" index: add_to_aspect: "Add contacts to %{name}" all_contacts: "All yer mateys" @@ -248,10 +241,8 @@ fil: people: add_contact_small: add_contact_from_tag: "magdagdag ng kakilala mula sa tag" - few: "%{count} na tao" helper: results_for: " mga resulta para sa %{params}" - many: "%{count} na tao" one: "1 person" other: "%{count} people" person: @@ -265,7 +256,6 @@ fil: add_some: "magdagdag ng ilan" edit: "baguhin" you_have_no_tags: "wala ka pang mga tag!" - two: "%{count} na tao" zero: "no people" photos: new: @@ -333,13 +323,7 @@ fil: hide_and_mute: "Hide and Mute" shared_with: "Fired at: %{aspect_names}" status_messages: - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: show_comments: few: "Show %{count} more comments" diff --git a/config/locales/diaspora/fr.yml b/config/locales/diaspora/fr.yml index 9ceaa927c..c6c2b3f31 100644 --- a/config/locales/diaspora/fr.yml +++ b/config/locales/diaspora/fr.yml @@ -12,6 +12,7 @@ fr: _home: "Accueil" _photos: "Photos" _services: "Services" + _statistics: "Statistiques" _terms: "conditions d'utilisation" account: "Compte" activerecord: @@ -40,7 +41,7 @@ fr: reshare: attributes: root_guid: - taken: "C'est bon, hein ? Vous avez déjà repartagé ce message !" + taken: "C'est fini, oui ? Vous avez déjà repartagé ce message !" user: attributes: email: @@ -102,9 +103,13 @@ fr: ? "yes" : Oui user_search: - account_closing_scheduled: "La fermeture du compte %{name} est plannifiée. Elle sera effectuée sous peu." + account_closing_scheduled: "La fermeture du compte %{name} est planifiée. Elle sera effectuée sous peu." + account_locking_scheduled: "Le compte de %{name} va être verrouillé dans quelques instants." + account_unlocking_scheduled: "Le compte de %{name} va être déverrouillé dans quelques instants." add_invites: "ajouter des invitations" are_you_sure: "Êtes-vous sûr de vouloir fermer ce compte ?" + are_you_sure_lock_account: "Êtes-vous sûr de vouloir verrouiller ce compte ?" + are_you_sure_unlock_account: "Êtes-vous sûr de vouloir déverrouiller ce compte ?" close_account: "Fermer ce compte" email_to: "Adresse électronique de la personne à inviter" under_13: "Afficher les utilisateurs de moins de 13 ans" @@ -113,12 +118,13 @@ fr: other: "%{count} utilisateurs trouvés" zero: "aucun utilisateur trouvé" view_profile: "Afficher le profil" - you_currently: "Il vous reste actuellement %{user_invitation} invitations %{link}" + you_currently: + other: "Il vous reste actuellement %{user_invitation} invitations %{link}" weekly_user_stats: amount_of: - one: "nombre de nouveaux utilisateurs cette semaine: %{count}" - other: "nombre de nouveaux utilisateurs cette semaine: %{count}" - zero: "nombre de nouveaux utilisateurs cette semaine: aucun" + one: "%{count} nouvel utilisateur cette semaine." + other: "%{count} nouveaux utilisateurs cette semaine." + zero: "Aucun nouvel utilisateur cette semaine." current_server: "La date actuelle du serveur est %{date}" ago: "Il y a %{time}" all_aspects: "Tous les aspects" @@ -127,7 +133,7 @@ fr: unknown_person: "Personne inconnue" video_title: unknown: "Titre de vidéo inconnu" - are_you_sure: "Êtes-vous certain-e ?" + are_you_sure: "Êtes-vous certain ?" are_you_sure_delete_account: "Souhaitez-vous vraiment supprimer votre compte ? Cette action est définitive !" aspect_memberships: destroy: @@ -136,10 +142,8 @@ fr: success: "La personne a été retirée de l'aspect" aspects: add_to_aspect: - failure: "L’ajout du contact à l’aspect a échoué." - success: "Le contact a été ajouté à l’aspect." - aspect_contacts: - done_editing: "fin de la modification" + failure: "L’ajout du contact à l'aspect a échoué." + success: "Le contact a été ajouté à l'aspect." aspect_listings: add_an_aspect: "+ Ajouter un aspect" deselect_all: "Tout désélectionner" @@ -152,36 +156,31 @@ fr: contacts_not_visible: "Les contacts dans cet aspect ne se verront pas les uns les autres." contacts_visible: "Les contacts dans cet aspect pourront se voir entre eux." create: - failure: "La création de l’aspect a échoué." - success: "Votre nouvel aspect %{name} a été créé." + failure: "La création de l'aspect a échoué." + success: "Un nouvel aspect %{name} a été créé." destroy: failure: "%{name} n'est pas vide et n'a pas pu être supprimé." success: "%{name} a été supprimé." edit: - add_existing: "Ajouter un contact existant" + aspect_chat_is_enabled: "Les contacts de cet aspect peuvent chatter avec vous." + aspect_chat_is_not_enabled: "Les contacts de cet aspect ne peuvent pas chatter avec vous." aspect_list_is_not_visible: "Les contacts dans cet aspect ne peuvent pas se voir entre eux." aspect_list_is_visible: "Les contacts dans cet aspect peuvent se voir entre eux." confirm_remove_aspect: "Voulez-vous vraiment supprimer cet aspect ?" - done: "Terminé" - make_aspect_list_visible: "permettre aux contacts de cet aspect de se voir entre eux ?" - manage: "Gérer" + grant_contacts_chat_privilege: "permettre aux contacts de cet aspect de chatter avec vous ?" + make_aspect_list_visible: "Permettre aux contacts de cet aspect de se voir entre eux ?" remove_aspect: "Supprimer cet aspect" - rename: "renommer" + rename: "Renommer" set_visibility: "Régler la visibilité" - update: "mettre à jour" - updating: "mise à jour" - few: "%{count} aspects" - helper: - are_you_sure: "Voulez-vous vraiment supprimer cet aspect ?" - aspect_not_empty: "L’aspect n’est pas vide" - remove: "supprimer" + update: "Mettre à jour" + updating: "En cours de mise à jour" index: diaspora_id: content_1: "Votre identifiant diaspora* est :" - content_2: "Communiquez-le à tout le monde et ils pourront vous trouver sur Diaspora." + content_2: "Communiquez-le à n'importe qui et il pourra vous trouver sur diaspora*." heading: "Identifiant diaspora*" donate: "Faire un don" - handle_explanation: "Ceci est votre identifiant diaspora*. Comme une adresse de courrier électronique, vous pouvez le communiquer à d'autres personnes pour leur permettre de vous joindre." + handle_explanation: "Ceci est votre identifiant diaspora*. Comme une adresse de courrier électronique, communiquez-le à d'autres personnes pour leur permettre de vous contacter." help: any_problem: "Un problème ?" contact_podmin: "Contacter l'administrateur de votre pod !" @@ -191,7 +190,7 @@ fr: feature_suggestion: "... une %{link} ?" find_a_bug: "... trouvé un %{link} ?" have_a_question: "... une %{link} ?" - here_to_help: "La communauté Diaspora est là !" + here_to_help: "La communauté diaspora* est là !" mail_podmin: "E-mail du podmin" need_help: "Besoin d'aide ?" tag_bug: "bug" @@ -200,31 +199,26 @@ fr: tutorial_link_text: "Tutoriels" tutorials_and_wiki: "%{faq}, %{tutorial} & %{wiki} : Aide pour les débutants." introduce_yourself: "Ceci est votre flux. Rejoignez-nous et présentez-vous." - keep_diaspora_running: "Participez à un développement rapide de Diaspora avec un don mensuel !" + keep_diaspora_running: "Participez à un développement rapide de diaspora* par un don mensuel !" keep_pod_running: "Permettez à %{pod} de fonctionner rapidement et offrez une dose de café mensuelle à nos serveurs !" new_here: follow: "Suivez %{link} et souhaitez la bienvenue aux nouveaux utilisateurs de diaspora* !" learn_more: "En savoir plus" - title: "Bienvenue Nouvel Utilisateur" + title: "Accueillir les nouveaux utilisateurs" no_contacts: "Aucun contact" no_tags: "+ Trouver un tag à suivre" people_sharing_with_you: "Personnes partageant avec vous" - post_a_message: "publier un message >>" + post_a_message: "Publier un message >>" services: - content: "Vous pouvez connecter les services suivants à Diaspora :" + content: "Vous pouvez connecter les services suivants à diaspora* :" heading: "Services connectés" - unfollow_tag: "Arrêter de suivre #%{tag}" - welcome_to_diaspora: "Bienvenue sur Diaspora*, %{name} !" - many: "%{count} aspects" - move_contact: - error: "Erreur lors du déplacement du contact : %{inspect}" - failure: "n'a pas fonctionné %{inspect}" - success: "Personne déplacée vers le nouvel aspect" + unfollow_tag: "Ne plus suivre #%{tag}" + welcome_to_diaspora: "Bienvenue sur diaspora*, %{name} !" new: create: "Créer" name: "Nom (uniquement visible par vous)" no_contacts_message: - community_spotlight: "actualités de la communauté" + community_spotlight: "Actualités de la communauté" or_spotlight: "Ou vous pouvez partager avec %{link}" try_adding_some_more_contacts: "Vous pouvez rechercher ou inviter plus de contacts." you_should_add_some_more_contacts: "Vous devez ajouter un peu plus de contacts !" @@ -237,17 +231,9 @@ fr: family: "Famille" friends: "Amis" work: "Travail" - selected_contacts: - manage_your_aspects: "Gérer vos aspects." - no_contacts: "Vous n'avez encore aucun contact." - view_all_community_spotlight: "Voir toutes les actualités de la communauté" - view_all_contacts: "Afficher tous les contacts" - show: - edit_aspect: "modifier l'aspect" - two: "%{count} aspects" update: - failure: "Votre aspect %{name} a un nom trop long pour être enregistré." - success: "Votre aspect « %{aspect_name} » a été modifié." + failure: "Votre aspect %{name} a un nom trop long." + success: "Votre aspect %{name} a été modifié." zero: "aucun aspect" back: "Retour" blocks: @@ -258,51 +244,45 @@ fr: failure: "Je ne pouvais plus cesser d'ignorer cet utilisateur. #evasion" success: "Voyons ce qu'ils ont à dire ! #sayhello" bookmarklet: - explanation: "Publiez sur Diaspora depuis n'importe où en ajoutant %{link} à vos marque-pages." + explanation: "Publiez sur diaspora* depuis n'importe où en ajoutant %{link} à vos marque-pages." heading: "Bookmarklet" - post_something: "Publiez sur Diaspora" + post_something: "Publiez sur diaspora*" post_success: "Publié ! Fermeture !" cancel: "Annuler" comments: - few: "%{count} commentaires" - many: "%{count} commentaires" new_comment: comment: "Commenter" commenting: "Commentaire en cours d'envoi..." one: "1 commentaire" other: "%{count} commentaires" - two: "%{count} commentaires" - zero: "aucun commentaire" + zero: "Aucun commentaire" contacts: create: failure: "Impossible de créer le contact" - few: "%{count} contacts" index: add_a_new_aspect: "Ajouter un nouvel aspect" - add_to_aspect: "ajouter les contacts à %{name}" - add_to_aspect_link: "ajoutez les contacts à %{name}" + add_contact: "Ajouter ce contact" + add_to_aspect: "Ajouter les contacts à %{name}" all_contacts: "Tous les contacts" - community_spotlight: "Actualités de la communauté" - many_people_are_you_sure: "Voulez-vous vraiment commencer une conversation privée avec plus de %{suggested_limit} contacts ? Envoyer des messages à cet aspect peut être un meilleur moyen de les contacter." + community_spotlight: "Actualité de la communauté" my_contacts: "Mes Contacts" no_contacts: "On dirait que vous avez besoin d'ajouter quelques contacts !" + no_contacts_in_aspect: "Vous n'avez pas encore de contacts dans cet aspect. Voici une liste des contacts existants que vous pouvez ajouter à cet aspect." no_contacts_message: "Consultez %{community_spotlight}" - no_contacts_message_with_aspect: "Consultez %{community_spotlight} ou %{add_to_aspect_link}" only_sharing_with_me: "Partage uniquement avec moi" - remove_person_from_aspect: "Enlever %{person_name} de \"%{aspect_name}\"" + remove_contact: "Retirer ce contact" start_a_conversation: "Démarrer une conversation" title: "Contacts" + user_search: "Checher un contact" your_contacts: "Vos contacts" - many: "%{count} contacts" one: "1 contact" other: "%{count} contacts" sharing: people_sharing: "Personnes partageant avec vous :" spotlight: - community_spotlight: "Actualités de la communauté" + community_spotlight: "Actualité de la communauté" suggest_member: "Suggérer un membre" - two: "%{count} contacts" - zero: "contact" + zero: "Aucun contact" conversations: conversation: participants: "Participants" @@ -311,7 +291,8 @@ fr: no_contact: "Hé, vous avez besoin d'ajouter le contact d'abord !" sent: "Message envoyé" destroy: - success: "La conversation a été supprimée." + delete_success: "Conversation effacée avec succès" + hide_success: "Conversation masquée avec succès" helper: new_messages: few: "%{count} nouveaux messages" @@ -325,19 +306,20 @@ fr: create_a_new_conversation: "commencer une nouvelle discussion" inbox: "Boîte de réception" new_conversation: "Nouvelle discussion" - no_conversation_selected: "aucune conversation sélectionnée" - no_messages: "aucun message" + no_conversation_selected: "Aucune conversation sélectionnée" + no_messages: "Aucun message" new: abandon_changes: "Abandonner les changements ?" send: "Envoyer" sending: "Envoi…" - subject: "sujet" - to: "pour" + subject: "Sujet" + to: "Pour" new_conversation: fail: "Message invalide" show: - delete: "supprimer et bloquer la conversation" - reply: "répondre" + delete: "Supprimer la conversation" + hide: "masquer et mettre en muet la conversation" + reply: "Répondre" replying: "Réponse en cours d'envoi..." date: formats: @@ -353,7 +335,7 @@ fr: login_try_again: "Merci de vous connecter et d'essayer de nouveau." post_not_public: "Le message que vous essayez de voir n'est pas public !" post_not_public_or_not_exist: "Le message que vous essayez de voir n'est pas public, ou n'existe pas !" - fill_me_out: "Remplissez-moi" + fill_me_out: "Écrire ici" find_people: "Rechercher des personnes ou des #tags" help: account_and_data_management: @@ -361,7 +343,7 @@ fr: close_account_q: "Comment puis-je supprimer mon compte ?" data_other_podmins_a: "Une fois que vous avez partagé avec des personnes d'un autre pod, chacun des messages que vous partagez avec eux ainsi qu'une copie des informations de votre profil sont stockés sur leur pod, et sont accessibles par l'administrateur de la base de données de ce pod. Quand vous supprimez un message ou des informations de votre profil ces données sont supprimées de votre pod et de tous les autres pods sur lesquels elles étaient stockées." data_other_podmins_q: "Est-ce que les administrateurs des autres pods peuvent voir mes informations ?" - data_visible_to_podmin_a: "La communication entre les pods est toujours chiffrée (en utilisant SSL et le propre chiffrage d'échange de diaspora*), mais le stockage des données sur les pods ne sont pas chiffrés. S'il le veut, l'administrateur de la base de données de votre pod (généralement la personne qui administre le pod) peut accéder à toutes les données de profil et à tous vos messages (comme c'est le cas pour la plupart des sites web qui stockent des données d'utilisateurs). Utiliser votre propre pod fournit plus de vie privée parce que vous avez le contrôle de l'accès à la base de données." + data_visible_to_podmin_a: "La communication *entre* les pods est toujours chiffrée (en utilisant SSL et le propre chiffrage d'échange de diaspora*), mais le stockage des données sur les pods n'est pas chiffré. S'il le veut, l'administrateur de la base de données de votre pod (généralement la personne qui gère le pod) peut accéder à toutes les données de profil et à tout ce que vous publiez (comme c'est le cas pour la plupart des sites web qui stockent des données d'utilisateurs). Utiliser votre propre pod garantit plus de vie privée parce que vous avez le contrôle de l'accès à la base de données." data_visible_to_podmin_q: "Quelle quantité de mes informations l'administrateur du pod peut-il voir ?" download_data_a: "Oui. En bas de l'onglet Compte de votre page de paramètres il y a deux boutons pour télécharger vos données." download_data_q: "Puis-je télécharger une copie de toutes les données contenues dans mon compte ?" @@ -373,50 +355,63 @@ fr: change_aspect_of_post_q: "Une fois que j'ai publié quelque chose, puis-je changer les aspects qui peuvent le voir ?" contacts_know_aspect_a: "Non, ils ne peuvent en aucun cas voir le nom des aspects où vous les avez placés." contacts_know_aspect_q: "Est-ce que mes contacts savent dans quels aspects je les ai mis ?" - contacts_visible_a: "Si vous cochez cette option, les contacts de cet aspect pourront voir qui d'autres est présent dedans, sur votre page de profil en dessous de votre image. Il est préférable de choisir cette option uniquement si tous les contacts de cet aspect se connaissent mutuellement. Ils ne pourront toutefois pas voir le nom de l'aspect." - contacts_visible_q: "Que signifie \"rendre les contacts dans cet aspect visibles entre eux\" ?" - delete_aspect_a: "Dans la liste des aspects sur le côté gauche de la page principale, pointez votre souris sur l'aspect que vous désirez supprimer. Cliquez sur le petit crayon d'édition qui apparaît sur la droite. Clique sur le bouton de suppression dans la boîte qui apparait." - delete_aspect_q: "Comment puis-je supprimer un aspect ?" - person_multiple_aspects_a: "Oui. Allez sur votre page de contacts et cliquez sur \"Mes Contacts\". Pour chaque contact, vous pouvez utiliser le menu sur la droite pour l'ajouter (ou le retirer) d'autant d'aspects que vous le souhaitez. Ou, vous pouvez l'ajouter à un nouvel aspect (ou le retirer d'un aspect) en cliquant sur le bouton de sélection des aspects sur leur page de profil. Ou, vous pouvez même juste passer le pointeur de votre souris sur leur nom là où vous le voyez dans le flux et une carte de visite va apparaître. Vous pouvez changer les aspects auxquels ils appartiennent directement dedans." + contacts_visible_a: "Si vous cochez cette option, les contacts de cet aspect pourront voir qui d'autre est présent dedans, sur votre page de profil en dessous de votre image. Il est préférable de choisir cette option uniquement si tous les contacts de cet aspect se connaissent mutuellement. Ils ne pourront toutefois pas voir le nom de l'aspect." + contacts_visible_q: "Que signifie « rendre les contacts dans cet aspect visibles entre eux » ?" + delete_aspect_a: "Dans la liste des aspects sur le côté gauche de la page principale, pointez votre souris sur l aspect que vous désirez supprimer. Cliquez sur le petit crayon d'édition qui apparaît sur la droite. Clique sur le bouton de suppression dans la boîte qui apparaît." + delete_aspect_q: "Comment puis-je supprimer une aspect ?" + person_multiple_aspects_a: "Oui. Allez sur votre page de contacts et cliquez sur Mes contacts. Pour chaque contact, vous pouvez utiliser le menu sur la droite pour l'ajouter (ou le retirer) d'autant de aspects que vous le souhaitez. Ou, vous pouvez l'ajouter à un nouvel aspect (ou le retirer d'un aspect) en cliquant sur le bouton de sélection des aspects sur sa page de profil. Ou encore, vous pouvez même juste passer le pointeur de votre souris sur son nom là où vous le voyez dans le flux et un « carte de visite » va apparaître. Vous pouvez changer les aspects auxquels ils appartiennent directement dedans." person_multiple_aspects_q: "Puis-je ajouter une personne à plusieurs aspects ?" - post_multiple_aspects_a: "Oui. Quand vous êtes en train d'écrire un message, utilisez le bouton de sélection des aspects pour sélectionner ou désélectionner des aspects. Votre message sera visible par tous les aspects que vous sélectionnez. Vous pouvez aussi sélectionner les aspects auxquels vous voulez partager dans le panneau latéral. Lorsque vous partagez, le(s) aspect(s) que vous avez sélectionné(s) dans la liste sur la gauche seront automatiquement sélectionnés dans le sélectionneur d'aspects quand vous écrivez un nouveau message." + post_multiple_aspects_a: "Oui. Quand vous êtes en train d'écrire un message, utilisez le bouton de sélection des aspects pour sélectionner ou désélectionner des aspects. Votre message sera visible par tous les aspects que vous sélectionnez. Vous pouvez aussi sélectionner les aspects auxquels vous voulez partager dans le panneau latéral. Lorsque vous partagez, le(s) aspect(s) que vous avez sélectionné(s) dans la liste sur la gauche seront automatiquement sélectionnés dans le sélectionneur de aspects quand vous écrivez un nouveau message." post_multiple_aspects_q: "Puis-je envoyer un message à plusieurs aspects à la fois ?" remove_notification_a: "Non." - remove_notification_q: "Si je supprime quelqu'un de l'un de mes aspects, ou toutes les personnes d'un aspect, sont elles prévenues ?" + remove_notification_q: "Si je supprime quelqu'un de l'un de mes aspects, ou toutes les personnes d'un aspect, sont-elles prévenues ?" rename_aspect_a: "Oui. Dans votre liste d'aspects sur le côté gauche de la page principale, placez votre souris sur l'aspect que vous voulez renommer. Cliquez sur le petit crayon \"éditer\" qui apparaît sur la droite. Cliquez sur \"renommer\" dans la boîte qui apparaît." rename_aspect_q: "Puis-je renommer un aspect ?" - restrict_posts_i_see_a: "Oui. Cliquez sur Mes Aspects dans la barre latérale puis cliquez sur des aspects individuels dans la liste pour les sélectionner ou les déselectionner. Seuls les messages des personnes de ces aspects apparaîtront dans votre flux." - restrict_posts_i_see_q: "Puis-je afficher uniquement les messages de certains aspects ?" + restrict_posts_i_see_a: "Oui. Cliquez sur Mes aspects dans la barre latérale puis cliquez sur l'un ou l'autre aspect dans la liste pour les sélectionner ou les retirer. Seuls les messages des personnes appartenant à ces aspects apparaîtront dans votre flux." + restrict_posts_i_see_q: "Puis-je afficher uniquement les messages de certaines aspects ?" title: "Aspects" - what_is_an_aspect_a: "Les Aspects sont un moyen de grouper vos contacts sur diaspora*. Un Aspect est l'une des facettes que vous montrez au monde. Cela pourrait être qui vous êtes au travail, ou qui vous êtes pour votre famille, ou qui vous êtes pour les amis de votre club ou association." + what_is_an_aspect_a: "Les aspects sont le moyen de grouper vos contacts sur diaspora*. Un aspect est l'une des faces que vous montrez au monde. Cela pourrait être qui vous êtes au travail, ou qui vous êtes pour votre famille, ou qui vous êtes pour les amis de votre club ou association." what_is_an_aspect_q: "Qu'est-ce qu'un aspect ?" - who_sees_post_a: "Si vous créez un message privé, il sera uniquement visible par les gens que vous avez placé dans cet aspect (ou les aspects, si vous le publiez à plusieurs aspects). Les contacts que vous avez et qui ne sont pas dans ces aspects n'ont aucun moyen de voir le message, sauf si vous l'avez rendu public. Seuls les messages publics seront visibles à quiconque ne sera pas placé dans vos aspects." + who_sees_post_a: "Si vous créez un message privé, il sera uniquement visible par les gens que vous avez placés dans cet aspect (ou les aspects, si vous le publiez à plusieurs aspects). Les contacts que vous avez et qui ne sont pas dans ces aspects n'ont aucun moyen de voir le message, sauf si vous l'avez rendu public. Seuls les messages publics seront visibles à quiconque ne sera pas placé dans vos aspects." who_sees_post_q: "Lorsque je publie un message dans un aspect, qui peut le voir ?" - foundation_website: "site internet de la fondation diaspora" + chat: + add_contact_roster_a: |- + Tout d'abord, vous devez activer le chat pour l'un des aspects dans lequel cette personne se trouve. Pour ce faire, allez sur %{contacts_page}, sélectionnez l'aspect désiré et cliquez sur l'icône du chat pour activer le chat pour cet aspect. + %{toggle_privilege} Vous pouvez, si vous préférez, créer un aspect dédié appeler "Chat" et ajouter les personnes avec qui vous souhaitez discuter dans cet aspect. Une fois fait, ouvrez l'interface du chat et sélectionner la personne avec qui vous souhaitez discuter. + add_contact_roster_q: "Comment chatter avec quelqu'un dans diaspora* ?" + contacts_page: "page des contacts" + title: "Chat" + faq: "FAQ" + foundation_website: "site Internet de la fondation diaspora*" getting_help: - get_support_a_hashtag: "posez une question dans un message public sur diaspora* en utilisant le hashtag %{question}" + get_support_a_faq: "Lire la page %{faq} de notre wiki" + get_support_a_hashtag: "Posez une question dans un message public sur diaspora* en utilisant le hashtag %{question}" get_support_a_irc: "rejoignez-nous sur %{irc} (Tchat instantané)" get_support_a_tutorials: "référez-vous à nos %{tutorials}" get_support_a_website: "visitez notre %{link}" get_support_a_wiki: "recherchez dans le %{link}" get_support_q: "Que faire si ma question n'a pas de réponse dans la FAQ ? À quels autres endroits puis-je obtenir de la documentation ?" - getting_started_a: "Vous avez de la chance. Essayez la %{tutorial_series} sur notre site web. Elle vous montrera pas à pas les étapes d'inscription et vous apprendra toutes les choses de base à savoir concernant l'utilisation de diaspora*." + getting_started_a: "Vous avez de la chance. Essayez la %{tutorial_series} sur le site web du projet. Elle vous guidera pas à pas dans les étapes d'inscription et vous apprendra toutes les bases concernant l'utilisation de diaspora*." getting_started_q: "Aidez-moi ! J'ai besoin d'un peu d'aide pour débuter !" title: "Obtenir de l'aide" getting_started_tutorial: "Série de tutoriels \"Mes premiers pas\"" here: "ici" irc: "IRC" keyboard_shortcuts: - keyboard_shortcuts_a1: "Dans le flux, vous pouvez utiliser les raccourcis clavier suivant :" + keyboard_shortcuts_a1: "Dans le flux, vous pouvez utiliser les raccourcis clavier suivants :" keyboard_shortcuts_li1: "j - Aller au message suivant" keyboard_shortcuts_li2: "k - Aller au message précédent" keyboard_shortcuts_li3: "c - Commenter le message courant" keyboard_shortcuts_li4: "l - Aimer le message courant" + keyboard_shortcuts_li5: "r - Repartager ce message" + keyboard_shortcuts_li6: "m - Afficher l'ensemble du message" + keyboard_shortcuts_li7: "o - Ouvrir le premier lien de ce message" + keyboard_shortcuts_li8: "ctrl + entrée - Envoyer le message en cours de rédaction" keyboard_shortcuts_q: "Quels sont les raccourcis clavier existants ?" title: "Raccourcis clavier" markdown: "Markdown" mentions: - how_to_mention_a: "Tapez le symbole \"@\" et commencez à taper leur nom. Un menu déroulant devrait apparaître pour vous permettre de les choisir plus facilement. Notez qu'il est uniquement possible de mentionner des gens que vous avez ajouté à un aspect." + how_to_mention_a: "Tapez le symbole \"@\" et commencez à taper leur nom. Un menu déroulant devrait apparaître pour vous permettre de les choisir plus facilement. Notez qu'il est uniquement possible de mentionner des gens que vous avez ajoutés à un aspect." how_to_mention_q: "Comment puis-je mentionner quelqu'un lorsque je rédige un message ?" mention_in_comment_a: "Non, pas pour le moment." mention_in_comment_q: "Puis-je mentionner quelqu'un dans un commentaire ?" @@ -430,25 +425,25 @@ fr: back_to_top_q: "Il y a t-il un moyen de rapidement revenir en haut d'une page après avoir atteint le bas de celle-ci ?" diaspora_app_a: "Il y a quelques applications Android encore dans les toutes premières phases de développement. Plusieurs sont des projets abandonnés depuis un peu de temps et ne marchent donc pas bien avec la version actuelle de diaspora*. N'en attendez pas trop pour le moment. Actuellement, la meilleure façon accéder à diaspora* à partir d'un téléphone portable est à travers un navigateur web car nous avons créé une version mobile du site qui devrait fonctionner correctement sur tous les appareils. Il n'y a pour l'instant aucune application pour iOS. Encore une fois, diaspora* devrait marcher correctement via votre navigateur web." diaspora_app_q: "Existe t-il une application diaspora* pour Android ou iOS ?" - photo_albums_a: "Non, pas actuellement. Cependant vous pouvez voir l'ensemble des images d'un utilisateurs à partir de la section Photos de la barre latérale de son profil." + photo_albums_a: "Non, pas actuellement. Cependant vous pouvez voir l'ensemble des images d'un utilisateur à partir de la section Photos de la barre latérale de son profil." photo_albums_q: "Il y a t-il des albums photos ou vidéos ?" - subscribe_feed_a: "Oui, mais ce n'est pas encore une fonctionnalité terminée et le formatage des résultats est encore un peu brute. Si vous voulez toutefois l'essayer, allez sur la page de profil de quelqu'un et cliquez sur le bouton de flux RSS de votre navigateur, ou vous pouvez copier l'URL du profil (ex : https://joindiaspora.com/people/somenumber, et le coller dans un lecteur de flux RSS. Le résultat du flux ressemble à ceci : https://joindiaspora.com/public/username.atom. Diaspora utilise Atom plutôt que RSS." + subscribe_feed_a: "Oui, mais cette fonctionnalité est encore imparfaite et le formatage des résultats reste assez rustique. Si vous voulez tout de même l'essayer, allez sur la page de profil de quelqu'un et cliquez sur le bouton de flux RSS de votre navigateur. Ou alors, vous pouvez copier l'adresse du profil (p. ex. https://joindiaspora.com/people/un-nombre) et la coller dans un lecteur de flux RSS. L'adresse de flux qui en résultera ressemblera à https://joindiaspora.com/public/nom-d-utilisateur.atom : en effet, diaspora* utilise Atom plutôt que RSS." subscribe_feed_q: "Puis-je m'inscrire aux messages publics d'une personne avec un lecteur de flux ?" title: "Divers" pods: find_people_a: "Invitez vos amis en utilisant le lien de courriel dans la barre latérale. Suivez des #tags pour découvrir d'autres gens partageants vos intérêts, et ajoutez ceux qui publient des choses qui vous intéressent dans un aspect. Annoncez que vous être #nouveauici dans un message public." find_people_q: "Je viens de rejoindre un pod, comment puis-je trouver des personnes pour partager avec elles ?" title: "Pods" - use_search_box_a: "Si vous connaissez leur identifiant diaspora* complet (ex : nomdutilisateur@nomdupod.org), vous pouvez les trouver en les recherchant avec. Si vous êtes sur le même pod vous pouvez les retrouver avec uniquement nomdutilisateur. Une alternative est de les rechercher par leur nom de profil (le nom que vous voyez à l'écran). Si une recherche ne fonctionne pas la première fois, réessayez un petit peu plus tard." + use_search_box_a: "Si vous connaissez leur identifiant diaspora* complet (p. ex. : nomdutilisateur@nomdupod.org), vous pouvez les trouver par ce biais. Si vous êtes sur le même pod vous pouvez les retrouver juste avec leur nom d'utilisateur. Une alternative est de les rechercher par leur nom de profil (le nom que vous voyez à l'écran). Si une recherche ne donne rien la première fois, réessayez un peu plus tard." use_search_box_q: "Comment dois-je utiliser le champ de recherche pour trouver quelqu'un en particulier ?" - what_is_a_pod_a: "Un pod est un serveur faisant tourner le logiciel diaspora* et connecté au réseau diaspora*. \"Pod\" est une métaphore pour le pot de plantes, chaque compte utilisateur étant une graine dans le pot. Il y a beaucoup de pods différents. Vous pouvez communiquer avec vos amis de la même manière peu importe le pod où ils sont. (Vous pouvez comparer un pod diaspora* à un fournisseur d'adresses email : il y a les pods publics, les pods privés, et avec quelques efforts vous pouvez installer le votre)." + what_is_a_pod_a: "Un pod est un serveur faisant tourner le logiciel diaspora* et connecté au réseau diaspora*. \"Pod\" désigne en anglais les cosses de certaines plantes, chaque compte utilisateur étant métaphoriquement une graine dans la cosse. Il y a beaucoup de pods différents. Vous pouvez communiquer avec vos amis de la même manière, peu importe le pod où ils sont. Vous pouvez comparer un pod diaspora* à un fournisseur d'adresses courriel : il y a les pods publics, les pods privés, et avec quelques efforts vous pouvez même installer le vôtre." what_is_a_pod_q: "Qu'est-ce qu'un pod ?" posts_and_posting: char_limit_services_a: "Dans ce cas votre publication est limitée au nombre minimum de caractères (140 pour Twitter; 1000 pour Tumblr), et le nombre de caractères restant est affiché lorsque l'icône de ce service est sélectionnée. Vous pouvez toujours poster sur ces services si votre publication est plus longue que la limite, mais le texte sera tronqué sur ces services." - char_limit_services_q: "Quelle est la limite de caractères pour les messages partagés avec un service connecté qui à une limite de caractères plus petite ?" + char_limit_services_q: "Quelle est la limite de caractères pour les messages partagés avec un service connecté qui a une limite de caractères plus petite ?" character_limit_a: "65,535 caractères. C'est 65,395 caractères de plus que Twitter ! ;)" character_limit_q: "Quelle est la limite de caractères pour un message ?" - embed_multimedia_a: "Vous pouvez généralement juste coller l'URL (ex : http://www.youtube.com/watch?v=nnnnnnnnnnn) au sein de votre message et la vidéo ou l'audio seront intégrés automatiquement. Les quelques sites qui sont supportés sont : Youtube, Vimeo, SoundCloud, Flickr et bien d'autres. Diaspora* utilise oEmbed pour cette version. Nous supportons de nouveaux sites tout le temps. Souvenez-vous de toujours publier des liens complets et simples : pas de liens raccourcis, pas d'opérateurs après l'URL de base; et laissez-lui un peu de temps avant de rafraîchir la page après avoir publié un message pour voir son aperçu." + embed_multimedia_a: "Vous pouvez généralement juste coller l'URL (p. ex. : http://www.youtube.com/watch?v=nnnnnnnnnnn) au sein de votre message et la vidéo ou le contenu audio sera intégré automatiquement. Parmi les supportés, on trouve : Youtube, Vimeo, SoundCloud, Flickr et quelques autres. Diaspora* utilise oEmbed pour cette fonctionnalité. Nous ajoutons constamment le support de nouveaux sites. Souvenez-vous de toujours publier des liens complets et simples : pas de lien raccourci, pas d'opérateur après l'URL de base, et laissez passer un peu de temps avant de rafraîchir la page après avoir publié un message pour voir l'aperçu." embed_multimedia_q: "Comment puis-je intégrer une vidéo, de l'audio, ou tout autre contenu multimédia dans un message ?" format_text_a: "En utilisant un système simplifié appelé %{markdown}. Vous pouvez trouver la syntaxe complète de Markdown %{here}. Le bouton de prévisualisation est vraiment pratique car vous pourrez voir à quoi votre message va ressembler avant de le publier." format_text_q: "Comment puis-je formater le texte de mes messages (gras, italique, etc.) ?" @@ -461,90 +456,101 @@ fr: insert_images_comments_a2: "cela peut être utilisé pour insérer des images à partir du web dans les commentaires ou les messages." insert_images_comments_q: "Puis-je insérer des images dans un commentaire ?" insert_images_q: "Comment puis-je insérer des images dans un message ?" + post_location_a: "Dans l'éditeur, cliquez sur l'icône en forme d'épingle à côté de l'appareil photo. Ceci va insérer votre emplacement à partir d'OpenStreetMap. Vous pourrez modifier votre position - pour inclure uniquement la ville plutôt que la rue par exemple." + post_location_q: "Comment puis-je ajouter ma position à un message ?" + post_notification_a: "Vous trouverez une icône en forme de cloche à côté du X en haut à droite d'un message. Cliquez sur cette option pour activer ou désactiver les notifications pour ce message." + post_notification_q: "Comment puis-je activer ou désactiver les notifications pour un message ?" + post_poll_a: "Cliquez sur l'icône en forme de graphique pour générer un sondage. Saisissez une question et au moins deux réponses. N'oubliez pas de rendre votre message public si vous souhaitez que tout le monde puisse participer à votre sondage." + post_poll_q: "Comment puis-je ajouter un sondage à mon message ?" + post_report_a: "Cliquez sur l'icône en forme de triangle d'alerte en haut à droite du message à signaler à votre podmin puis saisissez une raison dans la boîte de dialogue." + post_report_q: "Comment puis-je signaler un message offensant ?" size_of_images_a: "Non. Les images sont automatiquement redimensionnées pour s'adapter au flux. Markdown n'a pas de code pour spécifier la taille d'une image." size_of_images_q: "Puis-je améliorer la taille des images dans les messages ou les commentaires ?" stream_full_of_posts_a1: "Votre flux est constitué de trois types de messages:" - stream_full_of_posts_li1: "Les publications des personnes avec qui vous êtes en train de partager vont appraître sous deux formes : les messages publics et les messages limités à l'aspect avec lequel vous partagez. Pour retirer ces publications de votre flux, cessez simplement de partager avec la personne." + stream_full_of_posts_li1: "Les publications des personnes avec qui vous êtes en train de partager vont apparaître sous deux formes : les messages publics et les messages limités à l'aspect avec lequel vous partagez. Pour retirer ces publications de votre flux, cessez simplement de partager avec la personne." stream_full_of_posts_li2: "Les messages publics contiennent l'un des tags que vous suivez. Pour les supprimer, cessez de suivre le tag." - stream_full_of_posts_li3: "Les messages publics des personnes affichés dans la liste des gens mis en valeur. Ils peuvent être supprimés en décochant l'option \"Montrer les personnes mises en valeur ?\" dans l'onglet Compte de vos paramètres." - stream_full_of_posts_q: "Pourquoi mon flux est-il plein de messages provenants de personnes que je ne connais pas et avec lesquelles je ne partage pas ?" + stream_full_of_posts_li3: "Les messages publics des personnes affichées dans la liste des gens mis en valeur. Ils peuvent être supprimés en décochant l'option \"Montrer les personnes mises en valeur ?\" dans l'onglet Compte de vos paramètres." + stream_full_of_posts_q: "Pourquoi mon flux est-il plein de messages provenant de personnes que je ne connais pas et avec lesquelles je ne partage pas ?" title: "Messages et publications" private_posts: can_comment_a: "Seuls les utilisateurs placés dans cet aspect et connectés à diaspora* peuvent commenter ou aimer votre message privé." can_comment_q: "Qui peut commenter ou aimer mon message privé ?" - can_reshare_a: "Personne. Les messages privés ne sont pas repartageables. Les utilisateurs identifiés dans diaspora* dans cet aspect peuvent potentiellement le copier et le coller cependant." + can_reshare_a: "Personne. Il n'est pas permis de repartage un message privé. Cependant, les utilisateurs appartenant à cet aspect sont susceptibles de le copier et le coller." can_reshare_q: "Qui peut repartager mes messages privés ?" - see_comment_a: "Seuls les gens avec qui le message a été partagé (les gens qui sont dans les aspects sélectionnés par le rédacteur original) peuvent voir ses commentaires et les aimer. " + see_comment_a: "Seuls les gens avec qui le message a été partagé (les gens qui sont dans les aspects sélectionnés par le rédacteur original) peuvent voir ses commentaires et les \"j'aime\". " see_comment_q: "Lorsque je commente ou que j'aime un message privé, qui peut le voir ?" title: "Messages privés" who_sees_post_a: "Seuls les utilisateurs placés dans cet aspect et connectés à diaspora* peuvent voir votre message privé." - who_sees_post_q: "Lorsque j'envois un message à un aspect (ex : un message privé), qui peut le voir ?" + who_sees_post_q: "Lorsque j'envoie un message à un aspect (c'est-à-dire un message privé), qui peut le voir ?" private_profiles: title: "Profils privés" - whats_in_profile_a: "La biographie, la localisation, le sexe, et l'anniversaire. Ce sont les éléments dans le bas de la section de l'édition de la page de profil. Toutes ces informations sont optionnelles - c'est à vous de décider si vous les renseignez ou nin. Les utilisateurs connectés que vous avez ajouté à vos aspects sont les seuls qui peuvent lire votre profil privé. Ils verront aussi les messages privés publiés dans les aspects dont ils font partie, mélangés avec vos publications publiques, lorsque ils visiteront votre page de profil." + whats_in_profile_a: "La biographie, la localisation, le genre, et l'anniversaire. Ce sont les éléments dans le bas de la section de l'édition de la page de profil. Toutes ces informations sont optionnelles — c'est à vous de décider si vous les renseignez ou non. Les utilisateurs connectés que vous avez ajoutés à vos aspects sont les seuls qui peuvent lire votre profil privé. Ils verront aussi les messages privés publiés dans les aspects dont ils font partie, mélangés avec vos publications publiques, lorsqu'ils visiteront votre page de profil." whats_in_profile_q: "Qu'est ce que mon profil privé ?" - who_sees_profile_a: "N'importe quel utilisateur avec qui vous êtes en train de partager (ce qui signifie que vous avez ajouté dans l'un de vos aspects). Cependant, les gens qui vous suivent, mais que vous ne suivez pas, verrons uniquement vos informations publiques." + who_sees_profile_a: "N'importe quel utilisateur connecté avec lequel vous partagez (ce qui signifie que vous l'avez ajouté dans l'un de vos aspects). Les gens qui vous suivent, mais que vous ne suivez pas, verrons uniquement vos informations publiques." who_sees_profile_q: "Qui peut voir mon profil privé ?" - who_sees_updates_a: "N'importe qui dans vos aspects peuvent voir les modifications de votre profil privé. " + who_sees_updates_a: "N'importe qui dans vos aspects peut voir les modifications de votre profil privé. " who_sees_updates_q: "Qui peut voir les mises à jour de mon profil privé ?" public_posts: - can_comment_reshare_like_a: "N'importe quel utilisateur connecté à diaspora* peut commenter, repartager, ou aimer votre post public." + can_comment_reshare_like_a: "N'importe quel utilisateur connecté à diaspora* peut commenter, repartager, ou aimer votre message public." can_comment_reshare_like_q: "Qui peut commenter, repartager, ou aimer mon message public ?" - deselect_aspect_posting_a: "Dé-sélectionner des aspects n'affectera pas les messages publics. Ils apparaîtront toujours dans le flux de tous vos contacts. Pour rendre un message visible seulement à des aspects spécifiques, vous avez besoin de sélectionner ces aspects via le bouton sous la publication en cours de rédaction." - deselect_aspect_posting_q: "Que ce passe t-il lorsque je dé-sélectionne un ou plusieurs aspects au moment ou je rédige un message public ?" - find_public_post_a: "Les messages publics apparaîtront dans le flux de tout ceux qui vous suivent. Si vous incluez des #tags dans votre message public, tout ceux qui suivent ces tags trouveront votre message dans leurs flux. Tout message public a aussi une URL spécifique que n'importe qui peut voir, sauf s'ils ne sont pas connectés - ces messages publiques peuvent êtres échangés directement sur Twitter, les blogs, etc. Les messages publics peuvent aussi être indexés par les moteurs de recherche." - find_public_post_q: "Comment les autres personnes peuvent elles trouver mes messages publics ?" - see_comment_reshare_like_a: "N'importe quel utilisateur connecté à diaspora* et n'importe qui d'autre sur internet. Les commentaires, \"likes\", et repartages des messages publics sont aussi publics." + deselect_aspect_posting_a: "Décocher des aspects n'affectera pas les messages publics : ils apparaîtront toujours dans le flux de tous vos contacts. Pour qu'un message ne soit visible qu'à certains aspects, vous devez sélectionner ces aspects via le bouton qui se trouve sous la boite de rédaction." + deselect_aspect_posting_q: "Que se passe-t-il lorsque je décoche un ou plusieurs aspects au moment où je rédige un message public ?" + find_public_post_a: "Les messages publics apparaîtront dans le flux de tous ceux qui vous suivent. Si vous incluez des #tags dans votre message public, tous ceux qui suivent ces tags trouveront votre message dans leurs flux. Tout message public a aussi une URL spécifique que n'importe qui peut voir, sauf s'ils ne sont pas connectés - ces messages publics peuvent êtres échangés directement sur Twitter, les blogs, etc. Les messages publics peuvent aussi être indexés par les moteurs de recherche." + find_public_post_q: "Comment les autres personnes peuvent-elles trouver mes messages publics ?" + see_comment_reshare_like_a: "N'importe quel utilisateur connecté à diaspora* et n'importe qui d'autre sur Internet. Les commentaires, « j'aime », et repartages des messages publics sont aussi publics." see_comment_reshare_like_q: "Lorsque je commente, repartage, ou aime un message public, qui peut le voir ?" title: "Messages publics" who_sees_post_a: "N'importe qui utilisant internet peut potentiellement voir un message que vous marquez comme public, donc soyez sûrs de vouloir rendre ce message public. C'est le meilleur moyen de s'ouvrir sur le monde." who_sees_post_q: "Lorsque je publie quelque chose publiquement, qui peut le voir ?" public_profiles: title: "Profils publics" - what_do_tags_do_a: "Ils aident les gens à mieux vous connaître. Votre photo de profil apparaîtra également dans le panneau latéral sur la gauche des pages de ces tags, au milieu de tout le monde les ayant dans leur profil public." + what_do_tags_do_a: "Ils aident les gens à mieux vous connaître. Votre photo de profil apparaîtra également dans le panneau latéral sur la gauche des pages de ces tags, avec tous ceux qui les ont dans leur profil public." what_do_tags_do_q: "Qu'est ce que font les tags sur mon profil public ?" - whats_in_profile_a: "Votre nom, les cinq tags que vous choisissez pour vous décrire, et votre photo. C'est l'ensemble des éléments dans la partie haute de votre page d'édition de profil. Vous pouvez créer un profil avec des informations vous identifiant ou vous laissant anonyme selon votre souhait. Votre page de profil montre uniquement les messages publics que vous avez crée." - whats_in_profile_q: "Qu'il-y-a t-il dans mon profil public ?" - who_sees_profile_a: "N'importe quel utilisateur de diaspora* connecté ainsi que plus généralement internet peut le voir. Chaque profil a une URL directe, permettant d'avoir un lien pointant dessus sur des sites extérieurs. Il peut être indexé par les moteurs de recherche." + whats_in_profile_a: "Votre nom, les cinq tags que vous choisissez pour vous décrire, et votre photo. C'est l'ensemble des éléments dans la partie haute de votre page d'édition de profil. Vous pouvez créer un profil avec des informations vous identifiant ou vous laissant anonyme selon votre souhait. Votre page de profil montre uniquement les messages publics que vous avez créés." + whats_in_profile_q: "Qu'y a-t-il dans mon profil public ?" + who_sees_profile_a: "N'importe quel utilisateur connecté à diaspora*, ainsi que le reste d'Internet, peut le voir. Chaque profil a une URL directe, permettant d'avoir un lien pointant dessus depuis des sites extérieurs. Il peut être indexé par les moteurs de recherche." who_sees_profile_q: "Qui peut voir mon profil public ?" - who_sees_updates_a: "N'importe qui peut voir ces changements si il visite votre page de profil." + who_sees_updates_a: "N'importe qui peut voir ces changements en visitant votre page de profil." who_sees_updates_q: "Qui peut voir les mises à jour de mon profil public ?" resharing_posts: reshare_private_post_aspects_a: "Non, il n'est pas possible de repartager un message privé. Ceci dans le but de respecter les intentions du rédacteur initial qui souhaite uniquement partager avec un groupe particulier de personnes." - reshare_private_post_aspects_q: "Puis repartager un message privé uniquement avec certains aspects ?" - reshare_public_post_aspects_a: "Non, lorsque vous repartagez un message public il devient automatiquement l'un de vos messages publics. Pour le partager avec certaines aspects, copiez et collez le contenu du message dans un nouveau." - reshare_public_post_aspects_q: "Puis repartager un message public uniquement avec certains aspects ?" + reshare_private_post_aspects_q: "Puis-je repartager un message privé uniquement avec certains aspects ?" + reshare_public_post_aspects_a: "Non, lorsque vous repartagez un message public il devient automatiquement l'un de vos messages publics. Pour le partager avec certains aspects, copiez et collez le contenu du message dans un nouveau." + reshare_public_post_aspects_q: "Puis-je repartager un message public uniquement avec certains aspects ?" title: "Repartager les messages." sharing: add_to_aspect_a1: "Imaginons qu'Amy ajoute Ben dans un aspect, mais Ben n'a pas (encore) ajouté Amy dans un aspect :" add_to_aspect_a2: "On dit que c'est un partage asymétrique. Si Ben ajoute aussi Amy dans un aspect alors cela deviendra un partage mutuel, avec les messages publics et privés de Amy et Ben, et leurs messages privés concernés dans leurs flux, etc. " - add_to_aspect_li1: "Ben recevra une notifications indiquant que Amy \"a commencé à partager\" avec Ben." + add_to_aspect_li1: "Ben recevra une notification indiquant que Amy « a commencé à partager » avec Ben." add_to_aspect_li2: "Amy commencera à voir les messages publics de Ben dans son flux." add_to_aspect_li3: "Amy ne verra aucun des messages privés de Ben." add_to_aspect_li4: "Ben ne verra pas les messages publics ou privés d'Amy dans son flux." - add_to_aspect_li5: "Mais si Ben se rend sur la page de profil d'Amy, alors il verra les messages privés d'Amy qu'elle a rédigé pour l'aspect dans lequel il se trouve (de la même façon que ses messages publics qui peuvent êtres vu par tout le monde)." + add_to_aspect_li5: "Mais si Ben se rend sur la page de profil d'Amy, alors il verra les messages privés d'Amy qu'elle a rédigé pour l'aspect dans lequel il se trouve (de la même façon que ses messages publics qui peuvent être vu par tout le monde)." add_to_aspect_li6: "Ben sera autorisé à voir le profil privé d'Amy (bio, localisation, genre, anniversaire)." - add_to_aspect_li7: "Amy apparaîtra en tant que \"Seulement en train de partager avec moi\" sur la page des contacts de Ben." - add_to_aspect_q: "Que ce passe t-il lorsque j'ajoute quelqu'un dans l'un de mes aspects ? Ou lorsque quelqu'un m'ajoute dans l'un de ses aspects ?" + add_to_aspect_li7: "Amy apparaîtra en tant que « Seulement en train de partager avec moi » sur la page des contacts de Ben." + add_to_aspect_li8: "Amy sera également capable de @mentionner Ben dans un message." + add_to_aspect_q: "Que se passe-t-il lorsque j'ajoute quelqu'un dans l'un de mes aspects ? Ou lorsque quelqu'un m'ajoute dans l'un de ses aspects ?" list_not_sharing_a: "Non. Mais vous pouvez voir si quelqu'un partage avec vous en visitant sa page de profil. Si c'est le cas, la barre sous son image de profil sera verte. Si non, elle sera grise. Vous devriez recevoir une notification à chaque fois qu'une personne commence à partager avec vous." - list_not_sharing_q: "Existe-il une liste des personnes que j'ai ajouté à un de mes aspects mais qui ne m'ont pas ajouté à l'un des leurs ?" - only_sharing_a: "Il y a des personnes qui vous ont ajouté dans l'un de leurs aspects, mais qui ne font pas (encore) partie de l'un des votres. En d'autres termes, ils partagent avec vous, mais vous ne partagez pas avec eux (partage asymétrique). Si vous les ajoutez dans un aspect, ils apparaîtront dans cet aspect et pas dans \"partage uniquement avec vous\". Voir ci-dessus." + list_not_sharing_q: "Existe-t-il une liste des personnes que j'ai ajoutées à un de mes aspects mais qui ne m'ont pas ajouté à l'une des leurs ?" + only_sharing_a: "Il y a des personnes qui vous ont ajouté dans l'un de leurs aspect, mais qui ne font pas (encore) partie de l'un des vôtres. En d'autres termes, ils partagent avec vous, mais vous ne partagez pas avec eux (partage asymétrique). Si vous les ajoutez dans un aspect, ils apparaîtront dans cet aspect et pas dans « partage uniquement avec vous ». Voir ci-dessus." only_sharing_q: "Qui sont les gens listés dans \"Partage seulement avec moi\" de ma page de contacts ?" - see_old_posts_a: "Non. Ils seront seulement autorisés à voir vos nouveaux messages pour cet aspect. Ils (et n'importe qui d'autre) peuvent voir vos vieux messages publics sur votre page de profil, et ils les verront aussi dans leur flux." - see_old_posts_q: "Lorsque j'ajoute quelqu'un dans un aspect, peut-il voir les anciens messages que j'ai déjà publié dans cet aspect ?" + see_old_posts_a: "Non. Ceux que vous venez d'ajouter seront seulement autorisés à voir vos nouveaux messages pour cet aspect. Ils (et n'importe qui d'autre) peuvent voir vos anciens messages publics sur votre page de profil, et ils les verront aussi dans leur flux." + see_old_posts_q: "Lorsque j'ajoute quelqu'un dans un aspect, peut-il voir les anciens messages que j'ai déjà publiés dans cet aspect ?" + sharing_notification_a: "Vous devriez recevoir une notification à chaque fois que quelqu'un commence à partager avec vous." + sharing_notification_q: "Comment puis-je savoir quand quelqu'un commence à partager avec moi ?" title: "Partage" tags: filter_tags_a: "Ce n'est pas encore possible directement via diaspora*, mais certains %{third_party_tools} permettant cela ont été écrits." filter_tags_q: "Comment puis-je filtrer/exclure certaines tags de mon flux ?" - followed_tags_a: "Après avoir recherché un tag vous pouvez cliquer sur le bouton en haut de la page de tags pour \"suivre\" ce tag. Il apparaîtra dans votre liste de tags suivis sur la gauche. Cliquer sur l'un des tags que vous suivez vous emmène sur la page du tag donc vous pouvez voir les messages récents contenant le tag. Cliquez sur \"#Tags suivis\" pour voir un flux de messages incluant l'un ou l'intégralité des tags que vous suivez. " + followed_tags_a: "Après avoir recherché un tag vous pouvez cliquer sur le bouton en haut de la page de tags pour \"suivre\" ce tag. Il apparaîtra dans votre liste de tags suivis sur la gauche. Cliquer sur l'un des tags que vous suivez vous emmène sur la page du tag donc vous pouvez voir les messages récents contenant le tag. Cliquez sur \"#Tags suivis\" pour voir un flux de messages incluant l'un des tags que vous suivez ou leur intégralité. " followed_tags_q: "Que sont les \"#Tags Suivis\" et comment puis-je suivre un tag ?" people_tag_page_a: "Il y a des personnes qui ont listé ce tag pour se décrire elles-même dans leur profil public." people_tag_page_q: "Qui sont les personnes listées sur la partie gauche d'une page de tag ?" tags_in_comments_a: "Un tag ajouté dans un commentaire apparaîtra toujours sous forme de lien pointant sur la page de ce tag, mais cela ne fera pas apparaître ce message (ou ce commentaire) sur la page du tag. Cela fonctionne uniquement pour les tags dans un message." tags_in_comments_q: "Puis-je insérer des tags dans un commentaire ou juste dans des messages ?" title: "Tags" - what_are_tags_for_a: "Les tags sont une manière de catégoriser un message, généralement par sujets. Rechercher un tag montre tous les messages avec ce tag que vous pouvez voir (à la fois dans les messages publics et privés). Cela laisse les personnes qui sont intéressées par un sujet précis trouver les messages publics le concernant." - what_are_tags_for_q: "A quoi servent les tags ?" + what_are_tags_for_a: "Les tags sont une manière de catégoriser un message, généralement par sujets. Rechercher un tag montre tous les messages avec ce tag que vous pouvez voir (à la fois dans les messages publics et privés). Cela permet aux personnes qui sont intéressées par un sujet précis de trouver les messages publics le concernant." + what_are_tags_for_q: "À quoi servent les tags ?" third_party_tools: "outils tiers" title_header: "Aide" tutorial: "tutoriel" @@ -573,16 +579,16 @@ fr: new: already_invited: "Les personnes suivantes n'ont pas accepté votre invitation :" aspect: "Aspect" - check_out_diaspora: "Essayez Diaspora !" + check_out_diaspora: "Essayez diaspora* !" codes_left: one: "Plus qu'une invitation disponible avec ce code." other: "Encore %{count} invitations disponibles avec ce code." zero: "Plus d'invitation disponible avec ce code." comma_separated_plz: "Vous pouvez entrer plusieurs adresses de courrier électronique séparées par des virgules." - if_they_accept_info: "s'ils acceptent, ils seront ajoutés à l'aspect dans lequel vous les avez invités." - invite_someone_to_join: "Inviter quelqu'un à rejoindre Diaspora !" + if_they_accept_info: "s'ils acceptent, ils seront ajoutés à l'aspect auquel vous les avez invités." + invite_someone_to_join: "Invitez quelqu'un à rejoindre diaspora* !" language: "Langue" - paste_link: "Partagez ce lien auprès de vos amis pour les inviter sur Diaspora*, ou bien envoyez-leur directement le lien par courriel." + paste_link: "Partagez ce lien auprès de vos amis pour les inviter sur diaspora*, ou bien envoyez-leur directement le lien par courriel." personal_message: "Message personnel" resend: "Envoyer à nouveau" send_an_invitation: "Envoyer une invitation" @@ -592,18 +598,18 @@ fr: layouts: application: back_to_top: "Retour en haut" - powered_by: "PROPULSÉ PAR diaspora*" - public_feed: "Flux diaspora* public pour %{name}" + powered_by: "Propulsé par diaspora*" + public_feed: "Flux diaspora* public de %{name}" source_package: "téléchargez le code source" - toggle: "activer/désactiver la version mobile" + toggle: "Activer/désactiver la version mobile" whats_new: "Quoi de neuf ?" - your_aspects: "vos aspects" + your_aspects: "Vos aspects" header: - admin: "admin" - blog: "blog" - code: "code" + admin: "Adminstrateur" + blog: "Blog" + code: "Code" help: "Aide" - login: "connexion" + login: "Connexion" logout: "Déconnexion" profile: "Profil" recent_notifications: "Notifications" @@ -621,20 +627,20 @@ fr: people_like_this: one: "%{count} personne aime" other: "%{count} personnes aiment" - zero: "Personne n'aime ça" + zero: "Personne n'aime" people_like_this_comment: one: "%{count} personne aime" other: "%{count} personnes aiment" zero: "Personne n'aime ça" limited: "Limité" more: "Plus" - next: "suivant" + next: "Suivant" no_results: "Aucun résultat trouvé" notifications: also_commented: - one: "%{actors} a également commenté sur %{post_link} de %{post_author}." - other: "%{actors} ont également commenté sur %{post_link} de %{post_author}." - zero: "%{actors} a également commenté sur %{post_link} de %{post_author}." + one: "%{actors} a également commenté sur le message %{post_link} de %{post_author}." + other: "%{actors} ont également commenté sur le message %{post_link} de %{post_author}." + zero: "%{actors} a également commenté sur le message %{post_link} de %{post_author}." also_commented_deleted: one: "%{actors} a commenté votre message supprimé." other: "%{actors} ont commenté votre message supprimé." @@ -642,7 +648,7 @@ fr: comment_on_post: one: "%{actors} a commenté votre message %{post_link}." other: "%{actors} ont commenté votre message %{post_link}." - zero: "%{actors} a commenté sur votre %{post_link}." + zero: "%{actors} n'a commenté sur votre message %{post_link}." helper: new_notifications: few: "%{count} nouvelles notifications" @@ -669,23 +675,24 @@ fr: mark_read: "Marquer comme lu" mark_unread: "Marquer comme non lu" mentioned: "Vous mentionnant" + no_notifications: "Vous ne avez pas encore de notifications." notifications: "Notifications" reshared: "Repartagé" show_all: "montrer tout" show_unread: "montrer les non-lus" started_sharing: "A commencé à partager" liked: - one: "%{actors} a aimé votre %{post_link}." - other: "%{actors} ont aimé votre %{post_link}." - zero: "%{actors} a aimé votre %{post_link}." + one: "%{actors} a aimé votre message %{post_link}." + other: "%{actors} ont aimé votre message %{post_link}." + zero: "%{actors} a aimé votre message %{post_link}." liked_post_deleted: one: "%{actors} a aimé votre message supprimé." other: "%{actors} ont aimé votre message supprimé." zero: "%{actors} a aimé votre message supprimé." mentioned: - one: "%{actors} vous a mentionné(e) dans un %{post_link}." - other: "%{actors} vous ont mentionné(e) dans un %{post_link}." - zero: "%{actors} vous a mentionné(e) dans un %{post_link}." + one: "%{actors} vous a mentionné(e) dans le message %{post_link}." + other: "%{actors} vous ont mentionné(e) dans le message %{post_link}." + zero: "%{actors} ne vous a mentionné(e) dans le message %{post_link}." mentioned_deleted: one: "%{actors} vous a mentionné-e dans un message supprimé." other: "%{actors} vous ont mentionné-e dans un message supprimé." @@ -696,52 +703,113 @@ fr: other: "%{actors} vous ont envoyé un message." zero: "%{actors} vous a envoyé un message." reshared: - one: "%{actors} a repartagé votre %{post_link}." - other: "%{actors} ont repartagé votre %{post_link}." - zero: "%{actors} a repartagé votre %{post_link}." + one: "%{actors} a repartagé votre message %{post_link}." + other: "%{actors} ont repartagé votre message %{post_link}." + zero: " %{actors} n'a repartagé votre message %{post_link}." reshared_post_deleted: - one: "%{actors} a partagé le message que vous avez supprimé." - other: "%{actors} ont partagé le message que vous avez supprimé." - zero: "%{actors} a partagé votre message supprimé." + one: "%{actors} a repartagé le message que vous avez supprimé." + other: "%{actors} ont repartagé le message que vous avez supprimé." + zero: "%{actors} n'a repartagé votre message supprimé." started_sharing: one: "%{actors} a commencé à partager avec vous." other: "%{actors} ont commencé à partager avec vous." zero: "%{actors} a commencé à partager avec vous." notifier: + a_limited_post_comment: "Vous avez un nouveau commentaire sur un message à visibilité limitée." a_post_you_shared: "un message." + a_private_message: "Vous avez un nouveau message privé à consulter sur diaspora*." accept_invite: "Acceptez votre invitation sur diaspora* !" - click_here: "cliquez ici" + click_here: "Cliquez ici" comment_on_post: reply: "Répondre ou voir le message de %{name} >" confirm_email: click_link: "Pour activer votre nouvelle adresse électronique %{unconfirmed_email}, merci de suivre ce lien :" subject: "Merci d'activer votre nouvelle adresse électronique %{unconfirmed_email}" email_sent_by_diaspora: "Ce courriel a été envoyé par %{pod_name}. Si vous ne souhaitez plus recevoir des courriels de ce genre," + export_email: + body: |- + Bonjour %{name}, + + Vos données personnelles ont été traitées et vous pouvez à présent les télécharger en cliquant sur [ce lien](%{url}). + + Cordialement, + + Le messager automatique de diaspora* + subject: "Vos données personnelles sont prêtes à être téléchargées, %{name}" + export_failure_email: + body: |- + Bonjour %{name}, + + Il y a eu un problème lors du traitement de vos données personnelles en vue d'un téléchargement. + Merci de bien vouloir réessayer. + + Avec toutes nos excuses, + + Le messager automatique de diaspora* + subject: "Il y a eu un problème avec vos données, %{name}" + export_photos_email: + body: |- + Bonjour %{name}, + + Vos photos ont été préparées et sont prêtes à être téléchargées en suivant [ce lien](%{url}). + + Cordialement, + + Le messager automatique de diaspora* + subject: "%{name}, vos photos sont prêtes à être téléchargées." + export_photos_failure_email: + body: |- + Bonjour %{name}, + + Il y a eu un problème lors du traitement de vos photos en vue d'un téléchargement. + Merci de bien vouloir réessayer. + + Avec toutes nos excuses, + + Le messager automatique de diaspora* + subject: "Il y a eu un problème avec vos photos, %{name}" hello: "Bonjour %{name} !" invite: message: |- Bonjour ! - Vous avez été invité-e à rejoindre Diaspora* ! + Vous avez été invité(e) à rejoindre diaspora* ! - Pour commencer, cliquez sur ce lien : + Cliquez sur ce lien pour vous lancer dans l'aventure : %{invite_url} Bien le bonjour chez vous, - Le robot de courriel de Diaspora* + Le messager automatique de diaspora* [1] : %{invite_url} invited_you: "%{name} vous a invité(e) sur diaspora*" liked: - liked: "%{name} a épinglé votre message" + liked: "%{name} a aimé votre message" view_post: "Voir le message >" mentioned: mentioned: "vous a mentionné(e) dans un message :" subject: "%{name} vous a mentionné(e) sur diaspora*" private_message: reply_to_or_view: "Répondre ou voir cette conversation >" + remove_old_user: + body: |- + Bonjour, + + En raison de l'inactivité de votre compte diaspora* %{pod_url}, nous sommes au regret de vous informer que le système l'a identifié comme devant être supprimé automatiquement. Cette procédure se déclenche après une période d'inactivité supérieure à %{after_days} jours. + + Vous pouvez éviter la perte de votre compte en vous connectant à celui-ci avant %{remove_after}, dans ce cas la procédure de suppression sera automatiquement annulée. + + Cette maintenance est effectuée pour assurer aux utilisateurs actifs le meilleur fonctionnement possible de cette instance de diaspora*. Nous vous remercions de votre compréhension. + + Si vous souhaitez conserver votre compte, veuillez vous identifier ici : + %{login_url} + + Nous espérons vous revoir bientôt ! + + Le messager automatique de diaspora* + subject: "Votre compte diaspora* a été signalé comme devant être supprimé en raison de son inactivité" report_email: body: |- Bonjour, @@ -755,7 +823,7 @@ fr: Cordialement, - Le robot d'email de diaspora* + Le messager automatique de diaspora* [1]: %{url} subject: "Un nouveau %{type} a été marqué comme offensant." @@ -766,8 +834,8 @@ fr: reshared: "%{name} a repartagé votre message" view_post: "Voir le message >" single_admin: - admin: "Votre administrateur Diaspora" - subject: "Un message concernant votre compte Diaspora :" + admin: "Votre administrateur diaspora*" + subject: "Un message concernant votre compte diaspora* :" started_sharing: sharing: "a commencé à partager avec vous !" subject: "%{name} a commencé à partager avec vous sur diaspora*" @@ -786,7 +854,6 @@ fr: add_contact_from_tag: "ajouter ce contact à partir de ce tag" aspect_list: edit_membership: "modifier l'appartenance à vos aspects" - few: "%{count} personnes" helper: is_not_sharing: "%{name} ne partage pas avec vous" is_sharing: "%{name} partage avec vous" @@ -800,11 +867,10 @@ fr: search_handle: "Utilisez leur identifiant diaspora* (nomutilisateur@urldupod) pour être sûr de trouver vos amis." searching: "Recherche en cours, veuillez patienter ..." send_invite: "Toujours rien ? Envoyez leur une invitation !" - many: "%{count} personnes" one: "1 personne" other: "%{count} personnes" person: - add_contact: "ajouter un contact" + add_contact: "Ajouter un contact" already_connected: "Déjà connecté" pending_request: "Requête en attente" thats_you: "C'est vous !" @@ -816,7 +882,7 @@ fr: in_aspects: "dans les aspects" location: "Localisation" photos: "Photos" - remove_contact: "supprimer ce contact" + remove_contact: "Supprimer ce contact" remove_from: "Supprimer %{name} de %{aspect} ?" show: closed_account: "Ce compte a été fermé." @@ -829,18 +895,17 @@ fr: not_connected: "Vous n'êtes pas connecté(e) avec cette personne" recent_posts: "Messages récents" recent_public_posts: "Messages publics récents" - return_to_aspects: "Retourner à votre page des aspects" + return_to_aspects: "Retourner à la page de vos aspects" see_all: "Tout afficher" - start_sharing: "commencer à partager" + start_sharing: "Commencer à partager" to_accept_or_ignore: "accepter ou ignorer ceci" sub_header: add_some: "ajouter quelques" - edit: "modifier" - you_have_no_tags: "vous n'avez pas de tags !" - two: "%{count} personnes" + edit: "Modifier" + you_have_no_tags: "Vous n'avez pas de tag !" webfinger: fail: "Impossible de trouver %{handle}." - zero: "personne" + zero: "Personne" photos: comment_email_subject: "photo de %{name}" create: @@ -867,7 +932,7 @@ fr: show: collection_permalink: "Lien permanent à la collection" delete_photo: "Supprimer la photo" - edit: "modifier" + edit: "Modifier" edit_delete_photo: "Modifier la description de la photo / supprimer la photo" make_profile_photo: "Choisir comme photo de profil" show_original_post: "Montrer le message original" @@ -880,20 +945,20 @@ fr: title: "Un message de %{name}" show: destroy: "Supprimer" - not_found: "Désolé, nous n'avons pas pu trouver ce message." - permalink: "lien permanent" + not_found: "Impossible de trouver ce message." + permalink: "Lien permanent" photos_by: one: "Une photo par %{author}" other: "%{count} photos par %{author}" zero: "Pas de photo par %{author}" reshare_by: "Repartagé par %{author}" - previous: "précédent" + previous: "Précédent" privacy: "Vie privée" privacy_policy: "Règles de confidentialité" profile: "Profil" profiles: edit: - allow_search: "Permettre à tous de vous rechercher dans Diaspora" + allow_search: "Permettre à tous de vous rechercher dans diaspora*" edit_profile: "Modifier le profil" first_name: "Prénom" last_name: "Nom de famille" @@ -923,9 +988,9 @@ fr: two: "%{count} réactions" zero: "0 réaction" registrations: - closed: "Les inscriptions sont fermées sur ce pod Diaspora." + closed: "Les inscriptions sont fermées sur ce pod diaspora*." create: - success: "Vous avez rejoint Diaspora !" + success: "Vous avez rejoint diaspora* !" edit: cancel_my_account: "Clôturer mon compte" edit: "Modifier %{name}" @@ -935,15 +1000,12 @@ fr: update: "Mettre à jour" invalid_invite: "Le lien d'invitation que vous avez fourni n'est plus valide !" new: - continue: "CONTINUER" create_my_account: "Créer mon compte !" - diaspora: "<3 Diaspora*" email: "COURRIEL" enter_email: "Saisissez une adresse de courrier électronique" enter_password: "Saisissez un mot de passe (d'au moins six caractères)" enter_password_again: "Saisissez à nouveau le même mot de passe" enter_username: "Choisissez un nom d'utilisateur (uniquement des lettres, chiffres et caractères de soulignement)" - hey_make: "HÉ !
FAÎTES
QUELQUE CHOSE." join_the_movement: "Rejoignez le mouvement !" password: "MOT DE PASSE" password_confirmation: "CONFIRMATION DU MOT DE PASSE" @@ -957,21 +1019,21 @@ fr: comment_label: "Commentaire:
%{data}" confirm_deletion: "Etes vous vraiment sur de vouloir supprimer cet élément ?" delete_link: "Supprimer l’élément" - not_found: "Le message/commentaire n'a pas été trouvé. Il a pu être supprimé par l'utilisateur !" + not_found: "Le message/commentaire n'a pas été trouvé. On dirait qu'il a été supprimé par l'utilisateur !" post_label: "Message: %{title}" reason_label: "Raison : %{text}" reported_label: "Signalé par %{person}" review_link: "Marqué comme revu." status: - created: "Un rapport a été créé" + created: "Un signalement a été créé" destroyed: "Le message a été détruit" failed: "Il y a eu un problème." - marked: "Ce rapport a été marqué comme revu" + marked: "Ce signalement a été marqué comme revu" title: "Vue d'ensemble des signalements." requests: create: sending: "En cours d'envoi" - sent: "Vous avez demandé à partager avec %{name}. Il le verra lors de sa prochaine connexion à Diaspora." + sent: "Vous avez demandé à partager avec %{name}. Il devrait le voir lors de sa prochaine connexion à diaspora*." destroy: error: "Veuillez sélectionner un aspect !" ignore: "Requête de contact ignorée." @@ -996,20 +1058,17 @@ fr: reshare: deleted: "Le message original a été supprimé par l'auteur." reshare: - few: "%{count} partages" - many: "%{count} partages" - one: "1 partage" - other: "%{count} partages" - two: "%{count} partages" + one: "1 repartage" + other: "%{count} repartages" zero: "Repartager" - reshare_confirmation: "Partager le message d'%{author} ?" - reshare_original: "Partager l'original" + reshare_confirmation: "Repartager le message de %{author} ?" + reshare_original: "Repartager l'original" reshared_via: "repartagé par" show_original: "Afficher l'original" search: "Rechercher" services: create: - already_authorized: "Un utilisateur dont l'id diaspora est %{diaspora_id} a déjà autorisé ce compte %{service_name}." + already_authorized: "Un utilisateur dont l'identifiant diaspora* est %{diaspora_id} a déjà autorisé ce compte %{service_name}." failure: "L'authentification a échoué." read_only_access: "Accès en lecture seule, veuillez réessayer d'autoriser plus tard" success: "Authentification réussie." @@ -1018,7 +1077,7 @@ fr: failure: error: "une erreur s'est produite lors de la connexion avec ce service" finder: - fetching_contacts: "Diaspora est en train d'importer vos amis %{service}. Revenez dans quelques minutes." + fetching_contacts: "Diaspora* est en train d'importer vos amis %{service}. Revenez dans quelques minutes." no_friends: "Aucun ami Facebook trouvé." service_friends: "Amis %{service}" index: @@ -1031,13 +1090,13 @@ fr: logged_in_as: "connecté(e) en tant que" no_services: "Vous n'êtes connecté à aucun service pour le moment." really_disconnect: "déconnecter %{service} ?" - services_explanation: "Se connecter à des services vous donne la possibilité d'y publier vos messages depuis Diaspora*." + services_explanation: "Se connecter à des services vous donne la possibilité d'y publier vos messages depuis diaspora*." inviter: click_link_to_accept_invitation: "Suivez ce lien pour accepter l'invitation" join_me_on_diaspora: "Rejoignez-moi sur diaspora*" remote_friend: invite: "inviter" - not_on_diaspora: "Pas encore sur Diaspora" + not_on_diaspora: "Pas encore sur diaspora*" resend: "envoyer à nouveau" settings: "Paramètres" share_visibilites: @@ -1049,17 +1108,16 @@ fr: add_new_contact: "Ajouter un nouveau contact" create_request: "Rechercher par identifiant diaspora*" diaspora_handle: "diaspora@pod.org" - enter_a_diaspora_username: "Entrez un nom d'utilisateur Diaspora :" + enter_a_diaspora_username: "Entrez un nom d'utilisateur diaspora* :" know_email: "Connaissez-vous leur adresse de courrier électronique ? Vous devriez les inviter" - your_diaspora_username_is: "Votre nom d'utilisateur Diaspora est : %{diaspora_handle}" + your_diaspora_username_is: "Votre nom d'utilisateur diaspora* est : %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Ajouter le contact" + mobile_row_checked: "%{name} (retirer)" + mobile_row_unchecked: "%{name} (ajouter)" toggle: - few: "Dans %{count} aspects" - many: "Dans %{count} aspects" one: "Dans %{count} aspect" other: "Dans %{count} aspects" - two: "Dans %{count} aspects" zero: "Ajouter le contact" contact_list: all_contacts: "Tous les contacts" @@ -1074,7 +1132,7 @@ fr: invite_someone: "Inviter quelqu'un" invite_your_friends: "Invitez vos amis" invites: "Invitations" - invites_closed: "Les invitations sont actuellement fermées sur ce pod Diaspora" + invites_closed: "Les invitations sont actuellement fermées sur ce pod diaspora*" share_this: "Partagez ce lien par courriel, sur un blog ou via votre réseau social favori !" notification: new: "Nouveau/nouvelle %{type} de %{from}" @@ -1084,7 +1142,7 @@ fr: logged_in: "connecté(e) à %{service}" manage: "Gérer les services connectés" new_user_welcome_message: "Utilisez les #tags pour classer vos messages et trouver des personnes qui partagent vos intérêts. Interpellez des personnes géniales avec les @Mentions" - outside: "Les messages publics pourront être vus par d'autres en dehors de Diaspora." + outside: "Les messages publics pourront être vus par tous, même en dehors de diaspora*." share: "Partager" title: "Mettre en place des services connectés" visibility_dropdown: "Utilisez ce menu déroulant pour modifier la visibilité de votre message. (Nous vous conseillons de rendre public ce premier message.)" @@ -1135,10 +1193,25 @@ fr: simple_captcha: label: "Entrez le code dans le champ" message: - default: "Le code ne correspond pas à l'image" + default: "Le code fourni ne correspond pas à l'image" failed: "La vérification anti-robot a échoué" user: "L'image et le code sont différents" placeholder: "Saisissez le contenu de l'image" + statistics: + active_users_halfyear: "Utilisateurs actifs par semestre" + active_users_monthly: "Utilisateurs actifs par mois" + closed: "Fermé" + disabled: "Indisponible" + enabled: "Disponible" + local_comments: "Commentaires locaux" + local_posts: "Messages locaux" + name: "Nom" + network: "Réseau" + open: "Ouvert" + registrations: "Inscriptions" + services: "Services" + total_users: "Total d'utilisateurs" + version: "Version" status_messages: create: success: "Mention de : %{names}" @@ -1148,15 +1221,11 @@ fr: no_message_to_display: "Aucun message à afficher." new: mentioning: "Mentionne : %{person}" - too_long: - few: "merci de bien vouloir écrire des messages de moins de %{count} caractères" - many: "merci de bien vouloir écrire des messages de moins de %{count} caractères" - one: "merci de bien vouloir écrire des messages de moins de %{count} caractère" - other: "merci de bien vouloir écrire des messages de moins de %{count} caractères" - two: "votre statut doit faire moins de %{count} caractères" - zero: "merci de bien vouloir écrire des messages de moins de %{count} caractère" + too_long: "Veillez à écrire un message de statut de %{count} caractères au plus. Il compte actuellement %{current_length} caractères." stream_helper: hide_comments: "Masquer tous les commentaires" + no_more_posts: "Vous avez atteint la fin de ce flux." + no_posts_yet: "Il n'y a pas encore de message ici." show_comments: one: "Montrer un commentaire supplémentaire" other: "Montrer %{count} commentaires supplémentaires" @@ -1178,8 +1247,8 @@ fr: title: "#Tags Suivis" followed_tags_stream: "#Tags Suivis" like_stream: - contacts_title: "Personnes dont vous avez épinglé les commentaires" - title: "Flux des éléments épinglés" + contacts_title: "Personnes dont vous avez aimé les commentaires" + title: "Flux des éléments aimés" mentioned_stream: "@Mentions" mentions: contacts_title: "Personnes qui vous ont mentionné" @@ -1192,7 +1261,6 @@ fr: title: "Activité publique" tags: contacts_title: "Personnes qui suivent ce tag" - tag_prefill_text: "Une chose que j'aime à propos de %{tag_name} est... " title: "Messages tagués : %{tags}" tag_followings: create: @@ -1203,18 +1271,16 @@ fr: failure: "Impossible de ne plus suivre #%{name}. Peut-être ne le suivez-vous déjà plus?" success: "Hélas! Vous ne suivez plus #%{name}." tags: + name_too_long: "Votre tag doit faire moins de %{count} caractères (actuellement, %{current_length})" show: follow: "Suivre #%{tag}" - followed_by_people: - one: "suivi par une personne" - other: "suivi par %{count} personnes" - zero: "suivi par personne" following: "Suivre #%{tag}" - nobody_talking: "Personne ne parle encore de %{tag}." none: "Le tag vide n'existe pas !" - people_tagged_with: "Personnes taguées avec %{tag}" - posts_tagged_with: "Publications taguées avec #%{tag}" stop_following: "Arrêter de suivre #%{tag}" + tagged_people: + one: "1 personne marquée avec %{tag}" + other: "%{count} personnes marquées avec %{tag}" + zero: "Personne n'est marqué avec %{tag}" terms_and_conditions: "Conditions d'utilisation" undo: "Annuler ?" username: "Nom d'utilisateur" @@ -1224,11 +1290,11 @@ fr: email_not_confirmed: "L'adresse électronique n'a pas pu être activée. Lien erroné ?" destroy: no_password: "Veuillez introduire votre mot de passe actuel pour fermer votre compte." - success: "Votre compte a été bloqué. 20 minutes pourraient être nécessaires pour la finalisation de sa fermeture. Merci d'avoir essayé d'utiliser Diaspora." + success: "Votre compte est verrouillé. Cela peut nous prendre jusqu'à vingt minutes pour finaliser sa fermeture. Merci d'avoir essayé diaspora*." wrong_password: "Le mot de passe introduit ne correspond pas à votre mot de passe actuel." edit: - also_commented: "…quelqu'un d'autre commente une publication de votre contact ?" - auto_follow_aspect: "Aspect pour les utilisateurs suivis automatiquement :" + also_commented: "…quelqu'un commente un message que vous avez déjà commenté." + auto_follow_aspect: "Aspects où ranger les utilisateurs suivis automatiquement :" auto_follow_back: "Suivre automatiquement en retour ceux qui vous suivent" change: "Modifier" change_email: "Changer d'adresse électronique" @@ -1237,44 +1303,51 @@ fr: character_minimum_expl: "doit comporter au moins six caractères" close_account: dont_go: "Hey, s'il vous plaît ne partez pas !" - if_you_want_this: "Si vous le voulez vraiment, tapez votre mot de passe ci-dessous et cliquez sur 'Supprimer le compte'" - lock_username: "Ceci bloquera votre nom d'utilisateur si jamais vous décidiez de revenir." - locked_out: "Vous serez déconnecté et bloqué de votre compte." - make_diaspora_better: "Nous avons besoin de vous pour rendre Diaspora meilleur, vous devriez nous aider au lieu de partir. Si vous voulez partir, on voudrait que vous sachiez ce qu'il se passera prochainement." + if_you_want_this: "Si vous êtes sûr de vous, saisissez votre mot de passe ci-dessous et cliquez sur 'Supprimer le compte'" + lock_username: "Votre nom d'utilisateur sera bloqué. Vous ne pourrez pas créer un nouveau compte sur ce pod avec le même ID." + locked_out: "Vous serez déconnecté et bloqué de votre compte jusqu'à sa suppression." + make_diaspora_better: "Nous aimerions beaucoup que vous restiez pour nous aider à améliorer diaspora* plutôt que de nous quitter. Toutefois, si c'est vraiment ce que vous souhaitez, voici ce qui va se passer à présent :" mr_wiggles: "Mr Wiggles sera triste de vous voir partir." - no_turning_back: "Pour l'instant, on ne peut pas revenir en arrière." - what_we_delete: "Nous supprimerons tous vos envois et les données de votre profil dès que possible. Vos commentaires resteront sur le site, mais seront associés à votre identifiant diaspora* plutôt qu'à votre nom.." + no_turning_back: "Il n'est pas possible de revenir en arrière ! Si vous êtes sûr de vous, saisissez votre mot de passe ci-dessous." + what_we_delete: "Nous supprimerons tous vos messages et toutes les données de votre profil dès que possible. Vos commentaires sur les messages d'autres gens resteront sur le site, mais seront associés à votre identifiant diaspora* plutôt qu'à votre nom." close_account_text: "Fermer le compte" - comment_on_post: "…quelqu'un commente votre publication ?" + comment_on_post: "…quelqu'un commente un de vos messages." current_password: "Mot de passe actuel" current_password_expl: "Celui avec lequel vous vous connectez ..." + download_export: "Télécharger mon profil" + download_export_photos: "Télécharger mes photos" download_photos: "télécharger mes photos" - download_xml: "télécharger mon XML" edit_account: "Modifier le compte" email_awaiting_confirmation: "Nous vous avons envoyé un lien d'activation à %{unconfirmed_email}. Jusqu'à ce que vous suiviez ce lien et activiez la nouvelle adresse, nous allons continuer à utiliser votre adresse originale %{email}." export_data: "Exporter des données" - following: "Paramètres de suivi" + export_in_progress: "Nous sommes en train de traiter vos données. Veuillez vérifier à nouveau l'avancement dans un moment." + export_photos_in_progress: "Nous sommes en train de traiter vos photos. Merci de revenir ici dans quelques instants." + following: "Paramètres de partage" getting_started: "Préférences de nouvel utilisateur" - liked: "... quelqu'un a épinglé votre message ?" - mentioned: "…vous êtes mentionné-e dans une publication ?" + last_exported_at: "(Dernière mise à jour à %{timestamp})" + liked: "…quelqu'un a aimé votre message." + mentioned: "…l'on vous mentionne dans un message." new_password: "Nouveau mot de passe" - photo_export_unavailable: "L'exportation des photos est actuellement indisponible" - private_message: "…vous recevez un message privé ?" + private_message: "…vous recevez un message privé." receive_email_notifications: "Recevoir des notifications par courrier électronique lorsque…" - reshared: "...quelqu'un a partagé votre message ?" - show_community_spotlight: "Afficher les actualités de la communauté dans votre flux ?" + request_export: "Demander mes données de profil" + request_export_photos: "Demander mes photos" + request_export_photos_update: "Rafraichir mes photos." + request_export_update: "Rafraîchir mes données de profil" + reshared: "…quelqu'un a repartagé votre message." + show_community_spotlight: "Afficher les actualités de la communauté dans votre flux" show_getting_started: "Réactiver la page de découverte" someone_reported: "Quelqu'un a signalé un message" - started_sharing: "... quelqu'un commence à partager avec vous ?" + started_sharing: "…quelqu'un commence à partager avec vous." stream_preferences: "Préférences du flux" your_email: "Votre adresse électronique" your_handle: "Votre identifiant diaspora*" getting_started: awesome_take_me_to_diaspora: "Impressionnant ! Guidez-moi vers diaspora*" - community_welcome: "La communauté Diaspora* est heureuse de vous avoir à bord !" - connect_to_facebook: "Nous pouvons accélerer un peu les choses en %{link} à Diaspora. Cela va importer votre nom et votre photo et activer l'écriture de messages entre les comptes." + community_welcome: "La communauté diaspora* est heureuse de vous avoir à son bord !" + connect_to_facebook: "Nous pouvons accélérer un peu les choses en %{link} à diaspora*. Cela importera vos nom et photo, et vous permettra de publier des messages sur plusieurs services à la fois." connect_to_facebook_link: "connectant votre compte Facebook" - hashtag_explanation: "Les tags vous permettent de parler de vos intérêts et de les suivre. Ils sont aussi un excellent moyen de rencontrer de nouvelles personnes sur Diaspora." + hashtag_explanation: "Les tags vous permettent de parler de vos centres d'intérêt et de suivre ce qui s'en dit. Ils sont aussi un excellent moyen de rencontrer de nouvelles personnes sur diaspora*." hashtag_suggestions: "Essayez de suivre des tags comme #art, #films, #french, etc." saved: "Sauvé !" well_hello_there: "Bienvenue !" @@ -1282,7 +1355,9 @@ fr: who_are_you: "Qui êtes-vous ?" privacy_settings: ignored_users: "Utilisateurs ignorés" + no_user_ignored_message: "Vous n'ignorez actuellement aucun autre utilisateur" stop_ignoring: "Arrêter d'ignorer" + strip_exif: "Retirer des images téléversées les métadonnées telles que lieu de prise, auteur et modèle d'appareil photo (recommandé)" title: "Paramètres de confidentialité" public: does_not_exist: "L'utilisateur %{username} n'existe pas !" diff --git a/config/locales/diaspora/fy.yml b/config/locales/diaspora/fy.yml index 665bf20ad..9ff896c3a 100644 --- a/config/locales/diaspora/fy.yml +++ b/config/locales/diaspora/fy.yml @@ -15,11 +15,8 @@ fy: are_you_sure: "Bisto wis?" aspects: edit: - done: "Klear" update: "fernij" updating: "fernije" - helper: - remove: "fuorthelje" index: diaspora_id: content_1: "Dyn Diaspora ID is:" @@ -40,8 +37,6 @@ fy: family: "Famylje" friends: "Freonen" work: "Wurk" - selected_contacts: - view_all_contacts: "Toan alle kontakten" back: "Tebek" cancel: "Annulearje" comments: @@ -51,16 +46,12 @@ fy: contacts: create: failure: "Koe gjin kontakt oanmeitsje" - few: "%{count} kontakten" index: - add_to_aspect_link: "kontakten tafoegje oan %{name}" all_contacts: "Alle Kontakten" title: "Kontakten" your_contacts: "Dyn Kontakten" - many: "%{count} kontakten" one: "1 kontakt" other: "%{count} kontakten" - two: "%{count} kontakten" zero: "kontakten" conversations: create: @@ -131,9 +122,7 @@ fy: password: "Wachtwurd" password_confirmation: "Wachtwurd konfirmaasje" people: - few: "%{count} minsken" one: "1 persoan" - two: "%{count} minsken" zero: "gjin minsken" previous: "foarrige" privacy: "Privacy" diff --git a/config/locales/diaspora/ga.yml b/config/locales/diaspora/ga.yml index 494ace06a..ff30fbb12 100644 --- a/config/locales/diaspora/ga.yml +++ b/config/locales/diaspora/ga.yml @@ -33,18 +33,12 @@ ga: are_you_sure: "An bhfuil tú cinnte?" are_you_sure_delete_account: "An bhfuil tú cinnte go dteastaíonn uait do chuntas a dhúnadh? Ní féidir é seo a chealaigh!" aspects: - aspect_contacts: - done_editing: "eagarthóireacht déanta" aspect_listings: edit_aspect: "%{name} a chur in eagar" edit: - done: "Déanta" rename: "athainmnigh" update: "uasdátaigh" updating: "nuashonrú" - few: "%{count} gnéithe" - helper: - remove: "bain" index: diaspora_id: heading: "ID Diaspora" @@ -55,7 +49,6 @@ ga: tag_feature: "gné" new_here: learn_more: "Breis eolais" - many: "%{count} gnéithe" new: create: "Cruthaigh" one: "gné amháin" @@ -64,24 +57,20 @@ ga: family: "Gaolmhara" friends: "Cháirde" work: "Obair" - two: "%{count} gnéithe" zero: "gan ghnéithe" back: "Ar ais" cancel: "Cealaigh" contacts: - few: "%{count} teagmhálacha" index: all_contacts: "Gach Teagmhálacha" community_spotlight: "Spotsolas Pobail" my_contacts: "Mo Theagmhálacha" title: "Teagmhálacha" your_contacts: "Do Theagmhálacha" - many: "%{count} teagmhálacha" one: "Teagmháil amháin" other: "%{count} teagmhálacha" spotlight: community_spotlight: "Spotsolas Pobail" - two: "%{count} teagmhálacha" zero: "teagmhálacha" conversations: index: @@ -143,8 +132,6 @@ ga: password: "Pasfhocal" password_confirmation: "Deimhniú pásfhocal" people: - few: "%{count} daoine" - many: "%{count} daoine" one: "duine amháin" other: "%{count} daoine" person: @@ -155,7 +142,6 @@ ga: location: "Suíomh" show: message: "Teachtaireacht" - two: "%{count} daoine" zero: "gan duine" photos: destroy: diff --git a/config/locales/diaspora/gd.yml b/config/locales/diaspora/gd.yml new file mode 100644 index 000000000..2d6532d39 --- /dev/null +++ b/config/locales/diaspora/gd.yml @@ -0,0 +1,300 @@ +# Copyright (c) 2010-2013, Diaspora Inc. This file is +# licensed under the Affero General Public License version 3 or later. See +# the COPYRIGHT file. + + + +gd: + _applications: "Prògraman" + _comments: "Beachdan" + _contacts: "Càirdean" + _help: "Cuideachadh" + _home: "Dachaigh" + _photos: "dealbhan" + _services: "Seirbheisean" + account: "Cunntas" + activerecord: + errors: + models: + person: + attributes: + diaspora_handle: + taken: "Tha seo clàraichte mar-thà." + user: + attributes: + email: + taken: "Tha seo clàraichte mar-thà." + person: + invalid: "Tha seo neo-bhrìgheil." + username: + invalid: "Tha seo neo-bhrìgheil. Chan fhaodar ach a-u, 0-9 agus _ a chleachdadh." + taken: "Tha seo clàraichte mar-thà." + admins: + admin_bar: + pages: "Duilleagan" + stats: + 2weeks: "Cola-deug" + daily: "Gu làitheil" + month: "Mìos" + usage_statistic: "Staitistigs Cleachdaidh" + week: "Seachdain" + ago: "o chionn %{time}" + are_you_sure: "A bheil thu cinnteach?" + are_you_sure_delete_account: "A bheil thu cinnteach gu bheil thu airson do chunntas a dhùnadh? Chan urrainn dhut seo atharradh!" + aspects: + aspect_listings: + deselect_all: "Na tagh na h-uile" + edit_aspect: "Deasaich %{name}" + select_all: "Tagh na h-uile" + edit: + update: "ùraich" + updating: "ag ùrachadh" + index: + diaspora_id: + content_1: "'S e seo an ID diaspora* agad:" + content_2: "Ma bheireas tu do chuideigin e, faodaidh iad gad lorg air diaspora*." + heading: "ID diaspora*" + help: + email_link: "Post-d" + feature_suggestion: "... a bheil thu airson %{link} a mholadh?" + find_a_bug: "... an do lorg thu %{link}?" + have_a_question: "... a bheil %{link} agad?" + tag_bug: "mearachd" + tag_feature: "comharra" + tag_question: "ceist" + services: + content: "Faodaidh tu ceangal a dhèanamh eadar diaspora* agus na sèirbheisean na leanas." + heading: "Dèan ceangal ri Sèirbheis" + welcome_to_diaspora: "Fàilte gu diaspora*, a %{name}!" + new: + create: "Dèan" + seed: + acquaintances: "Muinntireachd" + family: "Teaghlach" + friends: "Càirdean" + back: "Air ais" + cancel: "Sgùir" + comments: + new_comment: + comment: "Thoir beachd air" + commenting: "a' toirt beachd air..." + one: "1 bheachd" + other: "%{count} beachdan" + zero: "Gun bheachd" + contacts: + index: + all_contacts: "Càirdean gu lèir" + my_contacts: "Mo Chàirdean" + no_contacts_message: "Thoir sùil air %{community_spotlight}" + title: "Càirdean" + your_contacts: "Do Chàirdean" + one: "1 chàraid" + other: "%{count} càirdean" + zero: "càirdean" + conversations: + create: + fail: "Teachdaireachd neo-bhrìgheil" + helper: + new_messages: + one: "1 theachdaireachd ùr" + other: "%{count} teachdaireachdan ùra" + zero: "0 teachdaireachd ùr" + new: + send: "Cuir" + sending: "a' cur..." + subject: "cuspair" + to: "gu" + show: + reply: "freagair" + replying: "a' freagairt..." + date: + formats: + birthday: "" + birthday_with_year: "" + fullmonth_day: "" + delete: "Dubh às" + email: "Post-d" + fill_me_out: "Lìon a-steach" + find_people: "Rannsaich airson daoine no #tagaichean" + help: + irc: "" + markdown: "" + private_posts: + title: "Brathan prìobhaideachd" + public_posts: + title: "Brathan poblach" + wiki: "" + hide: "Falaich" + invitations: + new: + language: "Cànan" + resend: "Cuir a-rithist" + to: "Gu" + layouts: + application: + powered_by: "a' ruith air diaspora*" + whats_new: "dè tha dol?" + header: + admin: "riaghladh" + blog: "blog" + login: "log a-steach" + logout: "Log a-mach" + profile: "Profaidhl" + settings: "Roghainnean" + limited: "Earranta" + more: "Tuilleadh" + next: "air adhart" + notifications: + index: + and: "agus" + post: "brath" + private_message: + one: "Tha %{actors} air teachdaireachd a chur thugad." + other: "Tha %{actors} air teachdaireachd a chur thugad." + zero: "Tha %{actors} air teachdaireachd a chur thugad." + notifier: + a_post_you_shared: "brath." + click_here: "cliog an seo" + comment_on_post: + reply: "Thoir sùil air no sgrìobh freagairt ris a' bhrath a sgrìobh %{name} >" + hello: "Halò a %{name}!" + invite: + message: |- + Halo! + + Fhuair thu cuireadh gus gabhail ann an diaspora*! + + Cliog air a' cheangal seo airson tòiseachadh + + [%{invite_url}][1] + + + Dùrachdan, + + An robot diaspora! + + [1]: %{invite_url} + liked: + liked: "Tha do brath còrdadh ri %{name}" + view_post: "Seall air a' bhrath >" + mentioned: + mentioned: "air iomradh a thoirt ort ann am brath:" + subject: "Thug %{name} iomradh ort air diaspora*" + private_message: + reply_to_or_view: "Seall air a' bhrath seo no cuir freagairt ris >" + reshared: + reshared: "Tha %{name} air do bhrath a sgaoileadh" + view_post: "Seall air a' bhrath >" + started_sharing: + view_profile: "Thoir sùil air profaidhl %{name}" + thanks: "Tapadh leat," + ok: "Ceart ma-thà" + or: "no" + password: "Facal-faire" + password_confirmation: "Dearbh d' fhacal-faire" + people: + index: + no_results: "Haidh! Feumaidh tu rannsachadh airson rudeigin." + one: "duine" + person: + already_connected: "Ceangailte mar-thà" + pending_request: "Iarrtas a' feitheamh ri dearbhadh" + thats_you: "'S tusa a th' ann!" + profile_sidebar: + born: "Co-là-breith" + edit_my_profile: "Deasaich mo phrofaidhl" + gender: "Gnè" + photos: "Dealbhan" + show: + closed_account: "Tha an cunntas seo dùinte." + mention: "Thoir iomradh air" + message: "Cuir brath" + sub_header: + edit: "deasaich" + photos: + edit: + editing: "Deasachadh" + new: + new_photo: "Dealbh ùr" + show: + edit: "deasaich" + posts: + show: + destroy: "Dubh às" + previous: "air ais" + privacy: "Prìobhaideachd" + privacy_policy: "Poileasaidh Prìobhaideachd" + profile: "Profaidhl" + profiles: + edit: + allow_search: "Am faod daoine rannsachadh air do shon air diaspora*" + edit_profile: "Deasaich profaidhl" + first_name: "D' ainm-baistidh" + last_name: "Do sloinneadh" + update_profile: "Ùraich profaidhl" + your_bio: "Mud dheidhinn" + your_birthday: "Co-là-breith agad" + your_gender: "Do ghnè" + your_location: "Cò às a tha thu?" + your_name: "D' ainm" + your_photo: "Do dhealbh" + your_tags: "Còig faclan a' toirt iomradh ort" + your_tags_placeholder: "mar eisimpleir #filmichean #piseagan #siubhal #tidsear #eabhraignuadh" + update: + updated: "Profaidhl air ùrachadh" + public: "Poblach" + registrations: + edit: + cancel_my_account: "Dùin mo chunntas" + edit: "Deasaich %{name}" + unhappy: "Mì-thoilichte?" + update: "Ùraich" + new: + create_my_account: "Cruthaich mo chunntas!" + email: "POST-D" + enter_email: "Cuir a-steach seòladh post-d" + enter_password: "Tagh facal-faire (co-dhiù sia litrichean)" + enter_password_again: "Sgrìobh am facal-faire a-rithist" + enter_username: "Tagh ainm-cleachdadh (a-u, 0-9 agus _ a-mhàin)" + join_the_movement: "Gabh anns an iomairt!" + password: "FACAL-FAIRE" + sign_up: "CLÀRAICH" + username: "AINM-CLEACHDAIDH" + requests: + create: + sending: "a' cur" + new_request_to_person: + sent: "air a chur!" + search: "Rannsaich" + services: + index: + connect_to_facebook: "Dèan ceangal ri Facebook" + connect_to_tumblr: "Dèan ceangal ri Tumblr" + connect_to_twitter: "Dèan ceangal ri Twitter" + edit_services: "Deasaich sèirbheisean" + remote_friend: + resend: "cuir a-rithist" + settings: "Roghainnean" + shared: + add_contact: + diaspora_handle: "" + public_explain: + atom_feed: "" + share: "Sgaoil" + publisher: + preview: "Ro-shealladh" + share: "Sgaoil" + reshare: + reshare: "Sgaoil" + terms_and_conditions: "Cùmhnantan" + username: "Ainm-cleachdaidh" + users: + edit: + change: "Atharraich" + edit_account: "Deasaich cunntas" + following: "Roghainnean sgaoilidh" + your_email: "Do phost-d" + your_handle: "ID diaspora* agad" + privacy_settings: + title: "Roghainnean Prìobhaideachd" + welcome: "Fàilte!" \ No newline at end of file diff --git a/config/locales/diaspora/gl.yml b/config/locales/diaspora/gl.yml index c9e24a0b1..7430d4836 100644 --- a/config/locales/diaspora/gl.yml +++ b/config/locales/diaspora/gl.yml @@ -45,6 +45,7 @@ gl: no_results: "Non se atopou nada." _contacts: "Contactos" welcome: "Benvido!" + _terms: "termos" activerecord: @@ -179,6 +180,7 @@ gl: contacts_visible: "Os contactos deste aspecto poderán verse os uns aos outros." contacts_not_visible: "Os contactos deste aspecto non poderán verse os uns aos outros." edit: + grant_contacts_chat_privilege: "Permitir aos contactos do aspecto conversar con vostede?" make_aspect_list_visible: "Deixar que os contactos deste aspecto vexan a lista de membros?" remove_aspect: "Eliminar o aspecto" confirm_remove_aspect: "Está seguro de que quere eliminar este aspecto?" @@ -189,6 +191,8 @@ gl: rename: "Renomear" aspect_list_is_visible: "Os contactos do aspecto poden ver a lista dos membros." aspect_list_is_not_visible: "Os contactos do aspecto non poden ver a lista dos membros." + aspect_chat_is_enabled: "Os contactos do aspecto poden conversar con vostede." + aspect_chat_is_not_enabled: "Os contactos do aspecto non poden conversar con vostede." update: "Actualizar" updating: "Actualizando…" aspect_contacts: @@ -336,8 +340,10 @@ gl: my_contacts: "Contactos" all_contacts: "Todos os contactos" only_sharing_with_me: "Só eles comparten" - remove_person_from_aspect: "Eliminar a %{person_name} de «%{aspect_name}»" + add_contact: "Engadir un contacto" + remove_contact: "Retirar o contacto" many_people_are_you_sure: "Está seguro de que quere iniciar unha conversa privada con máis de %{suggested_limit} contactos? Para comunicarse con eles, quizais sexa mellor publicar neste aspecto." + user_search: "Busca de usuarios" spotlight: community_spotlight: "Estrelas da comunidade" suggest_member: "Suxerir un membro" @@ -559,6 +565,14 @@ gl: people_tag_page_a: "Trátase de persoas que teñen a etiqueta na lista de etiquetas coas que se describen no seu perfil público." filter_tags_q: "Como podo filtrar ou excluír algunha etiqueta da miña onda?" filter_tags_a: "Iso aínda non pode facerse directamente a través de diaspora*, aínda que existen algunhas %{third_party_tools} que poderían dispoñer desta funcionalidade." + keyboard_shortcuts: + keyboard_shortcuts_q: "Que atallos de teclado hai dispoñíbeis?" + keyboard_shortcuts_a1: "Na vista da onda pode usar os seguintes atallos:" + keyboard_shortcuts_li1: "j — Ir á seguinte publicación" + keyboard_shortcuts_li2: "k — Volver á publicación anterior" + keyboard_shortcuts_li3: "c — Deixar un comentario na publicación actual" + keyboard_shortcuts_li4: "l — Indicar que lle gusta a publicación actual" + title: "Atallos de teclado" miscellaneous: title: "Outras" back_to_top_q: "Existe algún xeito de volver rapidamente á parte superior dunha páxina despois de baixar?" @@ -694,6 +708,7 @@ gl: index: notifications: "Notificacións" mark_all_as_read: "Marcalas todas como lidas" + mark_all_shown_as_read: "Marcas todas as mostradas como lidas" mark_read: "Marcar como lido" mark_unread: "Marcar como non lido" show_all: "Mostralo todo" @@ -782,6 +797,22 @@ gl: O robot do correo de diaspora* [1]: %{invite_url} + remove_old_user: + subject: "A súa conta de diaspora* marcouse para a súa eliminación por inactividade" + body: |- + Ola, + + Parece que perdeu interese na súa conta de %{pod_url}, leva %{after_days} días sen usala. Para que os usuarios activos do servidor teñan acceso a máis recursos, gustaríanos eliminar calquera conta non desexada da nosa base de datos. + + Encantaríanos que vostede continuase a formar parte da comunidade de diaspora*, e se quere manter a conta será benvido. + + Para non perder a conta, non ten máis que acceder ao servidor coa conta antes de %{remove_after}. Ao acceder, aproveite para botar un ollo a diaspora*. Cambiou moito desde a súa última visita, e pensamos que as melloras que fixemos han encherlle o ollo. Siga algunhas #etiquetas para atopar contidos que lle interesen. + + Pode acceder ao sitio desde: %{login_url}. Se esqueceu os seus datos de acceso, pode solicitar recuperalos desde a mesma páxina. + + Esperamos volvelo ver axiña, + + O robot de correo electrónico de diaspora*! people: zero: "ninguén." one: "unha persoa." @@ -956,6 +987,8 @@ gl: password: "Contrasinal" continue: "Continuar" submitting: "Enviando…" + terms: "Ao crear unha conta estás a aceptar as %{terms_link}." + terms_link: "condicións do servizo" create: success: "Xa está en diaspora*!" edit: @@ -1138,10 +1171,7 @@ gl: no_message_to_display: "Non hai mensaxes que amosar." destroy: failure: "Non foi posíbel eliminar a publicación." - too_long: - zero: "As súas mensaxes de estado non poden ter ningún carácter. Curioso, va que si?" - one: "As súas mensaxes de estado non poden ter máis dun carácter. Elíxao ben!" - other: "As súas mensaxes de estado non poden ter máis de %{count} caracteres." + too_long: "A súa mensaxes de estado non pode ter máis de %{count} caracteres. Agora mesmo contén %{current_length} caracteres." stream_helper: show_comments: @@ -1149,6 +1179,8 @@ gl: one: "Amosar o comentario que falta" other: "Amosar %{count} comentarios máis" hide_comments: "Ocultar os comentarios" + no_more_posts: "Chegou ao final da súa onda." + no_posts_yet: "Aínda non hai publicacións." tags: show: @@ -1259,18 +1291,19 @@ gl: close_account: dont_go: "Non marche, por favor!" - make_diaspora_better: "Queremos que nos axude a mellorar diaspora*, así que debería axudar en vez de marchar. Pero se vai marchar, queremos que saiba o que lle espera." + make_diaspora_better: "Gustaríanos que quedase e nos axudase a mellorar diaspora* en vez de marchar. Pero se de verdade quere marchar, isto será o que suceda a continuación:" mr_wiggles: 'Botarémolo de menos.' - what_we_delete: "Eliminaranse as súas publicacións e datos do perfil canto antes. Os seus comentarios seguirán por aí, pero pasarán a estar asociados co seu identificador de diaspora* en lugar do seu nome." - locked_out: "Pecharase a súas sesión e non poderá volver entrar coa súa conta." - lock_username: "Se lle entra a morriña, non poderá volver empregar o seu usuario." - no_turning_back: "De momento, non hai xeito de volver atrás." + what_we_delete: "Eliminaranse as súas publicacións e datos do perfil canto antes. Os seus comentarios nas publicacións de terceiros seguirán aparecendo, pero pasarán a estar asociados co seu identificador de diaspora* en lugar do seu nome." + locked_out: "Pecharase a súas sesión e non poderá volver entrar coa súa conta ata que se elimine." + lock_username: "Bloquearase o seu usuario, e non poderá volver a crear unha conta no mesmo servidor co mesmo identificador." + no_turning_back: "Non hai volta atrás! Se está seguro, introduza o seu contrasinal a continuación." if_you_want_this: "Se está seguro de que isto é o que quere, escriba o seu contrasinal a continuación e prema o botón de «Pechar a conta»." privacy_settings: title: "Configuración da intimidade" ignored_users: "Usuarios ignorados" stop_ignoring: "Deixar de ignorar" + no_user_ignored_message: "De momento non está a ignorar ningún usuario" destroy: success: "Bloqueouse a súa conta. Pode levar ata 20 minutos pechala completamente. Grazas por darlle unha oportunidade a diaspora*." diff --git a/config/locales/diaspora/he.yml b/config/locales/diaspora/he.yml index c479a7bcc..0d96e7878 100644 --- a/config/locales/diaspora/he.yml +++ b/config/locales/diaspora/he.yml @@ -122,8 +122,6 @@ he: add_to_aspect: failure: "אירע כשל בהוספת איש הקשר להיבט." success: "איש הקשר נוסף בהצלחה להיבט." - aspect_contacts: - done_editing: "סיום עריכה" aspect_listings: add_an_aspect: "+ הוספת היבט" deselect_all: "ביטול בחירה" @@ -142,23 +140,15 @@ he: failure: "%{name} אינו ריק ולא ניתן להסירו" success: "%{name} הוסר בהצלחה." edit: - add_existing: "הוספת איש קשר קיים" aspect_list_is_not_visible: "אנשי הקשר בהיבט זה אינם יכולים לראות זה את זה." aspect_list_is_visible: "אנשי הקשר בהיבט זה יכולים לראות זה את זה." confirm_remove_aspect: "האם אתם בטוחים שברצונכם למחוק היבט זה?" - done: "בוצע" make_aspect_list_visible: "לאפשר לאנשי הקשר בהיבט זה לראות זה את זה?" - manage: "ניהול" remove_aspect: "מחיקת היבט זה" rename: "שינוי שם" set_visibility: "קביעת נראות" update: "עדכון" updating: "בעדכון" - few: "%{count} היבטים" - helper: - are_you_sure: "האם אכן ברצונך למחוק היבט זה?" - aspect_not_empty: "ההיבט אינו ריק" - remove: "הסרה" index: diaspora_id: content_1: "המזהה שלך בדיאספורה* הוא:" @@ -199,11 +189,6 @@ he: heading: "קישור שירותים" unfollow_tag: "הפסקת עקיבה אחרי #%{tag}" welcome_to_diaspora: "ברוך בואך לדיאספורה*, %{name}!" - many: "%{count} היבטים" - move_contact: - error: "שגיאה בהעברת איש הקשר: %{inspect}" - failure: "אירע כשל - %{inspect}" - success: "איש הקשר הועבר להיבט חדש" new: create: "יצירה" name: "שם (מופיע בפניך בלבד)" @@ -221,14 +206,6 @@ he: family: "משפחה" friends: "חברים" work: "עבודה" - selected_contacts: - manage_your_aspects: "ניהול ההיבטים שלך." - no_contacts: "אין לך עדיין אנשי קשר כאן." - view_all_community_spotlight: "הצגת כל הפרסומים החשובים בקהילה" - view_all_contacts: "הצגת כל אנשי הקשר" - show: - edit_aspect: "עריכת היבט" - two: "%{count} היבטים" update: failure: "ההיבט שלך, %{name}, לא נשמר מכיוון שהשם שלו היה ארוך מדי." success: "ההיבט שלך, %{name}, נערך בהצלחה." @@ -248,36 +225,27 @@ he: post_success: "פורסם! נסגר!" cancel: "ביטול" comments: - few: "%{count} תגובות" - many: "%{count} תגובות" new_comment: comment: "תגובה" commenting: "התגובה נשלחת..." one: "תגובה אחת" other: "%{count} תגובות" - two: "%{count} תגובות" zero: "אין תגובות" contacts: create: failure: "אירע כשל ביצירת איש קשר" - few: "%{count} אנשי קשר" index: add_a_new_aspect: "הוספת היבט חדש" add_to_aspect: "הוספת אנשי קשר ל-%{name}" - add_to_aspect_link: "הוספת אנשי קשר ל-%{name}" all_contacts: "כל אנשי הקשר" community_spotlight: "פרסומים חשובים בקהילה" - many_people_are_you_sure: "האם אכן ברצונך לפתוח בשיחה פרטית עם למעלה מ־%{suggested_limit} אנשי קשר? פרסום הודעה להיבט זה עשוי להיות דרך טובה יותר ליצירת קשר אתם." my_contacts: "אנשי הקשר שלי" no_contacts: "נראה שכדאי לך להוסיף עוד קצת אנשי קשר!" no_contacts_message: "כדאי לבדוק %{community_spotlight}" - no_contacts_message_with_aspect: "כדאי לבדוק %{community_spotlight} או %{add_to_aspect_link}" only_sharing_with_me: "רק אלו המשתפים אתי" - remove_person_from_aspect: "הסרת %{person_name} מההיבט \"%{aspect_name}\"" start_a_conversation: "התחלת שיחה" title: "אנשי קשר" your_contacts: "אנשי הקשר שלך" - many: "%{count} אנשי קשר" one: "איש קשר אחד" other: "%{count} אנשי קשר" sharing: @@ -285,7 +253,6 @@ he: spotlight: community_spotlight: "פרסומים חשובים בקהילה" suggest_member: "המלצה על חבר" - two: "%{count} אנשי קשר" zero: "אנשי קשר" conversations: conversation: @@ -294,8 +261,6 @@ he: fail: "הודעה שגויה" no_contact: "הי, יש להוסיף את איש הקשר קודם!" sent: "ההודעה נשלחה" - destroy: - success: "השיחה הוסרה בהצלחה" helper: new_messages: few: "%{count} הודעות חדשות" @@ -365,6 +330,10 @@ he: getting_started_tutorial: "סדרת מדריכים למתחילים" here: "כאן" irc: "IRC" + mentions: + mention_in_comment_a: "לא, לא כרגע." + mention_in_comment_q: "האם אני יכול להזכיר מישהו בהערה?" + see_mentions_q: "האם יש דרך לראות פוסטים שבהם אני מוזכר?" third_party_tools: "כלים צד שלישי" tutorial: "מדריך" tutorials: "מדריכים" @@ -574,7 +543,6 @@ he: add_contact_from_tag: "הוספת איש קשר מתגית" aspect_list: edit_membership: "עריכת חברות בהיבט" - few: "%{count} אנשים" helper: is_not_sharing: "%{name} לא משתף/ת איתך" is_sharing: "%{name} משתף/ת איתך" @@ -588,7 +556,6 @@ he: search_handle: "השתמשו במזהה דיאספורה* (username@pod.tld) כדי להיות בטוחים שתמצאו את חבריכם." searching: "החיפוש מתבצע, נא להמתין בסבלנות..." send_invite: "עדיין לא מצאתם? שלחו הזמנה!" - many: "%{count} אנשים" one: "אדם אחד" other: "%{count} אנשים" person: @@ -625,7 +592,6 @@ he: add_some: "הוספת כמה" edit: "עריכה" you_have_no_tags: "אין לך תגיות כלל!" - two: "%{count} אנשים" webfinger: fail: "מצטערים, לא ניתן למצוא את %{handle}." zero: "אין אנשים" @@ -720,15 +686,12 @@ he: update: "עדכון" invalid_invite: "הקישור להזמנה שסיפקת אינו תקף יותר!" new: - continue: "המשך" create_my_account: "יצירת החשבון שלי" - diaspora: "<3 דיאספורה*" email: דוא"ל enter_email: "נא להזין כתובת דוא״ל" enter_password: "הזינו סיסמה (שישה תווים לפחות)" enter_password_again: "יש להזין את אותה הסיסמה כמקודם" enter_username: "נא לבחור שם משתמש (אותיות, מספרים וקווים תחתונים בלבד)" - hey_make: "שלום,
בואו
לשנות." join_the_movement: "צרפו אותי!" password: "סיסמה" password_confirmation: "אימות סיסמה" @@ -912,10 +875,7 @@ he: no_message_to_display: "אין הודעה להצגה." new: mentioning: "אזכור: %{person}" - too_long: - one: "נא לקצר את הודעות הסטטוס שלך לפחות מתו אחד" - other: "נא לקצר את הודעות הסטטוס שלך לפחות מ-%{count} תווים" - zero: "נא לקצר את הודעות הסטטוס שלך לפחות מ-%{count} תווים" + too_long: "{\"one\"=>\"נא לקצר את הודעות הסטטוס שלך לפחות מתו אחד\", \"other\"=>\"נא לקצר את הודעות הסטטוס שלך לפחות מ-%{count} תווים\", \"zero\"=>\"נא לקצר את הודעות הסטטוס שלך לפחות מ-%{count} תווים\"}" stream_helper: hide_comments: "הסתרת כל התגובות" show_comments: @@ -953,7 +913,6 @@ he: title: "פעילות ציבורית" tags: contacts_title: "אנשים ששותפים לתגית הזו" - tag_prefill_text: "העניין ב-%{tag_name} הוא... " title: "הודעות שתויגו: %{tags}" tag_followings: create: @@ -966,15 +925,8 @@ he: tags: show: follow: "עקיבה אחר #%{tag}" - followed_by_people: - one: "נעקבת על ידי מישהו אחד" - other: "נקעבת על ידי %{count} אנשים" - zero: "לא נעקב על ידי איש" following: "במעקב אחר #%{tag}" - nobody_talking: "אף אחד עדיין לא פרסם על %{tag}." none: "התגית הריקה לא קיימת!" - people_tagged_with: "אנשים המתויגים כ-%{tag}" - posts_tagged_with: "הודעות המתויגות עם #%{tag}" stop_following: "הפסקת עקיבה אחר #%{tag}" terms_and_conditions: "תנאי שימוש" undo: "האם לבטל?" @@ -1012,7 +964,6 @@ he: current_password: "סיסמה נוכחית" current_password_expl: "זאת המשמשת לכניסה..." download_photos: "הורדת התמונות שלי" - download_xml: "הורדת ה-xml שלי" edit_account: "עריכת חשבון" email_awaiting_confirmation: "שלחנו קישור הפעלה לכתובת %{unconfirmed_email}. עד שתעקבו אחר קישור זה ותפעילו את הכתובת החדשה, אנו נמשיך להשתמש בכתובת המקורית: %{email}." export_data: "יצוא המידע שלך" @@ -1021,7 +972,6 @@ he: liked: "...מישהו אהב הודעה שלך?" mentioned: "...מישהו הזכיר אותך בהודעה?" new_password: "סיסמה חדשה" - photo_export_unavailable: "לא ניתן לייצא תמונות כרגע" private_message: "...קיבלת הודעה פרטית?" receive_email_notifications: "ברצונך לקבל התראות בדוא״ל כאשר..." reshared: "...מישהו משתף מחדש הודעה שלך?" diff --git a/config/locales/diaspora/hi.yml b/config/locales/diaspora/hi.yml index 09145f86e..5715ccba3 100644 --- a/config/locales/diaspora/hi.yml +++ b/config/locales/diaspora/hi.yml @@ -11,8 +11,6 @@ hi: helper: unknown_person: "अजनबी" aspects: - edit: - add_existing: "मौजूदा संपर्क जोड़ें" index: help: tag_question: "प्रश्न" diff --git a/config/locales/diaspora/hu.yml b/config/locales/diaspora/hu.yml index ac0f71a43..64c94b220 100644 --- a/config/locales/diaspora/hu.yml +++ b/config/locales/diaspora/hu.yml @@ -128,8 +128,6 @@ hu: add_to_aspect: failure: "A kapcsolatot nem sikerült felvenni a csoportba." success: "A kapcsolat hozzáadva a csoporthoz." - aspect_contacts: - done_editing: "szerkesztés kész" aspect_listings: add_an_aspect: "+ Új csoport" deselect_all: "Kijelölések törlése" @@ -148,23 +146,18 @@ hu: failure: "%{name} nem üres, így nem lehet törölni." success: "%{name} csoport sikeresen törölve." edit: - add_existing: "Létező kapcsolat hozzáadása" + aspect_chat_is_enabled: "A csoport tagjai beszélgethetnek veled." + aspect_chat_is_not_enabled: "A csoport tagjai nem beszélgethetnek veled." aspect_list_is_not_visible: "csoportlista rejtett a csoporttagok számára" aspect_list_is_visible: "csoportlista látható a csoporttagok számára" confirm_remove_aspect: "Biztos, hogy törölni akarod a csoportot?" - done: "Kész" + grant_contacts_chat_privilege: "feljogosítod a csoport tagjait, hogy beszélgethessenek veled?" make_aspect_list_visible: "a csoporttagok láthatják egymást" - manage: "Szerkesztés" remove_aspect: "Csoport törlése" rename: "átnevezés" set_visibility: "Láthatóság beállítása" update: "frissítés" updating: "frissítés" - few: "%{count} csoport" - helper: - are_you_sure: "Biztos, hogy törlöd a csoportot?" - aspect_not_empty: "A csoport nem üres" - remove: "eltávolítás" index: diaspora_id: content_1: "A te diaspora* azonosítód:" @@ -205,11 +198,6 @@ hu: heading: "Összekapcsolt szolgáltatások" unfollow_tag: "Követés leállítása #%{tag}" welcome_to_diaspora: "Üdv a diaspora* közösségi oldalon, %{name}!" - many: "%{count} csoport" - move_contact: - error: "Hiba a kapcsolat mozgatásakor: %{inspect}" - failure: "nem működött: %{inspect}" - success: "Más csoportba tett téged." new: create: "Létrehoz" name: "Név" @@ -227,14 +215,6 @@ hu: family: "Család" friends: "Barátok" work: "Munka" - selected_contacts: - manage_your_aspects: "Csoportok kezelése" - no_contacts: "Itt még nincs ismerősöd." - view_all_community_spotlight: "Minden figyelem középpontjában lévő tartalom" - view_all_contacts: "Összes kapcsolat" - show: - edit_aspect: "csoport szerkesztése" - two: "%{count} csoport" update: failure: "A %{name} nevű csoportodnak túl hosszú a neve." success: "%{name} csoport szerkesztve." @@ -254,36 +234,30 @@ hu: post_success: "Elküldve! Bezárás!" cancel: "Mégsem" comments: - few: "%{count} hozzászólás" - many: "%{count} hozzászólás" new_comment: comment: "Hozzászólás" commenting: "Hozzászólok.." one: "1 hozzászólás" other: "%{count} hozzászólás" - two: "%{count} hozzászólás" zero: "nincs hozzászólás" contacts: create: failure: "Kapcsolat létrehozása sikertelen" - few: "%{count} ismerős" index: add_a_new_aspect: "Új csoport" + add_contact: "Ismerős hozzáadása" add_to_aspect: "Kapcsolatok hozzáadása %{name}" - add_to_aspect_link: "ismerősök hozzáadása: %{name}" all_contacts: "Összes ismerős" community_spotlight: "A figyelem középpontjában" - many_people_are_you_sure: "Biztos, hogy magánbeszélgetést akarsz kezdeményezni több mint %{suggested_limit} személlyel? Talán jobb lenne, ha bejegyzést írnál ennek a csoportnak." my_contacts: "Kapcsolataim" no_contacts: "Nincs ismerősöd." no_contacts_message: "Tekintsd meg %{community_spotlight} álló népszerű tagokat" - no_contacts_message_with_aspect: "Tekintsd meg %{community_spotlight} álló népszerű közösségi tagokat vagy lehetőségedben áll még %{add_to_aspect_link}" only_sharing_with_me: "Követők" - remove_person_from_aspect: "%{person_name} eltávolítása a(z) \"%{aspect_name}\" csoportból." + remove_contact: "Ismerős eltávolítása" start_a_conversation: "Beszélgetés indítása" title: "Ismerősök" + user_search: "Felhasználó keresése" your_contacts: "Ismerőseid" - many: "%{count} ismerős" one: "1 ismerős" other: "%{count} ismerős" sharing: @@ -291,7 +265,6 @@ hu: spotlight: community_spotlight: "A figyelem középpontjában" suggest_member: "Javasolj egy tagot" - two: "%{count} ismerős" zero: "nincs ismerős" conversations: conversation: @@ -300,8 +273,6 @@ hu: fail: "Érvénytelen üzenet" no_contact: "Hé, először kapcsolatot kell hozzáadnod!" sent: "Üzenet elküldve" - destroy: - success: "Üzenetváltás sikeresen eltávolítva" helper: new_messages: few: "%{count} új üzenet" @@ -326,7 +297,7 @@ hu: new_conversation: fail: "Érvénytelen üzenet" show: - delete: "beszélgetés törlése és blokkolása" + delete: "beszélgetés törlése" reply: "válasz" replying: "Válaszolás..." date: @@ -649,6 +620,26 @@ hu: click_link: "Ahhoz, hogy aktiváld az új email címedet (%{unconfirmed_email}), kattints erre a linkre:" subject: "Kérlek aktiváld az új email címedet: %{unconfirmed_email}" email_sent_by_diaspora: "Ezt az emailt a %{pod_name} küldte. Ha nem szeretnél ilyen leveleket kapni," + export_photos_email: + body: |- + Szia %{name}, + + A képeidet feldolgoztuk és immár letölthetőek a következő címen: %{url}. + + Üdv, + + A diaspora* üzenetküldő automatája. + subject: "A képeid letölthetőek, %{name}" + export_photos_failure_email: + body: |- + Szia %{name}, + + Hiba lépett fel a képeid letöltéshez való előkészítése során. Kérlek próbáld meg újra! + + Elnézésedet kérjük, + + A diaspora* üzenetküldő automatája. + subject: "Gond adódott a képeiddel kapcsolatban, %{name}" hello: "Szia %{name}!" invite: message: |- @@ -719,7 +710,6 @@ hu: add_contact_from_tag: "ismerős hozzáadása címkéből" aspect_list: edit_membership: "csoport tagság szerkesztése" - few: "%{count} személy" helper: is_not_sharing: "%{name} nem oszt meg veled tartalmakat" is_sharing: "%{name} megoszt veled" @@ -733,7 +723,6 @@ hu: search_handle: "Hogy biztosan megtaláld a barátaidat, használd a diaspora azonosítójukat (felhasználónév@pod.tld)." searching: "keresés folyamatban, légy türelmes..." send_invite: "Még mindig semmi? Küldj meghívót!" - many: "%{count} személy" one: "1 személy" other: "%{count} személy" person: @@ -770,7 +759,6 @@ hu: add_some: "adj hozzá néhányat" edit: "szerkesztés" you_have_no_tags: "nincs címkéd!" - two: "%{count} ember" webfinger: fail: "Sajnáljuk, de nem találjuk őt: %{handle}." zero: "senki" @@ -867,15 +855,12 @@ hu: update: "Frissítés" invalid_invite: "Ez a meghívó többé nem érvényes!" new: - continue: "tovább" create_my_account: "Fiók létrehozása!" - diaspora: "Diaspora*" email: "E-MAIL" enter_email: "Írd be az e-mail címed" enter_password: "Adj meg egy jelszót (legalább hat karakterből álljon)" enter_password_again: "Ugyanazt a jelszót írd amit az előbb" enter_username: "Válassz egy felhasználónevet (csak angol betű, szám és aláhúzás megengedett)" - hey_make: "GYERÜNK,
KEZDJ
BELE!" join_the_movement: "Csatlakozz!" password: "JELSZÓ" password_confirmation: "JELSZÓ MEGERŐSÍTÉS" @@ -887,7 +872,7 @@ hu: comment_label: "Hozzászólás:
%{data}" confirm_deletion: "Biztosan törölni akarod ezt az elemet?" delete_link: "Elem törlése" - not_found: "A bejegyzés/hozzászólás nem található, valószínűleg törölte a felhasználó." + not_found: "A bejegyzés/hozzászólás nem található. Valószínűleg törölte a felhasználó." post_label: "Bejegyzés: %{title}" reason_label: "Indok: %{text}" reported_label: "Jelentette: %{person}" @@ -1080,11 +1065,11 @@ hu: no_message_to_display: "Nincs üzenet." new: mentioning: "Megemlít: %{person}" - too_long: - other: "Rövidíts. Az állapotfrissítésed hossza nem lehet több %{count} leütésnél" - zero: "Rövidíts. Az állapotfrissítésed hossza nem lehet több %{count} leütésnél" + too_long: "Rövidíts. Az állapotfrissítésed nem lehet hosszabb %{count} leütésnél. Jelenleg %{current_length} karakterből áll" stream_helper: hide_comments: "hozzászólások elrejtése" + no_more_posts: "Elérted a hírfolyam végét." + no_posts_yet: "Még nincsenek bejegyzések." show_comments: few: "Még %{count} hozzászólás megtekintése" many: "Még %{count} hozzászólás megtekintése" @@ -1119,11 +1104,10 @@ hu: contacts_title: "Személyek a Hírfolyamodban" title: "Hírfolyam" public: - contacts_title: "Friss poszterek" + contacts_title: "Legújabb szerzők" title: "Nyilvános tevékenység" tags: contacts_title: "Emberek, akik ezeket a címkéket követik" - tag_prefill_text: "%{tag_name} témával kapcsolatban csak annyit, hogy... " title: "Bejegyzés megjelölve: %{tags}" tag_followings: create: @@ -1136,14 +1120,8 @@ hu: tags: show: follow: "Címke követése" - followed_by_people: - other: "%{count} ember követi" - zero: "senki sem követi" following: "#%{tag} követve" - nobody_talking: "Senki nem beszélt még erről: %{tag}." none: "Az üres címke nem létezik!" - people_tagged_with: "Személy felcímkézve: %{tag}" - posts_tagged_with: "Bejegyzések felcímkézve: #%{tag}" stop_following: "Címke-követés leállítása #%{tag}" terms_and_conditions: "Felhasználási feltételek" undo: "Visszavonod?" @@ -1154,7 +1132,7 @@ hu: email_not_confirmed: "Email cím aktiválása sikertelen. Rossz a link?" destroy: no_password: "Add meg a jelszavad, hogy megszüntesd a fiókod." - success: "A fiókod le van zárva. Húsz percbe is beletelhet, mire befejezzük a fiókod törlését. Köszönjük, hogy kipróbáltad a diaspora* közösségi oldalt." + success: "A fiókodat lezártuk. Húsz percbe is beletelhet, mire befejezzük a fiókod törlését. Köszönjük, hogy kipróbáltad a diaspora* közösségi oldalt." wrong_password: "A megadott jelszó nem felel meg." edit: also_commented: "más is hozzászólt az ismerősöd bejegyzéséhez?" @@ -1167,30 +1145,31 @@ hu: character_minimum_expl: "legalább hat karakter legyen" close_account: dont_go: "Hé, kérlek ne menj!" - if_you_want_this: "Ha tényleg ezt akarod, írd be a jelszavad és kattints a \"Fiók törlése\" gombra." - lock_username: "Le tudod védeni a felhasználóneved, ha esetleg mégis úgy döntenél, hogy újra feliratkozol." - locked_out: "Ki fogunk léptetni és kizárunk a fiókodból." - make_diaspora_better: "Azt szeretnénk, ha segítenél, hogy jobbá tehessük a diaspora*-t. A távozásod helyett ezért szívesebben vennénk, ha közreműködnél. Ám ha el akarod hagyni az oldalt, kérlek olvasd el mi fog következni." + if_you_want_this: "Ha tényleg ezt akarod, írd be a jelszavad a lenti mezőbe és kattints a \"Fiók törlése\" gombra." + lock_username: "A felhasználóneved foglalt marad. Nem lesz lehetőséged ezen a kiszolgálón új fiókot létrehozni ugyanezzel a névvel." + locked_out: "Ki fogunk léptetni és kizárunk a fiókodból, amíg végleg el nem távolítjuk." + make_diaspora_better: "Azt szeretnénk, ha segítenél, hogy jobbá tehessük a diaspora*-t. A távozásod helyett ezért szívesebben vennénk, ha közreműködnél. Ám ha úgy döntesz, hogy elhagyod az oldalt, a következő fog történni:" mr_wiggles: "Vuk szomorú lesz, ha távozni lát." - no_turning_back: "Nincs visszaút." - what_we_delete: "Töröljük az összes bejegyzésedet és adatodat amint tudjuk. A hozzászólásaid megmaradnak, de a neved helyett csak a diaspora* azonosítód lesz látható mellettük." + no_turning_back: "Nincs visszaút! Ha teljesen biztos vagy benne, add meg a jelszavadat a lenti mezőben." + what_we_delete: "Töröljük az összes bejegyzésedet és adatodat amint tudjuk. A mások bejegyzéseihez írt hozzászólásaid megmaradnak, de a neved helyett csak a diaspora* azonosítód lesz látható mellettük." close_account_text: "Fiók törlése" comment_on_post: "valaki hozzászólt egy bejegyzésedhez?" current_password: "Jelenlegi jelszó" current_password_expl: "amelyikkel bejelentkezel..." + download_export_photos: "Képeim letöltése" download_photos: "Képeim letöltése" - download_xml: "Saját XML letöltése" edit_account: "Fiók szerkesztése" email_awaiting_confirmation: "Aktivációs link elküldve ide: %{unconfirmed_email}. Amíg nem erősíted meg az új címed, addig a régit használjuk: %{email}." export_data: "Adatok kivitele" + export_photos_in_progress: "Jelenleg folyamatban van a képeid feldolgozása. Kérlek nézz vissza később." following: "Követési beállítások" getting_started: "Új felhasználó beállításai" liked: "valakinek tetszik a bejegyzésed?" mentioned: "megemlítettek téged egy bejegyzésben?" new_password: "Új jelszó" - photo_export_unavailable: "Fényképek kivitele jelenleg nem lehetséges" private_message: "személyes üzenetet kaptál?" receive_email_notifications: "Szeretnél értesítést kapni levélben, ha:" + request_export_photos_update: "Képeim frissítése" reshared: "valaki újraosztotta a bejegyzésedet?" show_community_spotlight: "A \"figyelem középpontjában\" szereplő tartalmak megjelenítése a hírfolyamban" show_getting_started: "\"Kezdő lépések\" újra engedélyezése" @@ -1212,6 +1191,7 @@ hu: who_are_you: "Ki is vagy?" privacy_settings: ignored_users: "Mellőzött felhasználók" + no_user_ignored_message: "Jelenleg nem mellőzöl más felhasználót" stop_ignoring: "Mellőzés feloldása" title: "Adatvédelmi beállítások" public: diff --git a/config/locales/diaspora/hy.yml b/config/locales/diaspora/hy.yml index aeed6b167..7d9190647 100644 --- a/config/locales/diaspora/hy.yml +++ b/config/locales/diaspora/hy.yml @@ -7,10 +7,13 @@ hy: _applications: "Հավելվածներ" _comments: "Մեկնաբանություններ" - _contacts: "Կոնտակտներ" + _contacts: "Մարդիկ" + _help: "Օգնություն" _home: "Գլխավոր էջ" - _photos: "նկարներ" + _photos: "Նկարներ" _services: "Ծառայություններ" + _statistics: "Վիճակագրություն" + _terms: "Պայմաններ" account: "Հաշիվ" activerecord: errors: @@ -23,6 +26,14 @@ hy: attributes: diaspora_handle: taken: "արդեն օգտագործվում է։" + poll: + attributes: + poll_answers: + not_enough_poll_answers: "Անբավարար քանակությամբ հարցման պատասխաններ եք գրել։" + poll_participation: + attributes: + poll: + already_participated: "Արդեն մասնակցել ես էս հարցմանը։" request: attributes: from_id: @@ -39,13 +50,15 @@ hy: invalid: "անվավեր է" username: invalid: "անվավեր է։ Թույլատրվում են միայն տառեր, թվեր և ներքևի գծեր։" - taken: "արդեն զբաղված է" + taken: "արդեն օգտագործվում է։" admins: admin_bar: correlations: "Կախվածություններ" pages: "Էջեր" pod_stats: "Փոդի վիճակագրություն" - user_search: "Օգտատերի որոնում" + report: "Զեկույցներ" + sidekiq_monitor: "Sidekiq մոնիտոր" + user_search: "Օգտատիրոջ որոնում" weekly_user_stats: "Օգտատերերի շաբաթական վիճակագրություն" correlations: correlations_count: "Correlations with Sign In Count:" @@ -76,14 +89,37 @@ hy: other: "%{count} օգատատեր" zero: "%{count} օգատատեր" week: "Շաբաթ" + user_entry: + account_closed: "Հաշիվը փակված է" + diaspora_handle: "դիասպորայի ID(username@pod.am)" + email: "Էլ․ հասցե" + guid: "ՈւՂԵՑՈՒՅՑ (չխառնվես իրար ։Ճ )" + id: "ID" + last_seen: "Վեջին անգամ երևացել է" + ? "no" + : Ոչ + nsfw: "#քխ" + unknown: "Անհայտ" + ? "yes" + : Այո user_search: + account_closing_scheduled: "%{name}ի հաշիվը փակվում է։ Մի քանի րոպեի ընթացքում կավարտենք։" + account_locking_scheduled: "%{name}ի հաշիվը պլանավորում է արգելափակել։ Դա կկատարվի մի քանի րոպեների ընթացքում․․․" + account_unlocking_scheduled: "%{name}ի հաշիվը պլանավորում է ապարգելափակել։ Դա կկատարվի մի քանի րոպեների ընթացքում․․․" add_invites: "ավելացնել հրավերներ" + are_you_sure: "Համոզվա՞ծ ես,որ ուզում ես փակել այս հաշիվը։" + are_you_sure_lock_account: "Համոզվա՞ծ ես, որ ուզում ես արգելափակել այս հաշիվը։" + are_you_sure_unlock_account: "Համոզվա՞ծ ես, որ ուզում ես ապարգելափակել այս հաշիվը։" + close_account: "Փակել հաշիվը" email_to: "Հրավիրել նամակով" + under_13: "Ցուցադրել օգտատերերին որ 13 (COPPA)֊ից ցածր են։" users: one: "%{count} օգտատեր գտնվեց" other: "%{count} օգտատեր գտնվեց" zero: "%{count} օգտատեր գտնվեց" - you_currently: "ներկա պահին դու ունես %{user_invitation} հրավեր ուղարկելու հնարավորություն. %{link}" + view_profile: "Դիտել անձնական էջը" + you_currently: + other: "ներկա պահին դու ունես %{user_invitation} հրավեր ուղարկելու հնարավորություն. %{link}" weekly_user_stats: amount_of: one: "այս շաբաթվա նոր օգտատերերի քանակը՝ %{count}" @@ -94,22 +130,20 @@ hy: all_aspects: "Բոլոր խմբերը" application: helper: - unknown_person: "անհայտ անձ" + unknown_person: "Անհայտ անձ" video_title: unknown: "Տեսանյութի անհայտ վերնագիր" are_you_sure: "Համոզվա՞ծ ես" are_you_sure_delete_account: "Համոզվա՞ծ ես, որ ուզում ես փակել հաշիվդ։ Էլ վերականգնել չի լինի։" aspect_memberships: destroy: - failure: "Խմբից անձի հեռացումը ձախողվեց" + failure: "Չստացվեց խմբից հեռացնել այս մարդուն։" no_membership: "Չստացվեց գտնել ընտրված կոնտակտին այդ խմբում" - success: "Անձը հաջողությամբ հեռացվեց խմբից" + success: "Այս մարդը հաջողությամբ հեռացվեց խմբից։" aspects: add_to_aspect: - failure: "Չստացվեց կոնտակտը այդ խմբին ավելացնել" - success: "Կոնտակտը բարեհաջող ավելացվեց այդ խմբին։" - aspect_contacts: - done_editing: "պատրաստ է" + failure: "Չստացվեց այդ խումբ մարդ ավելացնել։" + success: "Բարեհաջող ավելացվեց այդ խումբ։" aspect_listings: add_an_aspect: "+ Ստեղծել նոր խումբ" deselect_all: "Ապանշել ամբողջը" @@ -118,58 +152,60 @@ hy: aspect_stream: make_something: "Ստեղծիր" stay_updated: "Եղիր տեղեկացված" - stay_updated_explanation: "Քո լրահոսը հեղեղված է ընկերներիդ գործողություններով, պիտակներով, որոնց հետևում ես, և համայնքի որոշ կրեատիվ անդամների գրառումներով։" - contacts_not_visible: "Այս խմբի կոնտակտները տեսանելի չեն միմյանց համար։" - contacts_visible: "Այս խմբի կոնտակտները կկարողանան տեսնել միմյանց։" + stay_updated_explanation: "Քո լրահոսը հեղեղված է ընկերներիդ գործողություններով, պիտակներով, որոնց հետևում ես, և համայնքի որոշ ստեղծարար անդամների գրառումներով։" + contacts_not_visible: "Այս խմբի մարդիկ չեն կարողանա տեսնել միմյանց։" + contacts_visible: "Այս խմբի մարդիկ կկարողանան տեսնել միմյանց։" create: failure: "Չհաջողվեց ստեղծել խումբը։" success: "Քո նոր %{name} խումբը պատրաստ է" destroy: failure: "%{name}-ը դատարկ չէ և չի կարող ջնջվել։" - success: "%{name} բարեհաջող ջնջվեց։" + success: "%{name}-ը բարեհաջող ջնջվեց։" edit: - add_existing: "Ավելացնել գոյություն ունեցող կոնտակտ" + aspect_chat_is_enabled: "Այս խմբի ընկերներդ կարող են չաթվել քո հետ։" + aspect_chat_is_not_enabled: "Այս խմբի ընկերներդ չենք կարող չաթվել քո հետ։" aspect_list_is_not_visible: "խմբի ցուցակը տեսանելի չէ նրա անդամներին" aspect_list_is_visible: "խմբի ցուցակը տեսանելի է նրա անդամներին" confirm_remove_aspect: "Վստա՞հ ես, որ ուզում ես ջնջել այս խումբը։" - done: "Պատրաստ է" - make_aspect_list_visible: "այս խմբի կոնտակտներին դարձնե՞լ տեսանելի միմյանց համար։" + grant_contacts_chat_privilege: "Այս խմբի ընկերներին տա՞լ քո հետ չաթվելու պատիվ ու հնարավորություն։" + make_aspect_list_visible: "Դարձնե՞լ այս խմբի մարդկանց տեսանելի միմյանց համար։" remove_aspect: "Ջնջել այս խումբը" rename: "վերանվանել" - update: "թարմացնել" + set_visibility: "Կարգավորել տեսանելիությունը" + update: "Թարմացնել" updating: "թարմացվում է" - few: "%{count} խմբեր" - helper: - are_you_sure: "Վստա՞հ ես, որ ուզում ես ջնջել այս խումբը։" - aspect_not_empty: "Խումբը դատարկ չէ" - remove: "հեռացնել" index: diaspora_id: - content_1: "Քո Diaspora ID-ն՝" - content_2: "Հաղորդիր սա որևիցե մեկին, և նա կկարողանա գտնել քեզ Diaspora-ում։" - heading: "Diaspora ID" + content_1: "Քո դիասպորայի ID-ն՝" + content_2: "Փոխանցիր սա ցանկացած մեկին, և նա կկարողանա գտնել քեզ դիասպորայում։" + heading: "դիասպորայի ID" donate: "Նվիրաբերել" handle_explanation: "Սա քո Diaspora ID-ն է։ Մարդիկ կարող են գտնել քեզ ինչպես քո էլ. հասցեով, այնպես էլ քո Diaspora ID-ով։" help: - do_you: "Դու." + any_problem: "Խնդիրնեն կա՞ն։" + contact_podmin: "Կապվի՛ր քո փոդի ադմինի հետ։" + do_you: "Արդյո՞ք." email_feedback: "Կարող ես նաև %{link}-ին ուղարկել քո կարծիքը։" email_link: "էլ․ փոստ" - feature_suggestion: "… %{link} ունե՞ք։" - find_a_bug: "… %{link} ե՞ս գտել։" - have_a_question: "… %{link} ունե՞ս։" + feature_suggestion: "… %{link} ունե՞ս։" + find_a_bug: "… %{link} ես գտել։" + have_a_question: "… %{link} ունես։" here_to_help: "Համայնքն այստե՜ղ է։" + mail_podmin: "Փոդմինի էլ․փոստը" need_help: "Օգնությու՞ն" tag_bug: "բագ" tag_feature: "առաջարկություն" tag_question: "հարց" - introduce_yourself: "Սա քո լրահոսն է։ Ընկղմվիր և ներկայացրու քեզ։" + tutorial_link_text: "Ուսուցանող նյութեր" + tutorials_and_wiki: "%{faq}, %{tutorial}, և %{wiki}՝ օգնություն առաջին քայլերիդ համար։" + introduce_yourself: "Սա քո լրահոսն է։ Ընկղմվիր ու ներկայացրու ինքդ քեզ։" keep_diaspora_running: "Օգնի՛ր Diaspora-ի արագ զարգացմանը ամսական նվիրատվությամբ։" keep_pod_running: "Փող քցվենք %{pod} -ի առողջության համար:" new_here: follow: "Հետևիր %{link}-ին և ողջունիր Diaspora*-ի նոր օգտատերերին։" learn_more: "Իմանալ ավելին" title: "Ողջունի՛ր նորեկներին" - no_contacts: "Կոնտակտներ չկան" + no_contacts: "Ոչ ոք չկա" no_tags: "+ Հետևելու պիտակ գտնել" people_sharing_with_you: "Քեզ հետ կիսվող մարդիկ" post_a_message: "հաղորդագրություն գրել >>" @@ -178,36 +214,23 @@ hy: heading: "Միացնել ծառայությունները" unfollow_tag: "Դադարել հետևել #%{tag}-ին" welcome_to_diaspora: "Բարի գալուստ Diaspora*, %{name} ջան։" - many: "%{count} խմբեր" - move_contact: - error: "Չստացվեց կոնտակտը տեղափոխել՝ %{inspect}" - failure: "չաշխատեց %{inspect}" - success: "Անձը տեղափոխվեց նոր խումբ։" new: create: "Ստեղծել" name: "Անունը (միայն քեզ է տեսանելի)" no_contacts_message: community_spotlight: "համայնքի նորությունները" or_spotlight: "Կամ կարող ես կիսվել %{link}-ով։" - try_adding_some_more_contacts: "Կարող ես ևս ընկերներ փնտրել կամ հրավիրել նրանց։" - you_should_add_some_more_contacts: "Լավ կլինի՝ մի քանի կոնտակտ ավելացնես։" + try_adding_some_more_contacts: "Կարող ես ևս փնտրել մարդկանց կամ հրավիրել։" + you_should_add_some_more_contacts: "Լավ կլինի՝ մի քանի մարդ ավելացնես։" no_posts_message: start_talking: "Բոլորը դավադրաբար լռում են դեռ։" one: "1 խումբ" - other: "%{count} խմբեր" + other: "%{count} խումբ" seed: acquaintances: "Ծանոթներ" family: "Ընտանիք" friends: "Ընկերներ" work: "Աշխատանք" - selected_contacts: - manage_your_aspects: "Կարգավորել խմբերը" - no_contacts: "Դու դեռ ոչ մի կոնտակտ չունես այստեղ։" - view_all_community_spotlight: "Դիտել համայնքի բոլոր նորությունները" - view_all_contacts: "Տես բոլոր կոնտակտները" - show: - edit_aspect: "փոփոխել խումբը" - two: "%{count} խումբ" update: failure: "Քո՝ %{name} խմբի անունը շատ երկար է և չի կարող պահպանվել։" success: "Քո՝ %{name} խումբը հաջողությամբ փոփոխվեց։" @@ -221,60 +244,65 @@ hy: failure: "Չստացվեց դադարեցնել արհամարհել այդ օգտատիրոջը։" success: "Եկ տեսնենք՝ ինչ ունեն նրանք ասելու։ #sayhello" bookmarklet: - post_something: "Գրառել Diaspora-ում" + explanation: "Գրառիր դիասպորայում ցանկացած տեղից նշելով այս հղումը => %{link}" + heading: "Նշագրում (Bookmarklet)" + post_something: "Գրառել դիասպորայում" post_success: "Գրառվեց։ Փակվում եմ։ ։Ճ" cancel: "Չեղարկել" comments: - few: "%{count} մեկնաբանություն" - many: "%{count} մենկնաբանություններ" new_comment: comment: "Մեկնաբանել" commenting: "Մեկնաբանվում է…" one: "1 մեկնաբանություն" - other: "%{count} մեկնաբանություններ" - two: "%{count} մեկնաբանություն" + other: "%{count} մեկնաբանություն" zero: "մեկնաբանություն չկա" contacts: create: failure: "Չհաջողվեց կապ հաստատել" - few: "%{count} ընկերներ" index: add_a_new_aspect: "Նոր խումբ ավելացնել" - add_to_aspect: "ընկերներ ավելացնել %{name} խմբին" - add_to_aspect_link: "Ընկերներ ավելացնել %{name}-ին" + add_contact: "Ընկեր ավելացնել" + add_to_aspect: "%{name} խմբին մարդ ավելացնել" all_contacts: "Բոլոր ընկերները" community_spotlight: "Համայնքի նորությունները" - many_people_are_you_sure: "Համոզվա՞ծ ես, որ խոսակցություն ես ուզում սկսել ավելի քան %{suggested_limit} մարդկանց հետ։ Ամբողջ խմբի համար գրառում կատարելը կարող է ավելի հարմար ուղի լինել նրանց հետ հաղորդակցվելու համար։" my_contacts: "Իմ ընկերները" no_contacts: "Երևում է՝ նոր ընկերների կարիք ունես։" + no_contacts_in_aspect: "Այս խմբում դեռ ոչ մեկին չես ավելացրել։ Ներքևում այս պահի քո բոլոր ընկերների ցուցակն է, ում կարող ես ավելացնել այս խմբին։" no_contacts_message: "Ստուգել %{community_spotlight}" - no_contacts_message_with_aspect: "Աչքի անցկացրու %{community_spotlight}-ը կամ %{add_to_aspect_link}" only_sharing_with_me: "Միայն ինձ հետ կիսվողները" - remove_person_from_aspect: "Հեռացնել %{person_name}-ին %{aspect_name}-ից" + remove_contact: "Ջնջել ընկերոջը" start_a_conversation: "Խոսակցություն սկսել" - title: "Կոնտակտներ" + title: "Մարդիկ" + user_search: "Օգտատերերի որոնում" your_contacts: "Քո կոնտակտները" - many: "%{count} ընկերներ" - one: "1 կոնտակտ" - other: "%{count} ընկեր" + one: "1 հոգի" + other: "%{count} հոգի" sharing: people_sharing: "Քեզ հետ կիսվող մարդիկ" spotlight: community_spotlight: "Համայնքի նորությունները" - two: "%{count} ընկեր" - zero: "կոնտակտ" + suggest_member: "Անդամ առաջարկի՛ր" + zero: "Ոչ ոք չկա" conversations: + conversation: + participants: "Մասնակիցները" create: + fail: "Անվավեր հաղորդագրություն" + no_contact: "Հեե՜յ, սկզբում կոնտակտին պիտի ավելացնես։" sent: "Նամակն ուղարկված է" destroy: - success: "Զրույցը հաջողությամբ ջնջվեց" + delete_success: "Զրույցը հաջողությամբ ջնջվեց" + hide_success: "Զրույցը հաջողությամբ թաքցվեց" helper: new_messages: one: "1 նոր նամակ" other: "%{count} նոր նամակներ" zero: "Նոր նամակ չկա" index: + conversations_inbox: "Զրույցներ ֊ Մուտքային" + create_a_new_conversation: "Նոր զրույց սկսել" inbox: "Մուտքային նամակներ" + new_conversation: "Նոր զրույց" no_conversation_selected: "ոչ մի խոսակցություն չի ընտրվել" no_messages: "նամակ չկա" new: @@ -282,9 +310,11 @@ hy: send: "Ուղարկել" sending: "Ուղարկվում է․․․" subject: "թեմա" - to: "" + new_conversation: + fail: "Անվավեր հաղորդագրություն" show: delete: "ջնջել և արգելափակել խոսակցությունը" + hide: "Թաքցնել և ձայնազրկել զրույցը" reply: "պատասխանել" replying: "Պատասխանը ուղարկվում է..." date: @@ -300,20 +330,243 @@ hy: invalid_fields: "Անվավեր դաշտեր" login_try_again: "մուտք գործիր և փորձիր նորից:" post_not_public: "Գրառումը, որ փորձում ես դիտել, հրապարակային չէ։" + post_not_public_or_not_exist: "Գրառումը, որ փորձում ես դիտել, հանրային չէ կամ գոյություն չունի։" fill_me_out: "Լրացրու՛ ինձ" find_people: "Գտնել մարդկանց կամ #պիտակներ" + help: + account_and_data_management: + close_account_a: "Գնա Կարգավորումներ -> Հաշիվ ու սեղմիր էջի ամենաներքևի «Փակել հաշիվս» կոճակը։" + close_account_q: "Ինչպե՞ս ջնջեմ իմ հաշիվը։" + data_other_podmins_a: "Հենց կիսվեցիր ինչ֊որ մեկի հետ այլ փոդից քո բոլոր գրառումները, որ կիսվում ես իրենց հետ և քո էջի կրկնօրինակը պահվում են (քեշավորվում) իրենց փոդում և հասանելի են այդ փոդի տվյալների բազայի ադմինին։ Երբ դու ջնջում ես որևէ գրառում կամ էջիդ տվյալները, դրանք ջնջվում են քո փոդից և բոլոր այլ փոդերից, ուր պահվում էին մինչ այդ։" + data_other_podmins_q: "Կարո՞ղ են փոդի ադմինները տեսնել իմ տեղեկատվությունը։" + data_visible_to_podmin_a: "Հաղորդակցությունը փոդերի միջև միշտ կոդավորված է (SSԼ֊ով և Դիասպորա*֊ի սեփական տեղափոխման կոդավորմամբ), սակայն տվյալների պահպանումը փոդերում կոդավորված չէ։ Եթե ցանկանա, քո փոդի տվյալների բազայի ադմինիստրատորին (սովորաբար համընկնում է փոդը աշխատեցնողի հետ) հասանելի են քո անձնական էջը և մնացած ամենը, որ գրառում ես (ճիշտ նույնպես ինչպես մյուս կայքերում, որ պահպանում են օգտատիրոջ տվյալները)։ Եթե աշխատեցնես քո փոդը, կունենաս ավելի շատ գաղտնիություն, քանզի այդ ժամանակ դու ես կառավարում տվյալների բազայի մուտքը։" + data_visible_to_podmin_q: "Իմ հաշվում եղած տվյալների ո՞ր մասը կարող է տեսնել իմ փոդի ադմինը։" + download_data_a: "Այո՛․ գնա Կարգավորումներ -> Հաշիվ, էջի ամենաներքևում կա երկու կոճակ քո տվյալները ներբեռնելու համար։" + download_data_q: "Կարո՞ղ եմ ներբեռնել իմ հաշվում եղած բոլոր տվյալների պատճեն։" + move_pods_a: "Հետագայում հնարավոր կլինի տեղափոխել քո հաշիվը մի փոդից դեպի մյուսը, սակայն այժմ դա հնարավոր չէ։ Դու միշտ կարող ես բացել նոր հաշիվ ու ավելացնել քո ընկենրեին այնտեղի խմբերին և խնդրել նրանց, որ ավելացնեն քո նոր հաշիվը իրենց մոտ։" + move_pods_q: "Ինչպե՞ս տեղափոխեմ իմ հաշիվը մի փոդից դեպի մյուսը:" + title: "Հաշվի և տվյալների կառավարում" + aspects: + change_aspect_of_post_a: "Ոչ, բայց դու միշտ էլ կարող ես անել նոր գրառում նույն բովանդակությամբ ու տեսանելի դարձնել այլ խմբերի։" + change_aspect_of_post_q: "Երբ արդեն կատարել եմ գրառումը, կարո՞ղ եմ փոխել խմբերին, ում այն տեսանելի է։" + contacts_know_aspect_a: "Չէ, նրանք չեն կարող տեսնել՝ քո որ խմբում են իրենք ոչ մի դեպքում։ Միայն եթե դու իրենց ասես կամ ցույց տաս։" + contacts_know_aspect_q: "Իմ ընկերները գիտե՞ն՝ որ խմբում եմ իրենց դրել։" + contacts_visible_a: "Եթե ընտրես այդ կետը, ապա այդ խմբի մարդիկ կկարողանան տեսնել խմբում ուրիշ ով կա․ քո էջի վրա, ավատարիդ տակ։ Դա արժի ընտրել էն դեպքում, եթե այդ խմբում բոլոր մարդիկ իրար ճանաչում են։ Նրանք միևնույն է չեն կարողանա տեսնել՝ ինչպես է խումբը կոչվում։" + contacts_visible_q: "Ի՞նչ է անում «այս խմբի մարդկանց դարձնե՞լ տեսանելի միմյանց համար» կետը։" + delete_aspect_a: "Քո կոնտակտների էջում ձախ կողմի ցանցում սեղմիր խմբի վրա, որ ուզում ես ջնջել։ Ապա, երբ խմբի անունը մեծ կհայտնվի վերևում , սեղմիր նկարված փոքրիկ աղբարկղը [ «Ջնջել» ]։" + delete_aspect_q: "Ինչպե՞ս ջնջեմ խումբը։" + person_multiple_aspects_a: "Այո։ Գնա քո կոնտակտների էջ և սեղմիր «Իմ ընկերները»։ Յուրաքանչյուր մարդու համար կարող ես օգտագործել աջ կողմի ցանկը նրան քանի խմբում ուզես ավելացնելու կամ հանելու համար։ Կամ կարող ես ավելացնել կամ հանել մարդկանց նոր խմբից սեղմելով խումբ ընտրող կոճակը իրենց էջի վրա։ Կամ էլ կարող ես պարզապես կուրսորդ նրանց վրա պահել ցանկացած այլ տեղ, ասենք լրահոսումդ, և կհայտնվի նրանց մասին ընդհանուր տեղեկատվությամբ պատուհանը։ Հենց այդտեղի աջ մասում էլ կարող ես փոփոխություններ անել։" + person_multiple_aspects_q: "Կարո՞ղ եմ մարդուն ավելացնել մի քանի խմբի մեջ։" + post_multiple_aspects_a: "Հա։ Երբ գրառում ես անում, օգտագործիր խմբերը ընտրելու կոճակը խմբերը ներառելու կամ հանելու համար։ Քո գրառումը տեսանելի կլինի բոլոր նշված խմբերին։ Նաև կարող ես ընտրել խմբեր ձախ ցանկից («Իմ խմբերը»)։ Երբ գրառում ես, խումբը կամ խմբերը, որ ընտրել ես այդ ցուցակում, ինքնաբերաբար կնշվեն խումբ ընտրելու մասում։" + post_multiple_aspects_q: "Կարո՞ղ եմ միանգամից մի քանի խմբերի համար գրառել։" + remove_notification_a: "Ո՛չ։ Նրանք նաև չեն ծանուցվում, երբ փոխում ես իրենց խումբը, եթե արդեն սկսել ես կիսվել իրենց հետ։" + remove_notification_q: "Եթե ես ջնջում եմ ինչ֊որ մեկին իմ խմբերից, նրանք զգուշացվո՞ւմ են դրա մասին։" + rename_aspect_a: "Ահա, քո խմբերի ցուցակում՝ կոնտակտների էջի ձախ կողմում , տար կուրսորդ այն խմբի վրա, որ ուզում ես վերանվանել։ Սեղմիր դրա վրա ու երբ կհայտնվի խմբի անունը մեծ, սեղմիր անվան կողքի մատիտի վրա՝ «վերանվանել»։" + rename_aspect_q: "Ինչպե՞ս վերանվանել խումբը։" + restrict_posts_i_see_a: "Ահա։ Սեղմիր «Իմ խմբերը» ձախ կողմում ապա սեղմիր կոնկրետ խմբերին, որ նշես կամ ապանշես դրանք։ Միայն նշված խմբերի մարդկանց գրառումները կհայտնվեն քո լրահոսում։" + restrict_posts_i_see_q: "Կարո՞ղ եմ այնպես անել, որ տեսնեմ միայն կոնկրետ խմբի ընկերներիս գրառումները։" + title: "Խմբերի մասին" + what_is_an_aspect_a: "Խմբերը քո դիասպորայի ընկերներին խմբավորելու ձևն են։ Էդ քեզ թողնում ա կարգավորել, թե ով ես դու տարբեր խմբերում, օրինակ՝ աշխատավայրում ոնցն ես ու ինչ ես կիսվում իրենց հետ, ընկերների կամ ինչ֊որ սպեցիֆիկ խմբավորման հետ ինչպիսին ես ու ինչ ես կրկին կիսվում իրենց հետ։" + what_is_an_aspect_q: "Ի՞նչ է խումբը։" + who_sees_post_a: "Եթե սահմանափակ գրառում ես անում, դա միայն տեսանելի կլինի այն մարդկանց, ում ավելացրել ես այդ խմբի մեջ (կամ այդ խմբերի մեջ եթե մի քանի խումբ ես ընտրել)։ Քո մյուս ընկերները, որ այդ խմբում չեն, չունեն տարբերակ դա տեսնելու, քանի դեռ գրառումը հրապակայաին չանես։ Միայն հրապարակային գրառումներն են, որ տեսանելի են մարդկանց, ովքեր չկան քո խմբ(եր)ում։" + who_sees_post_q: "Երբ ես գրառում եմ որևէ խմբի համար, ո՞վ է դա տեսնում։" + chat: + add_contact_roster_a: "Առաջին հերթին, պետք է չաթը ակտիվացնես խմբերից մեկի համար, ուր այդ մարդը կա։ Սա անելու համար գնա %{contacts_page}, ընտրիր ուզածդ խումբը և սեղմիր չաթի պատկերի վրա, որ ակտիվացնես չաթը։ %{toggle_privilege} Դու կարող ես ստեղծել հատուկ խումբ «Չաթ» անվամբ ու ավելացնել էնտեղ այն մարդկանց, ում հետ հավես ունես չաթվելու։ Երբ սա անես, բացիր չաթվելու ինտերֆեյսը, ընտրիր ում հետ ես ուզում չաթվել։" + add_contact_roster_q: "Ինչպե՞ս չաթվել Դիասպորայում։" + contacts_page: "ընկերների էջ" + title: "Չաթ" + faq: "ՀՏՀ" + foundation_website: "Դիասպորա հիմնադրամի կայքը" + getting_help: + get_support_a_faq: "Կարդա մեր %{faq}֊ն վիքիում" + get_support_a_hashtag: "հարցրու Սփյուռքում հրապարակային գրառմամբ ու օգտագործիր %{question} հեշթագը" + get_support_a_irc: "միացիր մեզ %{irc}֊ում (Կենդանի չաթ/խոսակցություն)" + get_support_a_tutorials: "աչքի անցկացրու մեր %{tutorials}" + get_support_a_website: "այցելիր մեր %{link}" + get_support_a_wiki: "փորփրիր %{link}ն" + get_support_q: "Իսկ ի՞նչ, եթե իմ հարցը պատասխան չունի այս ՀՏՀ֊ում։ Ուրիշ որտեղի՞ց կարող եմ օգնություն ստանալ։" + getting_started_a: "Դու բախտավոր ե՜ս։ Փորձիր %{tutorial_series} մեր նախագծի կայքում։ Այն քեզ կօգնի քայլ առ քայլ հասկանալ գրանցման գործընթացը և կսովորեցնի բոլոր հիմունքային բաները, որ քեզ անհրաժեշտ են Սփյուռքից (diaspora֊այից) օգտվելու համար։" + getting_started_q: "Օգնեե՜ք։ Ես սկզբնական օգնության կարիք ունեմ, որ կարողանամ սկսել։" + title: "Օգնություն" + getting_started_tutorial: "«ԻՆչպե՞ս սկսել» ուսուցանող նյութերի շարքը" + here: "այստեղ" + irc: "IRC" + keyboard_shortcuts: + keyboard_shortcuts_a1: "Լրահոսում կարող ես օգտագարծել ստեղնաշարային հետևյալ կրճատումները․" + keyboard_shortcuts_li1: "j - գնալ հարոջդ գրառում (Jump)" + keyboard_shortcuts_li2: "k - գնալ դեպի նախրդ գրառումը (I J K L)" + keyboard_shortcuts_li3: "c - մեկնաբանել տվյալ գրառումը (Comment)" + keyboard_shortcuts_li4: "l - հավանել տվյալ գրառումը(Like)" + keyboard_shortcuts_li5: "r ֊ Տարածել տվյալ գրառումը (Reshare)" + keyboard_shortcuts_li6: "m - մեծ բացել տվյալ գրառումը" + keyboard_shortcuts_li7: "o ֊ բացել այս գրառման առաջին հղումը (Open)" + keyboard_shortcuts_li8: "ctrl+enter֊ Ուղարկել նամակը, որ հավաքում էիր" + keyboard_shortcuts_q: "Ի՞նչ ստեղնաշարային կրճատումներ կան։" + title: "Կարճված հրամաններ" + markdown: "Նշաձև(Markdown)" + mentions: + how_to_mention_a: "Հավաքիր «@» և սկսիր հավաքել այդ մարդու անունը։ Բացվող ցանկ կհայտնվի, որտեղից կարող ես ընտրել մարդկանց հեշտությամբ։ Ի դեպ, նշել հնարավոր է միայն այն մարդկանց, ում ավելացրել ես խմբերումդ։" + how_to_mention_q: "Ինչպե՞ս նշեմ ինչ֊որ մեկին գրառում անելիս։" + mention_in_comment_a: "Ոչ, դեռ ոչ։" + mention_in_comment_q: "Կարո՞ղ եմ նշել ինչ֊որ մեկին մեկնաբանության մեջ։" + see_mentions_a: "Ահա, սեղմիր «@Հիշատակումներ»֊ը հիմնական էջի ձախ կողմում։" + see_mentions_q: "Կարո՞ղ եմ տեսնել այն գրառումները, ուր ես հիշատակված եմ։" + title: "Նշումների մասին" + what_is_a_mention_a: "Նշումը դա տվյալ մարդու էջին տանող հղումն է, որ հայտնվում է գրառման մեջ։ Երբ ինչ֊որ մեկը նշվում է գրառման մեջ, նա ծանուցվում է այդ մասինը, ինչը հրավիրում է նրա ուշադրությունը դեպի գրառում։" + what_is_a_mention_q: "Ի՞նչ է «Նշումը»։" + miscellaneous: + back_to_top_a: "Այո։ Զննիչիդ պատուհանի աջ֊ներքևի անկյունում գտնվող մոխրագույն սլաքը հենց դրա համար է նախատեսված։" + back_to_top_q: "Կա որդյո՞ք որևէ կարճ տարբերակ բարձրանալու էջի սկիզբ, երբ բավականին իջել եմ ներքև։" + diaspora_app_q: "Դիասպորայի հավելված կա Android֊ի կամ iOS֊ի համար։" + photo_albums_a: "Ոչ, դեռ։ Ինչևէ, կարող ես դիտել տվյալ մարդու բոլոր վերբեռնած նկարները իր էջի «Նկարներ» բաժնում։" + photo_albums_q: "Կա՞ն տեսանյութերի կամ նկարների ալբոմներ։" + subscribe_feed_a: "Ահա, բայց սա դեռ շատ լավ մշակված ֆունկցիա չէ և արդյունքները ձևավորումը շատ կոպիտ է։ Եթե ուզում ես միևնույն է փորձել (իսկ դա արժի փորձել ;Ճ), գնա ինչ֊որ մեկի էջ և սեղմիր հոսքի(feed) կոճակը քո զննիչից (բրաուզեր) կամ պատճենիր նրա էջի հղումը (օրինակ)" + subscribe_feed_q: "Կարո՞ղ եմ բաժանորդագրվել ինչ֊որ մեկի հրապարակային գրառումներին ընթերցիչով։" + title: "Խառը" + pods: + find_people_a: "Հրավիրի՛ր ընկերներիդ օգտագործելով աջ կողմի հղումը։ Հետևիր #պիտակներին , որպեսզի բացահայտես ուրիշների, որ կիսում են քո հետաքրքրությունները և ավելացրու խմբերում նրանց, ով գրառում է քեզ հետաքրքրող բաներ։ Ասա, #ԵսՆորեկԵմ հանրային գրառմամբ ու մարդիկ կկարողանան գտնել քեզ։" + find_people_q: "Ես հենց նոր միացա փոդին, ինչպե՞ս կարող եմ գտնել մարդկանց ու կիսվել նրանց հետ։" + title: "Փոդեր" + use_search_box_a: "Եթե գիտես նրանց ամբողջական դիասպորայի անունը (օրինակ՝ mard@podname.am), կարող ես փնտրել դրանով։ Եթե նույն փոդում եք, կարող ես միայն օգտանունը փնտրել («mard» էս դեպքում)։ Մյուս տարբերակը նրանց էջում երևացող անվամբ փնտրելն ա (էս դեպքում օրինակ կարող է լինել Ադամ մարդ Առաջինյան)։ Եթե որոնումը չի աշխատում առաջին անգամ, նորից փորձիր։" + use_search_box_q: "Ինչպե՞ս օգտագործեմ որոնման դաշտը կոնկրետ մարդկանց գտնելու համար։" + what_is_a_pod_a: "Փոդը այն սերվերն է, որի վրա աշխատում է Դիասպորայի ծրագիրը և որը կապված է Դիասպորայաի ցանցին։ «Փոդը» մետաֆորա է /անգլերենում/, որ վերաբերում է պատիճներին, որ իրենց մեջ պարունակում են սերմեր/հաշիվը անգլերենում կոչում են «սերմ»/, ճիշտ նույն ձև ոնց սերվերը իր մեջ պարունակում է հաշիվները։ Կան բազում տարբեր փոդեր։ Դու կարող ես ընկերներ ավելացնել այլ փոդերից և հաղորդակցվել նրանց հետ։ Կարող ես մտածել, որ Դիասպորայի փոդերը /ինչպիսին է օրինակ Սփյուռքը/ նման են էլ․ փոստ տրամադրողներին․ կան հանրային փոդեր, անձնական փոդեր և որոշ ջանք ներդնելու դեպքում նույնիսկ կարող ես քո սեփականը ստեղծել։" + what_is_a_pod_q: "Ի՞նչ է փոդը։" + posts_and_posting: + char_limit_services_a: "Այս դեպքում քո գրառումը սահամաձակված է ավելի քիչ քանակ նշաններով (140 թուիթերի դեպքում, 1000 Թամբլրի դեպքում), և դեռևս մնացող նշանների քանակը ցուցադրվում է, երբ այդ սերվիսի կոճակը սեղմված է։ Դուք միևնույն է կարող եք կատարել այդ սերվիսներում ավելի երկար գրառումներ քան նրանց սահմանափակումն է թողնում, սակայն տեքստը կկարճեցվի այդ սերվիսներում։" + char_limit_services_q: "Նշանների ինչպիսի՞ սահամանափակում կա միացված այնպիսի սերվիսով տարածվող գրառումների համար, ուր կա նշանների սահամանափակում։" + character_limit_a: "65,535 նշան։ 65,395֊ով ավելի շատ նշան է քան Թուիթերում։ ;Ճ" + character_limit_q: "Նշանների ինչպիսի՞ սահամանափակում կա գրառում անելիս։" + embed_multimedia_a: "Սովորաբար կարող ես ուղղակի դնել հղումը (օրինակ՝ http://www․youtube․com/watch?v=nananananana) քո գրառման մեջ և տեսանյութը կամ ձայնագրությունը ինքնաբերաբար կներառվեն։ Այս պահին սպասարկվում են․ YouTube, Vimeo, SoundCloud, Flickr և մի քանի այլ։ Դիասպորան օգտագործում է oEmbed այս ֆունկցիոնալը ապահովելու համար։ Մենք աշխատում ենք ավելի շատ մեդիա աղբյուրներ սպասարկել։ Փորձիր հնարավորինս պարզ անել գրառումը․ ամբողջական հղում /առանց կարճացնելու/, չդնել օպերատորներ հիմնական հղումից հետո և մի քիչ սպասիր մինչ էջը թարմացնելը։" + embed_multimedia_q: "Ինչպե՞ս ներառել տեսանյութ, ձայնագրություններ կամ այլ մուլտիմեդիա իմ գրառումների մեջ։" + format_text_a: "Օգտագործելով հեշտացված համակարգը՝ %{markdown}։ Կարող ես գտնել նշաձևի ամբողջ սինտաքսը %{here}։ Նախադիտելու կոճակը շատ օգտակար է էդպիսի դեպքերում, որովհետև կարող ես տեսնել՝ ինչ տեսք կունենա քո գրառումը այն անելուց հետո։" + format_text_q: "Ինչպե՞ս կարող եմ ձևավորել իմ տեքստը գրառման մեջ ( մուգ(bold), թեք(italic) և այլն )։" + hide_posts_a: "Եթե մկնիկդ պահես գրառման վերևում, X է հայտնվում աջ կողմում։ Սեղմիր դրա վրա գրառումը թաքցնելու և դրա ծանուցումները անջատելու համար։ Եթե հետո գնաս գրառած մարդու էջ, կրկին կտեսնես գրառումը։" + hide_posts_q: "Ինչպե՞ս թաքցնել գրառումը։" + image_text: "նկարի տեքստը" + image_url: "նկարի url֊ը" + insert_images_a: "Սեղմիր տեսախցիկի պատկերիկը գրառման մեջ նկար ավելացնելու համար։ Կրկին սեղմիր հաջորդ նկարը ավելացնելու համար կամ կարող ես միանգամից մի քանի նկար ընտրել։" + insert_images_comments_a1: "Չես կարող մեկնաբանություններում նկարներ վերբեռնել, միայն հետևյալ նշաձևով" + insert_images_comments_a2: "կարող է օգտագործվել գրառումներում կամ մեկնաբանություններում համացանցից նկարներ ներառելու համար։" + insert_images_comments_q: "Կարո՞ղ եմ նկար ավելացնել մեկնաբանության մեջ։" + insert_images_q: "Ինչպե՞ս նկար ներառեմ գրառումների մեջ։" + post_location_a: "Սեղմիր գնդասեղի պատկերիկի վրա, որ գրառում անելու դաշտում տեսախցիկի կողքն է։ Կարող ես փոխել քո տեղակայությունը, հնարավոր է ուզենաս միայն քաղաքը ներառել ամբողջական հասցեի փոխարեն։" + post_location_q: "Ինչպե՞ս գրառմանը տեղակայություն ավելացնեմ։" + post_notification_a: "Աջ վերևի անկյունում՝ X-ի կողքը կտեսնես զանգի պատկերիկ։ Սեղմիր այդ գրառման մասին ծանուցումներ ստանալ֊չստանալու համար։" + post_notification_q: "Ինչպե՞ս սկսել կամ դադարել ծանուցումներ ստանալ գրառման մասին։" + post_poll_a: "Սեղմիր դիագրամի պատկերիկի վրա։ Մուտքագրիր հարցը և առնվազն երկու պատասխան։ Չմոռանաս գրառումը հրապարակային անել, եթե ուզում ես՝ բոլորը կարողանան մասնակցել հարցմանը։" + post_poll_q: "Ինչպե՞ս հարցում ավելացնեմ գրառմանը։" + post_report_a: "Սեղմիր տագնապային եռանկյունիկը, որ տեղեկացնես այդ գրառման մասին պոդմինիդ։ Մուտքագրիր դրա մասին զեկուցելու պատճառը։" + post_report_q: "Ինչպե՞ս տեղեկացնել վիրավորական գրառման մասին։" + size_of_images_a: "Չէ, նկարների չափը մեխանիկորեն փոխվում է հոսքին կամ առանձին գրառման չափին համապատասխան։ Նշաձևը չունի կոդ նկարի չափը սահմանելու համար։" + size_of_images_q: "Կարո՞ղ եմ հարմարեցնել նկարների չափերը գրառման կամ մեկնաբանությունների մեջ։" + stream_full_of_posts_a1: "Քո լրահոսը բաղկացած է երեք տեսակի գրառումներից․" + stream_full_of_posts_li1: "Գրառումներ այն մարդկանցից, ում հետ դու կիսվում ես, որ կրկին երկու տեսակի են լինում հրապարակային գրառումներ և սահամանափակ գրառումներ, որ կիսված են որևէ խմբի հետ․ որի մաս ես դու։ Որպեսզի չտեսնես այս տիպի գրառումները, պարզապես դադարեցրու կիսվելը այդ մարդկանց հետ։" + stream_full_of_posts_li2: "Հրապարակային գրառումներ, որ պարունակում են պիտակներ (թեգեր), որոնց դու հետևում ես։ Այս տիպի գրառումներից ազատվելու համար, դադարեցրու հետևելը այդ պիտակներին։" + stream_full_of_posts_li3: "Հրապարակային գրառումներ այն մարդկանցից, ովքեր նշված են համայնքի նորությունների ակնարկում։ Սրանք կարող են հեռացվել քո Հաշվի Կարգավորումներից հանելով չռթիկը «Ցուցադրե՞լ համայնքի նորութությունները լրահոսումդ։» կետից առաջ։" + stream_full_of_posts_q: "Ինչո՞ւ է իմ լրահոսը լի գրառումներով այնպիսի մարդկանց, ում ես չեմ ճանաչում ու ում հետ չեմ կիսվում։" + title: "Գրառելու և գրառումների մասին" + private_posts: + can_comment_a: "Միայն դիասպորա մուտք գործած մարդիկ, ում դրել ես համապատասխան խմբի մեջ կկարողանան մեկնաբանել կամ հավանել քո անձնական գրառումը։" + can_comment_q: "Ո՞վ կարող է մեկնաբանել կամ հավանել իմ անձնական գրառումը։" + can_reshare_a: |- + Ոչ ոք․ սահմանափակ գրառումները տարածելի չեն։ Սակայն դիասպորա մուտք գործած օգտատերերը, որ համապատասխան խմբում են, տեսականորեն կարող են կրկնօրինակել գրառումը այլ տեղ։ ;Ճ + զգոն եղի՛ր ։Դ + can_reshare_q: "Ո՞վ կարող է տարածել իմ սահմանափակ գրառումը։" + see_comment_a: "Միայն մարդիկ, ում գրառումը տեսանելի է (մարդիկ, ովքեր գրառումը կատարողի ընտրած խմբերում են) կարող են տեսնել մեկնաբանություններն ու հավանումները։ " + see_comment_q: "Երբ ես մեկնաբանում կամ հավանում եմ անձնական գրառումը, ո՞վ կարող է դա տեսնել։" + title: "Սահամանափակ գրառումներ" + who_sees_post_a: "Միայն մուտք գործած դիասպորայի օգտատերը, ում ընդգրկել ես այդ խմբում մինչ գրառումը կատարելը։" + who_sees_post_q: "Երբ գրառում եմ անում որևէ խմբի համար (օրինակ՝ սահմանափակ գրառում), ո՞վ կարող է տեսնել։" + private_profiles: + title: "Անձնական էջերի մասին" + whats_in_profile_a: "Կենսագրությունը, տեղակայությունը, սեռը և ծննդյան ամսաիթվը․ էդ ամեն ինչը Անձնական էջի խմբագրման ներքևում պարտադիր չեն լրացման համար (կամավոր են էլի լրիվ ;Ճ)։ Այսինքն՝ լրիվ ազատ ես դրանք լրացնելու կամ չլրացնելու։ Մուտք գործած օգտատերերը, ում հետ դու կիսվում ես, միակ մարդիկ են, ով կարող է դա տեսնել։ Նրանք նաև տեսնում են այն գրառումները, որ կատարել ես այն խմբի կամ խմբերի համար, որտեղ կան իրենք։ Երբ նրանք գալիս են քո անձնական էջ տեսնում են այդ գրառումները և հրապարակայինները իրար հետ խառնած։" + whats_in_profile_q: "Ի՞նչ կա իմ անձնական էջում։" + who_sees_profile_a: "Ցանկացած մուտք գործած օգտատեր, ում հետ կիսվում ես(այսինքն՝ ավելացրել ես խմբերիցդ մեկում)։ Ինչևէ, մարդիկ, ով հետևում են քեզ, բայց ում դու չես հետևում, կարող են տեսնել միայն քո հրապարակային տվյալները։" + who_sees_profile_q: "Ո՞վ է տեսնում իմ անձնական էջը։" + who_sees_updates_a: "Քո խմբերում եղած ցանկացած ոք տեսնում է քո անձնական էջի փոփոխությունները։ " + who_sees_updates_q: "Ո՞վ է տեսնում իմ անձնական էջի թարմացումները։" + public_posts: + can_comment_reshare_like_a: "Ցանկացած մուտք գործած Դիսապրոյաի անդամ կարող է մեկնաբանել, տարածել կամ հավանել քո հրապարակային գրառումը։" + can_comment_reshare_like_q: "Ո՞վ կարող է մեկնաբանել, հավանել կամ տարածել իմ հրապարակային գրառումները։" + deselect_aspect_posting_a: "Խմբեր ապանշելը ոչ մի ազդեցություն չի թողնում հրապարակային գրառումների վրա․ դրանք միևնույն է հրապարակային են և կհայտնվեն բոլոր ընկերներիդ հոսքերում։ Եթե ուզում ես միայն որոշ խմբերի համար գրառում անել, պետք է նշես այդ խմբերը գրառելու դաշտի ներքևում և գրառես միայն իրենց համար։" + deselect_aspect_posting_q: "Ի՞նչ է տեղի ունենում, երբ ապանշում եմ որոշ խմբեր հրապարակային գրառում կատարելիս։" + find_public_post_a: "Հրապարակային գրառումները հայտնվում են քեզ հետևող բոլոր մարդկանց հոսքերում։ Եթե ներառել ես #պիտակներ, այդ պիտակներին հետևող մարդիկ ևս կտեսնեն գրառումդ իրենց հոսքում։ Հրապարակային գրառումն ունի նաև ցանկացած մարդու տեսանելի հղում, անգամ եթե նա դիասպորա մուտք գործած չէ․ այսպիսով հրապարակային գրառումները կարող են հղվել Թուիթերից, բլոգերից և այլ տեղերից։ Հրապարակային գրառումները նաև կարող են ինդեքսավորվել որոնողական համակարգերի կողմից։" + find_public_post_q: "Ինչպե՞ս կարող են մարդիկ գտնել իմ հրապարակային գրառումը։" + see_comment_reshare_like_a: "Հրապարակային գրառումների մեկնաբանությունները, հավանումները կամ տարածումները ևս հրապարակային են։ Դիասպորա մուտք գործած ցանկացած մարդ, ինչպես նաև համացանցում շրջող ցանկացած մեկը կարող է տեսնել հրապարակային գրառման հետ քո «շփումը»։" + see_comment_reshare_like_q: "Երբ ես մեկնաբանում, տարածում կամ հավանում եմ հրապարակային գրառումը, ո՞վ կարող է դա տեսնել։" + title: "Հրապարակային գրառումների մասին" + who_sees_post_a: "Համացանցից օգտվող ցանկացած մարդ պոտենցիալ կարող է տեսնել հրապարակային գրառումը, այնպես որ զգոն եղիր հրապարակային գրառում անելուց։ ;Ճ" + who_sees_post_q: "Երբ գրառում եմ հրապարակայնորեն, ո՞վ կարող է տեսնել։" + public_profiles: + title: "Հպարակայաին էջիս մասին" + what_do_tags_do_a: "Հիմնականում արևի տակ տաքանում են։ ։Ճ Իսկ եթե լուրջ, դրանք օգնում են մարդկանց ճանաչել քեզ, ինչպես նաև քո նկարը կհայտնվի այդ պիտակի էջում մյուս բոլոր մարդկանց հետ, ովքեր դրել են իրենց մոտ այդ պիտակը։" + what_do_tags_do_q: "Ի՞նչ են անում իմ հրապարակային էջի պիտակները։" + whats_in_profile_a: "Քո հրապարակային էջը քո անունն է, օգտանունը, հինգ պիտակները, որ նշել ես քեզ նկարագրելու համար և նկարդ, եթե էս դաշտերը լրացրել ես։ Դու ազատ ես ներառելու և չներառելու այս ինֆորմացիան (ինչպես նաև գրելու այստեղ ինչ ուզես֊չուզես ;Ճ). դաշտերը պարատադիր չեն։ Քո հրապարակային էջը ներառում է նաև քո հրապարակային գրառումները։" + whats_in_profile_q: "Ի՞նչն է իմ հրապարակային էջը։" + who_sees_profile_a: "Ցանկացած դիասպորա մուտք գործած մարդ, ինչպես նաև մնացյալ համացանցը տեսնում է դա։ Ցանկացած էջ ունի ուղիղ հղում դեպի իրեն և այդպիսով կարող է անմիջականորեն հղվել արտաքին կայքերից։ Ինչպես նաև որոնողական համակարգերը ինդեքսավորում են դա։" + who_sees_profile_q: "Ո՞վ է տեսնում իմ հրապարակային էջը։" + who_sees_updates_a: "Ցանկացած ոք կարող է տեսնել փոփոխությունները, եթե այցելի քո էջ։" + who_sees_updates_q: "Ո՞վ է տեսնում իմ հրապարակային էջի թարմացումները։" + resharing_posts: + reshare_private_post_aspects_a: "Ոչ, սահամանափակ գրառումը ընդհանրապես անհնար է տարածել։ Սա գրառողի մտադրությունները հարգելու համար է, ով որոշել է կիսվել միայն սահամանափակ թվով մարդկանց հետ։" + reshare_private_post_aspects_q: "Կարո՞ղ եմ տարածել սահմանափակ գրառումը ընտրված խմբերի համար։" + reshare_public_post_aspects_a: "Ոչ, երբ տարածում ես հրապարակային գրառումը, այն ինքնաբերաբար դառնում է քո հրապարակային գրառումը։ Որպեսզի կիսվես դրանով կոնկրետ խմբերի հետ, պատճենիր ու գրառիր կրկին՝ սահմանափակ։" + reshare_public_post_aspects_q: "Կարո՞ղ եմ տարածել հրապարակային գրառումը ընտրված խմբերի համար։" + title: "Գրառումները տարածելու մասին" + sharing: + add_to_aspect_a1: "Հմ, արի օրինակ նայենք հետևյալ դեպքը․ Շամիրամը ավելացրել է Արային իր խմբերում, բայց Արան (դեռ) չի ավելացրել Շամիրամին։" + add_to_aspect_a2: "Կիսվելու այս ձևն անհամաչափ է։ Երբ ու եթե Արան ևս ավելացնի Շամիրամին իր խմբերից մեկում, կիսվելը կդառնա փոխադարձ, ինչը ոչ միայն հաճելի է, այլ նաև օգտակար․ Արայի ու Շամիրամի հրապարակային և համապատասխան սահմանափակ գրառումները կհայտնվեն մեկը մյուսի հոսքում, Շամիրամը կտեսնի Արայի անձնական էջն ու արդեն կկարողանան իրար անհատական հաղորդագրություններ ուղարկել։" + add_to_aspect_li1: "Արան կստանա ծանուցում, այն մասին, որ Շամիրամը «սկսեց կիսվել» իր հետ։" + add_to_aspect_li2: "Շամիրամը կսկսի տեսնել Արայի հրապարակային գրառումները իր հոսքում։" + add_to_aspect_li3: "Շամիրամը չի տեսնի Արայի որևէ սահմանափակ գրառում։" + add_to_aspect_li4: "Արան չի տեսնի Շամիրամի սահմանափակ կամ հրապարակային գրառումները իր հոսքում։" + add_to_aspect_li5: "Բայց եթե Արան գնա Շամիրամի էջ, ապա կտեսնի Շամիրամի այն խմբի համար կատարած գրառումները, ուր տեղակայված է Արան (ինչպես նաև Շամիրամի հրապարակային գրառումները, որ տեսանելի են բոլորին)։" + add_to_aspect_li6: "Արան կկարողանա տեսնել Շամիրամի հրապարակային էջը (պրոֆիլը՝ նրա մասին, տեղակայությունը, սեռը, ծննդյան ամսաթիվը)։" + add_to_aspect_li7: "Շամիրամը կհայտնվի Արայի կոնտակտների էջի «Միայն ինձ հետ կիսվողները» բաժնում։" + add_to_aspect_li8: "Շամիրամը կկարողանա հիշատակել Արային գրառման մեջ։" + add_to_aspect_q: "Ի՞նչ է տեղի ունենում, երբ ինչ֊որ մեկին ավելացնում եմ իմ խմբերի մեջ, կամ երբ ինչ֊որ մեկն ինձ է ավելացնում իր խմբերի մեջ։" + list_not_sharing_a: "Ոչ, սակայն ստուգել արդյոք որևէ մեկը կիսվում է քեզ հետ, թե ոչ կարող ես այցելելով իր էջ։ Եթե նա կիսվում է,ապա կոճակը, որը ցույց է տալիս իր համար ընտրած խումբդ կլինի կանաչ, եթե ոչ, ապա՝ մոխրագույն։" + list_not_sharing_q: "Կա արդյո՞ք այն մարդկանց ցուցակ, որոնց ես ավելացրել եմ իմ խմբերից որևէ մեկին, իսկ նրանք ինձ՝ ոչ։" + only_sharing_a: "Սրանք այն մարդիկ են, ով ավելացրել է քեզ իր խմբերում, իսկ դու (դեռ) չես ավելացրել նրանց քո խմբերից որևէ մեկին։ Այլ կերպ ասած՝ նրան կիսվում են քո հետ, իսկ դու իրենց հետ չես կիսվում․ կարող ես մտածել, որ նրանք «հետևում են» քեզ(ոչ պարանոյալ իմաստով ։Դ)։ Եթե ավելացնես նրանց որևէ խմբում, կհայտնվեն էդ խմբի տակ և ոչ թե «Միայն ինձ հետ կիսվողները» բաժնում։ Տես վերևում։" + only_sharing_q: "Ովքե՞ր են «Միայն իմ հետ կիսվողները» իմ կոնտակտների էջում։" + see_old_posts_a: "Ոչ։ Նա միայն կկարողանա տեսնել քո հետագա գրառումները այդ խմբի համար։ Նա (և մնացած այլոք) կարող է տեսնել քո հին հրապարակային գրառումները (ինչպես քո էջում, այնպես էլ իրենց լրահոսում)։" + see_old_posts_q: "Երբ նոր մեկին ավելացնում եմ որևէ խումբ, կարո՞ղ է նա տեսնել իմ հին գրառումները նախատեսված այդ խմբի համար։" + sharing_notification_a: "Դու ամենայն հավանականությամբ ծանուցում կստանաս, երբ որևէ մեկը սկսի կիսվել քո հետ։" + sharing_notification_q: "Ինչպե՞ս իմանամ, որ ինչ֊որ մեկը սկսեց կիսվել իմ հետ։" + title: "Կիսվելու մասին" + tags: + filter_tags_a: "Սա դեռ հասանելի չի հենց դիասպորայի միջոցով, բայց %{third_party_tools} կարող է օգնել քեզ։" + filter_tags_q: "Ինչպե՞ս կարող եմ բացառել որոշ պիտակներ իմ լրահոսից։" + followed_tags_a: "Որևէ պիտակ փնտրելուց սեղմելով պիտակի էջի վերևի մասում գտնվող կոճակին՝ կարող ես հետևել դրան։ Դրանից հետո այն կհայտնվի քո հետևվող պիտակների ցուցակում։ Սեղմելով որևէ պիտակի վրա՝ կհայտնվես այդ պիտակի էջում և կտեսնես վերջին գրառումները նշված այդ պիտակով։ Սեղմիր #Հետևվող պիտակներ-ի վրա և կտեսնես բոլոր քո պիտակներով նշված գրառումների հոսք։" + followed_tags_q: "Ի՞նչ է #Հետևվող պիտակներ-ը և ինչպե՞ս կարող եմ հետևել որևէ պիտակի։" + people_tag_page_a: "Դրանք այն մարդիկ են, ովքեր նկարագրել են իրենց այդ պիտակով։" + people_tag_page_q: "Ովքե՞ր են պիտակի էջի ձախ կողմում ցուցադրվող մարդիկ։" + tags_in_comments_a: "Մեկնաբանության մեջ ավելացված պիտակը կլինի հղում դեպի այդ պիտակի էջ, սակայն այդ մեկնաբանությունը չի հայտնվի պիտակի էջում։ Պիտակի էջում հայտնվում են այդ պիտակով գրառումները միայն։" + tags_in_comments_q: "Կարո՞ղ եմ պիտակներ ավելացնել նաև մեկնաբանությունների մեջ, թե՞ միայն գրառումներում։" + title: "Պիտակների մասին" + what_are_tags_for_a: "Պիտակները գրառումը կատեգորիաներով դասակարգելու համար են․ հիմնականում ըստ թեմայի։ Փնտրելով պիտակը՝ դու կտեսնես բոլոր քեզ հասանելի այն հրապարակային և սահմանափակ գրառումները, որոնք նշված են այդ պիտակով։ Սա հնարավորություն է տալիս մարդկանց, ովքեր հետաքրքրված են որևէ թեմայով, գտնել հրապարակային գրառումներ դրա վերաբերյալ։" + what_are_tags_for_q: "Ինչի՞ համար են պիտակները։" + third_party_tools: "երրորդ կողմի գործիքներ" + title_header: "Օգնություն" + tutorial: "ուսուցանող նյութ" + tutorials: "ուսուցանող նյութեր" + wiki: "վիկի" hide: "Թաքցնել" + ignore: "Արհամարհել" invitation_codes: excited: "%{name} ուրախ է քեզ այստեղ տեսնել։" invitations: a_facebook_user: "Facebook-յան օգտատեր" + check_token: + not_found: "Հրավերի համարը(token) չգտնվեց" create: already_contacts: "Այս մարդու հետ արդեն կապ հաստատել ես" already_sent: "Այս մարդուն արդեն հրավիրել ես։" + empty: "Գոնե մի էլ․փոստ գրիր։" no_more: "Այլևս հրավեր ուղարկելու իրավունք չունես։" note_already_sent: "Հրավերները արդեն ուղարկվել են հետևյալ հադցեներին. %{emails}" own_address: "Դու չես կարող հրավեր ուղարկել քո սեփական հասցեին։" - rejected: "Հետևյալ էլ.հասցեների հետ կապված խնդիրներ կան՝ " + rejected: "Հետևյալ էլ. հասցեների հետ կապված խնդիրներ կան՝ " sent: "Հրավերներ ուղարկվեցին հետևյալ անձանց՝ %{emails}" edit: accept_your_invitation: "Ընդունի՛ր հրավերդ" @@ -334,25 +587,27 @@ hy: personal_message: "Անձնական նամակ" resend: "Կրկին ուղարկել" send_an_invitation: "Հրավեր ուղարկել" - send_invitation: "Հրավեր ուղարկել" + send_invitation: "Ուղարկել հրավերը" + sending_invitation: "Հրավերը ուղարկվում է․․․" to: "Ու՞մ" layouts: application: back_to_top: "Թռնել վերև" - powered_by: "DIASPORA*-Ի ՀԻՄԱՆ ՎՐԱ" + powered_by: "Ստեղծել է դիասպորան" public_feed: "%{name}-ի հրապարակային հոսքը Diaspora-ում։" source_package: "ներբեռնել սկզբնական կոդի փաթեթը" toggle: "թոգլ մոբայլ" - whats_new: "ի՞նչ կա" + whats_new: "Ի՞նչ կա" your_aspects: "քո խմբերը" header: - admin: "ղեկավար" + admin: "ադմին" blog: "բլոգ" code: "ծածկագիր" + help: "Օգնություն" login: "մտնել" logout: "Դուրս գալ" - profile: "Անձնական էջ" - recent_notifications: "Վերջին ծանուցումներ" + profile: "Իմ էջը" + recent_notifications: "Վերջին ծանուցումները" settings: "Կարգավորումներ" view_all: "Դիտել ամբողջը" likes: @@ -379,9 +634,9 @@ hy: other: "%{actors} նույնպես մեկնաբանել են %{post_author}-ի %{post_link}-ը։" zero: "%{actors}-ը նույնպես մեկնաբանել է %{post_author}-ի %{post_link}-ը։" also_commented_deleted: - one: "%{actors}-ը մեկնաբանել է ջնջված գրառումը։" - other: "%{actors} մեկնաբանել են ջնջված գրառումը։" - zero: "%{actors} մեկնաբանել են ջնջված գրառումը։" + one: "%{actors} հոգի մեկնաբանել է ջնջված գրառումը։" + other: "%{actors} հոգի մեկնաբանել են ջնջված գրառումը։" + zero: "%{actors} հոգի մեկնաբանել է ջնջված գրառումը։" comment_on_post: one: "%{actors} մեկնաբանեց քո %{post_link}։" other: "%{actors} մեկնաբանեցին քո %{post_link}։" @@ -392,57 +647,106 @@ hy: other: "%{count} նոր ծանուցում" zero: "Նոր ծանուցում չկա" index: - and: "և" + all_notifications: "Բոլոր ծանուցումները" + also_commented: "Եվս մեկնաբանած" + and: "ու" and_others: - one: "ևս մեկը" - other: "ևս %{count}-ը" - zero: "այլևս ոչ ոք" + one: "ու ևս մեկը" + other: "ու ևս %{count}-ը" + zero: "ու այլևս ոչ ոք" + comment_on_post: "Մեկնաբանել գրառումը" + liked: "Հավանած" mark_all_as_read: "Նշել ամբողջը որպես ընթերցված" + mark_all_shown_as_read: "Նշել բոլոր ցուցադրվածները որպես կարդացված։" + mark_read: "Նշել որպես նայած" mark_unread: "Նշել որպես չկարդացված" + mentioned: "Նշվածներ" + no_notifications: "Ոչ մի ծանուցում չունես դեռ։" notifications: "Ծանուցումներ" + reshared: "Տարածվածներ" + show_all: "Ցուցադրել բոլորը" + show_unread: "Ցուցադրել չնայածները" + started_sharing: "Սկսեց կիսվել" liked: one: "%{actors} հավանել է քո %{post_link}ը։" other: "%{actors} հավանել են քո %{post_link}ը։" zero: "%{actors} հավանել են քո %{post_link}ը։" liked_post_deleted: - one: "%{actors}-ը հավանել է քո ջնջված գրառումը։" - other: "%{actors} հավանել են քո ջնջված գրառումը։" - zero: "%{actors} հավանել են քո ջնջված գրառումը։" + one: "%{actors} հոգի հավանել է ջնջված գրառումդ։" + other: "%{actors} հոգի հավանել են ջնջված գրառումդ։" + zero: "%{actors} հոգի հավանել է ջնջված գրառումդ։" mentioned: one: "%{actors} հիշատակեց քեզ %{post_link}-ում։" other: "%{actors} հիշատակեցին քեզ %{post_link}-ում։" zero: "%{actors} հիշատակեցին քեզ %{post_link}-ում։" mentioned_deleted: - one: "%{actors}-ը նշել է քեզ ջնջված գրառման մեջ։" - other: "%{actors} նշել են քեզ ջնջված գրառման մեջ։" - zero: "%{actors} նշել են քեզ ջնջված գրառման մեջ։" - post: "Գրառում" + one: "%{actors} հոգի նշել է քեզ ջնջված գրառման մեջ։" + other: "%{actors} հոգի նշել են քեզ ջնջված գրառման մեջ։" + zero: "%{actors} հոգի նշել է քեզ ջնջված գրառման մեջ։" + post: "գրառում" private_message: - one: "%{actors}-ը քեզ նամակ է ուղարկել։" - other: "%{actors} քեզ նամակ են ուղարկել։" - zero: "%{actors} քեզ նամակ են ուղարկել։" + one: "%{actors} հոգի քեզ նամակ է ուղարկել։" + other: "%{actors} հոգի քեզ նամակ են ուղարկել։" + zero: "%{actors} հոգի քեզ նամակ է ուղարկել։" reshared: one: "%{actors} տարածել է քո %{post_link}։" other: "%{actors} տարածել են քո %{post_link}։" zero: "%{actors} տարածել է քո %{post_link}։" reshared_post_deleted: - one: "%{actors} տարածել է քո ջնջված գրառումը։" - other: "%{actors} տարածել են քո ջնջված գրառումը։" - zero: "%{actors} տարածել է քո ջնջված գրառումը։" + one: "%{actors} հոգի տարածել է ջնջված գրառումդ։" + other: "%{actors} հոգի տարածել են ջնջված գրառումդ։" + zero: "%{actors} հոգի տարածել է ջնջված գրառումդ։" started_sharing: - one: "%{actors} սկսեց կիսվել հետդ։" - other: "%{actors} սկսեցին կիսվել հետդ։" - zero: "%{actors} սկսեցին կիսվել հետդ։" + one: "%{actors} հոգի սկսեց կիսվել հետդ։" + other: "%{actors} հոգի սկսեցին կիսվել հետդ։" + zero: "%{actors} հոգի սկսեց կիսվել հետդ։" notifier: + a_limited_post_comment: "Նոր մեկնաբանություն կա Դիասպորայում սահամանափակ գրառման տակ․ նայիր։" a_post_you_shared: "գրառումը։" + a_private_message: "Դիասպորայում նոր անձնական նամակ ունես․ աչքի անցկացրու։" accept_invite: "Ընդունի՛ր քո՝ Diaspora*-ի հրավերը։" click_here: "սեղմի՛ր այստեղ" comment_on_post: reply: "Պատասխանիր կամ տես %{name}-ի գրառումը >" confirm_email: - click_link: "Որպեսզի ակտիվացնես քո նոր էլ.հասցեն՝ %{unconfirmed_email}, հետևիր այս հղմանը՝" + click_link: "Որպեսզի ակտիվացնես քո նոր %{unconfirmed_email} էլ.հասցեն, հետևիր այս հղմանը՝" subject: "Ակտիվացրու քո նոր էլ.հասցեն՝ %{unconfirmed_email}" email_sent_by_diaspora: "Այս նամակը ուղարկվել է %{pod_name}-ի կողմից։ Եթե այլևս չեք ուզում ստանալ նմանատիպ նամակներ," + export_email: + body: |- + Ողջո՜ւյն, %{name}, ։Ճ + + Քո տվյալները մշակվեցին և պատրաստ են ներբեռնվելու համար հետևյալ [հղմամբ](%{url})։ + + Սիրով, դիասպորայի էլ․ նամակների ժրաջան ռոբոտ։ + subject: "Քո անձնական տեղեկատվությունը պատրաստ է ներբեռնելու համար, %{name}։" + export_failure_email: + body: |- + Ողջո՜ւյն, %{name}, ։Ճ + Մեզ մոտ խնդիրներ առաջացան քո տվյալները ներբեռնելու համար մշակելիս։ + Խնդրում եմ․ նորից փորձիր։ + Կնրերես, + + Սիրով, դիասպորայի էլ․ նամակների ժրաջան ռոբոտ։ + subject: "Ներողություն, քո տվյալների հետ ինչ֊որ խնդիր առաջացավ, %{name}։" + export_photos_email: + body: |- + Ողջո՜ւյն, %{name}, + + Քո նկարները արդեն մշակվեցին ու պատրաստ են ներբեռնվելու համար ահա [այս հղմամբ](%{url})․ + + Սիրով, դիասպորայի էլ․ նամակների ժրաջան ռոբոտից։ + subject: "Նկարներդ պատրաստ են ներբեռնվելու համար, %{name}" + export_photos_failure_email: + body: |- + Ողջո՜ւյն, %{name}, + + Մեզ մոտ խնդիր առաջացավ քո նկարները ներբեռնելու համար մշակելիս։ + Խնդրում եմ․ նորից փորձիր։ + + կներես, + դիասպորայի էլ․ նամակների ժրաջան ռոբոտ։ + subject: "%{name}, նկարներիդ հետ ինչ֊որ խնդիր առաջացավ։" hello: "Ողջու՜յն, %{name}։" invite: message: |- @@ -465,12 +769,46 @@ hy: liked: "%{name}-ը հավանել է քո գրառումը" view_post: "Նայել գրառումը >" mentioned: - mentioned: "նշել է քեզ գրառման մեջ։" + mentioned: "նշել է քեզ գրառման մեջ․" subject: "%{name}-ը նշել է քեզ Diaspora*-ում" private_message: reply_to_or_view: "Պատասխանիր կամ տես այս երկխոսությունը >" + remove_old_user: + body: |- + Ողջույն, + + Էնպիսի տպավորություն է, որ այլևս չունես %{pod_url}֊ի քո հաշվի կարիքը, քանի որ չես օգտագործել այն արդեն %{after_days} օր։ Որպեսզի դիասպորայի ակտիվ օգտատերերը հանգիստ ու հարմար օգտագործեն դիասպորայի այս փոդը, մենք ուզում ենք ջնջել այն հաշիվները, որոնց կարիքն էլ չկա։ + + Մենք շատ ենք ուզում, որ մնաս դիասպորայի համայնքի մաս ու ազատ ես մեր հետ մնալու, եթե ցանկություն ունես։ + + Եթե ուզում ես, որ հաշիվդ չփակվի, պետք է ընդամենը մուտք գործես քո հաշիվ մինչ %{remove_after}։ Երբ մուտք գործես, մի քիչ պտտվիր դիասպորայով։ Այն շատ է փոխվել քո վերջին այցելությունից հետո, տես ինչ նորություններ կան, տես ոնց է այն լավացել։ Հետևիր #պիտակների, որ գտնես քո սիրած բաները։ + + Մուտք գործիր այստեղ․ %{login_url}։ Եթե մոռացել ես քո մուտք գործելու տվյալները, կարող ես հիշեցում ստանալ այդ էջից։ + + Դե, մի՜նչ հանդիպում ;Ճ, + + Սիրով, դիասպորայի էլ․ նամակների ժրաջան ռոբոտ։ + subject: "Դիասպորայի քո հաշիվը որոշվել է ջնջել ակտիվ չլինելու պատճառով։" + report_email: + body: |- + Ողջույն, + + %{type}֊ը %{id} ID֊ով նշվել է որպես վիրավորական։ + + [%{url}][1] + + Խնդրում եմ աչքի անցկացրո՛ւ հնարավորինս շուտ։ + + + Սիրով, դիասպորայի էլ․ նամակների ժրաջան ռոբոտ։ + + [1]․ %{url} + subject: "Եվս մի %{type} նշվել է որպես վիրավորական" + type: + comment: "մեկնաբանություն" + post: "գրառում" reshared: - reshared: "%{name}-ը տարածեց քո գրառումը" + reshared: "%{name}-ը տարածել է քո գրառումը" view_post: "Նայել գրառումը >" single_admin: admin: "Diaspora-ի քո ադմինիստրատոր" @@ -478,7 +816,7 @@ hy: started_sharing: sharing: "սկսեց կիսվել քո հետ։" subject: "%{name}-ը սկսեց կիսվել քո հետ Diaspora*-ում" - view_profile: "Տես %{name}-ի անձնական էջը" + view_profile: "Տես %{name}-ի էջը" thanks: "Շնորհակալություն," to_change_your_notification_settings: "ծանուցումների կարգավորումները փոխելու համար" nsfw: "քըխ" @@ -488,23 +826,26 @@ hy: password_confirmation: "Գաղտնաբառի հաստատում" people: add_contact: - invited_by: "քեզ հրավիրել է" + invited_by: "Քեզ հրավիրել է" add_contact_small: add_contact_from_tag: "Ավելացնել կոնտակտ թեգից" aspect_list: edit_membership: "փոփոխել խմբի անդամներին" - few: "%{count} մարդ" helper: + is_not_sharing: "%{name}֊ը հետդ չի կիսվում" + is_sharing: "%{name} սկսեց կիսվել քո հետ ։)" results_for: " արդյունքներ %{params}-ի համար" index: - looking_for: "%{tag_link} պիտակո՞վ գրառումներ ես փնտրում։" - no_one_found: "...և ոչ ոք չգտնվեց։" - no_results: "Հե՜յ։ Մի բան գտնելու կարիք ունես։" + couldnt_find_them: "Չկարողացա՞ր նրանց գտնել։" + looking_for: "%{tag_link} պիտակով գրառումնե՞ր ես փնտրում։" + no_one_found: "...և ոչինչ չգտնվեց։" + no_results: "Հե՛յ, պետք է կոնկրետ մի բան փնտրես։" results_for: "որոնման արդյունքները" + search_handle: "Օգտագործիր(username@pod.am) դիասպորայի ID-ին, որ հաստատ գտնես ընկերներիդ։" searching: "փնտրվում է, խնդրում ենք լինել համբերատար..." - many: "%{count} մարդ" + send_invite: "Դեռ ոչի՞նչ։ Հրավեր ուղարկի՛ր։" one: "1 հոգի" - other: "%{count} մարդ" + other: "%{count} հոգի" person: add_contact: "Ընդլայնել կապերը:" already_connected: "Արդեն կապված եք:" @@ -513,18 +854,19 @@ hy: profile_sidebar: bio: "կենսագրություն" born: "ծննդյան ամսաթիվ" - edit_my_profile: "Խմբագրել իմ անձնական էջը" + edit_my_profile: "Խմբագրել իմ էջը" gender: "սեռ" in_aspects: "խմբերում" - location: "տեղակայություն" + location: "Տեղակայություն" + photos: "Նկարները" remove_contact: "ջնջել ընկերոջը" remove_from: "Ջնջե՞լ %{name}-ին %{aspect} խմբից։" show: - closed_account: "Այս հաշիվը փակված է։" + closed_account: "Այս հաշիվը փակվել է։" does_not_exist: "Այս անձը գոյություն չունի։ Համենայն դեպս Diaspora-ում։" - has_not_shared_with_you_yet: "%{name}-ը չի կիսվել քո հետ որևէ գրառմամբ։" + has_not_shared_with_you_yet: "%{name}-ը դեռ չի կիսվել քո հետ որևէ գրառմամբ։" ignoring: "Դու արհամարհում ես %{name}-ի բոլոր գրառումները։" - incoming_request: "%{name}-ը ցանկանում է կիսվել քեզ հետ։" + incoming_request: "%{name}-ը ցանկանում է կիսվել քեզ հետ" mention: "Նշել" message: "Հաղորդագրություն" not_connected: "Այս մարդու հետ չես կիսվում։" @@ -538,7 +880,6 @@ hy: add_some: "ավելացներ որևէ" edit: "խմբագրել" you_have_no_tags: "դու չունես որևէ պիտակ։" - two: "%{count} մարդ" webfinger: fail: "Կներես, մենք չկարողացանք գտնել %{handle}։" zero: "մարդ չկա" @@ -558,6 +899,7 @@ hy: post_it: "հրապարակի՛ր սա" new_photo: empty: "{file}-ը դատարկ է, կրկին ընտրիր ֆայլերը առանց դրա։" + invalid_ext: "{file}֊ը անհամապատասխան ընդլայնման է։ Միայն {extensions} են թույլատրվում։" size_error: "{file}-ը չափից դուրս մեծ է, առավելագույն չափն է՝ {sizeLimit}։" new_profile_photo: or_select_one_existing: "կամ ընտրիր արդեն գոյություն ունեցող նկարներիցդ մեկը՝ %{photos}" @@ -568,7 +910,7 @@ hy: collection_permalink: "հավաքածուի սկզբնաղբյուրը" delete_photo: "Ջնջել նկարը" edit: "խմբագրել" - edit_delete_photo: "Փոխել նկարի նկարագրությունը կամ ջնջել նկարը" + edit_delete_photo: "Փոխել նկարի նկարագրությունը կամ ջնջել այն" make_profile_photo: "դարձնել գլխավոր նկար" show_original_post: "Ցույց տալ սկզբնական գրառումը" update_photo: "Փոխել նկարը" @@ -585,25 +927,30 @@ hy: photos_by: one: "Մեկ նկար %{author}-ից" other: "%{count} նկար %{author}-ից" - zero: "Ոչ մի նկար %{author}-ից" + zero: "%{author}-ը ոչ մի նկար չունի" reshare_by: "տարածվել է %{author}-ից" previous: "նախորդ" - privacy: "Անձնական" - privacy_policy: "Անձնական քաղաքականություն" - profile: "Անձնական էջ" + privacy: "Գաղտնիություն" + privacy_policy: "Գաղտնիության քաղաքականություն" + profile: "Իմ էջը" profiles: edit: allow_search: "Թույլատրել մարդկանց փնտրել քեզ Diaspora-ի սահմաններում" - edit_profile: "Խմբագրել անձնական էջը" + edit_profile: "Խմբագրել իմ էջը" first_name: "Անուն" last_name: "Ազգանուն" - update_profile: "Թարմացնել անձնական էջը" + nsfw_check: "Նշել բոլոր իմ գրառածները որպես ՔԽ" + nsfw_explanation: |- + Լատինատառ NSFW («not safe for work»` ոչ ապահով աշխատանքի համար) պիտակը դիասպորայի ինքնավար համայնքի ստանդարտն է այնպիսի բովանդակության համար, որ անհարմար կլինի դիտել աշխատավայրում։ Եթե նախատեսում ես նմանատիպ նյութեր հաճախ դնել, խնդրում ենք նշել այս կետը, որպեսզի քո բոլոր գրառումները թաքցվեն մարդկանց լրահոսերից, եթե նրանք չեն ընտրել դիտել դրանք։ + Հայերենում կիրառում ենք նաև ՔԽ պիտակը։ + nsfw_explanation2: "Եթե չընտրես այս տարբերակը, խնդրում ենք ավելացնել #nsfw պիտակը ամեն անգամ, երբ նման բովանդակությամբ գրառում կանես։ (Հայերենում «նման բովանդակության» գրառումները կոչել ենք քխ, սակայն քանի որ դա չի թաքցնում գրառումները, ապա պետք է նշել լատինատառ թեգը, որպեսզի գրառումը իրոք դիտարկվի դիասպորայի կողմից որպես քխ։" + update_profile: "Թարմացնել իմ էջը" your_bio: "Կենսագրություն" your_birthday: "Ծննդյան ամսաթիվ" your_gender: "Սեռ" your_location: "Որտե՞ղ ես" your_photo: "Քո նկարը" - your_private_profile: "Քո անձնական էջը" + your_private_profile: "Քո էջը" your_public_profile: "Քո հրապարակային էջը" your_tags: "Նկարագրիր քեզ 5 բառով" your_tags_placeholder: "օրինակ՝ #կինոնկար #կատուներ #ճանապարհորդություն #ուսուցիչ #Երևան" @@ -620,7 +967,7 @@ hy: create: success: "Դու միացար Diaspora-ին։" edit: - cancel_my_account: "Փակել հաշիվս" + cancel_my_account: "Չեղարկել հաշիվս" edit: "Փոփոխել %{name}-ը" leave_blank: "(թող դատարկ, եթե չես ուզում փոխել դա)" password_to_confirm: "(փոփոխությունները հաստատելու համար հարկավոր է քո ներկայիս գաղտնաբառը)" @@ -628,27 +975,42 @@ hy: update: "Թարմացնել" invalid_invite: "Հրավերի հղոմը, որ տվել ես, այլևս վավեր չէ։" new: - continue: "Շարունակել" create_my_account: "Ստեղծե՜լ իմ հաշիվը" - diaspora: "<3 Diaspora*" - email: "ԷԼ.ՀԱՍՑԵ" - enter_email: "Մուտքագրիր էլ.հասցե" + email: "Էլ․ հասցե" + enter_email: "Մուտքագրիր էլ. հասցե" enter_password: "Մուտքագրիր գաղտնաբառ (առնվազն վեց նիշ)" enter_password_again: "Մուտքագրիր նույն գաղտնաբառը" enter_username: "Ընտրիր օգտանուն (միայն տառեր, թվեր և _)" - hey_make: "ՀԵ՜Յ,
ՍՏԵՂԾԻ՛Ր
ՄԻ ԲԱՆ" - join_the_movement: "Միանա՜լ շարժմանը" - password: "ԳԱՂՏՆԱԲԱՌ" + join_the_movement: "Միանալ շարժմա՜նը։" + password: "Գաղտնաբառ" password_confirmation: "ԳԱՂՏՆԱԲԱՌԻ ՀԱՍՏԱՏՈՒՄ" - sign_up: "ԳՐԱՆՑՎԵԼ" + sign_up: "Գրանցվել" sign_up_message: "♥-ով լի սոցիալական ցանց" - username: "ՕԳՏԱՆՈՒՆ" + submitting: "Ուղարկվում է․․․" + terms: "Ստեղծելով հաշիվ ընդունում ես %{terms_link}։" + terms_link: "օգտագործման պայմանները" + username: "Օգտանուն" + report: + comment_label: "Մեկնաբանություն․
%{data}" + confirm_deletion: "Համոզվա՞ծ ես գրառումը ջնջելու հարցում։" + delete_link: "Ջնջել սա" + not_found: "Գրառումը/մեկնաբանությունը չգտնվեց։ Կարծես թե օգտատերը ջնջել է դա։
" + post_label: "Գրառում․ %{title}" + reason_label: "Պատճառ՝ %{text}" + reported_label: "Բողոքողը՝ %{person}" + review_link: "Նշել որպես դիտված" + status: + created: "Զեկույց է ստեղծվել" + destroyed: "Գրառումը վերացվել է" + failed: "Ինչ֊որ բան սխալ գնաց" + marked: "Զեկույցը նշվել է որպես դիտված" + title: "Բողոքների մասին՝ ընդհանուր" requests: create: sending: "Ուղարկվում է" sent: "%{name}-ին առաջարկել ես ընկերանալ։ Առաջարկդ կտեսնի, երբ հաջորդ անգամ Diaspora մուտք գործի։" destroy: - error: "Խումբ ընտրիր" + error: "Պետք է խումբ ընտրես։" ignore: "Արհամարհված ընկերանալու հայտ" success: "Դու հիմա կիսվում ես" helper: @@ -662,39 +1024,45 @@ hy: new_request_to_person: sent: "ուղարկվեց" reshares: + comment_email_subject: "%{resharer}֊ը տարածել է %{author}֊ի գրառումը" create: - failure: "Գրառումը տարածելիս խնդիրներ առաջացան։" + failure: "Գրառումը տարածելիս խնդիր առաջացավ։" reshare: deleted: "Օրիգինալ գրառումը ջնջվել է հեղինակի կողմից։" reshare: one: "մեկը տարածել է" - other: "%{count}-ը տարածել են" + other: "%{count} հոգի տարածել են" zero: "Ոչ ոք չի տարածել" reshare_confirmation: "Տարածե՞լ %{author}-ի գրառումը" reshare_original: "Տարածել բնօրինակը" reshared_via: "Տարածվել է" show_original: "Ցույց տալ բնօրինակը" - search: "Որոնում" + search: "Որոնել" services: create: - failure: "Նույնականացումը չստացվեց" + already_authorized: "Դիասպորայի %{diaspora_id} օգտատերը արդեն վավերացրել է %{service_name} հաշիվը։" + failure: "Նույնականացումը չստացվեց։" + read_only_access: "Քեզ միայն հասանելի է կարդալը, փորձիր մի անգամ էլ մուտք գործել մի քիչ ուշ" success: "Նույնականացումը բարեհաջող անցավ։" destroy: success: "Նույնականացումը բարեհաջող ջնջվեց։" failure: error: "Այդ ծառայությունը միացնելիս խնդիրներ առաջացան" finder: + fetching_contacts: "դիասպորան «միացնում է» %{service}ի քո ընկերներին։ մի քանի րոպեից հետ արի։" no_friends: "Facebook-ից ընկերներ չգտնվեցին։" service_friends: "%{service}-ի ընկերները" index: connect_to_facebook: "Միացնել Facebook-ին" connect_to_tumblr: "Միացնել Tumblr-ին" connect_to_twitter: "Միացնել Twitter-ին" + connect_to_wordpress: "Միացնել Wordpress֊ին" disconnect: "խզել կապը" edit_services: "Փոփոխել ծառայությունները" logged_in_as: "համակարգում ես որպես" no_services: "Դեռևս որևիցե ծառայություն չես միացրել։" really_disconnect: "խզե՞լ կապը %{service}-ի հետ" + services_explanation: "Այլ ծառայություններ միացնելը հնարավորություն է տալիս հրապարակել քո գրառումները այդ ծառայություններով Սփյուռքում գրառելուն զուգընթաց։" inviter: click_link_to_accept_invitation: "Անցիր այս հղումով, որ ընդունես քո հրավերը" join_me_on_diaspora: "Միացի՛ր ինձ DIASPORA*-ում" @@ -717,6 +1085,12 @@ hy: your_diaspora_username_is: "Քո Diaspora-ի օգտանունն է՝ %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Ավելացնել" + mobile_row_checked: "%{name} (ջնջել)" + mobile_row_unchecked: "%{name} (ավելացնել)" + toggle: + one: "%{count} խումբ" + other: "%{count} խումբ" + zero: "Ավելացնել " contact_list: all_contacts: "Բոլոր ընկերները" footer: @@ -731,7 +1105,7 @@ hy: invite_your_friends: "Կանչի՛ր ընկերներիդ" invites: "Հրավերներ" invites_closed: "Ներկայից պահին հրավերները հասանելի չեն Diaspora-ի այս փոդում։" - share_this: "Տարածի՛ր այս հղումը էլ.հասցեի, բլոգի կամ սիրելի սոցիալական ցանցի միջոցով։" + share_this: "Տարածի՛ր այս հղումը էլ.հասցեի, բլոգի կամ այլ սոցիալական ցանցի միջոցով։" notification: new: "Նոր %{type} %{from}-ից" public_explain: @@ -742,19 +1116,33 @@ hy: new_user_welcome_message: "Օգտագործիր #hashպիտակները՝ գրառումներդ դասակարգելու և հետաքրքրություններդ կիսող մարդկանց գտնելու համար։ Նշիր ընկերներիդ՝ օգտագործելով @Հիշատակել" outside: "Հրապարակային գրառումները տեսանելի կլինեն Diaspora-ից դուրս։" share: "Կիսվել" + title: "Կարգավորել միացված ծառայությունները" visibility_dropdown: "Սեղմիր այս սլաքը՝ քո գրառման տեսանելիությունը ընտրելու համար։ (Խորհուրդ կտանք՝ այս առաջինը հրապարակային նշես։)" publisher: all: "բոլորը" all_contacts: "բոլոր կոնտակտները" + discard_post: "Չեղարկել գրառումը" + formatWithMarkdown: "Կարող ես օգտագործել %{markdown_link} ֊ը , որպեսզի ձևավորես քո գրառումը" + get_location: "Պարզել քո տեղակայությունը" make_public: "դարձնել հանրամատչելի" new_user_prefill: hello: "Ողջու՛յն, ժողովուրդ, #%{new_user_tag}։ " i_like: "Իմ հետաքրքրություններն են՝ %{tags}։ " invited_by: "Շնորհակալություն հրավերի համար, " newhere: "ԵսՆորեկԵմ" + poll: + add_a_poll: "Հարցում ավելացնել" + add_poll_answer: "Ավելացնել տարբերակ" + option: "Տարբերակ 1" + question: "Հարց" + remove_poll_answer: "Ջնջել տարբերակը" post_a_message_to: "Գրառել %{aspect}ի կոնտակտների համար" posting: "Գրառվում է..." + preview: "Նախադիտել" + publishing_to: "հրապարակվում է դեպի " + remove_location: "Ջնջել տեղակայությունը" share: "Կիսվել" + share_with: "կիսվել" upload_photos: "Վերբեռնել նկարները" whats_on_your_mind: "Ի՞նչ կա մտքիդ։" reshare: @@ -768,11 +1156,34 @@ hy: ignore_user_description: "Ուզում ե՞ս արհամարհել օգտատիրոջն ու ջնջել նրան բոլոր խմբերից" like: "Հավանել" nsfw: "Այս գրառումը նշված է որպես NSFW հեղինակի կողմից։ %{link}" + shared_with: "Տարածվածը տեսանելի է %{aspect_names}֊ին" show: "ցուցադրել" unlike: "Ապահավանել" via: "ըստ %{link}" via_mobile: "հեռախոսով" viewable_to_anyone: "Այս գրառումը տեսանելի է համացանցում ամենքին" + simple_captcha: + label: "Ներմուծիր կոդը տուփիկում․" + message: + default: "Գաղտնի կոդը չի համապատասխանում նկարին" + failed: "Կարող ա՞ մարդ չես։ Մարդ լինելու ստուգումը տապալվեց։ Մի հատ կստուգվես։ ;)" + user: "Գաղտնի կոդը և նկարը տարբեր են" + placeholder: "Ներմուծիր նկարի արժեքը" + statistics: + active_users_halfyear: "Կես տարում ակտիվ օգտատերեր" + active_users_monthly: "Ամսական ակտիվ օգտատերեր" + closed: "Փակ" + disabled: "Անհասանելի" + enabled: "Հասանելի" + local_comments: "Ներքին մեկնաբանություններ" + local_posts: "Ներքին գրառումներ" + name: "Անուն" + network: "Ցանց" + open: "Բաց" + registrations: "Գրանցումներ" + services: "Ծառայություններ" + total_users: "Ընդհանուր օգտատերեր" + version: "Վարկած" status_messages: create: success: "%{names} բարեհաջող հիշատակվեցին" @@ -782,12 +1193,11 @@ hy: no_message_to_display: "Նամկներ չկան ցույց տալու համար" new: mentioning: "Հիշատակելով %{person}-ին" - too_long: - one: "պակասեցրու գրառումդ %{count} նիշով " - other: "պակասեցրու գրառումդ %{count} նիշով" - zero: "պակասեցրու գրառումդ %{count} նիշով" + too_long: "{\"one\"=>\"պակասեցրու գրառումդ %{count} նիշով \", \"other\"=>\"պակասեցրու գրառումդ %{count} նիշով\", \"zero\"=>\"պակասեցրու գրառումդ %{count} նիշով\"}" stream_helper: hide_comments: "Թաքցնել բոլոր մեկնաբանությունները" + no_more_posts: "Հասել ես լրահուսի վերջին։ Կանգ ա՛ռ մի պահ։" + no_posts_yet: "Գրառումներ դեռ չկան" show_comments: one: "Ցուցադրել ևս մեկ մեկնաբանություն" other: "Ցուցադրել ևս %{count} մեկնաբանություն" @@ -810,19 +1220,19 @@ hy: followed_tags_stream: "#Հետևվող Պիտակներ" like_stream: contacts_title: "Մարդիկ, ում գրառումները դու հավանել ես" + title: "Հավանել հոսքը" mentioned_stream: "@Հիշատակումներ" mentions: contacts_title: "Մարդիկ, ովքեր հիշատակել են քեզ" title: "@Հիշատակումներ" multi: - contacts_title: "Լրահոսիդ ժողովուրդը" + contacts_title: "Լրահոսիդ մարդիկ" title: "Լրահոս" public: contacts_title: "Վերջին գրառում կատարողները" title: "Հանրային ակտիվություն" tags: contacts_title: "Մարդիկ, ովքեր հայթայթել են այս պիտակը" - tag_prefill_text: "Բանը նրանում է, որ %{tag_name}-ը... " title: "%{tags} պիտակով գրառումները" tag_followings: create: @@ -833,14 +1243,16 @@ hy: failure: "Չստացվեց դադարել #%{name}-ին հետևել։ Միգուցե արդեն դադարե՞լ էիր հետևել դրան։" success: "Սատանան տանի՜։ Դու այլևս չես հետևում #%{name} պիտակին։" tags: + name_too_long: "Պիտակի անվանում է պետք է լինի %{count}ից քիչ նիշ։ Այժմ %{current_length} նիշ է։ Մի քանի նիշ կրճատի՛ր։" show: follow: "Հետևել #%{tag}" following: "Հետևում ես #%{tag}-ին" - nobody_talking: "Դեռ ոչ ոք չի խոսում %{tag}-ի մասին" none: "Դատարկ պիտակ գոյություն չունի։" - people_tagged_with: "%{tag}-ով պիտակավորված մարդիկ" - posts_tagged_with: "Գրառումը պիտակավորված է #%{tag}-ով" stop_following: "Դադարել հետևել #%{tag}-ին" + tagged_people: + one: "Մի հոգի ուն %{tag} պիտակը" + other: "%{count} մարդ ունի %{tag} պիտակը" + zero: "Ոչ մեկ չունի %{tag} պիտակը" terms_and_conditions: "Պայմաններ ու դրույթներ" undo: "Չեղարկե՞լ" username: "Օգտանուն" @@ -865,30 +1277,39 @@ hy: dont_go: "Հեե՜յ, մի հեռացիր, այստեղ լավ է։" if_you_want_this: "Եթե իրոք վստահ ես, ապա ստորև մուտքագրիր գաղտնաբառդ և սեղմիր \"Փակել հաշիվս\"" lock_username: "Արդյունքում ներկայիս օգտանունդ արգելափակվելու է, եթե որոշես հետագայում ետ գրանցվել։" + locked_out: "Դուք դուրս կգաք Ձեր հաշվից և այլևս երբեք չեք կարողանա մտնել։" make_diaspora_better: "Կուզենայինք, որ օգնեիր դարձնել Diaspora-ն առավել լավ, այնպես որ հեռանալու փոխարեն լավ կլիներ, որ օգնեիր մեզ այդ հարցում։ Բայց եթե որոշել ես գնալ, ապա ծանոթացիր, թե ինչ կլինի դրա արդյունքում՝" mr_wiggles: "Պրն. Փիսոն կտխրի, եթե դու գնաս" no_turning_back: "Առայժմ ետդարձի ճանապարհ չկա։" - what_we_delete: "Մենք ջնջում ենք քո բոլոր գրառումները, անձնական տվյալները ինչքան հնարավոր է շուտ։ Քո մեկնաբանությունները դեռ շրջանառության մեջ կլինեն, բայց կապված կլինեն Diaspora ID-իդ հետ։" + what_we_delete: "Մենք ջնջում ենք քո բոլոր գրառումները, անձնական տվյալները ինչքան հնարավոր է շուտ։ Քո մեկնաբանությունները դեռ շրջանառության մեջ կլինեն, բայց կապված կլինեն դիասպորայի ID-իդ հետ։" close_account_text: "Փակել հաշիվս" comment_on_post: "...որևէ մեկը մեկնաբանում է քո գրառման տա՞կ։" current_password: "Ներկայիս գաղտնաբառ" current_password_expl: "որով մուտք ես գործել..." + download_export: "Ներբեռնել իմ էջը" + download_export_photos: "Ներբեռնել իմ նկարները" download_photos: "ներբեռնել իմ նկարները" - download_xml: "ներբեռնել իմ xml-ը" edit_account: "Խմբագրել հաշիվը" email_awaiting_confirmation: "Մենք ուղարկեցինք ակտիվացման հղում հետևյալ էլ.հասցեին՝ %{unconfirmed_email}։ Բայց մինչ դու կանցնես տվյալ հղմամբ և կակտիվացնես քո նոր հասցեն, մենք կշարունակենք օգտագործել քո սկզբնական՝ %{email} էլ.հասցեն։" export_data: "Դուրս բերել տվյալները" + export_in_progress: "Էս պահին վերամշակում ենք քո տվյալները։ Մի քանի րոպեից հետ արի։" + export_photos_in_progress: "Հիմա քո նկարները մշակում ենք։ Մի քանի րոպեից հետ արի։" following: "Հետևելու կարգավորումներ" getting_started: "Նոր օգտատերի արտոնությունները" + last_exported_at: "(Վերջին անգամ թարմացվել է %{timestamp}֊ին)" liked: "...որևէ մեկը հավանել է քո գրառու՞մը։" mentioned: "...քեզ հիշատակել են գրառման մե՞ջ։" new_password: "Նոր գաղտնաբառ" - photo_export_unavailable: "Հիմա նկար չես կարող դուրս բերել" private_message: "...անձնական նամա՞կ ես ստանում։" receive_email_notifications: "Ստանալ ծանուցումներ էլ.հասցեին, երբ..." + request_export: "Ստանալ իմ էջի տվյալները" + request_export_photos: "Ստանալ իմ նկարները" + request_export_photos_update: "Թարմացնել իմ նկարների պահեստը" + request_export_update: "Թարմացնել էջիս մասին տեղեկատվությունը պահեստում" reshared: "...որևէ մեկը տարածում է քո գրառու՞մը։" show_community_spotlight: "Ցուցադրե՞լ համայնքի նորութությունները լրահոսումդ։" show_getting_started: "Վերականգնել առաջին անգամ քեզ ողջունած էկրանը" + someone_reported: "ինչ֊որ մեկը զեկուցում է։" started_sharing: "...որևէ մեկը սկսում է կիսվե՞լ քեզ հետ։" stream_preferences: "Հոսքի նախընտրությունները" your_email: "Էլ.հասցեն" @@ -896,7 +1317,9 @@ hy: getting_started: awesome_take_me_to_diaspora: "Զի՛լ է։ Տար ինձ Diaspora*" community_welcome: "Diaspora-ի համայնքը ուրախ է տեսնել քեզ այստեղ։" + connect_to_facebook: "Մենք կարողենք ամենը մի քիչ արագացնել %{link} Դիասպորային։ Դա կներմուծի քո անունը, նկարը և հնարավոր կդարձնի գրառելը երկու տեղում միաժամանակ(cross-posting)։" connect_to_facebook_link: "միացրու քո ֆեյսբուքյան հաշվին" + hashtag_explanation: "Հեշթեգերը թույլ են տալիս խոսել քո հետաքրքրությունների մասին և հետևել դրանց։ Ինչպես նաև ահավոր հավես ձև է Սփյուռքում* նոր մարդկանց գտնելու համար։" hashtag_suggestions: "Փորձիր հետևել պիտակներ, ինչպիսիք են #արվեստ #կինոնկար #gif և այլն։" saved: "Պահված է" well_hello_there: "Դե ինչ, ողջու՜յն։" @@ -904,7 +1327,9 @@ hy: who_are_you: "Ո՞վ ես դու։" privacy_settings: ignored_users: "Արհամարհված օգտատերեր" + no_user_ignored_message: "Հիմա էլ ոչ մեկին չես արհամարհում" stop_ignoring: "Դադարել արհամարհելը" + strip_exif: "Հեռացնել վերբեռնվող նկարներից մետադատան, ինչպես օրինակ՝ տեղակայությունը, հեղինակին, տեսախցիկի մոդելը (խորհուրդ է տրվում)" title: "Գաղտնիության կարգավորումներ" public: does_not_exist: "%{username} օգտատերը գոյություն չունի։" @@ -920,6 +1345,11 @@ hy: settings_updated: "Կարգավորումները թարմացված են" unconfirmed_email_changed: "Էլ.հասցեն փոխված է և ակտիվացնելու կարիք ունի։" unconfirmed_email_not_changed: "Էլ.հասցեի փոփոխումը չհաջողվեց" + webfinger: + fetch_failed: "չստացվեց ստանալ(fetch) webfinger profile֊ը %{profile_url}ի համար։" + hcard_fetch_failed: "%{account} հաշվի hcard֊ը միացնելիս(fetching) խնդիրներ առաջացան" + no_person_constructed: "Անհնար եղավ այս hcard֊ից մարդ ձևավորել։" + xrd_fetch_failed: "%{account} հաշվից xrd ստանալիս սխալ եղավ" welcome: "Բարի գալու՜ստ" will_paginate: next_label: "հաջորդ »" diff --git a/config/locales/diaspora/ia.yml b/config/locales/diaspora/ia.yml index 584a9c414..36f94343e 100644 --- a/config/locales/diaspora/ia.yml +++ b/config/locales/diaspora/ia.yml @@ -12,6 +12,8 @@ ia: _home: "Initio" _photos: "photos" _services: "Servicios" + _statistics: "Statisticas" + _terms: "terminos" account: "Conto" activerecord: errors: @@ -24,6 +26,14 @@ ia: attributes: diaspora_handle: taken: "es jam in uso." + poll: + attributes: + poll_answers: + not_enough_poll_answers: "Insufficiente optiones de sondage." + poll_participation: + attributes: + poll: + already_participated: "Tu ha jam participate a iste sondage." request: attributes: from_id: @@ -46,6 +56,7 @@ ia: correlations: "Correlationes" pages: "Paginas" pod_stats: "Statisticas de pod" + report: "Reportos" sidekiq_monitor: "Monitor Sidekiq" user_search: "Recerca de usatores" weekly_user_stats: "Statisticas septimanal de usatores" @@ -62,12 +73,40 @@ ia: tag_name: "Nomine del etiquetta: %{name_tag} Occurrentias: %{count_tag}" usage_statistic: "Statisticas de uso" week: "Septimana" + user_entry: + account_closed: "conto claudite" + diaspora_handle: "Pseudonymo de Diaspora" + email: "E-mail" + guid: "GUID" + id: "ID" + last_seen: "ultime visita" + ? "no" + : "no" + nsfw: "#nsfw" + unknown: "incognite" + ? "yes" + : si user_search: + account_closing_scheduled: "Le conto de %{name} es planate a esser claudite. Illo essera processate in alcun momentos…" + account_locking_scheduled: "Le conto de %{name} es planate a esser blocate. Illo essera processate in alcun momentos…" + account_unlocking_scheduled: "Le conto de %{name} es planate a esser disblocate. Illo essera processate in alcun momentos…" add_invites: "adder invitationes" + are_you_sure: "Es tu secur de voler clauder iste conto?" + are_you_sure_lock_account: "Es tu secur de voler blocar iste conto?" + are_you_sure_unlock_account: "Es tu secur de voler disblocar iste conto?" + close_account: "clauder conto" email_to: "Adresse de e-mail a invitar" under_13: "Monstrar usatores con minus de 13 annos (COPPA)" - you_currently: "in iste momento, il te resta %{user_invitation} invitationes %{link}" + view_profile: "vider profilo" + you_currently: + one: "il te resta un invitation %{link}" + other: "il te resta %{count} invitationes %{link}" + zero: "il non te resta invitationes %{link}" weekly_user_stats: + amount_of: + one: "Numero de nove usatores iste septimana: %{count}" + other: "Numero de nove usatores iste septimana: %{count}" + zero: "Numero de nove usatores iste septimana: zero" current_server: "Le data actual del servitor es %{date}" ago: "%{time} retro" all_aspects: "Tote le aspectos" @@ -87,8 +126,6 @@ ia: add_to_aspect: failure: "Le addition del contacto al aspecto ha fallite." success: "Le contacto ha essite addite al aspecto con successo." - aspect_contacts: - done_editing: "modification finite" aspect_listings: add_an_aspect: "+ Adder un aspecto" deselect_all: "Deseliger totes" @@ -107,28 +144,22 @@ ia: failure: "%{name} non es vacue e non pote esser removite." success: "%{name} ha essite removite con successo." edit: - add_existing: "Adder un contacto existente" - aspect_list_is_not_visible: "le lista de aspectos es celate pro alteres in iste aspecto" - aspect_list_is_visible: "le lista de aspectos es visibile pro alteres in iste aspecto" + aspect_list_is_not_visible: "Le contactos in iste aspecto non pote vider le un le altere." + aspect_list_is_visible: "Le contactos in iste aspecto pote vider le un le altere." confirm_remove_aspect: "Es tu secur de voler deler iste aspecto?" - done: "Finite" make_aspect_list_visible: "render contactos in iste aspecto visibile le unes pro le alteres?" remove_aspect: "Deler iste aspecto" rename: "renominar" + set_visibility: "Definir visibilitate" update: "actualisar" updating: "actualisation in curso" - few: "%{count} aspectos" - helper: - are_you_sure: "Es tu secur de voler deler iste aspecto?" - aspect_not_empty: "Aspecto non vacue" - remove: "remover" index: diaspora_id: - content_1: "Tu identitate in Diaspora es:" - content_2: "Da lo a alteres e illes potera trovar te in Diaspora." - heading: "Identitate in Diaspora" + content_1: "Tu ID de diaspora* es:" + content_2: "Da lo a alteres e illes potera trovar te in diaspora*." + heading: "ID de diaspora*" donate: "Donar" - handle_explanation: "Isto es tu identitate in Diaspora. Como un adresse de e-mail, tu pote dar isto a personas pro attinger te." + handle_explanation: "Isto es tu ID de diaspora*. Como un adresse de e-mail, tu pote dar isto a alteres a fin que illes pote attinger te." help: any_problem: "Problema?" contact_podmin: "Contacta le administrator de tu pod!" @@ -138,35 +169,30 @@ ia: feature_suggestion: "... ha un suggestion de %{link}?" find_a_bug: "... ha trovate un %{link}?" have_a_question: "... ha un %{link}?" - here_to_help: "Le communitate de Diaspora es a tu disposition!" + here_to_help: "Le communitate de diaspora* es a tu disposition!" mail_podmin: "E-mail del \"podmin\"" need_help: "Require adjuta?" - tag_bug: "defecto" + tag_bug: "bug" tag_feature: "functionalitate" tag_question: "question" tutorial_link_text: "Tutoriales" - tutorials_and_wiki: "%{tutorial} & %{wiki}: Adjuta pro le prime passos." + tutorials_and_wiki: "%{faq}, %{tutorial} & %{wiki}: Adjuta pro le prime passos." introduce_yourself: "Iste fluxo es le tue. Non hesita… presenta te!" - keep_diaspora_running: "Mantene le disveloppamento de Diaspora rapide con un donation mensual!" + keep_diaspora_running: "Mantene le disveloppamento de diaspora* rapide con un donation mensual!" keep_pod_running: "Adjuta al mantenentia e melioration de %{pod} (e al caffeination de su gerentes) con un donation mensual!" new_here: follow: "Seque %{link} e saluta nove usatores in diaspora*!" learn_more: "Leger plus" - title: "Dar le benvenita a nove usatores" + title: "Accolliger nove usatores" no_contacts: "Nulle contacto" no_tags: "+ Cercar un etiquetta a sequer" people_sharing_with_you: "Personas qui divide con te" post_a_message: "publicar un message >>" services: - content: "Tu pote connecter le sequente servicios a Diaspora:" + content: "Tu pote connecter le sequente servicios a diaspora*:" heading: "Connecter servicios" unfollow_tag: "Cessar de sequer #%{tag}" - welcome_to_diaspora: "Benvenite a Diaspora, %{name}!" - many: "%{count} aspectos" - move_contact: - error: "Error durante le displaciamento del contacto: %{inspect}" - failure: "non functionava %{inspect}" - success: "Persona displaciate a un nove aspecto" + welcome_to_diaspora: "Benvenite a diaspora*, %{name}!" new: create: "Crear" name: "Nomine (visibile solmente pro te)" @@ -184,14 +210,6 @@ ia: family: "Familia" friends: "Amicos" work: "Labor" - selected_contacts: - manage_your_aspects: "Gerer tu aspectos." - no_contacts: "Tu non ha ancora contactos hic." - view_all_community_spotlight: "Vider tote le usatores in evidentia" - view_all_contacts: "Vider tote le contactos" - show: - edit_aspect: "modificar aspecto" - two: "%{count} aspectos" update: failure: "Tu aspecto, %{name}, ha un nomine troppo longe e non pote esser salveguardate." success: "Tu aspecto, %{name}, ha essite modificate con successo." @@ -205,42 +223,36 @@ ia: failure: "Io non poteva cessar de ignorar iste usator. #evasion" success: "Vamos vider lo que iste usator ha a dicer! #salutes" bookmarklet: - explanation: "Invia cosas a Diaspora ab ubique con iste ligamine: %{link}" + explanation: "Invia cosas a diaspora* ab ubique con iste ligamine: %{link}" heading: "Mini-marcapaginas" - post_something: "Inviar a Diaspora" - post_success: "Invio succedite!" + post_something: "Inviar a diaspora*" + post_success: "Invio succedite! Claude…" cancel: "Cancellar" comments: - few: "%{count} commentos" - many: "%{count} commentos" new_comment: comment: "Commentar" commenting: "Commenta…" one: "1 commento" other: "%{count} commentos" - two: "%{count} commentos" zero: "nulle commento" contacts: create: failure: "Creation de contacto fallite" - few: "%{count} contactos" index: add_a_new_aspect: "Adder un nove aspecto" + add_contact: "Adder contacto" add_to_aspect: "adder contactos a %{name}" - add_to_aspect_link: "adder contactos a %{name}" all_contacts: "Tote le contactos" community_spotlight: "Usatores in evidentia" - many_people_are_you_sure: "Es tu secur de voler initiar un conversation private con plus de %{suggested_limit} contactos? Publicar un message in iste aspecto pote esser un melior maniera de contactar les." my_contacts: "Mi contactos" no_contacts: "Il pare que tu debe adder alcun contactos!" no_contacts_message: "Visita %{community_spotlight}" - no_contacts_message_with_aspect: "Visita %{community_spotlight} o %{add_to_aspect_link}" only_sharing_with_me: "Solmente qui divide cosas con me" - remove_person_from_aspect: "Remover %{person_name} de \"%{aspect_name}\"" + remove_contact: "Remover contacto" start_a_conversation: "Initiar un conversation" title: "Contactos" + user_search: "Recerca de usatores" your_contacts: "Tu contactos" - many: "%{count} contactos" one: "1 contacto" other: "%{count} contactos" sharing: @@ -248,7 +260,6 @@ ia: spotlight: community_spotlight: "Usatores in evidentia" suggest_member: "Suggerer un membro" - two: "%{count} contactos" zero: "contactos" conversations: conversation: @@ -258,9 +269,13 @@ ia: no_contact: "Tu debe adder le contacto primo." sent: "Message inviate" destroy: - success: "Conversation removite con successo" + delete_success: "Le conversation ha essite delite" + hide_success: "Le conversation ha essite celate" index: + conversations_inbox: "Conversationes – Cassa de entrata" + create_a_new_conversation: "initiar un nove conversation" inbox: "Cassa de entrata" + new_conversation: "Nove conversation" no_conversation_selected: "nulle conversation seligite" no_messages: "nulle message" new: @@ -269,8 +284,11 @@ ia: sending: "Invia…" subject: "subjecto" to: "a" + new_conversation: + fail: "Message non valide" show: delete: "deler e blocar conversation" + hide: "celar e silentiar conversation" reply: "responder" replying: "Responde…" date: @@ -286,6 +304,7 @@ ia: invalid_fields: "Campos invalide" login_try_again: "Per favor aperi session e reproba." post_not_public: "Le entrata que tu vole vider non es public!" + post_not_public_or_not_exist: "Le entrata que tu tenta vider non es public, o non existe." fill_me_out: "Plena me" find_people: "Cercar personas o #etiquettas" help: @@ -325,8 +344,15 @@ ia: what_is_an_aspect_q: "Que es un aspecto?" who_sees_post_a: "Si tu scribe un entrata limitate, illo essera visibile solmente al personas que tu ha mittite in ille aspecto (o in ille aspectos, si tu lo ha inviate a plure aspectos). Tu contactos que non es in le aspecto non potera vider le entrata si tu non lo ha rendite public. Solmente le entratas public es visibile a personas que tu non ha includite in un de tu aspectos." who_sees_post_q: "Quando io invia qualcosa a un aspecto, qui lo videra?" + chat: + add_contact_roster_a: "Primo tu debe activar le chat pro un del aspectos in le quales iste persona es presente. Pro facer isto, va al %{contacts_page}, selige le aspecto que tu vole e clicca sur le icone de chat pro activar le chat pro ille aspecto. %{toggle_privilege} Alternativemente, tu pote crear un aspecto special nominate 'Chat' e adder a ille aspecto le personas con qui tu vole chattar. Un vice que tu ha facite isto, aperi le interfacie de chat e selige le persona con qui tu vole chattar." + add_contact_roster_q: "Como pote io parlar in directo a qualcuno in diaspora*?" + contacts_page: "pagina de contactos" + title: "Chat" + faq: "FAQ" foundation_website: "le sito web del fundation diaspora" getting_help: + get_support_a_faq: "Lege nostre pagina de %{faq} sur le wiki" get_support_a_hashtag: "pone le question in un entrata public de diaspora* adjungente le etiquetta %{question}" get_support_a_irc: "veni a nos in %{irc} (conversation in directo)" get_support_a_tutorials: "lege nostre %{tutorials}" @@ -339,6 +365,18 @@ ia: getting_started_tutorial: "Serie de tutoriales 'Prime passos'" here: "hic" irc: "IRC" + keyboard_shortcuts: + keyboard_shortcuts_a1: "In le vista de fluxo tu pote usar le sequente claves accelerator:" + keyboard_shortcuts_li1: "j - saltar al proxime entrata" + keyboard_shortcuts_li2: "k - saltar al previe entrata" + keyboard_shortcuts_li3: "c - commentar le entrata actual" + keyboard_shortcuts_li4: "l - appreciar le entrata actual" + keyboard_shortcuts_li5: "r - Repeter iste entrata" + keyboard_shortcuts_li6: "m - Displicar iste entrata" + keyboard_shortcuts_li7: "o - Aperir le prime ligamine in iste entrata" + keyboard_shortcuts_li8: "ctrl + enter - Inviar le message que tu ha scribite" + keyboard_shortcuts_q: "Qual claves accelerator es disponibile?" + title: "Claves accelerator" markdown: "Markdown" mentions: how_to_mention_a: "Dactylographa le signo \"@\" e comencia a dactylographar su nomine. Un menu disrolante deberea apparer que permitte seliger le nomine plus facilemente. Nota ben que il es solmente possibile mentionar personas que tu ha addite a un aspecto." @@ -350,6 +388,16 @@ ia: title: "Mentiones" what_is_a_mention_a: "Un mention es un ligamine al pagina de profilo de un persona que appare in un entrata. Quando un persona es mentionate, illa recipe un notification que dirige su attention verso le entrata." what_is_a_mention_q: "Que es un \"mention\"?" + miscellaneous: + back_to_top_a: "Si. Post rolar a basso in un pagina, clicca sur le sagitta gris que appare in le angulo dextre al fundo de tu fenestra de navigator." + back_to_top_q: "Ha il un maniera rapide de retornar al cyma del pagina post que io rola a basso?" + diaspora_app_a: "Il ha plure applicationes de Android in un stadio precoce de disveloppamento. Plures de iste projectos es abandonate e non functiona ben con le version actual de diaspora*. Non expecta troppo de iste apps in iste momento. Actualmente le melior maniera de acceder a diaspora* a partir de tu dispositivo mobile es per medio de un navigator web, perque nos ha designate un version mobile del sito que deberea functionar ben in tote le dispositivos. Actualmente il non ha un app pro iOS. De novo, diaspora* deberea functionar ben in tu navigator." + diaspora_app_q: "Ha il un app diaspora* pro Android o iOS?" + photo_albums_a: "No, non in iste momento. Nonobstante, tu pote vider un fluxo de su imagines incargate a partir del section Photos in le barra lateral de lor pagina de profilo." + photo_albums_q: "Ha il albumes de photos o videos?" + subscribe_feed_a: "Si, ma iste functionalitate non es ancora polite e le formato del resultato es assatis crude. Si tu vole essayar lo in omne caso, va al pagina de profilo de un persona e clicca sur le button de syndication in tu navigator, o tu pote copiar le URL del profilo (p.ex. https://joindiaspora.com/people/alcunnumero) e collar lo in un lector de syndication. Le adresse de syndication resultante ha iste aspecto: https://joindiaspora.com/public/nominedeusator.atom (diaspora* usa Atom, non RSS)." + subscribe_feed_q: "Pote io subscriber me al entratas public de un persona con un lector de syndication?" + title: "Miscellanea" pods: find_people_a: "Invita tu amicos usante le ligamine de e-mail in le barra lateral. Seque #etiquettas pro discoperir personas con interesses commun al tues, e adde le personas qui invia cosas de tu interesse a un aspecto. Annuncia tu presentia in disaspora* in un entrata public con le etiquetta #newhere." find_people_q: "Io ha justo adherite a un pod, como pote io trovar gente con qui divider?" @@ -432,6 +480,7 @@ ia: title: "Repeter entratas" sharing: add_to_aspect_a1: "Suppone que Julia adde Mario a un aspecto, ma Mario non ha (ancora) addite Julia a un aspecto:" + add_to_aspect_a2: "Isto se appella diffusion asymmetric. Si e quando Ben adde Amy a un aspecto alora illo devenirea un intercambio reciproc: le entratas public e private de Amy e de Ben apparerea in le fluxos le un del altere, etc. " add_to_aspect_li1: "Mario recipera notification del facto que Julia a \"comenciate a divider\" con Mario." add_to_aspect_li2: "Julia videra ab iste momento in su fluxo le entratas public de Mario." add_to_aspect_li3: "Julia non videra alcun entrata private de Mario." @@ -440,18 +489,32 @@ ia: add_to_aspect_li6: "Ben potera vider le profilo private de Amy (biographia, loco, sexo, die de nascentia)." add_to_aspect_li7: "Amy apparera sub \"Divide solmente con me\" in le pagina de contactos de Ben." add_to_aspect_q: "Que eveni quando io adde un persona a un de mi aspectos, o quando un persona me adde a un de su aspectos?" + list_not_sharing_a: "No, ma tu pote determinar si un persona divide cosas con te per visitar su pagina de profilo. Si le persona lo face, le barra sub su imagine de profilo es verde; si non, illo es gris. Tu recipe un notification cata vice que un persona comencia a divider cosas con te." + list_not_sharing_q: "Ha il un lista de personas que io ha addite a un de mi aspectos, ma qui non me ha addite a un del lores?" + only_sharing_a: "Se tracta del personas qui te ha addite a un de lor aspectos, ma qui non es (ancora) in alcun de tu aspectos. In altere parolas, illes divide cosas con te, ma tu non divide alcun cosa con illes (diffusion asymmetric). Si tu les adde a un aspecto, illes apparera sub ille aspecto e non sub \"divide solmente con me\". Vide hic supra." + only_sharing_q: "Proque es le personas listate in \"Divide solmente con me\" in mi pagina de contactos?" + see_old_posts_a: "No. Ille potera vider solmente le entratas nove in ille aspecto. Ille (e tote le mundo) pote vider tu entratas public ancian in tu pagina de profilo, e ille los videra forsan in su fluxo." + see_old_posts_q: "Quando io adde un persona a un aspecto, pote ille vider le ancian entratas que io ha jam inviate a ille aspecto?" title: "Divider" tags: + filter_tags_a: "Iste functionalitate non es ancora disponibile directemente de diaspora*, ma alcun %{third_party_tools} ha essite scribite que pote fornir lo." + filter_tags_q: "Como pote io filtrar/excluder alcun etiquettas de mi fluxo?" + followed_tags_a: "Post cercar un etiquetta tu pote cliccar sur le button al cyma del pagina del etiquetta pro \"sequer\" ille etiquetta. Illo apparera in le lista de etiquettas sequite al sinistra. Un clic sur un de tu etiquettas sequite te porta al pagina de ille etiquetta, de sorta que tu pote vider le entrata recente que contine ille etiquetta. Clicca sur \"#etiquettas sequite\" pro vider un fluxo de entratas que include qualcunque etiquetta que tu seque. " + followed_tags_q: "Que es \"etiquettas #sequite\" e como seque io un etiquetta?" + people_tag_page_a: "Illes es le personas qui ha listate ille etiquetta pro describer se in lor profilos public." + people_tag_page_q: "Qui es le personas listate al latere sinistre de un pagina de etiquetta?" tags_in_comments_a: "Un etiquetta addite a un entrata appare como ligamine al pagina de iste etiquetta, ma non face le message (o commento) in question apparer in iste pagina de etiquetta. Isto functiona solmente pro etiquettas in entratas." tags_in_comments_q: "Pote io mitter etiquettas in commentos o solmente in messages?" title: "Etiquettas" what_are_tags_for_a: "Etiquettas servi a categorisar un entrata, normalmente per topico. Si tu cerca un etiquetta, es monstrate tote le entratas visibile pro te (public e private) con iste etiquetta. Isto permitte al personas interessate in un certe topico cercar le entratas public concernente lo." what_are_tags_for_q: "A que servi etiquettas?" third_party_tools: "instrumentos de tertie personas" + title_header: "Adjuta" tutorial: "tutorial" tutorials: "tutoriales" wiki: "wiki" hide: "Celar" + ignore: "Ignorar" invitation_codes: excited: "%{name} es multo felice de vider te hic." invitations: @@ -473,10 +536,10 @@ ia: new: already_invited: "Le sequente personas non ha acceptate tu invitation:" aspect: "Aspecto" - check_out_diaspora: "Discoperi Diaspora!" + check_out_diaspora: "Discoperi diaspora*!" comma_separated_plz: "Tu pote entrar plure adresses de e-mail separante los per commas." if_they_accept_info: "si iste persona accepta, illa essera addite al aspecto in le qual tu la invitava." - invite_someone_to_join: "Invita qualcuno a unir se a Diaspora!" + invite_someone_to_join: "Invita qualcuno a unir se a diaspora*!" language: "Lingua" paste_link: "Divide iste ligamine con tu amicos pro invitar les a diaspora*, o invia le ligamine directemente a illes per e-mail." personal_message: "Message personal" @@ -489,7 +552,7 @@ ia: application: back_to_top: "Retornar al cyma" powered_by: "Actionate per diaspora*" - public_feed: "Fluxo public de Diaspora pro %{name}" + public_feed: "Fluxo public de diaspora* pro %{name}" source_package: "discargar le pacchetto con le codice-fonte" toggle: "(dis)activar mobile" whats_new: "que es nove?" @@ -498,25 +561,73 @@ ia: admin: "admin" blog: "blog" code: "codice" + help: "Adjuta" login: "aperir session" logout: "Clauder session" profile: "Profilo" recent_notifications: "Notificationes recente" settings: "Configuration" view_all: "Vider totes" + likes: + likes: + people_dislike_this: + one: "%{count} antipathia" + other: "%{count} antipathias" + zero: "nulle antipathia " limited: "Limitate" more: "Plus" next: "sequente" no_results: "Nulle resultato trovate" notifications: + also_commented: + one: "%{actors} anque commentava le entrata de %{post_author}, %{post_link}." + other: "%{actors} anque commentava le entrata de %{post_author}, %{post_link}." + zero: "%{actors} anque commentava le entrata de %{post_author}, %{post_link}." + comment_on_post: + one: "%{actors} commentava tu entrata %{post_link}." + other: "%{actors} commentava tu entrata %{post_link}." + zero: "%{actors} commentava tu entrata %{post_link}." index: + all_notifications: "Tote le notificationes" + also_commented: "Anque commentate" and: "e" + comment_on_post: "Commentar iste entrata" + liked: "Appreciate" mark_all_as_read: "Marcar totes como legite" + mark_all_shown_as_read: "Marcar tote le entratas monstrate como legite" + mark_read: "Marcar como legite" mark_unread: "Marcar como non legite" + mentioned: "Mentionate" notifications: "Notificationes" + reshared: "Repetite" + show_all: "monstrar totes" + show_unread: "monstrar non legite" + started_sharing: "Comenciate a divider" + liked: + one: "%{actors} ha appreciate tu entrata %{post_link}." + other: "%{actors} ha appreciate tu entrata %{post_link}." + zero: "%{actors} ha appreciate tu entrata %{post_link}." + mentioned: + one: "%{actors} te ha mentionate in le entrata %{post_link}." + other: "%{actors} te ha mentionate in le entrata %{post_link}." + zero: "%{actors} te ha mentionate in le entrata %{post_link}." post: "entrata" + private_message: + one: "%{actors} te ha inviate un message." + other: "%{actors} te ha inviate un message." + zero: "%{actors} te ha inviate un message." + reshared: + one: "%{actors} ha repetite tu entrata %{post_link}." + other: "%{actors} ha repetite tu entrata %{post_link}." + zero: "%{actors} ha repetite tu entrata %{post_link}." + started_sharing: + one: "%{actors} ha comenciate a divider cosas con te." + other: "%{actors} ha comenciate a divider cosas con te." + zero: "%{actors} ha comenciate a divider cosas con te." notifier: + a_limited_post_comment: "Il ha un nove commento pro te sur un entrata limitate in diaspora*." a_post_you_shared: "un entrata." + a_private_message: "Il ha un nove message private pro te in diaspora*." accept_invite: "Accepta tu invitation a diaspora*!" click_here: "clicca hic" comment_on_post: @@ -525,12 +636,54 @@ ia: click_link: "Pro activar tu nove adresse de e-mail %{unconfirmed_email}, per favor seque iste ligamine:" subject: "Per favor activa tu nove adresse de e-mail %{unconfirmed_email}" email_sent_by_diaspora: "Iste message ha essite inviate per %{pod_name}. Si tu non vole reciper altere e-mail como iste," + export_email: + body: |- + Hallo %{name}, + + Le tue datos personal ha essite processate e preparate pro discargamento. Pro discargar, seque [iste ligamine](%{url}). + + Amicalmente, + + Le robot messagero de diaspora*! + subject: "Datos personal de %{name} preste pro discargamento" + export_failure_email: + body: |- + Hallo %{name}, + + Regrettabilemente, un problema ha occurrite durante le preparation de tu datos personal pro discargamento. + Per favor, essaya lo de novo! + + Amicalmente, + + Le robot messagero de diaspora*! + subject: "Problema con datos personal de %{name}" + export_photos_email: + body: |- + Hallo %{name}, + + Le tractamento de tu photos ha terminate e tu pote ora [discargar los per medio de iste ligamine](%{url}). + + Amicalmente, + + Le robot messagero de diaspora*! + subject: "Photos de %{name} preste pro discargar" + export_photos_failure_email: + body: |- + Hallo %{name}, + + Un problema ha occurrite durante le tractamento de tu photos pro discargamento. + Per favor, essaya lo de novo! + + Con regret, + + Le robot messagero de diaspora*! + subject: "Problema con photos de %{name}" hello: "Salute %{name}!" invite: message: |- Hallo, - Tu ha essite invitate a unir te a Diaspora*! + Tu ha essite invitate a unir te a diaspora*! Clicca sur iste ligamine pro comenciar: @@ -539,7 +692,7 @@ ia: Cordialmente, - Le robot de e-mail de Diaspora* + Le messagero robotic de diaspora* [1]: %{invite_url} invited_you: "%{name} te ha invitate a diaspora*" @@ -551,12 +704,48 @@ ia: subject: "%{name} te ha mentionate in diaspora*" private_message: reply_to_or_view: "Responde o lege iste conversation >" + remove_old_user: + body: |- + Salute, + + A causa de inactivitate in tu conto de diaspora* a %{pod_url}, nos regretta de informar te que le systema ha marcate iste conto pro elimination. Isto occurre automaticamente post un periodo de inactivitate de plus de %{after_days} dies. + + Tu pote evitar le perdita de iste conto per aperir session ante le %{remove_after}, in le qual caso le elimination essera automaticamente cancellate. + + Isto es pro assecurar que nostre usatores active pote efficacemente utilisar le ressources de iste servitor de diaspora*. Gratias pro tu comprension. + + Si tu vole retener tu conto, aperi session hic: %{login_url} + + Sperante de vider te de novo, + + Le robot de e-mail de diaspora* + subject: "Tu conto de diaspora* ha essite marcate pro elimination a causa de inactivitate" + report_email: + body: |- + Salute, + + le %{type} con ID %{id} ha essite marcate como offensive. + + [%{url}][1] + + Per favor revide isto le plus tosto possibile! + + + Cordialmente, + + Le messagero robotic de diaspora* + + [1]: %{url} + subject: "Un nove %{type} ha essite marcate como offensive" + type: + comment: "commento" + post: "entrata" reshared: reshared: "%{name} ha repetite tu entrata" view_post: "Vider entrata >" single_admin: - admin: "Tu administrator de Diaspora" - subject: "Un message concernente tu conto de Diaspora:" + admin: "Le tue administrator de diaspora*" + subject: "Un message concernente tu conto de diaspora*:" started_sharing: sharing: "ha comenciate a divider con te!" subject: "%{name} comenciava a divider cosas con te in diaspora*" @@ -575,18 +764,19 @@ ia: add_contact_from_tag: "adder contacto ab etiquetta" aspect_list: edit_membership: "modificar membrato del aspecto" - few: "%{count} personas" helper: is_not_sharing: "%{name} non divide cosas con te" is_sharing: "%{name} is sharing with you" results_for: " resultatos pro %{params}" index: + couldnt_find_them: "Non trovate?" looking_for: "Cerca entratas con le etiquetta %{tag_link}?" no_one_found: "…e nemo ha essite trovate." no_results: "Un momento! Tu debe cercar qualcosa." - results_for: "cercar resultatos pro" + results_for: "Usatores correspondente a %{search_term}" + search_handle: "Usa lor ID de diaspora* (p.ex. nominedeusator@pod.tld) pro cercar tu amicos." searching: "recerca in curso, un momento per favor..." - many: "%{count} personas" + send_invite: "Ancora nihil? Invia un invitation!" one: "1 persona" other: "%{count} personas" person: @@ -623,7 +813,6 @@ ia: add_some: "adder alcunes" edit: "modificar" you_have_no_tags: "tu non ha etiquettas!" - two: "%{count} personas" webfinger: fail: "%{handle} non ha essite trovate." zero: "nemo" @@ -675,10 +864,13 @@ ia: profile: "Profilo" profiles: edit: - allow_search: "Permitter que on te cerca in Diaspora" + allow_search: "Permitter que on te cerca in diaspora*" edit_profile: "Modificar profilo" first_name: "Prenomine" last_name: "Nomine de familia" + nsfw_check: "Marcar toto que io divide como NSFW" + nsfw_explanation: "NSFW (‘not safe for work’, non appropriate pro le travalio) es un standard communitari pro contento que poterea esser inappropriate a vider durante que on es al travalio. Si tu intende a frequentemente divider tal material, per favor, marca iste option, de sorta que tote le cosas que tu divide essera celate pro le personas qui non ha optate pro vider los." + nsfw_explanation2: "Si tu non selige iste option, per favor, adde le etiquetta #nsfw cata vice que tu divide tal material." update_profile: "Actualisar profilo" your_bio: "Tu bio" your_birthday: "Tu data de nascentia" @@ -695,9 +887,9 @@ ia: updated: "Profilo actualisate" public: "Public" registrations: - closed: "Le creation de contos es claudite in iste pod de Diaspora." + closed: "Le creation de contos es claudite in iste pod de diaspora*." create: - success: "Tu ha adherite a Diaspora!" + success: "Tu ha adherite a diaspora*!" edit: cancel_my_account: "Cancellar mi conto" edit: "Modificar %{name}" @@ -707,25 +899,40 @@ ia: update: "Actualisar" invalid_invite: "Le ligamine de invitation que tu ha fornite non plus es valide." new: - continue: "Continuar" create_my_account: "Crear mi conto!" - diaspora: "<3 Diaspora*" email: "E-MAIL" enter_email: "Specifica adresse de e-mail" enter_password: "Elige un contrasigno (de sex characteres al minimo)" enter_password_again: "Repete le contrasigno" enter_username: "Elige un nomine de usator (usa solmente litteras, numeros e tractos de sublineamento)" - hey_make: "HEY,CREA
QUALCOSA." join_the_movement: "Adhere al movimento!" password: "CONTRASIGNO" password_confirmation: "CONFIRMA CONTRASIGNO" sign_up: "CREAR CONTO" sign_up_message: "Rete social con ♥" + submitting: "Submitte…" + terms: "Per crear un conto tu accepta le %{terms_link}." + terms_link: "conditiones de servicio" username: "NOMINE DE USATOR" + report: + comment_label: "Commento:
%{data}" + confirm_deletion: "Es tu secur de voler deler le elemento?" + delete_link: "Deler elemento" + not_found: "Le entrata/commento non ha essite trovate. Pare que le usator lo ha delite." + post_label: "Entrata: %{title}" + reason_label: "Motivo: %{text}" + reported_label: "Reportate per %{person}" + review_link: "Marcar como revidite" + status: + created: "Un reporto ha essite create" + destroyed: "Le entrata ha essite destruite" + failed: "Qualcosa ha errate" + marked: "Le reporto ha essite marcate como revidite" + title: "Summario de reportos" requests: create: sending: "Invio in curso" - sent: "Tu ha demandate de divider con %{name}. Iste persona lo videra le proxime vice que illa aperira session in Diaspora." + sent: "Tu ha demandate de divider con %{name}. Iste persona lo videra le proxime vice que illa aperira session in diaspora*." destroy: error: "Per favor selige un aspecto!" ignore: "Demanda de contacto ignorate." @@ -757,25 +964,26 @@ ia: failure: error: "un error occurreva durante le connexion a iste servicio" finder: - fetching_contacts: "Diaspora obtene presentemente tu amicos de %{service}. Per favor reveni in alcun pauc minutas." + fetching_contacts: "diaspora* obtene presentemente tu amicos de %{service}. Per favor reveni in alcun pauc minutas." no_friends: "Nulle amico de Facebook trovate." service_friends: "Amicos de %{service}" index: connect_to_facebook: "Connecter a Facebook" connect_to_tumblr: "Connecter a Tumblr" connect_to_twitter: "Connecter a Twitter" + connect_to_wordpress: "Connecter a WordPress" disconnect: "disconnecter" edit_services: "Modificar servicios" logged_in_as: "identificate como" no_services: "Tu non ha ancora connectite alcun servicio." really_disconnect: "disconnecter %{service}?" - services_explanation: "Le connexion a servicios da le possibilitate de publicar tu messages anque in illos si tu los scribe in Diaspora." + services_explanation: "Le connexion a servicios da le possibilitate de publicar tu messages anque in illos si tu los scribe in diaspora*." inviter: click_link_to_accept_invitation: "Seque iste ligamine pro acceptar tu invitation" join_me_on_diaspora: "Veni con me in diaspora*" remote_friend: invite: "invitar" - not_on_diaspora: "Non ancora in Diaspora" + not_on_diaspora: "Non ancora in diaspora*" resend: "reinviar" settings: "Configuration" share_visibilites: @@ -785,11 +993,11 @@ ia: shared: add_contact: add_new_contact: "Adder un nove contacto" - create_request: "Cercar per ID de Diaspora" + create_request: "Cercar per ID de diaspora*" diaspora_handle: "diaspora@pod.org" - enter_a_diaspora_username: "Entra un nomine de usator de Diaspora:" + enter_a_diaspora_username: "Entra un nomine de usator de diaspora*:" know_email: "Si tu cognosce su adresse de e-mail, tu deberea invitar le/la." - your_diaspora_username_is: "Tu nomine de usator de Diaspora es: %{diaspora_handle}" + your_diaspora_username_is: "Tu nomine de usator de diaspora* es: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Adder contacto" contact_list: @@ -805,8 +1013,8 @@ ia: invite_someone: "Invitar un persona" invite_your_friends: "Invitar tu amicos" invites: "Invitationes" - invites_closed: "Le invitationes es actualmente claudite pro iste pod de Diaspora." - share_this: "Divide iste ligamine per e-mail, blog, o tu rete social favorite!" + invites_closed: "Le invitationes es actualmente claudite pro iste pod de diaspora*." + share_this: "Divide iste ligamine per e-mail, blog o rete social!" notification: new: "Nove %{type} de %{from}" public_explain: @@ -815,7 +1023,7 @@ ia: logged_in: "identificate in %{service}" manage: "Gerer servicios connectite" new_user_welcome_message: "Usa #etiquettas pro classificar tu messages e trovar personas con interesses in commun. Commenda personas extraordinari con @Mentiones." - outside: "Le messages public essera visibile pro altere personas foras de Diaspora." + outside: "Le messages public essera visibile pro altere personas foras de diaspora*." share: "Divider" title: "Connecter altere servicios" visibility_dropdown: "Iste menu disrolante es pro cambiar le visibilitate de tu message. (Nos suggere que tu rende iste prime message public.)" @@ -823,6 +1031,7 @@ ia: all: "totes" all_contacts: "tote le contactos" discard_post: "Abandonar message" + formatWithMarkdown: "Tu pote usar %{markdown_link} pro formatar tu entrata" get_location: "Localisar te" make_public: "render public" new_user_prefill: @@ -830,10 +1039,17 @@ ia: i_like: "Io me interessa in %{tags}. " invited_by: "Gratias pro le invitation, " newhere: "NewHere" + poll: + add_a_poll: "Adder un sondage" + add_poll_answer: "Adder option" + option: "Option 1" + question: "Question" + remove_poll_answer: "Remover option" post_a_message_to: "Inviar un message a %{aspect}" posting: "Invio in curso…" preview: "Previsualisation" publishing_to: "va publicar in: " + remove_location: "Remover loco" share: "Divider" share_with: "divider con" upload_photos: "Incargar photos" @@ -855,6 +1071,28 @@ ia: via: "via %{link}" via_mobile: "via mobile" viewable_to_anyone: "Iste message es visibile pro tote le mundo in le web" + simple_captcha: + label: "Scribe le codice in le quadro:" + message: + default: "Le codice secrete non corresponde al imagine" + failed: "Verification human fallite" + user: "Le imagine secrete e le codice differe" + placeholder: "Scribe le valor del imagine" + statistics: + active_users_halfyear: "Usatores active per medie anno" + active_users_monthly: "Usatores active per mense" + closed: "Claudite" + disabled: "Non disponibile" + enabled: "Disponibile" + local_comments: "Commentos local" + local_posts: "Entratas local" + name: "Nomine" + network: "Rete" + open: "Aperte" + registrations: "Registrationes" + services: "Servicios" + total_users: "Total de usatores" + version: "Version" status_messages: create: success: "Ha essite mentionate: %{names}" @@ -864,6 +1102,7 @@ ia: no_message_to_display: "Nulle message a presentar." new: mentioning: "Mentiona: %{person}" + too_long: "Per favor, non scribe plus de %{count} characteres in tu message de stato. In iste momento illo ha %{current_length} characteres." stream_helper: hide_comments: "Celar tote le commentos" streams: @@ -897,7 +1136,6 @@ ia: title: "Activitate public" tags: contacts_title: "Personas qui se interessa in iste etiquetta" - tag_prefill_text: "Le facto sur %{tag_name} es... " title: "Messages con etiquettas: %{tags}" tag_followings: create: @@ -908,13 +1146,11 @@ ia: failure: "Impossibile cessar de sequer #%{name}. Esque tu ha jam cessate de sequer lo?" success: "Guai! Tu non plus seque #%{name}." tags: + name_too_long: "Per favor, non scribe plus de %{count} characteres in le nomine del etiquetta. In iste momento illo ha %{current_length} characteres." show: follow: "Sequer #%{tag}" following: "Sequente #%{tag}" - nobody_talking: "Nemo parla ancora de \"%{tag}\"." none: "Le etiquetta vacue non existe!" - people_tagged_with: "Personas con etiquetta %{tag}" - posts_tagged_with: "Messages con etiquetta #%{tag}" stop_following: "Non plus sequer #%{tag}" terms_and_conditions: "Terminos e conditiones" undo: "Disfacer?" @@ -925,12 +1161,12 @@ ia: email_not_confirmed: "Le adresse de e-mail non poteva esser activate. Ligamine incorrecte?" destroy: no_password: "Per favor entra tu contrasigno actual pro clauder tu conto." - success: "Tu conto ha essite blocate. Le clausura definitive de tu conto pote durar 20 minutas. Gratias pro haber essayate Diaspora." + success: "Tu conto ha essite blocate. Le clausura definitive de tu conto pote durar 20 minutas. Gratias pro haber essayate diaspora*." wrong_password: "Le contrasigno entrate non corresponde a tu contrasigno actual." edit: - also_commented: "...un altere persona commenta un entrata de un contacto tue?" - auto_follow_aspect: "Aspecto pro usatores sequite automaticamente:" - auto_follow_back: "Sequer automaticamente omne persona qui comencia a sequer te" + also_commented: "un persona commenta un entrata que tu ha commentate" + auto_follow_aspect: "Aspecto pro contactos automaticamente addite:" + auto_follow_back: "Divider automaticamente con omne persona qui comencia a divider con te" change: "Cambiar" change_email: "Cambiar adresse de e-mail" change_language: "Cambiar de lingua" @@ -941,40 +1177,48 @@ ia: if_you_want_this: "Si tu vermente vole facer isto, entra hic infra tu contrasigno e clicca sur 'Clauder conto'." lock_username: "Isto reserva tu nomine de usator in caso que tu decide de re-crear tu conto." locked_out: "Tu session essera claudite e tu essera excludite de tu conto." - make_diaspora_better: "Nos ha besonio de adjuta pro meliorar Diaspora, dunque, per favor contribue in loco de partir. Si tu vermente vole partir, nos vole informar te de lo que evenira." + make_diaspora_better: "Nos ha besonio de adjuta pro meliorar diaspora*, dunque, per favor contribue in loco de quitar. Si tu vermente vole quitar, nos vole informar te de lo que evenira." mr_wiggles: "Sr. Wiggles essera triste de vider te partir" no_turning_back: "Tu ha arrivate al puncto de non retorno." - what_we_delete: "Nos va deler, le plus tosto possibile, tote le entratas e datos de profilo pertinente a te. Tu commentos remanera, ma essera associate con tu ID de Diaspora in loco de tu nomine." + what_we_delete: "Nos va deler, le plus tosto possibile, tote le entratas e datos de profilo pertinente a te. Tu commentos remanera, ma essera associate con tu ID de diaspora* in loco de tu nomine." close_account_text: "Clauder conto" - comment_on_post: "...un persona commenta un entrata tue?" + comment_on_post: "un persona commenta un entrata tue" current_password: "Contrasigno actual" current_password_expl: "illo con que tu aperi session..." + download_export: "Discargar mi profilo" + download_export_photos: "Discargar mi photos" download_photos: "discargar mi photos" - download_xml: "discargar mi XML" edit_account: "Modificar conto" email_awaiting_confirmation: "Nos te ha inviate un ligamine de activation al adresse %{unconfirmed_email}. Usque al momento que tu seque iste ligamine pro activar le nove adresse, nos va continuar a usar tu adresse original %{email}." export_data: "Exportar datos" - following: "Configuration de sequimento" + export_in_progress: "Le datos personal tue es actualmente sub preparation. Per favor, reveni in alcun momentos." + export_photos_in_progress: "Le tractamento de tu photos non ha ancora terminate. Per favor, essaya lo de novo in qualque momentos." + following: "Configuration de divider" getting_started: "Preferentias de nove usator" - liked: "...un persona apprecia tu entrata?" - mentioned: "...un persona te mentiona in un entrata sue?" + last_exported_at: "(Ultime actualisation: %{timestamp})" + liked: "un persona apprecia un entrata tue" + mentioned: "un persona te mentiona in un entrata sue" new_password: "Contrasigno nove" - photo_export_unavailable: "Le exportation de photos non es actualmente disponibile" - private_message: "...tu recipe un message private?" - receive_email_notifications: "Reciper notificationes per e-mail quando..." - reshared: "...un persona repete tu entrata?" - show_community_spotlight: "Monstrar \"Usatores in evidentia\" in fluxo?" - show_getting_started: "Re-activar \"Como initiar\"" - started_sharing: "...un persona comencia a divider cosas con te?" + private_message: "tu recipe un message private" + receive_email_notifications: "Reciper notificationes per e-mail quando:" + request_export: "Requestar le datos de mi profilo" + request_export_photos: "Requestar mi photos" + request_export_photos_update: "Refrescar mi photos" + request_export_update: "Refrescar le datos de mi profilo" + reshared: "un persona repete un entrata tue" + show_community_spotlight: "Monstrar \"Usatores in evidentia\" in fluxo" + show_getting_started: "Monstrar le avisos \"Como initiar\"" + someone_reported: "alcuno ha inviate un reporto" + started_sharing: "un persona comencia a divider cosas con te" stream_preferences: "Preferentias de fluxo" your_email: "Tu adresse de e-mail" - your_handle: "Tu ID de Diaspora" + your_handle: "Tu ID de diaspora*" getting_started: awesome_take_me_to_diaspora: "Superbe! Conduce me a diaspora*" - community_welcome: "Le communitate de Diaspora es felice de dar te le benvenita!" - connect_to_facebook: "Nos pote accelerar le cosas un poco per %{link} a Diaspora. Isto insere automaticamente tu nomine e photo, e permitte inviar entratas a ambe sitos." + community_welcome: "Le communitate de diaspora* es felice de accolliger te!" + connect_to_facebook: "Nos pote accelerar le cosas un poco per %{link} a diaspora*. Isto insere automaticamente tu nomine e photo, e permitte inviar entratas a ambe sitos." connect_to_facebook_link: "connecter tu conto de Facebook" - hashtag_explanation: "Le #etiquettas permitte discuter e sequer tu interesses. Illos anque es un bon maniera de trovar nove personas in Diaspora." + hashtag_explanation: "Le #etiquettas permitte discuter e sequer tu interesses. Illos anque es un bon maniera de trovar nove personas in diaspora*." hashtag_suggestions: "Tenta sequer etiquettas como #arte, #films, #gif, etc." saved: "Salveguardate!" well_hello_there: "Salutationes a te!" @@ -983,6 +1227,7 @@ ia: privacy_settings: ignored_users: "Usatores ignorate" stop_ignoring: "Cessar de ignorar" + strip_exif: "Remover le metadatos, p.ex. localitate, autor, modello de camera, de imagines incargate (recommendate)" title: "Configuration de confidentialitate" public: does_not_exist: "Le usator %{username} non existe!" diff --git a/config/locales/diaspora/id.yml b/config/locales/diaspora/id.yml index 56c2bee63..13165ad5e 100644 --- a/config/locales/diaspora/id.yml +++ b/config/locales/diaspora/id.yml @@ -58,8 +58,6 @@ id: add_to_aspect: failure: "Failed to add friend to aspect." success: "Successfully added friend to aspect." - aspect_contacts: - done_editing: "Selesai" aspect_listings: add_an_aspect: "+ Tambah satu aspek" deselect_all: "Batalkan semua pilihan" @@ -77,21 +75,14 @@ id: failure: "%{name} tidak terisi dan tidak dapat dihapus." success: "%{name} berhasil dihapus." edit: - add_existing: "Tambah kontak yang sudah ada" aspect_list_is_not_visible: "Kontak di dalam aspek ini tidak dapat saling melihat" aspect_list_is_visible: "Kontak di dalam aspek ini dapat saling melihat." confirm_remove_aspect: "Anda yakin ingin menghapus aspek ini?" - done: "Selesai" make_aspect_list_visible: "make aspect list visible?" remove_aspect: "Hapus aspek ini" rename: "Ganti nama" update: "Perbarui" updating: "Memperbarui" - few: "%{count} aspek" - helper: - are_you_sure: "apakah anda yakin untuk menghapus aspek ini?" - aspect_not_empty: "Aspek tidak kosong" - remove: "hapus" index: diaspora_id: content_1: "ID diaspora* anda:" @@ -124,11 +115,6 @@ id: heading: "Sambungkan Layanan" unfollow_tag: "Berhenti mengikuti #%{tag}" welcome_to_diaspora: "Selamat datang di diaspora*, %{name}" - many: "%{count} aspek" - move_contact: - error: "Galat memindahkan kontak : %{inspect}" - failure: "tidak bekerja %{inspect}" - success: "Orang tersebut dipindahkan ke Aspek baru" new: create: "Buat" name: "Name" @@ -146,14 +132,6 @@ id: family: "Keluarga" friends: "Teman" work: "Kerja" - selected_contacts: - manage_your_aspects: "Kelola aspek anda." - no_contacts: "Anda belum memiliki kontak di sini." - view_all_community_spotlight: "Lihat semua sorotan komunitas" - view_all_contacts: "Lihat semua kontak" - show: - edit_aspect: "Ubah aspek" - two: "%{count} aspek" update: failure: "Nama aspek anda, %{name}, terlalu panjang untuk disimpan." success: "Aspek anda, %{name}, telah berhasil diubah." @@ -166,50 +144,38 @@ id: post_success: "Terkirim! Menutup!" cancel: "Batal" comments: - few: "%{count} comments" - many: "%{count} comments" new_comment: comment: "Komentar" commenting: "Mengomentari" one: "1 komentar" other: "%{count} komentar" - two: "%{count} komentar" zero: "tak ada komentar" contacts: create: failure: "gagal membuat kontak" - few: "%{count} contacts" index: add_a_new_aspect: "Tambahkan aspek baru" add_to_aspect: "Add contacts to %{name}" - add_to_aspect_link: "tambahkan kontak dengan %{name}" all_contacts: "Semua Kontak" community_spotlight: "Sorotan komunitas" - many_people_are_you_sure: "Apakah kamu mau memulai perbincangan pribadi lebih dari %{suggested_limit} kontak? Mengirim ke Aspek ini mungkin cara yang lebih baik untuk menghubungi mereka." my_contacts: "Kontakku" no_contacts: "No contacts." no_contacts_message: "Lihat juga %{community_spotlight}" - no_contacts_message_with_aspect: "Lihat %{community_spotlight} atau %{add_to_aspect_link}" only_sharing_with_me: "Hanya berbagi dengan saya" - remove_person_from_aspect: "Hapus %{aspect_name} dari \"%{person_name}\"" start_a_conversation: "Mulai pembicaraan" title: "Kontak" your_contacts: "Kontakmu" - many: "%{count} kontak" one: "1 kontak" other: "%{count} kontak" sharing: people_sharing: "Orang-orang yang berbagi dengan anda" spotlight: community_spotlight: "Sorotan Komunitas" - two: "%{count} kontak" zero: "kontak" conversations: create: fail: "Pesan tak valid" sent: "Pesan terkirim" - destroy: - success: "Pembicaraan berhasil dihapus" helper: new_messages: few: "%{count} new messages" @@ -454,7 +420,6 @@ id: add_contact_from_tag: "tambah kontak dari tag" aspect_list: edit_membership: "sunting keanggotaan Aspek" - few: "%{count} people" helper: results_for: " hasil untuk %{params}" index: @@ -462,7 +427,6 @@ id: no_one_found: "...dan tak menemukan siapapun." no_results: "Hei! Kamu harus cari sesuatu." results_for: "hasil pencarian untuk" - many: "%{count} people" one: "1 person" other: "%{count} people" person: @@ -498,7 +462,6 @@ id: add_some: "tambah beberapa" edit: "sunting" you_have_no_tags: "kamu tak punya tag!" - two: "%{count} people" webfinger: fail: "Maaf, kita tak dapat mencari %{handle}" zero: "no people" @@ -636,13 +599,7 @@ id: status_messages: helper: no_message_to_display: "Tidak ada pesan yang dapat ditampilkan." - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: hide_comments: "hide comments" show_comments: @@ -681,7 +638,6 @@ id: close_account: what_we_delete: "We delete all of your posts, profile data, as soon as humanly possible. Your comments will hang around, but be associated with your Diaspora Handle." download_photos: "Unduh foto-fotoku" - download_xml: "Unduh xmlku" email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Till you follow this link and activate the new address, we will continue to use your original address %{email}." new_password: "New Password" receive_email_notifications: "Receive email notificaions?" diff --git a/config/locales/diaspora/io.yml b/config/locales/diaspora/io.yml index b2103b2a4..fefe1fda1 100644 --- a/config/locales/diaspora/io.yml +++ b/config/locales/diaspora/io.yml @@ -44,8 +44,6 @@ io: are_you_sure: "Ka vu esas certa?" are_you_sure_delete_account: "Ka vu certe volas klozar vua konto? To ne povas esar desfacota." aspects: - aspect_contacts: - done_editing: "finis redaktar" aspect_listings: add_an_aspect: "+ Adjuntez aspekto" deselect_all: "Des-selektez omna" @@ -59,17 +57,14 @@ io: destroy: success: "%{name} sucesoze efacesis." edit: - add_existing: "Adjuntez existanta konocato" aspect_list_is_not_visible: "Konocati en ita aspekto ne povas vidar l'una l'altra." aspect_list_is_visible: "Konocati en ita aspekto povas vidar l'una l'altra." confirm_remove_aspect: "Ka vu certe volas efacar ita aspekto?" - done: "Finis" make_aspect_list_visible: "igar konocati en ita aspekto videbla a l'una l'altra?" remove_aspect: "Efacez ita aspekto" rename: "ri-nomizez" update: "aktualigez" updating: "aktualigas" - few: "%{count} aspekti" index: donate: "Donacar" help: @@ -79,7 +74,6 @@ io: new_here: learn_more: "Lektez pluse" title: "Bonvenez Nova Uzanti" - many: "%{count} aspekti" new: create: "Kreez" name: "Nomo (nur videbla da tu)" @@ -94,13 +88,6 @@ io: acquaintances: "Konocati" family: "Familio" friends: "Amiki" - selected_contacts: - manage_your_aspects: "Direktar tua aspekti." - no_contacts: "Tu ankore ne havas konocati hike" - view_all_contacts: "Regardez omna konocati" - show: - edit_aspect: "redaktez aspekto" - two: "%{count} aspekti" back: "Retro-irar" cancel: "Anular" contacts: @@ -159,7 +146,6 @@ io: public: "Publika" registrations: new: - continue: "Durar" password: "PASOVORTO" search: "Serchar" services: diff --git a/config/locales/diaspora/is.yml b/config/locales/diaspora/is.yml index 0bc2b1a42..4dc8d956f 100644 --- a/config/locales/diaspora/is.yml +++ b/config/locales/diaspora/is.yml @@ -68,8 +68,6 @@ is: add_to_aspect: failure: "Ekki tókst að bæta tengilið við ásýnd." success: "Það heppnaðist að bæta tengilið við ásýnd." - aspect_contacts: - done_editing: "búið að breyta" aspect_listings: add_an_aspect: "+ Bæta við ásýnd" deselect_all: "Velja ekkert" @@ -86,23 +84,15 @@ is: failure: "%{name} er ekki tóm og því ekki hægt að fjarlægja hana." success: "það heppnaðist að fjarlægja %{name}." edit: - add_existing: "Bæta við tengilið sem er þegar til" aspect_list_is_not_visible: "Tengiliðir í þessari ásýnd geta ekki séð hvern annan." aspect_list_is_visible: "Tengiliðir í þessari ásýnd geta séð hvern annan." confirm_remove_aspect: "Ertu viss um að þú viljir eyða þessari ásýnd?" - done: "Búið" make_aspect_list_visible: "gera þáttökulista ásýndar sýnilegan öðrum?" - manage: "Stjórna" remove_aspect: "Eyða þessari ásýnd" rename: "breyta nafni" set_visibility: "Stilla sýnileika" update: "uppfæra" updating: "uppfæri" - few: "%{count} ásýndir" - helper: - are_you_sure: "Ertu viss um að þú viljir eyða þessari ásýnd?" - aspect_not_empty: "Ásýnd er ekki tóm" - remove: "fjarlægja" index: diaspora_id: content_1: "Diaspora*-auðkennið þitt er:" @@ -122,20 +112,17 @@ is: tag_feature: "#feature" tag_question: "#question" new_here: + follow: "Fylgstu með %{link} og bjóddu nýja notendur velkomna á Diaspora*!" learn_more: "Vita meira" + title: "Bjóða Nýja Notendur Velkomna" no_contacts: "Engir tengiliðir" no_tags: "+ finna merki til að fylgjast með" people_sharing_with_you: "Fólk sem deilir með þér:" post_a_message: "skrifa skilaboð >>" services: - heading: "Tengja tjónustur" + heading: "Tengja Þjónustur" unfollow_tag: "Hætta að fylgjast með #%{tag}" welcome_to_diaspora: "Velkomin í Diaspora* %{name}!" - many: "%{count} ásýndir" - move_contact: - error: "Villa við að breyta tengiliði: %{inspect}" - failure: "virkaði ekki %{inspect}" - success: "Aðili fluttur í nýja ásýnd" new: create: "Búa til" name: "Nafn (sýnilegt þér einum)" @@ -153,14 +140,6 @@ is: family: "Fjölskylda" friends: "Vinir" work: "Vinna" - selected_contacts: - manage_your_aspects: "Sýsla með ásýndir." - no_contacts: "Þú ert ekki enn með neina tengiliði hér." - view_all_community_spotlight: "Sjá allt sem efst er á baugi í samfélaginu" - view_all_contacts: "Sjá alla tengiliði" - show: - edit_aspect: "breyta ásýndum" - two: "%{count} ásýndir" update: failure: "Ásýnd þín, %{name}, hefur of langt nafn til að hægt sé að vista hana." success: "Ásýnd þinni, %{name}, hefur verið breytt." @@ -173,22 +152,17 @@ is: post_success: "Sent! Loka!" cancel: "Hætta við" comments: - few: "%{count} comments" - many: "%{count} comments" new_comment: comment: "Athugasemd" commenting: "Athugasemd gerð..." one: "1 comment" other: "%{count} comments" - two: "%{count} comments" zero: "no comments" contacts: create: failure: "Ekki tókst að mynda tengsl" - few: "%{count} tengsl" index: add_to_aspect: "Add contacts to %{name}" - add_to_aspect_link: "bæta tengiliðum við %{name}" all_contacts: "Allir tengiliðir" community_spotlight: "Efst á baugi í samfélaginu" my_contacts: "Tengiliðirnir mínir" @@ -196,21 +170,17 @@ is: start_a_conversation: "Hefja umræðu" title: "Tengiliðir" your_contacts: "Þínir tegiliðir" - many: "%{count} tengiliðir" one: "1 tengiliður" other: "%{count} tengiliðir" sharing: people_sharing: "Fólk sem deilir með þér:" spotlight: community_spotlight: "Efst á baugi í samfélaginu" - two: "%{count} tengiliðir" zero: "tengiliðir" conversations: create: fail: "Ógild skilaboð" sent: "Skilaboð send" - destroy: - success: "Umræða hefur verið fjarlægð" helper: new_messages: one: "1 ný skilaboð" @@ -279,6 +249,7 @@ is: if_they_accept_info: "ef þau þiggja boðið, verður þeim bætt við þá ásýnd sem þú bauðst þeim á." invite_someone_to_join: "Bjóddu einhverjum að tengjast Díaspora*!" language: "Tungumál" + paste_link: "Deildu þessum tengil með vinum þínum til þess að bjóða þeim á diaspora*, eða sendu þeim tengilinn beint í gegnum tölvupóst." personal_message: "Persónuleg skilaboð" resend: "Endursenda" send_an_invitation: "Sendu boðsmiða" @@ -450,14 +421,12 @@ is: invited_by: "þér var boðið af" aspect_list: edit_membership: "breyta aðild að ásýnd" - few: "%{count} people" helper: results_for: " niðurstöður fyrir %{params}" index: no_one_found: "...og enginn fannst." no_results: "Hey! Þú þarft að leita að einhverju." results_for: "Notendur sem samsvara %{search_term}" - many: "%{count} people" one: "1 person" other: "%{count} people" person: @@ -484,7 +453,6 @@ is: to_accept_or_ignore: "að samþykkja eða hunsa það." sub_header: edit: "breyta" - two: "%{count} people" webfinger: fail: "Því miður, %{handle} fannst ekki." zero: "no people" @@ -569,7 +537,6 @@ is: unhappy: "Óhamingjusamur?" update: "Uppfæra" new: - continue: "Halda áfram" create_my_account: "Create my account" email: "NETFANG" enter_email: "Gefðu upp netfang" @@ -681,13 +648,7 @@ is: failure: "Ekki tókst að eyða færslu" helper: no_message_to_display: "Engin skilaboð að sýna!" - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: hide_comments: "fela athugasemdir" show_comments: diff --git a/config/locales/diaspora/it.yml b/config/locales/diaspora/it.yml index ff0b43f14..a6cafadb5 100644 --- a/config/locales/diaspora/it.yml +++ b/config/locales/diaspora/it.yml @@ -78,20 +78,29 @@ it: other: "%{count} utenti" zero: "%{count} utenti" week: "1 settimana" + user_entry: + ? "no" + : "No" + ? "yes" + : Si user_search: add_invites: "aggiungi inviti" + close_account: "Chiudi l'account" email_to: "Email a cui mandare l'invito" under_13: "Mostra utenti sotto i 13 anni (Children's Online Privacy Protection Act)" users: one: "trovato %{count} utente" other: "trovati %{count} utenti" zero: "trovati %{count} utenti" - you_currently: "al momento hai %{user_invitation} inviti a disposizione %{link}" + you_currently: + one: "al momento hai un invito a disposizione %{link}" + other: "al momento hai %{count} inviti a disposizione %{link}" + zero: "al momento non hai inviti a disposizione %{link}" weekly_user_stats: amount_of: - one: "totale dei nuovi utenti di questa settimana: %{count}" - other: "totale di nuovi utenti questa settimana: %{count}" - zero: "totale di nuovi utenti questa settimana: nessuno" + one: "Numero di nuovi utenti questa settimana: %{count}" + other: "Numero di nuovi utenti questa settimana: %{count}" + zero: "Numero di nuovi utenti questa settimana: nessuno" current_server: "La data attuale del server è %{date}" ago: "%{time} fa" all_aspects: "Tutti gli aspetti" @@ -111,8 +120,6 @@ it: add_to_aspect: failure: "Errore nell'aggiungere il contatto all'aspetto." success: "Il contatto è stato aggiunto all'aspetto." - aspect_contacts: - done_editing: "modifica eseguita" aspect_listings: add_an_aspect: "+ Aggiungi un aspetto" deselect_all: "Deseleziona tutti" @@ -131,22 +138,14 @@ it: failure: "%{name} non è stato rimosso perché non è vuoto." success: "%{name} è stato rimosso con successo." edit: - add_existing: "Aggiungi un contatto esistente" aspect_list_is_not_visible: "i Contatti in questo aspetto non sono visibili tra loro" aspect_list_is_visible: "I Contatti in questo aspetto sono visibili tra loro" confirm_remove_aspect: "Sei sicuro di voler eliminare questo aspetto?" - done: "Fatto" make_aspect_list_visible: "Vuoi che i contatti di questo aspetto vedano gli altri che ne fanno parte?" - manage: "Gestisci" remove_aspect: "Elimina questo aspetto" rename: "rinomina" update: "aggiorna" updating: "aggiornamento in corso" - few: "%{count} aspetti" - helper: - are_you_sure: "Sei sicuro di voler eliminare questo aspetto?" - aspect_not_empty: "Aspetto non vuoto" - remove: "rimuovi" index: diaspora_id: content_1: "Il tuo ID è:" @@ -170,9 +169,9 @@ it: tag_feature: "idea" tag_question: "domanda" tutorial_link_text: "Guide" - tutorials_and_wiki: "%{tutorial} & %{wiki}: Un aiuto per i tuoi primi passi" + tutorials_and_wiki: "%{faq}, %{tutorial} & %{wiki}: un aiuto per i tuoi primi passi." introduce_yourself: "Questo è il tuo stream. Sali a bordo e presentati!" - keep_diaspora_running: "Fai andare veloce lo sviluppo di Diaspora con una donazione mensile!" + keep_diaspora_running: "Velocizza lo sviluppo di diaspora con una donazione mensile!" keep_pod_running: "Mantieni %{pod} veloce e scattante, la tua donazione mensile sarà il caffè per i nostri server!" new_here: follow: "Segui %{link} per dare il benvenuto ai nuovi iscritti su Diaspora*!" @@ -186,12 +185,7 @@ it: content: "Puoi collegare i seguenti servizi a Diaspora:" heading: "Servizi connessi" unfollow_tag: "Smetti di seguire #%{tag}" - welcome_to_diaspora: "Diaspora ti dà il benvenuto, %{name}!" - many: "%{count} aspetti" - move_contact: - error: "Errore nello spostare il contatto: %{inspect}" - failure: "non ha funzionato %{inspect}" - success: "Persona spostata in un altro aspetto" + welcome_to_diaspora: "Benvenuto in diaspora, %{name}!" new: create: "Crea" name: "Nome (visibile solo a te)" @@ -209,14 +203,6 @@ it: family: "Famiglia" friends: "Amici" work: "Lavoro" - selected_contacts: - manage_your_aspects: "Modifica gli aspetti." - no_contacts: "Ancora non hai contatti." - view_all_community_spotlight: "Tutti gli utenti in evidenza" - view_all_contacts: "Mostra tutti i contatti" - show: - edit_aspect: "modifica aspetto" - two: "%{count} aspetti" update: failure: "Il tuo aspetto, %{name}, ha un nome troppo lungo per poter essere salvato." success: "Il tuo aspetto, %{name}, è stato modificato con successo." @@ -230,42 +216,33 @@ it: failure: "Non posso smettere di ignorare l'utente. #evasion" success: "Vediamo cosa hanno da dire! #sayhello" bookmarklet: - explanation: "Condividi su Diaspora quando vuoi aggiungendo %{link} tra i preferiti." + explanation: "Condividi su diaspora* quando vuoi aggiungendo %{link} tra i preferiti." heading: "Bookmarklet" post_something: "Pubblica su Diaspora" post_success: "Inviato! Chiusura in corso!" cancel: "Annulla" comments: - few: "%{count} commenti" - many: "%{count} commenti" new_comment: comment: "Commenta" commenting: "Invio commento in corso..." one: "1 commento" other: "%{count} commenti" - two: "%{count} commenti" zero: "nessun commento" contacts: create: failure: "Impossibile creare il contatto" - few: "%{count} contatti" index: add_a_new_aspect: "Aggiungi un aspetto" add_to_aspect: "aggiungi i contatti a %{name}" - add_to_aspect_link: "aggiungi contatti a %{name}" all_contacts: "Tutti i contatti" community_spotlight: "In evidenza nella comunità" - many_people_are_you_sure: "Stai inviando un messaggio privato a più di %{suggested_limit} contatti. Vuoi farlo davvero? Forse potrebbe essere più opportuno pubblicarlo su un aspetto!" my_contacts: "I miei contatti" no_contacts: "Probabilmente devi aggiungere qualche contatto!" no_contacts_message: "Scopri gli utenti %{community_spotlight}" - no_contacts_message_with_aspect: "Scopri gli utenti %{community_spotlight} oppure %{add_to_aspect_link}" only_sharing_with_me: "Condividono con me" - remove_person_from_aspect: "Rimuovi %{person_name} da \"%{aspect_name}\"" start_a_conversation: "Inizia una conversazione" title: "Contatti" your_contacts: "I tuoi contatti" - many: "%{count} contatti" one: "1 contatto" other: "%{count} contatti" sharing: @@ -273,7 +250,6 @@ it: spotlight: community_spotlight: "In evidenza nella comunità" suggest_member: "Suggerisci un utente" - two: "%{count} contatti" zero: "contatti" conversations: conversation: @@ -282,8 +258,6 @@ it: fail: "Messaggio non valido" no_contact: "Hey, devi prima aggiungere un contatto!" sent: "Messaggio inviato" - destroy: - success: "Conversazione rimossa con successo" helper: new_messages: one: "%{count} nuovo messaggio" @@ -301,6 +275,8 @@ it: sending: "Invio in corso..." subject: "oggetto" to: "a" + new_conversation: + fail: "Messaggio non valido" show: delete: "elimina e blocca la conversazione" reply: "rispondi" @@ -318,6 +294,7 @@ it: invalid_fields: "Campi non validi" login_try_again: "Per favore accedi e riprova" post_not_public: "Il post che stai cercando di vedere non è pubblico!" + post_not_public_or_not_exist: "Il post che stai cercando di visualizzare non è pubblico o non esiste!" fill_me_out: "Scrivi qui" find_people: "Cerca persone o #tag" help: @@ -382,6 +359,13 @@ it: title: "Menzioni" what_is_a_mention_a: "Una menzione in un post è un link alla pagina del profilo di una persona. Quando qualcuno è menzionato riceve una notifica che richiama la sua attenzione al post stesso." what_is_a_mention_q: "Cosa è una \"menzione\"?" + miscellaneous: + back_to_top_a: "Si. Dopo averla fatta scorrere in basso, clicca sulla freccia grigia che appare nell`angolo in basso a destra della finestra del tuo browser." + back_to_top_q: "C`è un modo veloce per tornare in cima ad una pagina una volta che l'ho fatta scorrere in basso?" + diaspora_app_q: "Esiste l'app diaspora per Android o iOS?" + photo_albums_a: "Al momento no. Tuttavia puoi vedere uno stream delle loro foto caricate dalla sezione foto nella barra laterale del loro profilo." + photo_albums_q: "Ci sono album di foto o video?" + title: "Varie" pods: find_people_a: "Puoi invitare i tuoi amici inviando per email il link che trovi sulla barra laterale. Inizia a seguire dei #tag per scoprire altre persone con cui hai interessi in comune e aggiungi ai tuoi aspetti quelle interessanti. Puoi anche scrivere un post annunciando che sei #NuovoUtente e vedrai che qualcuno si presenterà per darti il benvenuto." find_people_q: "Mi sono appena registrato su un pod, come trovo persone con cui condividere?" @@ -413,6 +397,7 @@ it: stream_full_of_posts_a1: "Il tuo stream si compone di tre tipi di posts" stream_full_of_posts_li1: "I posts delle persone con cui condividi, sono di due tipi: messaggi pubblici e messaggi limitati solo ad alcuni aspetti che condividi. Per rimuovere questi post dal tuo stream, semplicemente elimina la condivisione con la persona" stream_full_of_posts_li2: "I messaggi pubblici contengono un tag che stai seguendo. Per rimuoverli, smetti di seguire il tag." + stream_full_of_posts_li3: "Post pubblici di utenti in evidenza. Questi possono essere rimossi cliccando sull'opzione \"mostra utenti in evidenza nello stream?\" nella scheda account delle tue impostazioni." stream_full_of_posts_q: "Perchè il mio stream è pieno di post di gente che non conosco e con cui non condivido nulla?" title: "I post" private_posts: @@ -427,6 +412,7 @@ it: who_sees_post_q: "Quando posto un messaggio ad un Aspetto (es: un messaggio privato), chi può vederlo?" private_profiles: title: "Profili privati" + whats_in_profile_a: "Biografia, luogo, sesso e data di nascita. Sono tutti dati della sezione inferiore della pagina editabile del profilo. Tutte queste informazioni sono opzionali (sta a te se inserirle o no). Gli utenti registrati che hai aggiunto ai tuoi aspetti sono le sole persone che possono vedere il tuo profilo privato. Essi potranno anche vedere i post privati pertinenti agli aspetti di cui fanno parte, assieme ai post pubblici, quando visitano la pagina del tuo profilo." whats_in_profile_q: "Cosa c'è nel mio profilo privato?" who_sees_profile_a: "Qualunque utente loggato con cui lo stai condividendo (cioè, lo hai aggiunto ad uno dei tuoi aspetti). Tuttavia, le persone che ti seguono, ma che tu non segui, vedranno solo le tue informazioni pubbliche." who_sees_profile_q: "Chi vede il mio profilo privato?" @@ -435,8 +421,12 @@ it: public_posts: can_comment_reshare_like_a: "Qualunque utente di diaspora* loggato può commentare, ri-condividere, o mettere mi piace sul tuo post pubblico." can_comment_reshare_like_q: "Chi può commentare, ri-condividere, o mettere mi piace sul mio post pubblico?" + deselect_aspect_posting_a: "Deselezionare aspetti non affetta post pubblici. Questi continueranno ad apparire nei stream di tutti i tuoi contatti. Per visualizzare un post solo su specifici aspetti, seleziona questi aspetti in basso sotto colui che lo ha pubblicato." deselect_aspect_posting_q: "Cosa succede quando deseleziono uno o più Aspetti quando creo un post pubblico?" + find_public_post_a: "Il tuo post pubblico verrá mostrato nello stream di coloro che ti seguono. Se includi #tags nel tuo post pubblico, allora chiunque segue questi \"tags\" potrà trovare il tuo post nel suo stream. Ogni post pubblico ha anche un URL specifico che chiunque può vedere, anche se non hanno effettuato l'accesso (dato che i post pubblici potrebbero essere link da Twitter, blogs etc.). I post pubblici potrebbero anche essere indicizzati da motori di ricerca." find_public_post_q: "Le altre persone come possono trovare i miei post?" + see_comment_reshare_like_a: "Tutti gli utenti che abbiano effettuato l'accesso in diaspora* e chiunque in internet. Commenti, \"mi piace\" e condivisioni di post pubblici sono anch'essi pubblici." + see_comment_reshare_like_q: "Chi può vedere i miei commenti, condivisioni o \"mi piace\" nei post pubblici?" title: "Post pubblici" who_sees_post_a: "Potenzialmente chiunque stia utilizzando internet può vedere un post che hai segnato come pubblico, perciò assicurati di voler rendere per davvero il tuo post pubblico. E' un fantastico modo di allungarsi verso il mondo." who_sees_post_q: "Quando posto qualcosa pubblicamente, chi può vederla?" @@ -451,21 +441,43 @@ it: who_sees_updates_a: "Chiunque visiti la tua pagina del profilo può vedere i cambiamenti." who_sees_updates_q: "Chi vede gli aggiornamenti del mio profilo pubblico?" resharing_posts: + reshare_private_post_aspects_a: "No, non è possibile condividere un post privato. Ciò per rispettare le intenzioni di chi lo ha originalmente condiviso, il quale lo ha condiviso solamente con un gruppo particolare di persone." + reshare_private_post_aspects_q: "Posso condividere un post privato con solo certi aspetti?" + reshare_public_post_aspects_a: "No, quando condividi un post pubblico questo diventa automaticamente un tuo post pubblico. Per poterlo condividere con solo certi aspetti, copia e incolla il contenuto del post in un nuovo post." + reshare_public_post_aspects_q: "Posso condividere un post pubblico con solo certi aspetti?" title: "Ri-condividere post" sharing: add_to_aspect_a1: "Poniamo che Amy aggiunga Ben ad un Aspetto, ma Ben non abbia (ancora) aggiunto Amy ad un Aspetto." + add_to_aspect_a2: "Questa è nota come condivisione assimetrica. Solo e quando Ben aggiungerà Amy ad un aspetto allora questa diventerà una condivisione mutua, con i post pubblici e rilevanti post privati di entrambi visibili nei relativi stream, etc. " add_to_aspect_li1: "Bill riceverà una notifica che dirà che Amy ha \"iniziato a condividere\" con lui." add_to_aspect_li2: "Amy inizierà a vedere i post pubblici di Ben nel suo profilo." add_to_aspect_li3: "Amy non vedrà alcun post privato di Ben." add_to_aspect_li4: "Ben non vedrà i post pubblici o privati di Amy nel suo stream." add_to_aspect_li5: "Ma se Ben andrà nella pagina del profilo di Amy, allora vedrà i messaggi privati di Amy che lei crea per il suo Aspetto in cui c'è lui (e anche i suoi post pubblici che chiunque può vedere)." add_to_aspect_li6: "Ben potrà vedere il profilo privato di Amy (biografia, luogo, sesso, compleanno)." + add_to_aspect_li7: "Amy apparirà nella pagina di Ben \"condividono con me\"." + add_to_aspect_q: "Cosa succede quando aggiungo qualcuno ad uno dei miei aspetti? Oppure quando qualcuno mi aggiunge ad uno dei suoi aspetti?" + list_not_sharing_a: "No, però puoi vedere se una persona ti sta seguendo visitando la pagina del suo profilo. Se lo stanno facendo, allora la barra sotto il loro profilo sarà verde; nel caso contrario sarà grigia. Dovresti ricevere una notifica ogniqualvolta qualcuno inizia a seguirti." + list_not_sharing_q: "C`è una lista di persone che ho aggiunto ad uno dei miei aspetti, ma che non mi hanno ancora aggiunto ai loro?" + only_sharing_a: "Queste sono le persone che ti hanno aggiunto ad uno dei loro aspetti, ma che non sono (ancora) in nessuno dei tuoi aspetti. In altre parole, loro ti stanno seguendo ma tu no (condivisione asimmetrica). Se tu li aggiungi ad un aspetto, allora appariranno in quell`aspetto e non più in \"condividono con me\". Vedi sopra." + only_sharing_q: "Chi sono le persone elencate in \"condividono con me\" nella mia pagina dei contatti?" + see_old_posts_a: "No. Potrà solamente vedere post nuovi di quel aspetto. Loro (e ogni altro) potranno vedere i tuoi vecchi post pubblici sulla pagina del tuo profilo e sul loro stream." + see_old_posts_q: "Quando aggiungo qualcuno ad un aspetto, può questi vedere post vecchi che ho già postato in quel aspetto?" title: "Condividendo" tags: + filter_tags_a: "Ciò non è ancora disponibile in diaspora*, ma alcuni %{third_party_tools} sono già stati scritti per poter provvedere a questo servizio." + filter_tags_q: "Come posso filtrare/escludere alcuni tag dal mio stream?" + followed_tags_a: "Dopo aver cercato una tag puoi cliccare sul bottone in cima alla pagina della tag e seguire la tag. Questa apparirà così nella lista delle tue tag seguite sulla sinistra. Cliccando su una delle tue tag seguite verrai portato sulla pagina di quella tag e in questo modo potrai vedere i post recenti contenenti quella tag. Clicca su \"#Followed Tags\" per vedere uno stream di post che includano una delle tue tag seguite. " + followed_tags_q: "Cosa sono le \"#Followed Tags\" e come posso seguirle?" + people_tag_page_a: "Sono persone che hanno elencato quel tag per descrivere se stessi nel loro profilo pubblico." + people_tag_page_q: "Chi sono quelle persone elencate nella parte sinistra della pagina del tag?" + tags_in_comments_a: "Un tag aggiunto ad un commento verrà mostrato come un link alla pagina di quel tag, ma non farà apparire quel post (o commento) nella pagina di quel tag. Ciò funziona solo con le tag nei post." tags_in_comments_q: "Posso mettere dei tag nei commenti o solo nei post?" title: "Tag" + what_are_tags_for_a: "Le tag sono un modo per categorizzare un post, normalmente per argomento. Cercando un tag verranno mostrati tutti i post con quel tag (sia pubblici che privati). Ciò permette a coloro interessati a certi argomenti di trovare i post pubblici su di essi." what_are_tags_for_q: "A cosa servono i tag?" third_party_tools: "tool di terze parti" + title_header: "Aiuto" tutorial: "guida" tutorials: "guide" wiki: "wiki" @@ -499,7 +511,7 @@ it: zero: "Ti restano 0 inviti" comma_separated_plz: "Puoi inserire più indirizzi di posta separati da virgole." if_they_accept_info: "se accettano, saranno aggiunti all'aspetto in cui li hai invitati." - invite_someone_to_join: "Invita qualcuno ad entrare in Diaspora!" + invite_someone_to_join: "Invita qualcuno ad entrare in diaspora*!" language: "Lingua" paste_link: "Condividi questo link con i tuoi amici per invitarli su Diaspora*, puoi anche inviarlo per email." personal_message: "Messaggio privato" @@ -512,8 +524,7 @@ it: application: back_to_top: "Torna all'inizio" powered_by: "POWERED BY DIASPORA*" - public_feed: "Feed pubblici Diaspora di %{name}" - source_package: "" + public_feed: "Feed pubblici diaspora* di %{name}" toggle: "attiva/disattiva versione mobile" whats_new: "novità" your_aspects: "i tuoi aspetti" @@ -577,6 +588,7 @@ it: other: "%{count} nuove notifiche" zero: "Nessuna nuova notifica" index: + all_notifications: "Vedi tutte le notifiche" and: "e" and_others: few: "e altre %{count} persone" @@ -585,7 +597,7 @@ it: other: "e altre %{count} persone" two: "e altre %{count} persone" zero: "e nessun altro" - mark_all_as_read: "Segna come lette" + mark_all_as_read: "Segnalali tutti come letti" mark_read: "Segna come letto" mark_unread: "Segna come non letti" mentioned: "Menzionato" @@ -622,7 +634,7 @@ it: reshared: one: "%{actors} ha condiviso il tuo %{post_link}." other: "%{actors} hanno condiviso il tuo %{post_link}." - zero: "%{actors} ha condiviso il tuo %{post_link}." + zero: "%{actors} hanno condiviso il tuo %{post_link}." reshared_post_deleted: few: "%{actors} hanno condiviso il post che hai eliminato." many: "%{actors} hanno condiviso il post che hai eliminato." @@ -673,6 +685,9 @@ it: subject: "%{name} ti ha menzionato su Diaspora*" private_message: reply_to_or_view: "Rispondi o leggi questa conversazione >" + report_email: + type: + comment: "Commento" reshared: reshared: "%{name} ha condiviso il tuo post" view_post: "Leggi il post >" @@ -697,7 +712,6 @@ it: add_contact_from_tag: "aggiungi contatto dal #tag" aspect_list: edit_membership: "modifica appartenenza all'aspetto" - few: "%{count} persone" helper: is_not_sharing: "%{name} non condivide con te" is_sharing: "%{name} sta condividendo con te" @@ -707,11 +721,10 @@ it: looking_for: "Cerchi i post con il tag %{tag_link}?" no_one_found: "...e nessuno è stato trovato." no_results: "Ehi! Devi inserire qualcosa da cercare." - results_for: "risultati della ricerca di" + results_for: "Risultati della ricerca di %{search_term}" search_handle: "Utilizza la loro ID diaspora* (nomeutente@pod.tld) per essere sicuro di trovare i tuoi amici." searching: "ricerca in corso, devi avere pazienza..." send_invite: "Ancora niente? Manda un invito!" - many: "%{count} persone" one: "una persona" other: "%{count} persone" person: @@ -725,7 +738,7 @@ it: edit_my_profile: "Modifica il mio profilo" gender: "sesso" in_aspects: "negli aspetti" - location: "dove ti trovi" + location: "Luogo" photos: "Foto" remove_contact: "rimuovi contatto" remove_from: "Rimuovere %{name} da %{aspect}?" @@ -748,7 +761,6 @@ it: add_some: "aggiungi" edit: "modifica" you_have_no_tags: "non hai alcun tag!" - two: "%{count} persone" webfinger: fail: "Spiacenti, non possiamo trovare %{handle}." zero: "nessuna persona" @@ -846,26 +858,24 @@ it: update: "Aggiorna" invalid_invite: "L'invito che hai usato non è più valido!" new: - continue: "Continua" create_my_account: "Crea il mio account!" - diaspora: "<3 Diaspora*" email: "EMAIL" enter_email: "Inserisci un indirizzo email" enter_password: "Scegli una password (minimo 6 caratteri)" enter_password_again: "Scrivi di nuovo la password per verifica" enter_username: "Scegli un nome utente (usa solo lettere, numeri e trattino basso)" - hey_make: "HEY,
CREA
QUALCOSA." join_the_movement: "Partecipa al movimento!" password: "PASSWORD" password_confirmation: "CONFERMA PASSWORD" sign_up: "ISCRIVITI" sign_up_message: "Il Social Network con un ♥ così" submitting: "Invio..." + terms_link: "Termini di servizio" username: "NOME UTENTE" requests: create: sending: "Invio in corso..." - sent: "Hai chiesto di condividere con %{name}. Gli sarà notificato al prossimo accesso su Diaspora." + sent: "Hai chiesto di condividere con %{name}. Gli sarà notificato al prossimo accesso su diaspora*." destroy: error: "Seleziona un aspetto!" ignore: "Richiesta di contatto ignorata." @@ -909,7 +919,7 @@ it: failure: error: "si è verificato un errore durante la connessione a quel servizio" finder: - fetching_contacts: "Diaspora sta importando i tuoi amici su %{service}, il risultato sarà visibile tra alcuni minuti." + fetching_contacts: "diaspora* sta importando i tuoi amici su %{service}, il risultato sarà visibile tra alcuni minuti." no_friends: "Non ho trovato amici su Facebook." service_friends: "Amici su %{service}" index: @@ -922,7 +932,7 @@ it: logged_in_as: "accesso effettuato come" no_services: "Ancora non hai collegato alcun servizio." really_disconnect: "disconnettere %{service}?" - services_explanation: "Il collegamento ad altri servizi ti dà la possibilità di pubblicare i post che invii su Diaspora" + services_explanation: "Il collegamento ad altri servizi ti dà la possibilità di pubblicare i post che invii su diaspora*." inviter: click_link_to_accept_invitation: "Vai a questo indirizzo per accettare l'invito" join_me_on_diaspora: "Vieni con me su DIASPORA*" @@ -942,7 +952,7 @@ it: diaspora_handle: "diaspora@pod.org" enter_a_diaspora_username: "Inserisci un nome utente Diaspora" know_email: "Conosci i loro indirizzi email? Dovresti invitarli" - your_diaspora_username_is: "Il tuo ID è: %{diaspora_handle}" + your_diaspora_username_is: "Il tuo nome utente (ID) è: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Aggiungi" toggle: @@ -966,7 +976,7 @@ it: invite_your_friends: "Invita i tuoi amici" invites: "Inviti" invites_closed: "Al momento non è permesso spedire inviti per questo pod Diaspora." - share_this: "Condividi questo link tramite email, blog, o su altri social network!" + share_this: "Condividi questo link tramite email, blog, o altri social network!" notification: new: "Nuovo %{type} da %{from}" public_explain: @@ -990,6 +1000,9 @@ it: i_like: "I miei interessi sono %{tags}." invited_by: "Grazie per l'invito, " newhere: "NuovoUtente" + poll: + add_a_poll: "Aggiungi un sondaggio" + option: "Opzione 1" post_a_message_to: "Invia un messaggio a %{aspect}" posting: "Invio in corso..." preview: "Anteprima" @@ -1020,8 +1033,8 @@ it: label: "Inserisci il codice nel box" message: default: "Il codice segreto non corrisponde all'immagine" - user: "L'immagine segreta e il codice non coincidevano" - placeholder: "Inserisci il valore nell'immagine" + user: "L'immagine segreta e il codice non coincidono" + placeholder: "Inserisci il valore dell'immagine" status_messages: create: success: "Menzionati con successo: %{names}" @@ -1031,10 +1044,7 @@ it: no_message_to_display: "Nessun messaggio da visualizzare." new: mentioning: "Stai menzionando: %{person}" - too_long: - one: "per favore scrivi i tuoi stati con meno di %{count} carattere" - other: "per favore scrivi i tuoi stati con meno di %{count} caratteri" - zero: "per favore scrivi i tuoi stati con meno di %{count} caratteri" + too_long: "Per favore scrivi i tuoi stati con meno di %{count} carattere. Al momento ci sono %{current_length} caratteri" stream_helper: hide_comments: "Nascondi i commenti" show_comments: @@ -1072,7 +1082,6 @@ it: title: "Attività pubblica" tags: contacts_title: "Persone con questo tag" - tag_prefill_text: "A proposito di %{tag_name} ..." title: "Post con tag: %{tags}" tag_followings: create: @@ -1085,15 +1094,8 @@ it: tags: show: follow: "Segui #%{tag}" - followed_by_people: - one: "Seguita da una persona" - other: "Seguito da %{count} persone" - zero: "Seguito da nessuno" following: "Stai seguendo #%{tag}" - nobody_talking: "Nessuno sta ancora parlando di %{tag}." none: "Il tag vuoto non esiste!" - people_tagged_with: "Persone con il tag %{tag}" - posts_tagged_with: "Post con il tag #%{tag}" stop_following: "Smetti di seguire #%{tag}" terms_and_conditions: "Termini e condizioni d'uso" undo: "Annullare?" @@ -1104,10 +1106,10 @@ it: email_not_confirmed: "L'email non è stata attivata. C'è un errore nel link?" destroy: no_password: "Per favore inserisci la password per chiudere l'account." - success: "Il tuo account è stato bloccato. Il processo di chiusura dovrebbe essere completato in circa 20 minuti. Grazie per aver provato Diaspora." + success: "Il tuo account è stato bloccato. Il processo di chiusura dovrebbe essere completato in circa 20 minuti. Grazie per aver provato diaspora*." wrong_password: "La password inserita non corrisponde." edit: - also_commented: "...qualcuno commenta un post dopo di te?" + also_commented: "qualcuno ha commentato un post che hai commentato" auto_follow_aspect: "Scegli un aspetto per gli utenti seguiti in automatico:" auto_follow_back: "Segui automaticamente chi inizia a seguirti" change: "Cambia" @@ -1118,42 +1120,40 @@ it: close_account: dont_go: "Dai, non te ne andare!" if_you_want_this: "Se vuoi davvero farlo, scrivi la tua password e clicca sul bottone 'Chiudi l'account'" - lock_username: "Questa operazione bloccherà il tuo nome utente, nel caso che tu volessi iscriverti nuovamente non potrai usarlo." - locked_out: "Sarai disconnesso e non potrai più accedere al tuo account." - make_diaspora_better: "Vorremmo che tu ci aiutassi a migliorare Diaspora, considera che puoi darci una mano invece di andare via. Se sei davvero convinto, vogliamo che tu sappia come funzionerà la rimozione del tuo account." + lock_username: "Il tuo nome utente verrà bloccato. Non potrai creare un nuovo account su questo pod con lo stesso ID." + locked_out: "Sarai disconnesso e non potrai più accedere al tuo account fino a che non è stato eliminato." + make_diaspora_better: "Vorremmo che tu ci aiutassi a migliorare diaspora*, considera che puoi darci una mano invece di andare via. Se sei davvero convinto, vogliamo che tu sappia come funzionerà la rimozione del tuo account." mr_wiggles: "Il Fantasma Formaggino ti perseguiterà perché te ne vai!" - no_turning_back: "Al momento, non è possibile tornare indietro." - what_we_delete: "Cancelleremo tutti i tuoi post e i dati del profilo nel tempo più breve possibile. I commenti che hai lasciato rimarranno abbinati al tuo ID Diaspora." + no_turning_back: "Al momento, non è possibile tornare indietro! Se sei veramente sicuro allora inserisci la tua password qui sotto." + what_we_delete: "Cancelleremo tutti i tuoi post e i dati del profilo nel tempo più breve possibile. I commenti che hai lasciato su post di altre persone rimarranno visibili ma verranno associati al tuo ID di diaspora* al posto che al tuo nome." close_account_text: "Chiudi l'account" - comment_on_post: "...qualcuno commenta un tuo post?" + comment_on_post: "qualcuno commenta un tuo post" current_password: "Password attuale" current_password_expl: "quella con cui accedi..." download_photos: "scarica le mie foto" - download_xml: "scarica il mio xml" edit_account: "Modifica account" email_awaiting_confirmation: "Il link di attivazione è stato spedito a %{unconfirmed_email}. Continueremo ad usare la tua email originale %{email} finché non cliccherai sul link e attiverai il nuovo indirizzo." - export_data: "Esporta Dati" + export_data: "Esporta dati" following: "Impostazioni dei contatti" getting_started: "Preferenze nuovo utente" - liked: "...a qualcuno piace un tuo post?" - mentioned: "...sei menzionato in un post?" + liked: "a qualcuno piace un tuo post" + mentioned: "sei menzionato in un post" new_password: "Nuova password" - photo_export_unavailable: "Al momento l'esportazione delle foto non è disponibile " - private_message: "...hai ricevuto un messaggio privato?" - receive_email_notifications: "Ricevi notifiche via email quando..." - reshared: "...qualcuno condivide un tuo post?" - show_community_spotlight: "Vuoi vedere nel tuo Stream anche gli utenti in evidenza?" - show_getting_started: "Riattiva la Guida iniziale" - started_sharing: "...qualcuno vuole condividere con te?" - stream_preferences: "Preferenze dello Stream" + private_message: "hai ricevuto un messaggio privato" + receive_email_notifications: "Ricevi notifiche via email quando:" + reshared: "qualcuno ha condiviso un tuo post" + show_community_spotlight: "Mostra nel tuo stream anche gli utenti in evidenza" + show_getting_started: "Mostra la guida iniziale" + started_sharing: "qualcuno ha iniziato a seguirti" + stream_preferences: "Preferenze dello stream" your_email: "La tua email" your_handle: "Il tuo ID" getting_started: awesome_take_me_to_diaspora: "Fantastico! Fammi entrare in Diaspora*" - community_welcome: "La comunità di Diaspora ti dà il benvenuto a bordo!" - connect_to_facebook: "Possiamo rendere le cose veloci %{link} a Diaspora. Così caricherai il nome e la tua foto, oltre che abilitare la condivisione dei post." + community_welcome: "La comunità di diaspora* ti dà il benvenuto a bordo!" + connect_to_facebook: "Possiamo rendere le cose veloci con %{link} a diaspora*. Così caricherai il nome e la tua foto, oltre che abilitare la condivisione dei post." connect_to_facebook_link: "collegando il tuo account Facebook" - hashtag_explanation: "I tag ti permettono di parlare dei tuoi interessi e di seguirli. Sono anche un ottimo sistema per trovare nuove persone su Diaspora." + hashtag_explanation: "Gli hashtags ti permettono di parlare dei tuoi interessi e di seguirli. Sono anche un ottimo sistema per trovare nuove persone su diaspora*." hashtag_suggestions: "Prova a seguire tag tipo #art, #movies, #gif, ecc." saved: "Salvato!" well_hello_there: "Ciao!" diff --git a/config/locales/diaspora/ja.yml b/config/locales/diaspora/ja.yml index 7a1e04dd4..35b64ed3b 100644 --- a/config/locales/diaspora/ja.yml +++ b/config/locales/diaspora/ja.yml @@ -66,8 +66,6 @@ ja: add_to_aspect: failure: "連絡先をアスペクトに追加するのに失敗しました。" success: "連絡先をアスペクトに追加するのに成功しました。" - aspect_contacts: - done_editing: "編集完了" aspect_listings: add_an_aspect: "アスペクトを追加する" deselect_all: "すべて選択解除" @@ -85,21 +83,14 @@ ja: failure: "%{name}に連絡先が残っているので削除できません。" success: "%{name}さんを除外するのに成功しました。" edit: - add_existing: "既存の連絡先を追加する" aspect_list_is_not_visible: "このアスペクトのメンバー一覧はメンバーへ公開されていません" aspect_list_is_visible: "このアスペクトのメンバー一覧はメンバーに公開されています" confirm_remove_aspect: "このアスペクトを本当に削除していいですか。" - done: "完了" make_aspect_list_visible: "アスペクトのメンバー一覧を公開しますか。" remove_aspect: "このアスペクトを削除する" rename: "名前の変更" update: "更新" updating: "更新中" - few: "アスペクト%{count}集" - helper: - are_you_sure: "本当にこのアスペクトを削除しますか。" - aspect_not_empty: "アスペクトは空ではありません。" - remove: "削除" index: diaspora_id: content_1: "あなたのダイアスポラIDは:" @@ -118,6 +109,7 @@ ja: tag_bug: "#bug" tag_feature: "#feature" tag_question: "#question" + tutorial_link_text: "チュートリアル" introduce_yourself: "これがあなたのストリームです。 飛び込んで自己紹介をしてみましょう。" new_here: follow: "%{link}をフォローしてダイアスポラ*の新しいユーザーを歓迎しましょう!" @@ -132,11 +124,6 @@ ja: heading: "外部サービス連携" unfollow_tag: "#%{tag} のフォローを中止する" welcome_to_diaspora: "%{name}さん、ダイアスポラへようこそ!" - many: "アスペクト%{count}集" - move_contact: - error: "連絡先の移動にエラーが発生しました: %{inspect}" - failure: "連絡先を移動させるのに失敗しました:%{inspect}" - success: "連絡先を新しいアスペクトに移動させました。" new: create: "新規作成" name: "Name" @@ -154,14 +141,6 @@ ja: family: "家族" friends: "友達" work: "仕事" - selected_contacts: - manage_your_aspects: "アスペクトを管理する" - no_contacts: "ここにはまだ連絡先がありません。" - view_all_community_spotlight: "すべてのコミュニティスポットライトを見る" - view_all_contacts: "すべての連絡先を見る" - show: - edit_aspect: "アスペクトを編集する" - two: "%{count} aspects" update: failure: "アスペクト名「%{name}」は長すぎて保存できませんでした。" success: "アスペクト「%{name}」の編集に成功しました。" @@ -179,50 +158,38 @@ ja: post_success: "投稿完了!ウィンドウを閉じます。" cancel: "取り消す" comments: - few: "コメント%{count}件" - many: "コメント%{count}件" new_comment: comment: "コメント" commenting: "コメント投稿中…" one: "コメント1件" other: "コメント%{count}件" - two: "コメント%{count}件" zero: "コメントがありません" contacts: create: failure: "連絡先の作成に失敗しました。" - few: "連絡先%{count}件" index: add_a_new_aspect: "新しいアスペクトを追加する" add_to_aspect: "Add contacts to %{name}" - add_to_aspect_link: "%{name}さんを連絡先に追加する" all_contacts: "すべての連絡先" community_spotlight: "コミュニティスポットライト" - many_people_are_you_sure: "本当に%{suggested_limit}以上の連絡先と非公開の会話を開始しますか? このアスペクトに投稿する方が、彼らと連絡を取るより良い方法かもしれません。" my_contacts: "私の連絡先" no_contacts: "No contacts." no_contacts_message: "%{community_spotlight}をチェックアウトする" - no_contacts_message_with_aspect: "%{community_spotlight}または%{add_to_aspect_link}をチェックアウトする" only_sharing_with_me: "自分だけに共有する" - remove_person_from_aspect: "%{person_name}さんを%{aspect_name}から削除する" start_a_conversation: "会話を開始する" title: "連絡先" your_contacts: "あなたの連絡先" - many: "連絡先%{count}件" one: "連絡先1件" other: "連絡先%{count}件" sharing: people_sharing: "あなたに共有している人たち:" spotlight: community_spotlight: "コミュニティスポットライト" - two: "連絡先%{count}件" zero: "連絡先無し" conversations: create: fail: "無効なメッセージです。" sent: "メッセージを送信しました" - destroy: - success: "会話を削除するのに成功しました。" helper: new_messages: few: "新着メッセージ%{count}通" @@ -262,6 +229,11 @@ ja: post_not_public: "閲覧しようとした投稿は公開されていません!" fill_me_out: "記入して" find_people: "Find people" + help: + irc: "IRC" + markdown: "マークダウン" + tutorial: "チュートリアル" + wiki: "wiki" hide: "隠す" invitations: a_facebook_user: "Facebookユーザー" @@ -480,7 +452,6 @@ ja: add_contact_from_tag: "タグより連絡先を追加する" aspect_list: edit_membership: "アスペクト所属を編集する" - few: "%{count}人の連絡先" helper: is_sharing: "%{name}さんがあなたに共有しています" results_for: "%{params}の検索結果" @@ -490,7 +461,6 @@ ja: no_results: "何かを検索しないといけません。" results_for: "検索結果:" searching: "検索中です。もうしばらくお待ちください..." - many: "%{count}人の連絡先" one: "1人の連絡先" other: "%{count}人の連絡先" person: @@ -525,7 +495,6 @@ ja: sub_header: edit: "編集" you_have_no_tags: "タグがありません" - two: "%{count} people" webfinger: fail: "%{handle}が見つかりませんでした。" zero: "連絡先無し" @@ -622,7 +591,6 @@ ja: unhappy: "何かご不満ですか。" update: "更新" new: - continue: "続ける" create_my_account: "Create my account" email: "メール" enter_email: "メールアドレスを入力してください。" @@ -743,6 +711,7 @@ ja: all: "すべて" all_contacts: "全ての連絡先" discard_post: "投稿を破棄する" + get_location: "位置情報を取得する" make_public: "公開にする" new_user_prefill: hello: "こんにちはみなさん。私は%{new_user_tag}です。 " @@ -762,6 +731,7 @@ ja: hide_and_mute: "Hide and Mute" ignore_user: "%{name}さんを無視する" like: "これ好き!" + show: "表示" unlike: "これ好き!を取り消す" via: "via %{link}" viewable_to_anyone: "この投稿はウェブ上の誰からでも見ることができます。" @@ -774,13 +744,7 @@ ja: no_message_to_display: "表示するメッセージがありません。" new: mentioning: "%{person}さんのメンション" - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: hide_comments: "コメントを非表示にする" show_comments: @@ -818,10 +782,7 @@ ja: show: follow: "#%{tag}をフォローする" following: "#%{tag}をフォロー中" - nobody_talking: "%{tag}についての投稿はまだありません。" none: "空のタグは存在しません!" - people_tagged_with: "%{tag}とタグ付けられている人々" - posts_tagged_with: "#%{tag}とタグ付けられている投稿" stop_following: "#%{tag}のフォローを中止する" terms_and_conditions: "利用規約" undo: "元に戻す" @@ -831,7 +792,9 @@ ja: email_confirmed: "E-Mail %{email} activated" email_not_confirmed: "E-Mail could not be activated. Wrong link?" destroy: + no_password: "アカウントの使用を停止するためにパスワードを入力してください。" success: "アカウントはロックされました。 アカウントを削除するには20分程度かかります。 ダイアスポラをお試しいただきありがとうございます。" + wrong_password: "パスワードが一致しません。" edit: also_commented: "他の人も連絡先の投稿にコメントしたとき" auto_follow_back: "Automatically follow back if a someone follows you" @@ -841,12 +804,12 @@ ja: change_password: "パスワード変更" character_minimum_expl: "少なくとも6字以上でなければいけません。" close_account: + lock_username: "ユーザー名はロックされます。このポッド上で、同じIDのアカウントを作ることはできません。" what_we_delete: "We delete all of your posts, profile data, as soon as humanly possible. Your comments will hang around, but be associated with your Diaspora Handle." close_account_text: "アカウントを削除する" comment_on_post: "自分の投稿にコメントがあったとき" current_password: "現在のパスワード" download_photos: "写真をダウンロードする" - download_xml: "XMLをダウンロードする" edit_account: "アカウント編集" email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Till you follow this link and activate the new address, we will continue to use your original address %{email}." export_data: "データ出力" diff --git a/config/locales/diaspora/ka.yml b/config/locales/diaspora/ka.yml index 06429357e..9a464a641 100644 --- a/config/locales/diaspora/ka.yml +++ b/config/locales/diaspora/ka.yml @@ -62,8 +62,6 @@ ka: add_to_aspect: failure: "კონტაქტის ასპექტში დამატება ჩაიშალა." success: "კონტაქტი წარმატებით დაემატა ასპექტში." - aspect_contacts: - done_editing: "რედაქტირების დასრულება" aspect_listings: add_an_aspect: "+ ასპექტის დამატება" deselect_all: "ყველა მონიშვნის მოხსნა" @@ -81,21 +79,14 @@ ka: failure: "%{name} ცარიელი არ არის და მას ვერ წაშლით." success: "%{name} წარმატებით წაიშალა." edit: - add_existing: "არსებული კონტაქტის დამატება" aspect_list_is_not_visible: "ასპექტის სია დამალულია ამ ასპექტში მყოფთათვის." aspect_list_is_visible: "ასპექტის სია ხილულია ამ ასპექტში მყოფთათვის" confirm_remove_aspect: "დარწმუნებული ხართ რომ ამ ასპექტის წაშლა გსურთ?" - done: "დასრულება" make_aspect_list_visible: "გახდნენ ამ ასპექტში არსებული კონტაქტები ერთმანეთისთვის ხილულნი?" remove_aspect: "ამ ასპექტის წაშლა" rename: "გადარქმევა" update: "განახლება" updating: "ნახლდება" - few: "%{count} aspects" - helper: - are_you_sure: "დარწმუნებული ხართ რომ ამ ასპექტის წაშლა გსურთ?" - aspect_not_empty: "ასპექტი არ არის ცარიელი" - remove: "წაშლა" index: diaspora_id: content_1: "თქვენი Diaspora-ს ID არის:" @@ -128,11 +119,6 @@ ka: content: "დიასპორაში შეგიძლია დაუკავშირდე შემდეგ სერვისებს:" heading: "სერვისებთან დაკავშირება" unfollow_tag: "შეწყვიტე გაყოლა #%{tag}" - many: "%{count} ასპექტი" - move_contact: - error: "კონტაქტის გადაყვანისას დაფიქსირდა შეცდომა: %{inspect}" - failure: "არ მუშაობს %{inspect}" - success: "პერსონა გადაყვანილია ახალ ასპექტში" new: create: "შექმნა" name: "სახელი (ხედავთ მხოლოდ თქვენ)" @@ -150,14 +136,6 @@ ka: family: "ოჯახი" friends: "მეგობრები" work: "სამსახური" - selected_contacts: - manage_your_aspects: "თქვენი ასპექტების მართვა." - no_contacts: "თქვენ ჯერ არცერთი კონტაქტი არ გყავთ." - view_all_community_spotlight: "ყველა რეკომენდაციის ნახვა" - view_all_contacts: "ყველა კონტაქტის ნახვა" - show: - edit_aspect: "ასპექტის რედაქტირება" - two: "%{count} ასპექტი" update: failure: "თქვენს ასპექტს, %{name}, აქვს ძალიან დიდი სახელი და არ შეიძლება მისი შენახვა" success: "თქვენი ასპექტი, %{name}, წარმატებით დარედაქტირდა." @@ -173,48 +151,36 @@ ka: post_success: "გამოქვეყნდა! იხურება!" cancel: "გაუქმება" comments: - few: "%{count} კომენტარი" - many: "%{count} კომენტარი" new_comment: comment: "კომენტარი" one: "1 კომენტარი" other: "%{count} კომენტარი" - two: "%{count} კომენტარი" zero: "კომენტარები არ არის" contacts: create: failure: "კომენატარის შექმნა ვერ მოხერხდა" - few: "%{count} კონტაქტი" index: add_a_new_aspect: "დაამატე ახალი ასპექტი" add_to_aspect: "%{name} დაამატე კონტაქტებში" - add_to_aspect_link: "დაამატე კონტაქტებში %{name}" all_contacts: "ყველა კონტაქტი" - many_people_are_you_sure: "დარწმუნებული ხართ რომ გინდათ პირადი საუბრის დაწყება %{suggested_limit} კონტაქტთან? ამ ასპექტში დაპოსტვა უფრო კარგი საშუალებაა მათთან დასაკავშირებლად." my_contacts: "ჩემი კონტაქტები" no_contacts: "მგონი კიდევ რამოდენიმე კონტაქტის დამატება გჭირდება" no_contacts_message: "ნახე %{community_spotlight}" - no_contacts_message_with_aspect: "ნახე %{community_spotlight} ან %{add_to_aspect_link}" only_sharing_with_me: "აზიარებს მხოლოდ ჩემთან" - remove_person_from_aspect: "ამოშლა %{person_name} \"%{aspect_name}\"-დან" start_a_conversation: "დაიწყე საუბარი" title: "კონტაქტები" your_contacts: "შენი კონტაქტები" - many: "%{count} კონტაქტი" one: "1 კონტაქტი" other: "%{count} კონტაქტი" sharing: people_sharing: "ხალხი, რომელიც აზიარებს შენთან:" spotlight: community_spotlight: "Community Spotlight" - two: "%{count} კონტაქტი" zero: "კონტაქტები" conversations: create: fail: "არასწორი წერილი" sent: "წერილი გაგზავნილია" - destroy: - success: "დიალოგი წარმატებით წაიშალა" helper: new_messages: few: "%{count} new messages" @@ -456,7 +422,6 @@ ka: add_contact_from_tag: "დაამატე კონტაქტი თაგიდან" aspect_list: edit_membership: "edit aspect membership" - few: "%{count} ადამიანს" helper: results_for: " რეზულტატი %{params}-სთვის" index: @@ -464,7 +429,6 @@ ka: no_one_found: "...და ვერავინ ვერ მოიძებნა." no_results: "რამე უნდა მოძებნო!" results_for: "მოძებნე რეზულტატები" - many: "%{count} ადამიანს" one: "1 პერსონა" other: "%{count} ადამიანს" person: @@ -500,7 +464,6 @@ ka: add_some: "დაამატე" edit: "რედაქტირება" you_have_no_tags: "შენ არ გაქვს თაგები!" - two: "%{count}" webfinger: fail: "ბოდიში, ვერ ვიპოვეთ %{handle}." zero: "არ არის ხალხი" @@ -753,13 +716,7 @@ ka: no_message_to_display: "არ არის მესიჯები." new: mentioning: "Mentioning: %{person}" - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: hide_comments: "დამალე ყველა კომენატარი" show_comments: diff --git a/config/locales/diaspora/kk.yml b/config/locales/diaspora/kk.yml index 408c9d918..8987b1e02 100644 --- a/config/locales/diaspora/kk.yml +++ b/config/locales/diaspora/kk.yml @@ -5,21 +5,75 @@ kk: + _comments: "Түсініктемелер" + _contacts: "Байланыстар" _home: "Үйге" _photos: "Суреттер" + _services: "Қызмет атқарулар" + _statistics: "Статистикасы" + account: "Есепшот" are_you_sure: "Сенімдісіз бе?" aspects: + aspect_listings: + select_all: "Барлықты таңдап ал" edit: - done: "Аяқталды" rename: "Атын өзгерту" + update: "жаңала" + updating: "жаңала" + index: + help: + tag_bug: "қате" + tag_question: "сұрақ" + new: + create: "жасау" + one: "1 аспектісі" + seed: + family: "Жанұя" + friends: "достар" + work: "жұмыс" back: "Артқа" + comments: + new_comment: + comment: "түсініктеме" + one: "1 түсініктеме" + zero: "түсініктемелер жоқ" + conversations: + new: + subject: "тақырып" + to: "үшін" delete: "Өшіру" + invitations: + new: + aspect: "Аспектісі" + language: "тіл" + to: "Үшін" + limited: "Шектеулі" + more: "Көбірек" next: "Келесі" no_results: "Нәтижелер табылмады" + notifications: + index: + no_notifications: "Сізде әлі ешқандай хабарландыруларды жоқ." + ok: "ЖАҚСЫ" or: "немесе" password: "Құпиясөз" previous: "Алдыңғы" + public: "Қоғамдық" search: "Іздеу" settings: "Құрал саймандар" + shared: + aspect_dropdown: + mobile_row_checked: "%{name}(жою)" + mobile_row_unchecked: "%{name} (үстеу)" + statistics: + closed: "Жабық" + enabled: "Жетімді" + name: "Аты" + network: "Желі" + open: "Ашық" + services: "Қызмет атқарулар" + total_users: "Жалпы пайдаланушылар" + version: "Нұсқа" + terms_and_conditions: "Шарт және шарттар" username: "Қолданушының аты" welcome: "Қош келдіңіз!" \ No newline at end of file diff --git a/config/locales/diaspora/kn.yml b/config/locales/diaspora/kn.yml index 2162163ae..ae7f35c0e 100644 --- a/config/locales/diaspora/kn.yml +++ b/config/locales/diaspora/kn.yml @@ -45,7 +45,9 @@ kn: nsfw: "ಎನ್ ಎಸ್ ಎಫ್ ಡಬೣಯೂ" ok: "ಒಪ್ಪಿಗೆ" or: "ಅಥವಾ" - password: "ಸಂಜ್ಞೆ" + password: |- + + ಸಂಜ್ಞೆ password_confirmation: "ಸಂಜ್ಞೆ ದೃಢೀಕರಣ" previous: "ಹಿಂದಿನ" privacy: "ಖಾಸಗಿತನ" diff --git a/config/locales/diaspora/ko.yml b/config/locales/diaspora/ko.yml index 3d116d3a9..14d38167e 100644 --- a/config/locales/diaspora/ko.yml +++ b/config/locales/diaspora/ko.yml @@ -82,7 +82,8 @@ ko: users: other: "%{count}명의 사용자를 찾았습니다" zero: "%{count}명의 사용자를 찾았습니다" - you_currently: "현재 %{user_invitation} 초대가 남았습니다 %{link}" + you_currently: + other: "현재 %{user_invitation} 초대가 남았습니다 %{link}" weekly_user_stats: amount_of: other: "이번 주 새 사용자 수: %{count}" @@ -106,8 +107,6 @@ ko: add_to_aspect: failure: "컨택을 애스펙에 추가하는데 실패했습니다." success: "컨택을 애스펙에 성공적으로 추가했습니다." - aspect_contacts: - done_editing: "고치기 완료" aspect_listings: add_an_aspect: "+ 애스펙 추가" deselect_all: "선택 해제" @@ -126,22 +125,14 @@ ko: failure: "%{name} 애스펙이 비어있지 않아 지울 수 없습니다." success: "%{name} 애스펙을 성공적으로 지웠습니다." edit: - add_existing: "있는 컨택 추가" aspect_list_is_not_visible: "애스펙의 다른 사람들에게 애스펙 목록을 숨깁니다." aspect_list_is_visible: "애스펙의 다른 사람들에게 애스펙 목록을 보입니다." confirm_remove_aspect: "이 애스펙을 지우려는게 확실합니까?" - done: "완료" make_aspect_list_visible: "이 애스펙의 컨택이 서로 볼 수 있게 할까요?" - manage: "관리" remove_aspect: "이 애스펙 지우기" rename: "이름 바꾸기" update: "갱신" updating: "갱신중" - few: "애스펙 %{count}개" - helper: - are_you_sure: "이 애스펙을 지우려는게 확실합니까?" - aspect_not_empty: "애스펙이 비어있지 않습니다" - remove: "지우기" index: diaspora_id: content_1: "내 디아스포라 아이디:" @@ -181,11 +172,6 @@ ko: heading: "서비스를 연결하세요" unfollow_tag: "#%{tag} 태그 팔로우 멈추기" welcome_to_diaspora: "%{name}님, 디아스포라에 오신걸 환영합니다!" - many: "애스펙 %{count}개" - move_contact: - error: "컨택 옮기기 오류: %{inspect}" - failure: "%{inspect} 작동 안 함" - success: "사람이새 애스펙으로 옮겨졌습니다" new: create: "만들기" name: "이름(나만 볼 수 있습니다)" @@ -203,14 +189,6 @@ ko: family: "가족" friends: "친구" work: "직장" - selected_contacts: - manage_your_aspects: "내 애스펙 관리하기." - no_contacts: "아직 여기에 아무 컨택도 없습니다." - view_all_community_spotlight: "커뮤니티 스포트라이트 모두 보기" - view_all_contacts: "모든 컨택 보기" - show: - edit_aspect: "애스펙 고치기" - two: "애스펙 %{count}개" update: failure: "%{name} 애스펙은 이름이 너무 길어 저장할 수 없습니다." success: "%{name} 애스펙을 성공적으로 고쳤습니다." @@ -229,36 +207,27 @@ ko: post_success: "올렸습니다! 닫힙니다!" cancel: "취소" comments: - few: "댓글 %{count}개" - many: "댓글 %{count}개" new_comment: comment: "댓글 달기" commenting: "댓글 다는 중···" one: "댓글 한 개" other: "댓글 %{count}개" - two: "댓글 %{count}개" zero: "댓글 없음" contacts: create: failure: "컨택을 만들 수 없습니다" - few: "컨택 %{count}명" index: add_a_new_aspect: "새 애스펙 추가" add_to_aspect: "%{name} 애스펙에 컨택 추가" - add_to_aspect_link: "%{name} 애스펙으로 추가하세요" all_contacts: "모든 컨택" community_spotlight: "커뮤니티 스포트라이트" - many_people_are_you_sure: "컨택 %{suggested_limit}명보다 많은 사람들에게 쪽지를 보내려 하십니까? 해당 애스펙에 게시물을 공유하길 권합니다." my_contacts: "내 컨택" no_contacts: "컨택을 좀 추가하는게 어때요?" no_contacts_message: "%{community_spotlight}를 확인하세요" - no_contacts_message_with_aspect: "%{community_spotlight}를 확인하거나 %{add_to_aspect_link}" only_sharing_with_me: "나와만 공유하고 있는 사람들" - remove_person_from_aspect: "\"%{aspect_name} 애스펙에서 %{person_name}님 지우기" start_a_conversation: "대화를 시작하세요" title: "컨택" your_contacts: "내 컨택" - many: "컨택 %{count}명" one: "컨택 한 명" other: "컨택 %{count}명" sharing: @@ -266,7 +235,6 @@ ko: spotlight: community_spotlight: "커뮤니티 스포트라이트" suggest_member: "회원 제안" - two: "컨택 %{count}명" zero: "컨택" conversations: conversation: @@ -275,8 +243,6 @@ ko: fail: "유효하지 않은 쪽지" no_contact: "컨택부터 추가하세요!" sent: "쪽지를 보냈습니다" - destroy: - success: "대화를 성공적으로 지웠습니다" helper: new_messages: few: "새 쪽지 %{count}개" @@ -344,6 +310,7 @@ ko: title: "공유" tags: title: "태그" + tutorial: "따라하기" tutorials: "간단 설명서" wiki: "위키" hide: "숨기기" @@ -557,7 +524,6 @@ ko: add_contact_from_tag: "태그에서 컨택 추가" aspect_list: edit_membership: "속한 애스펙 고치기" - few: "%{count}명" helper: results_for: "%{params} 결과" index: @@ -566,7 +532,6 @@ ko: no_results: "검색 결과가 없습니다" results_for: "검색 결과:" searching: "검색중입니다, 잠시만 기다려주십시오···" - many: "%{count}명" one: "한 명" other: "%{count}명" person: @@ -603,7 +568,6 @@ ko: add_some: "추가하기" edit: "고치기" you_have_no_tags: "태그가 없습니다!" - two: "%{count}명" webfinger: fail: "%{handle} 핸들을 찾을 수 없습니다." zero: "없음" @@ -701,15 +665,12 @@ ko: update: "갱신하기" invalid_invite: "내가 제공한 초대 링크가 더 이상 유효하지 않습니다!" new: - continue: "계속" create_my_account: "내 계정 만들기!" - diaspora: "♥ 디아스포라*" email: "이메일" enter_email: "이메일 주소를 입력하세요" enter_password: "암호를 입력하세요 (최소 여섯 자)" enter_password_again: "암호를 다시 입력하세요" enter_username: "사용자 이름을 고르세요 (로마자, 아라비아 숫자, 밑줄 문자_ 만)" - hey_make: "자,
뭔가
만들어보세요." join_the_movement: "합류하세요!" password: "암호" password_confirmation: "암호 확인" @@ -885,9 +846,7 @@ ko: no_message_to_display: "표시할 게시물이 없습니다." new: mentioning: "%{person}님을 멘션합니다" - too_long: - other: "상태 메시지를 %{count}자보다 적게 줄여주세요" - zero: "상태 메시지를 %{count}자보다 적게 줄여주세요" + too_long: "{\"other\"=>\"상태 메시지를 %{count}자보다 적게 줄여주세요\", \"zero\"=>\"상태 메시지를 %{count}자보다 적게 줄여주세요\"}" stream_helper: hide_comments: "모든 댓글 숨기기" show_comments: @@ -928,7 +887,6 @@ ko: title: "공개 활동" tags: contacts_title: "이 태그를 파고있는 사람들" - tag_prefill_text: "%{tag_name} 태그를 달고 공유하세요!" title: "태그: %{tags}" tag_followings: create: @@ -942,10 +900,7 @@ ko: show: follow: "#%{tag} 태그 팔로우하기" following: "#%{tag} 태그 팔로우중" - nobody_talking: "아직 %{tag} 태그가 달린 게시물이 없습니다." none: "빈 태그는 존재하지 않습니다!" - people_tagged_with: "%{tag} 태그가 달린 사람들" - posts_tagged_with: "#%{tag} 태그가 달린 게시물" stop_following: "#%{tag} 태그 팔로우 멈추기" terms_and_conditions: "이용약관" undo: "돌이키겠습니까?" @@ -981,7 +936,6 @@ ko: current_password: "원래 암호" current_password_expl: "로그인할 때 썼던 암호" download_photos: "내 사진 다운로드" - download_xml: "내 xml 다운로드" edit_account: "계정 고치기" email_awaiting_confirmation: "%{unconfirmed_email} 로 활성화 링크를 보냈습니다. 이 링크를 따라 새 주소를 활성화하기 전까지는 원래 이메일 주소 %{email} 를 사용합니다." export_data: "자료 뽑아내기" @@ -990,7 +944,6 @@ ko: liked: "누군가가 내 게시물을 좋아할 때" mentioned: "내가 멘션되었을 때" new_password: "새 암호" - photo_export_unavailable: "지금은 사진을 뽑아낼 수 없습니다" private_message: "쪽지를 받았을 때" receive_email_notifications: "이럴 때 이메일 알림을 받겠습니다" reshared: "누군가 내 게시물을 재공유할 때" diff --git a/config/locales/diaspora/lt.yml b/config/locales/diaspora/lt.yml index 1fa7387b5..00fd1e119 100644 --- a/config/locales/diaspora/lt.yml +++ b/config/locales/diaspora/lt.yml @@ -58,8 +58,6 @@ lt: add_to_aspect: failure: "Nepavyko priskirti kontakto kategorijai." success: "Kontaktas sėkmingai priskirtas kategorijai." - aspect_contacts: - done_editing: "Pakeista" aspect_listings: add_an_aspect: "Pridėti kategoriją" deselect_all: "Nepasirinkti nieko" @@ -77,21 +75,14 @@ lt: failure: "%{name} negali būti pašalintas, nes nėra tuščias." success: "%{name} sėkmingai pašalintas." edit: - add_existing: "Pridėti egzistuojantį kontaktą" aspect_list_is_not_visible: "Kategorijų sąrašo nemato kiti esantys šioje kategorijoje" aspect_list_is_visible: "Kategorijų sąrašas matomas kietiems esantiems šioje kategorijoje" confirm_remove_aspect: "Ar tikrai norite ištrinti šią kategoriją?" - done: "Atlikta" make_aspect_list_visible: "Ar leisti šios kategorijos kontaktams matyti vienas kitą?" remove_aspect: "Ištrinti kategoriją" rename: "Pervardinti" update: "Atnaujinti" updating: "Atnaujinama..." - few: "%{count} kategorijų" - helper: - are_you_sure: "Ar tikrai norite ištrinti šią kategoriją?" - aspect_not_empty: "Kategorijoje nėra kontaktų" - remove: "šalinti" index: diaspora_id: content_1: "Jūsų unikalus Diaspora ID:" @@ -124,11 +115,6 @@ lt: heading: "Prijungti paslaugas" unfollow_tag: "Sustabdyti sekimą #%{tag}" welcome_to_diaspora: "Sveiki atvykę į tinklapį Diaspora, %{name}!" - many: "%{count} kategorijų" - move_contact: - error: "Klaida perkeliant kontaktą: %{inspect}" - failure: "Nepavyko %{inspect}" - success: "Kontaktas perkeltas į kitą kategoriją" new: create: "Sukurti" name: "Vardas (matomas tik Jums)" @@ -146,14 +132,6 @@ lt: family: "Šeima" friends: "Draugai" work: "Darbas" - selected_contacts: - manage_your_aspects: "Tvarkyti savo kategorijas." - no_contacts: "Kol kas neturite nei vieno kontakto." - view_all_community_spotlight: "Matyti viską kas yra bendruomenės dėmesio centre" - view_all_contacts: "Rodyti visus kontaktus" - show: - edit_aspect: "Keisti kategoriją" - two: "%{count} kategorijos" update: failure: "Kategorijos %{name} pavadinimas yra per ilgas." success: "Kategorija %{name} sėkmingai pakeista." @@ -166,50 +144,38 @@ lt: post_success: "Įrašas išsiųstas!" cancel: "Atšaukti" comments: - few: "%{count} komentarų" - many: "%{count} komentarų" new_comment: comment: "Komentuoti" commenting: "Siunčiamas komentaras..." one: "1 komentaras" other: "%{count} komentarų" - two: "%{count} komentarai" zero: "Komentarų nėra" contacts: create: failure: "Nepavyko sukurti kontakto" - few: "%{count} kontaktų" index: add_a_new_aspect: "Sukurti kategoriją" add_to_aspect: "Pridėti kontaktus į kategoriją %{name}" - add_to_aspect_link: "Pridėti kontaktus į kategoriją %{name}" all_contacts: "Visi kontaktai" community_spotlight: "Bendruomenės dėmesio centre" - many_people_are_you_sure: "Ar tikrai norite pradėti privatų pokalbį su daugiau nei %{suggested_limit} kontaktų? Paskelbti įrašą šioje kategorijoje gali būti geresnis būdas." my_contacts: "Mano kontaktai" no_contacts: "Pridėkite daugiau kontaktų!" no_contacts_message: "Peržiūrėti %{community_spotlight}" - no_contacts_message_with_aspect: "Peržiūrėti %{community_spotlight} arba %{add_to_aspect_link}" only_sharing_with_me: "Tik tie, kurie su manimi dalijasi" - remove_person_from_aspect: "Ištrinti %{person_name} iš kategorijos \"%{aspect_name}\"" start_a_conversation: "Pradėti pokalbį" title: "Kontaktai" your_contacts: "Jūsų kontaktai" - many: "%{count} kontaktų" one: "1 kontaktas" other: "%{count} kontaktų" sharing: people_sharing: "Žmonės dalijasi su jumis:" spotlight: community_spotlight: "Bendruomenės dėmesio centre" - two: "%{count} kontaktai" zero: "kontaktai" conversations: create: fail: "Netinkamas pranešimas" sent: "Pranešimas išsiųstas" - destroy: - success: "Pokalbis sėkmingai ištrintas" helper: new_messages: few: "%{count} nauji pranešimai" @@ -225,7 +191,6 @@ lt: send: "Siųsti" sending: "Siunčiama..." subject: "Tema" - to: "" show: delete: "Ištrinti ir užblokuoti pokalbį" reply: "Atrašyti" @@ -417,14 +382,12 @@ lt: password: "Slaptažodis" password_confirmation: "Slaptažodžio patvirtinimas" people: - few: "%{count} people" helper: results_for: " \"%{params}\" rezultatai" index: no_one_found: "... ir nieko nepavyko rasti." no_results: "Labas! Nieko nerasta." results_for: "ieškoti rezultatų pagal" - many: "%{count} people" one: "1 person" other: "%{count} people" person: @@ -446,7 +409,6 @@ lt: not_connected: "You are not connected with this person" return_to_aspects: "Grįžti į aspektų puslapį" to_accept_or_ignore: "priimti arba ignoruoti." - two: "%{count} people" zero: "no people" photos: destroy: @@ -602,11 +564,7 @@ lt: status_messages: helper: no_message_to_display: "Žinučių nėra." - too_long: - few: "Sutrumpinkite savo statuso pranešimą %{count} ženklais" - one: "Sutrumpinkite savo statuso pranešimą %{count} ženklu" - other: "Sutrumpinkite savo statuso pranešimą %{count} ženklų" - zero: "Sutrumpinkite savo statuso pranešimą %{count} ženklų" + too_long: "{\"few\"=>\"Sutrumpinkite savo statuso pranešimą %{count} ženklais\", \"one\"=>\"Sutrumpinkite savo statuso pranešimą %{count} ženklu\", \"other\"=>\"Sutrumpinkite savo statuso pranešimą %{count} ženklų\", \"zero\"=>\"Sutrumpinkite savo statuso pranešimą %{count} ženklų\"}" stream_helper: hide_comments: "Slėpti visus komentarus" show_comments: @@ -643,7 +601,6 @@ lt: close_account: what_we_delete: "We delete all of your posts, profile data, as soon as humanly possible. Your comments will hang around, but be associated with your Diaspora Handle." download_photos: "atsisiųsti mano nuotraukas" - download_xml: "atsisiųsti mano duomenis xml formatu" email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Till you follow this link and activate the new address, we will continue to use your original address %{email}." export_data: "Eksportuoti duomenis" new_password: "Naujas slaptažodis" diff --git a/config/locales/diaspora/lv.yml b/config/locales/diaspora/lv.yml index 39f29885c..9d040980e 100644 --- a/config/locales/diaspora/lv.yml +++ b/config/locales/diaspora/lv.yml @@ -5,15 +5,185 @@ lv: + _applications: "Lietotnes" _comments: "Komentāri" + _contacts: "Kontakti" _home: "Mājās" + _photos: "Fotogrāfijas:" + _services: "Servisi" account: "Konts" + activerecord: + errors: + models: + contact: + attributes: + person_id: + taken: "ir jābūt unikālam starp lietotāja kontaktiem." + person: + attributes: + diaspora_handle: + taken: "ir aizņemts." + reshare: + attributes: + root_guid: + taken: "Baigi labais, jā? Tu jau esi dalījies ar šo ierakstu!" + user: + attributes: + email: + taken: "ir aizņemts." + person: + invalid: "nav derīgs." + username: + invalid: "nav derīgs. Ir atļauti tikai burti, cipari un apakšsvītras." + taken: "ir aizņemts." + ago: "pirms %{time}" + all_aspects: "Visas grupas" + application: + helper: + unknown_person: "nezināma persona" + video_title: + unknown: "Nenosaukts video" + are_you_sure: "Vai esi pārliecināts?" + are_you_sure_delete_account: "Vai tiešām vēlaties slēgt savu kontu? To nevarēs atjaunot!" + aspect_memberships: + destroy: + failure: "Neizdevās noņemt personu no grupas" + success: "Persona tika veiksmīgi noņemta no grupas" + aspects: + add_to_aspect: + failure: "Nesanāca pievienot kontaktu grupai." + success: "Kontakts veiksmīgi pievienots grupai." + aspect_listings: + add_an_aspect: "+ Pievienot grupu" + deselect_all: "Atlasīt neko" + edit_aspect: "Labot %{name}" + select_all: "Izvēlēties visus" + contacts_not_visible: "Kontakti šajā grupā nevarēs viens otru redzēs." + contacts_visible: "Kontakti šajā grupā varēs viens otru redzēt." + create: + failure: "Grupas izveide neizdevās." + success: "Grupa %{name} tika izveidota." + destroy: + failure: "%{name} nav tukša un to nevar noņemt." + success: "%{name} tika veiksmīgi noņemta." + edit: + aspect_list_is_not_visible: "Kontakti šajā grupā neredz viens otru." + aspect_list_is_visible: "Kontakti šajā grupā var redzēt viens otru." + confirm_remove_aspect: "Vai jūs tiešām vēlaties dzēst šo grupu?" + make_aspect_list_visible: "ļaut kontaktiem šajā grupā viens otru redzēt?" + remove_aspect: "Dzēst šo grupu" + rename: "pārsaukt" + update: "atjaunot" + updating: "atjauno" + index: + diaspora_id: + content_1: "Tavs diaspora* ID:" + content_2: "Dod to citiem, lai viņi varētu tevi atrast diaspora* tīklā." + heading: "diaspora* ID" + donate: "Ziedot" + handle_explanation: "Šis ir tavs diaspora* ID. Tā ir kā e-pasta adrese, kuru tu dod, lai cilvēki varētu ar tevi sazināties." + help: + do_you: "Ja tev ir:" + feature_suggestion: "... %{link}?" + find_a_bug: "... zināma %{link}?" + have_a_question: "... %{link}?" + here_to_help: "Diaspora* kopiena tev palīdzēs!" + need_help: "Nepieciešama palīdzība?" + tag_bug: "kļūda" + tag_feature: "uzlabojums" + tag_question: "jautājums" + introduce_yourself: "Šī ir tava plūsma. Sāk rakstīt un iepazīstini ar sevi." + new_here: + follow: "Seko %{link} un sveicini jaunos lietotājus diaspora*!" + learn_more: "Lasīt vairāk" + title: "Sveicināti, jaunie lietotāji" + no_contacts: "Nav kontaktu" + no_tags: "+ Atrodi birku, kurai sekot" + services: + content: "Tu vari pieslēgt šādus servisus savam diaspora* profilam:" + heading: "Pieslēgt servisus" + unfollow_tag: "Vairs nerādīt %{tag}" + welcome_to_diaspora: "Laipni lūgti diaspora*, %{name}!" + new: + create: "Izveidot" + name: "Nosaukums (redzams tikai tev)" + no_contacts_message: + community_spotlight: "Kopienas uzmanībā" + or_spotlight: "Vai arī tu vari dalīties ar saiti %{link}" + try_adding_some_more_contacts: "Tu vari meklēt vai uzaicināt vairāk cilvēku." + you_should_add_some_more_contacts: "Pievieno vairāk cilvēku!" + one: "1 grupa" + other: "%{count} grupas" + seed: + acquaintances: "Paziņas" + family: "Ģimene" + friends: "Draugi" + work: "Darbs" + update: + failure: "Grupas %{name} nosaukums ir pārāk garš, lai to saglabātu." + success: "Grupa %{name} tika veiksmīgi labota." + zero: "nav grupu" back: "Atpakaļ" cancel: "Atcelt" + comments: + new_comment: + comment: "Komentēt" + commenting: "Komentē..." + one: "1 komentārs" + other: "%{count} komentāri" + zero: "nav komentāru" + contacts: + create: + failure: "Neizdevās izveidot kontaktu" + index: + add_a_new_aspect: "Pievienot jaunai grupai" + start_a_conversation: "Sākt sarunu" + title: "Kontakti" + your_contacts: "Tavi kontakti" + one: "1 kontakts" + other: "%{count} kontakti" + zero: "kontakti" + conversations: + create: + sent: "Ziņa aizsūtīta" + helper: + new_messages: + one: "1 jauna ziņa" + other: "%{count} jaunas ziņas" + zero: "Nav jaunu ziņu" + index: + inbox: "Ienākošās" + new: + abandon_changes: "Atcelt izmaiņas?" + send: "Sūtīt" + sending: "Sūta..." + subject: "Virsraksts" + to: "Adresāts" + show: + delete: "Dzēst un bloķēt sarunu" + reply: "atbildēt" + replying: "Atbild..." delete: "Dzēst" + email: "E-pasts" + error_messages: + helper: + correct_the_following_errors_and_try_again: "Izlabojiet sekojošās kļūdas un mēģiniet vēlreiz." + invalid_fields: "Nekorekti lauki" + fill_me_out: "Aizpildi mani" + find_people: "Meklēt cilvēkus vai #birkas" hide: "Slēpt" + invitations: + create: + already_sent: "Tu jau esi ielūdzis šo personu." + sent: "Ielūgumi ir aizsūtīt: %{emails}" + new: + language: "Valoda" + limited: "Ierobežota piekļuve" more: "Vairāk" next: "nākamais" + no_results: "Nekas netika atrasts." + ok: "Labi" + or: "vai" password: "Parole" password_confirmation: "Paroles apstiprinājums" previous: "iepriekšējais" @@ -23,4 +193,7 @@ lv: public: "Publisks" search: "Meklēt" settings: "Iestatījumi" - username: "Lietotājvārds" \ No newline at end of file + terms_and_conditions: "Noteikumi un nosacījumi" + undo: "Atsaukt" + username: "Lietotājvārds" + welcome: "Sveicināti!" \ No newline at end of file diff --git a/config/locales/diaspora/mk.yml b/config/locales/diaspora/mk.yml index e107ceb72..82e7bdcdf 100644 --- a/config/locales/diaspora/mk.yml +++ b/config/locales/diaspora/mk.yml @@ -54,16 +54,10 @@ mk: destroy: success: "%{name} е отстранет успешно." edit: - add_existing: "Додади постоечки контакт" - done: "Завршено" make_aspect_list_visible: "make aspect list visible?" rename: "реименувај" update: "ажурирај" updating: "ажурирање" - few: "%{count} aspects" - helper: - aspect_not_empty: "Аспектот не е празен" - remove: "одстрани" index: donate: "Донирај" handle_explanation: "Ова е вашето diaspora корисничко име. Исто како е-маил адреса, можете да го давате на луѓе за да се сврзат со вас." @@ -79,11 +73,6 @@ mk: learn_more: "Научи повеќе" no_contacts: "Нема контакти" no_tags: "No tags" - many: "%{count} aspects" - move_contact: - error: "Грешка при преместувањето на контактот: %{inspect}" - failure: "не проработи %{inspect}" - success: "Личноста е преместена во нов аспект" new: create: "Направи" name: "Name" @@ -97,12 +86,6 @@ mk: family: "Фамилија" friends: "Пријатели" work: "Работа" - selected_contacts: - no_contacts: "Тука сеуште немате контакти." - view_all_contacts: "Сите контакти" - show: - edit_aspect: "уреди аспект" - two: "%{count} aspects" update: success: "Вашиот аспект, %{name}, беше успешно уреден." zero: "no aspects" @@ -112,19 +95,15 @@ mk: heading: "Diaspora Bookmarklet" cancel: "Откажи" comments: - few: "%{count} comments" - many: "%{count} comments" new_comment: comment: "Коментар" commenting: "Коментирање..." one: "1 коментар" other: "%{count} коментари" - two: "%{count} коментари" zero: "нема коментари" contacts: create: failure: "Неуспешно креирање на контакт" - few: "%{count} contacts" index: add_to_aspect: "Add contacts to %{name}" all_contacts: "Сите контакти" @@ -134,17 +113,13 @@ mk: start_a_conversation: "Започни разговор" title: "Контакти" your_contacts: "Ваши контакти" - many: "%{count} контакти" one: "1 контакт" sharing: people_sharing: "Луѓе што споделуваат со тебе:" - two: "%{count} контакти" conversations: create: fail: "Невалидна порака" sent: "Пораката е пратена" - destroy: - success: "Разговорот е успешно избришан" helper: new_messages: few: "%{count} new messages" @@ -348,12 +323,10 @@ mk: password: "Лозинка" password_confirmation: "Потврда на лозинка" people: - few: "%{count} people" helper: results_for: " резултати за %{params}" index: results_for: "резултати од пребарување за" - many: "%{count} people" one: "1 person" other: "%{count} people" person: @@ -373,7 +346,6 @@ mk: does_not_exist: "Личноста не постои!" incoming_request: "You have an incoming request from this person." not_connected: "You are not connected with this person" - two: "%{count} people" zero: "no people" photos: destroy: @@ -531,13 +503,7 @@ mk: status_messages: helper: no_message_to_display: "Нема пораки за прикажување." - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: hide_comments: "hide comments" show_comments: @@ -576,7 +542,6 @@ mk: close_account: what_we_delete: "We delete all of your posts, profile data, as soon as humanly possible. Your comments will hang around, but be associated with your Diaspora Handle." download_photos: "симни ги моите слики" - download_xml: "симни го мојот xml" email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Till you follow this link and activate the new address, we will continue to use your original address %{email}." export_data: "Изнеси податоци" new_password: "Нова лозинка" diff --git a/config/locales/diaspora/ml.yml b/config/locales/diaspora/ml.yml index 5f92a6756..57442746d 100644 --- a/config/locales/diaspora/ml.yml +++ b/config/locales/diaspora/ml.yml @@ -86,7 +86,8 @@ ml: one: "%{count} ഉപയോക്താവിനെ കണ്ടെത്തി" other: "%{count} ഉപയോക്താക്കളെ കണ്ടെത്തി" zero: "ഒരു ഉപയോക്താവിനെ പോലും കണ്ടെത്തിയില്ല" - you_currently: "താങ്കൾക്ക് നിലവിൽ %{user_invitation} ക്ഷണങ്ങൾ ഉണ്ട് %{link}" + you_currently: + other: "താങ്കൾക്ക് നിലവിൽ %{user_invitation} ക്ഷണങ്ങൾ ഉണ്ട് %{link}" weekly_user_stats: amount_of: one: "ഈ ആഴ്ചയിലെ പുതിയ ഉപയോക്താക്കളുടെ എണ്ണം : %{count}" @@ -111,8 +112,6 @@ ml: add_to_aspect: failure: "സമ്പര്ക്കം പരിചയത്തിലേക്ക് കൂട്ടിചേര്ക്കുന്നതില് പരാജയപ്പെട്ടു." success: "വിജയകരമായി സമ്പര്ക്കം പരിചയത്തിലേക്ക് കൂട്ടിചേര്ത്തു." - aspect_contacts: - done_editing: "മാറ്റം വരുത്തി കഴിഞ്ഞു" aspect_listings: add_an_aspect: "+ഒരു പരിചയം ചേർക്കുക" deselect_all: "ഒന്നും തിരഞ്ഞെടുക്കാതിരിക്കുക" @@ -131,21 +130,14 @@ ml: failure: "%{name} ശുന്യമല്ലാത്തതിനാല് നീക്കാനാകുന്നില്ല." success: "%{name} വിജയകരമായി നീക്കം ചെയ്തിരിക്കുന്നു." edit: - add_existing: "നിലവിലുള്ള സമ്പര്ക്കം ചേര്കുക" aspect_list_is_not_visible: "പരിചയത്തിന്റെ പട്ടിക പരിചയത്തിലുള്ള മറ്റൂള്ളവരില്നിന്നും മറച്ചുവച്ചിരിക്കുന്നു" aspect_list_is_visible: "പരിചയപട്ടിക പരിചയത്തിലുള്ളവര്ക്ക് ദൃശ്യമാണ്." confirm_remove_aspect: "താങ്കള്ക്ക് ഈ പരിചയം നീക്കണമെന്ന് ഉറപ്പാണോ?" - done: "ചെയ്തു" make_aspect_list_visible: "പരിചയം ദൃശ്യമാക്കുക" remove_aspect: "ഈ പരിചയം നീക്കം ചെയ്യുക" rename: "പേര് മാറ്റുക" update: "പുതുക്കുക" updating: "പുതുക്കുന്നു" - few: "%{count} പരിചയങ്ങള്" - helper: - are_you_sure: "നിങ്ങള് ഈ പരിചയം നീക്കം ചെയ്യുവാന് ആഗ്രഹിക്കുന്നു, നിങ്ങള്ക്ക് തീര്ച്ചയാണോ?" - aspect_not_empty: "പരിചയം ശൂന്യമല്ല " - remove: "നീക്കം ചെയ്യു" index: diaspora_id: content_1: "നിങ്ങളുടെ ഡയാസ്പുറ ഐഡി:" @@ -186,11 +178,6 @@ ml: heading: "സേവനങ്ങൾ ബന്ധിപ്പിക്കുക" unfollow_tag: "#%{tag} പിന്തുടരുന്നത് നിർത്തുക" welcome_to_diaspora: "ഡയാസ്പുറയിലേക്ക് സ്വഗതം, %{name}!" - many: "%{count} പരിചയങ്ങള്" - move_contact: - error: "സമ്പര്ക്കം മാറ്റാന് സാധിക്കുന്നില്ല : %{inspect}" - failure: "ശരിയായില്ല. %{inspect}" - success: "വ്യക്തിയെ പുതിയ പരിചയത്തിലേക്ക് മാറ്റിയിരിക്കുന്നു" new: create: "സൃഷ്ടിക്കൂ" name: "പേരു്" @@ -208,14 +195,6 @@ ml: family: "കുടുംബം" friends: "കൂട്ടുകാര്" work: "ജോലി" - selected_contacts: - manage_your_aspects: "താങ്കളുടെ പരിചയങ്ങളെ ക്രമീകരിക്കുക" - no_contacts: "നിങ്ങൾക്കിതുവരെ സമ്പർക്കങ്ങളൊന്നുമില്ല" - view_all_community_spotlight: "സാമൂഹിക പ്രാധാന്യം എല്ലാം കാണുക" - view_all_contacts: "എല്ലാ സമ്പർക്കങ്ങളും കാണുക" - show: - edit_aspect: "പരിചയം ചിട്ടപെടുത്തുക" - two: "%{count} പരിചയങ്ങള്" update: failure: "താങ്കള് നല്കിയ %{name} എന്ന പരിചയത്തിന്റെ പേര് അനുവദിനീയമായതിലും വലുതാണ്." success: "നിങ്ങളുടെ പരിചയം, %{name}, വിജയകരമായി ചിട്ടപ്പെടുത്തി." @@ -235,36 +214,27 @@ ml: post_success: "കുറിപ്പിട്ടു! അടയ്ക്കുന്നു!" cancel: "റദ്ദാക്കുക" comments: - few: "%{count} അഭിപ്രായങ്ങള്" - many: "%{count} അഭിപ്രായങ്ങള്" new_comment: comment: "അഭിപ്രായം" commenting: "അഭിപ്രായം രേഖപ്പെടുത്തുന്നു..." one: "1 അഭിപ്രായം" other: "%{count} അഭിപ്രായങ്ങള്" - two: "%{count} comments" zero: "അഭിപ്രായങ്ങളൊന്നുമില്ല." contacts: create: failure: "സമ്പര്ക്കം ഉണ്ടാക്കാനാകുന്നില്ല" - few: "%{count} സമ്പര്ക്കങ്ങള്" index: add_a_new_aspect: "പുതിയ പരിചയം ചേര്ക്കൂ" add_to_aspect: "സമ്പര്ക്കങ്ങള് %{name} പരിചയത്തിലേക്ക് ചേര്ക്കുക" - add_to_aspect_link: "സമ്പര്ക്കങ്ങള് %{name} പരിചയത്തിലേക്ക് ചേര്ക്കുക" all_contacts: "എല്ലാ സമ്പര്ക്കവും" community_spotlight: "സാമൂഹിക പ്രാധാന്യം" - many_people_are_you_sure: "%{suggested_limit}നെക്കാള് കൂടുതല് സമ്പര്ക്കങ്ങളുമായി ഒരു സ്വകാര്യസംഭാഷണം തുടങ്ങണമെന്ന് താങ്കള്ക്ക് ഉറപ്പാണോ. ഈ പരിചയത്തിലേക്ക് കുറിപ്പ് ചേര്ക്കുന്നതായിരിക്കും അവരെ ബന്ധപ്പെടാനുള്ള കൂടുതല് നല്ല മാര്ഗ്ഗം." my_contacts: "എന്റെ സമ്പര്ക്കങ്ങള്" no_contacts: "കണ്ടിട്ട് താങ്കള് പുതിയ ചില സമ്പര്ക്കങ്ങള് ചേര്ക്കേണ്ടതുണ്ട് എന്ന് തോന്നുന്നു!" no_contacts_message: "%{community_spotlight} കണ്ടുനോക്കു" - no_contacts_message_with_aspect: "%{community_spotlight} കണ്ടുനോക്കു അല്ലെങ്കില് %{add_to_aspect_link}" only_sharing_with_me: "നിങ്ങളുമായി മാത്രം പങ്ക് വച്ചത്" - remove_person_from_aspect: "\"%{aspect_name}\" - ഇല്നിന്ന് %{person_name} ഒഴിവാക്കുക" start_a_conversation: "സംഭാഷണം ആരംഭിക്കൂ" title: "സമ്പര്ക്കങ്ങള്" your_contacts: "നിങ്ങളുടെ സമ്പര്ക്കങ്ങള്" - many: "%{count} സമ്പര്ക്കങ്ങള്" one: "ഒരു സമ്പര്ക്കം" other: "%{count} മറ്റു സമ്പര്ക്കങ്ങള്" sharing: @@ -272,7 +242,6 @@ ml: spotlight: community_spotlight: "സാമൂഹിക പ്രാധാന്യം" suggest_member: "ഒരു ഉപയോക്ത്താവിനെ നിർദ്ദേശിക്കുക" - two: "%{count} സമ്പര്ക്കങ്ങള്" zero: "സമ്പര്ക്കമൊന്നുമില്ല" conversations: conversation: @@ -281,8 +250,6 @@ ml: fail: "സാധുവല്ലാത്ത സന്ദേശം" no_contact: "നമസ്കാരം, താങ്കൾ ആദ്യം ഒരു ബന്ധം ചേർക്കണം!" sent: "സന്ദേശം അയച്ചു." - destroy: - success: "സംഭാഷണം വിജയകരമായി നീക്കം ചെയ്തിരിക്കുന്നു." helper: new_messages: few: "%{count} പുതിയ സന്ദേശങ്ങള്" @@ -668,7 +635,6 @@ ml: add_contact_from_tag: "ടാഗില് നിന്ന് സമ്പര്ക്കം ചേര്ക്കുക" aspect_list: edit_membership: "പരിചയത്തിലെ അംഗത്വം തിരുത്തു" - few: "%{count} ആളുകള്" helper: is_not_sharing: "%{name} നിങ്ങളുമായി പങ്കുവെയ്ക്കുന്നില്ല." is_sharing: "%{name} നിങ്ങളുമായി പങ്കുവെയ്ക്കുന്നു." @@ -679,7 +645,6 @@ ml: no_results: "താങ്കള് എന്തിനെങ്കിലും വേണ്ടി തിരയേണ്ടതുണ്ട്." results_for: "വിവരങ്ങള്ക്കായി തെരയുക" searching: "തിരഞ്ഞുകൊണ്ടിരിക്കുന്നു, ദയവായി കാത്തിരിക്കുക..." - many: "%{count} ആളുകള്" one: "ഒരാള്" other: "%{count} ആളുകള്" person: @@ -716,7 +681,6 @@ ml: add_some: "എന്തെങ്കിലും ചേർക്കൂ" edit: "തിരുത്തുക" you_have_no_tags: "താങ്കള്ക്ക് ഒരു ടാഗ് പോലുമില്ല!" - two: "%{count} ആളുകള്" webfinger: fail: "ക്ഷമിക്കണം, ഞങ്ങള്ക്ക് %{handle} കണ്ടെത്താനായില്ല.." zero: "ആളുകളില്ല" @@ -808,15 +772,12 @@ ml: update: "പുതുക്കു" invalid_invite: "താങ്കൾ നൽകിയ ക്ഷണക്കത്ത് സാധുവല്ല!" new: - continue: "തുടരുക" create_my_account: "എന്റെ അക്കൌണ്ട് സൃഷ്ടിക്കൂ!" - diaspora: "<3 ഡയസ്പോറ*" email: "ഈമെയിൽ" enter_email: "Enter an email" enter_password: "അടയാളവാക്ക് നല്കുക (ആറ് അക്ഷരമെങ്കിലും)" enter_password_again: "അടയാളവാക്ക് വീണ്ടും നല്കുക" enter_username: "ഉപഭാക്തൃ നാമം തിരഞ്ഞെടുക്കുക (അക്ഷരങ്ങളും സംഖ്യകളും അണ്ടര് സ്കോറും മാത്രം)" - hey_make: "നമസ്കാരം, എന്തെങ്കിലും
ഉണ്ടാക്കുക
" join_the_movement: "Join the movement!" password: "രഹസ്യവാക്ക്" password_confirmation: "രഹസ്യവാക്ക് ഉറപ്പാക്കൽ" @@ -984,13 +945,7 @@ ml: no_message_to_display: "സന്ദേശമൊന്നും കാണിക്കാനില്ല." new: mentioning: "സൂചിപ്പിക്കുന്നു: %{person}" - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: hide_comments: "Hide all comments" show_comments: @@ -1031,7 +986,6 @@ ml: title: "Public Activity" tags: contacts_title: "People who dig this tag" - tag_prefill_text: "The thing about %{tag_name} is... " title: "Posts tagged: %{tags}" tag_followings: create: @@ -1045,10 +999,7 @@ ml: show: follow: "Follow #%{tag}" following: "Following #%{tag}" - nobody_talking: "നിലവില് ആരും %{tag}-നെ കുറിച്ച് സംസാരിക്കുന്നില്ല." none: "The empty tag does not exist!" - people_tagged_with: "%{tag} ചേര്ത്തിട്ടുള്ള ആളുകള്" - posts_tagged_with: "#%{tag} ചേര്ത്തിട്ടുള്ള കുറിപ്പുകള്" stop_following: "Stop Following #%{tag}" terms_and_conditions: "വ്യവസ്ഥകളും നിബന്ധനകളും" undo: "പൂര്വരൂപത്തിലാക്കണോ?" @@ -1084,7 +1035,6 @@ ml: current_password: "ഇപ്പോഴത്തെ അടയാളവാക്ക്" current_password_expl: "താങ്കൾ സൈൻ ഇൻ ചെയ്യുന്ന ആ ഒരെണ്ണം." download_photos: "എന്റെ ചിത്രങ്ങള് ഇറക്കു" - download_xml: "എന്റെ എക്സ് എം എല് ഇറക്കു" edit_account: "അക്കൌണ്ട് തിരുത്തു" email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Until you follow this link and activate the new address, we will continue to use your original address %{email}." export_data: "വിവരങ്ങള് ഇറക്കുമതി ചെയ്യു" @@ -1093,7 +1043,6 @@ ml: liked: "...someone likes your post?" mentioned: "...ഒരു കുറിപ്പില് ആരെങ്കിലും സൂചിപ്പിക്കുമ്പോള്?" new_password: "പുതിയ അടയാളവാക്ക്" - photo_export_unavailable: "ഫോട്ടോ ഇറക്കുമതി നിലവിൽ ലഭ്യമല്ല" private_message: "...ഒരു സ്വകാര്യ സന്ദേശം കിട്ടുമ്പോള്?" receive_email_notifications: "ഇമെയില് അറിയിപ്പുകള് വേണോ?" reshared: "...someone reshares your post?" diff --git a/config/locales/diaspora/ms.yml b/config/locales/diaspora/ms.yml index a38b58438..56acaece7 100644 --- a/config/locales/diaspora/ms.yml +++ b/config/locales/diaspora/ms.yml @@ -48,25 +48,41 @@ ms: video_title: unknown: "Tajuk Wayang Tidak Diketahui" are_you_sure: "Anda yakin?" + are_you_sure_delete_account: "Adakah anda pasti anda mahu menutup akaun anda? Ini tidak boleh diundur!" aspect_memberships: destroy: failure: "Gagal mengeluarkan individu daripada aspek" + no_membership: "Tidak dapat mencari orang yang dipilih dalam aspek itu" + success: "Orang berjaya dikeluarkan dari aspek" aspects: + add_to_aspect: + failure: "Gagal untuk menambah kenalan kepada aspek." + success: "Berjaya menambah kenalan kepada aspek." + aspect_listings: + add_an_aspect: "+ Tambah sebuah aspek" + deselect_all: "Nyahpilih semua" + edit_aspect: "Edit %{name}" + select_all: "Pilih semua" + aspect_stream: + stay_updated: "Kekal Dikemaskini" + stay_updated_explanation: "Aliran utama anda dipenuhi dengan semua kenalan anda, tag anda ikuti, dan catatan dari beberapa ahli kreatif komuniti." + contacts_not_visible: "Kenalan dalam aspek ini tidak akan dapat melihat satu sama lain." + contacts_visible: "Kenalan dalam aspek ini akan dapat melihat satu sama lain." + create: + failure: "Penciptaan aspek gagal." + success: "Aspek baru anda %{name} telah dibuat" destroy: + failure: "%{name} tidak kosong dan tidak boleh dikeluarkan." success: "%{name} telah berjaya dikeluarkan." edit: - add_existing: "Tambah kenalan yang sedia ada" + aspect_list_is_not_visible: "Kenalan dalam aspek ini tidak dapat melihat satu sama lain." + aspect_list_is_visible: "Kenalan dalam aspek ini dapat melihat satu sama lain." confirm_remove_aspect: "Adakah anda pasti anda mahu memadam aspek ini?" - done: "Selesai" - make_aspect_list_visible: "membuat kenalan dalam aspek ini dapat dilihat antara satu sama lain?" + make_aspect_list_visible: "Buat kenalan dalam aspek ini dapat dilihat antara satu sama lain?" remove_aspect: "Padam aspek ini" + rename: "namakan semula" update: "kemas kini" updating: "mengemas kini" - few: "%{count} aspek" - helper: - are_you_sure: "Adakah anda pasti anda mahu memadam aspek ini?" - aspect_not_empty: "Aspek tidak kosong" - remove: "buang" index: diaspora_id: content_1: "ID Diaspora anda adalah:" @@ -76,16 +92,29 @@ ms: handle_explanation: "Ini adalah diaspora id anda. Seperti alamat e-mel, anda boleh memberikan orang-orang ini untuk mencapai anda." help: do_you: "Adakah anda:" + email_feedback: "%{link} maklumbalas anda, jika anda inginkan" + feature_suggestion: "... punyai %{link} cadangan?" + find_a_bug: "... mencari %{link}?" + have_a_question: "... punyai %{link}?" + here_to_help: "Komuniti diaspora* disini!" + need_help: "Perlukan Bantuan?" tag_bug: "#bug" tag_feature: "#feature" tag_question: "#question" + introduce_yourself: "Ini adalah aliran anda. Sertai dan kenalkan diri anda." + new_here: + follow: "Ikuti %{link} dan selamat datang pengguna baru ke diaspora *!" + learn_more: "Ketahui lebih lanjut" + title: "Alukan Pengguna Baru" + no_contacts: "Tiada kenalan" + no_tags: "+ Cari tag untuk diikuti" + people_sharing_with_you: "Orang berkongsi dengan anda" + post_a_message: "hantar mesej" + services: + content: "Anda boleh menyambung perkhidmatan berikut kepada diaspora*:" + heading: "Khidmat Perhubungan" unfollow_tag: "berhenti mengikut #%{tag}" welcome_to_diaspora: "Selamat datang ke Diaspora, %{name}!" - many: "%{count} aspek" - move_contact: - error: "Ralat memindah kenalan: %{inspect}" - failure: "tidak berfungsi %{inspect}" - success: "Orang berpindah kepada aspek baru" new: create: "Cipta" name: "Nama (hanya boleh dilihat oleh anda)" @@ -103,32 +132,41 @@ ms: family: "Famili" friends: "Rakan" work: "Kerja" - two: "%{count} aspects" + update: + failure: "Aspek anda, %{name}, mempunyai nama terlalu panjang untuk disimpan." + success: "Aspek anda, %{name}, telah berjaya diedit." zero: "no aspects" + back: "Undur" bookmarklet: + explanation: "Pos kepada diaspora * dari mana-mana sahaja dengan bookmark link ini => %{link}." + heading: "Bookmarklet" + post_something: "Pos kepada diaspora*" post_success: "Telah Di Pos! Tutup!" cancel: "Batal" comments: - few: "%{count} komen" - many: "%{count} komen" new_comment: comment: "Komen" commenting: "Mengulas..." one: "1 komen" other: "%{count} komen" - two: "%{count} komen" zero: "tiada komen" contacts: create: failure: "Gagal untuk membuat kenalan" - few: "%{count} kenalan" index: add_a_new_aspect: "Tambah aspek baru" add_to_aspect: "menambah kenalan ke %{name}" all_contacts: "Semua Kenalan" - many_people_are_you_sure: "Adakah anda pasti anda mahu untuk memulakan perbualan peribadi dengan lebih daripada% {suggested_limit} kenalan? Posting ke aspek ini mungkin cara yang lebih baik untuk menghubungi mereka." my_contacts: "Kenalan Saya" only_sharing_with_me: "Hanya berkongsi dengan saya" + start_a_conversation: "Mulakan perbualan" + title: "Kenalan-kenalan" + your_contacts: "Kenalan Anda" + one: "1 kenalan" + other: "%{count} kenalan-kenalan" + sharing: + people_sharing: "Orang berkongsi dengan anda:" + zero: "kenalan-kenalan" conversations: helper: new_messages: @@ -153,6 +191,14 @@ ms: reply: "balas" replying: "Membalas..." delete: "Padam" + email: "Emel" + error_messages: + helper: + correct_the_following_errors_and_try_again: "Betulkan kesilapan-kesilapan berikut dan cuba lagi." + invalid_fields: "bidang tidak sah" + fill_me_out: "Isi" + find_people: "Cari orang atau #tag" + hide: "Sembunyikan" invitations: create: already_contacts: "Anda telah disambungkan dengan orang ini" @@ -306,6 +352,8 @@ ms: a_post_you_shared: "pos." click_here: "klik di sini" to_change_your_notification_settings: "untuk menukar tetapan pemberitahuan anda" + nsfw: "NSFW" + ok: "Baiklah" or: "atau" password: "kata laluan" password_confirmation: "pengesahan kata laluan" @@ -314,14 +362,12 @@ ms: add_contact_from_tag: "menambah kenalan dari tag" aspect_list: edit_membership: "mengedit keahlian aspek" - few: "%{count} orang" helper: results_for: "keputusan untuk %{params}" index: no_one_found: "...dan tiada orang yang dijumpai." no_results: "Hey! Anda perlu mencari sesuatu." results_for: "hasil carian untuk" - many: "%{count} orang" one: "1 orang" other: "%{count} orang" person: @@ -337,7 +383,6 @@ ms: add_some: "menambah beberapa" edit: "mengedit" you_have_no_tags: "anda tiada tag!" - two: "%{count} orang" webfinger: fail: "Maaf, kami tidak dapat menemui %{handle}." zero: "tiada orang" @@ -355,13 +400,14 @@ ms: other: "%{count} photos by %{author}" two: "Two photos by %{author}" zero: "No photos by %{author}" + previous: "Terdahulu" + privacy: "Privasi" + privacy_policy: "Polisi Privasi" + profile: "Profil" + public: "Awam" reactions: - few: "%{count} reactions" - many: "%{count} reactions" - one: "1 reaction" other: "%{count} reactions" - two: "%{count} reactions" - zero: "0 reactions" + zero: "0 reaksi" requests: helper: new_requests: @@ -380,6 +426,8 @@ ms: other: "%{count} reshares" two: "%{count} reshares" zero: "Reshare" + search: "Cari" + settings: "Tetapan" shared: aspect_dropdown: toggle: @@ -390,13 +438,7 @@ ms: two: "In %{count} aspects" zero: "Add contact" status_messages: - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: show_comments: few: "Show %{count} more comments" @@ -408,8 +450,12 @@ ms: streams: aspects: title: "Your Aspects" + terms_and_conditions: "Terma dan Syarat" + undo: "Batalkan?" + username: "Nama Pengguna" users: edit: close_account: what_we_delete: "We delete all of your posts, profile data, as soon as humanly possible. Your comments will hang around, but be associated with your Diaspora Handle." - your_handle: "Your diaspora id" \ No newline at end of file + your_handle: "Your diaspora id" + welcome: "Selamat datang!" \ No newline at end of file diff --git a/config/locales/diaspora/nb.yml b/config/locales/diaspora/nb.yml index 729ced5f5..df5849883 100644 --- a/config/locales/diaspora/nb.yml +++ b/config/locales/diaspora/nb.yml @@ -141,8 +141,6 @@ nb: add_to_aspect: failure: "Kunne ikke legge kontakt til aspektet." success: "Kontakt lagt til aspekt." - aspect_contacts: - done_editing: "fullfør" aspect_listings: add_an_aspect: "+ Lag et nytt aspekt" deselect_all: "Fjern alle valg" @@ -161,23 +159,15 @@ nb: failure: "%{Name} er ikke tom, og kunne ikke fjernes." success: "%{name} har blitt fjerna." edit: - add_existing: "Legg til en eksisterende kontakt" aspect_list_is_not_visible: "Kontakter i dette aspektet kan ikke se hverandre." aspect_list_is_visible: "Kontakter i dette aspektet er i stand til å se hverandre." confirm_remove_aspect: "Er du sikker på at du vil slette dette aspektet?" - done: "Ferdig" make_aspect_list_visible: "gjør aspektlisten synlig?" - manage: "Administrer" remove_aspect: "Slett dette aspektet" rename: "endre navn" set_visibility: "Sett synlighet" update: "oppdater" updating: "oppdaterer" - few: "%{count} aspekter" - helper: - are_you_sure: "Er du sikker på at du vil slette dette aspektet?" - aspect_not_empty: "Aspektet er ikke tomt" - remove: "fjern" index: diaspora_id: content_1: "diaspora* ID'en din er:" @@ -218,11 +208,6 @@ nb: heading: "Koble til tjenester" unfollow_tag: "Slutt å følge #%{tag}" welcome_to_diaspora: "Velkommen til Diaspora, %{name}!" - many: "%{count} aspekter" - move_contact: - error: "Feil ved flytting av kontakt: %{inspect}" - failure: "fungerte ikke % {inspisere}" - success: "Person flyttet til nytt aspekt" new: create: "Opprett" name: "Navn (bare synlig for deg)" @@ -240,14 +225,6 @@ nb: family: "Familie" friends: "Venner" work: "Jobb" - selected_contacts: - manage_your_aspects: "Håndter aspektene dine." - no_contacts: "Du har ingen kontakter her enda." - view_all_community_spotlight: "Se alle community spotlight" - view_all_contacts: "Vis alle kontakter" - show: - edit_aspect: "endre aspekt" - two: "%{count} aspekter" update: failure: "Aspektet ditt, %{name}, har for langt navn." success: "Aspektet ditt, %{name}, har blitt endra." @@ -267,36 +244,27 @@ nb: post_success: "Postet! Lukker!" cancel: "Avbryt" comments: - few: "%{count} kommentarer" - many: "%{count} kommentarer" new_comment: comment: "Kommenter" commenting: "Kommenterer ..." one: "1 kommentar" other: "%{count} kommentarer" - two: "%{count} kommentarer" zero: "ingen kommentarer" contacts: create: failure: "Kunne ikke opprette kontakt" - few: "%{count} kontakter" index: add_a_new_aspect: "Legg til nytt aspekt" add_to_aspect: "Legg kontakter til %{name}" - add_to_aspect_link: "Legg kontakter til %{name}" all_contacts: "Alle Kontakter" community_spotlight: "Fremhevet av Fellesskapet" - many_people_are_you_sure: "Er du sikker på at du vil starte en privat samtale med flere enn %{suggested_limit} kontakter? Det kan være bedre å poste dette som et innlegg til dette aspektet. " my_contacts: "Mine Kontakter" no_contacts: "Ingen kontakter." no_contacts_message: "Sjekk ut %{community_spotlight}" - no_contacts_message_with_aspect: "Sjekk ut %{community_spotlight} eller %{add_to_aspect_link}" only_sharing_with_me: "Deler bare med meg " - remove_person_from_aspect: "Fjern %{person_name} fra «%{aspect_name}»" start_a_conversation: "Start en samtale" title: "Kontakter" your_contacts: "Dine kontakter" - many: "%{count} kontakter" one: "1 kontakt" other: "%{count} kontakter" sharing: @@ -304,7 +272,6 @@ nb: spotlight: community_spotlight: "Fremhevet av Fellesskapet" suggest_member: "Forslå et nytt medlem" - two: "%{count} kontakter" zero: "ingen kontakter" conversations: conversation: @@ -313,8 +280,6 @@ nb: fail: "Ugyldig melding" no_contact: "Heisann, du må legge til kontakten først." sent: "Melding sendt" - destroy: - success: "Samtale fjernet" helper: new_messages: few: "%{count} nye meldinger" @@ -813,7 +778,6 @@ nb: add_contact_from_tag: "legg til kontakt fra tag" aspect_list: edit_membership: "endre aspektmedlemskap" - few: "%{count} personer" helper: is_not_sharing: "%{name} deler ikke med deg" is_sharing: "%{name} deler med deg" @@ -827,7 +791,6 @@ nb: search_handle: "Benytt diaspora* ID (brukernavn@pod.tid) for å finne dine venner." searching: "Søker. Vennligst vent ..." send_invite: "Finner fremdeles ikke de du søker? Send en invitasjon!" - many: "%{count} personer" one: "1 person" other: "%{count} personer" person: @@ -864,7 +827,6 @@ nb: add_some: "legg til noen" edit: "endre" you_have_no_tags: "du har ingen tags!" - two: "%{count} personer" webfinger: fail: "Beklager, vi kunne ikke finne %{handle}." zero: "ingen personer" @@ -962,15 +924,12 @@ nb: update: "Oppdater" invalid_invite: "Invitasjonslenken som du anga er ikke gyldig lenger!" new: - continue: "Fortsett" create_my_account: "Opprett min konto!" - diaspora: "<3 diaspora*" email: "E-POST" enter_email: "Skriv en e-post" enter_password: "Skriv inn et passord" enter_password_again: "Skriv inn samme passord som før" enter_username: "Velg et brukernavn (kun bokstaver, nummer og understreker)" - hey_make: "HALLO,
LAG
ET ELLER ANNET." join_the_movement: "Bli med i nettverket!" password: "PASSORD" password_confirmation: "PASSORDBEKREFTELSE" @@ -1169,13 +1128,7 @@ nb: no_message_to_display: "Ingen melding å vise." new: mentioning: "Nevner: %{person}" - too_long: - few: "du bør begrense statusmeldingene dine til %{count} tegn" - many: "Du bør begrense statusmeldingene dine til %{count} characters" - one: "du bør begrense statusmeldingene dine til %{count} tegn" - other: "du må gjøre statusmeldingene dine kortere enn %{count} tegn" - two: "vær så snill og skriv statusoppdateringer som er under %{count} tegn" - zero: "Statusmeldinger må være lengre enn ingenting." + too_long: "{\"few\"=>\"du bør begrense statusmeldingene dine til %{count} tegn\", \"many\"=>\"Du bør begrense statusmeldingene dine til %{count} characters\", \"one\"=>\"du bør begrense statusmeldingene dine til %{count} tegn\", \"other\"=>\"du må gjøre statusmeldingene dine kortere enn %{count} tegn\", \"two\"=>\"vær så snill og skriv statusoppdateringer som er under %{count} tegn\", \"zero\"=>\"Statusmeldinger må være lengre enn ingenting.\"}" stream_helper: hide_comments: "Skjul kommentarer" show_comments: @@ -1213,7 +1166,6 @@ nb: title: "Offentlig aktivitet" tags: contacts_title: "Personer som liker denne tag" - tag_prefill_text: "Greia med %{tag_name} er ... " title: "Innlegg med tags: %{tags}" tag_followings: create: @@ -1226,15 +1178,8 @@ nb: tags: show: follow: "Følg #%{tag}" - followed_by_people: - one: "fulgt av en person" - other: "fulgt av %{count} personer" - zero: "ikke fulgt av noen" following: "Følger #%{tag}" - nobody_talking: "Ingen snakker om %{tag} ennå." none: "Den tomme tag'en eksisterer ikke." - people_tagged_with: "Personer tagget med %{tag}" - posts_tagged_with: "Innlegg tagget med #%{tag}" stop_following: "Slutt å følge #%{tag}" terms_and_conditions: "Vilkår og begrensninger" undo: "Angre?" @@ -1270,7 +1215,6 @@ nb: current_password: "Nåverende passord" current_password_expl: "den som du logger på med ..." download_photos: "last ned mine bilder" - download_xml: "last ned min xml" edit_account: "Endre konto" email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Till you follow this link and activate the new address, we will continue to use your original address %{email}." export_data: "Eksporter Data" @@ -1279,7 +1223,6 @@ nb: liked: "noen liker innlegget ditt" mentioned: "du er omtalt i et innlegg" new_password: "Nytt Passord" - photo_export_unavailable: "Eksportering av bilder er for øyeblikket utilgjengelig" private_message: "du har mottatt en privat melding" receive_email_notifications: "Motta varsler på e-post når:" reshared: "noen delte ditt innlegg" diff --git a/config/locales/diaspora/nds.yml b/config/locales/diaspora/nds.yml new file mode 100644 index 000000000..c657fda13 --- /dev/null +++ b/config/locales/diaspora/nds.yml @@ -0,0 +1,997 @@ +# Copyright (c) 2010-2013, Diaspora Inc. This file is +# licensed under the Affero General Public License version 3 or later. See +# the COPYRIGHT file. + + + +nds: + _applications: "Programme" + _comments: "Kommentore" + _contacts: "Kontakte" + _help: "Hülp" + _home: "Startsiet" + _photos: "Biller" + _services: "Deenste" + account: "Konto" + activerecord: + errors: + models: + contact: + attributes: + person_id: + taken: "mut ünner de Kontakte von dissen Bruker eendüdig ween." + person: + attributes: + diaspora_handle: + taken: "is schon vergeven" + request: + attributes: + from_id: + taken: "is een Dubbel von een Anfroog, de dat schon gift." + reshare: + attributes: + root_guid: + taken: "Teemlich good, wat? Du hest dissen Bidrag all wiederseggt!" + user: + attributes: + email: + taken: "is schon vergeven" + person: + invalid: "is ungüllig." + username: + invalid: "is ungüllig. Wi erlauvt nur Bookstaven, Nummern und Ünnerstreeke." + taken: "is schon vergeven." + admins: + admin_bar: + correlations: "Korrelationen" + pages: "Sieten" + pod_stats: "Podstatistiken" + user_search: "Brukersök" + weekly_user_stats: "Weekentliche Brukerstatistiken" + correlations: + correlations_count: "Korrelationen mit Amelldungstohl:" + stats: + 2weeks: "Twee Weken" + 50_most: "De 50 an meisten benutzten Tags" + comments: + one: "Een Kommentor" + other: "%{count} Kommentore" + zero: "Keene Kommentore" + daily: "Dag för Dag" + display_results: "Zeig Resultate von dat %{segment} Segment" + go: "Los" + month: "Monat" + posts: + one: "Een Bidrag" + other: "%{count} Bidräg" + zero: "Keene Bidräg" + shares: + one: "Een mol deelt" + other: "%{count} mol deelt" + zero: "Noch nich deelt." + usage_statistic: "Nutzungsstatistiken" + users: + one: "Een Benutter" + other: "%{count} Benutter" + zero: "Keene Benutter" + week: "Week" + user_entry: + guid: "GUID" + id: "ID" + ? "no" + : nee + nsfw: "#nsfw" + ? "yes" + : ja + user_search: + add_invites: "Inladungen dortodoon" + close_account: "Konto sluten" + email_to: "E-Mail-Adress ton Inladen" + under_13: "Zeig Benutters ünner 13 (COPPA)" + users: + one: "Een Benutter funnen" + other: "%{count} Benutter funnen" + zero: "Keen Benutter funnen" + view_profile: "Profil ankieken" + you_currently: + one: "Du hest noch eene Inladung öber %{link}" + other: "Du hest noch %{count} Inladungen öber %{link}" + zero: "Du hest graad keene Inladungen mehr öber %{link}" + weekly_user_stats: + amount_of: + one: "Antohl von nee’e Benutter in disse Week: Een" + other: "Antohl von nee’e Benutter in disse Week: %{count}" + zero: "Antohl von nee’e Benutter in disse Week: keene" + current_server: "Dat Serverdatum is graad %{date}" + ago: "%{time} her" + all_aspects: "All Aspekte" + application: + helper: + unknown_person: "Unbekannte Person" + video_title: + unknown: "Unbekannte Videotitel" + are_you_sure: "Bist du sicher?" + are_you_sure_delete_account: "Bist du di seker, dat du dien Konto tomoken wist? Dat kanns du nich rückgängig moken!" + aspect_memberships: + destroy: + failure: "Kunn Person nich ut’n Aspekt rutdaun." + no_membership: "Kunn de utwählte Person nich in den Aspekt finnen." + success: "Person erfolgriek ut’n Aspekt rutdoon." + aspects: + add_to_aspect: + failure: "Kunn Kontakt nich ton Aspekt dortodoon." + success: "Kontakt erfolgriek ton Aspekt dortodaan." + aspect_listings: + add_an_aspect: "+ Een Aspekt dortodoon" + deselect_all: "All afwählen" + edit_aspect: "%{name} bearbeiden" + select_all: "All utwählen" + aspect_stream: + make_something: "Mok wat" + stay_updated: "Bliev op den neesten Stand" + stay_updated_explanation: "Dien Hauptstream warrd mit all diene Kontakte, de Tags de du folgst und Bidräg von een poor kreative Lüü ut de Gemeenschaft füllt." + contacts_not_visible: "Kontakte in dissen Aspekt warrd sick gegensiedich nich seihn künnen." + contacts_visible: "Kontakte in dissen Aspekt warrd sick gegensiedich seihn künnen." + create: + failure: "Kunn Aspekt nich anleggen." + success: "Dien nee’en Aspekt %{name} is anleggt worrn." + destroy: + failure: "%{name} is nich leer un kunn nich wegmakt warrn." + success: "%{name} is erfolgriek wegmakt worrn." + edit: + aspect_list_is_not_visible: "Kontakte in dissen Aspekt künnt sick nich gegensiedich seihn." + aspect_list_is_visible: "Kontakte in dissen Aspekt künnt sick gegensiedich seihn." + confirm_remove_aspect: "Bist du seker, dat du dissen Aspekt löschen wist?" + make_aspect_list_visible: "Kontakte in dissen Aspekt to sick sülbst sichtbor moken?" + remove_aspect: "Dissen Aspekt löschen" + rename: "Ümnömen" + update: "Opfrischen" + updating: "Opfrischen" + index: + diaspora_id: + content_1: "Diene diaspora*-ID is:" + content_2: "Geev ehr to annere Lüü, dormit se di op diaspora* finnen künnt." + heading: "diaspora*-ID" + donate: "Spennen" + handle_explanation: "Dit is diene diaspora*-ID. Wie eene E-Mail-Adress kannst du ehr an annere Lüü geven, dormit se di erreichen künnt." + help: + any_problem: "Irgendwelche Probleme?" + do_you: "Hest du:" + email_feedback: "Diene Meenung per %{link}" + email_link: "E-Mail" + feature_suggestion: "... een Vörslag för eene nee’e %{link}?" + find_a_bug: "... een %{link} funnen?" + have_a_question: "... eene %{link}?" + here_to_help: "De diaspora*-Gemeenschaft is för di dor!" + need_help: "Brukst du Hülp?" + tag_bug: "Fehler" + tag_feature: "Funktion" + tag_question: "Froog" + tutorial_link_text: "Anleidungen" + tutorials_and_wiki: "%{faq}, %{tutorial} un %{wiki}: Hülp för diene eersten Schritte" + introduce_yourself: "Dit is dien Stream. Leg los un stell di vör." + new_here: + follow: "Folg %{link} un begrööt nee’e Benutters op diaspora*!" + learn_more: "Mehr rutkriegen" + title: "Begrööt nee’e Benutters" + no_contacts: "Keene Kontakte" + no_tags: "+ Een Tag ton Folgen finnen" + people_sharing_with_you: "Lüü de mit di deelt" + post_a_message: "Verfat een Bidrag >>" + services: + content: "Du kanns disse Deenste mit diaspora* verbinnen:" + heading: "Verbinn Deenste" + unfollow_tag: "Ophören, #%{tag} to folgen" + welcome_to_diaspora: "Willkomen to diaspora*, %{name}!" + new: + create: "Anleggen" + name: "Naam (nur för di sichtbor)" + no_contacts_message: + or_spotlight: "Or du kanns mit den %{link} deelen" + try_adding_some_more_contacts: "Du kanns mehr Kontakte söken or inladen." + you_should_add_some_more_contacts: "Du schust een poor mehr Kontakte sluten!" + no_posts_message: + start_talking: "Noch keener hett wat seggt!" + one: "een Aspekt" + other: "%{count} Aspekte" + seed: + acquaintances: "Bekannte" + family: "Familie" + friends: "Frünnen" + work: "Arbeit" + update: + failure: "De Naam von dien Aspekt, %{name}, wöör to lang ton Spiekern." + success: "Dien Aspekt, %{name}, is erfolgriek ännert worrn." + zero: "Keene Aspekte" + back: "Trüch" + blocks: + create: + failure: "Ik kunn dissen Bruker nich ignoreren. #evasion" + success: "Allns kloor, du warrst dissen Bruker nich mehr in dien Stream seihn. #silencio!" + destroy: + failure: "Ik kunn nich ophören, den Bruker to ignoreren. #evasion" + success: "Loot us man kieken, wat de to seggen hebbt! #segghallo" + bookmarklet: + explanation: "Verfat nee’e Bidräg von öberall, indem du dissen Link to diene Leseteken dortodeist => %{link}" + heading: "Leseteken." + post_something: "Schriev wat in diaspora*" + post_success: "Verfat! Mok to!" + cancel: "afbreken" + comments: + new_comment: + comment: "Kommenteren" + commenting: "Kommentere..." + one: "een Kommentor" + other: "%{count} Kommentore" + zero: "Keene Kommentore" + contacts: + create: + failure: "Kunn keen Kontakt sluten" + index: + add_a_new_aspect: "Do een nee’en Kontakt dorto" + add_contact: "Kontakt sluten" + add_to_aspect: "Kontakte to %{name} dortodoon" + all_contacts: "Alle Kontakte" + my_contacts: "Miene Kontakte" + no_contacts: "Süht so ut, as op du een poor mehr Kontakte sluten muss!" + no_contacts_message: "Bekiek doch mal dat %{community_spotlight}" + only_sharing_with_me: "Nur mit di deelende" + start_a_conversation: "Fang een Snack an" + title: "Kontakte" + your_contacts: "Diene Kontakte" + one: "een Kontakt" + other: "%{count} Kontakte" + sharing: + people_sharing: "Lüü, de mit di deelt:" + spotlight: + suggest_member: "Slag wen vör" + zero: "Keene Kontakte" + conversations: + conversation: + participants: "Bedeeligte" + create: + fail: "Ungüllige Naricht" + no_contact: "He, du muss erst Kontakt sluten!" + sent: "Naricht afschickt" + helper: + new_messages: + one: "Eene nee’e Naricht" + other: "%{count} nee’e Narichten" + zero: "Keene nee’en Narichten" + index: + inbox: "Ingang" + no_conversation_selected: "Keen Snack utwählt" + no_messages: "Keene Narichten" + new: + abandon_changes: "Ännerungen wegsmieten?" + send: "Schicken" + sending: "Schicken..." + subject: "Saak" + to: "An" + new_conversation: + fail: "Ungüllige Naricht" + show: + delete: "Snack löschen" + reply: "Antwoorden" + replying: "antwoord..." + delete: "Löschen" + email: "E-Mail" + error_messages: + helper: + correct_the_following_errors_and_try_again: "Kiek mol de folgenden Fehler dörch und versök dat nochmol." + invalid_fields: "Ungüllige Feller" + login_try_again: "Bidde meld di an un versök dat nochmol." + post_not_public: "De Bidrag, den du versökst, di antokieken, is nich opentlich!" + fill_me_out: "Füll mi ut" + find_people: "Lüü or #Tags finnen" + help: + account_and_data_management: + data_other_podmins_q: "Künnt de Administrateren von annere Pods miene Informationen seihn?" + data_visible_to_podmin_q: "Wie veel von miene Informationen kann de Pod-Administrator seihn?" + title: "Konto- un Datenverwaltung" + aspects: + change_aspect_of_post_q: "Kann ik de Aspekte ännern, de een Bidrag seen künnt, wenn ik em schon afschickt heb?" + contacts_know_aspect_q: "Weet miene Kontakte, in welche Aspekte ik jüm doon heb?" + contacts_visible_q: "Wat heet „Kontakte in dissen Aspekt to sick sülbst sichtbor moken“?" + delete_aspect_q: "Wie lösch ik een Aspekt?" + person_multiple_aspects_q: "Kann ik eene Person in mehrere Aspekte doon?" + post_multiple_aspects_q: "Kann ik Inhalt an mehrere Aspekte mit eens verfaten?" + remove_notification_a: "Nee." + remove_notification_q: "Wenn ik wen ut een or mehrere von miene Aspekte rutdoo, ward he doröber benarichtigt?" + rename_aspect_q: "Kann ik een Aspekt ümnömen?" + title: "Aspekte" + what_is_an_aspect_q: "Wat is een Aspekt?" + who_sees_post_q: "Wer sütt dat, wenn ik wat an bestimmte Aspekte verfat?" + getting_help: + get_support_a_hashtag: "froog in een opentlichen Bidrag op diaspora* mit den %{question} Hashtag" + get_support_a_irc: "komm to us in den %{irc} (Echttied-Tippsnack)" + get_support_a_tutorials: "bekiek unsere %{tutorials}" + get_support_a_website: "bekiek unsere %{link}" + get_support_a_wiki: "sök in dat %{link}" + get_support_q: "Wat, wenn de FAQ miene Froog nich beantwoord? Wo kann ik noch Hülp kriegen?" + getting_started_a: "Du hest Glück. Probeer de %{tutorial_series} op unsere Projektsiet ut. De warrd die Schritt för Schritt dörch de Registreerung föhren un die all de grundlegenden Saaken bibringen, de du öber dat Bruken von diaspora* weten muss." + getting_started_q: "Hülp! Ik bruk een beten grundlegende Hülp, üm lostoleggen!" + title: "Krieg Hülp" + here: "hier" + irc: "IRC" + markdown: "Markdown" + mentions: + how_to_mention_q: "Wie kann ik wen erwähnen, wenn ik een Bidrag schriev?" + mention_in_comment_a: "Nee, graad nich." + mention_in_comment_q: "Kann ik wen in een Kommentar erwähnen?" + see_mentions_q: "Gift dat eene Mööglichkeit, de Bidräg to seen, in de ik erwähnt worn bin?" + title: "Erwähnungen" + what_is_a_mention_q: "Wat is eene „Erwähnung“?" + miscellaneous: + photo_albums_q: "Gift dat Biller- or Videoalben?" + title: "Verschedenes" + pods: + title: "Pods" + what_is_a_pod_q: "Wat is een Pod?" + posts_and_posting: + character_limit_a: "65.535 Teken. Dat sünd 65.395 Teken mehr as op Twitter! ;)" + character_limit_q: "Wat is de Tekenbegrenzung för Bidräg?" + image_text: "Bildtext" + image_url: "Bildadress" + insert_images_q: "Wie kann ik Biller in miene Bidräg bringen?" + size_of_images_q: "Kann ik de Grött von Biller in Bidräg or Kommantore ännern?" + title: "Bidräg un Verfaten" + private_posts: + can_reshare_q: "Wer kann mien privaten Bidrag wiederseggen?" + title: "Private Bidräg" + public_posts: + find_public_post_q: "Wie künnt annere Lüü miene opentlichen Bidräg finnen?" + title: "Opentliche Bidräg" + public_profiles: + title: "Opentliche Profile" + who_sees_profile_q: "Wer sütt mien opentliches Profil?" + resharing_posts: + title: "Wiederseggen von Bidräg" + sharing: + title: "Deelen" + tags: + title: "Tags" + third_party_tools: "Drittanbeederwarktüüch" + title_header: "Hülp" + tutorial: "Anleidung" + tutorials: "Anleidungen" + wiki: "Wiki" + hide: "versteken" + ignore: "Ignoreren" + invitation_codes: + excited: "%{name} is hen un weg, di hier to seihn." + invitations: + a_facebook_user: "Een Facebook-Benutter" + check_token: + not_found: "Inladungstoken nich funnen" + create: + already_contacts: "Du bist schon mit disse Person verbunnen" + already_sent: "Du hest disse Person schon inlad." + empty: "Bidde geev minstens eene E-Mail-Adress in." + no_more: "Du kannst keene Inladungen mehr schicken." + note_already_sent: "Inladungen sind schon schickt worrn an: %{emails}" + own_address: "Du kanns keene Inladung an diene egene Adress schicken." + rejected: "Bi disse E-Mail-Adressen geev dat Probleme: " + sent: "Inladungen sind schickt worrn an: %{emails}" + edit: + accept_your_invitation: "Nimm diene Inladung an" + your_account_awaits: "Dien Konto töövt op di!" + new: + already_invited: "Disse Lüü hebbt diene Inladung nich annommen:" + aspect: "Aspekt" + check_out_diaspora: "Bekiek mal diaspora*!" + codes_left: + one: "Eene Inladung op dissen Code öber" + other: "%{count} Inladungen op dissen Code öber" + zero: "Keene Inladungen op dissen Code öber" + comma_separated_plz: "Du kanns mehrere E-Mail-Adressen dörch Kommas trennt ingeben." + if_they_accept_info: "wenn se annehmt, warrd se von sülbst to den Aspekt dortodoon, in den du jüm inlad hest." + invite_someone_to_join: "Lad eenen to diaspora* in!" + language: "Sprook" + paste_link: "Deel dissen Link mit diene Frünnen oder schick jüm direkt een Nettbreef dormit, üm jüm to diaspora* intoladen." + personal_message: "Persönliche Naricht" + resend: "Nochmool schicken" + send_an_invitation: "Eene Inladung schicken" + send_invitation: "Inladung afschicken" + sending_invitation: "Schick Inladung..." + to: "An" + layouts: + application: + back_to_top: "Trüch no boben" + powered_by: "Andreven von diaspora*" + public_feed: "Opentliche diaspora*-Feed för %{name}" + source_package: "lad dat Quellcodepaket rünner" + toggle: "Mobile Ansicht ümschalten" + whats_new: "Wat gift dat Nee’es?" + your_aspects: "Diene Aspekte" + header: + admin: "Admin" + blog: "Blog" + code: "Code" + help: "Hülp" + login: "Anmellen" + logout: "Afmellen" + profile: "Profil" + recent_notifications: "Letzte Benarichtigungen" + settings: "Instellungen" + view_all: "All ankieken" + likes: + likes: + people_dislike_this: + one: "Eener mag dat nich" + other: "%{count} Lü mögt dat nich" + zero: "Keener mag dat nich" + people_like_this: + one: "Eener mag dat" + other: "%{count} Lü mögt dat" + zero: "Keener mag dat" + people_like_this_comment: + one: "Eener mag dissen Kommentor" + other: "%{count} Lü mögt dissen Kommentor" + zero: "Keener mag dissen Kommentor" + limited: "Inschränkt" + more: "Mehr" + next: "Neegste" + no_results: "Keene Resultate funnen" + notifications: + also_commented: + one: "%{actors} hett ok %{post_author}s Bidrag %{post_link} kommenteert." + other: "%{actors} hebbt ok %{post_author}s Bidrag %{post_link} kommenteert." + zero: "Keener hett ok %{post_author}s Bidrag %{post_link} kommenteert." + also_commented_deleted: + one: "%{actors} hett een löschten Bidrag kommenteert." + other: "%{actors} hebbt een löschten Bidrag kommenteert." + zero: "Keener hett een löschten Bidrag kommenteert." + comment_on_post: + one: "%{actors} hett dien Bidrag %{post_link} kommenteert." + other: "%{actors} hebbt dien Bidrag %{post_link} kommenteert." + zero: "Keener hett dien Bidrag %{post_link} kommenteert." + helper: + new_notifications: + one: "Eene nee’e Benarichtigung" + other: "%{count} nee’e Benarichtigungen" + zero: "Keene nee’en Benarichtigungen" + index: + all_notifications: "Alle Benarichtigungen" + and: "un" + and_others: + one: "un noch een" + other: "un %{count} annere" + zero: "un sonst keener" + mark_all_as_read: "All as lesen markeren" + mark_unread: "As unlesen markeren" + notifications: "Benarichtigungen" + liked: + one: "%{actors} mag dien Bidrag %{post_link}." + other: "%{actors} mögt dien Bidrag %{post_link}." + zero: "Keener mag dien Bidrag %{post_link}." + liked_post_deleted: + one: "%{actors} mag dien löschten Bidrag." + other: "%{actors} mögt dien löschten Bidrag." + zero: "Keener mag dien löschten Bidrag." + mentioned: + one: "%{actors} hett di in den Bidrag %{post_link} erwähnt." + other: "%{actors} hebbt di in den Bidrag %{post_link} erwähnt." + zero: "Keener hett di in den Bidrag %{post_link} erwähnt." + mentioned_deleted: + one: "%{actors} hett di in een löschten Bidrag erwähnt." + other: "%{actors} hebbt di in een löschten Bidrag erwähnt." + zero: "Keener hett di in een löschten Bidrag erwähnt." + post: "Bidrag" + private_message: + one: "%{actors} hett di eene Naricht schickt" + other: "%{actors} hebbt di eene Naricht schickt" + zero: "Keener hett di eene Naricht schickt" + reshared: + one: "%{actors} hett dien Bidrag %{post_link} wiederseggt." + other: "%{actors} hebbt dien Bidrag %{post_link} wiederseggt." + zero: "Keener hett dien Bidrag %{post_link} wiederseggt." + reshared_post_deleted: + one: "%{actors} hett dien löschten Bidrag wiederseggt." + other: "%{actors} hebbt dien löschten Bidrag wiederseggt." + zero: "Keener hett dien löschten Bidrag wiederseggt." + started_sharing: + one: "%{actors} hett anfungen, mit di to deelen" + other: "%{actors} hebbt anfungen, mit di to deelen" + zero: "Keener hett anfungen, mit di to deelen" + notifier: + a_post_you_shared: "een Bidrag." + accept_invite: "Nimm diene diaspora*-Inladung an!" + click_here: "klick hier" + comment_on_post: + reply: "%{name}s Bidrag antwoorden or ankieken >" + confirm_email: + click_link: "Bidde folg dissen Link, üm diene nee’e E-Mail-Adress %{unconfirmed_email} in gang to setten:" + subject: "Bidde set diene nee’e E-Mail-Adress %{unconfirmed_email} in gang" + email_sent_by_diaspora: "Disse E-Mail is von %{pod_name} schickt worrn. Wenn du keene seuke E-Mails mehr kriegen wist," + hello: "Hallo %{name}!" + invite: + message: |- + Hallo! + + Du bist inlad worrn, op diaspora* to kommen! + + Klick op dissen Link, üm antofangen + + [%{invite_url}][1] + + + Alles Leeve, + + De E-Mail-Roboter von diaspora*! + + [1]: %{invite_url} + invited_you: "%{name} hett di to diaspora* inlad." + liked: + liked: "%{name} mag dien Bidrag" + view_post: "Bidrag ankieken >" + mentioned: + mentioned: "hett di in een Bidrag erwähnt:" + subject: "%{name} hett di op diaspora* erwähnt" + private_message: + reply_to_or_view: "Dissen Snack antwoorden or ankieken >" + reshared: + reshared: "%{name} hett dien Bidrag wiederseggt" + view_post: "Bidrag ankieken >" + single_admin: + admin: "Dien diaspora*-Administrater" + subject: "Eene Naricht öber dien diaspora*-Konto:" + started_sharing: + sharing: "hett anfungen, mit di to deelen!" + subject: "%{name} hett anfungen, mit di op diaspora* to deelen" + view_profile: "%{name}s Profil ankieken" + thanks: "Danke," + to_change_your_notification_settings: "üm diene Benarichtigungsinstellungen to ännern" + nsfw: "NSFW (unpassend för den Arbeidsplatz)" + ok: "OK" + or: "or" + password: "Passwoort" + password_confirmation: "Passwoortbestätigung" + people: + add_contact: + invited_by: "Du bist inladen worrn von" + add_contact_small: + add_contact_from_tag: "Kontakt öber een Hashtag sluten" + aspect_list: + edit_membership: "Aspekttogehörigkeit ännern" + helper: + is_not_sharing: "%{name} deelt nich mit di" + is_sharing: "%{name} deelt mit di" + results_for: " Resultate för %{params}" + index: + looking_for: "Sökst du no Bidräg, de mit %{tag_link} taggt sind?" + no_one_found: "...un nix is funnen worrn." + no_results: "He! Du muss no wat söken." + results_for: "%{search_term} entsprekende Benutter" + searching: "sök, bidde wees geduldig..." + one: "eene Person" + other: "%{count} Lüü" + person: + add_contact: "Kontakt sluten" + already_connected: "Schon verbunnen" + pending_request: "Utstohnde Anfroog" + thats_you: "Dat bist du!" + profile_sidebar: + bio: "Beschriebung" + born: "Geburtsdag" + edit_my_profile: "Mien Profil ännern" + gender: "Geschlecht" + in_aspects: "in Aspekte" + location: "Ort" + photos: "Biller" + remove_contact: "Kontakt wegmaken" + remove_from: "%{name} ut %{aspect} wegmaken?" + show: + closed_account: "Dit Konto is tomokt worrn." + does_not_exist: "De Person gift dat nich!" + has_not_shared_with_you_yet: "%{name} hett noch keene Bidräg mit di deelt!" + ignoring: "Du ignoreerst alle Bidräg von %{name}." + incoming_request: "%{name} will mit di deelen" + mention: "Erwähnung" + message: "Naricht" + not_connected: "Du deels nich mit disse Person" + recent_posts: "Letzte Bidräg" + recent_public_posts: "Letzte Opentliche Bidräg" + return_to_aspects: "Trüch to diene Aspekte-Siet" + see_all: "Alle ankieken" + start_sharing: "mit Deelen anfangen" + to_accept_or_ignore: "üm dat antonehmen or to ignoreren." + sub_header: + add_some: "do een poor dorto" + edit: "ännern" + you_have_no_tags: "du hest keene Tags!" + webfinger: + fail: "Deit mi leed, wi kunnen %{handle} nich finnen." + zero: "keene Lüü" + photos: + comment_email_subject: "%{name}s Bild" + create: + integrity_error: "Hoochladen von dat Bild fehlslaan. Bist du seker, dat dat een Bild wöör?" + runtime_error: "Hoochladen von dat Bild fehlslaan. Bist du seker, dat du di ansnallt hest?" + type_error: "Hoochladen von dat Bild fehlslaan. Bist du seker, dat du een Bild dortodoon hest?" + destroy: + notice: "Bild löscht." + edit: + editing: "Änner" + new: + back_to_list: "Trüch to de Liste" + new_photo: "Nee’es Bild" + post_it: "verfat dat!" + new_photo: + empty: "{file} is leer, bidde wähl de Dateien noch mol ohne er ut." + invalid_ext: "{file} hett een ungülliges Enn. Nur {extensions} sind erlaubt." + size_error: "{file} is to groot, Dateien dröfft höchstens {sizeLimit} groot ween." + new_profile_photo: + or_select_one_existing: "or een von de %{photos} utwählen, de du schon hoochlad hest." + upload: "Nee’es Profilbild hoochladen!" + photo: + view_all: "Alle Biller von%{name} ankieken" + show: + collection_permalink: "Permalink to disse Sammlung" + delete_photo: "Bild löschen" + edit: "ännern" + edit_delete_photo: "Bildbeschriebung ännern / Bild löschen" + make_profile_photo: "as Profilbild bruken" + show_original_post: "Originalbidrag anzeigen" + update_photo: "Bild opfrischen" + update: + error: "Kunn Bild nich ännern." + notice: "Bild is erfolgriek opfrischt worrn." + posts: + presenter: + title: "Een Bidrag von %{name}" + show: + destroy: "Löschen" + not_found: "Deit mi leed, wi kunnen den Bidrag nich finnen." + permalink: "Permalink" + photos_by: + one: "Een Bild von %{author}" + other: "%{count} Biller von %{author}" + zero: "Keene Biller von %{author}" + reshare_by: "Wiederseggt von %{author}" + previous: "Vörherige" + privacy: "Privatsphäre" + privacy_policy: "Datenschutz" + profile: "Profil" + profiles: + edit: + allow_search: "Lüü erlauben, op diaspora* no di to söken" + edit_profile: "Profil ännern" + first_name: "Vörnaam" + last_name: "Nonaam" + update_profile: "Bild opfrischen" + your_bio: "Diene Beschriebung" + your_birthday: "Dien Geburtsdag" + your_gender: "Dien Geschlecht" + your_location: "Dien Ort" + your_name: "Dien Naam" + your_photo: "Dien Bild" + your_private_profile: "Dien privates Profil" + your_public_profile: "Dien opentliches Profil" + your_tags: "Beschriev di sülbst in fiev Wüür" + your_tags_placeholder: "to’n Bispel #Filme #Katten #Reisen #Lehrer #NewYork" + update: + failed: "Kunn Profil nich opfrischen" + updated: "Profil opfrischt" + public: "Opentlich" + reactions: + one: "Eene Reaktion" + other: "%{count} Reaktionen" + zero: "Keene Reaktionen" + registrations: + closed: "Registrerungen sind op dissen diaspora*-Pod sloten." + create: + success: "Du bist nu bi diaspora*!" + edit: + cancel_my_account: "Slut mien Konto" + edit: "%{name} ännern" + leave_blank: "(lot dat leer, wenn du dat nich ännern wist)" + password_to_confirm: "(wi brukt dien jetziges Passwoort, üm de Ännerung to bestätigen)" + unhappy: "Unglücklich?" + update: "Ännern" + invalid_invite: "Dien Inladungslink is nich mehr güllig!" + new: + create_my_account: "Legg mien Konto an!" + email: "E-MAIL-ADRESS" + enter_email: "Geev een E-Mail-Adress in" + enter_password: "Geev een Passwoort in (minnens söss Teken)" + enter_password_again: "Geev dat glieke Passwoort wie vörher in" + enter_username: "Sök di een Benutternaam ut (nur Bookstaven, Nummern un Ünnerstreeke)" + join_the_movement: "Mok bi de Bewegung mit!" + password: "PASSWOORT" + password_confirmation: "PASSWOORTBESTÄTIGUNG" + sign_up: "REGISTREREN" + sign_up_message: "Soziales Nettwarken mit een ♥" + username: "BENUTTERNAAM" + report: + comment_label: "Kommentor:
%{data}" + delete_link: "Indrag löschen" + post_label: "Bidrag:: %{title}" + requests: + create: + sending: "Schick" + sent: "Du hest beden, mit %{name} to deelen. He schull dat seihn, wenn he sik dat neegste Mol bi diaspora* anmellt." + destroy: + error: "Bidde wähl een Aspekt ut!" + ignore: "Ignorerte Kontaktanfroogen." + success: "Du deelst nu." + helper: + new_requests: + one: "Eene nee’e Anfroog!" + other: "%{count} nee’e Anfroogen!" + zero: "Keene nee’en Anfroogen" + manage_aspect_contacts: + existing: "Existerende Kontakte" + manage_within: "Verwalt Kontakte in" + new_request_to_person: + sent: "schickt!" + reshares: + comment_email_subject: "%{resharer}s Version von %{author}s Bidrag" + create: + failure: "Dat geev een Fehler bin Wiederseggen von den Bidrag." + reshare: + deleted: "Originalbidrag von den Autor löscht." + reshare: + one: "Een mol wiederseggt" + other: "%{count} mol wiederseggt" + zero: "Keen mol wiederseggt" + reshare_confirmation: "%{author}s Bidrag wiederseggen?" + reshare_original: "Original wiederseggen" + reshared_via: "wiederseggt öber" + show_original: "Original anzeigen" + search: "Söken" + services: + create: + already_authorized: "Een Bruker mit de diaspora-ID %{diaspora_id} hett dit %{service_name}-Konto schon autoriseert." + failure: "Authentifizeeren fehlslaan." + success: "Authentifizeeren erfolgriek." + destroy: + success: "Autoriseeren erfolgriek rückgängig mokt." + failure: + error: "dat geev een Fehler bin Verbinnen mit den Deenst" + finder: + fetching_contacts: "diaspora* lad diene Frünnen von %{service} graad in, bidde kiek in een poor Minuten noch mol trüch." + no_friends: "Keene Facebook-Frünnen funnen." + service_friends: "%{service}-Frünnen" + index: + connect_to_facebook: "Mit Facebook verbinnen" + connect_to_tumblr: "Mit Tumblr verbinnen" + connect_to_twitter: "Mit Twitter verbinnen" + connect_to_wordpress: "Mit Wordpress verbinnen" + disconnect: "Verbinnung trennen" + edit_services: "Deenste ännern" + logged_in_as: "anmellt as" + no_services: "Du hest noch keene Deenste verbunnen." + really_disconnect: "Verbinnung to %{service} trennen?" + inviter: + click_link_to_accept_invitation: "Folg dissen Link, üm diene Inladung to akzepteren" + join_me_on_diaspora: "Komm to mi op diaspora*" + remote_friend: + invite: "inladen" + not_on_diaspora: "Noch nich op diaspora*" + resend: "nochmol schicken" + settings: "Instellungen" + share_visibilites: + update: + post_hidden_and_muted: "%{name}s Bidrag is verstekt worrn und Benarichtigungen sind stummschalt worrn." + see_it_on_their_profile: "Wenn du nee’es von dissen Bidrag sehn wist, bekiek %{name}s Profilsiet." + shared: + add_contact: + add_new_contact: "Een nee’en Kontakt sluten" + create_request: "Anhand von de diaspora*-ID finnen" + diaspora_handle: "diaspora@pod.org" + enter_a_diaspora_username: "Geev een diaspora*-Benutternaam in:" + know_email: "Du kennst jümmer E-Mail-Adress? Du schust jüm inladen" + your_diaspora_username_is: "Dien diaspora*-Benutternaam is: %{diaspora_handle}" + aspect_dropdown: + add_to_aspect: "Kontakt sluten" + toggle: + one: "In een Aspekt" + other: "In %{count} Aspekte" + zero: "Kontakt sluten" + contact_list: + all_contacts: "Alle Kontakte" + footer: + logged_in_as: "anmellt as %{name}" + your_aspects: "Diene Aspekte" + invitations: + by_email: "Per E-Mail" + dont_have_now: "Du hest graad keene, aber mehr Inladungen kommt bald!" + from_facebook: "Von Facebook" + invitations_left: "%{count} öber" + invite_someone: "Lad wen in" + invite_your_friends: "Lad dien Frünnen in" + invites: "Inladungen" + invites_closed: "Inladungen sind op dissen diaspora*-Pod graad sloten" + share_this: "Deel dissen Link öber E-Mail, dien Blog oder soziale Nettwaark!" + notification: + new: "Nee’e %{type} von %{from}" + public_explain: + atom_feed: "Atom-Feed" + control_your_audience: "Legg diene anpielte Grupp fast" + logged_in: "anmellt bi %{service}" + manage: "Verbunnene Deenste verwalten" + new_user_welcome_message: "Bruk #Hashtags, üm diene Bidräg intoordnen un Lüü to finnen, de diene Interessen deelt. Rop nah tolle Lüü mit @Erwähnungen" + share: "Deelen" + title: "Verbunnene Deenste inrichten" + publisher: + all: "All" + all_contacts: "alle Kontakte" + discard_post: "Bidrag löschen" + make_public: "opentlich moken" + new_user_prefill: + hello: "Moin all, Ik bin #%{new_user_tag}. " + i_like: "Ik interessier mi för %{tags}. " + invited_by: "Danke för de Inladung, " + newhere: "NeeHier" + post_a_message_to: "Verfat eene Naricht an %{aspect}" + posting: "Verfat..." + preview: "Vörschau" + publishing_to: "veropentlichen to: " + share: "Deelen" + share_with: "deelen mit" + upload_photos: "Biller hoochladen" + whats_on_your_mind: "Wat geiht di dörch den Kopp?" + reshare: + reshare: "Wiederseggen" + stream_element: + connect_to_comment: "Verbinn di mit dissen Bruker, üm sien Bidrag to kommenteren" + currently_unavailable: "Kommenteren is graad nich parat" + dislike: "Mag ik nich" + hide_and_mute: "Bidrag versteken un stummschalten" + ignore_user: "%{name} ignoreren" + ignore_user_description: "Bruker ignorieren un ut alle Aspekte wegmoken?" + like: "Mag ik" + nsfw: "Disse Bidrag is von sien Autor as NSFW markeert worrn. %{link}" + shared_with: "Deelt mit: %{aspect_names}" + show: "anzeigen" + unlike: "Mag ik nich mehr" + via: "öber %{link}" + viewable_to_anyone: "Disse Bidrag is för alle in’t Internet sichtbor." + status_messages: + create: + success: "Erfolgriek erwähnt: %{names}" + destroy: + failure: "Kunn Bidrag nich löschen" + helper: + no_message_to_display: "Keene Narichten ton anzeigen." + new: + mentioning: "Erwähn: %{person}" + too_long: "Bidde mok dien Bidrag kötter as %{count} Teken. In Moment is he %{current_length} Teken lang" + stream_helper: + hide_comments: "Verstek alle Kommentare" + no_more_posts: "Du bist an't Enn von'n Stream ankommen." + no_posts_yet: "Dat gift noch keen Bidräg." + show_comments: + one: "Zeig een annern Kommentor" + other: "Zeig %{count} annere Kommentore" + zero: "Keene annern Kommentore" + streams: + activity: + title: "Mien Rumröören" + aspects: + title: "Miene Aspekte" + aspects_stream: "Aspekte" + comment_stream: + contacts_title: "Lüü, von de du de Bidräg kommenteert hest" + title: "Kommentierte Bidräg" + followed_tag: + add_a_tag: "Een Tag dortodoon" + follow: "Folgen" + title: "#Folgte Tags" + followed_tags_stream: "#Folgte Tags" + like_stream: + contacts_title: "Lüü, von de du de Bidräg magst" + mentioned_stream: "@Erwähnungen" + mentions: + contacts_title: "Lüü, de di erwähnt hebbt" + title: "@Erwähnungen" + multi: + contacts_title: "Lüü in dien Stream" + title: "Stream" + public: + contacts_title: "Letzte Verfater" + title: "Opentliches Rumröören" + tags: + title: "Bidräg tagged mit: %{tags}" + tag_followings: + create: + failure: "Kunn #%{name} nich folgen. Folgst du dat schon?" + none: "Du kanns keen leeres Tag folgen!" + success: "Hurra! Du folgst nu #%{name}." + destroy: + failure: "Kunn nich ophören, #%{name} to folgen. Villicht folgst du dat schon gor nich mehr?" + success: "Alas! Du folgst #%{name} nich mehr." + tags: + show: + follow: "Folg #%{tag}" + following: "Du folgst #%{tag}" + none: "Den leeren Tag gift dat nich!" + stop_following: "#%{tag} nich mehr folgen" + terms_and_conditions: "Allgemeene Geschäftsregeln" + undo: "Rückgängig moken?" + username: "Benutternaam" + users: + confirm_email: + email_confirmed: "E-Mail-Adress %{email} in gang set" + email_not_confirmed: "Kunn E-Mail-Adress nich in gang setten. Falsche Link?" + destroy: + no_password: "Bidde geev dien jetziges Passwoort in, üm dien Konto to sluten." + success: "Dien Konto is sparrt worrn. Wi brukt bit to 20 Minuten, üm dien Konto vullständig to sluten. Danke, dat du diaspora* utprobeert hest." + wrong_password: "Dat ingebene Passwoort het dien jetziges Passwoort nich entsproken." + edit: + also_commented: "wen een Bidrag kommenteert, den du ok kommenteert hest" + auto_follow_aspect: "Aspekt för automatisch slotene Kontakte:" + auto_follow_back: "Automatisch mit Benutter deelen, de anfangt, mit mi to deelen" + change: "Ännern" + change_email: "E-Mail-Adress ännern" + change_language: "Sprook ännern" + change_password: "Passwoort ännern" + character_minimum_expl: "mut minstens söss Teken lang ween" + close_account: + dont_go: "He, bidde goh nich!" + if_you_want_this: "Wenn du wirklich wist, dat dat passeert, geev dien Passwoort ünnen in un klick op „Konto sluten“" + lock_username: "Dien Brukernaam ward sparrt. Du warst op dissen Pod keen nee'es Konto mit de sülbe ID anleggen künnen." + locked_out: "Du warst afmellt warden un ut dien Konto utsparrt warn, bit dat löscht worn is." + make_diaspora_better: "Wi deen dat good finnen, wenn du bliffst un uns hülpst, diaspora* beter to moken, statt wegtogohn. Wenn du aber wirklich weggohn wist, ward dat hier as neegstes passeern:" + mr_wiggles: "Herrn Wiggles warrd trurig ween, di gahn to seihn." + no_turning_back: "Dat gift keen Trüch! Wenn du di wirklich seker bist, geev ünnen dien Passwoort in." + what_we_delete: "Wi warrd all diene Bidräg un Profildaten so schnell, as dat man geiht, löschen. Diene Kommentare op de Bidräg von annere Lüü ward immer noch to seen ween, aber se ward mit diene diaspora*-ID statt mit dien Naam verknüppt." + close_account_text: "Konto sluten" + comment_on_post: "wen dien Bidrag kommenteert" + current_password: "Jetziges Passwoort" + current_password_expl: "dat, mit dat du di anmellst..." + download_photos: "miene Biller rünnerladen" + edit_account: "Konto ännern" + email_awaiting_confirmation: "Wie hebbt di een Link ton In-Gang-Setten an %{unconfirmed_email} schickt. Bit du dissen Link folgst und diene nee’e E-Mail-Adress in gang sets, warrd wi wieder diene ole Adress %{email} bruken." + export_data: "Daten exporteren" + following: "Deelen-Instellungen" + getting_started: "Instellungen för nee’e Benutter" + liked: "wen dien Bidrag mag" + mentioned: "du in een Bidrag erwähnt warrst" + new_password: "Nee’es Passwoort" + private_message: "du eene private Naricht kriegst" + receive_email_notifications: "E-Mail-Benarichtigungen kriegen wenn:" + reshared: "wen dien Bidrag wiederseggt" + show_getting_started: "Anfangshenwiese weer anzeigen" + started_sharing: "wen anfangt, mit di to deelen" + stream_preferences: "Stream-Instellungen" + your_email: "Diene E-Mail-Adress" + your_handle: "Diene diaspora*-ID" + getting_started: + awesome_take_me_to_diaspora: "Toll! Bring mi to diaspora*" + community_welcome: "De Gemeenschaft von diaspora* freit sik, di an Boord to hebben!" + hashtag_explanation: "Mit Hashtags kannst du öber diene Interessen snacken und jüm folgen. Se sind ok eene tolle Mööglichkeit, üm nee'e Lüü op diaspora* kennen to lernen." + hashtag_suggestions: "Versök mol, Tags wie #Kunst, #Filme, #gif oder so to folgen" + saved: "Spiekert!" + well_hello_there: "Naja, hallo erstmool!" + what_are_you_in_to: "Wat magst du?" + who_are_you: "Wer bist du?" + privacy_settings: + ignored_users: "Ignorerte Bruker" + no_user_ignored_message: "Du ignoreerst graad keene annern Bruker" + stop_ignoring: "Nich mehr ignoreren" + title: "Privatsphäre-Instellungen" + public: + does_not_exist: "Den Bruker %{username} gift dat nich!" + update: + email_notifications_changed: "E-Mail-Benarichtigungen ännert" + follow_settings_changed: "Folgen-Instellungen ännert" + follow_settings_not_changed: "Ännern von de Folgen-Instellungen fehlslaan." + language_changed: "Sprook ännert" + language_not_changed: "Kunn Sprook nich ännern" + password_changed: "Passwoort ännert. Du kannst di nu mit dien nee’es Passwoort anmellen." + password_not_changed: "Ännern von’t Passwoort fehlslaan" + settings_not_updated: "Opfrischen von de Instellungen fehlslaan" + settings_updated: "Instellungen opfrischt" + unconfirmed_email_changed: "E-Mail-Adress ännert. Mutt in gang set warrn." + unconfirmed_email_not_changed: "Ännern von de E-Mail-Adress fehlslaan" + webfinger: + fetch_failed: "Kunn Webfinger-Profil för %{profile_url} nich afropen" + hcard_fetch_failed: "Dat geev een Problem bien afropen von de hcard för %{account}" + not_enabled: "Dat sütt so ut, as op Webfinger för %{account} sien Host nich aktiveert is" + xrd_fetch_failed: "Dat geev een Problem bien afropen von de xrd von dat Konto %{account}" + welcome: "Willkomen!" + will_paginate: + next_label: "neegste »" + previous_label: "« vörherige" \ No newline at end of file diff --git a/config/locales/diaspora/ne.yml b/config/locales/diaspora/ne.yml index 2e208d37f..0eae89161 100644 --- a/config/locales/diaspora/ne.yml +++ b/config/locales/diaspora/ne.yml @@ -13,8 +13,6 @@ ne: helper: unknown_person: "अपरिचित व्यक्ति" aspects: - helper: - remove: "हटाउनुहोस्" index: help: tag_question: "प्रश्न" diff --git a/config/locales/diaspora/nl.yml b/config/locales/diaspora/nl.yml index 2425f3f65..858cccbcb 100644 --- a/config/locales/diaspora/nl.yml +++ b/config/locales/diaspora/nl.yml @@ -10,9 +10,10 @@ nl: _contacts: "Contacten" _help: "Help" _home: "Home" - _photos: "foto's" + _photos: "Foto's" _services: "Diensten" - _terms: "voorwaarden" + _statistics: "Statistieken" + _terms: "Voorwaarden" account: "Account" activerecord: errors: @@ -40,7 +41,7 @@ nl: reshare: attributes: root_guid: - taken: "Je hebt dit bericht al doorgegeven!" + taken: "Goed bericht zeker? Je hebt dit bericht al doorgegeven!" user: attributes: email: @@ -48,22 +49,22 @@ nl: person: invalid: "is ongeldig." username: - invalid: "is ongeldig. We staan alleen letters, nummers, en underscores toe." + invalid: "is ongeldig. We staan alleen letters, cijfers, en liggende streepjes toe." taken: "is al in gebruik." admins: admin_bar: correlations: "Correlaties" pages: "Pagina's" pod_stats: "Pod Statistieken" - report: "Rapporten" + report: "Meldingen" sidekiq_monitor: "Sidekiq monitor" user_search: "Gebruiker Zoeken" - weekly_user_stats: "Wekelijkse Gebruiker Statistieken" + weekly_user_stats: "Wekelijkse Gebruikersstatistieken" correlations: correlations_count: "Correlaties met inlogtelling:" stats: - 2weeks: "2 Weken" - 50_most: "50 Meest Populaire Tags" + 2weeks: "2 weken" + 50_most: "50 meest populaire tags" comments: one: "%{count} reactie" other: "%{count} reacties" @@ -71,7 +72,7 @@ nl: current_segment: "Het huidige segment heeft gemiddeld %{post_yest} berichten per gebruiker sinds %{post_day}" daily: "Dagelijks" display_results: "Resultaten uit het %{segment}-segment" - go: "gaan" + go: "Zoeken" month: "Maand" posts: one: "%{count} bericht" @@ -81,42 +82,46 @@ nl: one: "%{count} doorgave" other: "%{count} doorgaven" zero: "%{count} doorgaven" - tag_name: "Tag Naam: %{name_tag} Count: %{count_tag}" - usage_statistic: "Verbruiks Statistieken" + tag_name: "Tag: %{name_tag} Count: %{count_tag}" + usage_statistic: "Gebruiksstatistieken" users: one: "%{count} gebruiker" other: "%{count} gebruikers" zero: "%{count} gebruikers" week: "Week" user_entry: - account_closed: "account afgesloten" - diaspora_handle: "Diaspora id" + account_closed: "Account afgesloten" + diaspora_handle: "diaspora* id" email: "E-mailadres" guid: "GUID" id: "ID" - last_seen: "laatst gezien" + last_seen: "Laatst gezien" ? "no" - : nee + : Nee nsfw: "#nsfw" - unknown: "onbekend" + unknown: "Onbekend" ? "yes" - : ja + : Ja user_search: account_closing_scheduled: "Het account van %{name} is ingepland om te worden beëindigd. Dit zal over enkele momenten worden verwerkt..." - add_invites: "voeg uitnodigingen toe" + account_locking_scheduled: "Het account van %{name} staat ingepland voor blokkeren. De opdracht wordt zo meteen verwerkt..." + account_unlocking_scheduled: "Het account van %{name} staat ingepland voor deblokkeren. De opdracht wordt zo meteen verwerkt..." + add_invites: "Voeg uitnodigingen toe" are_you_sure: "Weet je zeker dat je dit account wilt beëindigen?" - close_account: "afsluiten account" + are_you_sure_lock_account: "Weet je zeker dat je dit account wilt blokkeren?" + are_you_sure_unlock_account: "Weet je zeker dat je dit account wilt deblokkeren?" + close_account: "Afsluiten account" email_to: "E-mail om uit te nodigen" under_13: "Toon gebruikers onder de 13 (COPPA)" users: one: "%{count} gebruiker gevonden" other: "%{count} gebruikers gevonden" zero: "%{count} gebruikers gevonden" - view_profile: "bekijk profiel" + view_profile: "Bekijk profiel" you_currently: - one: "je hebt %{count} uitnodiging over %{link}" - other: "je hebt %{count} uitnodigingen over %{link}" - zero: "je hebt geen uitnodingen over %{link}" + one: "Je hebt %{count} uitnodiging over %{link}" + other: "Je hebt %{count} uitnodigingen over %{link}" + zero: "Je hebt geen uitnodingen over %{link}" weekly_user_stats: amount_of: one: "Aantal nieuwe gebruikers deze week: %{count}" @@ -124,25 +129,23 @@ nl: zero: "Aantal nieuwe gebruikers deze week: geen" current_server: "Huidige server datum is %{date}" ago: "%{time} geleden" - all_aspects: "Alle Aspecten" + all_aspects: "Alle aspecten" application: helper: - unknown_person: "onbekend persoon" + unknown_person: "Onbekende persoon" video_title: unknown: "Onbekende Videotitel" are_you_sure: "Weet je het zeker?" are_you_sure_delete_account: "Weet je zeker dat je jouw account wil sluiten? Dit kan niet teruggedraaid worden!" aspect_memberships: destroy: - failure: "Persoon verwijderen van aspect mislukt" + failure: "Persoon verwijderen uit aspect mislukt" no_membership: "Kon de geselecteerde persoon niet vinden in dat aspect" - success: "Persoon succesvol van aspect verwijderd" + success: "Persoon succesvol uit aspect verwijderd" aspects: add_to_aspect: failure: "Contact toevoegen aan aspect is mislukt." success: "Contact is met succes toegevoegd aan aspect." - aspect_contacts: - done_editing: "klaar met bewerken" aspect_listings: add_an_aspect: "+ Voeg aspect toe" deselect_all: "Deselecteer alles" @@ -150,7 +153,7 @@ nl: select_all: "Selecteer alles" aspect_stream: make_something: "Schrijf iets" - stay_updated: "Blijf up-to-date" + stay_updated: "Blijf op de hoogte" stay_updated_explanation: "De standaard stream is gevuld met berichten van al je contacten, met alle tags die je volgt en met berichten van een aantal creatieve leden van de community." contacts_not_visible: "Contacten in dit aspect zullen elkaar niet kunnen zien." contacts_visible: "Contacten in dit aspect zullen elkaar kunnen zien." @@ -161,23 +164,18 @@ nl: failure: "%{name} is niet leeg en kan niet verwijderd worden." success: "%{name} is met succes verwijderd." edit: - add_existing: "Voeg een bestaand contact toe" + aspect_chat_is_enabled: "Contacten binnen dit aspect kunnen met jou chatten." + aspect_chat_is_not_enabled: "Contacten binnen dit aspect kunnen niet met jou chatten." aspect_list_is_not_visible: "Contacten in dit aspect kunnen elkaar niet zien:" aspect_list_is_visible: "contactlijst van aspect is zichtbaar voor anderen in aspect" confirm_remove_aspect: "Weet je zeker dat je dit aspect wilt verwijderen?" - done: "Klaar" - make_aspect_list_visible: "maak contacten in dit aspect zichtbaar voor elkaar?" - manage: "Beheren" + grant_contacts_chat_privilege: "Contacten in aspect chat autorisatie verlenen?" + make_aspect_list_visible: "Contacten in dit aspect voor elkaar zichtbaar maken?" remove_aspect: "Verwijder dit aspect" - rename: "hernoem" + rename: "Hernoemen" set_visibility: "Instellen zichtbaarheid" update: "Bijwerken" - updating: "aan het bijwerken" - few: "%{count} aspecten" - helper: - are_you_sure: "Weet je zeker dat je dit aspect wilt verwijderen?" - aspect_not_empty: "Aspect niet leeg" - remove: "verwijderen" + updating: "Aan het bijwerken" index: diaspora_id: content_1: "Jouw diaspora* ID is:" @@ -208,26 +206,21 @@ nl: new_here: follow: "Volg %{link} en verwelkom nieuwe diaspora* gebruikers!" learn_more: "Meer informatie" - title: "Nieuwe Gebruikers" + title: "Nieuwe gebruikers verwelkomen" no_contacts: "Geen contacten" no_tags: "+ Vind een tag" people_sharing_with_you: "Mensen die met jou delen" - post_a_message: "plaats een bericht >>" + post_a_message: "Plaats een bericht >>" services: content: "Je kunt de volgende services met diaspora* verbinden:" heading: "Verbind diensten" unfollow_tag: "Stop met volgen van #%{tag}" welcome_to_diaspora: "Welkom bij diaspora*, %{name}!" - many: "%{count} aspecten" - move_contact: - error: "Probleem bij het verplaatsen van contact: %{inspect}" - failure: "werkte niet %{inspect}" - success: "Persoon naar nieuw aspect verplaatst" new: create: "Aanmaken" name: "Naam (alleen zichtbaar voor jou)" no_contacts_message: - community_spotlight: "community aanrader" + community_spotlight: "Community aanrader" or_spotlight: "Of je kan delen met %{link}\n" try_adding_some_more_contacts: "Je kunt meer contacten zoeken of uitnodigen." you_should_add_some_more_contacts: "Voeg wat meer contacten toe!" @@ -240,18 +233,10 @@ nl: family: "Familie" friends: "Vrienden" work: "Werk" - selected_contacts: - manage_your_aspects: "Beheer je aspecten." - no_contacts: "Je hebt hier momenteel nog geen contacten." - view_all_community_spotlight: "Zie alle community spotlights" - view_all_contacts: "Bekijk alle contacten" - show: - edit_aspect: "bewerk aspect" - two: "%{count} aspecten" update: failure: "De naam van je aspect, %{name}, is te lang om op te slaan." success: "Je aspect, %{name}, is succesvol aangepast." - zero: "geen aspecten" + zero: "Geen aspecten" back: "Terug" blocks: create: @@ -267,36 +252,31 @@ nl: post_success: "Gepost!" cancel: "Annuleren" comments: - few: "%{count} reacties" - many: "%{count} reacties" new_comment: comment: "Reactie" commenting: "Reageren..." one: "1 reactie" other: "%{count} reacties" - two: "%{count} reacties" - zero: "geen reacties" + zero: "Geen reacties" contacts: create: failure: "Verbinding maken mislukt" - few: "%{count} contacten" index: add_a_new_aspect: "Voeg een aspect toe" - add_to_aspect: "voeg contacten toe aan %{name}" - add_to_aspect_link: "contacten toevoegen aan %{name}" - all_contacts: "Alle Contacten" + add_contact: "Toevoegen contactpersoon" + add_to_aspect: "Voeg contacten toe aan %{name}" + all_contacts: "Alle contacten" community_spotlight: "Community aanrader" - many_people_are_you_sure: "Weet je zeker dat je een privégesprek wil starten met meer dan %{suggested_limit} contacten? Een bericht plaatsen in dit aspect is waarschijnlijk een betere manier om met hen te communiceren." - my_contacts: "Mijn Contacten" + my_contacts: "Mijn contacten" no_contacts: "Voeg wat contacten toe!" + no_contacts_in_aspect: "Je hebt nog geen contacten in dit aspect. Hieronder staat de lijst met je huidige contacten die je aan dit aspect kunt toevoegen." no_contacts_message: "Bekijk %{community_spotlight} eens" - no_contacts_message_with_aspect: "Bekijk %{community_spotlight} eens, of %{add_to_aspect_link}" only_sharing_with_me: "Delen alleen met mij" - remove_person_from_aspect: "Verwijder %{person_name} uit \"%{aspect_name}\"" - start_a_conversation: "Start een conversatie" + remove_contact: "Verwijderen contactpersoon" + start_a_conversation: "Plaats een bericht" title: "Contacten" - your_contacts: "Jouw Contacten" - many: "%{count} contacten" + user_search: "Zoek gebruiker" + your_contacts: "Jouw contacten" one: "1 contact" other: "%{count} contacten" sharing: @@ -304,8 +284,7 @@ nl: spotlight: community_spotlight: "Community aanrader" suggest_member: "Suggereer een lid" - two: "%{count} contacten" - zero: "contacten" + zero: "Geen contacten" conversations: conversation: participants: "Deelnemers" @@ -314,7 +293,8 @@ nl: no_contact: "Hallo, je moet wel eerst een contactpersoon toevoegen!" sent: "Privébericht verzonden" destroy: - success: "Privégesprek succesvol verwijderd" + delete_success: "De conversatie is verwijderd" + hide_success: "De conversatie is verborgen" helper: new_messages: one: "1 nieuw bericht" @@ -322,22 +302,23 @@ nl: zero: "Geen nieuwe berichten" index: conversations_inbox: "Conversaties - inbakje" - create_a_new_conversation: "start een nieuwe conversatie" + create_a_new_conversation: "Start een nieuwe conversatie" inbox: "Postvak In" new_conversation: "Nieuwe conversatie" - no_conversation_selected: "geen privégesprek geselecteerd" - no_messages: "geen privéberichten" + no_conversation_selected: "Geen privégesprek geselecteerd" + no_messages: "Geen privéberichten" new: abandon_changes: "Wijzigingen annuleren?" send: "Verstuur" sending: "Verzenden..." - subject: "onderwerp" - to: "aan" + subject: "Onderwerp" + to: "Aan" new_conversation: fail: "Ongeldig bericht" show: - delete: "verwijder en blokkeer privégesprek" - reply: "beantwoord" + delete: "Verwijder gesprek" + hide: "Verberg en onderdruk gesprekken" + reply: "Beantwoorden" replying: "Beantwoorden..." date: formats: @@ -354,51 +335,60 @@ nl: post_not_public: "Het bericht dat je probeert de bekijken is niet openbaar!" post_not_public_or_not_exist: "Het bericht dat je wilt bekijken is niet openbaar, of het bestaat niet!" fill_me_out: "Vul me in!" - find_people: "Vind mensen of #tags" + find_people: "Zoek mensen of #tags" help: account_and_data_management: - close_account_a: "Ga naar de onderkant van je instellingenpagina en klik op de 'Sluit Account' knop." - close_account_q: "Hoe verwijder ik mijn zaadje (account)?" - data_other_podmins_a: "Als je met iemand op een andere pod deelt, worden alle berichten die je met die persoon deelt, alsmede een kopie van je profielgegevens, opgeslagen (gecached) op die pod en dus zijn die gegevens toegankelijk voor die andere podbeheerder. Als je een bericht of profielgegevens verwijdert, dan worden die gegevens zowel van je eigen pod, als van die andere pods, waar de gegevens ook bewaard werden, verwijderd." + close_account_a: "Ga naar de onderkant van je instellingenpagina en klik op de 'Sluit Account' knop. Je wordt dan gevraagd om he wachtwoord om het proces af te ronden. Onthoud goed: als je je account sluit, zul je je nooit meer opnieuw met die gebruikersnaam kunnen registreren." + close_account_q: "Hoe verwijder ik mijn account?" + data_other_podmins_a: "Als je met iemand op een andere pod deelt, worden alle berichten die je met die persoon deelt, alsmede een kopie van je profielgegevens, opgeslagen (gecached) op die pod en dus zijn die gegevens toegankelijk voor die andere podbeheerder. Als je een bericht of profielgegevens verwijdert, dan worden die gegevens zowel van je eigen pod, als van die andere pods, waar de gegevens ook bewaard werden, verwijderd. Je afbeeldingen worden nooit op een andere pod opgeslagen, alleen de links ernaartoe worden verstuurd naar andere pods." data_other_podmins_q: "Kunnen de beheerders van andere pods mijn informatie bekijken?" - data_visible_to_podmin_a: "De communicatie *tussen* de pods is altijd versleuteld (met SSL en diaspora*'s eigen transportversleuteling), maar opslag van de gegevens op een pod is niet versleuteld. Als hij/zij dat zou willen, dan kan de databasebeheerder (in de regel de podbeheerder) al je profielgegevens en alle berichten die je plaatst bekijken. Dat geldt overigens voor de meeste websites. Als je je eigen pod draait, heb je dus meer privacy, omdat je dan zelf de toegang tot de database beheert." + data_visible_to_podmin_a: "Kort antwoord: alles. De communicatie *tussen* de pods is altijd versleuteld (met SSL en diaspora*'s eigen transportversleuteling), maar opslag van de gegevens op een pod is niet versleuteld. Als hij/zij dat zou willen, dan kan de databasebeheerder (in de regel de podbeheerder) al je profielgegevens en alle berichten die je plaatst bekijken (net als bij de meeste andere websites). Daarom bieden wij je de keuze om zelf de pod waarvan je de podmin vertrouwt te kiezen waarop je een account wilt hebben. Als je je eigen pod draait, heb je dus meer privacy, omdat je dan zelf de toegang tot de database beheert." data_visible_to_podmin_q: "Hoeveel van mijn gegevens kan de podbeheerder zien?" - download_data_a: "Ja. Onderaan het Account tabblad in je instellingenpagina zijn twee knoppen waarmee je je gegevens kunt downloaden." - download_data_q: "Kan ik een kopie van al mijn gegevens in dit zaadje (account) downloaden?" + download_data_a: "Ja. Onderaan het Account tabblad in je instellingenpagina zijn twee knoppen: een knop waarmee je jouw gegevens kunt downloaden en eentje voor het downloaden van je foto's." + download_data_q: "Kan ik een kopie van al mijn gegevens in dit account downloaden?" move_pods_a: "In de toekomst zul je je gegevens van de ene pod kunnen exporteren en importeren in de andere, maar dat kan nu nog niet. Je kunt altijd een nieuw account op een andere pod aanmaken en je contacten toevoegen aan aspecten op die nieuwe pod en hun vragen ook je nieuwe account aan hun aspecten toe te voegen." - move_pods_q: "Hoe verplaats ik mijn zaadje (account) van de ene pod naar een andere?" + move_pods_q: "Hoe verplaats ik mijn account van de ene pod naar een andere?" title: "Account- en gegevensbeheer" aspects: change_aspect_of_post_a: "Nee, maar je kunt altijd een identiek bericht maken en dat voor een ander aspect plaatsen." change_aspect_of_post_q: "Als ik een bericht heb geplaatst, kan ik dan de aspecten die het kunnen zien later nog wijzigen?" contacts_know_aspect_a: "Nee, ze kunnen de naam van een aspect nooit zien." contacts_know_aspect_q: "Weten mijn contacten in welke aspecten ik ze heb gestopt?" - contacts_visible_a: "Als je deze optie aankruist, dan kunnen de contactpersonen in dat aspect op jouw profielpagina de andere leden van dat aspect zien. Je kunt dit het beste alleen selecteren als de contactpersonen elkaar toch al kennen. Ze kunnen niet zien hoe je het aspect hebt genoemd." + contacts_visible_a: "Als je deze optie aankruist, dan kunnen de contactpersonen in dat aspect op jouw profielpagina de andere leden van dat aspect zien. Je kunt dit het beste alleen selecteren als de contactpersonen elkaar toch al kennen, bijvoorbeeld als het aspect gelijkloopt met bijvoorbeeld een groep mensen in je echte leven. Ze kunnen niet zien hoe je het aspect hebt genoemd." contacts_visible_q: "Wat betekent \"maak alle contacten in dit aspect zichtbaar voor elkaar\"?" - delete_aspect_a: "Selecteer het betreffende aspect in de lijst in de linkerkolom. Klik op de naam en druk op de 'bewerk' pen. In het popup venstertje klik je daarna op de verwijder knop." + delete_aspect_a: "Selecteer het betreffende aspect in de lijst in de linkerkolom. Klik op het aspect en druk op de 'bewerk' pen, of ga naar je contactenpagina en selecteer het betreffende aspect. Druk daana op het prullenbakpictogram rechtsboven op de pagina." delete_aspect_q: "Hoe verwijder ik een aspect?" - person_multiple_aspects_a: "Ja. Ga naar je contacten pagina en klik op Mijn contacten. Voor elk contact kun je het menu rechts gebruiken om ze aan aspecten toe te voegen of ze eruit te verwijderen. Of je kunt ze aan een of meer aspecten koppelen op hun eigen profielpagina. Of je kunt ergens waar je hun naam op het scherm ziet met de muis eroverheen gaan en meteen daar in het popup venstertje de aspecten (de)selecteren." + person_multiple_aspects_a: "Ja. Ga naar je contacten pagina en klik op 'Mijn contacten'. Voor elk contact kun je het menu rechts gebruiken om ze aan aspecten toe te voegen of ze eruit te verwijderen. Of je kunt ze aan een of meer aspecten koppelen met de aspectenselector op hun eigen profielpagina. Of je kunt ergens waar je hun naam op het scherm ziet met de muis eroverheen gaan en meteen daar in het popup venstertje de aspecten (de)selecteren." person_multiple_aspects_q: "Kan ik iemand in meerdere aspecten plaatsen?" - post_multiple_aspects_a: "Ja. Als je een bericht plaatst, kun je de aspecten selector gebruiken om aspecten te selecteren of deselecteren. Je bericht zal alleen zichtbaar zijn voor alle aspecten die je selecteert. Je kunt ook aspecten in de linker zijbalk selecteren. Als je dan een bericht plaatst, zal het zichtbaar zijn voor de dan geselecteerde aspecten." + post_multiple_aspects_a: "Ja. Als je een bericht plaatst, kun je de aspecten selector gebruiken om aspecten te selecteren of deselecteren. 'Alle aspecten' is de standaardinstelling. Je bericht zal alleen zichtbaar zijn voor alle aspecten die je selecteert. Je kunt ook aspecten in de linker zijbalk selecteren. Als je dan een bericht plaatst, zal het zichtbaar zijn voor de dan geselecteerde aspecten." post_multiple_aspects_q: "Kan ik in één keer een bericht plaatsen voor meerdere aspecten tegelijk?" - remove_notification_a: "Nee." + remove_notification_a: "Nee. Ze worden ook niet geïnformeerd als je ze aan meer aspecten toevoegt wanneer je al met ze deelt." remove_notification_q: "Als ik iemand uit een aspect verwijder, wordt die persoon daarover dan geïnformeerd?" - rename_aspect_a: "Ja. In de lijst met aspecten in de linkerkolom kies je het te hernoemen aspect. Klik op het kleine 'bewerk' pennetje rechts van het aspect. Klik op hernoemen in het menu dat verschijnt." - rename_aspect_q: "Kan ik een aspect een nieuwe naam geven?" + rename_aspect_a: "Klik op \"Mijn aspecte\" in de linkerkolom en klik op op het kleine 'bewerk' pennetje rechts van het aspect, of ga naar je contactenpagina en selecteer het betreffende aspect. Klik dan op het Bewerken pictogram naast de aspectnaam bovenaan deze pagina. Wijzig dan de naam en klik op \"Bijwerken\"." + rename_aspect_q: "Hoe kan ik een aspect een nieuwe naam geven?" restrict_posts_i_see_a: "Ja. Klik op Mijn Aspecten in de linkerkolom en klik dan op de afzonderlijke aspecten om ze te (de)selecteren. Je ziet in je Stream dan alleen de berichten van de mensen in de geselecteerde aspecten." - restrict_posts_i_see_q: "Kan ik ook alleen berichten zien van bepaalde aspecten?" + restrict_posts_i_see_q: "Kan ik in mijn stream ook alleen berichten zien van bepaalde aspecten?" title: "Aspecten" what_is_an_aspect_a: "Aspecten zijn de manier waarop je je contacten groepeert in diaspora*. Een aspect is een van de manieren waarop je je manifesteert in je eigen wereld. Het kan op je werk zijn, je familie, of je vrienden of een club waar je bijhoort." what_is_an_aspect_q: "Wat is een aspect?" - who_sees_post_a: "Als je een 'beperkt' bericht plaatst, is het alleen zichtbaar voor de mensen die je in dat aspect (of die aspecten als je meer aspecten hebt gekozen) hebt gestopt. Contactpersonen die niet in het betreffende aspect zitten, zullen het bericht niet kunnen zien, tenzij je het een openbaar bericht maakt. Alleen openbare berichten zijn ook zichtbaar voor mensen die niet in je aspect(en) zitten." + who_sees_post_a: "Als je een 'beperkt' bericht plaatst, is het alleen zichtbaar voor de mensen die je in dat aspect (of die aspecten als je meer aspecten hebt gekozen) hebt gestopt. Contactpersonen die niet in het betreffende aspect zitten, zullen het bericht niet kunnen zien. Beperkte berichten zijn nooit zichtbaar voor mensen die niet in je aspect(en) zitten." who_sees_post_q: "Als ik een bericht plaats voor een aspect, wie ziet dat dan?" - foundation_website: "diaspora foundation website" + chat: + add_contact_roster_a: |- + Eerst moet je de chatmogeljikheid inschakelen voor een van de aspecten waar die persoon in zit. Ga naar de %{contacts_page}, selecteer het aspect en klik op het chat pictogram om chat voor het aspect mogelijk te maken. + %{toggle_privilege} Je kunt, als je dat wilt, een speciaal aspect genaamd 'Chat' maken en daar personen met wie je wilt chatten aan toevoegen. Als je dat hebt gedaan, open dan de chat interface en selecteer de persoon met wie je wilt chatten. + add_contact_roster_q: "Hoe kan ik met iemand binnen diaspora* chatten?" + contacts_page: "contactpersonenpagina" + title: "Chat" + faq: "FAQ" + foundation_website: "diaspora* foundation website" getting_help: - get_support_a_hashtag: "zet de vraag in een openbaar bericht op diaspora* met de %{question} hashtag" - get_support_a_irc: "doe mee op %{irc} (live chat)" - get_support_a_tutorials: "bekijk onze %{tutorials}" - get_support_a_website: "bezoek onze %{link}" - get_support_a_wiki: "zoek de %{link}" + get_support_a_faq: "Lees onze %{faq} pagina op wiki" + get_support_a_hashtag: "Zet de vraag in een openbaar bericht op diaspora* met de %{question} hashtag" + get_support_a_irc: "Doe mee op %{irc} (live chat)" + get_support_a_tutorials: "Bekijk onze %{tutorials}" + get_support_a_website: "Bezoek onze %{link}" + get_support_a_wiki: "Zoek de %{link}" get_support_q: "Wat nou als mijn vraag niet wordt beantwoord in de FAQ? Waar kan ik dan ondersteuning krijgen?" getting_started_a: "Je hebt geluk. Probeer de %{tutorial_series} op onze projectsite. Daarin word je stap voor stap door het aanmeldingsproces meegenomen en krijg je de basiskennis om met diaspora* te kunnen werken." getting_started_q: "Help! Ik heb wat beginnersinstructies nodig om te beginnen!" @@ -408,10 +398,14 @@ nl: irc: "IRC" keyboard_shortcuts: keyboard_shortcuts_a1: "In de Stream kun je de volgende sneltoetsen gebruiken:" - keyboard_shortcuts_li1: "j - ga naar het volgende bericht" - keyboard_shortcuts_li2: "k - ga naar het vorige bericht" - keyboard_shortcuts_li3: "c - reageer op het huidige bericht" - keyboard_shortcuts_li4: "l - vind het huidige bericht leuk" + keyboard_shortcuts_li1: "j - Ga naar het volgende bericht" + keyboard_shortcuts_li2: "k - Ga naar het vorige bericht" + keyboard_shortcuts_li3: "c - Reageer op het huidige bericht" + keyboard_shortcuts_li4: "l - Vind het huidige bericht leuk" + keyboard_shortcuts_li5: "r - Het huidige bericht doorgeven" + keyboard_shortcuts_li6: "m - Het huidige bericht uitbreiden" + keyboard_shortcuts_li7: "o - De eerste link in het huidige bericht openen" + keyboard_shortcuts_li8: "ctrl + enter - Verstuur het bericht dat je schreef" keyboard_shortcuts_q: "Welke sneltoetsen kunnen worden gebruikt?" title: "Sneltoetsen" markdown: "Opmaak" @@ -426,16 +420,13 @@ nl: what_is_a_mention_a: "Een vermelding is een link naar iemands profielpagina in een bericht. Als iemand in een bericht wordt vermeld, dan ontvangt die persoon een melding met een verwijzing naar dat bericht." what_is_a_mention_q: "Wat is een \"vermelding\"?" miscellaneous: - back_to_top_a: "Ja. Klik op de grijze pijl die rechtsonder in het browservenster verschijnt." + back_to_top_a: "Ja. Na het omlaag scrollen klik je op de grijze pijl rechtsonder in het browservenster." back_to_top_q: "Kun ik snel naar de bovenkaant van de pagina gaan, als ik een eind naar beneden gegaan ben?" - diaspora_app_a: |- - Er zijn verschillende Android apps in ontwikkeling. Sommige oudere pogingen werken niet met de huidige versie van diaspora*. Verwacht op dit moment niet te veel van deze apps. - De beste manier om nu met je smartphone gebruik te kunnen maken van diaspora* is met een gewone browser, omdat we een mobiele versie van diaspora* hebben ontwikkeld die op alle apparaten moet werken. - Er is op dit moment geen iOS app. Maar ook op dat platform kun je het beste je browser gebruiken. + diaspora_app_a: "Er zijn verschillende Android apps in ontwikkeling. Sommige oudere pogingen werken niet met de huidige versie van diaspora*. Verwacht op dit moment niet te veel van deze apps. Er is op dit moment geen iOS app. De beste manier om nu met je smartphone gebruik te kunnen maken van diaspora* is met een gewone browser, omdat we een mobiele versie van diaspora* hebben ontwikkeld die op alle apparaten moet werken, hoewel die versie nu nog niet alle functionaliteit bezit." diaspora_app_q: "Bestaat er een diaspora* app voor Android of iOS?" - photo_albums_a: "Nee, momenteel niet. Maar je kunt wel een stream van geüploade afbeeldingen in de fotosectie in het menu van profielpagina's zien." + photo_albums_a: "Nee, momenteel niet. Maar je kunt wel de door iemans geüploade afbeeldingen zien onder de Foto's tab in hun profielpagina's." photo_albums_q: "Zijn er foto- of videoalbums?" - subscribe_feed_a: "Ja, maar dit is nog niet heel mooi opgelost en de opmaak van de berichten is nog ongepolijst. Als je het wilt proberen, dan ga je naar iemands profielpagina en klik je op de 'feed' knop, of je kopieert de profiel URL (bijv. https://joindiaspora.com/people/somenumber) en plakt die in een feed reader. Het adres lijkt dan op https://joindiaspora.com/public/username.atom. diaspora* gebruikt geen RSS, maar wel Atom." + subscribe_feed_a: "Ja, maar dit is nog niet heel mooi opgelost en de opmaak van de berichten is nog ongepolijst. Als je het wilt proberen, dan ga je naar iemands profielpagina en klik je op de 'feed' knop, of je kopieert de profiel URL (bijv. https://joindiaspora.com/people/eennummer) en plakt die in een feed reader. Het adres van de feed lijkt dan op https://joindiaspora.com/public/username.atom. diaspora* gebruikt geen RSS, maar wel Atom." subscribe_feed_q: "Kan ik mezelf op iemands openbare berichten abonneren om die in een feed reader te volgen?" title: "Diverse" pods: @@ -444,29 +435,34 @@ nl: title: "Pods" use_search_box_a: "Als je de volledige diaspora* ID kent (bijvoorbeeld gebruikersnaam@podnaam.org), dan kun je die persoon vinden door naar die ID te zoeken. Als je iemand op je eigen pod zoekt, dan hoef je alleen naar de gebruikersnaam te zoeken. Alternatief is om te zoeken naar de profielnaam (de naam die je op het scherm ziet). Als een zoekopdracht geen resultaat toont, probeer het dan nog een keer." use_search_box_q: "Hoe gebruik ik de zoekoptie om iemand te vinden?" - what_is_a_pod_a: "Een pod is een server die de diaspora* software draait en die is verbonden met het diaspora* netwerk. \"Pod\" is een metafoor die verwijst naar de pods (zaadbol) op een plant en die de zaden bevat, net zoals een server een aantal accounts bevat. Er zijn verschillende soorten pods. Je kunt vrienden van andere pods toevoegen aan jouw netwerk en met hen communiceren. Een diaspora* pod lijkt wel een beetje op een e-mailprovider: er zijn publieke pods, besloten pods en met enige moeite kun je ook je eigen pod draaien." + what_is_a_pod_a: "Een pod is een server die de diaspora* software draait en die is verbonden met het diaspora* netwerk. \"Pod\" is een metafoor die verwijst naar de pods (zaadbol) op een plant en die de zaden bevat, net zoals een server een aantal accounts bevat. Er zijn verschillende soorten pods. Je kunt vrienden van andere pods toevoegen aan jouw netwerk en met hen communiceren. Je hoeft niet op een andere pod ook een account te hebbe! Een is genoeg. Een diaspora* pod lijkt zo wel een beetje op een e-mailprovider. Er zijn publieke pods, besloten pods en met enige moeite kun je ook je eigen pod draaien." what_is_a_pod_q: "Wat is een pod?" posts_and_posting: - char_limit_services_a: "In dat geval wordt je bericht beperkt tot het kleinere aantal (140 in geval van Twitter, 1000 bij Tumblr) en het resterende aantal tekens wordt getoond als het pictogram van de betreffende dienst oplicht. Je kunt wel langere berichten delen, maar de tekst wordt voor die diensten ingekort." - char_limit_services_q: "Wat is het maximum aantal tekens voor delen van berichten met diensten die een kleiner maximum aantal hanteren?" + char_limit_services_a: "In dat geval wordt je bericht beperkt tot het kleinere aantal (140 in geval van Twitter, 1000 bij Tumblr) en het resterende aantal tekens wordt getoond als het pictogram van de betreffende dienst oplicht. Je kunt wel langere berichten delen, maar de tekst wordt voor die diensten ingekort en aangevuld met een link naar het bericht op diaspora*." + char_limit_services_q: "Wat gebeurt er als ik mijn bericht wil delen met diensten die een kleiner maximum aantal tekens hanteren?" character_limit_a: "65.535 tekens. Dat is 65.395 meer dan bij Twtter! ;)" character_limit_q: "Wat is het maximale aantal tekens per bericht?" - embed_multimedia_a: |- - Je kunt gewoon de URL (bijv. http://www.youtube.com/watch?v=nnnnnnnnn) in een bericht plakken en de video of audio wordt automatisch ingebed. - Sites de worden ondersteund zijn bijvoorbeeld YouTube, Vimeo, SoundCloud, Flickr en nog een paar. diaspora* gebruikt oEmbed voor deze mogelijkheden. We blijven nieuwe formaten toevoegen. - Let erop om altijd de enkelvoudige, niet verkorte links te plaatsen. Zet ook geen andere commando's achter de URL en heb even geduld voordat je de pagina ververst om een voorbeeld te zien. + embed_multimedia_a: "Je kunt gewoon de URL (bijv. http://www.youtube.com/watch?v=nnnnnnnnn) in een bericht plakken en de video of audio wordt automatisch ingebed. Sites die worden ondersteund zijn bijvoorbeeld YouTube, Vimeo, SoundCloud, Flickr en nog een paar. diaspora* gebruikt oEmbed voor deze mogelijkheid. We blijven nieuwe formaten toevoegen. Let erop om altijd de enkelvoudige, volledige, niet verkorte links te plaatsen. Zet ook geen andere commando's achter de URL en heb even geduld voordat je de pagina ververst om een voorbeeld te zien." embed_multimedia_q: "Hoe plaats ik video-, audio- of multimediabestanden in een bericht?" format_text_a: "Je kunt een eenvoudige methode gebruiken die %{markdown} heet. Je vindt de volledige syntax %{here}. De voorbeeld-knop is handig, want daardoor kun je zien hoe het bericht eruit gaat zien als je het later plaatst." format_text_q: "Hoe kan ik de tekst in mij berichten opmaken (vet, schuin etc.)?" hide_posts_a: "Als je met de muis aan de bovenkant van een bericht staat, verschijnt er een X rechts ervan. Klik daarop om het bericht te verbergen en om notificaties erover te onderdrukken. Je kunt het bericht nog wel zien op de profielpagina van de persoon die het geplaatst had." - hide_posts_q: "Hoe verberg ik een bericht? Hoe voorkom ik notificaties over bericht waarop ik heb gereageerd?" + hide_posts_q: "Hoe verberg ik een bericht?" image_text: "afbeeldingstekst" image_url: "afbeeldingsURL" insert_images_a: "Klik op het kleine camera-pictogram om een afbeelding op te nemen. Je kunt nog een keer op de camera klikken om nog een afbeelding op te nemen, of je kunt verschillende afbeeldingen in één keer selecteren om te uploaden." - insert_images_comments_a1: "De volgende Markdown code" + insert_images_comments_a1: "Je kunt geen afbeeldingen toevoegen aan reacties, maar de volgende Markdown code" insert_images_comments_a2: "kan worden gebruikt om afbeeldingen van het internet in reacties en berichten op te nemen." insert_images_comments_q: "Kan ik afbeeldingen plaatsen in reacties?" insert_images_q: "Hoe plaats ik een afbeelding in een bericht?" + post_location_a: "Klik op het punaise pictogram naast de camaera in het invoerveld. Hiermee voeg je de locatie via OpenStreetMap toe. Je kunt de locatie wijzigen, want misschien wil je liever alleen de plaatsnaam in plaats van het hele adres opgeven." + post_location_q: "Hoe voeg ik mijn locatie toe aan een bericht?" + post_notification_a: "Je ziet een pictogram van een bel naast de X rechtsboven een bericht. Klik erop om meldingen erover in- of uit te schakelen." + post_notification_q: "Hoe krijg ik meldingen, of stop ik het ontvangen van meldingen, over een bericht?" + post_poll_a: "Klik op het grafiekenpictogram om een peiling te maken. Voer een vraag in en tenminste twee antwoorden. Vergeet niet om je peiling openbaar te maken als je iedereen mee wilt laten stemmen." + post_poll_q: "Hoe voeg ik een peiling toe aan een bericht?" + post_report_a: "Klik op het waarschuwingsdriehoekje rechtsboven het bericht om het te rapporteren aan je podmin. Geef in het tekstveld de reden op waarvoor je het meldt." + post_report_q: "Hoe meld ik een aanstootgevend bericht?" size_of_images_a: "Nee. Afbeeldingen worden automatisch geschaald om te passen binnen de Stream. Markdown heeft geen code om de afmetingen te bepalen." size_of_images_q: "Kan ik de afmetingen van afbeeldingen in reacties of berichten aanpassen?" stream_full_of_posts_a1: "Je stream bestaat uit drie soorten berichten:" @@ -478,82 +474,85 @@ nl: stream_full_of_posts_q: "Waarom staat mijn stream vol met berichten van mensen die ik niet ken en met wie ik niet deel?" title: "Berichten en publiceren" private_posts: - can_comment_a: "Alleen de in diaspora* ingelogde gebruikers die jij in dat aspect hebt geplaatst, kunnen jouw privébericht leuk vinden of erop reageren." + can_comment_a: "Alleen de in diaspora* ingelogde gebruikers die jij in dat aspect hebt zitten voordat jey het besloten bericht plaatste, kunnen het bericht leuk vinden of erop reageren." can_comment_q: "Wie kan reageren op mijn privébericht, of dat leuk vinden?" - can_reshare_a: "Niemand. Privéberichten zijn niet te delen. Ingelogde diaspora* gebruikers die jij in dat aspect hebt geplaatst, kunnen het bericht wel zien en dus kopiëren en ergens inplakken." + can_reshare_a: "Niemand. Besloten berichten zijn niet te delen. Ingelogde diaspora* gebruikers die jij in dat aspect hebt geplaatst, kunnen het bericht wel zien en dus kopiëren en ergens inplakken, Maar jij moet besluiten om die mensen te vertrouwen." can_reshare_q: "Wie kan mijn privébericht doorgeven?" see_comment_a: "Alleen de mensen met wie dat bericht werd gedeeld (dus de mensen die de berichtplaatser in een aspect heeft geplaatst) kunnen reacties zien en zien dat wie het leuk vond. " see_comment_q: "Als ik een privébericht leuk vind of erop reageer, wie kan dat zien?" title: "Privéberichten" - who_sees_post_a: "Alleen de in diaspora* ingelogde gebruikers die jij in dat aspect hebt geplaatst, kunnen jouw privébericht zien." + who_sees_post_a: "Alleen de in diaspora* ingelogde gebruikers die jij in dat aspect hebt zitten voordat je het besloten bericht plaatste, kunnen het zien." who_sees_post_q: "Als ik een bericht plaats voor een aspect (bijvoorbeeld een privébericht), wie kan dat dan zien?" private_profiles: title: "Privéprofielen" - whats_in_profile_a: "Biografie, locatie, geslacht en geboortedatum. De zaken onderaan de profielpagina. Al deze informatie is optioneel, je bepaalt zelf wat je invult. Ingelogde gebruikers die je in een van je aspecten hebt geplaatst, zijn de enige personen die je privéprofiel kunnen zien. Ze zien ook de privéberichten die je plaatst voor de aspecten waar ze lid van zijn, samen met je openbare berichten als ze jouw profielpagina bezoeken." + whats_in_profile_a: "Je privé profielpagina bevat je biografie, locatie, geslacht en geboortedatum als je dat hebt ingevuld.Al deze informatie is optioneel, je bepaalt zelf wat je invult. Ingelogde gebruikers die je in een van je aspecten hebt geplaatst, zijn de enige personen die je privéprofiel kunnen zien. Ze zien ook de besloten berichten die je plaatst voor de aspecten waar ze lid van zijn, samen met je openbare berichten als ze jouw profielpagina bezoeken." whats_in_profile_q: "Wat staat er in mijn privéprofiel?" who_sees_profile_a: "Iedere ingelogde gebruiker met wie jij deelt (oftewel die jij in een aspect hebt geplaatst) kan het zien. Maar mensen die jou volgen, terwijl jij ze niet volgt, zien alleen je openbare informatie." who_sees_profile_q: "Wie kan mijn privéprofiel zien?" - who_sees_updates_a: "Iedereen in jouw aspecten kan de wijzigingen van je privé profiel zien. " - who_sees_updates_q: "Wie ziet de wijzigingen van mijn privé profiel?" + who_sees_updates_a: "Iedereen in jouw aspecten kan de wijzigingen van je privéprofiel zien. " + who_sees_updates_q: "Wie ziet de wijzigingen van mijn privéprofiel?" public_posts: can_comment_reshare_like_a: "Iedere in diaspora* ingelogde gebruiker kan op je openbare berichten reageren, ze leuk vinden of ze doorgeven." can_comment_reshare_like_q: "Wie kan reageren op mijn openbare berichten, ze leuk vinden of ze doorgeven?" - deselect_aspect_posting_a: "Ook als je aspecten deseleteert, blijft een openbaar bericht openbaar. Het verschijnt nog steeds in de stream van al je contacten. Om een bericht alleen zichtbaar te laten zijn voor bepaalde aspecten, moet je die aspecten selecteren via de knop onder het tekstinvoerveld." - deselect_aspect_posting_q: "Wat gebeurt er als ik een of meer aspecten delectereer als ik een openbaar bericht plaats?" - find_public_post_a: "Je openbare berichten verschijnen in de stream van iedereen die jou volgt, Als je ook #tags in je openbare bericht opneemt, dan krijgt ook iedereen die die tags volgt jouw berichten in hun stream. Ieder openbaar bericht heeft ook een unieke specifieke URL, die iedereen kan zien, ook mensen die niet zijn ingelogd. Naar openbare berichten kan dus gelikt worden vanaf Twitter, blogs etc. Openbare berichten kunnen ook worden geïndexeerd door zoekmachines," - find_public_post_q: "Hoe kunnen andere mensen mij openbare berichten vinden?" - see_comment_reshare_like_a: "Iedere in diaspora* ingelogde gebruiker, maar ook iedereen op het internet. Reacties, het leuk vinden en het delen van openbare berichten zijn ook openbaar." - see_comment_reshare_like_q: "Als ik reageer op een openbaar bericht, het leuk vindt of het doorgeeft, wie ziet dat dan?" + deselect_aspect_posting_a: "Ook als je aspecten deselecteert, blijft een openbaar bericht openbaar. Het verschijnt nog steeds in de stream van al je contacten. Om een bericht alleen zichtbaar te laten zijn voor bepaalde aspecten, moet je die aspecten selecteren via de knop onder het tekstinvoerveld." + deselect_aspect_posting_q: "Wat gebeurt er als ik een of meer aspecten deselecteer als ik een openbaar bericht plaats?" + find_public_post_a: "Je openbare berichten verschijnen in de stream van iedereen die jou volgt, Als je ook #hashtags in je openbare bericht opneemt, dan krijgt ook iedereen die die tags volgt jouw berichten in hun stream. Ieder openbaar bericht heeft ook een unieke specifieke URL, die iedereen kan zien, ook mensen die niet zijn ingelogd. Naar openbare berichten kan dus gelinkt worden vanaf Twitter, blogs etc. Openbare berichten kunnen ook worden geïndexeerd door zoekmachines," + find_public_post_q: "Hoe kunnen andere mensen mijn openbare berichten vinden?" + see_comment_reshare_like_a: "Reacties, leuk vinden en het delen van openbare berichten zijn ook openbaar zichtbaar. Iedere in diaspora* ingelogde gebruiker, maar ook iedereen op het internet kan jouw interacties op openbare berichten zien." + see_comment_reshare_like_q: "Als ik reageer op een openbaar bericht, het leuk vind of het doorgeef, wie ziet dat dan?" title: "Openbare berichten" - who_sees_post_a: "In beginsel kan iedereen op het internet je berichten lezen als je ze als openbaar markeert. Dus let wel even op als je openbare berichten plaatst. Het een heel mooie manier om de wereld te informeren." + who_sees_post_a: "In beginsel kan iedereen op het internet je berichten lezen als je ze als openbaar markeert. Dus let wel even op als je openbare berichten plaatst. Het is een heel mooie manier om de wereld te informeren." who_sees_post_q: "Wie kan mijn openbare berichten zien?" public_profiles: title: "Openbare profielen" what_do_tags_do_a: "Ze helpen om mensen jou te leren kennen. Je profielfoto verschijnt ook links op de tagpagina's, samen met die van andere personen die die tag in hun openbare profiel hebben opgenomen." what_do_tags_do_q: "Wat is het nut van de tags op mijn openbare profielpagina?" - whats_in_profile_a: "Je naam, vijf tags die je zelf kiest en je profielfoto. Het zijn de zaken bovenaan je profielpagina, Je kunt de informatie zo identificeerbaar of zo anoniem maken als je zelf wilt. Je profielpagina toont ook al je openbare berichten." + whats_in_profile_a: "Je openbare profiel bevat je naam, vijf tags die je zelf kiest en je profielfoto, als je dat hebt opgegeven, alles is optioneel - je bepaalt zelf wat je op wilt geven. Je kunt de informatie zo identificeerbaar of zo anoniem maken als je zelf wilt. Je profielpagina toont ook al je openbare berichten." whats_in_profile_q: "Wat staat er in mijn openbare profiel?" - who_sees_profile_a: "Iedere ingelogde diaspora* gebruiker, maar eigenlijk iedereen op het internet, kan je openbare profiel zien. Elk profiel heeft een direct URL, waardoor ernaar gelinkt kan worden vanaf externe sites. Oo zoekmachines zouden het kunnen indexeren." + who_sees_profile_a: "Iedere ingelogde diaspora* gebruiker, maar eigenlijk iedereen op het internet, kan je openbare profiel zien. Elk profiel heeft een direct URL, waardoor ernaar gelinkt kan worden vanaf externe sites. Ook zoekmachines zouden het kunnen indexeren." who_sees_profile_q: "Wie kan mijn openbare profiel zien?" who_sees_updates_a: "Iedereen kan de wijzigingen zien als ze je profielpagina bezoeken." who_sees_updates_q: "Wie ziet de wijzigingen aan mijn openbare profiel?" resharing_posts: - reshare_private_post_aspects_a: "Nee, je kunt een privébericht niet doorgeven. Dat kan niet omdat we de intenties van de originele plaatser, die het alleen met bepaalde groepen wilde delen, respecteren." - reshare_private_post_aspects_q: "Kan ik een privébericht delen met specifieke aspecten?" - reshare_public_post_aspects_a: "Nee. Als je een openbaar bericht doorgeeft, wordt het automatisch een van jouw openbare berichten. Om het alleen met bepaalde aspecten te delen, moet je de inhoud kopiëren en in een nieuw bericht plakken." + reshare_private_post_aspects_a: "Nee, je kunt een besloten bericht niet doorgeven. Dat kan niet omdat we de intenties van de originele plaatser, die het alleen met bepaalde groepen wilde delen, respecteren." + reshare_private_post_aspects_q: "Kan ik een besloten bericht delen met specifieke aspecten?" + reshare_public_post_aspects_a: "Nee. Als je een openbaar bericht doorgeeft, wordt het automatisch een van jouw openbare berichten. Om het alleen met bepaalde aspecten te delen, moet je de inhoud kopiëren en in een nieuw, besloten bericht plakken." reshare_public_post_aspects_q: "Kan ik openbare berichten doorgeven naar alleen bepaalde aspecten?" title: "Berichten doorgeven" sharing: add_to_aspect_a1: "Laten we zeggen dat Amy Ben toevoegt aan een aspect, maar dat Ben Amy (nog) niet een aan aspect heeft toegevoegd." - add_to_aspect_a2: "Dit heet asymmetrisch delen. Als Ben Amy ook aan een aspect toevoegd, dan heet dat samen delen, waarbij Ben en Amy allebei de openbare berichten en de relevante privéberichten in hun stream zien. " + add_to_aspect_a2: "Dit heet asymmetrisch delen. Als Ben Amy ook aan een aspect toevoegt, dan heet dat samen delen, waarbij Ben en Amy allebei de openbare berichten en de relevante besloten berichten in hun stream zien en Amy zou ook Ben's privéprofiel kunnen zien. Ze kunnen elkaar ook privéberichten sturen." add_to_aspect_li1: "Ben ontvangt dan een melding dat Amy is begonnen met hem te delen." add_to_aspect_li2: "Amy zal vanaf dat moment de openbare berichten van Ben in haar stream zien verschijnen." - add_to_aspect_li3: "Amy ziet geen van de privéberichten in haar stream." + add_to_aspect_li3: "Amy ziet geen van de privéberichten van Ben in haar stream." add_to_aspect_li4: "Ben ziet geen van Amy's openbare of privéberichten in zijn stream." - add_to_aspect_li5: "Maar als Ben naar Amy's profielpagina gaat, dan ziet zijn Amy's privéberichten die ze plaatst in de aspecten waar ze Ben in heeft geplaatst, maar ook de openbare berichten, die iedereen op haar openbare profielpagina kan zien." + add_to_aspect_li5: "Maar als Ben naar Amy's profielpagina gaat, dan ziet hij Amy's besloten berichten die ze plaatste in de aspecten waar ze Ben in heeft geplaatst (en ook de openbare berichten, die iedereen op haar openbare profielpagina kan zien)." add_to_aspect_li6: "Ben kan ook Amy's privéprofiel zien (bio, locatie, geslacht en geboortedatum)." - add_to_aspect_li7: "Amy verschijnt onder \"Deel alleen met mij\" op Ben's contactenpagina." - add_to_aspect_q: "Wat gebeurt er als ik iemand toevoeg aan een van mijn aspecten? Of als iemand mij een een van zijn/haar aspecten toevoegt?" - list_not_sharing_a: "Nee, maar je kunt zien of iemand met jou deelt door hun profielpagina te bezoeken. Als ze jou in een aspect hebben opgenomen, is het balkje onder hun profielfoto groen. Zo niet, dan is de balk grijs. Je krijgt een melding als iemand met jou begint te delen." + add_to_aspect_li7: "Amy verschijnt onder \"Deelt alleen met mij\" op Ben's contactenpagina." + add_to_aspect_li8: "Amy zal ook Ben in een bericht kunnen @vermelden." + add_to_aspect_q: "Wat gebeurt er als ik iemand toevoeg aan een van mijn aspecten of als iemand mij een een van zijn/haar aspecten toevoegt?" + list_not_sharing_a: "Nee, maar je kunt zien of iemand met jou deelt door hun profielpagina te bezoeken. Als ze jou in een aspect hebben opgenomen, is het knopje met de aspecten waarin je ze hebt geplaatst groen. Zo niet, dan is de knop grijs.." list_not_sharing_q: "Is er een overzicht van mensen die ik aan een aspect heb toegevoegd, maar die mij niet in een aspect hebben staan?" - only_sharing_a: "Dat zijn mensen die jou aan een van hun aspecten hebben toegevoegd, maar die (nog) niet een een van jouw aspecten zitten. Met andere woorden: zijn delen wel met jou, maar je deelt niet met hen (asymmetrisch delen). Als je ze aan een aspect toevoegt, verschijnen ze voortaan onder dat aspect. Zie verder boven bij 'delen'." + only_sharing_a: "Dat zijn mensen die jou aan een van hun aspecten hebben toegevoegd, maar die (nog) niet in een van jouw aspecten zitten. Met andere woorden: zij delen wel met jou, maar je deelt niet met hen (asymmetrisch delen): je zou kunnen zeggen dat ze jou volgen. Als je ze aan een aspect toevoegt, verschijnen ze voortaan onder dat aspect en niet meer onder \"Delen alleen met mij\". Zie hierboven." only_sharing_q: "Wie zijn de mensen die staan onder \"Delen alleen met mij\" op mijn contactenpagina?" see_old_posts_a: "Nee, ze zien alleen je berichten voor dat aspect vanaf dat moment. Zij (en ieder ander natuurlijk) kunnen wel je eerdere openbare berichten op jouw profielpagina zien en die kunnen ze ook in hun eigen stream zien." see_old_posts_q: "Als ik iemand aan een aspect toevoeg, kan die persoon dan de berichten zien die ik eerder voor dat aspect heb geplaatst?" + sharing_notification_a: "Je krijgt ook een melding als iemand met jou begint te delen." + sharing_notification_q: "Hoe weet ik of iemand begint om met mij te delen?" title: "Delen" tags: filter_tags_a: "Dit kan niet niet in diaspora* zelf, maar sommige %{third_party_tools} kunnen dat wel voor je regelen." filter_tags_q: "Hoe kan ik tags uit mijn stream filteren/uitsluiten?" - followed_tags_a: "Nadat je een tag gezocht hebt (met #naamvandetag), kun je op de \"Volg #tag\" knop bovenaan in het scherm drukken. Die tag verschijnt dan ik de lijst met gevolgde tags links in het scherm. Als je op een van de tags klikt, verschijnt de tagpagina met de berichten waar die tag in staat. Klik op \"#Gevolgde Tags\" om een stream te zien met alle berichten waarin een van de door jou gevolgde tags staat. " + followed_tags_a: "Nadat je een tag gezocht hebt (met #naamvandetag), kun je op de \"Volg #tag\" knop bovenaan in het scherm drukken. Die tag verschijnt dan in de lijst met gevolgde tags links in het scherm. Als je op een van de tags klikt, verschijnt de tagpagina met de recente berichten met die tag. Klik op \"#Gevolgde Tags\" om een stream te zien met alle berichten met een van de door jou gevolgde tags." followed_tags_q: "Wat zijn de \"#Gevolgde Tags\" en hoe volg ik een tag?" people_tag_page_a: "Dat zijn de mensen die deze tag in hun openbare profielpagina hebben opgenomen." people_tag_page_q: "Wie zijn de mensen die links op de tagpagina staan vermeld?" tags_in_comments_a: "Een tag in een reactie verschijnt wel als een link naar de tags pagina, maar laat het bericht of de reactie niet zien op de tag pagina. Dat werkt alleen voor berichten." tags_in_comments_q: "Kan ik tags in reacties plaatsen, of alleen in berichten?" title: "Tags" - what_are_tags_for_a: "Tags gebruik je om berichten te categoriseren, meestal per onderwerp. Als je zoekt op tags, dan zie alles berichten die met die tag zijn geplaatst (zowel openbare als besloten). Dit laat mensen die geïnteresseerd zijn in een bepaald onderwerp de openbare berichten erover makkelijk vinden." + what_are_tags_for_a: "Tags gebruik je om berichten te categoriseren, meestal per onderwerp. Als je zoekt op tags, dan zie alle berichten die met die tag zijn geplaatst (zowel openbare als besloten) als je ze mag zien. Dit laat mensen die geïnteresseerd zijn in een bepaald onderwerp de openbare berichten erover makkelijk vinden." what_are_tags_for_q: "Waar gebruik je tags voor?" - third_party_tools: "tools van derde partijen" + third_party_tools: "Tools van derde partijen" title_header: "Hulp" tutorial: "instructie" tutorials: "instructies" @@ -600,18 +599,18 @@ nl: layouts: application: back_to_top: "Terug naar top" - powered_by: "POWERED BY DIASPORA*" + powered_by: "Powered by diaspora*" public_feed: "Publieke diaspora* kanaal van %{name}" - source_package: "download het broncode pakket" - toggle: "switch mobiele versie" - whats_new: "wat is nieuw op Diaspora?" - your_aspects: "jouw aspecten" + source_package: "Download het broncode pakket" + toggle: "Switch mobiele versie" + whats_new: "Wat is nieuw op Diaspora?" + your_aspects: "Jouw aspecten" header: - admin: "beheer" - blog: "blog" - code: "code" + admin: "Beheer" + blog: "Blog" + code: "Code" help: "Help" - login: "inloggen" + login: "Inloggen" logout: "Uitloggen" profile: "Profiel" recent_notifications: "Recente notificaties" @@ -620,32 +619,26 @@ nl: likes: likes: people_dislike_this: - few: "%{count} mensen vinden dit niet leuk" - many: "%{count} mensen vinden dit niet leuk" one: "%{count} persoon vindt dit niet leuk" other: "%{count} mensen vinden dit niet leuk" - two: "%{count} niet leuk" - zero: "niemand vindt dit niet leuk" + zero: "Niemand vindt dit niet leuk" people_like_this: - few: "%{count} mensen vinden dit leuk" - many: "%{count} mensen vinden dit leuk" one: "%{count} persoon vindt dit leuk" other: "%{count} mensen vinden dit leuk" - two: "%{count} leuk" - zero: "niemand vindt dit leuk" + zero: "Niemand vindt dit leuk" people_like_this_comment: one: "%{count} persoon vindt dit leuk" other: "%{count} mensen vinden dit leuk" - zero: "niemand vindt dit leuk" + zero: "Niemand vindt dit leuk" limited: "Beperkt" more: "Meer" - next: "volgende" + next: "Volgende" no_results: "Geen resultaten gevonden" notifications: also_commented: - one: "%{actors} heeft ook op %{post_author} zijn %{post_link} gereageerd." - other: "%{actors} hebben ook op %{post_author} zijn %{post_link} gereageerd." - zero: "%{actors} heeft ook op %{post_author} zijn %{post_link} gereageerd." + one: "%{actors} heeft ook op %{post_author}'s %{post_link} gereageerd." + other: "%{actors} hebben ook op %{post_author}'s %{post_link} gereageerd." + zero: "%{actors} heeft ook op %{post_author}'s %{post_link} gereageerd." also_commented_deleted: few: "%{actors} hebben gereageerd op een verwijderd bericht." many: "%{actors} heeft gereageerd op een verwijderde post." @@ -683,10 +676,11 @@ nl: mark_read: "Markeren als gelezen" mark_unread: "Markeer ongelezen" mentioned: "Vermeld" + no_notifications: "Je hebt nog geen meldingen." notifications: "Notificaties" reshared: "Doorgegeven" - show_all: "toon alles" - show_unread: "toon ongelezen" + show_all: "Toon alles" + show_unread: "Toon ongelezen" started_sharing: "Begon te delen" liked: one: "%{actors} vindt jouw %{post_link} leuk." @@ -724,22 +718,63 @@ nl: other: "%{actors} hebben jouw verwijderde bericht doorgegeven." zero: "%{actors} hebben jouw verwijderde bericht doorgegeven." started_sharing: - few: "%{actors} delen nu met jou." - many: "%{actors} delen nu met jou." one: "%{actors} deelt nu met jou." other: "%{actors} delen nu met jou." - two: "%{actors} zijn met je gaan delen." - zero: "%{actors} deelt nu met jou." + zero: "%{actors} delen nu met jou." notifier: + a_limited_post_comment: "Er is een nieuwe reactie op een besloten bericht in diaspora* dat je even moet beoordelen." a_post_you_shared: "een bericht." - accept_invite: "Accepteer jouw diaspora* uitnodiging!" - click_here: "klik hier" + a_private_message: "Er is een nieuw privébericht voor jou in diaspora*." + accept_invite: "Accepteer je diaspora* uitnodiging!" + click_here: "Klik hier" comment_on_post: reply: "Reageer of bekijk %{name}'s bericht >" confirm_email: click_link: "Om je nieuwe e-mailadres te activeren %{unconfirmed_email}, klik op deze link:" subject: "Activeer je nieuwe e-mailadres alstublieft %{unconfirmed_email}" email_sent_by_diaspora: "Deze mail is gestuurd door %{pod_name}. Als je dit soort e-mail's niet meer wilt ontvangen," + export_email: + body: |- + Hallo %{name}, + + Je gegevens zijn verwerkt en staan klaar. Je kunt ze downloaden door het volgen van [deze link](%{url}). + + Groetjes, + + De diaspora* e-mailrobot! + subject: "Je persoonlijke gegevens staan klaar voor downloaden, %{name}" + export_failure_email: + body: |- + Hallo %{name} + + we constateerden een probleempje bij het verwerken van de persoonlijke gegevens die je wilt downloaden. + Probeer het opnieuw! + + Excuus, + + De diaspora* e-mailrobot! + subject: "Onze excuses, er was een probleempje met je gegevens, %{name}" + export_photos_email: + body: |- + Hallo, %{name} + + Je foto's zijn verwerkt en staan klaar voor downloaden via [deze link] (%{url}) + + Groeten, + + De diaspora* e-mailrobot! + subject: "Je foto's staan klaar voor downloaden, %{name}" + export_photos_failure_email: + body: |- + Hallo %{name} + + er trad een fout op bij het klaarzetten van je foto's voor downloaden. + Probeer het opnieuw! + + Sorry, + + De diaspora* e-mailrobot! + subject: "Er was een probleempje met je fofo's, %{name}" hello: "Hoi %{name}!" invite: message: |- @@ -765,6 +800,22 @@ nl: subject: "%{name} heeft jou vermeld op diaspora*" private_message: reply_to_or_view: "Reageer op of bekijk dit privégesprek >" + remove_old_user: + body: |- + Hallo, + + het lijkt erop dat je je account op %{pod_url} niet meer nodig hebt, omdat je het meer dan %{after_days} dagen niet hebt gebruikt. Om onze actieve gebruikers goede prestaties van de server te geven, willen we ongebruikte accounts verwijderen uit de database. + + We zouden je graag als lid van deze diaspora* gemeenschap willen behouden, dus je kunt je account wel houden als je dat wilt. + + Als je je account wilt aanhouden, log dan in vóór %{remove_after}. En kijk daarna gerust weer even rond in diaspora*. Er is veel veranderd sinds je hier de laatste keer bent geweest en we denken dat je de verbeteringen wel leuk vindt. Volg wat #hashtags om voor jou relevante content te vinden. + + Log hier in: %{login_url}. Als je je inloggegevens kwijt bent, vraag ze dan op vanaf die pagina. + + Hopelijk tot ziens, + + De diaspora* e-mailrobot! + subject: "Je diaspora* account is gemarkeerd voor verwijdering wegens inactiviteit" report_email: body: |- Hallo, @@ -804,10 +855,9 @@ nl: add_contact: invited_by: "Je bent uitgenodigd door" add_contact_small: - add_contact_from_tag: "contact toevoegen van tag" + add_contact_from_tag: "Contact toevoegen van tag" aspect_list: - edit_membership: "bewerk aspect lidmaatschap" - few: "%{count} personen" + edit_membership: "Bewerken aspect lidmaatschap" helper: is_not_sharing: "%{name} deelt niet met jou" is_sharing: "%{name} deelt met jou" @@ -819,13 +869,12 @@ nl: no_results: "Heey! Je moet wel ergens naar zoeken." results_for: "zoekresultaten voor %{search_term}" search_handle: "Gebruik hun diaspora* ID (gebruikersnaam@pod.tld) om je vrienden te vinden." - searching: "zoeken, even geduld..." + searching: "Zoeken, even geduld..." send_invite: "Nog steeds niets? Stuur een uitnodiging!" - many: "%{count} mensen" one: "1 persoon" other: "%{count} mensen" person: - add_contact: "voeg contact toe" + add_contact: "Voeg contact toe" already_connected: "Al verbonden" pending_request: "Openstaand verzoek" thats_you: "Dat ben jij!" @@ -834,10 +883,10 @@ nl: born: "geboortedatum" edit_my_profile: "Bewerk mijn profiel" gender: "geslacht" - in_aspects: "in de aspecten" + in_aspects: "In de aspecten" location: "locatie" photos: "Foto's" - remove_contact: "verwijder contact" + remove_contact: "Verwijder contact" remove_from: "Verwijder %{name} uit %{aspect}?" show: closed_account: "Deze account is gesloten." @@ -848,20 +897,19 @@ nl: mention: "Noemen" message: "Bericht" not_connected: "Je deelt niet met deze persoon" - recent_posts: "Recente Berichten" - recent_public_posts: "Recente Openbare Berichten" + recent_posts: "Recente berichten" + recent_public_posts: "Recente openbare berichten" return_to_aspects: "Ga terug naar je aspecten pagina" see_all: "Zie alles" - start_sharing: "start met delen" + start_sharing: "Start met delen" to_accept_or_ignore: "om te accepteren of te negeren." sub_header: - add_some: "voeg wat toe" - edit: "bewerk" - you_have_no_tags: "je hebt geen tags!" - two: "%{count} mensen" + add_some: "Voeg wat toe" + edit: "Bewerken" + you_have_no_tags: "Je hebt geen tags!" webfinger: fail: "Sorry, we konden %{handle} niet vinden." - zero: "niemand" + zero: "Niemand" photos: comment_email_subject: "%{name}'s foto" create: @@ -874,8 +922,8 @@ nl: editing: "Bewerken" new: back_to_list: "Terug naar de lijst" - new_photo: "Nieuwe Foto" - post_it: "plaats het!" + new_photo: "Nieuwe foto" + post_it: "Plaats het!" new_photo: empty: "{file} is leeg, selecteer de bestanden opnieuw zonder deze." invalid_ext: "{file} heeft een ongeldige extensie. Alleen {extensions} zijn toegestaan." @@ -884,15 +932,15 @@ nl: or_select_one_existing: "of selecteer een van je al bestaande %{photos}\n" upload: "Upload een nieuwe profielfoto!" photo: - view_all: "bekijk al %{name}'s foto's" + view_all: "Bekijk al %{name}'s foto's" show: - collection_permalink: "collectie permalink" - delete_photo: "Verwijder Foto" - edit: "bewerk" + collection_permalink: "Permalink collectie" + delete_photo: "Verwijderen foto" + edit: "Bewerken" edit_delete_photo: "Bewerk foto-omschrijving / verwijder foto" - make_profile_photo: "kies als profielfoto" + make_profile_photo: "Maak profielfoto" show_original_post: "Toon origineel bericht" - update_photo: "Update foto" + update_photo: "Bijwerken foto" update: error: "Foto veranderen niet gelukt." notice: "Foto succesvol veranderd." @@ -902,7 +950,7 @@ nl: show: destroy: "Verwijder" not_found: "Sorry, dat bericht konden we niet vinden." - permalink: "permalink" + permalink: "Permalink" photos_by: few: "%{count} foto's door %{author}" many: "%{count} foto's door %{author}" @@ -911,7 +959,7 @@ nl: two: "Twee foto's door %{author}" zero: "Geen foto's van %{author}" reshare_by: "Doorgegeven door %{author}" - previous: "vorige" + previous: "Vorige" privacy: "Privacy" privacy_policy: "Privacybeleid" profile: "Profiel" @@ -922,7 +970,7 @@ nl: first_name: "Voornaam" last_name: "Achternaam" nsfw_check: "Markeer al mijn berichten als NSFW" - nsfw_explanation: "NSFW ('not safe for work') is de standaard waarmee de diaspora* gemeenschap er zelf voor zorgt om mogelijk aanstootgevende berichten te markeren en af te schermen. Als je vaak mogelijk aanstootgevend materiaal plaatst, kun je het beste deze optie aankruisen, zodat de berichten niet in de stream van andere zichtbaar zijn, tenzij zij er zelf voor kiezen om de berichten wel te willen zien." + nsfw_explanation: "NSFW ('not safe for work') is de standaard waarmee de diaspora* gemeenschap er zelf voor zorgt om mogelijk aanstootgevende berichten te markeren en af te schermen. Als je vaak materiaal plaatst dat anderen aanstootgevend zouden kunnen vinden, kun je het beste deze optie in je profiel aankruisen, zodat de berichten niet in de stream van anderen zichtbaar zijn, tenzij zij er zelf voor kiezen om de berichten wel te willen zien." nsfw_explanation2: "Als je deze optie niet selecteert, voeg dan de tag #nsfw toe aan ieder mogelijk aanstootgevend bericht." update_profile: "Profiel bijwerken" your_bio: "Jouw bio" @@ -940,12 +988,9 @@ nl: updated: "Profiel bijgewerkt" public: "Openbaar" reactions: - few: "%{count} reacties" - many: "%{count} reacties" one: "1 reactie" other: "%{count} reacties" - two: "%{count} reactions" - zero: "0 reacties" + zero: "Geen reacties" registrations: closed: "Registratie op deze diaspora* pod is niet mogelijk." create: @@ -959,29 +1004,26 @@ nl: update: "Bijwerken" invalid_invite: "De uitnodigingslink die je gebruikt is niet langer geldig!" new: - continue: "Ga door" create_my_account: "Maak mijn account aan!" - diaspora: "<3 diaspora*" - email: "E-MAIL" + email: "E-mail" enter_email: "Vul een e-mailadres in" enter_password: "Vul een wachtwoord in (zes karakters minimaal)" enter_password_again: "Vul hetzelfde wachtwoord nogmaals in" enter_username: "Kies een gebruikersnaam (alleen letters, nummers, en underscores)" - hey_make: "HEEY,
MAAK
IETS" join_the_movement: "Sluit je aan!" - password: "WACHTWOORD" + password: "Wachtwoord" password_confirmation: "Wachtwoordbevestiging" - sign_up: "AANMELDEN" - sign_up_message: "Social Networking met een ♥" + sign_up: "Aanmelden" + sign_up_message: "Sociaal networken met een ♥" submitting: "Verwerken..." terms: "Door het aanmaken van een account accepteer je de %{terms_link}." terms_link: "gebruiksvoorwaarden" - username: "GEBRUIKER" + username: "Gebruiker" report: comment_label: "Reactie:%{data}" confirm_deletion: "Weet je zeker dat je het wilt verwijderen?" delete_link: "Verwijder bericht" - not_found: "Het bericht/de reactie is niet gevonden. Het lijkt erop dat de gebruiker het al heeft verwijderd!" + not_found: "Bericht/Reactie niet gevonden. Het lijkt erop dat de gebruiker het al heeft verwijderd!" post_label: "Bericht: %{title}" reason_label: "Reden: %{text}" reported_label: "Gemeld door %{person}" @@ -995,24 +1037,21 @@ nl: requests: create: sending: "Versturen..." - sent: "Je hebt gevraagd te delen met %{name}. Hij of zij zou het de eerstvolgende keer dat hij of zij inlogt op diaspora* moeten zien ." + sent: "Je hebt gevraagd te delen met %{name}. Hij of zij zou het de eerstvolgende keer dat hij of zij inlogt op diaspora* moeten zien." destroy: error: "Selecteer een aspect!" ignore: "Contactverzoek genegeerd." success: "Jullie delen nu." helper: new_requests: - few: "%{count} nieuwe verzoeken!" - many: "%{count} nieuwe verzoeken!" - one: "nieuw verzoek!" + one: "Nieuw verzoek!" other: "%{count} nieuwe verzoeken!" - two: "%{count} nieuwe verzoeken!" - zero: "geen nieuwe verzoeken" + zero: "Geen nieuwe verzoeken" manage_aspect_contacts: existing: "Bestaande contacten" manage_within: "Beheer contacten in" new_request_to_person: - sent: "verzonden!" + sent: "Verzonden!" reshares: comment_email_subject: "%{resharer}'s doorgifte van %{author}'s post" create: @@ -1023,9 +1062,9 @@ nl: one: "1 keer doorgegeven" other: "%{count} keer doorgegeven" zero: "Doorgeven" - reshare_confirmation: "%{author}'s post doorgeven?" + reshare_confirmation: "%{author}'s bericht doorgeven?" reshare_original: "Origineel doorgeven" - reshared_via: "doorgegeven via" + reshared_via: "Doorgegeven via" show_original: "Toon origineel" search: "Zoek" services: @@ -1037,33 +1076,33 @@ nl: destroy: success: "Authenticatie succesvol vernietigd." failure: - error: "er ging iets mis bij het verbinden met die service" + error: "Er ging iets mis bij het verbinden met die service" finder: fetching_contacts: "diaspora* is je %{service} vrienden aan het invullen, probeer het over een paar minuten nog een keer." no_friends: "Geen Facebook vrienden gevonden." - service_friends: "%{service} Vrienden" + service_friends: "%{service} vrienden" index: connect_to_facebook: "Verbind met Facebook" connect_to_tumblr: "Verbind met Tumblr" connect_to_twitter: "Verbind met Twitter" connect_to_wordpress: "Verbinden met Wordpress" - disconnect: "koppel los" + disconnect: "Loskoppelen" edit_services: "Bewerk services" - logged_in_as: "ingelogd als" + logged_in_as: "Ingelogd als" no_services: "Je hebt nog geen services verbonden." - really_disconnect: "verbreek verbinding met %{service}?" + really_disconnect: "Verbreek verbinding met %{service}?" services_explanation: "Verbinden met andere diensten biedt je de mogelijkheid om je diaspora* berichten ook daar te plaatsen" inviter: click_link_to_accept_invitation: "Klik op deze link om de uitnodiging te accepteren" join_me_on_diaspora: "Volg me op diaspora*" remote_friend: - invite: "uitnodigen" + invite: "Uitnodigen" not_on_diaspora: "Nog niet op diaspora*" - resend: "herstuur" + resend: "Opnieuw versturen" settings: "Instellingen" share_visibilites: update: - post_hidden_and_muted: "%{name}'s bericht is verborgen, en notificaties worden niet getoond." + post_hidden_and_muted: "%{name}'s bericht is verborgen en notificaties worden niet getoond." see_it_on_their_profile: "Als je updates van dit bericht wilt zien, bezoek %{name}'s profiel pagina." shared: add_contact: @@ -1075,6 +1114,8 @@ nl: your_diaspora_username_is: "Jouw diaspora* gebruikersnaam is: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Voeg contact toe" + mobile_row_checked: "%{name} (verwijderen)" + mobile_row_unchecked: "%{name} (toevoegen)" toggle: few: "In %{count} aspecten" many: "In %{count} aspecten" @@ -1085,8 +1126,8 @@ nl: contact_list: all_contacts: "Alle contacten" footer: - logged_in_as: "ingelogd als %{name}" - your_aspects: "jouw aspecten" + logged_in_as: "Ingelogd als %{name}" + your_aspects: "Jouw aspecten" invitations: by_email: "Via e-mail" dont_have_now: "Momenteel heb je er geen, maar meer uitnodigingen volgen spoedig!" @@ -1101,8 +1142,8 @@ nl: new: "Nieuw %{type} van %{from}" public_explain: atom_feed: "Atom feed" - control_your_audience: "Beheer je Publiek" - logged_in: "verbonden met %{service}" + control_your_audience: "Beheer je publiek" + logged_in: "Verbonden met %{service}" manage: "beheer verbonden services" new_user_welcome_message: "Gebruik #hashtags om je berichten te classificeren en mensen te vinden die je interesses delen. Vermeld interessante mensen met @Mentions." outside: "Openbare berichten zijn zichtbaar voor mensen buiten diaspora*." @@ -1110,12 +1151,12 @@ nl: title: "Stel verbonden services in" visibility_dropdown: "Gebruik dit dropdown menu om de zichtbaarheid van je post aan te selecteren. (We suggereren je eerste post publiek te maken.)" publisher: - all: "al" - all_contacts: "alle contacten" + all: "Alle" + all_contacts: "Alle contacten" discard_post: "Maak veld leeg" formatWithMarkdown: "Je kunt %{markdown_link} gebruiken om je bericht op te maken" get_location: "Haal je locatie op" - make_public: "maak openbaar" + make_public: "Maak openbaar" new_user_prefill: hello: "Hallo iedereen, ik ben #%{new_user_tag}. " i_like: "Ik ben geïnteresseerd in %{tags}." @@ -1130,17 +1171,17 @@ nl: post_a_message_to: "Plaats een bericht aan %{aspect}" posting: "Plaatsen..." preview: "Voorbeeld" - publishing_to: "delen met: " + publishing_to: "Publiceren naar: " remove_location: "Verwijder locatie" share: "Delen" - share_with: "deel met" + share_with: "Delen met" upload_photos: "Upload fotos" whats_on_your_mind: "Waar denk je aan?" reshare: reshare: "Doorgeven" stream_element: connect_to_comment: "Verbind met deze gebruiker om op zijn of haar berichten te reageren" - currently_unavailable: "reageren nog niet beschikbaar" + currently_unavailable: "Reageren nu niet beschikbaar" dislike: "Vind ik niet meer leuk" hide_and_mute: "Verberg en blokkeer bericht" ignore_user: "Negeer %{name}" @@ -1148,18 +1189,33 @@ nl: like: "Vind ik leuk" nsfw: "Dit bericht is aangemerkt als NSFW door de auteur. %{link}" shared_with: "Gedeeld met: %{aspect_names}" - show: "laat zien" + show: "Laat zien" unlike: "vind ik niet meer leuk" - via: "via %{link}" - via_mobile: "via mobiel" + via: "Via %{link}" + via_mobile: "Via mobiel" viewable_to_anyone: "Deze post is zichtbaar voor iedereen op het internet" simple_captcha: - label: "Voer de code in in het veld:" + label: "Voer de code in dit veld in:" message: default: "De ingevoerde geheime code is niet hetzelfde als de afbeelding" failed: "Menselijke verificatie mislukt" user: "De geheime afbeelding en de ingevoerde code zijn verschillend" placeholder: "Geef de waarde van de afbeelding op" + statistics: + active_users_halfyear: "Actief laatste half jaar" + active_users_monthly: "Actieve per maand" + closed: "Besloten" + disabled: "Niet beschikbaar" + enabled: "Beschikbaar" + local_comments: "Lokale reacties" + local_posts: "Lokale berichten" + name: "Naam" + network: "Netwerk" + open: "Open" + registrations: "Registraties" + services: "Services" + total_users: "Aantal gebruikers" + version: "Versie" status_messages: create: success: "Succesvol genoemd: %{names}" @@ -1169,12 +1225,11 @@ nl: no_message_to_display: "Geen bericht om te weergeven." new: mentioning: "Noem: %{person}" - too_long: - one: "zorg ervoor dat je statusbericht korter is dan %{count} teken" - other: "zorg ervoor dat je statusberichten korter zijn dan %{count} tekens" - zero: "zorg ervoor dat je statusberichten korter zijn dan %{count} tekens" + too_long: "Zorg ervoor dat je statusbericht korter is dan %{count} tekens. Nu is het %{current_length} tekens lang" stream_helper: hide_comments: "Verberg alle reacties" + no_more_posts: "Je bent aan het eind van je stream beland." + no_posts_yet: "Er zijn nog geen berichten." show_comments: few: "Toon nog %{count} andere reacties." many: "Toon nog %{count} andere reacties." @@ -1186,11 +1241,11 @@ nl: activity: title: "Mijn activiteit" aspects: - title: "Jouw Aspecten" + title: "Mijn aspecten" aspects_stream: "Aspecten" comment_stream: contacts_title: "Mensen op wiens berichten je hebt gereageerd" - title: "Reacties op jou berichten" + title: "Reacties op jouw berichten" community_spotlight_stream: "Community aanrader" followed_tag: add_a_tag: "Voeg een tag toe" @@ -1200,20 +1255,19 @@ nl: followed_tags_stream: "#Gevolgde Tags" like_stream: contacts_title: "Mensen wiens posts je leuk vind" - title: "Prikbord" + title: "Interessante stream" mentioned_stream: "@Vermeldingen" mentions: contacts_title: "Mensen die jou hebben genoemd" title: "@Mij" multi: - contacts_title: "Volk in je Verkenstream" + contacts_title: "Mensen in je stream" title: "Stream" public: contacts_title: "Recente Posters" - title: "Publieke activiteit" + title: "Openbare activiteit" tags: contacts_title: "Mensen die deze tag cool vinden" - tag_prefill_text: "Over %{tag_name} gesproken, ... " title: "Posts getagged: %{tags}" tag_followings: create: @@ -1224,19 +1278,17 @@ nl: failure: "Het is niet gelukt om te stoppen met het volgen van #%{name}. Misschien ben je al succesvol gestopt met volgen?" success: "Jammer! Je bent gestopt met het volgen van #%{name}." tags: + name_too_long: "Zorg ervoor dat je tagnaam korter is dan %{count} tekens. Nu is dat %{current_length} tekens." show: follow: "Volg #%{tag}" - followed_by_people: - one: "gevolgd door %{count}" - other: "gevolgd door %{count}" - zero: "gevolgd door niemand" following: "Volgt #%{tag}" - nobody_talking: "Nog niemand heeft het over %{tag}." none: "Deze lege tag bestaat niet!" - people_tagged_with: "Personen gemerkt met %{tag}" - posts_tagged_with: "Berichten gemerkt met #%{tag}" stop_following: "Stop met volgen van #%{tag}" - terms_and_conditions: "Termen en Condities" + tagged_people: + one: "1 persoon heeft getagged met %{tag}" + other: "%{count} personen hebben getagged met %{tag}" + zero: "Niemand heeft getagged met %{tag}" + terms_and_conditions: "Algemene voorwaarden" undo: "Ongedaan maken?" username: "Gebruikersnaam" users: @@ -1248,7 +1300,7 @@ nl: success: "Je account is op slot gezet. Het kan tot 20 minuten duren voordat het sluiten van je account voltooid is. Bedankt voor het uitproberen van diaspora*." wrong_password: "Het ingevoerde wachtwoord komt niet overeen met je huidige wachtwoord." edit: - also_commented: "iemand na jou op een bericht van jouw contact reageert" + also_commented: "iemand reageert op een bericht waarop jij reageerde op" auto_follow_aspect: "Aspect voor automatisch gevolgde gebruikers:" auto_follow_back: "Automatisch terugvolgen wanneer iemand jou volgt" change: "Verander" @@ -1257,35 +1309,42 @@ nl: change_password: "Verander wachtwoord" character_minimum_expl: "moet ten minste zes karakters bevatten" close_account: - dont_go: "Hey, ga alsjeblieft niet weg!" - if_you_want_this: "Als je dit echt wilt, typ je wachtwoord onder in en klik 'Sluit Account'" - lock_username: "Dit vergrendelt je gebruikersnaam als je besluit om weer te registeren." - locked_out: "Je wordt afgemeld en buitengesloten van je account." - make_diaspora_better: "We willen graag dat je ons helpt om diaspora* te verbeteren, dus help ons in plaats van weg te gaan. Als je wel weg wilt gaan, dan vertellen we je wat er dan gebeurt." + dont_go: "He daar, ga alsjeblieft niet weg!" + if_you_want_this: "Als je dit echt wilt, typ je wachtwoord hieronder in en klik op 'Sluit Account'" + lock_username: "Dit vergrendelt je gebruikersnaam. Je kunt op deze pod later niet een nieuw account met dezelfde ID maken." + locked_out: "Je wordt afgemeld en afgesloten van je account totdat het is verwijderd." + make_diaspora_better: "We zouden liever willen dat je ons helpt om diaspora* te verbeteren dan dat je weggaat. Als je echt weg wilt gaan, dan vertellen we je wat er dan gebeurt:" mr_wiggles: "Mr Wiggles zal het niet leuk vinden je te zien gaan" - no_turning_back: "Op het moment is er geen weg terug." - what_we_delete: "We verwijderen al je berichten en profielgegevens zo snel mogelijk. Je reacties blijven bewaard ten behoeve van de context maar zijn gekoppeld aan je diaspora* ID, niet aan jouw naam." + no_turning_back: "Er geen weg terug. Als je door wilt gaan, voer dan hieronder je wachtwoord in." + what_we_delete: "We verwijderen al je berichten en profielgegevens zo snel mogelijk. Je reacties blijven bewaard ten behoeve van de context maar ze zijn gekoppeld aan je diaspora* ID, niet aan jouw naam." close_account_text: "Sluit account" comment_on_post: "iemand op jouw bericht reageert" current_password: "Huidig wachtwoord" current_password_expl: "het wachtwoord waar je mee inlogt..." - download_photos: "download mijn foto's" - download_xml: "download mijn xml" + download_export: "Download mijn profiel" + download_export_photos: "Download mijn foto's" + download_photos: "Download mijn foto's" edit_account: "Bewerk account" email_awaiting_confirmation: "We hebben een activatielink verzonden naar %{unconfirmed_email}. Totdat je het adres geactiveerd hebt zullen we je originele adress blijven gebruiken %{email}." export_data: "Exporteer data" + export_in_progress: "We zijn bezig je aanvraag te verwerken. Controleer het opnieuw over een paar ogenblikken." + export_photos_in_progress: "We verwerken nu je foto's. Kom zometeen terug." following: "Volgvoorkeuren" getting_started: "Nieuwe gebruikersvoorkeuren" + last_exported_at: "(Laatst bijgewerkt op %{timestamp})" liked: "iemand je bericht leuk vindt" mentioned: "je genoemd wordt in een bericht" new_password: "Nieuw wachtwoord" - photo_export_unavailable: "Foto's exporteren is op dit moment niet beschikbaar" private_message: "je een privébericht ontvangt" receive_email_notifications: "Ontvang e-mail notificaties wanneer:" + request_export: "Aanvragen van mijn profielgegevens" + request_export_photos: "Vraag mijn foto's op" + request_export_photos_update: "Ververs mijn foto's" + request_export_update: "Ververs mijn profielgegevens" reshared: "iemand jouw bericht doorgeeft" show_community_spotlight: "Laat Community Spotlight zien in Stream" - show_getting_started: "Maak Beginnen opnieuw mogelijk" - someone_reported: "iemand zond een melding in" + show_getting_started: "Laat beginnerstips zien" + someone_reported: "Iemand zond een melding in" started_sharing: "iemand met je begint te delen" stream_preferences: "Stream voorkeuren" your_email: "Jouw e-mail" @@ -1294,7 +1353,7 @@ nl: awesome_take_me_to_diaspora: "Super! Neem me naar diaspora*" community_welcome: "De diaspora* gemeenschap is blij je aan boord te hebben!" connect_to_facebook: "We kunnen het een beetje vlotter laten lopen door de %{link} naar diaspora*. Dit haalt je naam en foto op en maakt delen van berichten mogelijk." - connect_to_facebook_link: "verbinden met je Facebook account" + connect_to_facebook_link: "Verbinden met je Facebook account" hashtag_explanation: "Hashtags maken het je makkelijk je interesses volgen. Bovendien kunnen ze je helpen bij het vinden van nieuwe contacten op diaspora*." hashtag_suggestions: "Probeer het volgen van tags zoals #art, #movies, #gif, etc. eens uit." saved: "Opgeslagen!" @@ -1303,7 +1362,9 @@ nl: who_are_you: "Wie ben je?" privacy_settings: ignored_users: "Genegeerde Gebruikers" + no_user_ignored_message: "Je negeert momenteel geen andere gebruiker" stop_ignoring: "Stop negeren" + strip_exif: "Verwijder metadata van de geüploade afbeeldingen, zoals locatie, auteur en cameratype (aanbevolen)" title: "Privacy Instellingen" public: does_not_exist: "Gebruiker %{username} bestaat niet!" @@ -1320,11 +1381,11 @@ nl: unconfirmed_email_changed: "E-mail gewijzigd. Nog te activeren." unconfirmed_email_not_changed: "E-mail wijzigen mislukt" webfinger: - fetch_failed: "ophalen van webfinger profiel is mislukt voor %{profile_url}" - hcard_fetch_failed: "er was een probleem bij het ophalen van de hcard voor %{account}" + fetch_failed: "Ophalen van webfinger profiel voor %{profile_url} is mislukt." + hcard_fetch_failed: "Er was een probleem bij het ophalen van de hcard voor %{account}" no_person_constructed: "Er kon geen persoon worden gemaakt van deze hcard." - not_enabled: "webfinger lijkt niet aan te staan voor %{account}'s provider" - xrd_fetch_failed: "er was een probleem bij het verkrijgen van de xrd van het account %{account}" + not_enabled: "Webfinger lijkt niet aan te staan voor %{account}'s provider" + xrd_fetch_failed: "Er was een probleem bij het verkrijgen van de xrd van het account %{account}" welcome: "Welkom!" will_paginate: next_label: "volgende »" diff --git a/config/locales/diaspora/nn.yml b/config/locales/diaspora/nn.yml index 4328c516e..85641c75c 100644 --- a/config/locales/diaspora/nn.yml +++ b/config/locales/diaspora/nn.yml @@ -86,7 +86,8 @@ nn: one: "ein brukar funne" other: "%{count} brukarar funne" zero: "ingen brukarar funne" - you_currently: "du har %{user_invitation} igjen %{link}" + you_currently: + other: "du har %{user_invitation} igjen %{link}" weekly_user_stats: amount_of: one: "Mengd nye brukarar denne veka: %{count}" @@ -111,8 +112,6 @@ nn: add_to_aspect: failure: "Klarte ikkje å leggja kontakten til aspektet." success: "La kontakten til aspektet." - aspect_contacts: - done_editing: "endringar er ferdige" aspect_listings: add_an_aspect: "+ Legg til eit aspekt" deselect_all: "Vel vekk alle" @@ -131,21 +130,14 @@ nn: failure: "%{name} må vera tom for å kunna slettast." success: "%{name} vart fjerna." edit: - add_existing: "Legg til ein kontakt som finst frå før av" aspect_list_is_not_visible: "aspektet er gøymt frå andre i aspektet" aspect_list_is_visible: "aspektlista er synleg for andre i aspektet" confirm_remove_aspect: "Er du sikker på at du vil sletta aspektet?" - done: "Utført" make_aspect_list_visible: "skal kontaktane i dette aspektet kunna sjå kvarandre?" remove_aspect: "Slett dette aspektet" rename: "gje nytt namn" update: "oppdatering" updating: "oppdaterer" - few: "%{count} aspekt" - helper: - are_you_sure: "Er du trygg på at du vil sletta dette aspektet?" - aspect_not_empty: "Aspektet er ikkje tomt" - remove: "fjern" index: diaspora_id: content_1: "Diaspora-ID-en din er:" @@ -185,11 +177,6 @@ nn: heading: "Kopla tenester" unfollow_tag: "Slutt å følgja #%{tag}" welcome_to_diaspora: "Velkomen til Diaspora, %{name}!" - many: "%{count} aspekt" - move_contact: - error: "Klarte ikkje å flytta kontakten: %{inspect}" - failure: "verka ikkje %{inspect}" - success: "Personen vart flytta til eit nytt aspekt" new: create: "Lag" name: "Namn (berre du kan sjå det)" @@ -207,14 +194,6 @@ nn: family: "Familie" friends: "Vener" work: "Arbeid" - selected_contacts: - manage_your_aspects: "Handsam aspekta dine." - no_contacts: "Du har ingen kontaktar her enno." - view_all_community_spotlight: "Sjå alle kreative medlemer" - view_all_contacts: "Syn alle kontaktane" - show: - edit_aspect: "endra aspektet" - two: "%{count} aspekt" update: failure: "Aspektet ditt, %{name}, hadde eit for langt namn til å bli lagra." success: "Aspektet ditt, %{name}, er vorte endra." @@ -234,36 +213,27 @@ nn: post_success: "Sendt. Lukkar." cancel: "Avbryt" comments: - few: "%{count} kommentarar" - many: "%{count} kommentarar" new_comment: comment: "Kommenter" commenting: "Kommenterer …" one: "1 kommentar" other: "%{count} kommentarar" - two: "%{count} kommentarar" zero: "ingen kommentarar" contacts: create: failure: "Klarte ikkje å laga kontakten" - few: "%{count} kontaktar" index: add_a_new_aspect: "Legg til eit nytt aspekt" add_to_aspect: "legg kontaktar til %{name}" - add_to_aspect_link: "legg kontaktar til i %{name}" all_contacts: "Alle kontaktane" community_spotlight: "Kreative medlemer" - many_people_are_you_sure: "Er du sikker på at du vil starte ein privat samtale med meir enn %{suggested_limit} kontaktar? Å dele dette i eit aspekt kan vere ein betre måte å kontakte dei på." my_contacts: "Kontaktane mine" no_contacts: "Du må leggja til nokre kontaktar." no_contacts_message: "Ta ein titt på %{community_spotlight}" - no_contacts_message_with_aspect: "Ta ein titt på %{community_spotlight} eller %{add_to_aspect_link}" only_sharing_with_me: "Deler berre med meg" - remove_person_from_aspect: "Fjerna %{person_name} frå \"%{aspect_name}\"" start_a_conversation: "Start ein samtale" title: "Kontaktar" your_contacts: "Kontaktane dine" - many: "%{count} kontaktar" one: "1 kontakt" other: "%{count} kontaktar" sharing: @@ -271,7 +241,6 @@ nn: spotlight: community_spotlight: "Kreative medlemer" suggest_member: "Foreslå eit medlem" - two: "%{count} kontaktar" zero: "kontaktar" conversations: conversation: @@ -280,8 +249,6 @@ nn: fail: "Ugyldig melding" no_contact: "Hei, du må leggje til kontakten først!" sent: "Meldinga er sendt" - destroy: - success: "Samtalen blei fjerna" helper: new_messages: few: "%{count} nye meldingar" @@ -546,7 +513,6 @@ nn: add_contact_from_tag: "legg til kontakt frå etiketten" aspect_list: edit_membership: "endra aspektmedlemskap" - few: "%{count} personar" helper: is_not_sharing: "%{name} delar ikkje med deg" is_sharing: "%{name} delar med deg" @@ -557,7 +523,6 @@ nn: no_results: "Du må søkja etter noko." results_for: "søkjeresultat for" searching: "me leiter, ver ven og vent litt..." - many: "%{count} personar" one: "1 person" other: "%{count} personar" person: @@ -594,7 +559,6 @@ nn: add_some: "legg til noko" edit: "endra" you_have_no_tags: "du har ingen etikettar." - two: "%{count} personar" webfinger: fail: "Vi fann dessverre ikkje %{handle}." zero: "ingen personar" @@ -686,15 +650,12 @@ nn: update: "Oppdater" invalid_invite: "Invitasjonslenkja du nytta er ikkje lengjer gyldig!" new: - continue: "Vidare" create_my_account: "Lag kontoen min." - diaspora: "♥ Diaspora*" email: "E-POST" enter_email: "Skriv ei e-postadresse" enter_password: "Skriv eit passord (minst seks teikn)" enter_password_again: "Skriv passordet éin gong til" enter_username: "Vel eit brukarnamn (berre bokstavar, tal og understrekingsteikn)" - hey_make: "HEI,
LAG
NOKO." join_the_movement: "Vert med i rørsla!" password: "PASSORD" password_confirmation: "Passordstadfesting" @@ -860,13 +821,7 @@ nn: no_message_to_display: "Ingen innlegg kan synast." new: mentioning: "Nemner: %{person}" - too_long: - few: "sjå til at statusmeldingane dine har færre enn %{count} teikn" - many: "sjå til at statusmeldingane dine har færre enn %{count} teikn" - one: "sjå til at statusmeldingane dine har færre enn %{count} teikn" - other: "sjå til at statusmeldingane dine har færre enn %{count} teikn" - two: "sjå til at statusmeldingane dine har færre enn %{count} teikn" - zero: "sjå til at statusmeldingane dine har færre enn %{count} teikn" + too_long: "{\"few\"=>\"sjå til at statusmeldingane dine har færre enn %{count} teikn\", \"many\"=>\"sjå til at statusmeldingane dine har færre enn %{count} teikn\", \"one\"=>\"sjå til at statusmeldingane dine har færre enn %{count} teikn\", \"other\"=>\"sjå til at statusmeldingane dine har færre enn %{count} teikn\", \"two\"=>\"sjå til at statusmeldingane dine har færre enn %{count} teikn\", \"zero\"=>\"sjå til at statusmeldingane dine har færre enn %{count} teikn\"}" stream_helper: hide_comments: "Gøym alle kommentarane" show_comments: @@ -904,7 +859,6 @@ nn: title: "Offentleg aktivitet" tags: contacts_title: "Personar som elskar denne etiketten" - tag_prefill_text: "Greia med %{tag_name} er... " title: "Innlegg merka med: %{tags}" tag_followings: create: @@ -918,10 +872,7 @@ nn: show: follow: "Følg #%{tag}" following: "Følgjer #%{tag}" - nobody_talking: "Det er enno ingen som taler om %{tag}." none: "Det finnast ikkje tomme tags!" - people_tagged_with: "Personar som er merka med %{tag}" - posts_tagged_with: "Meldingar som er merka med #%{tag}" stop_following: "Følg ikkje #%{tag} lenger" terms_and_conditions: "Vilkår og retningslinjer" undo: "Gjera om?" @@ -957,7 +908,6 @@ nn: current_password: "Gjeldande passord" current_password_expl: "det du loggar på med..." download_photos: "Last ned bileta mine" - download_xml: "Last ned xml-en min" edit_account: "Endra kontoen" email_awaiting_confirmation: "Vi har sendt ei aktiveringslenkje til %{unconfirmed_email}. Vi vil halda fram med å senda til originaladressa di, %{email}, fram til du følgjer lenkja og tek i bruk den nye." export_data: "Eksporter data" @@ -966,7 +916,6 @@ nn: liked: "… nokon liker innlegget ditt?" mentioned: "… du er nemnt i eit innlegg?" new_password: "Nytt passord" - photo_export_unavailable: "For tida er det ikkje mogleg å eksportera bilete" private_message: "… du mottek ei privat melding?" receive_email_notifications: "Få e-postvarsel når …" reshared: "… nokon deler innlegget ditt vidare?" diff --git a/config/locales/diaspora/pa.yml b/config/locales/diaspora/pa.yml index e5de45f08..617f470eb 100644 --- a/config/locales/diaspora/pa.yml +++ b/config/locales/diaspora/pa.yml @@ -29,9 +29,6 @@ pa: edit: make_aspect_list_visible: "make aspect list visible to others in aspect" rename: "ਨਾਂ-ਬਦਲੋ" - few: "%{count} aspects" - helper: - remove: "ਹਟਾਓ" index: handle_explanation: "This is your diaspora handle. Like an email address, you can give this to people to reach you." help: @@ -41,7 +38,6 @@ pa: tag_question: "#question" no_contacts: "ਕੋਈ ਸੰਪਰਕ ਨਹੀਂ" no_tags: "No tags" - many: "%{count} aspects" new: name: "Name" no_contacts_message: @@ -53,7 +49,6 @@ pa: seed: family: "ਪਰਿਵਾਰ" work: "ਕੰਮ" - two: "%{count} aspects" zero: "no aspects" back: "ਪਿੱਛੇ" bookmarklet: @@ -61,13 +56,10 @@ pa: heading: "Diaspora Bookmarklet" cancel: "ਰੱਦ ਕਰੋ" comments: - few: "%{count} comments" - many: "%{count} comments" new_comment: comment: "ਟਿੱਪਣੀ" commenting: "ਟਿੱਪਣੀ ਕੀਤੀ ਜਾ ਰਹੀ ਹੈ..." contacts: - few: "%{count} contacts" index: add_to_aspect: "Add contacts to %{name}" no_contacts: "No contacts." @@ -233,10 +225,8 @@ pa: password: "ਪਾਸਵਰਡ" password_confirmation: "ਪਾਸਵਰਡ ਪੁਸ਼ਟੀ" people: - few: "%{count} people" helper: results_for: "%{params} ਲਈ ਨਤੀਜੇ" - many: "%{count} people" one: "1 person" other: "%{count} people" person: @@ -353,13 +343,7 @@ pa: status_messages: helper: no_message_to_display: "ਵੇਖਾਉਣ ਲਈ ਕੋਈ ਸੁਨੇਹਾ ਨਹੀਂ ਹੈ।" - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: hide_comments: "ਟਿੱਪਣੀਆਂ ਓਹਲੇ ਕਰੋ" show_comments: diff --git a/config/locales/diaspora/pl.yml b/config/locales/diaspora/pl.yml index d236f0897..f0f8b691c 100644 --- a/config/locales/diaspora/pl.yml +++ b/config/locales/diaspora/pl.yml @@ -10,8 +10,10 @@ pl: _contacts: "Kontakty" _help: "Pomoc" _home: "Główna" - _photos: "zdjęcia" + _photos: "Zdjęcia" _services: "Usługi" + _statistics: "Statystyki" + _terms: "warunki" account: "Konto" activerecord: errors: @@ -95,10 +97,27 @@ pl: other: "%{count} użytkowników" zero: "Żaden użytkownik" week: "Tydzień" + user_entry: + account_closed: "konto zamknięte" + diaspora_handle: "Identyfikator Diaspory" + email: "Email" + guid: "GUID" + id: "ID" + last_seen: "ostatnio widziany" + ? "no" + : nie + nsfw: "#nsfw" + unknown: "nieznany" + ? "yes" + : tak user_search: - account_closing_scheduled: "Konto należące do %{name} jest przewidziane do zamknięcia. Zostanie to wykonane w przecigu kilku minut..." + account_closing_scheduled: "Konto należące do %{name} jest przewidziane do zamknięcia. Zostanie to wykonane w przecigu kilku chwil..." + account_locking_scheduled: "Konto użytkownika %{name} oznaczone do zablokowania. Zostanie przetworzone za kilka chwil..." + account_unlocking_scheduled: "Konto użytkownika %{name} oznaczone do odblokowania. Zostanie przetworzone za kilka chwil..." add_invites: "dodaj zaproszenia" are_you_sure: "Czy na pewno chcesz zamknąć to konto?" + are_you_sure_lock_account: "Na pewno zablokować to konto?" + are_you_sure_unlock_account: "Na pewno odblokować to konto?" close_account: "zamknij konto" email_to: "Zaproś przez e-mail" under_13: "Wyświetl użytkowników młodszych niż 13 lat." @@ -127,9 +146,9 @@ pl: all_aspects: "Wszystkie aspekty" application: helper: - unknown_person: "nieznana osoba" + unknown_person: "Nieznana osoba" video_title: - unknown: "Wideo bez nazwy" + unknown: "Film bez tytułu" are_you_sure: "Czy na pewno?" are_you_sure_delete_account: "Czy na pewno chcesz zamknąć swoje konto? Tego nie można cofnąć!" aspect_memberships: @@ -141,8 +160,6 @@ pl: add_to_aspect: failure: "Nie udało się dodać kontaktu do aspektu." success: "Dodano kontakt to aspektu." - aspect_contacts: - done_editing: "zakończono edycję" aspect_listings: add_an_aspect: "+ Dodaj aspekt" deselect_all: "Odznacz wszystkie" @@ -161,23 +178,18 @@ pl: failure: "%{name} nie jest pusty i nie może być usunięty." success: "%{name} został usunięty." edit: - add_existing: "Dodaj istniejący kontakt" + aspect_chat_is_enabled: "Kontakty w tym aspekcie mogą z tobą czatować." + aspect_chat_is_not_enabled: "Kontakty w tym aspekcie nie mogą z tobą czatować." aspect_list_is_not_visible: "Kontakty z tego aspektu nie widzą się nawzajem." aspect_list_is_visible: "Kontakty z tego aspektu mogą zobaczyć się nawzajem." confirm_remove_aspect: "@{m,f:Jesteś|n:Czy na}{ pew}{m:ien|f:na|n:no}{m,f:, że } chcesz usunąć ten aspekt?" - done: "Zrobione" - make_aspect_list_visible: "ustawić kontakty w tym aspekcie jako widoczne dla wszystkich?" - manage: "Zarządzaj" + grant_contacts_chat_privilege: "przyznać kontaktom z aspektu prawa do czatu?" + make_aspect_list_visible: "Sprawić aby kontakty w tym aspekcie widziały się wzajemnie?" remove_aspect: "Usuń ten aspekt" - rename: "zmień nazwę" + rename: "Zmień nazwę" set_visibility: "Ustaw widoczność" - update: "aktualizuj" - updating: "aktualizowanie" - few: "Aspekty: %{count}" - helper: - are_you_sure: "@{m,f:Jesteś|n:Czy na}{ pew}{m:ien|f:na|n:no}{m,f:, że } chcesz usunąć ten aspekt?" - aspect_not_empty: "Aspekt nie jest pusty" - remove: "usuń" + update: "Aktualizuj" + updating: "Aktualizowanie" index: diaspora_id: content_1: "Twój identyfikator w sieci Diaspora* to:" @@ -218,11 +230,6 @@ pl: heading: "Podłącz usługi" unfollow_tag: "Przestań obserwować #%{tag}" welcome_to_diaspora: "Witaj w Diasporze, %{name}!" - many: "Aspekty: %{count}" - move_contact: - error: "Błąd przy przenoszeniu kontaktu: %{inspect}" - failure: "nie zadziałało %{inspect}" - success: "Osoba została przeniesiona do nowego aspektu" new: create: "Stwórz" name: "Nazwa (widoczna tylko dla Ciebie)" @@ -240,18 +247,10 @@ pl: family: "Rodzina" friends: "Znajomi" work: "Praca" - selected_contacts: - manage_your_aspects: "Zarządzanie aspektami." - no_contacts: "Nie masz żadnych kontaktów." - view_all_community_spotlight: "Wyświetl wszystkich w centrum uwagi" - view_all_contacts: "Wyświetl wszystkie kontakty" - show: - edit_aspect: "edycja aspektu" - two: "Aspekty: %{count}" update: failure: "Aspekt %{name} nie mógł zostać zapisany z powodu zbyt długiej nazwy." success: "Edycja aspektu %{name} powiodła się." - zero: "brak aspektów" + zero: "Brak aspektów" back: "Powrót" blocks: create: @@ -267,36 +266,31 @@ pl: post_success: "Wpis został opublikowany! Okno zostanie zamknięte!" cancel: "Anuluj" comments: - few: "Komentarze: %{count}" - many: "Komentarze: %{count}" new_comment: comment: "Skomentuj" commenting: "Dodawanie komentarza..." one: "1 komentarz" other: "Komentarze: %{count}" - two: "Komentarze: %{count}" zero: "brak komentarzy" contacts: create: failure: "Nie udało się utworzyć kontaktu" - few: "%{count} kontakty" index: add_a_new_aspect: "Dodaj aspekt" + add_contact: "Dodaj kontakt" add_to_aspect: "dodaj kontakty do %{name}" - add_to_aspect_link: "dodaj kontakty do %{name}" all_contacts: "Wszystkie kontakty" community_spotlight: "W centrum uwagi" - many_people_are_you_sure: "Czy na pewno chcesz rozpocząć prywatną rozmowę z więcej niż %{suggested_limit} osobami? Możesz po prostu opublikować swoją wiadomość w tej grupie. " my_contacts: "Moje kontakty" no_contacts: "Wygląda na to, że musisz dodać kilka kontaktów!" + no_contacts_in_aspect: "Nie masz jeszcze żadnych kontaktów w tym aspekcie. Poniżej widnieje lista kontaktów które możesz do niego dodać." no_contacts_message: "Sprawdź kto jest %{community_spotlight}" - no_contacts_message_with_aspect: "Sprawdź kto jest w %{community_spotlight} lub %{add_to_aspect_link}" only_sharing_with_me: "Udostępniający tylko mnie" - remove_person_from_aspect: "Usuń %{person_name} z aspektu \"%{aspect_name}\"" + remove_contact: "Usuń kontakt" start_a_conversation: "Rozpocznij rozmowę" title: "Kontakty" + user_search: "Wyszukiwanie użytkowników" your_contacts: "Twoje kontakty" - many: "%{count} kontaktów" one: "1 kontakt" other: "%{count} kontaktów" sharing: @@ -304,7 +298,6 @@ pl: spotlight: community_spotlight: "W centrum uwagi społeczności" suggest_member: "Zasugeruj członka" - two: "%{count} kontakty" zero: "kontakty" conversations: conversation: @@ -314,7 +307,8 @@ pl: no_contact: "Hej! Najpierw należy dodać kontakt!" sent: "Wiadomość została wysłana" destroy: - success: "Pomyślnie usunięto rozmowę" + delete_success: "Rozmowa usunięta" + hide_success: "Rozmowa ukryta" helper: new_messages: few: "%{count} nowe wiadomości" @@ -338,7 +332,8 @@ pl: new_conversation: fail: "Nieprawidłowa wiadomość" show: - delete: "usuń i zablokuj rozmowę" + delete: "usuń rozmowę" + hide: "ukryj i wycisz rozmowę" reply: "odpowiedz" replying: "Odpowiadanie..." date: @@ -394,8 +389,15 @@ pl: what_is_an_aspect_q: "Czym jest aspekt?" who_sees_post_a: "Jeśli zamieszczasz wpis o ograniczonej widoczności, będzie on widoczny tylko dla ludzi którzy znajdują się w danym aspekcie (lub aspektach, jeśli post jest ograniczony do wielu aspektów). Kontakty które należą do innych aspektów nie będą miały jak zobaczyć wpisu, chyba że uczynisz go publicznym. Tylko publiczne posty będą widoczne dla kogokolwiek spoza Twoich aspektów." who_sees_post_q: "Kiedy udostępniam w aspekcie, kto widzi mój wpis?" + chat: + add_contact_roster_a: "Najpierw musisz włączyć czat dla aspektu w którym osoba się znajduje. Aby to zrobić, idź do %{contacts_page}, wybierz aspekt który chcesz zmienić i kliknij na ikonę czatu dla aspektu. %{toggle_privilege} Możesz, jeżeli wolisz, utworzyć specjalny aspekt nazwany \"Czat\" i dodać do niego wszystkie osoby z którymi chcesz czatować. Gdy już to zrobisz, możesz otworzyć interfejs czatu i wybrać osoby z którymi chcesz czatować." + add_contact_roster_q: "Jak mogę czatować z kimś na diasporze*?" + contacts_page: "strony kontaktów" + title: "Czat" + faq: "często zadawane pytania" foundation_website: "strona fundacji diaspora" getting_help: + get_support_a_faq: "Przeczytaj stronę %{faq} na wiki" get_support_a_hashtag: "zapytaj o diasporę* w publicznym wpisie używając tagu %{question}" get_support_a_irc: "dołącz do nas na %{irc} w rozmowie na żywo" get_support_a_tutorials: "sprawdć nasze %{tutorials}" @@ -408,6 +410,17 @@ pl: getting_started_tutorial: "serię samouczków \"Pierwsze kroki\"" here: "Tutaj" irc: "IRC" + keyboard_shortcuts: + keyboard_shortcuts_a1: "W widoku strumienia możesz używać tych skrótów:" + keyboard_shortcuts_li1: "j - przejdź do następnego wpisu" + keyboard_shortcuts_li2: "k - przejdź do poprzedniego wpisu" + keyboard_shortcuts_li3: "c - skomentuj bieżacy wpis" + keyboard_shortcuts_li4: "l - polub bieżący wpis" + keyboard_shortcuts_li5: "r - Przekaż dalej bieżący wpis" + keyboard_shortcuts_li6: "m - Rozwiń bieżący wpis" + keyboard_shortcuts_li7: "o - Otwórz pierwszy link w bieżącym wpisie" + keyboard_shortcuts_q: "Jakie skróty klawiszowe są dostępne?" + title: "Skróty klawiszowe" markdown: "Markdown" mentions: how_to_mention_a: "Wprowadź znak \"@\", a po nim zacznij wpisywać imię osoby. Pojawi się menu, które pozwoli Ci wybrać tą osobę. Pamiętaj, że w ten sposób wspomnisz tylko o osobach, które dodałeś do któregoś z aspektów." @@ -627,7 +640,7 @@ pl: zero: "nikt nie lubi" limited: "Ograniczone" more: "Więcej" - next: "następny" + next: "Następny" no_results: "Niczego nie znaleziono" notifications: also_commented: @@ -668,9 +681,11 @@ pl: comment_on_post: "Komentarz do wpisu" liked: "Polubili" mark_all_as_read: "Oznacz wszystkie jako przeczytane" + mark_all_shown_as_read: "Oznacz widoczne jako przeczytane" mark_read: "Oznacz jako przeczytane" mark_unread: "Oznacz jako nieprzeczytane" mentioned: "Wspomnieli o tobie" + no_notifications: "Nie masz jeszcze powiadomień" notifications: "Powiadomienia" reshared: "Przekazali dalej" show_all: "pokaż wszystkie" @@ -726,7 +741,9 @@ pl: other: "%{actors} zaczęli/ły Ci udostępniać." zero: "%{actors} zaczęli Ci udostępniać." notifier: + a_limited_post_comment: "Pojawił się nowy komentarz w ograniczonym wpisie na diasporze*. Zapoznaj się z nim." a_post_you_shared: "wpis." + a_private_message: "Masz nową wiadomość w diaspora*" accept_invite: "Zaakceptuj zaproszenie do diaspory*!" click_here: "kliknij tutaj" comment_on_post: @@ -735,6 +752,27 @@ pl: click_link: "Aby aktywować nowy adres e-mail %{unconfirmed_email}, kliknij to łącze:" subject: "Aktywuj nowy adres e-mail %{unconfirmed_email}" email_sent_by_diaspora: "Ta wiadomość została wysłana przez %{pod_name}. Jeśli nie chcesz otrzymywać takich wiadomości," + export_email: + body: |- + Dzień dobry %{name}, + + Twoje dane zostały przetworzone i są już gotowe do pobrania przez przejście pod [ten link](%{url}). + + Trzymaj się! + + Automat e-mailowy diaspory*. + subject: "Twoje prywatne dane są gotowe do pobrania, %{name}" + export_failure_email: + body: |- + Cześć %{name}, + + Napotkaliśmy na problem podczas przetwarzania Twoich prywatnych danych do pobrania. + Spróbuj ponownie! + + Na razie! + + Automat e-mailowy diaspory*. + subject: "Przykro nam, %{name}, ale wystąpił problem z Twoimi danymi" hello: "Cześć %{name}!" invite: message: |- @@ -761,6 +799,22 @@ pl: subject: "%{name} wspomniał o Tobie na diasporze*" private_message: reply_to_or_view: "Odpowiedz lub wyświetl wątek >" + remove_old_user: + body: |- + Witaj, + + Wygląda na to, że nie zależy Ci już na koncie na %{pod_url}, skoro nie używałeś go przez %{after_days} dni. Aby upewnić się co do jak najlepszej wydajności tego poda diaspory*, chcielibyśmy usunąć porzucone konta z naszej bazy danych. + + Bardzo chcemy, abyś pozostał częścią społeczności diaspory*. Zatrzymaj to konto, jeśli tylko chcesz. + + Jeśli chcesz, aby Twoje konto nie zostało usunięte, wystarczy, że zalogujesz się na nie przed %{remove_after}. Po zalogowaniu poświęć kilka chwil, aby rozejrzeć się po diasporze*. Zmieniła się bardzo, odkąd ostatnio się logowałeś. Mamy nadzieję, że przypadną Ci do gustu ulepszenia, jakie wprowadziliśmy. Obserwuj różne #tagi, żeby odkryć treści, które polubisz. + + Zaloguj się tu: %{login_url}. Jeśli zapomniałeś danych do logowania, możesz na tej stronie poprosić o przypomnienie ich. + + Do zobaczenia, mam nadzieję. + + Automat e-mailowy diaspory*! + subject: "Twoje konto zostało przeznaczone do usunięcia z powodu braku aktywności." report_email: body: |- Witaj! @@ -803,7 +857,6 @@ pl: add_contact_from_tag: "Dodaj znajomego ze znacznika" aspect_list: edit_membership: "edycja przynależności do aspektów" - few: "Osoby: %{count}" helper: is_not_sharing: "%{name} Ci nie udostępnia." is_sharing: "%{name} udostępnia Ci." @@ -817,7 +870,6 @@ pl: search_handle: "Użyj identyfikatora diaspory* (użytkownik@pod.example.com) aby mieć pewność, że znajdziesz swoich znajomych." searching: "wyszukiwanie, proszę czekać..." send_invite: "Wciąż nic nowego? Wyślij zaproszenie!" - many: "Osoby: %{count}" one: "1 osoba" other: "Osoby: %{count}" person: @@ -854,7 +906,6 @@ pl: add_some: "dodaj" edit: "edycja" you_have_no_tags: "nie masz znaczników!" - two: "Osoby: %{count}" webfinger: fail: "Nie odnaleziono %{handle}." zero: "nie ma nikogo" @@ -906,7 +957,7 @@ pl: other: "%{count} zdjęcia od %{author}" zero: "Brak zdjęć od %{author}" reshare_by: "Przekazane dalej przez %{author}" - previous: "poprzedni" + previous: "Poprzedni" privacy: "Prywatność" privacy_policy: "Polityka prywatności" profile: "Profil" @@ -953,27 +1004,26 @@ pl: update: "Aktualizacja" invalid_invite: "Podane łącze do zaproszenia jest nieważne!" new: - continue: "Kontynuuj" create_my_account: "Utwórz konto!" - diaspora: "<3 diaspora*" email: "E-MAIL" enter_email: "Wpisz adres e-mail" enter_password: "Podaj hasło (maks. 6 znaków)" enter_password_again: "Wprowadź ponownie to samo hasło" enter_username: "Wybierz nazwę użytkownika (możliwe litery, cyfry i podkreślniki)" - hey_make: "HEJ ,
ZRÓB
COŚ." join_the_movement: "Dołącz do ruchu!" password: "HASŁO" password_confirmation: "POTWIERDZENIE HASŁA" sign_up: "REJESTRACJA" sign_up_message: "Social Networking z ♥" submitting: "Wysyłanie..." + terms: "Zakładając konto akceptujesz %{terms_link}." + terms_link: "warunki korzystania z serwisu" username: "NAZWA UŻYTKOWNIKA" report: comment_label: "Komentarz:
%{data}" confirm_deletion: "Czy masz pewność, że chcesz usunąć ten element?" delete_link: "Usuń element" - not_found: "Ten wpis lub komentarz nie został znaleziony. Wygląda na to, że został usunięty!" + not_found: "Ten wpis/komentarz nie został znaleziony. Wygląda na to, że został usunięty przez autora!" post_label: "Wpis: %{title}" reason_label: "Powód: %{text}" reported_label: "Zgłoszony przez %{person}" @@ -1068,6 +1118,8 @@ pl: your_diaspora_username_is: "Twój nazwa użytkownika na diasporze* to: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Dodaj kontakt" + mobile_row_checked: "%{name} (usuń)" + mobile_row_unchecked: "%{name} (dodaj)" toggle: few: "W %{count} aspektach" many: "W %{count} aspektach" @@ -1152,6 +1204,21 @@ pl: failed: "Nieprawidłowo przepisany obrazek" user: "Tajny obrazek i kod są różne" placeholder: "Wpisz tekst z obrazka" + statistics: + active_users_halfyear: "Aktywni użytkownicy w półroczu" + active_users_monthly: "Aktywni użytkownicy miesięcznie" + closed: "Zamknięte" + disabled: "Nie dostępne" + enabled: "Dostępne" + local_comments: "Lokalne komentarze" + local_posts: "Lokalne wpisy" + name: "Nazwa" + network: "Sieć" + open: "Otwarte" + registrations: "Rejestracje" + services: "Usługi" + total_users: "W sumie użytkowników" + version: "Wersja" status_messages: create: success: "Pomyślnie wspomniano o: %{names}" @@ -1161,14 +1228,11 @@ pl: no_message_to_display: "Brak wiadomości do wyświetlenia." new: mentioning: "Wspominasz o: %{person}" - too_long: - few: "skróć swoje wiadomości statusowe do mniej niż %{count} znaków" - many: "skróć swoje wiadomości statusowe do mniej niż %{count} znaków" - one: "skróć swoje wiadomości statusowe do mniej niż %{count} znaku" - other: "skróć swoje wiadomości statusowe do mniej niż %{count} znaków" - zero: "skróć swoje wiadomości statusowe do mniej niż %{count} znaków" + too_long: "Skróć swoją wiadomość statusową poniżej %{count} znaków. Obecnie jej długość to %{current_length} znaków." stream_helper: hide_comments: "Ukryj wszystkie komentarze" + no_more_posts: "Dotarłeś do końca strumienia." + no_posts_yet: "Nie ma jeszcze żadnych wpisów." show_comments: few: "Wyświetl %{count} komentarze więcej" many: "Wyświetl %{count} komentarzy więcej" @@ -1206,7 +1270,6 @@ pl: title: "Działalność publiczna" tags: contacts_title: "Osoby, które wykopały ten znacznik" - tag_prefill_text: "Jeśli chodzi o %{tag_name}, to... " title: "Oznaczone wpisy: %{tags}" tag_followings: create: @@ -1217,20 +1280,18 @@ pl: failure: "Nie udało się zatrzymać obserwowania: #% {name}. Może już tego nie obserwujesz?" success: "Nie obserwujesz już: #%{name}" tags: + name_too_long: "Proszę skróć nazwę taga do mniej niż %{count} znaków. Obecnie zawiera %{current_length} znaków." show: follow: "Obserwuj #%{tag}" - followed_by_people: - few: "obserwowane przez %{count} osoby" - many: "obserwowane przez %{count} osób" - one: "obserwowane przez jedną osobę" - other: "obserwowane przez %{count} osób." - zero: "nie obserwowane przez nikogo" following: "Obserwowanie #%{tag}" - nobody_talking: "Nikt jeszcze nie rozmawia o %{tag}." none: "Pusty znacznik nie istnieje!" - people_tagged_with: "Osoby oznaczone jako #%{tag}" - posts_tagged_with: "Wpisy oznaczone jako #%{tag}" stop_following: "Przestań obserwować #%{tag}" + tagged_people: + few: "%{count} osoby otagowane %{tag}" + many: "%{count} osób otagowanych %{tag}" + one: "1 osoba otagowana %{tag}" + other: "%{count} osób otagowanych %{tag}" + zero: "Nikogo otagowanego %{tag}" terms_and_conditions: "Regulamin" undo: "Cofnąć?" username: "Nazwa użytkownika" @@ -1240,7 +1301,7 @@ pl: email_not_confirmed: "Nie można aktywować adresu e-mail. Nieprawidłowe łącze?" destroy: no_password: "Wpisz hasło, aby zamknąć konto." - success: "Konto zostało zablokowane. Dokończymy usuwanie Twojego konta w ciągu najbliższych 20 minut. Dziękujemy za wypróbowanie diaspory*." + success: "Konto zostało zablokowane. Usuwanie Twojego konta może zająć nam do 20 minut. Dziękujemy za wypróbowanie diaspory*." wrong_password: "Wprowadzone hasło nie jest zgodne z aktualnym hasłem." edit: also_commented: "...ktoś skomentuje wpis mający mój komentarz" @@ -1254,29 +1315,32 @@ pl: close_account: dont_go: "Prosimy, nie odchodź!" if_you_want_this: "Jeśli naprawdę tego chcesz, wpisz swoje hasło poniżej i kliknij \"Zamknij konto\"." - lock_username: "Nazwa użytkownika zostanie zablokowana, jeśli zdecydujesz się wrócić." - locked_out: "Zostaniesz wylogowa@{m:ny|f:na|n:ny/na} i konto zostanie zablokowane." - make_diaspora_better: "Pomóż nam ulepszyć diasporę*, zamiast opuszczać sieć. Jeśli naprawdę odchodzisz, chcemy poinformować Cię o tym, co się potem stanie." + lock_username: "Nazwa Twojego konta zostanie zablokowana. Na tym porzie nie będziesz już mógł stworzyć nowego, o tym samym identyfikatorze." + locked_out: "Zostaniesz wylogowa@{m:ny|f:na|n:ny/na} i zablokowany, dopóki Twoje konto nie zostanie usunięte." + make_diaspora_better: "Wolelibyśmy, żebyś został tu i pomógł nam ulepszyć diasporę*, zamiast opuszczać sieć. Jednak jeśli naprawdę odchodzisz, oto co się potem stanie:" mr_wiggles: "Pan Łaskotka będzie niepocieszony, widząc, że odchodzisz" - no_turning_back: "Aktualnie, nie ma odwrotu." + no_turning_back: "Nie ma już odwrotu! Jeśli naprawdę jesteś pewien, wpisz swoje hasło poniżej." what_we_delete: "Usuniemy wszystkie Twoje wpisy i dane profilu najszybciej jak to tylko możliwe. Twoje komentarze pozostaną tam gdzie były, ale będą skojarzone z Twoim Identyfikatorem diaspory* zamiast z imieniem." close_account_text: "Zamknij konto" comment_on_post: "...ktoś dodał komentarz do mojego wpisu" current_password: "Bieżące hasło" current_password_expl: "to, którego używasz do logowania" + download_export: "Pobierz mój profil" download_photos: "pobierz moje zdjęcia" - download_xml: "pobierz mój xml" edit_account: "Edycja konta" email_awaiting_confirmation: "Łącze aktywacyjne zostało wysłane na adres \"%{unconfirmed_email}\". Do momentu kliknięcia łącza i aktywacji nowego adresu, nadal będziemy korzystać z obecnego \"%{email}\"." export_data: "Eksport danych" + export_in_progress: "Przetwarzamy twoje dane. Sprawdź ponownie za kilka minut." following: "Ustawienia udostępniania" getting_started: "Ustawienia nowego użytkownika" + last_exported_at: "(ostatnio aktualizowano o %{timestamp})" liked: "...ktoś polubił mój wpis" mentioned: "...ktoś wspomniał mnie we wpisie" new_password: "Nowe hasło" - photo_export_unavailable: "Eksportowanie zdjęć jest aktualnie niedostępne" private_message: "...otrzymam prywatną wiadomość" receive_email_notifications: "Wysyłaj powiadomienia e-mail jeśli..." + request_export: "Poproś o dane mojego profilu" + request_export_update: "Odśwież dane mojego profilu" reshared: "...ktoś przekazał dalej mój wpis" show_community_spotlight: "Wyświetlić wyróżnionych użytkowników w Strumieniu?" show_getting_started: "Ponownie włącz - Pierwsze kroki" @@ -1298,7 +1362,9 @@ pl: who_are_you: "Kim jesteś?" privacy_settings: ignored_users: "Ignorowani użytkownicy" + no_user_ignored_message: "Nie ignorujesz żadnego użytkownika" stop_ignoring: "Przestań ignorować" + strip_exif: "Usuń metadane takie jak lokalizacja, autor i model aparatu z wgrywanych zdjęć (rekomendowane)" title: "Ustawienia prywatności" public: does_not_exist: "Użytkownik %{username} nie istnieje!" diff --git a/config/locales/diaspora/pt-BR.yml b/config/locales/diaspora/pt-BR.yml index 1fab7ec15..9cac45af4 100644 --- a/config/locales/diaspora/pt-BR.yml +++ b/config/locales/diaspora/pt-BR.yml @@ -12,6 +12,8 @@ pt-BR: _home: "Início" _photos: "Fotos" _services: "Serviços" + _statistics: "Estatística" + _terms: "Termos" account: "Conta" activerecord: errors: @@ -54,7 +56,7 @@ pt-BR: correlations: "Correlações" pages: "Páginas" pod_stats: "Status do Servidor" - report: "Relatórios" + report: "Relatos" sidekiq_monitor: "Monitor Sidekiq" user_search: "Busca de Usuários" weekly_user_stats: "Estatísticas Semanais" @@ -140,10 +142,8 @@ pt-BR: add_to_aspect: failure: "Não foi possível adicionar o contato ao aspecto." success: "Contato adicionado ao aspecto com sucesso." - aspect_contacts: - done_editing: "Edição concluída" aspect_listings: - add_an_aspect: "+ Adicione um aspecto" + add_an_aspect: "+ Adicione um Aspecto" deselect_all: "Desmarcar tudo" edit_aspect: "Editar %{name}" select_all: "Selecionar tudo" @@ -160,30 +160,25 @@ pt-BR: failure: "%{name} não está vazio e por isso não pode ser removido." success: "%{name} foi removido com sucesso." edit: - add_existing: "Adicione um contato existente" + aspect_chat_is_enabled: "Contatos neste aspecto são capazes de falar com você." + aspect_chat_is_not_enabled: "Contatos neste aspecto não são capazes de falar com você." aspect_list_is_not_visible: "Contatos neste aspecto não podem ver uns aos outros." aspect_list_is_visible: "Contatos neste aspecto podem ver uns aos outros." - confirm_remove_aspect: "Tem certeza que deseja deletar este aspecto?" - done: "Feito" - make_aspect_list_visible: "Tornar contatos nesse aspecto visíveis entre si?" - manage: "Gerenciar" - remove_aspect: "Deletar este aspecto" + confirm_remove_aspect: "Tem certeza que deseja apagar este aspecto?" + grant_contacts_chat_privilege: "Conceder aos contatos neste aspecto privilégios de bate-papo?" + make_aspect_list_visible: "Tornar contatos desse aspecto visíveis entre si?" + remove_aspect: "Apagar este aspecto" rename: "Renomear" - set_visibility: "Configurar Visibilidade" + set_visibility: "Configurar visibilidade" update: "atualizar" updating: "atualizando" - few: "%{count} aspectos" - helper: - are_you_sure: "Tem certeza em deletar este aspecto?" - aspect_not_empty: "Aspecto não está vazio" - remove: "remover" index: diaspora_id: - content_1: "Seu diaspora* ID é:" + content_1: "Sua diaspora* ID é:" content_2: "Forneça-o às pessoas e elas poderão te encontrar em diaspora*." heading: "diaspora* ID" donate: "Faça uma Doação" - handle_explanation: "Esse é seu diaspora* ID. Como um endereço de e-mail, você pode fornecê-lo para que outras pessoas contatem com você." + handle_explanation: "Essa é sua diaspora* ID. Como um endereço de e-mail, você pode fornecê-la para que outras pessoas contatem com você." help: any_problem: "Algum Problema?" contact_podmin: "Entre em contato com o administrador do seu servidor!" @@ -200,14 +195,14 @@ pt-BR: tag_feature: "feature" tag_question: "pergunta" tutorial_link_text: "Tutoriais" - tutorials_and_wiki: "%{faq}, %{tutorial} & %{wiki}: Ajuda para seus primeiros passos." + tutorials_and_wiki: "%{faq}, %{tutorial} & %{wiki}: ajudas para seus primeiros passos." introduce_yourself: "Este é seu fluxo. Se apresente!" keep_diaspora_running: "Mantenha o desenvolvimento de diaspora* acelerado com uma doação mensal!" - keep_pod_running: "Mantenha %{pod} rodando bem e compre o café para nossos servidores com uma doação mensal!" + keep_pod_running: "Mantenha %{pod} funcionando bem e pague um café para nossos voluntários com uma doação fixa mensal!" new_here: follow: "Siga %{link} e dê boas vindas aos novos usuários de Diaspora*!" learn_more: "Saiba mais" - title: "Dê as boas vindas aos novos usuários" + title: "Dê boas vindas aos novatos" no_contacts: "Nenhum contato" no_tags: "+ Procurar uma tag para seguir" people_sharing_with_you: "Pessoas compartilhando com você" @@ -217,11 +212,6 @@ pt-BR: heading: "Conectar Serviços" unfollow_tag: "Parar de seguir #%{tag}" welcome_to_diaspora: "Bem-vindo(a) a diaspora*, %{name}!" - many: "%{count} aspectos" - move_contact: - error: "Não foi possível mover o contato: %{inspect}" - failure: "Falhou %{inspect}" - success: "Pessoa movida para o novo aspecto" new: create: "Criar" name: "Nome (só é visível para você)" @@ -239,14 +229,6 @@ pt-BR: family: "Família" friends: "Amigos" work: "Trabalho" - selected_contacts: - manage_your_aspects: "Gerencie seus aspectos." - no_contacts: "Você não tem nenhum contato aqui ainda." - view_all_community_spotlight: "Ver todos os destaques da comunidade" - view_all_contacts: "Ver todos os contatos" - show: - edit_aspect: "editar aspecto" - two: "%{count} aspectos" update: failure: "Seu aspecto %{name} tem um nome muito longo para ser salvo." success: "Seu aspecto %{name} foi editado com sucesso." @@ -260,42 +242,36 @@ pt-BR: failure: "Eu não conseguirei parar de ignorar este usuário. #evasão" success: "Vamos ver o que eles têm a dizer! #digaoi" bookmarklet: - explanation: "Publique em diaspora* de qualquer lugar favoritando este link => %{link}." + explanation: "Publique em diaspora* de qualquer lugar favoritando este link: %{link}" heading: "Favoritos" post_something: "Publicar em diaspora*" post_success: "Publicado! Fechando!" cancel: "Cancelar" comments: - few: "%{count} comentários" - many: "%{count} comentários" new_comment: comment: "Comentar" commenting: "Comentando..." one: "1 comentário" other: "%{count} comentários" - two: "%{count} comentários" zero: "nenhum comentário" contacts: create: failure: "Falha em criar contato" - few: "%{count} contatos" index: add_a_new_aspect: "Adicione um novo aspecto" + add_contact: "Adicionar contato" add_to_aspect: "Adicionar contatos para %{name}" - add_to_aspect_link: "adicionar contatos para %{name}" - all_contacts: "Todos Contatos" + all_contacts: "Todos os Contatos" community_spotlight: "Destaque da Comunidade" - many_people_are_you_sure: "Tem certeza de que deseja iniciar uma conversa privada com mais de %{suggested_limit} contatos? Uma publicação para o aspecto que eles estão pode ser uma melhor maneira de contactá-los." my_contacts: "Meus Contatos" no_contacts: "Parece que você precisa adicionar mais contatos!" no_contacts_message: "Veja %{community_spotlight}" - no_contacts_message_with_aspect: "Veja %{community_spotlight} ou %{add_to_aspect_link}" only_sharing_with_me: "Só compartilhando comigo" - remove_person_from_aspect: "Remover %{person_name} de \"%{aspect_name}\"" + remove_contact: "Remover contato" start_a_conversation: "Iniciar uma conversa" title: "Contatos" + user_search: "Busca de Usuário" your_contacts: "Seus Contatos" - many: "%{count} contatos" one: "1 contato" other: "%{count} contatos" sharing: @@ -303,7 +279,6 @@ pt-BR: spotlight: community_spotlight: "Destaque da Comunidade" suggest_member: "Sugerir um membro" - two: "%{count} contatos" zero: "contatos" conversations: conversation: @@ -313,7 +288,8 @@ pt-BR: no_contact: "Cuidado, você precisa adicionar o contato primeiro!" sent: "Mensagem enviada" destroy: - success: "Conversa removida com sucesso" + delete_success: "Conversa excluída com sucesso" + hide_success: "Conversa escondida com sucesso" helper: new_messages: few: "%{count} novas mensagens" @@ -324,7 +300,7 @@ pt-BR: zero: "Nenhuma mensagem nova" index: conversations_inbox: "Conversas - Caixa de Entrada" - create_a_new_conversation: "começar uma nova conversa" + create_a_new_conversation: "iniciar uma nova conversa" inbox: "Entrada" new_conversation: "Nova conversa" no_conversation_selected: "nenhuma conversa selecionada" @@ -338,7 +314,8 @@ pt-BR: new_conversation: fail: "Mensagem inválida" show: - delete: "deletar e bloquear esta conversa" + delete: "apagar e fechar esta conversa" + hide: "Esconder e silenciar conversa" reply: "responder" replying: "Respondendo..." date: @@ -346,7 +323,7 @@ pt-BR: birthday: "%d %B" birthday_with_year: "%d de %B de %Y" fullmonth_day: "%d de %B" - delete: "Deletar" + delete: "Apagar" email: "Email" error_messages: helper: @@ -377,8 +354,8 @@ pt-BR: contacts_know_aspect_q: "Meus contactos sabem em que aspectos eu os coloquei?" contacts_visible_a: "Se você selecionar esta opção, então os contatos daquele aspecto serão capazes de ver quem mais está lá dentro, na sua página de perfil, sob a sua imagem pessoal. É melhor selecionar esta opção somente se todos os contatos naquele aspecto se conhecerem. Eles ainda não serão capazes de poder ver o nome do aspecto." contacts_visible_q: "O que significa \"tornar contatos neste aspecto visíveis entre eles\"?" - delete_aspect_a: "Na sua lista de aspectos do lado esquerdo na página principal, aponte o mouse para o aspecto que você quer deletar. Clique no pequeno lápis de edição que aparece à direita. Clique no botão Deletar na caixa que aparece." - delete_aspect_q: "Como eu deleto um aspecto?" + delete_aspect_a: "Na sua lista de aspectos do lado esquerdo na página principal, aponte o mouse para o aspecto que você quer apagar. Clique no pequeno lápis de edição que aparece à direita. Clique no botão Apagar na caixa que aparece." + delete_aspect_q: "Como eu apago um aspecto?" person_multiple_aspects_a: "Sim. Vá até sua página de contatos e clique em meus contatos. Para cada contato você pode usar o menu à direita para adicioná-los para (ou removê-los de) tantos aspectos quanto você quiser. Ou você pode adicioná-los a um novo aspecto (ou removê-los de um aspecto) clicando no botão seletor de aspectos na sua página de perfil. Ou você pode ainda apenas mover o cursor sobre o nome que você vê no fluxo, e um 'cartão flutuante' aparecerá. Você pode mudar os aspectos que estão à direita." person_multiple_aspects_q: "Posso adicionar uma pessoa a múltiplos aspectos?" post_multiple_aspects_a: "Sim. Quando você está fazendo uma publicação, use o botão seletor de aspectos para selecionar ou desselecionar aspectos. Sua publicação será visível a todos os aspectos que você selecionou. Você pode também selecionar na barra lateral os aspectos para os quais você quer publicar. Quando você publica, o(s) aspecto(s) que você selecionou da lista à esquerda será(ão) automaticamente selecionado(s) no seletor de aspectos." @@ -403,7 +380,7 @@ pt-BR: get_support_a_wiki: "procure o %{link}" get_support_q: "E se minha pergunta não for respondida neste FAQ? Onde mais eu posso encontrar ajuda?" getting_started_a: "Você está com sorte. Tente o %{tutorial_series} no nosso site do projeto. Ele te levará passo-a-passo através do processo de registro e te ensinará todas as coisas básicas que você precisa saber para utilizar diaspora*." - getting_started_q: "Socorro! Preciso de ajuda para começar!" + getting_started_q: "Socorro! Preciso de alguma ajuda básica para começar!" title: "Obter ajuda" getting_started_tutorial: "tutorial da série 'Começando'" here: "aqui" @@ -414,6 +391,9 @@ pt-BR: keyboard_shortcuts_li2: "k - pular para a publicação anterior" keyboard_shortcuts_li3: "c - comentar a publicação atual" keyboard_shortcuts_li4: "l - curtir a publicação atual" + keyboard_shortcuts_li5: "Recompartilhar a publicação atual" + keyboard_shortcuts_li6: "Expandir a publicação atual" + keyboard_shortcuts_li7: "Abrir o primeiro link na publicação atual" keyboard_shortcuts_q: "Quais teclas de atalho estão disponíveis?" title: "Teclas de atalho" markdown: "Markdown" @@ -469,6 +449,8 @@ pt-BR: insert_images_comments_a2: "pode ser usado para inserir imagens da web aos comentários assim como às publicações." insert_images_comments_q: "Posso inserir imagens em comentários?" insert_images_q: "Como eu insiro imagens às publicações?" + post_poll_a: "Clique no ícone gráfico para gerar uma enquete. Digite uma pergunta e pelo menos duas respostas. Não se esqueça de colocar sua postagem como publica, se você quer que todos sejam capazes de participar de sua enquete." + post_poll_q: "Como posso adicionar uma enquete para a minha publicação?" size_of_images_a: "Não. Imagens são redimensionadas automaticamente para preencherem o fluxo. Markdown não tem um código para especificar o tamanho de uma imagem." size_of_images_q: "Posso personalizar o tamanho das imagens em publicações ou comentários?" stream_full_of_posts_a1: "Seu fluxo é composto de três tipos de publicações:" @@ -537,6 +519,7 @@ pt-BR: add_to_aspect_li5: "Mas se Ben vai até a página de perfil de Amy, então ele verá publicações privadas que Amy tenha feito ao aspecto dela do qual que ele faça parte (assim como publicações públicas que qualquer pessoa pode ver lá)." add_to_aspect_li6: "Ben será capaz de ver o perfil privado de Amy (bio, localização, sexo, aniversário)." add_to_aspect_li7: "Amy aparecerá sob \"Só compartilhando comigo\" na página de contatos de Ben." + add_to_aspect_li8: "Amy também será capaz de @mencionar Ben em uma publicação." add_to_aspect_q: "O que acontece quando eu adiciono alguém a um dos meus aspectos? Ou quando alguém me adiciona a um dos aspectos deles?" list_not_sharing_a: "Não, mas você pode ver se algumas pessoas estão compartilhando com você ou não, visitando o perfil deles. Se eles estão, a barra sob a foto de perfil deles estará verde; se não, estará cinza. Você deve receber uma notificação cada vez que alguém começa a compartilhar com você." list_not_sharing_q: "Existe uma lista de pessoas as quais eu adicionei a um de meus aspectos, mas que não tenham me adicionado a um dos aspectos deles?" @@ -544,6 +527,8 @@ pt-BR: only_sharing_q: "Quem são as pessoas listadas em \"Só compartilhando comigo\" em minha página de contatos?" see_old_posts_a: "Não. Eles somente serão capazes de ver novas publicações para o aspecto. Eles (e todos os demais) podem ver suas publicações públicas antigas na sua página de perfil, e eles também podem vê-las no fluxo deles." see_old_posts_q: "Quando eu adiciono alguém a um aspecto, eles podem ver publicações antigas que eu já tenha feito para aquele aspecto?" + sharing_notification_a: "Você recebera uma notificação cada vez que alguém começar a compartilhar com você." + sharing_notification_q: "Como saber quando alguém começar a compartilhar comigo?" title: "Compartilhando" tags: filter_tags_a: "Ainda não é possível diretamente através de diaspora*, mas algumas %{third_party_tools} tem sido escritas para poder prover isto." @@ -611,7 +596,7 @@ pt-BR: whats_new: "O que há de novo?" your_aspects: "Seus aspectos" header: - admin: "Administrador" + admin: "Administração" blog: "Blog" code: "Código" help: "Ajuda" @@ -643,13 +628,13 @@ pt-BR: zero: "ninguém curtiu" limited: "Limitado" more: "Mais" - next: "Próximo" + next: "próximo" no_results: "Nenhum Resultado Encontrado" notifications: also_commented: - one: "%{actors} também comentou sobre a %{post_link} de %{post_author}." - other: "%{actors} também comentaram sobre a %{post_link} de %{post_author}." - zero: "%{actors} comentou sobre a %{post_link} de %{post_author}." + one: "%{actors} também comentou sobre %{post_link} de %{post_author}." + other: "%{actors} também comentaram sobre %{post_link} de %{post_author}." + zero: "%{actors} comentou sobre %{post_link} de %{post_author}." also_commented_deleted: one: "%{actors} comentou em uma publicação apagada." other: "%{actors} comentaram em uma publicação apagada." @@ -677,21 +662,22 @@ pt-BR: other: "e %{count} outros" two: "e %{count} outros" zero: "e mais ninguém" - comment_on_post: "Comentar na publicação" + comment_on_post: "Comentou na publicação" liked: "Curtiu" mark_all_as_read: "Marcar tudo como lido" + mark_all_shown_as_read: "marcar tudo como lido" mark_read: "Marcar como lido" mark_unread: "Marcar como não lida" mentioned: "Mencionou" notifications: "Notificações" - reshared: "Re-compartilhada" + reshared: "Recompartilhou" show_all: "mostrar tudo" show_unread: "mostrar não lido" started_sharing: "Começou a compartilhar" liked: - one: "%{actors} curtiu sua %{post_link}." - other: "%{actors} curtiram sua %{post_link}." - zero: "%{actors} curtiu sua %{post_link}." + one: "%{actors} curtiu sua publicação %{post_link}." + other: "%{actors} curtiram sua publicação %{post_link}." + zero: "%{actors} curtiu sua publicação %{post_link}." liked_post_deleted: one: "%{actors} curtiu sua publicação apagada." other: "%{actors} curtiram sua publicação apagada." @@ -710,9 +696,9 @@ pt-BR: other: "%{actors} te enviaram uma mensagem." zero: "Ninguém te enviou uma mensagem." reshared: - one: "%{actors} recompartilhou a sua %{post_link}." - other: "%{actors} recompartilharam a sua %{post_link}." - zero: "%{actors} recompartilhou a sua %{post_link}." + one: "%{actors} recompartilhou a sua publicação %{post_link}." + other: "%{actors} recompartilharam a sua publicação %{post_link}." + zero: "%{actors} recompartilhou a sua publicação %{post_link}." reshared_post_deleted: one: "%{actors} recompartilhou sua publicação apagada." other: "%{actors} recompartilharam sua publicação apagada." @@ -722,7 +708,9 @@ pt-BR: other: "%{actors} começaram a compartilhar com você." zero: "Ninguém está compartilhando com você." notifier: + a_limited_post_comment: "Há um novo comentário em um post limitado na diáspora * para você conferir" a_post_you_shared: "uma publicação." + a_private_message: "Há uma nova mensagem privada no diáspora * para você conferir" accept_invite: "Aceite Seu Convite Para Diaspora*!" click_here: "clique aqui" comment_on_post: @@ -731,6 +719,29 @@ pt-BR: click_link: "Para confirmar o seu novo endereço de email %{unconfirmed_email}, por favor clique neste link:" subject: "Por favor, ative o seu novo endereço de email %{unconfirmed_email}" email_sent_by_diaspora: "Este email foi enviado por %{pod_name}. Se você deseja parar de receber emails como este," + export_email: + body: |- + Olá %{name}, + + Os seus dados foram processados e estão prontos para transferência, seguindo [este link](%{url}). + + Felicidades, + + Diáspora * email automatico! + subject: "Os seus dados pessoais estão prontos para transferência, %{name}" + export_failure_email: + body: |- + Olá %{name} + + Encontramos um problema ao processar seus dados pessoais para transferência. + Por favor, tente novamente! + + Desculpe, + + Diáspora * email automatico! + subject: "Lamentamos, houve um problema com seus dados, %{name}" + export_photos_email: + subject: "Suas fotos estão prontas para baixar %{name}" hello: "Olá %{name}!" invite: message: |- @@ -756,6 +767,8 @@ pt-BR: subject: "%{name} mencionou você em Diaspora*" private_message: reply_to_or_view: "Responder ou visualizar esta conversa >" + remove_old_user: + subject: "A sua conta no diaspora* foi marcada para a remoção devido a inatividade" report_email: body: |- Olá, @@ -800,7 +813,6 @@ pt-BR: add_contact_from_tag: "adicionar contato de tag" aspect_list: edit_membership: "editar participação no aspecto" - few: "%{count} pessoas" helper: is_not_sharing: "%{name} não está compartilhando com você" is_sharing: "%{name} está compartilhando com você" @@ -811,10 +823,9 @@ pt-BR: no_one_found: "...e ninguém foi encontrado." no_results: "Ei! Você precisa procurar por alguma coisa." results_for: "Resultado da busca por %{search_term}" - search_handle: "Para que você encontre seus amigos, use o diaspora* ID deles (nomedeusuario@pod.tld)." + search_handle: "Para que você encontre seus amigos, use a diaspora* ID deles (nomedeusuario@nomedopod.org)." searching: "pesquisando, por favor tenha paciência..." send_invite: "Nada ainda? Envie um convite!" - many: "%{count} pessoas" one: "1 pessoa" other: "%{count} pessoas" person: @@ -825,7 +836,7 @@ pt-BR: profile_sidebar: bio: "Biografia" born: "Aniversário" - edit_my_profile: "Editar Meu Perfil" + edit_my_profile: "Editar meu perfil" gender: "Sexo" in_aspects: "em aspectos" location: "Localização" @@ -851,7 +862,6 @@ pt-BR: add_some: "adicione algo" edit: "editar" you_have_no_tags: "você não tem tags!" - two: "%{count} pessoas" webfinger: fail: "Desculpe, não conseguimos encontrar %{handle}." zero: "nenhuma pessoa" @@ -862,7 +872,7 @@ pt-BR: runtime_error: "O envio falhou! Você colocou seu cinto de segurança?" type_error: "O envio da foto falhou. Tem certeza que a imagem é válida?" destroy: - notice: "Foto deletada." + notice: "Foto apagada." edit: editing: "Editando" new: @@ -880,9 +890,9 @@ pt-BR: view_all: "Ver todas as fotos do(a) %{name}" show: collection_permalink: "links permanentes" - delete_photo: "Deletar Foto" + delete_photo: "Apagar Foto" edit: "Editar" - edit_delete_photo: "Editar descrição / deletar foto" + edit_delete_photo: "Editar descrição / apagar foto" make_profile_photo: "Marcar como foto do perfil" show_original_post: "Ver publicação original" update_photo: "Atualizar Foto" @@ -893,7 +903,7 @@ pt-BR: presenter: title: "Uma publicação de %{name}" show: - destroy: "Deletar" + destroy: "Apagar" not_found: "Desculpe! Não foi possível encontrar." permalink: "link permanente" photos_by: @@ -901,7 +911,7 @@ pt-BR: other: "%{count} fotos de %{author}" zero: "Não há fotos de %{author}" reshare_by: "Recompartilhado por %{author}" - previous: "Anterior" + previous: "anterior" privacy: "Privacidade" privacy_policy: "Política de Privacidade" profile: "Perfil" @@ -949,21 +959,20 @@ pt-BR: update: "Atualizar" invalid_invite: "O link com o convite não é mais válido." new: - continue: "Continue" create_my_account: "Criar minha conta!" - diaspora: "♥ Diaspora*" email: "EMAIL" enter_email: "Digite o email" enter_password: "Digite a senha (mínimo de seis caracteres)" enter_password_again: "Digite novamente a tua senha" enter_username: "Escolha um nome de usuário (use somente letras, números e sublinhados)" - hey_make: "HEY,
FAÇA
ALGO." join_the_movement: "Junte-se ao movimento!" password: "SENHA" password_confirmation: "CONFIRMAÇÃO DE SENHA" sign_up: "INSCREVER" sign_up_message: "Rede social com um ♥" submitting: "Enviando..." + terms: "Ao criar uma conta você aceita os %{terms_link}." + terms_link: "Termos de Serviço" username: "USUÁRIO" report: comment_label: "Comentário:
%{data}" @@ -975,11 +984,11 @@ pt-BR: reported_label: "Relatado por %{person}" review_link: "Marcar como revisado" status: - created: "Um relatório foi criado" + created: "Um relato foi criado" destroyed: "A publicação foi destruída" failed: "Alguma coisa deu errado" - marked: "O relatório foi marcado como revisado" - title: "Visão Geral de Relatórios" + marked: "Um relato foi marcado como revisado" + title: "Visão Geral de Relatos" requests: create: sending: "Enviando" @@ -1006,7 +1015,7 @@ pt-BR: create: failure: "Houve um erro ao recompartilhar esta publicação." reshare: - deleted: "A publicação original foi deletada pelo autor." + deleted: "A publicação original foi apagada pelo autor." reshare: one: "1 recompartilhamento" other: "%{count} recompartilhamentos" @@ -1023,7 +1032,7 @@ pt-BR: read_only_access: "O nível de acesso é somente-leitura, por favor tente autorização novamente mais tarde" success: "Sucesso na autenticação." destroy: - success: "Autenticação deletada com sucesso." + success: "A autenticação foi apagada com sucesso." failure: error: "houve um erro na conexão deste serviço" finder: @@ -1056,7 +1065,7 @@ pt-BR: shared: add_contact: add_new_contact: "Adicione um novo contato" - create_request: "Procurar por diaspora* ID" + create_request: "Procurar pela diaspora* ID" diaspora_handle: "diaspora@pod.org" enter_a_diaspora_username: "Digite um nome de usuário diaspora*:" know_email: "Você sabe seus e-mails? Convide-os!" @@ -1078,7 +1087,7 @@ pt-BR: from_facebook: "Do Facebook" invitations_left: "%{count} restantes" invite_someone: "Convidar alguém" - invite_your_friends: "Convide seus amigos" + invite_your_friends: "Convide seus Amigos" invites: "Convites" invites_closed: "Convites estão temporariamente desativados neste servidor diaspora*" share_this: "Compartilhe este link via email, blog, ou redes sociais!" @@ -1107,7 +1116,7 @@ pt-BR: invited_by: "Obrigado pelo convite, " newhere: "Novato" poll: - add_a_poll: "Adcionar uma enquete" + add_a_poll: "Adicionar uma enquete" add_poll_answer: "Adicionar opção" option: "Opção 1" question: "Pergunta" @@ -1149,24 +1158,23 @@ pt-BR: create: success: "Mencionados com sucesso: %{names}" destroy: - failure: "Falha ao deletar a publicação" + failure: "Falha ao apagar a publicação" helper: no_message_to_display: "Nenhuma mensagem para mostrar." new: mentioning: "Mencionando: %{person}" - too_long: - one: "por favor, crie mensagens de status com menos de %{count} caracteres" - other: "por favor, crie mensagens de status com menos de %{count} caracteres" - zero: "por favor, crie mensagens de status com menos de %{count} caracteres" + too_long: "Por favor, faça com que suas mensagens de status sejam menores que %{count} caracteres. Neste momento elas estão com %{current_length} caracteres." stream_helper: hide_comments: "Ocultar todos os comentários" + no_more_posts: "Você chegou ao final do fluxo." + no_posts_yet: "Não existem publicações ainda." show_comments: one: "Ver mais um comentário" other: "Ver mais %{count} comentários" zero: "Nenhum comentário" streams: activity: - title: "Minhas Atividades" + title: "Minha Atividade" aspects: title: "Meus Aspectos" aspects_stream: "Aspectos" @@ -1186,16 +1194,15 @@ pt-BR: mentioned_stream: "@Menções" mentions: contacts_title: "Pessoas que você mencionou" - title: "Suas menções" + title: "@Menções" multi: - contacts_title: "Pessoas em seus Fluxos" - title: "Fluxos" + contacts_title: "Pessoas em seu Fluxo" + title: "Fluxo" public: contacts_title: "Publicadores Recentes" title: "Atividade Pública" tags: contacts_title: "Pessoas que seguem essa tag" - tag_prefill_text: "Uma coisa sobre %{tag_name} é... " title: "Publicações com a tag: %{tags}" tag_followings: create: @@ -1208,17 +1215,14 @@ pt-BR: tags: show: follow: "Seguir #%{tag}" - followed_by_people: - one: "Seguido por uma pessoa" - other: "Seguido por %{count} pessoas" - zero: "Seguido por ninguém" following: "Seguindo #%{tag}" - nobody_talking: "Ninguém está falando sobre %{tag} ainda." none: "A tag vazia não existe!" - people_tagged_with: "Pessoas marcadas com %{tag}" - posts_tagged_with: "Publicações marcadas com #%{tag}" stop_following: "Parar de seguir #%{tag}" - terms_and_conditions: "Termos e condições" + tagged_people: + one: "1 pessoa marcada com %{tag}" + other: "%{count} pessoas marcadas com %{tag}" + zero: "Ninguém marcado com %{tag}" + terms_and_conditions: "Termos e Condições" undo: "Desfazer?" username: "Usuário" users: @@ -1246,13 +1250,13 @@ pt-BR: make_diaspora_better: "Nós queremos que você faça diaspora* melhor, então nos ajude ao invés de sair. Se você quer mesmo sair, queremos que você saiba o que ainda acontecerá." mr_wiggles: "Mr Wiggles ficará triste se você for." no_turning_back: "Atualmente, não tem volta." - what_we_delete: "Vamos deletar todas as suas publicações e informações do perfil assim que possível. Seus comentários ainda ficarão, mas serão associados ao seu diaspora* ID ao invés do seu nome." + what_we_delete: "Vamos apagar todas as suas publicações e informações do perfil assim que possível. Seus comentários ainda ficarão, mas serão associados a sua diaspora* ID ao invés do seu nome." close_account_text: "Encerrar conta" comment_on_post: "alguém comenta sua publicação" current_password: "Senha Atual" current_password_expl: "o que você usa atualmente..." + download_export: "Baixar o meu perfil" download_photos: "Baixar minhas fotos" - download_xml: "Baixar meu XML" edit_account: "Editar Conta" email_awaiting_confirmation: "Temos que lhe enviar um link para a confirmação do email %{unconfirmed_email}. Enquanto você não confirmar o seu novo endereço de email, nós continuaremos utilizando o endereço antigo: %{email}." export_data: "Exportar dados" @@ -1261,17 +1265,18 @@ pt-BR: liked: "alguém curte sua publicação" mentioned: "você é mencionado(a) em uma publicação" new_password: "Nova senha" - photo_export_unavailable: "Exportação de fotos indisponível no momento." private_message: "você recebe uma mensagem privada" receive_email_notifications: "Receber notificações por email quando:" + request_export: "Solicitar dados do meu perfil" + request_export_update: "Atualizar dados do meu perfil" reshared: "alguém recompartilha sua publicação" - show_community_spotlight: "Mostrar Destaque da Comunidade no fluxo" - show_getting_started: "Mostrar dicas de Como Começar" - someone_reported: "alguém enviou um relatório" + show_community_spotlight: "Mostrar Destaque da Comunidade no Fluxo" + show_getting_started: "Mostrar dicas de como começar" + someone_reported: "alguém envia um relato" started_sharing: "alguém começa a compartilhar com você" - stream_preferences: "Preferências do fluxo" + stream_preferences: "Preferências do Fluxo" your_email: "Seu Email" - your_handle: "Seu diaspora* ID" + your_handle: "Sua diaspora* ID" getting_started: awesome_take_me_to_diaspora: "Incrível! Leve-me ao Diaspora*." community_welcome: "A comunidade diaspora* está feliz em tê-lo(a) a bordo!" @@ -1285,6 +1290,7 @@ pt-BR: who_are_you: "Quem é você?" privacy_settings: ignored_users: "Usuários Ignorados" + no_user_ignored_message: "Você não está ignorando nenhum outro usuário" stop_ignoring: "Parar de ignorar" title: "Configurações de Privacidade" public: diff --git a/config/locales/diaspora/pt-PT.yml b/config/locales/diaspora/pt-PT.yml index 8602fc21a..0fd961d92 100644 --- a/config/locales/diaspora/pt-PT.yml +++ b/config/locales/diaspora/pt-PT.yml @@ -31,15 +31,15 @@ pt-PT: reshare: attributes: root_guid: - taken: "Assim tão bom, hein? Já repartilhou essa publicação!" + taken: "Assim tão bom? Já repartilhou essa publicação!" user: attributes: email: taken: "já foi escolhido." person: - invalid: "não é válido." + invalid: "é inválido." username: - invalid: "é inválido. Só permitimos letras, números e underscores." + invalid: "é inválido. Nós só permitimos letras, números e sublinhados." taken: "já foi escolhido." admins: admin_bar: @@ -97,14 +97,14 @@ pt-PT: zero: "Número de novos utilizadores esta semana: nenhum" current_server: "A data do servidor atual é %{date}" ago: "Há %{time} atrás" - all_aspects: "Todos os grupos" + all_aspects: "Todos os Grupos" application: helper: unknown_person: "pessoa desconhecida" video_title: - unknown: "Vídeo com título desconhecido" + unknown: "Título de vídeo desconhecido" are_you_sure: "Tem a certeza?" - are_you_sure_delete_account: "Você tem a certeza que deseja encerrar a sua conta? Isto não pode ser anulado!" + are_you_sure_delete_account: "Tem a certeza que deseja encerrar a sua conta? Isto não pode ser anulado!" aspect_memberships: destroy: failure: "Erro ao remover a pessoa do grupo" @@ -112,21 +112,19 @@ pt-PT: success: "Pessoa removida com sucesso do grupo" aspects: add_to_aspect: - failure: "Falha ao adicionar contacto ao grupo." + failure: "Não foi possível adicionar o contacto ao grupo." success: "Contacto adicionado ao grupo com sucesso." - aspect_contacts: - done_editing: "finalizar edição" aspect_listings: add_an_aspect: "+ Adicionar um grupo" - deselect_all: "Limpar a seleção" - edit_aspect: "Alterar %{name}" + deselect_all: "Desmarcar todos" + edit_aspect: "Editar %{name}" select_all: "Selecionar todos" aspect_stream: make_something: "Efeute algo" stay_updated: "Mantenha-se atualizado" stay_updated_explanation: "No seu fluxo geral pode encontrar todos os seus contactos, as etiquetas que segue e as publicações de alguns membros criativos da comunidade." - contacts_not_visible: "Contactos neste grupo não se verão uns aos outros." - contacts_visible: "Contactos neste grupo ver-se-ão uns aos outros." + contacts_not_visible: "Os contactos neste grupo não poderão ver-se uns aos outros." + contacts_visible: "Os contactos neste grupo poderão ver-se uns aos outros." create: failure: "A criação do grupo falhou." success: "O seu novo grupo %{name} foi criado" @@ -134,21 +132,14 @@ pt-PT: failure: "%{name} não se encontra vazio e não pôde ser removido." success: "%{name} foi removido(a) com sucesso." edit: - add_existing: "Adicionar um contacto existente" aspect_list_is_not_visible: "Os contactos neste grupo não podem ver-se uns aos outros." aspect_list_is_visible: "Os contactos neste grupo podem ver-se uns aos outros." - confirm_remove_aspect: "Tem a certeza que deseja eliminar este grupo?" - done: "Feito" + confirm_remove_aspect: "Tem a certeza que deseja apagar este grupo?" make_aspect_list_visible: "tornar visíveis uns aos outros nos contactos deste grupo?" - remove_aspect: "Eliminar este grupo" - rename: "mudar o nome" + remove_aspect: "Apagar este grupo" + rename: "renomear" update: "atualizar" updating: "a atualizar" - few: "%{count} grupos" - helper: - are_you_sure: "Tem a certeza que deseja eliminar este grupo?" - aspect_not_empty: "Grupo não vazio" - remove: "remover" index: diaspora_id: content_1: "A sua identificação diaspora* é:" @@ -158,10 +149,10 @@ pt-PT: handle_explanation: "Esta é a sua identificação no diaspora*. Tal como num endereço de e-mail, pode dá-la às pessoas para o contactarem." help: any_problem: "Algum problema?" - contact_podmin: "Contacte o administrador do seu pod!" + contact_podmin: "Contacte o administrador do seu servidor!" do_you: "Tem:" email_feedback: "%{link} o seu feedback, se preferir" - email_link: "Email" + email_link: "Corrreio Eletrónico" feature_suggestion: "... tem uma sugestão para %{link}?" find_a_bug: "... encontrar uma %{link}?" have_a_question: "... uma %{link}?" @@ -178,29 +169,24 @@ pt-PT: keep_pod_running: "Mantenha %{pod} a funcionar com rapidez e compre aos servidores o \"café deles\" doando mensalmente!" new_here: follow: "Siga %{link} e dê as boas-vindas aos novos utilizadores do diaspora*!" - learn_more: "Saiba mais" + learn_more: "Saber mais" title: "Dê as boas-vindas a novos utilizadores" - no_contacts: "Não há contactos" + no_contacts: "Nenhuns contactos" no_tags: "+ Encontre uma etiqueta para seguir" people_sharing_with_you: "Pessoas a partilhar consigo" post_a_message: "publicar uma mensagem >>" services: content: "Pode conetar os seguintes serviços ao diaspora*:" - heading: "Ligar serviços" + heading: "Conetar Serviços" unfollow_tag: "Deixar de seguir #%{tag}" welcome_to_diaspora: "Bem-vindo ao diaspora*, %{name}!" - many: "%{count} grupos" - move_contact: - error: "Erro ao mover o contacto: %{inspect}" - failure: "não funcionou %{inspect}" - success: "Pessoa movida para o novo grupo" new: create: "Criar" name: "Nome (apenas visível para si)" no_contacts_message: community_spotlight: "destaque da comunidade" or_spotlight: "Ou pode partilhar com %{link}" - try_adding_some_more_contacts: "Pode pesquisar ou convidar mais contactos." + try_adding_some_more_contacts: "Pode procurar ou convidar mais contactos." you_should_add_some_more_contacts: "Devia adicionar mais alguns contactos!" no_posts_message: start_talking: "Ainda ninguém disse nada!" @@ -211,14 +197,6 @@ pt-PT: family: "Família" friends: "Amigos" work: "Trabalho" - selected_contacts: - manage_your_aspects: "Gerir os seus grupos." - no_contacts: "Ainda não tem quaisquer grupos aqui." - view_all_community_spotlight: "Ver todos os destaques da comunidade" - view_all_contacts: "Ver todos os contactos" - show: - edit_aspect: "editar grupo" - two: "%{count} grupos" update: failure: "O seu grupo, %{name}, tinha um nome grande demais para ser guardado." success: "O seu grupo, %{name}, foi editado com sucesso." @@ -238,36 +216,27 @@ pt-PT: post_success: "Publicado! A fechar!" cancel: "Cancelar" comments: - few: "%{count} comentários" - many: "%{count} comentários" new_comment: comment: "Comentar" commenting: "A comentar..." one: "1 comentário" other: "%{count} comentários" - two: "%{count} comentários" zero: "não há comentários" contacts: create: failure: "Erro ao criar contacto" - few: "%{count} contactos" index: add_a_new_aspect: "Adicionar um novo grupo" add_to_aspect: "Adicionar contactos a %{name}" - add_to_aspect_link: "adicionar contactos a %{name}" all_contacts: "Todos os contactos" community_spotlight: "Destaques da comunidade" - many_people_are_you_sure: "Tem a certeza de que deseja começar um conversa privada com mais de %{suggested_limit} contactos? Publicar para este grupo pode ser uma forma melhor de os contactar." my_contacts: "Os meus contactos" no_contacts: "Parece que precisa de adicionar alguns contactos." no_contacts_message: "Verifique %{community_spotlight}" - no_contacts_message_with_aspect: "Verifique %{community_spotlight} ou %{add_to_aspect_link}" only_sharing_with_me: "Apenas a partilhar comigo" - remove_person_from_aspect: "Remover %{person_name} de \"%{aspect_name}\"" start_a_conversation: "Iniciar uma conversa" title: "Contactos" your_contacts: "Os seus contactos" - many: "%{count} contactos" one: "1 contacto" other: "%{count} contactos" sharing: @@ -275,7 +244,6 @@ pt-PT: spotlight: community_spotlight: "Destaque da comunidade" suggest_member: "Sugerir um membro" - two: "%{count} contactos" zero: "contactos" conversations: conversation: @@ -284,8 +252,6 @@ pt-PT: fail: "Mensagem inválida" no_contact: "Cuidado, tem de adicionar primeiro um contacto!" sent: "A mensagem foi enviada" - destroy: - success: "A conversa foi removida com sucesso" helper: new_messages: few: "%{count} novas mensagens" @@ -305,7 +271,7 @@ pt-PT: subject: "assunto" to: "para" show: - delete: "apagar e bloquear a conversa" + delete: "apagar conversação" reply: "responder" replying: "A responder..." date: @@ -314,7 +280,7 @@ pt-PT: birthday_with_year: "%d de %B de %Y" fullmonth_day: "%d de %B" delete: "Apagar" - email: "Email" + email: "Correio Eletrónico" error_messages: helper: correct_the_following_errors_and_try_again: "Corrija os seguintes erros e volte a tentar." @@ -352,14 +318,14 @@ pt-PT: remove_notification_a: "Não." remove_notification_q: "Se eu remover alguém de um ou de todos os meus grupos, essa pessoa recebe alguma notificação?" rename_aspect_a: "Sim. No lado esquerdo da página principal, na sua lista de aspetos, coloque o cursor do rato sobre o aspeto que deseja renomear. Clique no lápis pequeno que está à direita de 'editar'. Clique em renomear na caixa que aparece." - rename_aspect_q: "Posso renomear um aspecto?" + rename_aspect_q: "Eu posso renomear um aspeto?" restrict_posts_i_see_a: "Sim. Clique em Os Meus Aspectos na barra lateral e em seguida clique em aspectos individuais na lista para seleccioná-los ou desseleccioná-los. Apenas as publicações por pessoas nos aspectos seleccionados apareceção no seu Stream." restrict_posts_i_see_q: "Posso restringir as publicações que eu só vejo de certos aspetos?" - title: "Aspetos" + title: "Grupos" what_is_an_aspect_a: "Aspetos é a maneira em que agrupa os seus contactos no diaspora*. Um aspeto é uma daquelas faces que mostra ao mundo. Poderá ser quem você é no emprego, ou quem é para a sua família, ou quem é para os seus amigos num clube ao qual você pertence." - what_is_an_aspect_q: "O que é um aspeto?" + what_is_an_aspect_q: "O que é um grupo?" who_sees_post_a: "Se colocar uma publicação limitada, esta só irá estar visível para as pessoas que colocou nesse aspeto (ou aspetos, se esta for para múltiplos aspetos). Os seus contactos que não estiverem nesse aspeto, não têm nenhuma maneira de a verem, a não ser que a torne pública. Só as publicações públicas é que estarão visíveis para qualquer pessoa que não tenha sido colocada num dos seus aspetos." - who_sees_post_q: "Quando publico num aspeto, quem o vê?" + who_sees_post_q: "Quando publico num grupo, quem o vê?" foundation_website: "site da web da fundação diaspora" getting_help: get_support_a_hashtag: "pergunte numa publicação pública no diaspora*, utilizando o cardinal %{question}" @@ -392,40 +358,50 @@ pt-PT: find_people_q: "Acabei de me associar a um servidor, como posso encontrar pessoas com quem partilhar?" title: "Servidores" use_search_box_a: "Se souber a Id. deles completa no diaspora* ID (ex.: sername@podname.org), pode encontrá-los, procurando pela mesma. Se estiver no mesmo pod, pode procurar apenas pelo nome de utilizador. Em alternativa, pode procurá-los pelo nome do perfil deles (o nome que vê no ecrã). Se uma procura não funcionar da primeira vez, tente de novo." - use_search_box_q: "Como utilizo a caixa de pesquisa para procurar pessoas específicas?" + use_search_box_q: "Como é que eu utilizo a caixa de procuras para encontrar uma pessoa específica?" what_is_a_pod_a: "Um pod e um servidor a correr o software diaspora* e ligado à rede diaspora*. \"Pod\" e uma metáfora referindo-se às vagens nas plantas que contém sementes, da maneira que um servidor contém um número de contas de usuários. Existem muitos pods diferentes. Pode adicionar amigos de outros pods e comunicar com eles. (Pode pensar num pod diaspora* como sendo parecido a um provedor de serviço de email: há pods públicos, pods privados, e com algum esforço pode até mesmo correr o seu próprio)." what_is_a_pod_q: "O que é um servidor?" posts_and_posting: - char_limit_services_q: "Qual é o limite de carateres para publicações compartilhadas através de um servço conetado com um cálculo de carateres pequeno?" + char_limit_services_a: "Neste caso a sua publicação é limitada à menor contagem de caracteres (140 no Twitter; 1000 no Tumblr), e o número de caracteres não utilizados é mostrado quando o ícone daquele serviço é assinalado. Ainda poderá publicar nestes serviços se a sua publicação ultrapassar os respetivos limites, no entanto o texto será truncado nesses serviços." + char_limit_services_q: "Qual é o limite de carateres para as publicações partilhadas através de um servço conetado com uma contagenm de carateres pequena?" character_limit_a: "65,535 carateres. Isto é, mais de 65,395 carateres do que o que obtém no Twitter! ;)" - character_limit_q: "Qual é o limite de caracteres em publicações?" + character_limit_q: "Qual é o limite de carateres para as publicações?" + embed_multimedia_a: "Geralmente basta colar a hiperligação (por exemplo: http://www.youtube.com/watch?v=nnnnnnnnn) na sua publicação, e o vídeo ou áudio será incorporado automaticamente. Alguns dos sites suportados são: YouTube, Vimeo, SoundCloud e Flickr entre outros. diaspora* utiliza oEmbed para esse efeito. A todo o momento novos sites vão sendo acrescentados a este suporte. Lembre-se de fazer sempre uma publicação de links simples e completos: não utilize links abreviados; nem caracteres depois da hiperligação base; e aguarde um instante antes de refrescar a página para ver a previsão de como ficará depois de publicar." embed_multimedia_q: "Como é que eu integro um vídeo, áudio, ou outro conteúdo de multimédia numa publicação?" + format_text_a: "Ao utilizar um sistema simplificado chamado %{markdown}. Pode encontrar a sintaxe Markdown completa %{here}. O botão de pré-visualização é muito útil aqui, pois permite ver como aparecerá a sua mensagem antes de a compartilhar." format_text_q: "Como é que eu formato o texto nas minhas publicações (negrito, itálico, etc.)?" hide_posts_a: "Se apontar o seu rato no topo de uma publicação, aparece um X à direita. Clique-o para ocultar a publicação e cancelar as notificações sobre a mesma. Ainda pode continuar a ver a publicação se visitar a página de perfil da pessoas que a publicou." hide_posts_q: "Como é que eu oculto uma publicação? Como é que eu deixo de receber notificações sobre uma publicação com o meu comentário?" image_text: "texto da imagem" - image_url: "URL da imagem" + image_url: "url da imagem" insert_images_a: "Clique no ícone da câmara para inserir uma imagem numa publicação. Clique novamente no ícone da fotografia para adicionar outra fotografia, ou pode selecionar múltiplas fotografias para as enviar de uma vez." insert_images_comments_a1: "O código seguinte \"Mardown\"" insert_images_comments_a2: "pode ser utilizado para inserir imagens da web para os comentários, bem como, nas publicações." - insert_images_comments_q: "Posso inserir imagens em comentários?" - insert_images_q: "Como insiro imagens em publicações?" + insert_images_comments_q: "Eu posso inserir imagens nos comentários?" + insert_images_q: "Como é que eu insiro imagens nas publicações?" size_of_images_a: "Não. As imagens são redimensionadas automaticamente para se ajustarem ao fluxo. A redução não tem um código para especificar o tamanho de uma imagem." - size_of_images_q: "Posso personalizar o tamanho das imagens em publicações ou comentários?" + size_of_images_q: "Eu posso personalizar o tamanho das imagens nas publicações ou comentários?" stream_full_of_posts_a1: "O seu grupo é constituido até 3 tipos de publicações:" + stream_full_of_posts_li1: "Publicações de pessoas com quem você está a compartilhar, que podem ser de dois tipos: publicações públicas ou publicações limitadas compartilhadas com um grupo do qual você faz parte. Para remover essas publicações do seu fluxo, basta parar de compartilhar com essa pessoa." stream_full_of_posts_li2: "Publicações públicas contendo uma das etiquetas que segue. Para as remover, deixe de seguir a etiqueta." + stream_full_of_posts_li3: "Publicações públicas feitas por pessoas listadas em \"Destaque da Comunidade\". Estas podem ser removidas desmarcando a opção \"Mostrar Destaques da Comunidade no Fluxo?\" na aba \"Conta\" das suas \"Definições\"." stream_full_of_posts_q: "Porque é que o meu grupo está cheio de publicações de pessoas que não conheço, e que não compartilho com elas?" title: "Publicações e publicar" private_posts: + can_comment_a: "Apenas os utilizadores logados em diaspora* que associou a esse grupo podem comentar ou gostar da sua publicação privada." can_comment_q: "Quem é que pode comentar ou gostar da minha publicação privada?" + can_reshare_a: "Ninguém. Publicações privadas não são recompartilháveis. Entretanto, utilizadores logados em diaspora* que estejam nesse grupo podem potencialmente copiar e colar a publicação." can_reshare_q: "Quem é que pode recompartilhar a minha publicação privada?" see_comment_a: "Só as pessoas que compartilham a publicação (as pessoas que foram selecionadas em aspeto por quem publica o original) podem ver os seus comentários e o gosto. " see_comment_q: "Quando comento ou gosto de uma publicação privada, quem é que pode ver?" title: "Publicações Privadas" - who_sees_post_q: "Quando eu coloco uma mensagem num aspeto (ex.:, uma publicação privada), quem a pode ver?" + who_sees_post_a: "Apenas os utilizadores logados em diaspora* que associou a esse grupo podem ver a sua publicação privada." + who_sees_post_q: "Quando eu publico uma mensagem num aspeto (ex.:, uma publicação privada), quem a pode ver?" private_profiles: title: "Perfis Privados" + whats_in_profile_a: "Biografia, localização, sexo, e data de nascimento. É o que aparece na parte de baixo da página de edição do perfil. Toda esta informação é opcional - depende de você preencher ou não. Os utilizadores logados que você tenha adicionado aos seus grupos são as únicas pessoas que podem ver o seu perfil privado. Eles também verão as publicações privadas feitas no(s) grupos(s) em que os colocou, misturadas com as publicações públicas feitas por si, quando visitarem a sua página de perfil." whats_in_profile_q: "O que faz parte do meu perfil privado?" + who_sees_profile_a: "Qualquer utilizador logado com quem você esteja a compartilhar (significa que você os adicionou a um dos seus grupos). De qualquer forma, as pessoas que o seguem mas que você não segue, verão apenas a sua informação pública." who_sees_profile_q: "Quem vê o meu perfil privado?" who_sees_updates_a: "Qualquer pessoa nos seus aspetos, vê as alterações do seu perfil privado. " who_sees_updates_q: "Quem vê as atualizações ao meu perfil privado?" @@ -437,6 +413,7 @@ pt-PT: see_comment_reshare_like_a: "Qualquer utilizador do diaspora* com sessão iniciada, e também qualquer outra pessoa na Internet pode comentar e compartilhar publicações pública." see_comment_reshare_like_q: "Quando eu comento em, volto a partilhar, ou gosto de uma publicação pública, quem é que pode ver?" title: "Publicações Públicas" + who_sees_post_a: "Qualquer pessoa que utilize a internet pode potencialmente ver uma publicação marcada por si como pública, por isso assegure-se de que realmente quer que ela seja pública. É uma ótima forma de apelar ao mundo lá fora." who_sees_post_q: "Quando eu publico qualquer coisa publicamente, quem é que pode ver?" public_profiles: title: "Perfis públicos" @@ -479,7 +456,7 @@ pt-PT: your_account_awaits: "A sua conta está à espera!" new: already_invited: "As pessoas seguintes não aceitaram o seu convite:" - aspect: "Aspeto" + aspect: "Grupo" check_out_diaspora: "Descubra o diaspora*!" codes_left: one: "Resta um convite neste código" @@ -664,7 +641,7 @@ pt-PT: thanks: "Obrigado," to_change_your_notification_settings: "para alterar as suas definições de notificação" nsfw: "Conteúdo impróprio" - ok: "OK" + ok: "CONFIRMAR" or: "ou" password: "Palavra-passe" password_confirmation: "Confirmação de palavra-passe" @@ -675,7 +652,6 @@ pt-PT: add_contact_from_tag: "adicionar contacto pela etiqueta" aspect_list: edit_membership: "editar a participação no grupo" - few: "%{count} pessoas" helper: is_not_sharing: "%{name} não está a partilhar consigo" is_sharing: "%{name} está a partilhar consigo" @@ -686,7 +662,6 @@ pt-PT: no_results: "Ei! Precisa pesquisar por alguma coisa." results_for: "Utilizadores que correspondem %{search_term}" searching: "a pesquisar, por favor aguarde..." - many: "%{count} pessoas" one: "1 pessoa" other: "%{count} pessoas" person: @@ -723,7 +698,6 @@ pt-PT: add_some: "adicionar alguns" edit: "editar" you_have_no_tags: "não tem etiquetas!" - two: "%{count} pessoas" webfinger: fail: "Lamentamos muito, não conseguimos encontrar %{handle}." zero: "ninguém" @@ -778,7 +752,7 @@ pt-PT: reshare_by: "Partilhado por %{author}" previous: "anterior" privacy: "Privacidade" - privacy_policy: "Política de privacidade" + privacy_policy: "Política de Privacidade" profile: "Perfil" profiles: edit: @@ -818,15 +792,12 @@ pt-PT: update: "Atualizar" invalid_invite: "A hiperligação de convite fornecida já não é válida!" new: - continue: "Continuar" create_my_account: "Criar a minha conta!" - diaspora: "<3 diaspora*" email: "EMAIL" enter_email: "Introduza um endereço de email" enter_password: "Insira uma senha (mínimo de 6 carateres)" enter_password_again: "Introduza de novo a mesma palavra-passe" enter_username: "Escolha um nome de utilizador (apenas letras, números e sublinhado (_))" - hey_make: "OLÁ,
EFETUE
ALGO." join_the_movement: "Junte-se ao movimento!" password: "PALAVRA-PASSE" password_confirmation: "CONFIRMAÇÃO DA SENHA" @@ -913,8 +884,8 @@ pt-PT: aspect_dropdown: add_to_aspect: "Adicionar contacto" toggle: - one: "Em %{count} aspeto" - other: "Em %{count} aspetos" + one: "Em %{count} grupo" + other: "Em %{count} grupos" zero: "Adicionar contacto" contact_list: all_contacts: "Todos os contactos" @@ -988,10 +959,7 @@ pt-PT: no_message_to_display: "Não há mensagens para mostrar." new: mentioning: "A mencionar: %{person}" - too_long: - one: "por favour, não utilize mais de %{count} carateres nas suas mensagens de estado" - other: "por favour, não utilize mais de %{count} carateres nas suas mensagens de estado" - zero: "por favor, não utilize mais de %{count} carateres nas suas mensagens de estado" + too_long: "{\"one\"=>\"por favour, não utilize mais de %{count} carateres nas suas mensagens de estado\", \"other\"=>\"por favour, não utilize mais de %{count} carateres nas suas mensagens de estado\", \"zero\"=>\"por favor, não utilize mais de %{count} carateres nas suas mensagens de estado\"}" stream_helper: hide_comments: "Ocultar todos comentários" show_comments: @@ -1029,7 +997,6 @@ pt-PT: title: "Atividade pública" tags: contacts_title: "Pessoas que gostam desta etiqueta" - tag_prefill_text: "O que acontece com %{tag_name} é... " title: "Publicações marcadas: %{tags}" tag_followings: create: @@ -1043,12 +1010,9 @@ pt-PT: show: follow: "Seguir #%{tag}" following: "A Seguir #%{tag}" - nobody_talking: "Ainda ninguém está a falar sobre %{tag}." none: "A etiqueta vazia não existe!" - people_tagged_with: "Pessoas com a etiqueta %{tag}" - posts_tagged_with: "Publicações com a etiqueta #%{tag}" stop_following: "Deixar de Seguir #%{tag}" - terms_and_conditions: "Termos e condições" + terms_and_conditions: "Termos e Condições" undo: "Anular?" username: "Nome de utilizador" users: @@ -1061,7 +1025,7 @@ pt-PT: wrong_password: "A palavra-passe digitada não corresponde à sua palavra-passe actual." edit: also_commented: "alguém comentar numa publicação em que já comentou" - auto_follow_aspect: "Aspeto para os contactos adicionados automaticamente:" + auto_follow_aspect: "Grupo para os contactos adicionados automaticamente:" auto_follow_back: "Compartilgar automaticamente com os utilizadores que começam a compartilhar consigo" change: "Alterar" change_email: "Mudar de email" @@ -1070,10 +1034,10 @@ pt-PT: character_minimum_expl: "deve ter pelo menos seis carateres" close_account: dont_go: "Ei, por favor não vá!" - if_you_want_this: "Se realmente quer isto, digite a seguir a sua palavra-passe e clique em 'Encerrar Conta'" - lock_username: "Isto irá bloquear o seu nome de utilizador se decidir registar-se de novo." - locked_out: "A sua sessão vai ser terminada e a sua conta bloqueada." - make_diaspora_better: "Nós queremos que nos ajude a tornar o diaspora* ainda melhor, por isso, poderia ajudar-nos em vez de nos deixar. Se desejar deixar-nos, nós queremos que saiba o que acontece a seguir." + if_you_want_this: "Se realmente é o que quer, digite a seguir a sua palavra-passe e clique em 'Encerrar Conta'" + lock_username: "O seu nome de utilizador será bloqueado. Não poderá criar uma conta nova neste servidor com a mesma identificação.." + locked_out: "A sua sessão será terminada e a sua conta bloqueada até que esta seja apagada." + make_diaspora_better: "Nós gostaríamos que ficasse e nos ajude a tornar o diaspora* ainda melhor, em vez de nos deixar. Se realmente desejar deixar-nos, nós queremos que saiba o que irá acontecer a seguir." mr_wiggles: "Mr Wiggles ficará triste de o(a) ver partir" no_turning_back: "Atualmente, não há como voltar atrás." what_we_delete: "Nós iremos apagar todas as suas publicações e os dados do perfil, assim que seja tão humanamente possível. Os seus comentários irão manter-se, mas estes serão associados com a sua Id. do diaspora*, em vez do seu nome." @@ -1082,7 +1046,6 @@ pt-PT: current_password: "Palavra-passe atual" current_password_expl: "aquela que utiliza para iniciar sessão..." download_photos: "descarregar as minhas fotografias" - download_xml: "descarregar o meu xml" edit_account: "Editar conta" email_awaiting_confirmation: "Enviámos-lhe uma hiperligação de ativação para %{unconfirmed_email}. Até que siga esta hiperligação e ative o novo endereço, continuaremos a utilizar o seu endereço original %{email}." export_data: "Exportar dados" @@ -1091,14 +1054,13 @@ pt-PT: liked: "alguém gosta da sua publicação" mentioned: "está mencionado numa publicação" new_password: "Nova palavra-passe" - photo_export_unavailable: "Exportação de fotografias atualmente indisponível" private_message: "recebe uma mensagem privada" receive_email_notifications: "Receber notificações por e-mail quando:" reshared: "alguém volta a compartilhar a sua publicação" show_community_spotlight: "Mostrar Destaques da Comunidade nos Seus Meios?" show_getting_started: "Mostrar dicas de 'Iniciação ...'" started_sharing: "alguém começa a compartilhar consigo" - stream_preferences: "Preferências de luxo" + stream_preferences: "Preferências de fluxo" your_email: "O seu endereço de email" your_handle: "A sua identificação no diaspora*" getting_started: @@ -1136,7 +1098,7 @@ pt-PT: no_person_constructed: "Nenhuma pessoa pôde ser construída através deste hcard." not_enabled: "o 'webfinger' parece não estar ativado para o anfitrião de %{account}" xrd_fetch_failed: "ocorreu um erro ao obter o xrd da conta %{account}" - welcome: "Bem-vindo(a)!" + welcome: "Bem-vindo!" will_paginate: next_label: "seguinte »" previous_label: "« anterior" \ No newline at end of file diff --git a/config/locales/diaspora/ro.yml b/config/locales/diaspora/ro.yml index 2007e0e6d..a0d01322b 100644 --- a/config/locales/diaspora/ro.yml +++ b/config/locales/diaspora/ro.yml @@ -58,8 +58,6 @@ ro: add_to_aspect: failure: "Nu s-a reuşit adăuga contactul la aspect." success: "Contactul a fost adăugat cu succes la aspect." - aspect_contacts: - done_editing: "terminat de editat" aspect_listings: add_an_aspect: "+ Adaugă un aspect" deselect_all: "Deselectează tot" @@ -77,20 +75,13 @@ ro: failure: "%{name} nu este gol şi nu poate fi şters." success: "%{name} a fost eliminat cu succes." edit: - add_existing: "Adaugă o persoană de contact existentă" aspect_list_is_not_visible: "lista de aspecte nu este vizibila persoanelor adaugate" aspect_list_is_visible: "lista de aspecte este vizibila persoanelor adaugate" confirm_remove_aspect: "Eşti sigur că doreşti să ştergi acest aspect?" - done: "Gata" remove_aspect: "Şterge acest aspect" rename: "redenumeşte" update: "actualizare" updating: "actualizare" - few: "%{count} aspecte" - helper: - are_you_sure: "Eşti sigur că doreşti să ştergi acest aspect?" - aspect_not_empty: "Aspectul nu este gol" - remove: "şterge" index: diaspora_id: content_1: "ID-ul tău pe diaspora* este:" @@ -122,11 +113,6 @@ ro: heading: "Conectează servciii" unfollow_tag: "Nu mai urma #%{tag}" welcome_to_diaspora: "%{name}, bine ai venit in comunitatea Diaspora!" - many: "%{count} aspecte" - move_contact: - error: "Eroare la mutarea contactului: %{inspect}" - failure: "nu a mers %{inspect}" - success: "S-a mutat persoana la noul aspect" new: create: "Crează" name: "Nume (vizibil doar pentru tine)" @@ -144,14 +130,6 @@ ro: family: "Familie" friends: "Prieteni" work: "Lucru" - selected_contacts: - manage_your_aspects: "Gestionează aspectele tale personale" - no_contacts: "Nu aveți incă nici o persoană de contact." - view_all_community_spotlight: "Vizualizează toate reflectoarele comunității" - view_all_contacts: "Vezi toate contactele" - show: - edit_aspect: "Editează aspect" - two: "%{count} aspecte" update: failure: "Apectul tău, %{name}, are numele prea lung ca să fie salvat" success: "Aspectul, %{name}, a fost editat cu succes." @@ -163,23 +141,18 @@ ro: post_success: "Publicat! Inchidere!" cancel: "Anulează" comments: - few: "%{count} comentarii" - many: "%{count} comentarii" new_comment: comment: "Comentariu" commenting: "Comentând..." one: "1 comentariu" other: "%{count} comentarii" - two: "%{count} comentarii" zero: "nici un comentariu" contacts: create: failure: "Eşuare la crearea contactului" - few: "%{count} contacte" index: add_a_new_aspect: "Adaugă un aspect nou" add_to_aspect: "adaugă contacte la %{name}" - add_to_aspect_link: "Adaugă contacte la %{name}" all_contacts: "Toate contactele" community_spotlight: "reflectorul comunității" my_contacts: "Contactele mele" @@ -189,7 +162,6 @@ ro: start_a_conversation: "Începe o conversație." title: "Contacte" your_contacts: "Contactele Tale" - many: "%{count} contacte" one: "1 contact" other: "%{count} contacte" sharing: @@ -197,13 +169,11 @@ ro: spotlight: community_spotlight: "reflectorul comunității" suggest_member: "Propune un membru" - two: "%{count} contacte" zero: "contacte" conversations: create: + fail: "Mesajul nu este valid" sent: "Mesaj trimis" - destroy: - success: "Conversaţia a fost ştearsă cu succes" helper: new_messages: few: "%{count} mesaje noi" @@ -238,6 +208,15 @@ ro: fill_me_out: "Umple-mă" find_people: "Find people" help: + posts_and_posting: + post_location_a: "În editor faceți clic pe pictograma PIN de lângă cameră. Acest lucru va introduce locația de OpenStreetMap. Puteți edita locația dvs. - dacă doriți puteți să introduceți doar orașul în loc de adresa specifică." + post_location_q: "Cum adaug locația mea la un post?" + post_notification_a: "Veți găsi o pictogramă clopoțel, lângă X in dreapta sus a unui post. Faceți clic pentru a activa sau dezactiva notificările pentru acest post." + post_notification_q: "Cum pot primi notificări sau opri obtinerea notificări, despre un post?" + post_poll_a: "Faceți clic pe pictograma grafic pentru a genera un sondaj. Tastați o întrebare și cel puțin două răspunsuri. Nu uitați să faceți postările dumneavoastră publice dacă vreți ca toată lumea să fie în măsură să participe la sondajul postat." + post_poll_q: "Cum adaug un sondaj la mesaj?" + post_report_a: "Faceți clic pe pictograma de alertă , triunghi, in dreapta sus a postului să o raporteze admin-ului. Introduceți un motiv pentru raportarea acestui post în caseta de dialog." + post_report_q: "Cum pot raporta un mesaj ofensator?" wiki: "Wiki" hide: "Ascunde" invitations: @@ -344,6 +323,7 @@ ro: other: "şi celelalte %{count} persoane" zero: "şi nimeni altul" mark_all_as_read: "Marchează-le pe toate ca citite" + no_notifications: "Deocamdată nu ai notificări." notifications: "Notificări" liked: few: "%{actors} has just liked your %{post_link}." @@ -436,7 +416,6 @@ ro: invited_by: "ai fost invitat(ă) de către" aspect_list: edit_membership: "editaţi apartenenţa la aspect" - few: "%{count} persoane" helper: results_for: "rezultate pentru %{params}" index: @@ -444,7 +423,6 @@ ro: no_one_found: "... dar nimeni nu a fost găsit." no_results: "Hey! Trebuie sa cauţi ceva." results_for: "caută rezultate pentru" - many: "%{count} persoane" one: "1 persoană" other: "%{count} persoane" person: @@ -472,12 +450,12 @@ ro: recent_public_posts: "Ultimele Publicaţii Publice" return_to_aspects: "Intoarcere către pagina de aspecte" see_all: "Vezi tot" + start_sharing: "Începe să comunici" to_accept_or_ignore: "pentru a accepta sau ignora." sub_header: add_some: "Adaugă pe cineva" edit: "editare" you_have_no_tags: "nu ai nici un marcaj!" - two: "%{count} persoane" webfinger: fail: "Ne pare rău, nu am putut găsi %{handle}." zero: "nimeni" @@ -530,7 +508,7 @@ ro: reshare_by: "Partajat de către %{author}" previous: "anterioare" privacy: "Confidențialitate" - privacy_policy: "Politica de Confidenţialitate" + privacy_policy: "Politica de confidenţialitate" profile: "Profil" profiles: edit: @@ -627,6 +605,7 @@ ro: really_disconnect: "desconectează %{service}?" inviter: click_link_to_accept_invitation: "Click pe acest link pentru a accepta invitaţia" + join_me_on_diaspora: "Alătură-mi-te pe Diaspora*" remote_friend: invite: "invită" not_on_diaspora: "Deocamdată nu este pe diaspora*" @@ -638,6 +617,8 @@ ro: create_request: "Find by Diaspora handle" enter_a_diaspora_username: "Introduceţi numele de utilizator Diaspora :" your_diaspora_username_is: "Numele tău de utilizator Diaspora este: %{diaspora_handle}" + aspect_dropdown: + add_to_aspect: "Adaugă la contacte" contact_list: all_contacts: "Toate contactele" footer: @@ -668,6 +649,7 @@ ro: new_user_prefill: hello: "Salutare tuturor, sunt #%{new_user_tag}. " invited_by: "Mulţumesc pentru invitaţie, " + newhere: "nouvenit" post_a_message_to: "Postati un mesaj catre %{aspect}" posting: "Publicare..." share: "Distribuie" @@ -677,6 +659,7 @@ ro: stream_element: dislike: "I dislike this" hide_and_mute: "Hide and Mute" + ignore_user: "Ignoră utilizatorul %{name}" like: "I like this" show: "arată" unlike: "Nu ȋmi place" @@ -687,13 +670,7 @@ ro: failure: "Nu sa putut şterge postul" helper: no_message_to_display: "Nici un mesaj nou." - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: hide_comments: "ascunde comentariile" show_comments: @@ -708,6 +685,7 @@ ro: title: "Activitatea proprie" aspects: title: "Your Aspects" + aspects_stream: "Aspecte" followed_tag: add_a_tag: "Adaugă un tag" follow: "Urmează" @@ -731,11 +709,13 @@ ro: show: follow: "Urmeaza #%{tag}" following: "Urmarind #%{tag}" - nobody_talking: "Nu se povesteste nimic despre %{tag} inca." - people_tagged_with: "Persoane marcate cu %{tag}" - posts_tagged_with: "Publicatii marcate cu #%{tag}" stop_following: "Nu mai urmari #%{tag}" - terms_and_conditions: "Termeni și Condiții de utilizare:" + tagged_people: + few: "%{count} persoane etichetate cu %{tag}" + one: "O persoană etichetată cu %{tag}" + other: "%{count} persoane etichetate cu %{tag}" + zero: "Nimeni etichetat cu %{tag}" + terms_and_conditions: "Termeni și condiții de utilizare" undo: "refacem?" username: "Nume de utilizator" users: @@ -757,7 +737,6 @@ ro: comment_on_post: "...cineva comenteaza pe o publicatie proprie?" current_password: "Parola curentă" download_photos: "descarcă fotografiile mele" - download_xml: "descarcă datele mele (xml)" edit_account: "Editează cont" email_awaiting_confirmation: "We have sent you an activation link to %{unconfirmed_email}. Till you follow this link and activate the new address, we will continue to use your original address %{email}." export_data: "Exportare de date" diff --git a/config/locales/diaspora/ru.yml b/config/locales/diaspora/ru.yml index 17c28c00c..f4f3ea7e6 100644 --- a/config/locales/diaspora/ru.yml +++ b/config/locales/diaspora/ru.yml @@ -12,6 +12,8 @@ ru: _home: "Главная" _photos: "Фотографии" _services: "Сервисы" + _statistics: "Статистика" + _terms: "условия" account: "Аккаунт" activerecord: errors: @@ -39,7 +41,7 @@ ru: reshare: attributes: root_guid: - taken: "Настолько здорово, да? Вы уже поделились этой записью!" + taken: "Здорово, да? Вы уже поделились этой записью!" user: attributes: email: @@ -96,12 +98,26 @@ ru: zero: "%{count} пользователей" week: "Неделя" user_entry: + account_closed: "аккаунт закрыт" + diaspora_handle: "Ваша персональная ссылка в диаспора*" + email: "Почта" + guid: "Групповой идентификатор" + id: "Идентификатор" + last_seen: "последнее посещение" ? "no" : Нет + nsfw: "#nsfw" + unknown: "неизвестно" ? "yes" : Да user_search: + account_closing_scheduled: "Учётная запись %{name} поставлена в очередь на закрытие. Будет завершено через несколько секунд..." + account_locking_scheduled: "Учётная запись %{name} поставлена в очередь на блокирование. Будет завершено через несколько секунд..." + account_unlocking_scheduled: "Учётная запись %{name} поставлена в очередь на разблокировку. Будет завершено через несколько секунд..." add_invites: "добавить приглашения" + are_you_sure: "Вы уверены, что хотите закрыть эту учётную запись?" + are_you_sure_lock_account: "Вы уверены, что хотите заблокировать этот аккаунт?" + are_you_sure_unlock_account: "Вы уверены, что хотите разблокировать этот аккаунт?" close_account: "Удалить учетную запись" email_to: "E-mail для приглашения" under_13: "Показать пользователей моложе 13 (COPPA)" @@ -130,22 +146,20 @@ ru: all_aspects: "Все аспекты" application: helper: - unknown_person: "неизвестный пользователь" + unknown_person: "Неизвестный пользователь" video_title: unknown: "Неизвестное название видеозаписи" are_you_sure: "Вы уверены?" are_you_sure_delete_account: "Вы уверены, что хотите закрыть свой аккаунт? Эту процедуру будет невозможно отменить!" aspect_memberships: destroy: - failure: "Не удалось удалить пользователя из аспектов" - no_membership: "Не удалось найти этого пользователя в аспекте" - success: "Пользователь успешно удалён из аспектов" + failure: "Не удалось удалить пользователя из аспекта." + no_membership: "Не удалось найти этого пользователя в аспекте." + success: "Пользователь успешно удалён из аспекта." aspects: add_to_aspect: failure: "Не удалось добавить друга в аспект." success: "Друг добавлен в аспект." - aspect_contacts: - done_editing: "редактирование завершено" aspect_listings: add_an_aspect: "+ Добавить аспект" deselect_all: "Отменить выбор" @@ -164,27 +178,22 @@ ru: failure: "%{name} не пуст и не может быть удалён." success: "%{name} успешно удалён." edit: - add_existing: "Добавить существующий контакт" + aspect_chat_is_enabled: "Контакты из этого аспекта могут общаться с вами." + aspect_chat_is_not_enabled: "Контакты из этого аспекта не могут общаться с вами." aspect_list_is_not_visible: "Контакты в этом аспекте не могут видеть друг друга" aspect_list_is_visible: "Контакты в этом аспекте могут видеть друг друга" confirm_remove_aspect: "Вы уверены, что хотите удалить этот аспект?" - done: "Готово" - make_aspect_list_visible: "сделать контакты в этом аспекте видимыми друг другу?" - manage: "Управлять" + grant_contacts_chat_privilege: "предоставить контактам в аспекте возможность общаться?" + make_aspect_list_visible: "Сделать контакты в этом аспекте видимыми друг другу?" remove_aspect: "Удалить этот аспект" - rename: "переименовать" + rename: "Переименовать" set_visibility: "Установить видимость" update: "Обновить" - updating: "обновление" - few: "%{count} аспекта" - helper: - are_you_sure: "Вы уверены в том, что хотите удалить этот аспект?" - aspect_not_empty: "Аспект не пуст" - remove: "удалить" + updating: "Обновление" index: diaspora_id: content_1: "Ваш идентификатор в Диаспоре:" - content_2: "По нему любой сможет найти вас в Диаспоре." + content_2: "По нему любой сможет найти вас в диаспоре*." heading: "Идентификатор в Диаспоре" donate: "Пожертвовать" handle_explanation: "Это ваш идентификатор в Диаспоре. Как и адрес электронной почты, вы можете дать его людям для связи с вами." @@ -215,22 +224,17 @@ ru: no_contacts: "Нет контактов" no_tags: "+ Найти метку" people_sharing_with_you: "Люди, которые добавили вас" - post_a_message: "новая запись >>" + post_a_message: "Опубликовать запись >>" services: content: "Вы можете подключить к Диаспоре следующие сервисы:" heading: "Подключенные сервисы" unfollow_tag: "Не следить за меткой #%{tag}" welcome_to_diaspora: "Добро пожаловать в Диаспору, %{name}!" - many: "%{count} аспектов" - move_contact: - error: "Ошибка при перемещении контакта: %{inspect}" - failure: "не работает %{inspect}" - success: "Контакт перемещён в новый аспект" new: create: "Создать" name: "Имя (видно только вам)" no_contacts_message: - community_spotlight: "рекомендуемых пользователей." + community_spotlight: "Рекомендуемые пользователи" or_spotlight: "Или вы можете добавить %{link}" try_adding_some_more_contacts: "Вы можете найти или пригласить других пользователей." you_should_add_some_more_contacts: "Добавьте больше контактов!" @@ -243,18 +247,10 @@ ru: family: "Семья" friends: "Друзья" work: "Работа" - selected_contacts: - manage_your_aspects: "Управление аспектами." - no_contacts: "Здесь пока нет ни одного контакта." - view_all_community_spotlight: "Посмотреть всех рекомендуемых" - view_all_contacts: "Все контакты" - show: - edit_aspect: "редактировать аспект" - two: "%{count} аспекта" update: failure: "Ваш аспект, %{name}, имеет слишком длинное имя для сохранения." success: "Ваш аспект %{name} успешно отредактирован." - zero: "нет аспектов" + zero: "Нет аспектов" back: "Назад" blocks: create: @@ -270,36 +266,31 @@ ru: post_success: "Опубликовано! Закрытие!" cancel: "Отменить" comments: - few: "%{count} комментария" - many: "%{count} комментариев" new_comment: comment: "Комментировать" commenting: "Комментирование..." one: "1 комментарий" other: "%{count} комментариев" - two: "%{count} комментария" - zero: "нет комментариев" + zero: "Комментариев нет" contacts: create: failure: "Не удалось создать контакт" - few: "%{count} контакта" index: add_a_new_aspect: "Новый аспект" - add_to_aspect: "добавить контакты в %{name}" - add_to_aspect_link: "добавить контакты в аспект %{name}" + add_contact: "Добавить контакт" + add_to_aspect: "Добавить контакты в аспект %{name}" all_contacts: "Все контакты" community_spotlight: "Рекомендованные пользователи" - many_people_are_you_sure: "Вы уверены, что хотите начать приватную беседу с числом контактов более %{suggested_limit}? Возможно, лучше просто сделать запись для этого аспекта." my_contacts: "Мои контакты" no_contacts: "Похоже, вам надо добавить несколько контактов!" + no_contacts_in_aspect: "Вы еще никого не добавили в этот аспект. Ниже представлен список ваших существующих контактов, которые вы можете добавить в этот аспект." no_contacts_message: "Загляните на страницу %{community_spotlight}" - no_contacts_message_with_aspect: "Вы можете проверить страницу %{community_spotlight} или %{add_to_aspect_link}" only_sharing_with_me: "Только добавившие меня" - remove_person_from_aspect: "Удалить %{person_name} из \"%{aspect_name}\"" + remove_contact: "Удалить контакт" start_a_conversation: "Начать беседу" title: "Контакты" + user_search: "Поиск пользователей" your_contacts: "Ваши контакты" - many: "%{count} контактов" one: "1 контакт" other: "%{count} контактов" sharing: @@ -307,8 +298,7 @@ ru: spotlight: community_spotlight: "Рекомендованные пользователи" suggest_member: "Предложить пользователя" - two: "%{count} контакта" - zero: "Контакты" + zero: "Нет контактов" conversations: conversation: participants: "Участники" @@ -317,7 +307,8 @@ ru: no_contact: "Эй, вам нужно сначала добавить контакт!" sent: "Сообщение отправлено" destroy: - success: "Разговор успешно удалён" + delete_success: "Диалог успешно удален" + hide_success: "Диалог успешно удален" helper: new_messages: few: "%{count} новых сообщения" @@ -330,19 +321,20 @@ ru: create_a_new_conversation: "Начать новый разговор" inbox: "Входящие" new_conversation: "Новый разговор" - no_conversation_selected: "разговор не выбран" - no_messages: "нет сообщений" + no_conversation_selected: "Разговор не выбран" + no_messages: "Сообщений нет" new: abandon_changes: "Отказаться от изменений?" send: "Отправить" sending: "Отправка..." - subject: "тема" - to: "кому" + subject: "Тема разговора" + to: "Кому" new_conversation: fail: "Неверное сообщение" show: - delete: "удалить и заблокировать разговор" - reply: "ответить" + delete: "Удалить и заблокировать разговор" + hide: "Удалить и заблокировать диалог" + reply: "Ответить" replying: "Ответ..." date: formats: @@ -397,9 +389,16 @@ ru: what_is_an_aspect_q: "Что такое аспект?" who_sees_post_a: "Если вы создаёте ограниченную запись, её смогут увидеть только люди, которых вы добавили в соответствующий аспект (или аспекты, если вы выбрали несколько). Больше эту запись никто не увидит, если только вы не сделали её публичной. Только публичные записи будут доступны всем, даже тем, кого вы не добавили ни в один из своих аспектов." who_sees_post_q: "Когда я адресую запись аспекту, кто его видит?" + chat: + add_contact_roster_a: "Во-первых, вам нужно включить чат для аспекта, в котором находится человек. Для этого перейдите на вкладку %{contacts_page}, выберите нужный вам аспект, и нажмите на иконку сообщений, чтобы включить чат для аспекта. %{toggle_privilege} Вы можете, если хотите, создать особый аспект под названием «Чат» и добавить в него людей, с которыми вы хотите общаться. После того как вы сделаете это, откройте интерфейс сообщений и выберите человека, которому вы хотите написать." + add_contact_roster_q: "Как я могу пообщаться с кем-либо в диаспоре*?" + contacts_page: "страница пользователя" + title: "Беседа" + faq: "ЧаВо" foundation_website: "сайт Diaspora Foundation" getting_help: - get_support_a_hashtag: "спросите в публичной записи на Диаспоре*, используя метку %{question}" + get_support_a_faq: "Прочитайте нашу %{faq} страницу в вики" + get_support_a_hashtag: "задайте вопрос через публичную запись на Диаспоре*, используя метку %{question}" get_support_a_irc: "присоединяйтесь к нам в %{irc} или джаббер чате diaspora@conference.dukgo.com" get_support_a_tutorials: "Посмотрите наши %{tutorials}" get_support_a_website: "Посетите наш %{link}" @@ -411,7 +410,19 @@ ru: getting_started_tutorial: "\"Инструкции для начинающих\"" here: "здесь" irc: "IRC" - markdown: "Markdown" + keyboard_shortcuts: + keyboard_shortcuts_a1: "Вы можете использовать следующее сочетание клавиш:" + keyboard_shortcuts_li1: "j - перейти к следующей записи" + keyboard_shortcuts_li2: "k - перейти к предыдущей записи" + keyboard_shortcuts_li3: "c - комментировать текущую запись" + keyboard_shortcuts_li4: "l - отметить запись как \"нравится\"" + keyboard_shortcuts_li5: "r – Репостить текущую запись" + keyboard_shortcuts_li6: "m – Показать полностью текущую запись" + keyboard_shortcuts_li7: "o – Открыть первую ссылку в текущей записи" + keyboard_shortcuts_li8: "ctrl+enter – Отправить сообщение, которое вы написали" + keyboard_shortcuts_q: "Какие сочетания клавиш доступны?" + title: "Горячие клавиши" + markdown: "Форматировать текст" mentions: how_to_mention_a: "Напишите знак \"@\" и начните набирать имя. Появится меню с выбором подходящих пользователей. Заметьте, что упоминать пользователя можно только, если вы добавили его в свои аспекты." how_to_mention_q: "Как мне упомянуть кого-нибудь, когда я создаю запись?" @@ -430,10 +441,10 @@ ru: photo_albums_a: "Пока нет. Хотя в боковой панели есть ссылка на поток загруженных фотографий, к которой вы можете получить доступ, если пользователь вас добавил." photo_albums_q: "Есть ли в диаспоре фото и видео альбомы?" subscribe_feed_a: "Да, но это ещё не законченная функция и форматирование в фиде будет довольно грубым. Если вы всё равно хотите попробовать, зайдите в чей-нибудь профиль и кликните по кнопке фида в вашем браузере или скопируйте адрес профиля (например https://joindiaspora.com/people/userID) и добавьте в агрегатор. Конечный результат будет выглядеть так: https://joindiaspora.com/public/username.atom Диаспора использует atom протокол, а не rss." - subscribe_feed_q: "Могу ли я подписаться на чьи-нибудь публичные записи, через агрегатор?" + subscribe_feed_q: "Могу ли я подписаться на чьи-нибудь публичные записи через агрегатор?" title: "Прочее" pods: - find_people_a: "Пригласите своих друзей с помощью электронной почты через функцию на боковой панели. Выберите для отслеживания #метки которые вам интересны. Посмотрите ваш поток новостей и найдите единомышленников: добавьте их в «аспекты». Создайте свою первую запись с меткой #новичок и другими метками согласно вашим интересам." + find_people_a: "Приглашайте друзей с помощью email-ссылки в боковой панели. Следите за #тегами чтобы найти людей с похожими интересами. Добавляйте людей, пишущих на интересные вам темы, в аспекты. Создайте свою первую запись с меткой #новичок и другими метками согласно вашим интересам." find_people_q: "Я только что вступил в сообщество, как мне найти собеседников?" title: "Поды" use_search_box_a: "Если вы знаете полный адрес (например логин@имяпода.орг), вы можете просто вбить этот адрес в поиск. Если вы находитесь на одном и том же поде, то можете сделать поиск по логину. В остальных случаях вы можете просто сделать поиск по их имени, указанному в профиле (то, которое вы видите на экране). Если поиск не дал результатов, имеет смысл поискать позже - возможно нужный под был временно отключён или перегружен." @@ -462,7 +473,7 @@ ru: size_of_images_q: "Могу ли я задавать размер изображений для своей записи?" stream_full_of_posts_a1: "В вашем потоке появляется три типа записей:" stream_full_of_posts_li1: "Публичные и приватные записи людей, которых вы добавили. Чтобы убрать их из потока вы можете просто исключить пользователя из своих контактов." - stream_full_of_posts_li2: "Публичные записи, содержащие метки которые вы отслеживаете. Чтобы убрать их удалите соответствующую метку из списка отслеживаемых." + stream_full_of_posts_li2: "Публичные записи с метками, которые вы отслеживаете. Чтобы убрать эти записи, уберите метку из отслеживаемого." stream_full_of_posts_li3: "Публичные записи пользователей, рекомендуемых сообществом. Вы можете убрать эти записи, изменив соответствующую настройку аккаунта." stream_full_of_posts_q: "Почему в моём потоке записи людей, которых я не знаю и которых не добавлял?" title: "Записи и их создание" @@ -489,16 +500,16 @@ ru: can_comment_reshare_like_q: "Кто может комментировать мои публичные записи, делиться или отмечать как понравившиеся?" deselect_aspect_posting_a: "Это не повлияет на саму запись. Если вы хотите, чтобы запись не была доступна одному или нескольким аспектам, вы должны воспользоваться меню, находящимся под полем ввода записи." deselect_aspect_posting_q: "Что произойдёт, если я исключу один или несколько аспектов в боковой панели при создании публичной записи?" - find_public_post_a: "Ваши публичные записи будут появляться в лентах людей, которые на вас подписаны. Если вы включаете #метки, то их увидит любой, кто на них подписан или сделает по ним поиск. Также у любой записи есть индивидуальный URL, который может получить каждый, даже не зарегистрированный в диаспоре пользователь. Так что ссылки на публичные записи могут быть опубликованы в твиттере, блогах и вообще где угодно. Также публичные записи индексируются поисковыми движками." + find_public_post_a: "Ваши публичные записи будут появляться в лентах людей, которые на вас подписаны. Если вы включаете #метки, то их увидит любой, кто на них подписан или сделает по ним поиск. Также, у любой записи есть индивидуальный URL, который может получить каждый, даже не зарегистрированный в диаспоре пользователь. Так что ссылки на публичные записи могут быть опубликованы в твиттере, блогах и вообще где угодно. Также, публичные записи индексируются поисковыми движками." find_public_post_q: "Как другие люди смогут обнаружить мою публичную запись?" see_comment_reshare_like_a: "Любой интернет пользователь. Комментарии, лайки и репосты публичных записей тоже являются публичными." see_comment_reshare_like_q: "Когда я комментирую, делюсь или отмечаю публичную запись, кто может это видеть?" title: "Публичные записи" - who_sees_post_a: "Все интернет пользователи могут увидеть запись, которую вы сделали публичной. Так что проверьте - действительно ли вы хотите этого. С другой стороны это неплохой способ поделиться со всем миром." + who_sees_post_a: "Все интернет пользователи могут увидеть запись, которую вы сделали публичной. Так что проверьте - действительно ли вы хотите этого. С другой стороны, это неплохой способ поделиться со всем миром." who_sees_post_q: "Кто может видеть мои публичные записи?" public_profiles: title: "Публичные профили" - what_do_tags_do_a: "Они помогают людям, понять чем вы интересуетесь. Ваша аватара и имя появятся на странице метки в списке слева среди других людей, использовавших эту метку в их публичных профилях." + what_do_tags_do_a: "Они помогают людям понять чем вы интересуетесь. Ваша фотография и имя появятся на странице метки слева в списке среди других людей, использовавших эту метку в их публичных профилях." what_do_tags_do_q: "Для чего нужны метки в моём публичном профиле?" whats_in_profile_a: "Ваше имя, пять меток, которые вы выбрали, чтобы описать себя, аватара и лента ваших публичных записей. Вы можете сделать эту информацию настолько личной или настолько анонимной, насколько захотите." whats_in_profile_q: "Что содержит страница публичного профиля?" @@ -533,14 +544,14 @@ ru: tags: filter_tags_a: "Эта фунция ещё не включена, но вы можете воспользоваться сторонними плагинами по ссылке %{third_party_tools}." filter_tags_q: "Как отфильтровать/исключить метки из моей ленты?" - followed_tags_a: "Если вы искали по метке, то можете нажать кнопку \"Подписаться на метку #имяметки\". После этого она появится в боковой колонке в разделе \"Мои метки\". Если вы нажмёте на одну из этих них, то перейдёте на страницу метки, где будут перечислены последние записи, содержащие её. Если вы нажмёте на \"Мои метки\", то увидите ленту с подписками на них, но без подписок на пользователей. " + followed_tags_a: "Если вы искали по метке, то можете нажать кнопку \"Подписаться на метку #имяметки\". После этого она появится в боковой колонке в разделе \"Мои метки\". Если вы нажмёте на одну из них, то перейдёте на страницу метки, где будут перечислены последние записи, содержащие её. Если вы нажмёте на \"Мои метки\", то увидите ленту с подписками на них, но без подписок на пользователей. " followed_tags_q: "Что такое \"#Мои метки\" и как мне на них подписываться?" people_tag_page_a: "Это люди, указавшие данную метку в качестве описания в своём публичном профиле." people_tag_page_q: "Кто все эти люди, перечисленные в левой колонке на странице метки?" tags_in_comments_a: "Метка, добавленная в комментарий будет ссылаться на страницу метки, но сам комментарий и запись, содержащая этот комментарий там не появятся. Это работает только с метками, содержащимися в записи." - tags_in_comments_q: "Могу ли я поместить метки в комментарии?" + tags_in_comments_q: "Могу ли я использовать метки в комментариях, или только в записях?" title: "Метки" - what_are_tags_for_a: "Метки дают возможность определить категории для вашей записи. При поиске по метке будут показаны все записи, содержащие её (как публичные, так и доступные вам приватные). Это даёт возможность найти вашу запись через поиск диаспоры, хотя вы всё ещё можете искать нужные записи через поисковый движок, если они публичные." + what_are_tags_for_a: "Метки дают возможность определить категории для вашей записи. При поиске по метке будут показаны все записи, содержащие её (как публичные, так и, доступные вам, приватные). Это даёт возможность найти интересующие вас и других людей записи через поиск диаспоры." what_are_tags_for_q: "Для чего нужны метки?" third_party_tools: "инструменты сторонних разработчиков" title_header: "Помощь" @@ -591,18 +602,18 @@ ru: layouts: application: back_to_top: "Вернуться наверх" - powered_by: "Основано на Диаспоре*" + powered_by: "Основано на диаспоре*" public_feed: "Публичный поток %{name} в Диаспоре" source_package: "скачать исходный код" - toggle: "обычный/мобильный" - whats_new: "что нового?" + toggle: "Обычный/мобильный" + whats_new: "Что нового?" your_aspects: "Ваши аспекты" header: - admin: "администратор" - blog: "блог" - code: "код" + admin: "Администратор" + blog: "Блог" + code: "Код" help: "Помощь" - login: "войти" + login: "Войти" logout: "Выйти" profile: "Профиль" recent_notifications: "Последние извещения" @@ -630,7 +641,7 @@ ru: zero: "Понравилось:0" limited: "Ограниченная" more: "Ещё" - next: "вперёд" + next: "Далее" no_results: "Результатов не найдено" notifications: also_commented: @@ -673,9 +684,11 @@ ru: comment_on_post: "Комментарий к записи" liked: "Понравилась" mark_all_as_read: "Отметить всё как прочитанное" + mark_all_shown_as_read: "Отметить все как прочитанное" mark_read: "Пометить как прочитанное" mark_unread: "пометить как непрочитанное" mentioned: "Упомянул" + no_notifications: "У вас нет ни одного оповещения." notifications: "Уведомления" reshared: "Поделился" show_all: "показать всё" @@ -735,15 +748,47 @@ ru: other: "%{actors} начали делиться с вами." zero: "%{actors} начали делиться с вами." notifier: + a_limited_post_comment: "Добавлен новый комментарий на ограниченной записи в диаспоре*." a_post_you_shared: "запись." + a_private_message: "Вам поступило новое личное сообщение в диаспоре*." accept_invite: "Примите ваше приглашение в Диаспору*!" - click_here: "нажмите сюда," + click_here: "нажмите здесь" comment_on_post: reply: "Ответить или посмотреть запись %{name} >" confirm_email: click_link: "Чтобы активировать ваш адрес %{unconfirmed_email}, пожалуйста, перейдите по этой ссылке:" subject: "Пожалуйста, активируйте ваш новый адрес %{unconfirmed_email}" email_sent_by_diaspora: "Это письмо было послано %{pod_name}. Если вы не хотите получать подобные письма," + export_email: + body: "Здравствуйте, %{name}, Ваши данные были обработаны и готовы для скачивания, следуйте [этой ссылке]%{url}. Почтовый робот диаспоры*!" + subject: "Ваши личные данные готовы для загрузки, %{name}" + export_failure_email: + body: |- + Здравствуйте, %{name} + Мы столкнулись с проблемой при обработке ваших персональных данных для скачивания. + Попробуйте снова! + С извинениями, + Почтовый робот диаспоры*! + subject: "Мы сожалеем, что возникли проблемы с вашими данными, %{name}" + export_photos_email: + body: |- + Здравствуйте, %{name} + + Ваши фотографии были обработаны и готовы к загрузке, чтобы загрузить их, следуйте [этой ссылке] (%{url}). + + С уважением, + Почтовый робот диаспоры*! + subject: "Ваши фотографии готовы к загрузке, %{name}" + export_photos_failure_email: + body: |- + Здравствуйте, %{name} + + Мы столкнулись с проблемой при обработке ваших фотографий. + Будьте добры, попробуйте снова! + + Приносим свои извинения, + Почтовый робот диаспоры*! + subject: "С вашими фотографиями возникла проблема, %{name}" hello: "Привет, %{name}!" invite: message: |- @@ -769,6 +814,21 @@ ru: subject: "%{name} упомянул вас в Диаспоре*" private_message: reply_to_or_view: "Ответить или посмотреть эту беседу >" + remove_old_user: + body: |- + Привет, + + Всвязи с неактивностью вашей учётной записи diaspora* на %{pod_url}, мы вынуждеы сообщить вам, что система отметила вашу учётную запись к автоматизированному удалению. Это происходит автоматически по прошествию периода неактивности более %{after_days} дней. + + Вы можете избежать потери учётной записи, зайдя в нее до %{remove_after}, в случае чего удаление будет автоматически отменено. + + Эта техническая операция выполняется с целью убедиться в том, что активные пользователи получают большую часть ресурсов данной инстанции diaspora* . Благодарим за понимание. + + Если вы хотите сохранить ваш аккаунт, пожалуйста, войдите в него здесь: %{login_url} + + В надежде увидеть вас снова, + Почтовый робот diaspora*! + subject: "Ваша учётная запись помечена на удаление по причине неактивности" report_email: body: |- Здравствуйте, @@ -811,8 +871,7 @@ ru: add_contact_small: add_contact_from_tag: "добавить контакт из метки" aspect_list: - edit_membership: "редактировать пользователей в аспекте" - few: "%{count} пользователя" + edit_membership: "Редактировать пользователей в аспекте" helper: is_not_sharing: "%{name} не добавил вас" is_sharing: "%{name} делится с вами" @@ -826,11 +885,10 @@ ru: search_handle: "Используйте идентификаторы Диаспоры (имя@домен.зона) чтобы найти ваших друзей." searching: "идёт поиск: пожалуйста, подождите..." send_invite: "Всё ещё пусто? Пригласите кого-нибудь!" - many: "%{count} пользователей" one: "1 пользователь" other: "%{count} пользователей" person: - add_contact: "добавить контакт" + add_contact: "Добавить контакт" already_connected: "Уже подключён" pending_request: "В ожидании запроса" thats_you: "Это вы!" @@ -839,10 +897,10 @@ ru: born: "День рождения" edit_my_profile: "Редактировать профиль" gender: "Пол" - in_aspects: "в аспектах" + in_aspects: "В аспектах" location: "Местоположение" photos: "Фотографии" - remove_contact: "удалить контакт" + remove_contact: "Удалить контакт" remove_from: "Удалить %{name} из %{aspect}?" show: closed_account: "Эта учётная запись была закрыта." @@ -857,13 +915,12 @@ ru: recent_public_posts: "Последние публичные записи" return_to_aspects: "Вернуться на страницу аспектов" see_all: "Показать всё" - start_sharing: "Добавить" + start_sharing: "Начать делиться" to_accept_or_ignore: "принять или игнорировать." sub_header: - add_some: "добавить" - edit: "редактировать" - you_have_no_tags: "у вас нет меток!" - two: "%{count} пользователя" + add_some: "Добавить" + edit: "Редактировать" + you_have_no_tags: "У вас нет меток!" webfinger: fail: "К сожалению, мы не смогли найти %{handle}." zero: "0 пользователей" @@ -891,11 +948,11 @@ ru: photo: view_all: "Посмотреть все фотографии %{name}" show: - collection_permalink: "постоянная ссылка на коллекцию" + collection_permalink: "Ссылка на коллекцию" delete_photo: "Удалить фотографию" - edit: "редактировать" + edit: "Редактировать" edit_delete_photo: "Изменить описание фотографии / удалить фотографию" - make_profile_photo: "сделать аватаром" + make_profile_photo: "Сделать аватаром" show_original_post: "Показать исходную запись" update_photo: "Обновить фотографию" update: @@ -915,7 +972,7 @@ ru: other: "%{count} фото пользователя %{author}" zero: "Нет фото пользователя %{author}" reshare_by: "Поделился (-лась) %{author}" - previous: "назад" + previous: "Назад" privacy: "Конфиденциальность" privacy_policy: "Политика конфиденциальности" profile: "Профиль" @@ -926,7 +983,7 @@ ru: first_name: "Имя" last_name: "Фамилия" nsfw_check: "Пометить все мои записи как NSFW" - nsfw_explanation: "NSFW (‘not safe for work’, \"18+\") — внутренний стандарт сообщества Diaspora* для информации, которая может быть неподходящей для просмотра на рабочем месте. Если вы планируете часто публиковать подобные материалы, отметьте, пожалуйста, эту опцию — и всё, чем вы делитесь, будет спрятано в потоках других пользователей, если они сами не пожелают их посмотреть." + nsfw_explanation: "NSFW (‘not safe for work’, \"18+\") — внутренний стандарт сообщества диаспоры* для информации, которая может быть неподходящей для просмотра на рабочем месте. Если вы планируете часто публиковать подобные материалы, отметьте, пожалуйста, эту опцию — и всё, чем вы делитесь, будет спрятано в потоках других пользователей, если они сами не пожелают их посмотреть." nsfw_explanation2: "Если вы не хотите использовать эту опцию, пожалуйста, добавляйте метку #nsfw каждый раз когда ваша запись содержит подобный материал." update_profile: "Обновить профиль" your_bio: "Ваша биография" @@ -952,7 +1009,7 @@ ru: registrations: closed: "На этом сервере Диаспоры регистрация закрыта." create: - success: "Вы вступили в Диаспору!" + success: "Вы вступили в диаспору*!" edit: cancel_my_account: "Отменить регистрацию" edit: "Редактировать %{name}" @@ -962,27 +1019,26 @@ ru: update: "Обновить" invalid_invite: "Это приглашение уже недействительно!" new: - continue: "Продолжить" create_my_account: "Создать аккаунт" - diaspora: "<3 Диаспора*" email: "ПОЧТА" enter_email: "Введите E-mail" enter_password: "Введите пароль (не меньше шести символов)" enter_password_again: "Повторите пароль" enter_username: "Выберите имя пользователя (только латинские буквы, цифры и подчеркивание)" - hey_make: "ПРИВЕТ,
СОЗДАЙТЕ
ЧТО-НИБУДЬ." join_the_movement: "Присоединяйтесь к движению!" password: "ПАРОЛЬ" password_confirmation: "ПОДТВЕРЖДЕНИЕ ПАРОЛЯ" sign_up: "РЕГИСТРАЦИЯ" sign_up_message: "Социальная сеть с ♥" submitting: "Отправка..." + terms: "Создавая аккаунт вы соглашаетесь с %{terms_link}." + terms_link: "условия предоставления услуг" username: "ИМЯ ПОЛЬЗОВАТЕЛЯ" report: comment_label: "Комментарий:
%{data}" confirm_deletion: "Вы уверены, что содержимое противоречит курсу партии?" delete_link: "Удалить" - not_found: "Не удалось найти запись или комментарий. Наверное уже удалено пользователем." + not_found: "Не удалось найти запись или комментарий. Наверное, уже удалено пользователем." post_label: "Запись: %{title}" reason_label: "Причина: %{text}" reported_label: "Донос от %{person}" @@ -996,7 +1052,7 @@ ru: requests: create: sending: "Отправка" - sent: "Вы просили добавить %{name}. Они должны увидеть это при следующем входе в Диаспору." + sent: "Вы просили добавить %{name}. Они должны увидеть это при следующем входе в диаспору*." destroy: error: "Пожалуйста, выберите аспект!" ignore: "Проигнорированные запросы на дружбу." @@ -1012,7 +1068,7 @@ ru: existing: "Существующие контакты" manage_within: "Управление контактами в" new_request_to_person: - sent: "отправлено!" + sent: "Отправлено!" reshares: comment_email_subject: "запись %{author}, распространённая %{resharer}" create: @@ -1077,6 +1133,8 @@ ru: your_diaspora_username_is: "Ваше имя в Диаспоре: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Добавить контакт" + mobile_row_checked: "%{name} (переместить)" + mobile_row_unchecked: "%{name} (добавить)" toggle: few: "В %{count} аспектах" many: "В %{count} аспектах" @@ -1087,7 +1145,7 @@ ru: all_contacts: "Все контакты" footer: logged_in_as: "вошли как %{name}" - your_aspects: "ваши аспекты" + your_aspects: "Ваши аспекты" invitations: by_email: "По электронной почте" dont_have_now: "У вас больше нет приглашений, но новые будут уже скоро!" @@ -1105,7 +1163,7 @@ ru: control_your_audience: "Выбирайте свою аудиторию" logged_in: "вошли в %{service}" manage: "Управление подключенными сервисами" - new_user_welcome_message: "Используйте #метки чтобы структурировать свои записи и искать людей с похожими интересами. Привлекайте внимание интересных людей с помощью @Упоминаний." + new_user_welcome_message: "Используйте #метки, чтобы структурировать свои записи и искать людей с похожими интересами. Привлекайте внимание интересных людей с помощью @Упоминаний." outside: "Публичные сообщения доступны для чтения всем, даже за пределами Диаспоры." share: "Делитесь" title: "Настройка подключенных сервисов" @@ -1116,7 +1174,7 @@ ru: discard_post: "Отменить запись" formatWithMarkdown: "Используйте %{markdown_link} для оформления текста" get_location: "Добавить местонахождение" - make_public: "сделать публичным" + make_public: "Сделать публичным" new_user_prefill: hello: "Всем привет, я #%{new_user_tag}." i_like: "Мне интересны %{tags}. " @@ -1131,17 +1189,17 @@ ru: post_a_message_to: "Опубликовать сообщение для %{aspect}" posting: "Отправка..." preview: "Предпросмотр" - publishing_to: "публикация в:" + publishing_to: "Публикация в: " remove_location: "Удалить местонахождение" share: "Поделиться" - share_with: "поделиться с" + share_with: "Поделиться с" upload_photos: "Загрузить фотографии" whats_on_your_mind: "О чём вы думаете?" reshare: reshare: "Поделиться" stream_element: connect_to_comment: "Подключитесь к этому пользователю, чтобы комментировать его записи" - currently_unavailable: "комментирование недоступно" + currently_unavailable: "В данный момент комментарии недоступны" dislike: "Не нравится" hide_and_mute: "Скрыть и отключить уведомления" ignore_user: "Блокировать пользователя %{name}" @@ -1161,6 +1219,21 @@ ru: failed: "Человечность не подтверждена" user: "Секретное изображение и код не совпадают" placeholder: "Введите содержимое изображения" + statistics: + active_users_halfyear: "Активность пользователей за полгода" + active_users_monthly: "Активность пользователей ежемесячно" + closed: "Закрыто" + disabled: "Недоступно" + enabled: "Доступно" + local_comments: "Местные комментарии" + local_posts: "Местные записи" + name: "Имя" + network: "Сеть" + open: "Открыто" + registrations: "Регистрации" + services: "Службы" + total_users: "Всего пользователей" + version: "Версия" status_messages: create: success: "Успешно упомянут: %{names}" @@ -1170,14 +1243,11 @@ ru: no_message_to_display: "Новых сообщений нет." new: mentioning: "Упоминание: %{person}" - too_long: - few: "сократите, пожалуйста, ваше сообщение до %{count} символов" - many: "сократите, пожалуйста, ваше сообщение до %{count} символов" - one: "сократите, пожалуйста, ваше сообщение до %{count} символа" - other: "сократите, пожалуйста, ваше сообщение до %{count} символов" - zero: "сократите, пожалуйста, ваше сообщение до %{count} символов" + too_long: "Будьте добры, сократите ваше сообщение до %{count} символов. На данный момент сообщение составляет %{current_length} символов" stream_helper: hide_comments: "Скрыть все комментарии" + no_more_posts: "Вы достигли конца потока." + no_posts_yet: "Ещё нет ни одной записи." show_comments: few: "Показать еще %{count} комментария" many: "Показать еще %{count} комментариев" @@ -1214,8 +1284,7 @@ ru: contacts_title: "Последние публиковавшие" title: "Публичная активность" tags: - contacts_title: "Интересуются этими метками" - tag_prefill_text: "По поводу метки %{tag_name}... " + contacts_title: "Интересуются этой меткой" title: "Записи, отмеченные: %{tags}" tag_followings: create: @@ -1226,20 +1295,18 @@ ru: failure: "Не вышло перестать следить за меткой #%{name}. Возможно, вы уже отписались от нее?" success: "Увы! Вы больше не следите за меткой #%{name}." tags: + name_too_long: "Будьте добры, уменьшите размер метки до %{count} символов. Сейчас размер составляет %{current_length} символов." show: follow: "Следить за #%{tag}" - followed_by_people: - few: "Отслеживают: %{count}" - many: "Отслеживают: %{count}" - one: "Отслеживают: %{count}" - other: "Отслеживают: %{count}" - zero: "Никто не отслеживает" following: "Вы следите за меткой #%{tag}" - nobody_talking: "Никто пока не говорил о %{tag}." none: "Пустая метка не существует!" - people_tagged_with: "Люди с меткой %{tag}" - posts_tagged_with: "Записи с меткой #%{tag}" stop_following: "Не следить за #%{tag}" + tagged_people: + few: "%{count} человека с меткой %{tag}" + many: "%{count} человек с меткой %{tag}" + one: "%{count} человек с меткой %{tag}" + other: "%{count} человек с меткой %{tag}" + zero: "Нет ни одного человека с меткой %{tag}" terms_and_conditions: "Условия оказания услуг" undo: "Отменить?" username: "Имя пользователя" @@ -1265,27 +1332,34 @@ ru: if_you_want_this: "Если вы действительно хотите это сделать, введите ваш пароль и нажмите 'Закрыть аккаунт'." lock_username: "Это зарезервирует ваше имя пользователя на случай, если вы захотите снова зарегистрироваться." locked_out: "Будет произведён выход, и вы будете отключены от вашей учетной записи." - make_diaspora_better: "Мы хотели бы, чтобы вы помогли нам сделать Диаспору лучше вместо того, чтобы просто уйти отсюда. Если вы действительно решили уйти, мы хотим, чтобы вы знали, что случится дальше." + make_diaspora_better: "Мы хотели бы, чтобы вы помогли нам сделать диаспору* лучше вместо того, чтобы просто уйти отсюда. Если вы действительно решили уйти, мы хотим, чтобы вы знали, что случится дальше." mr_wiggles: "Мистер Виглз будет опечален вашим уходом" no_turning_back: "На данный момент обратного пути нет." - what_we_delete: "Мы удалим все ваши записи и данные профиля так быстро, как только сможем. Ваши комментарии будут по-прежнему доступны, но они не будут привязаны к вашему идентификатору в Диаспоре." + what_we_delete: "Мы удалим все ваши записи и данные профиля так быстро, как только сможем. Ваши комментарии будут по-прежнему доступны, но они не будут привязаны к вашему идентификатору в диаспоре*." close_account_text: "Закрыть аккаунт" comment_on_post: "кто-то прокомментировал вашу запись" current_password: "Текущий пароль" current_password_expl: "используемый для входа..." + download_export: "Скачать данные из моего профиля" + download_export_photos: "Загрузить мои фотографии" download_photos: "Скачать мои фотографии" - download_xml: "Скачать мою информацию в xml" edit_account: "Изменить аккаунт" email_awaiting_confirmation: "Мы послали ссылку для активации на %{unconfirmed_email}. Пока вы не пройдете по ней и не активируете новый адрес, мы будем использовать ваш прежний ящик %{email}." export_data: "Экспорт информации" + export_in_progress: "В настоящее время мы обрабатываем ваши данные. Повторите попытку через несколько минут." + export_photos_in_progress: "В данный момент мы обрабатываем ваши фотографии. Будьте добры, проверьте снова через несколько минут." following: "Настройки подписок" getting_started: "Новые пользовательские настройки" + last_exported_at: "(Последнее обновление было %{timestamp})" liked: "кому-то понравилась ваша запись" mentioned: "вы были упомянуты в записи" new_password: "Новый пароль" - photo_export_unavailable: "Экспорт фотографий сейчас недоступен" private_message: "вы получили личное сообщение" receive_email_notifications: "Получать уведомление по электронной почте, если:" + request_export: "Запросить данные из моего профиля" + request_export_photos: "Запросить мои фотографии" + request_export_photos_update: "Обновить мои фотографии" + request_export_update: "Обновить данные из моего профиля" reshared: "кто-то поделился вашей записью" show_community_spotlight: "Показывать рекомендуемых пользователей в потоке?" show_getting_started: "Показать подсказки для новичков" @@ -1296,18 +1370,20 @@ ru: your_handle: "Ваш идентификатор в Диаспоре" getting_started: awesome_take_me_to_diaspora: "Чудесно! Пустите меня в Диаспору*" - community_welcome: "Сообщество Диаспоры радо приветствовать вас!" + community_welcome: "Сообщество диаспоры* радо приветствовать вас!" connect_to_facebook: "Мы можем немного ускорить процесс через %{link} на Диаспору. Это действие подгрузит ваше имя и фотографию, а также добавит кросспостинг." connect_to_facebook_link: "Подключаем ваш Facebook аккаунт" - hashtag_explanation: "Метки позволяют вам обсуждать и следить за интересующими вас темами. Это также отличный способ поиска единомышленников в Диаспоре." - hashtag_suggestions: "Попробуйте следующие метки, например #искусство, #кино, #gif и т. п." + hashtag_explanation: "Метки позволяют вам обсуждать и следить за интересующими вас темами. Это также отличный способ поиска единомышленников в диаспоре*." + hashtag_suggestions: "Попробуйте следующие метки, например #искусство, #art, #кино, #movies, #gif и т. п." saved: "Сохранено!" well_hello_there: "Приветствуем вас!" what_are_you_in_to: "Чем вы интересуетесь?" who_are_you: "Кто вы?" privacy_settings: ignored_users: "Заблокированные пользователи" + no_user_ignored_message: "На данный момент вы никого не игнорируете" stop_ignoring: "Отменить блокирование" + strip_exif: "Полоса метаданных, таких как местоположение, автор, и модель камеры от загруженных изображений (рекомендуется)" title: "Настройки приватности" public: does_not_exist: "Пользователя %{username} не существует!" diff --git a/config/locales/diaspora/sc.yml b/config/locales/diaspora/sc.yml new file mode 100644 index 000000000..896beb979 --- /dev/null +++ b/config/locales/diaspora/sc.yml @@ -0,0 +1,110 @@ +# Copyright (c) 2010-2013, Diaspora Inc. This file is +# licensed under the Affero General Public License version 3 or later. See +# the COPYRIGHT file. + + + +sc: + _applications: "Aplicos" + _comments: "Cummentos" + _contacts: "Cuntatos" + _home: "Printzipale" + _photos: "Fotos" + _services: "Servìtzios" + account: "Contu" + activerecord: + errors: + models: + contact: + attributes: + person_id: + taken: "depet èssere ùnicu intre sos cuntatos de custu impitadore" + person: + attributes: + diaspora_handle: + taken: "est giai istadu pigadu." + request: + attributes: + from_id: + taken: "est una còpia de un'àtera rechesta giai esistente." + reshare: + attributes: + root_guid: + taken: "Bellu a beru, eh? Ma as giai cumpartzidu cussu post!" + user: + attributes: + email: + taken: "est giai istada impreada." + person: + invalid: "no est bàlidu." + username: + invalid: "no est bàlidu. Est possìbile impreare petzi lìteras, nùmeros, e underscores." + taken: "est giai istadu pigadu." + ago: "%{time} fàghet" + all_aspects: "Totu sos aspetos" + application: + helper: + unknown_person: "Pessone disconnota" + video_title: + unknown: "Tìtulu vìdeo disconnotu" + are_you_sure: "Seguru ses?" + are_you_sure_delete_account: "Seguru ses de bòlere serrare su contu tuo? Custu non podet èssere annuddadu!" + aspects: + contacts_not_visible: "Sos cuntatos de custa cara non s'ant a pòdere bìdere intre issos." + contacts_visible: "Sos cuntatos de custa cara s'ant a pòdere bìdere intre issos." + edit: + aspect_list_is_not_visible: "Sos cuntatos de custa cara non si podent bìdere intre issos." + aspect_list_is_visible: "Sos cuntatos de custa cara si podent bìdere intre issos." + confirm_remove_aspect: "Seguru ses de bòlere burrare custa cara?" + make_aspect_list_visible: "Boles chi sos cuntatos de custa cara s'ant a pòdere bìdere intre issos?" + remove_aspect: "Burra custa cara" + rename: "Càmbia nùmene" + update: "Agiorna" + updating: "Agiornande" + one: "1 cara" + other: "%{count} caras" + zero: "Peruna cara" + back: "In dae segus" + cancel: "Annudda" + delete: "Burra" + email: "P. eletr. (e-mail)" + error_messages: + helper: + correct_the_following_errors_and_try_again: "Currege custos errore e torra a proare." + invalid_fields: "Campos non bàlidos" + fill_me_out: "Iscrie inoghe" + find_people: "Agata pessonas o #etichetas" + hide: "Cua" + limited: "Limitadu" + more: "Àteru" + next: "Imbeniente" + no_results: "Perunu resurtadu agatadu" + notifier: + export_photos_email: + body: |- + Salude, %{name}, + + Sas fotos tuas sunt istadas elaboradas e sunt prontas pro èssere iscarrigadas sighinde [custu ligòngiu](%{url}). + + Saludos, + Su robot de sa posta eletrònica de diaspora*! + nsfw: "NSFW (no est adatu pro unu logu de traballu)" + ok: "OK" + or: "o" + password: "Crae (password)" + password_confirmation: "Cunfirma sa crae (password)" + previous: "Antepostu" + privacy: "Privadesa" + privacy_policy: "Normativa pro sa privadesa" + profile: "Perfilu" + public: "Pùblicu" + search: "Chirca" + settings: "Impostaduras" + terms_and_conditions: "Tèrmines e cunditziones" + undo: "Annuddare?" + username: "Nùmene impitadore" + users: + edit: + download_export_photos: "Iscàrriga sas fotos meas" + export_photos_in_progress: "Semus elaborande sas fotos tuas. Pro piaghere torra a compidare intre pagu." + welcome: "Benènnidu!" \ No newline at end of file diff --git a/config/locales/diaspora/si.yml b/config/locales/diaspora/si.yml index d6fc6e6e5..b206ad681 100644 --- a/config/locales/diaspora/si.yml +++ b/config/locales/diaspora/si.yml @@ -38,8 +38,6 @@ si: unknown: "නාඳුනන වීඩියෝ මාතෘකාවකි" are_you_sure: "ඔබට විශ්වාසද ?" aspects: - aspect_contacts: - done_editing: "සංස්කරණය හරි" aspect_listings: add_an_aspect: "+ අංගයන් එක් කරන්න" deselect_all: "සියල්ල නොසලකා හරින්න" @@ -52,15 +50,10 @@ si: failure: "%{name} හිස්ව නොපවතී සහ ඉවත් කිරීමට නොහැක." success: "%{name} සාර්ථකව ඉවත් කරන ලදී." edit: - done: "හරි" remove_aspect: "මෙම අංගය මකාදමන්න" rename: "නැවත නම් කරන්න" update: "යාවත්කාල කරන්න" updating: "යාවත්කාල වෙමින් පවතී" - few: "අංගයන් %{count}" - helper: - aspect_not_empty: "අංගය හිස්ව නැත" - remove: "ඉවත්කරන්න" index: diaspora_id: content_1: "මෙය ඔබගේ ඩයස්පෝරා ID එකයි:" @@ -79,9 +72,6 @@ si: content: "ඔබට පහත සේවාවන් Diaspora සමග සම්බන්ධ කරන්න පුළුවන්:" heading: "සේවාවන් සම්බන්ධ කරන්න" welcome_to_diaspora: "ඩයස්පොරා වෙතින් ආයුබොවන්, %{name}!" - many: "අංගයන් %{count}" - move_contact: - success: "පුද්ගලයා නව අංගයට මාරු කරන ලදී" new: create: "සාදන්න" name: "නම (ඔබට පමණක් පෙනෙන)" @@ -91,12 +81,6 @@ si: family: "පවුල" friends: "යහළුවන්" work: "රැකියාව" - selected_contacts: - manage_your_aspects: "ඔබගේ අංගයන් කලමනාකරණය කරන්න" - view_all_contacts: "සියලු පෙන්වන්න" - show: - edit_aspect: "අංගය සංස්කරණය කරන්න" - two: "අංගයන් %{count}" update: failure: "ඔබගේ අංගය, %{name}, හි නම save කිරීමට දිග වැඩියි." success: "ඔබගේ අංගය, %{name}, සාර්ථකව නැවත සකසන ලදී." @@ -118,8 +102,6 @@ si: create: fail: "පණිවිඩයක් වලංගු නැත" sent: "පණිවිඩය යැව්වා" - destroy: - success: "සංවාදය සාර්ථකව ඉවත් කරන ලදී" index: no_conversation_selected: "කිසිම සංවාදයක් තෝරාගෙන නැහැ" no_messages: "පණිවිඩ නැත" @@ -190,11 +172,9 @@ si: or: "හෝ" password: "මුර පදය" people: - few: "පුද්ගලයින් %{count}" index: no_results: "හලෝ! ඔයාට මොකක් හරි සෙවීමට අවශ්යද ?" results_for: "සෙවුම් ප්රතිඵල සඳහා" - many: "පුද්ගලයින් %{count}" one: "එක පුද්ගලයෙක්" other: "පුද්ගලයින් %{count}" person: @@ -203,7 +183,6 @@ si: born: "උපන්දිනය" gender: "ලිංගභේදය" location: "ස්ථානය" - two: "පුද්ගලයින් %{count}" zero: "පුද්ගලයින් නැත" photos: destroy: @@ -306,7 +285,6 @@ si: dont_go: "හලෝ, කරුණාකර යන්න එපා!" current_password: "දැනට පවතින මුරපදය" download_photos: "මගේ පින්තූර භාගත කරන්න" - download_xml: "මගේ xml එක භාගත කරන්න" getting_started: "නව පරිශීලකගේ අභිරුචියන්" new_password: "නව මුරපදය" your_email: "ඔබගේ email" diff --git a/config/locales/diaspora/sk.yml b/config/locales/diaspora/sk.yml index f61d11553..cec2fd6e9 100644 --- a/config/locales/diaspora/sk.yml +++ b/config/locales/diaspora/sk.yml @@ -19,7 +19,7 @@ sk: contact: attributes: person_id: - taken: "musí byť jedinečný medzi kontaktmi tohto používateľa." + taken: "musí byť jedinečný v kontaktoch tohto používateľa." person: attributes: diaspora_handle: @@ -31,7 +31,7 @@ sk: reshare: attributes: root_guid: - taken: "To je dobré, čo? O tento príspevok si sa už raz znova podelil(a)!" + taken: "To je dobré, čo? Tento príspevok si už raz niekomu znova ukázal(a)!" user: attributes: email: @@ -107,11 +107,11 @@ sk: all_aspects: "Všetky kategórie" application: helper: - unknown_person: "neznámy človek" + unknown_person: "Neznámy človek" video_title: unknown: "Neznámy názov videa" are_you_sure: "Si si istý(á)?" - are_you_sure_delete_account: "Určite chceš zrušiť svoj účet? Táto operácia sa nedá vrátiť späť!" + are_you_sure_delete_account: "Určite chceš zrušiť svoj účet? Potom sa to už nedá vrátiť späť!" aspect_memberships: destroy: failure: "Nepodarilo sa odstrániť kontakt z kategórie" @@ -121,8 +121,6 @@ sk: add_to_aspect: failure: "Nepodarilo sa pridať kontakt do kategórie." success: "Kontakt bol úspešne pridaný do kategórie." - aspect_contacts: - done_editing: "úpravy dokončené" aspect_listings: add_an_aspect: "+ Pridať kategóriu" deselect_all: "Odznačiť všetky" @@ -130,7 +128,7 @@ sk: select_all: "Označiť všetky" aspect_stream: make_something: "Urob niečo" - stay_updated: "Buď v obraze" + stay_updated: "Zostaň v obraze" stay_updated_explanation: "Na svojej hlavnej nástenke nájdeš všetky svoje kontakty, značky, ktoré sleduješ, a príspevky od niektorých tvorivých členov komunity." contacts_not_visible: "Kontakty v tejto kategórii sa nebudú môcť navzájom vidieť." contacts_visible: "Kontakty v tejto kategórii sa budú môcť navzájom vidieť." @@ -141,23 +139,15 @@ sk: failure: "Kategória %{name} nie je prázdna, a tak sa nedá odstrániť." success: "Použ. %{name} bol úspešne odstránený." edit: - add_existing: "Pridať existujúci kontakt" aspect_list_is_not_visible: "Ľudia v tejto kategórii sa nevida" aspect_list_is_visible: "Kontakty v tejto kategórii sú navzájom viditeľné" confirm_remove_aspect: "Si si istý(á), že chceš zmazať túto kategóriu?" - done: "Hotovo" - make_aspect_list_visible: "povoliť, aby sa kontakty v tejto kategórii navzájom videli?" - manage: "Spravovať" + make_aspect_list_visible: "Povoliť, aby sa kontakty v tejto kategórii navzájom videli?" remove_aspect: "Zmazať túto kategóriu" - rename: "premenovať" + rename: "Premenovať" set_visibility: "Nastaviť viditeľnosť" - update: "aktualizovať" - updating: "aktualizuje sa" - few: "%{count} kategórie" - helper: - are_you_sure: "Si si istý (-á), že chceš zmazať túto kategóriu?" - aspect_not_empty: "Kategória nie je prázdna" - remove: "odstrániť" + update: "Aktualizovať" + updating: "Aktualizuje sa" index: diaspora_id: content_1: "Tvoje ID na diasporu* je:" @@ -198,16 +188,11 @@ sk: heading: "Pripojiť sa k službám" unfollow_tag: "Prestať sledovať #%{tag}" welcome_to_diaspora: "Vitaj na diaspore*, %{name}!" - many: "%{count} kategórií" - move_contact: - error: "Chyba pri presúvaní kontaktu: %{inspect}" - failure: "nefungoval(a) %{inspect}" - success: "Kontakt bol presunutý do novej kategórie" new: create: "Vytvoriť" name: "Meno (uvidíš ho iba ty)" no_contacts_message: - community_spotlight: "v centre pozornosti komunity" + community_spotlight: "Aktuality z komunity" or_spotlight: "Alebo si do kontaktov môžeš pridať používateľov %{link}" try_adding_some_more_contacts: "Môžeš nájsť alebo pozvať viac ľudí." you_should_add_some_more_contacts: "Mal(a) by si ešte pridať pár kontaktov!" @@ -220,18 +205,10 @@ sk: family: "Rodina" friends: "Kamaráti" work: "Práca" - selected_contacts: - manage_your_aspects: "Uprav si kategórie." - no_contacts: "Nemáš tu ešte žiadne kontakty." - view_all_community_spotlight: "Zobraziť všetky aktuality z komunity" - view_all_contacts: "Zobraziť všetky kontakty" - show: - edit_aspect: "upraviť kategóriu" - two: "%{count} kategórie" update: failure: "Tvoja kategória %{name} má príliš dlhý názov." success: "Úspešne si upravil(a) kategóriu %{name}." - zero: "žiadne kategórie" + zero: "Žiadne kategórie" back: "Späť" blocks: create: @@ -247,36 +224,27 @@ sk: post_success: "Odoslané! Zatvára sa!" cancel: "Zrušiť" comments: - few: "%{count} komentárov" - many: "%{count} komentárov" new_comment: comment: "Okomentovať" commenting: "Posiela sa komentár..." one: "1 komentár" other: "%{count} komentárov" - two: "%{count} komentáre" - zero: "žiadne komentáre" + zero: "Žiadne komentáre" contacts: create: failure: "Nepodarilo sa vytvoriť kontakt" - few: "%{count} kontakty" index: add_a_new_aspect: "Pridať novú kategóriu" add_to_aspect: "Pridať kontakty do kategórie %{name}" - add_to_aspect_link: "pridať kontakt do %{name}" all_contacts: "Všetky kontakty" community_spotlight: "Aktuality z komunity" - many_people_are_you_sure: "Určite chceš začať súkromný rozhovor s viac ako %{suggested_limit} ľuďmi? Poslať príspevok do tejto kategórie môže byť lepší spôsob, ako sa s nimi spojiť." my_contacts: "Moje kontakty" no_contacts: "Zdá sa, že potrebuješ pridať pár kontaktov!" no_contacts_message: "Pozri si %{community_spotlight}" - no_contacts_message_with_aspect: "Pozri si %{community_spotlight} alebo %{add_to_aspect_link}" only_sharing_with_me: "Ľudia, ktorí majú v kontaktoch iba mňa" - remove_person_from_aspect: "Odstrániť použ. %{person_name} z kategórie %{aspect_name}" start_a_conversation: "Začať rozhovor" title: "Kontakty" your_contacts: "Tvoje kontakty" - many: "%{count} kontaktov" one: "1 kontakt" other: "%{count} kontaktov" sharing: @@ -284,8 +252,7 @@ sk: spotlight: community_spotlight: "Aktuality z komunity" suggest_member: "Navrhnúť člena" - two: "%{count} kontakty" - zero: "kontaktov" + zero: "Žiadne kontakty" conversations: conversation: participants: "Účastníci" @@ -293,8 +260,6 @@ sk: fail: "Neplatná správa" no_contact: "Pozor, najprv treba pridať kontakt!" sent: "Správa odoslaná" - destroy: - success: "Rozhovor bol úspešne odstránený" helper: new_messages: few: "%{count} nové správy" @@ -309,17 +274,17 @@ sk: inbox: "Poštová schránka" new_conversation: "Nový rozhovor" no_conversation_selected: "Nevybral(a) si žiaden rozhovor" - no_messages: "žiadne správy" + no_messages: "Žiadne správy" new: abandon_changes: "Zrušiť zmeny?" send: "Poslať" sending: "Posiela sa..." - subject: "predmet" - to: "príjemca" + subject: "Vec" + to: "Adresát" new_conversation: fail: "Neplatná správa" show: - delete: "odstrániť a zablokovať rozhovor" + delete: "Odstrániť rozhovor" reply: "Odpovedať" replying: "Posiela sa odpoveď..." date: @@ -354,7 +319,7 @@ sk: aspects: contacts_know_aspect_a: "Nie. Za žiadnych okolností nevidia názov kategórie." contacts_know_aspect_q: "Vedia ľudia v mojich kontaktoch, do akej kategórie som ich dal(a)?" - contacts_visible_q: "Čo znamená „urobiť kontakty v tejto kategórii viditeľné pre ostatných“" + contacts_visible_q: "Čo znamená „umožniť, aby sa kontakty v tejto kategórii navzájom videli“?" remove_notification_a: "Nie." remove_notification_q: "Ak niekoho odstránim z kategórie alebo zo všetkých svojich kategórií, dostane o tom oznam?" rename_aspect_q: "Môžem premenovať kategóriu?" @@ -469,16 +434,16 @@ sk: layouts: application: back_to_top: "Späť nahor" - powered_by: "PREVÁDZKUJE Diaspora*" - public_feed: "Verejný kanál diaspory* pre použ. %{name}" + powered_by: "Prevádzkuje Diaspora*" + public_feed: "%{name} – verejný kanál diaspory*" source_package: "stiahnuť balík so zdrojovým kódom" - toggle: "prepnúť mobilnú verziu" + toggle: "Prepnúť (na) mobilnú verziu" whats_new: "Čo je nové?" your_aspects: "Tvoje kategórie" header: - admin: "správca" + admin: "Správca" blog: "Blog" - code: "kód" + code: "Kód" help: "Pomoc" login: "Prihlásiť sa" logout: "Odhlásiť sa" @@ -497,7 +462,7 @@ sk: few: "%{count} ľuďom sa to páči" one: "%{count} človeku sa to páči" other: "%{count} ľuďom sa to páči" - zero: "nikomu sa to nepáči" + zero: "Nikomu sa to nepáči" people_like_this_comment: few: "%{count} ľuďom sa to páči" one: "%{count} človeku sa to páči" @@ -505,14 +470,14 @@ sk: zero: "nikomu sa to nepáči" limited: "Vyhradený" more: "Viac" - next: "ďalej" + next: "Ďalej" no_results: "Žiadne výsledky sa nenašli" notifications: also_commented: - few: "%{actors} tiež okomentovali príspevok %{post_link} od použ. %{post_author}." - one: "%{actors} tiež okomentoval(a) príspevok %{post_link} od použ. %{post_author}." - other: "%{actors} tiež okomentovali príspevok %{post_link} od použ. %{post_author}." - zero: "%{actors} tiež okomentovalo príspevok %{post_link} od použ. %{post_author}." + few: "%{actors} okomentovali aj príspevok %{post_link} od použ. %{post_author}." + one: "%{actors} okomentoval(a) aj príspevok %{post_link} od použ. %{post_author}." + other: "%{actors} okomentovali aj príspevok %{post_link} od použ. %{post_author}." + zero: "%{actors} ľudí okomentovalo aj príspevok %{post_link} od použ. %{post_author}." also_commented_deleted: few: "%{actors} okomentovali tvoj vymazaný príspevok." one: "%{actors} okomentoval(a) tvoj vymazaný príspevok." @@ -590,7 +555,7 @@ sk: notifier: a_post_you_shared: "príspevok." accept_invite: "Odsúhlas svoju pozvánku na Diasporu*!" - click_here: "klikni sem" + click_here: "Klikni sem" comment_on_post: reply: "Zobraziť príspevok použ. %{name} alebo naň odpovedať >" confirm_email: @@ -647,7 +612,6 @@ sk: add_contact_from_tag: "pridať kontakt zo značky" aspect_list: edit_membership: "upraviť členstvo v kategórii" - few: "%{count} ľudia" helper: is_sharing: "%{name} sa s Tebou o niečo delí" results_for: "výsledky pre %{params}" @@ -660,7 +624,6 @@ sk: search_handle: "Na to, aby ste sa uistili, že nájdete svojich kamarátov, použite ich ID na diasporu*" searching: "hľadá sa, prosím buď trpezlivý (-á)." send_invite: "Stále nič? Pošlite pozvánku." - many: "%{count} ľudí" one: "1 človek" other: "%{count} ľudí" person: @@ -697,7 +660,6 @@ sk: add_some: "pridať nejaké" edit: "upraviť" you_have_no_tags: "nemáš žiadne značky!" - two: "%{count} ľudia" webfinger: fail: "Prepáč, %{handle} sa nedá nájsť." zero: "žiadni ľudia" @@ -750,18 +712,18 @@ sk: two: "Dve fotky, ktoré nahral(a) %{author}" zero: "Žiadne fotky, ktoré nahral(a) %{author}" reshare_by: "Znova ukázal(a) príspevok %{author}" - previous: "predchádzajúce" + previous: "Dozadu" privacy: "Ochrana súkromia" - privacy_policy: "Ochrana osobných údajov" + privacy_policy: "Ochrana súkromia" profile: "Profil" profiles: edit: - allow_search: "Povoliť ostatným, aby ťa našli na diaspore*" + allow_search: "Umožniť ostatným ľuďom, aby ťa našli na diaspore*" edit_profile: "Upraviť profil" first_name: "Krstné meno" last_name: "Priezvisko" - nsfw_check: "Označiť všetko, čo som uverejnil(a) ako NSFW" - nsfw_explanation2: "Ak si nechcete zvoliť túto možnosť, pridajte, prosím, značku #nsfw vždy, keď uverejníte takýto materiál." + nsfw_check: "Označiť všetko, čo ukazujem ako NSFW" + nsfw_explanation2: "Ak si nechcete zvoliť túto možnosť, pridajte, prosím, značku #nsfw vždy, keď niekomu ukážete takýto materiál." update_profile: "Aktualizovať profil" your_bio: "Niečo o tebe" your_birthday: "Dátum narodenia" @@ -781,7 +743,7 @@ sk: few: "%{count} reakcie" one: "1 reakcia" other: "%{count} reakcií" - zero: "0 reakcií" + zero: "Žiadne reakcie" registrations: closed: "Registrácie sú na tomto serveri diaspory* pozastavené." create: @@ -795,15 +757,12 @@ sk: update: "Aktualizovať" invalid_invite: "Odkaz na pozvánku, ktorý si zadal(a), už nie je platný!" new: - continue: "Pokračovať" create_my_account: "Založ si účet!" - diaspora: "<3 diaspora*" email: "E-MAIL" enter_email: "Zadaj e-mail" enter_password: "Zadaj heslo (minimálne šesť znakov)" enter_password_again: "Zadaj rovnaké heslo ako predtým" enter_username: "Zadaj používateľské meno (iba písmená, číslice a podčiarkovníky)" - hey_make: "HEJ,
UROB
NIEČO." join_the_movement: "Pripoj sa k hnutiu!" password: "HESLO" password_confirmation: "POTVRDENIE HESLA" @@ -813,7 +772,7 @@ sk: username: "POUŽÍVATEĽ" report: comment_label: "Komentár:
%{data}" - confirm_deletion: "Určite chceš vymazať položku?" + confirm_deletion: "Určite chceš vymazať túto položku?" delete_link: "Vymazať položku" post_label: "Príspevok: %{title}" reason_label: "Dôvod: %{text}" @@ -973,7 +932,7 @@ sk: via_mobile: "mobilom" viewable_to_anyone: "Tento príspevok si môže pozrieť každý na webe" simple_captcha: - label: "Zadajte kód v poli:" + label: "Do poľa zadajte kód:" message: default: "Tajný kód nie je rovnaký ako ten na obrázku" user: "Tajný obrázok a kód sa odlišujú." @@ -986,11 +945,7 @@ sk: no_message_to_display: "Žiadna správa na zobrazenie." new: mentioning: "Spomína sa: %{person}" - too_long: - few: "prosím, skráť svoje správy v statuse na menej ako %{count} znakov" - one: "prosím, skráť svoje správy v statusoch na menej ako %{count} znak" - other: "prosím, skráť svoje správy v statuse na menej ako %{count} znakov" - zero: "prosím, skráť svoje správy v statusoch na menej ako %{count} znakov" + too_long: "{\"few\"=>\"prosím, skráť svoje správy v statuse na menej ako %{count} znakov\", \"one\"=>\"prosím, skráť svoje správy v statusoch na menej ako %{count} znak\", \"other\"=>\"prosím, skráť svoje správy v statuse na menej ako %{count} znakov\", \"zero\"=>\"prosím, skráť svoje správy v statusoch na menej ako %{count} znakov\"}" stream_helper: hide_comments: "schovať komentáre" show_comments: @@ -1029,7 +984,6 @@ sk: title: "Verejná aktivita" tags: contacts_title: "Ľudia, ktorí hľadajú tieto značky" - tag_prefill_text: "%{tag_name} je... " title: "Príspevky so značkami: %{tags}" tag_followings: create: @@ -1042,16 +996,8 @@ sk: tags: show: follow: "Sledovať #%{tag}" - followed_by_people: - few: "sledujú %{count} ľudia" - one: "sleduje %{count} človek" - other: "sleduje %{count} ľudí" - zero: "nikto nesledujue" following: "Sleduješ #%{tag}" - nobody_talking: "Nikto ešte nehovorí o téme %{tag}." none: "Prázdna značka neexistuje!" - people_tagged_with: "Ľudia označení %{tag}" - posts_tagged_with: "Príspevky označené značkou #%{tag}" stop_following: "Prestať sledovať #%{tag}" terms_and_conditions: "Podmienky" undo: "Vrátiť zmeny?" @@ -1087,7 +1033,6 @@ sk: current_password: "Súčasné heslo" current_password_expl: "s ktorým sa prihlasuješ." download_photos: "Stiahnuť si fotky" - download_xml: "Stiahnuť si xml" edit_account: "Upraviť účet" email_awaiting_confirmation: "Poslali sme ti odkaz na aktiváciu %{unconfirmed_email}. Kým neklikneš na tento odkaz a neaktivuješ si novú adresu, budeme stále používať tvoju pôvodnú adresu %{email}." export_data: "Exportovať dáta" @@ -1096,7 +1041,6 @@ sk: liked: "...sa niekomu zapáči tvoj príspevok?" mentioned: "...ťa niekto spomenie v príspevku?" new_password: "Nové heslo" - photo_export_unavailable: "Momentálne sa fotky nedajú exportovať" private_message: "...dostaneš súkromnú správu?" receive_email_notifications: "Poslať oznam e-mailom, ak" reshared: "...sa niekto znova podelí o tvoj príspevok?" diff --git a/config/locales/diaspora/sl.yml b/config/locales/diaspora/sl.yml index e646fb828..7dbeb4578 100644 --- a/config/locales/diaspora/sl.yml +++ b/config/locales/diaspora/sl.yml @@ -8,6 +8,7 @@ sl: _applications: "Aplikacije" _comments: "Komentarji" _contacts: "Stiki" + _help: "Pomoč" _home: "Domov" _photos: "slike" _services: "Storitve" @@ -45,6 +46,7 @@ sl: correlations: "Korelacije" pages: "Strani" pod_stats: "Statistika Poda" + sidekiq_monitor: "Sidekiq zaslon" user_search: "Iskanje uporabnikov" weekly_user_stats: "Tedenska statistika uporabnikov" correlations: @@ -87,13 +89,15 @@ sl: user_search: add_invites: "dodaj vabila" email_to: "Povabila na e-poštni naslov" + under_13: "Prikaži uporabnike mlajše od 13 let (COPPA)" users: few: "%{count} najdeni uporabniki" one: "%{count} najden uporabnik" other: "%{count} najdenih uporabnikov" two: "%{count} najdena uporabnika" zero: "%{count} najdenih uporabnikov" - you_currently: "trenutno imate na razpolago še %{user_invitation} povabil %{link}" + you_currently: + other: "trenutno imate na razpolago še %{user_invitation} povabil %{link}" weekly_user_stats: amount_of: few: "Število novih uporabnikov ta teden: %{count}" @@ -120,8 +124,6 @@ sl: add_to_aspect: failure: "Dodajanje stika v vidik ni uspelo." success: "Dodajanje stika v vidik je uspelo." - aspect_contacts: - done_editing: "zaključi urejanje" aspect_listings: add_an_aspect: "+ Dodaj vidik" deselect_all: "Odstrani izbiro" @@ -140,21 +142,14 @@ sl: failure: "%{name} ni prazen in ga ni mogoče odstraniti." success: "%{name} je uspešno odstranjen." edit: - add_existing: "Dodaj obstoječi stik" aspect_list_is_not_visible: "seznam vidikov ni viden ostalim stikom v tem vidiku" aspect_list_is_visible: "seznam vidikov je viden ostalim stikom v tem vidiku" confirm_remove_aspect: "Ali ste prepričani, da bi radi izbrisali ta vidik?" - done: "Končano" make_aspect_list_visible: "naj bodo stiki v tem vidiku vidni med sabo?" remove_aspect: "Izbriši ta vidik" rename: "preimenuj" update: "posodobi" updating: "posodabljanje" - few: "%{count} vidiki" - helper: - are_you_sure: "Ste prepričani, da želite izbrisati ta vidik?" - aspect_not_empty: "Vidik ni prazen" - remove: "odstrani" index: diaspora_id: content_1: "Vaš Diaspora ID je:" @@ -177,6 +172,7 @@ sl: tag_bug: "bug" tag_feature: "feature" tag_question: "question" + tutorials_and_wiki: "%{faq}, %{tutorial} in %{wiki}: pomoč pri začetnih težavah." introduce_yourself: "To je vaš tok. Vskočite in predstavite se." keep_diaspora_running: "Z mesečnim prispevkom pohitrite razvoj Diaspore!" keep_pod_running: "Pomagajte, da bo %{pod} deloval hitro in plačajte strežnikom kavico z mesečnim prispevkom!" @@ -193,11 +189,6 @@ sl: heading: "Povežite storitve" unfollow_tag: "Nehaj slediti #%{tag}" welcome_to_diaspora: "Dobrodošli v Diaspori, %{name}!" - many: "%{count} vidikov" - move_contact: - error: "Prestavljanje stika neuspešno: %{inspect}" - failure: "ni uspelo %{inspect}" - success: "Oseba je prestavljena v nov vidik" new: create: "Ustvari" name: "Ime (vidno samo vam)" @@ -215,14 +206,6 @@ sl: family: "Družina" friends: "Prijatelji" work: "Služba" - selected_contacts: - manage_your_aspects: "Urejanje pogledov." - no_contacts: "Zaenkrat ste še brez stikov." - view_all_community_spotlight: "Poglej vsa središča pozornosti skupnosti" - view_all_contacts: "Poglej vse stike" - show: - edit_aspect: "uredi vidik" - two: "%{count} vidika" update: failure: "Vidik %{name} ima predolgo ime, zato ga ni mogoče shraniti." success: "Vaš vidik %{name} je bil uspešno posodobljen." @@ -242,36 +225,27 @@ sl: post_success: "Objavljeno! Zapiram!" cancel: "Prekliči" comments: - few: "%{count} mnenja" - many: "%{count} mnenj" new_comment: comment: "Napiši mnenje" commenting: "Pisanje mnenja ..." one: "1 mnenje" other: "%{count} mnenj" - two: "%{count} mnenji" zero: "nobenega mnenja" contacts: create: failure: "Ustvarjanje stika ni bilo mogoče" - few: "%{count} stiki" index: add_a_new_aspect: "Dodaj nov vidik" add_to_aspect: "Dodaj stik k %{name}" - add_to_aspect_link: "dodaj stike k %{name}" all_contacts: "Vsi stiki" community_spotlight: "Središče pozornosti skupnosti" - many_people_are_you_sure: "Ste prepričani, da želite začeti zasebni pogovor z več kot %{suggested_limit} stiki? Morda bi bilo bolje, da bi sporočilo objavili v tem vidiku." my_contacts: "Moji stiki" no_contacts: "Izgleda, da morate dodati kakšen stik!" no_contacts_message: "Preveri %{community_spotlight}" - no_contacts_message_with_aspect: "Preveri %{community_spotlight} ali %{add_to_aspect_link}" only_sharing_with_me: "Delijo samo z mano" - remove_person_from_aspect: "Odstrani %{person_name} iz \"%{aspect_name}\"" start_a_conversation: "Začni pogovor" title: "Stiki" your_contacts: "Vaši stiki" - many: "%{count} stikov" one: "1 stik" other: "%{count} stikov" sharing: @@ -279,14 +253,14 @@ sl: spotlight: community_spotlight: "Središče pozornosti skupnosti" suggest_member: "Predlagaj člana" - two: "%{count} stika" zero: "stiki" conversations: + conversation: + participants: "Udeleženci" create: fail: "Neveljavno sporočilo" + no_contact: "Hej, najprej moraš dodati stike!" sent: "Sporočilo poslano" - destroy: - success: "Pogovor uspešno odstranjen" helper: new_messages: few: "%{count} nova sporočila" @@ -361,6 +335,7 @@ sl: resend: "Ponovno pošlji" send_an_invitation: "Pošlji eno povabilo" send_invitation: "Pošlji povabilo" + sending_invitation: "Pošiljanje povabila..." to: "Za" layouts: application: @@ -552,8 +527,9 @@ sl: add_contact_from_tag: "dodaj osebo iz oznake" aspect_list: edit_membership: "urejanje članstva vidikov" - few: "%{count} osebe" helper: + is_not_sharing: "%{name} ne deli s teboj" + is_sharing: "%{name} deli s teboj" results_for: "zadetkov za %{params}" index: looking_for: "Iščete morda objave z oznako %{tag_link}?" @@ -561,7 +537,6 @@ sl: no_results: "Hej! Za iskanje je potrebno vpisati nekaj." results_for: "rezultati iskanja za" searching: "iskanje poteka, bodite potrpežljivi ..." - many: "%{count} oseb" one: "1 oseba" other: "%{count} oseb" person: @@ -576,6 +551,7 @@ sl: gender: "spol" in_aspects: "v vidikih" location: "kraj" + photos: "Fotografije" remove_contact: "odstrani stik" remove_from: "Naj odstranim %{name} iz %{aspect}?" show: @@ -597,7 +573,6 @@ sl: add_some: "dodaj nekaj" edit: "uredi" you_have_no_tags: "nimate nobene oznake!" - two: "%{count} osebi" webfinger: fail: "Žal ni bilo mogoče najti %{handle}." zero: "ni oseb" @@ -693,15 +668,12 @@ sl: update: "Posodobi" invalid_invite: "Povezava na povabilo, ki ste jo uporabili ni več veljavna!" new: - continue: "Nadaljuj" create_my_account: "Ustvari moj račun!" - diaspora: "<3 Diaspora*" email: "E-POŠTA" enter_email: "Vpišite e-naslov" enter_password: "Vpišite geslo (najmanj šest znakov)" enter_password_again: "Ponovno vpišite isto geslo" enter_username: "Izberite uporabniško ime (samo črke, številke in podčrtaji)" - hey_make: "HEJ,
NAREDI
NEKAJ." join_the_movement: "Pridružite se gibanju!" password: "GESLO" password_confirmation: "POTRDITEV GESLA" @@ -828,6 +800,7 @@ sl: all: "vsi" all_contacts: "vsi stiki" discard_post: "Zavrzi objavo" + get_location: "Pridobi svojo lokacijo" make_public: "objavi kot javno" new_user_prefill: hello: "Zdravo vsem. Jaz sem #%{new_user_tag}. " @@ -836,6 +809,7 @@ sl: newhere: "NovTukaj" post_a_message_to: "Objavi sporočilo v %{aspect}" posting: "Objavljanje ..." + preview: "Predogled" publishing_to: "objavljanje na: " share: "Objavi" share_with: "deli z" @@ -867,12 +841,7 @@ sl: no_message_to_display: "Ni sporočil." new: mentioning: "Omembe: %{person}" - too_long: - few: "vaše spročilo o stanju morajo vsebovati manj kot %{count} znake" - one: "vaše spročilo o stanju morajo vsebovati manj kot %{count} znak" - other: "vaše spročilo o stanju morajo vsebovati manj kot %{count} znakov" - two: "vaše spročilo o stanju morajo vsebovati manj kot %{count} znaka" - zero: "vaše spročilo o stanju morajo vsebovati manj kot %{count} znakov" + too_long: "{\"few\"=>\"vaše spročilo o stanju morajo vsebovati manj kot %{count} znake\", \"one\"=>\"vaše spročilo o stanju morajo vsebovati manj kot %{count} znak\", \"other\"=>\"vaše spročilo o stanju morajo vsebovati manj kot %{count} znakov\", \"two\"=>\"vaše spročilo o stanju morajo vsebovati manj kot %{count} znaka\", \"zero\"=>\"vaše spročilo o stanju morajo vsebovati manj kot %{count} znakov\"}" stream_helper: hide_comments: "Skrij vsa mnenja" show_comments: @@ -912,7 +881,6 @@ sl: title: "Javna aktivnost" tags: contacts_title: "Ljudje, ki so izbrskali to oznako" - tag_prefill_text: "Zadeva o %{tag_name} je ... " title: "Objave označene z: %{tags}" tag_followings: create: @@ -926,10 +894,7 @@ sl: show: follow: "Sledite #%{tag}" following: "Sledenje #%{tag}" - nobody_talking: "Nihče še ni govoril o %{tag}." none: "Prazna oznaka ne obstaja!" - people_tagged_with: "Ljudje, označeni z %{tag}" - posts_tagged_with: "Objave označene z #%{tag}" stop_following: "Prenehaj slediti #%{tag}" terms_and_conditions: "Pravila in pogoji" undo: "Razveljavi?" @@ -965,7 +930,6 @@ sl: current_password: "Trenutno geslo" current_password_expl: "tisto s katerim ste se prijavili ..." download_photos: "prenesi moje slike" - download_xml: "prenesi v xml" edit_account: "Uredi uporabniški račun" email_awaiting_confirmation: "Poslali smo vam povezavo za aktiviranje na %{unconfirmed_email}. Dokler ne sledite tej povezavi in aktivirate nov naslov, bomo še naprej uporabljati vaš stari naslov %{email}." export_data: "Izvozi podatke" @@ -974,7 +938,6 @@ sl: liked: "... je nekomu všeč vaša objava?" mentioned: "... ste omenjeni v objavi?" new_password: "Novo geslo" - photo_export_unavailable: "Izvoz slik trenutno ni na voljo" private_message: "... prejmete zasebno sporočilo?" receive_email_notifications: "Želite prejemati obvestila po e-pošti, ko ..." reshared: "... nekdo deli vašo objavo?" diff --git a/config/locales/diaspora/sr.yml b/config/locales/diaspora/sr.yml index 0fcdfcecf..9b4694289 100644 --- a/config/locales/diaspora/sr.yml +++ b/config/locales/diaspora/sr.yml @@ -58,8 +58,6 @@ sr: add_to_aspect: failure: "Неуспешно додавање особе у поглед." success: "Особа успешно додата у поглед." - aspect_contacts: - done_editing: "Готово уређивање" aspect_listings: add_an_aspect: "+ Додај поглед" deselect_all: "Не означи ни један" @@ -76,21 +74,14 @@ sr: failure: "%{name} није празан и не може се уклонити." success: "Поглед %{name} је успешно уклоњен." edit: - add_existing: "Додај постојећи контакт" aspect_list_is_not_visible: "списак погледа је невидљив осталима у погледу" aspect_list_is_visible: "списак погледа је видљив осталима у погледу" confirm_remove_aspect: "Јесте ли сигурни да желите да обришете овај поглед?" - done: "Готово" make_aspect_list_visible: "Учини контакте у овом погледу видљиве једне другима?" remove_aspect: "Обриши овај поглед" rename: "Преименуј" update: "Ажурирај" updating: "ажурирање" - few: "%{count} погледа" - helper: - are_you_sure: "Да ли сигурно желиш да обришеш овај поглед?" - aspect_not_empty: "Поглед није празан" - remove: "уклони" index: diaspora_id: content_1: "Твој Дијаспора ИД је:" @@ -123,11 +114,6 @@ sr: heading: "Повежи сајтове" unfollow_tag: "Не прати више #%{tag}" welcome_to_diaspora: "Добродошли на Дијаспору, %{name}!" - many: "%{count} погледа" - move_contact: - error: "Грешка приликом премештања особе: %{inspect}" - failure: "није успело: %{inspect}" - success: "Особа премештена у нови поглед." new: create: "Направи" name: "Име (видљиво само теби)" @@ -145,14 +131,6 @@ sr: family: "Породица" friends: "Пријатељи" work: "Посао" - selected_contacts: - manage_your_aspects: "Уреди своје погледе." - no_contacts: "Још немаш контаката." - view_all_community_spotlight: "Погледај целу заједницу" - view_all_contacts: "Види све контакте" - show: - edit_aspect: "Измени поглед" - two: "%{count} погледа" update: failure: "Твој поглед, %{name}, има предугачак назив да би се сачувао." success: "Твој поглед, %{name}, је успешно измењен." @@ -160,26 +138,48 @@ sr: back: "Назад" bookmarklet: post_something: "Објави на Дијаспори" + post_success: "Објављено! Затварам!" cancel: "Откажи" comments: new_comment: + comment: "Коментариши" commenting: "Коментарише се..." + one: "1 коментар" + zero: "Нема коментара" contacts: + create: + failure: "Неуспело креирање контакта" index: - add_to_aspect_link: "додај контакт аспекту %{name}" all_contacts: "Сви контакти" + community_spotlight: "Погледи заједнице" my_contacts: "Моји контакти" no_contacts: "Изгледа да треба да додаш неке контакте!" - remove_person_from_aspect: "Уклони %{person_name} из аспекта %{aspect_name}" + only_sharing_with_me: "Деле само са вама:" + start_a_conversation: "Започни разговор" title: "Контакти" your_contacts: "Твоји контакти" + one: "1 контакт" + sharing: + people_sharing: "Људи који деле са вама:" + spotlight: + community_spotlight: "Погледи заједнице" + zero: "Нема контаката" conversations: + create: + fail: "Неисправна порука" + sent: "Порука послата" + index: + inbox: "Сандуче" + no_conversation_selected: "Разговор није означен" + no_messages: "Нема порука" new: + abandon_changes: "Откажи промене:" send: "Пошаљи" sending: "Шаљем..." subject: "наслов" to: "за" show: + delete: "Обриши разговор" reply: "одговор" replying: "Одговарам..." delete: "Уклони" @@ -191,23 +191,307 @@ sr: fill_me_out: "Испуни ме" find_people: "Тражи људе или #тагове" hide: "Сакриј" + invitations: + a_facebook_user: "Фејсбук корисник" + check_token: + not_found: "Токен позивнице није пронађен" + create: + already_contacts: "Већ сте повезани са овом особом." + already_sent: "Већ сте позвали ову особу." + no_more: "Немате више позивница." + own_address: "Не можете послати позивницу на своју адресу." + rejected: "Ове email адресе имају проблеме: " + edit: + accept_your_invitation: "Прихвати позивницу" + your_account_awaits: "Ваш налог чека!" + new: + already_invited: "Сљедеће особе нису прихватиле вашу позивницу:" + check_out_diaspora: "Провјери diaspora*!" + invite_someone_to_join: "Позовите некога да се придружи diaspora*!" + language: "Језик" + personal_message: "Лична порука" + resend: "Пошаљи поново" + send_an_invitation: "Пошаљи позивницу" + send_invitation: "Пошаљи позивницу" + to: "За" + layouts: + application: + back_to_top: "Назад на врх" + powered_by: "Покреће diaspora*" + toggle: "Мобилна верзија" + whats_new: "Ново" + header: + admin: "Администратор" + blog: "Блог" + code: "Код" + login: "Пријава" + logout: "Одјава" + profile: "Профил" + recent_notifications: "Недавна обавештења" + settings: "Подешавања" + view_all: "Прикажи све" limited: "Ограничено" more: "Још" next: "следеће" no_results: "Нема резултата" + notifications: + index: + and: "и" + mark_all_as_read: "Означи све као прочитано" + notifications: "Обавештења" + post: "објава" + notifier: + a_post_you_shared: "објава" + click_here: "Кликните овде" + liked: + view_post: "Погледајте објаву" + mentioned: + mentioned: "споменуо/ла вас у објави:" + private_message: + reply_to_or_view: "Одговорите или погледајте овај разговор:" + reshared: + view_post: "Погледајте објаву" + single_admin: + admin: "Ваш diaspora* администратор" + subject: "Порука о вашем diaspora* налогу:" + started_sharing: + sharing: "дели са вама!" + thanks: "Хвала," + to_change_your_notification_settings: "да бисте променили подешавање обавештења" nsfw: "Није пригодно за посао" ok: "У реду" or: "или" password: "Лозинка" password_confirmation: "Понови лозинку" + people: + add_contact_small: + add_contact_from_tag: "Додај контакт из ознаке" + index: + no_one_found: "...и нико није пронађен." + no_results: "Хеј! Требате нешто потражити." + one: "1 особа" + person: + add_contact: "Додајте контакт" + already_connected: "Већ сте повезани" + pending_request: "Захтеви на чекању" + thats_you: "То сте ви!" + profile_sidebar: + bio: "Биографија" + born: "Дат.рођења" + edit_my_profile: "Уреди сопствени профил" + gender: "Пол" + location: "Локација" + remove_contact: "Уклони контакт" + show: + closed_account: "Овај налог је затворен." + does_not_exist: "Особа не постоји!" + mention: "Споменуо/ла вас у објави" + message: "Порука" + not_connected: "Не делите са овом особом" + recent_posts: "Недавне објаве" + recent_public_posts: "Недавне јавне објаве" + see_all: "Погледајте све" + start_sharing: "Почните делити" + sub_header: + add_some: "Додајте неке" + edit: "Уреди" + you_have_no_tags: "Немате ознака!" + zero: "Без особа" + photos: + create: + integrity_error: "Ажурирање слике није успело. Јесте ли сигурни да је то слика?" + runtime_error: "Ажурирање слике није успело. Јесте ли сигурни да је сигурносни каиш притегнут?" + type_error: "Ажурирање слике није успело. Јесте ли сигурни да сте слику додали?" + destroy: + notice: "Слика обрисана" + edit: + editing: "Уређивање" + new: + back_to_list: "Назад ка листи" + new_photo: "Нова слика" + post_it: "Објави!" + new_profile_photo: + upload: "Додајте нову профилну слику!" + show: + delete_photo: "Обриши слику" + edit: "Уреди" + edit_delete_photo: "Уреди опис слике / обриши слику" + make_profile_photo: "Постави профилну слику" + show_original_post: "Прикажи оригиналну објаву" + update_photo: "Ажурирај слику" + update: + error: "Неуспело уређивање слике" + notice: "Слика успешно ажурирана." + posts: + show: + destroy: "Обриши" + not_found: "Жао нам је, нисмо успели пронаћи такву објаву." previous: "претходно" privacy: "Приватност" privacy_policy: "Политика приватности" profile: "Профил" + profiles: + edit: + allow_search: "Дозволите особама да вас траже унутар diaspora*" + edit_profile: "Уреди профил" + first_name: "Име" + last_name: "Презиме" + update_profile: "Ажурирај профил" + your_bio: "Ваша биографија" + your_birthday: "Дат.рођења" + your_gender: "Пол" + your_location: "Ваша локација" + your_name: "Ваше име" + your_photo: "Ваша слика" + your_private_profile: "Ваш приватни профил" + your_public_profile: "Ваш јавни профил" + your_tags: "Опишите себе у 5 ријечи" + update: + failed: "Неуспело ажурирање профила" + updated: "Ажурирај профил" public: "Јавно" + registrations: + closed: "Регистрације су затворене за овај diaspora* под" + create: + success: "Придружили сте се diaspora*" + edit: + cancel_my_account: "Поништи мој налог" + leave_blank: "(оставите празно ако не желите да промените)" + password_to_confirm: "(треба нам ваша тренутна лозинка да потврди ваше промене)" + unhappy: "Несрећни?" + update: "Ажурирај" + new: + create_my_account: "Креирај мој налог!" + enter_email: "Унесите email" + enter_password: "Унесите лозинку (шест знакова минимално)" + enter_password_again: "Поновите лозинку" + enter_username: "Изаберите корисничко име (само слова, бројеви и доње линије)" + join_the_movement: "Придружи се покрету!" + sign_up_message: "Друштвена мрежа са ♥" + requests: + create: + sending: "Шаљем" + destroy: + success: "Сада делите." + manage_aspect_contacts: + existing: "Постојећи контакти" + new_request_to_person: + sent: "Послато" + reshares: + create: + failure: "Десила се грешка приликом делења ове објаве" + reshare: + deleted: "Изворна објава обрисана од стране аутора" + reshare_original: "Подели оригинал" + reshared_via: "Дељено путем" + show_original: "Прикажи оригинал" search: "Претрага" + services: + failure: + error: "Грешка у току повезивања сервиса" + finder: + no_friends: "Фејсбук пријатељи нису пронађени." + index: + connect_to_facebook: "Повежи са Фејсбуком" + connect_to_tumblr: "Повежи са Тумблр" + connect_to_twitter: "Повежи са Твитером" + disconnect: "Прекини везу" + edit_services: "Уреди сервисе" + logged_in_as: "Пријављен као" + no_services: "Нисте још повезали нити један сервис." + inviter: + click_link_to_accept_invitation: "Следи ову везу да прихватиш своју позивницу" + join_me_on_diaspora: "Придружи ми се на diaspora*" + remote_friend: + invite: "Позови" + not_on_diaspora: "Није још на diaspora*" + resend: "Пошаљи поново" settings: "Подешавања" + shared: + add_contact: + add_new_contact: "Додај нови контакт" + create_request: "Пронађи помоћу diaspora* ID" + diaspora_handle: "diaspora@pod.org" + enter_a_diaspora_username: "Унеси diaspora* корисничко име:" + know_email: "Знате њихову email адресу? Требали бисте их позвати" + aspect_dropdown: + add_to_aspect: "Додај контакт" + contact_list: + all_contacts: "Сви контакти" + invitations: + by_email: "Помоћу email" + dont_have_now: "Тренутно нема, али ускоро стиже још позивница!" + from_facebook: "Са Фејсбука" + invite_someone: "Позовите некога" + invite_your_friends: "Позовите пријатеље" + invites: "Захтеви" + invites_closed: "Захтеви су тренутно затворени за овај diaspora под" + public_explain: + outside: "Јавне поруке биће видљиве ван diaspora*." + share: "Подели" + title: "Уреди повезане сервисе" + visibility_dropdown: "Користите овај падајући мени како бисте променили видљивост вашег поста. (Предлажемо да први буде јаван.)" + publisher: + all: "Сви" + all_contacts: "Сви контакти" + discard_post: "Одбаци објаву" + make_public: "Учини јавним" + new_user_prefill: + invited_by: "Хвала на позиву, " + posting: "Објављујем..." + publishing_to: "Објави ка: " + share: "Дели" + share_with: "Дели са" + whats_on_your_mind: "Шта вам је на уму?" + reshare: + reshare: "Подели" + stream_element: + connect_to_comment: "Повежите се са овим корисником како бисте коментарисали њихову објаву" + currently_unavailable: "Коментарисање тренутно недоступно" + dislike: "Не свиђа ми се" + hide_and_mute: "Сакриј и утишај објаву" + like: "Свиђа ми се" + show: "Прикажи" + unlike: "Не свиђа ми се" + status_messages: + destroy: + failure: "Неуспело брисање објаве" + helper: + no_message_to_display: "Нема порука за приказати." + stream_helper: + hide_comments: "Сакриј све коментаре" + streams: + comment_stream: + contacts_title: "Особе на чије објаве сте ви коментарисали" + title: "Коментарисане објаве" + followed_tag: + add_a_tag: "Додајте ознаку" + follow: "Пратите" + like_stream: + contacts_title: "Особе чије објаве вам се свиђају" + mentions: + contacts_title: "Особе које су споменуле вас" + public: + title: "Јавна активност" + tag_followings: + create: + none: "Не можете пратити празну објаву!" + tags: + show: + none: "Празна ознака не постоји!" terms_and_conditions: "Услови коришћења" undo: "Врати?" username: "Корисничко име" + users: + edit: + change_email: "Промени email" + change_language: "Промени језик" + change_password: "Промени лозинку" + close_account_text: "Затвори налог" + current_password: "Тренутна лозинка" + download_photos: "Преузми моје фотографије" + edit_account: "Уреди налог" + new_password: "Нова лозинка" + your_email: "Ваш email" + your_handle: "Ваш diaspora* ID" welcome: "Добородошли!" \ No newline at end of file diff --git a/config/locales/diaspora/sv.yml b/config/locales/diaspora/sv.yml index 964724bd5..a6da9dc02 100644 --- a/config/locales/diaspora/sv.yml +++ b/config/locales/diaspora/sv.yml @@ -10,8 +10,9 @@ sv: _contacts: "Kontakter" _help: "Hjälp" _home: "Hem" - _photos: "foton" + _photos: "Bilder" _services: "Tjänster" + _statistics: "Statistik" _terms: "användningsvillkor" account: "Konto" activerecord: @@ -40,7 +41,7 @@ sv: reshare: attributes: root_guid: - taken: "Du gillar detta va? Du har nämligen redan delat detta inlägg vidare!" + taken: "Du gillar detta, eller hur? Du har nämligen redan delat detta inlägg!" user: attributes: email: @@ -71,7 +72,7 @@ sv: current_segment: "Medelantalet inlägg per användare för segmentet %{post_day} är %{post_yest}" daily: "Dagligen" display_results: "Visar resultat från segmentet %{segment}" - go: "gå" + go: "Kör" month: "Månad" posts: one: "Ett inlägg" @@ -103,8 +104,12 @@ sv: : ja user_search: account_closing_scheduled: "Kontot för %{name} är låst och kommer att raderas om en stund." - add_invites: "lägg till inbjudningar" + account_locking_scheduled: "Kontot för användaren %{name} är schemalagt för att låsas. Det kommer ske om en liten stund..." + account_unlocking_scheduled: "Kontot för användaren %{name} är schemalagt för att låsas upp. Det kommer ske om en liten stund..." + add_invites: "Lägg till inbjudningar" are_you_sure: "Är du säker på att du vill ta bort ditt konto?" + are_you_sure_lock_account: "Är du säker på att du vill låsa detta konto?" + are_you_sure_unlock_account: "Är du säker på att du vill låsa upp detta konta?" close_account: "ta bort konto" email_to: "Skicka ett e-brev för att bjuda in" under_13: "Visa användare som är yngre än 13 år" @@ -114,9 +119,9 @@ sv: zero: "Inga användare hittades" view_profile: "visa profil" you_currently: - one: "du har bara en invit kvar %{link}" - other: "du har nu bara %{count} inviter kvar %{link}" - zero: "you du har inga inviter kvar %{link}" + one: "Du har bara en invit kvar %{link}" + other: "Du har nu bara %{count} inviter kvar %{link}" + zero: "Du har inga inviter kvar %{link}" weekly_user_stats: amount_of: one: "Antalet nya användare denna vecka: en enda" @@ -127,11 +132,11 @@ sv: all_aspects: "Alla aspekter" application: helper: - unknown_person: "okänd person" + unknown_person: "Okänd person" video_title: unknown: "Okänd videotitel" are_you_sure: "Är du säker?" - are_you_sure_delete_account: "Är du säker på att du vill stänga ditt konto? Detta kan inte ångras!" + are_you_sure_delete_account: "Är du säker på att du vill avsluta ditt konto? Detta kan inte ångras!" aspect_memberships: destroy: failure: "Kunde inte ta bort personen från aspekten" @@ -141,8 +146,6 @@ sv: add_to_aspect: failure: "Personen kunde inte läggas till på aspekten." success: "Personen lades till i aspekten." - aspect_contacts: - done_editing: "dölj" aspect_listings: add_an_aspect: "+ Lägg till en aspekt" deselect_all: "Avmarkera alla" @@ -153,7 +156,7 @@ sv: stay_updated: "Håll dig uppdaterad" stay_updated_explanation: "Din huvudström innefattar alla dina kontakter, de taggar du följer och inlägg från några kreativa medlemmar i gemenskapen." contacts_not_visible: "Kontakterna i den här aspekten kommer inte att kunna se varandra." - contacts_visible: "Kontakterna i den här aspekten kommer att kunna se varandra." + contacts_visible: "Kontakterna i denna aspekt kommer vara synliga för varandra." create: failure: "Aspekten kunde inte skapas." success: "Din nya aspekt %{name} har skapats" @@ -161,32 +164,27 @@ sv: failure: "%{name} är inte tom och kan därför inte tas bort" success: "%{name} togs bort." edit: - add_existing: "Lägg till en befintlig kontakt" + aspect_chat_is_enabled: "Kontakterna i denna aspekt har tillåtelse chatta med dig." + aspect_chat_is_not_enabled: "Kontakter i denna aspekt har inte privilegier för att chatta med dig." aspect_list_is_not_visible: "Aspektens kontakter kan inte se vilka som hör till aspekten." - aspect_list_is_visible: "Aspektens kontakter kan se vilka som hör till aspekten." + aspect_list_is_visible: "Kontakter i denna aspekt är synliga för varandra." confirm_remove_aspect: "Är du säker på att du vill ta bort aspekten?" - done: "Klar" - make_aspect_list_visible: "ska kontakterna i denna aspekt vara synliga för varandra? " - manage: "Hantera" + grant_contacts_chat_privilege: "vill du ge kontakter i aspekten chatprivilegier?" + make_aspect_list_visible: "Ska kontakterna i denna aspekt vara synliga för varandra?" remove_aspect: "Ta bort den här aspekten" - rename: "byt namn" + rename: "Byt namn" set_visibility: "Ange synlighetsgrad" - update: "uppdatera" - updating: "uppdaterar" - few: "%{count} aspekter" - helper: - are_you_sure: "Är du säker på att du vill ta bort den här aspekten?" - aspect_not_empty: "Aspekten är inte tom" - remove: "ta bort" + update: "Uppdatera" + updating: "Uppdaterar" index: diaspora_id: - content_1: "Ditt Diaspora-id är:" - content_2: "Med hjälp av det kan alla hitta dig på Diaspora." - heading: "Diaspora-id" + content_1: "Ditt Diaspora*-id är:" + content_2: "Med hjälp av det, kan alla hitta dig på Diaspora*." + heading: "Diaspora*-id" donate: "Donera" - handle_explanation: "Detta är ditt Diaspora-id. Det är det här du ska ge till dina vänner, om du vill att de ska lägga till dig på Diaspora." + handle_explanation: "Detta är ditt Diaspora*-id. Det är det här du ska ge till dina vänner, om du vill att de ska lägga till dig på Diaspora*." help: - any_problem: "Några problem?" + any_problem: "Har du problem?" contact_podmin: "Kontakta din pods administratör." do_you: "Har du:" email_feedback: "%{link}a din respons, om du föredrar det" @@ -195,15 +193,15 @@ sv: find_a_bug: "... hittat en %{link}?" have_a_question: "... en %{link}?" here_to_help: "Diasporagemenskapen finns här!" - mail_podmin: "Podadministratörs e-post" + mail_podmin: "Podadministratörens e-post" need_help: "Behöver du hjälp?" tag_bug: "bugg" tag_feature: "förslag" tag_question: "fråga" tutorial_link_text: "Nybörjar-guider" - tutorials_and_wiki: "%{faq}, %{tutorial} och %{wiki} hjälper dig att komma igång." + tutorials_and_wiki: "%{faq}, %{tutorial} och %{wiki} hjälper dig komma igång." introduce_yourself: "Det här är ditt flöde. Hoppa in och presentera dig själv." - keep_diaspora_running: "Håll Diasporautvecklingen igång med en månatlig donation!" + keep_diaspora_running: "Håll igång Diaspora*'s utveckling med en månatlig donation!" keep_pod_running: "Håll %{pod} igång och ge servrarna sin kaffefix med en månatlig donation!" new_here: follow: "Följ %{link} och hälsa nya användare välkomna!" @@ -212,22 +210,17 @@ sv: no_contacts: "Inga kontakter" no_tags: "+ Hitta en tag att följa" people_sharing_with_you: "Personer som delar med dig" - post_a_message: "skriv ett inlägg >>" + post_a_message: "Skriv ett inlägg >>" services: - content: "Du kan koppla ihop Diaspora med följande tjänster:" + content: "Du kan koppla ihop Diaspora* med följande tjänster:" heading: "Ihopkopplade tjänster" unfollow_tag: "Sluta följa #%{tag}" - welcome_to_diaspora: "Välkommen till Diaspora, %{name}!" - many: "%{count} aspekter" - move_contact: - error: "Kunde inte flytta kontakt: %{inspect}" - failure: "fungerade inte %{inspect}" - success: "Personen flyttades till den nya aspekten" + welcome_to_diaspora: "Välkommen till Diaspora*, %{name}!" new: create: "Skapa" name: "Namn (endast synligt för dig)" no_contacts_message: - community_spotlight: "gemenskapens rampljus" + community_spotlight: "Gemenskapens rampljus" or_spotlight: "Du kan också dela med %{link}" try_adding_some_more_contacts: "Du kan söka efter eller bjuda in fler personer." you_should_add_some_more_contacts: "Du borde lägga till fler kontakter!" @@ -240,63 +233,50 @@ sv: family: "Familj" friends: "Vänner" work: "Arbete" - selected_contacts: - manage_your_aspects: "Hantera dina aspekter." - no_contacts: "Du har ännu inga kontakter här." - view_all_community_spotlight: "Se allt i gemenskapens rampljus" - view_all_contacts: "Se alla kontakter" - show: - edit_aspect: "redigera aspekt" - two: "%{count} aspekter" update: failure: "Det namn du valde för din aspekt, %{name}, var för långt för att kunna sparas." success: "Din aspekt %{name} har nu ändrats." - zero: "inga aspekter" + zero: "Inga aspekter" back: "Tillbaka" blocks: create: failure: "Jag kunde inte ignorera den användaren. #undvik" - success: "Nåväl, du kommer inte att se den användaren i din ström igen. #tystnad!" + success: "Nåväl, du kommer inte att se den användaren i din ström igen. #silencio!" destroy: failure: "Jag kunde inte sluta ignorera den användaren. #undvik" - success: "Låt oss se vad de har att säga! #säghej" + success: "Låt oss se vad de har att säga! #hälsa" bookmarklet: - explanation: "Bokmärk %{link} för att kunna göra inlägg på Diaspora varifrån som helst." + explanation: "Bokmärk %{link} för att kunna göra inlägg på Diaspora* varifrån som helst." heading: "Bookmarklet" - post_something: "Dela på Diaspora" + post_something: "Dela på Diaspora*" post_success: "Skickat! Stänger!" cancel: "Avbryt" comments: - few: "%{count} kommentarer" - many: "%{count} kommentarer" new_comment: comment: "Kommentera" commenting: "Kommenterar..." one: "en kommentar" other: "%{count} kommentarer" - two: "%{count} kommentarer" - zero: "inga kommentarer" + zero: "Inga kommentarer" contacts: create: failure: "Kunde inte skapa kontakt" - few: "%{count} kontakter" index: add_a_new_aspect: "Lägg till en ny aspekt" - add_to_aspect: "lägg till kontakter i %{name}" - add_to_aspect_link: "lägg till kontakter i %{name}" + add_contact: "Lägg till kontakt" + add_to_aspect: "Lägg kontakter i %{name}" all_contacts: "Alla kontakter" community_spotlight: "Gemenskapens rampljus" - many_people_are_you_sure: "Är du säker på att du vill starta en privat konversation med mer än %{suggested_limit} kontakter? Ett bättre sätt kan vara att posta inlägget i denna aspekt." my_contacts: "Mina kontakter" no_contacts: "Det verkar som om att du skulle behöva några fler kontakter!" + no_contacts_in_aspect: "Den här aspekten är för närvarande tom. Nedanför kan du se en lista med dina kontakter som du kan lägga till." no_contacts_message: "Kolla in %{community_spotlight}" - no_contacts_message_with_aspect: "Kolla in %{community_spotlight} eller %{add_to_aspect_link}" only_sharing_with_me: "Delar enbart med mig" - remove_person_from_aspect: "Ta bort %{person_name} från \"%{aspect_name}\"" + remove_contact: "Ta bort kontakt" start_a_conversation: "Inled en konversation" title: "Kontakter" - your_contacts: "Kontakter" - many: "%{count} kontakter" + user_search: "Användarsökning" + your_contacts: "Dina kontakter" one: "en kontakt" other: "%{count} kontakter" sharing: @@ -304,8 +284,7 @@ sv: spotlight: community_spotlight: "Gemenskapens rampljus" suggest_member: "Föreslå en medlem" - two: "%{count} kontakter" - zero: "kontakter" + zero: "Inga kontakter" conversations: conversation: participants: "Deltagare" @@ -314,7 +293,8 @@ sv: no_contact: "Hallå där! Du måste först lägga till kontakten." sent: "Meddelandet har skickats" destroy: - success: "Konversationen togs bort" + delete_success: "Konversationen har tagits bort" + hide_success: "Konversationen har döljts" helper: new_messages: one: "Ett nytt meddelande" @@ -325,19 +305,20 @@ sv: create_a_new_conversation: "påbörja en ny konversation" inbox: "Inkorg" new_conversation: "Ny konversation" - no_conversation_selected: "ingen konversation vald" - no_messages: "inga meddelanden" + no_conversation_selected: "Ingen konversation vald" + no_messages: "Inga meddelanden" new: abandon_changes: "Ändringarna kommer inte sparas. Vill du fortsätta ändå?" send: "Skicka" sending: "Skickar..." - subject: "ämne" - to: "till" + subject: "Ämne" + to: "Till" new_conversation: fail: "Ogiltigt meddelande" show: - delete: "ta bort och blockera konversation" - reply: "besvara" + delete: "Ta bort konversationen" + hide: "dölj och tysta konversation" + reply: "Besvara" replying: "Svarar..." date: formats: @@ -357,13 +338,13 @@ sv: find_people: "Hitta personer eller #taggar" help: account_and_data_management: - close_account_a: "Gå längst ner på Inställnings-sidan och tryck på knappen \"Stäng Kontot\"." + close_account_a: "Längst ner på sidan för inställningar finns knappen \"Stäng kontot\"." close_account_q: "Hur tar jag bort mitt frö (konto)?" data_other_podmins_a: "När du delar med dig med till någon på en annan pod, kommer alla inlägg du delar med till dem samt en kopia av din profil att sparas tillfälligt på deras pod. Då kan också dess podadministratör komma åt din data. När du tar bort ett inlägg eller tar bort hela din profil, försvinner den också från dem podar där den tidigare sparats." data_other_podmins_q: "Kan adminstratörer av andra pods se min information?" - data_visible_to_podmin_a: "Kommunikationen mellan podar är alltid krypterad (både med SSL och Disaporas egna krypteringsstystem). Den sparade datan på podarna är dock inte krypterad. Podarnas administratörer kan komma åt all din profildata och alla dina inlägg (precis som med de flesta andra webbplatser). Att administrera en egen pod ger därför mer skydd, eftersom du administrerar din egna databas." + data_visible_to_podmin_a: "Kommunikationen mellan podar är alltid krypterad, både med SSL och Diasporas egna krypteringssystem. Informationen i varje pod är dock inte krypterad. Podarnas administratörer kan komma åt all din profildata och alla dina inlägg. (Precis administratörer för andra webbplatser kommer åt datan de hanterar.) Om du vill vara mer säker kan du administrera din egen pod, eftersom du då kontrollerar åtkomsten till databasen." data_visible_to_podmin_q: "Hur mycket av min personliga information kan min pod-administratör se?" - download_data_a: "Ja. Längst ned på sidan Konto-fliken i Inställnings-menyn finns det två knappar för att ladda ner din data." + download_data_a: "Ja. Längst ned på kontofliken, i inställningsmenyn, finns två knappar för att ladda ner din data." download_data_q: "Kan jag ladda ner en kopia av all data på mitt frö (konto)?" move_pods_a: "I framtiden kommer du att kunna exportera ditt frö från en pod och importera det till en annan. Just nu är detta dock inte möjligt. Du kan däremot skapa ett nytt konto och lägga till dina kontakter på ett nytt frö och sedan be dem att lägga till dig på nytt." move_pods_q: "Hur flyttar jag mitt frö (konto) från en pod till en annan?" @@ -381,10 +362,10 @@ sv: person_multiple_aspects_q: "Kan jag lägga till en person i flera olika aspekter?" post_multiple_aspects_a: "Ja. När du gör ett inlägg, använd aspektväljarknappen för att välja eller ta bort aspekter. Ditt inlägg kommer att bli synligt för alla aspekter som du valt. I sidopanelen kan du också välja vilka aspekter du vill skicka inlägg till. När du gör inlägget kommer aspekterna du valt i panelen att automatiskt vara valda när du börjar göra ditt inlägg." post_multiple_aspects_q: "Kan jag göra inlägg till flera aspekter på en gång?" - remove_notification_a: "Nej." + remove_notification_a: "Nej. De får inte någon notifikation om att du lägger till dem i fler än en aspekt, även om du redan delar med dig åt dem." remove_notification_q: "Kommer mina kontakter få en notifiering om jag tar bort dem från aspekter?" - rename_aspect_a: "Ja. I din aspektlista till vänster på huvudsidan kan du döpa om en aspekt genom att föra muspekaren över aspektens namn, trycka på pennan som dyker upp och välj där att döpa om aspekten." - rename_aspect_q: "Kan jag döpa om en aspekt?" + rename_aspect_a: "I din aspektlista, till vänster på huvudsidan, kan du döpa om en aspekt genom att föra muspekaren över aspektens namn, trycka på den penna som dyker upp och där välj att döpa om aspekten." + rename_aspect_q: "Hur döper jag om en aspekt?" restrict_posts_i_see_a: "Ja. Välj \"Mina aspekter\" i sidolisten och markera eller avmarkera aspekter i listen genom att klicka på dem. Bara inlägg från personer i de valda aspekterna kommer synas i ditt flöde." restrict_posts_i_see_q: "Kan jag begränsa dem inlägg jag ser till särskilda aspekter?" title: "Aspekter" @@ -392,15 +373,22 @@ sv: what_is_an_aspect_q: "Vad är en Aspekt?" who_sees_post_a: "Om du skulle göra ett inlägg med begränsad spridning, kommer det bara vara synligt för dem du har i just den aspekten (eller de aspekterna, om det skickas till flertalet aspekter). Kontakter som inte finns i aspekten kommer inte att kunna se inlägget. Bara offentliga inlägg kommer att bli synliga för dina kontakter som inte ligger i någon aspekt." who_sees_post_q: "Vem ser det inlägg jag gjort i en aspekt?" - foundation_website: "diaspora-föreningens hemsida" + chat: + add_contact_roster_a: "Först av allt måste du tillåta chatt i aspekter med dem du vill chatta med. Du gör genom att gå till %{contacts_page} och väljer aspekterna du vill tillåta chatt i. %{toggle_privilege} Om du hellre vill, kan du skapa en egen aspekt speciellt för dem du vill chatta med. När du har aspekt med chattar tillåtna, är det bara att öppna chatten och välj den du vill chatta med." + add_contact_roster_q: "Hur chattar jag med någon på Diaspora?" + contacts_page: "kontaktsida" + title: "Chatt" + faq: "Vanliga frågor" + foundation_website: "Diaspora*-föreningens hemsida" getting_help: - get_support_a_hashtag: "ställ en fråga i ett publikt inlägg på Diaspora* med taggen %{question}" - get_support_a_irc: "hälsa på oss på %{irc} (direktchatt)" - get_support_a_tutorials: "ta en titt på våra %{tutorials}" - get_support_a_website: "besök vår %{link}" - get_support_a_wiki: "sök i %{link}" + get_support_a_faq: "Läs vår %{faq}-sida på wikin." + get_support_a_hashtag: "Fråga med ett publikt inlägg på Diaspora* och använd taggen %{question}" + get_support_a_irc: "Ta kontakt med oss på %{irc} (chatt)" + get_support_a_tutorials: "Spana in våra %{tutorials}" + get_support_a_website: "Besök vår %{link}" + get_support_a_wiki: "sök vidare i vår %{link}" get_support_q: "Vad gör jag om jag inte fått svar på min fråga i denna lista? Var kan jag få svar på min fråga?" - getting_started_a: "Du har tur. Pröva projektets %{tutorial_series} på vår sida. Där får du en stegvis genomgång av hela registreringsprocessen och lära dig grunderna för att använda Diaspora*." + getting_started_a: "Inga problem! På vår sida finns %{tutorial_series}. De ger dig en genomgång av hela registreringsprocessen, steg för steg, och lär dig hur Diaspora* fungerar." getting_started_q: "Jag behöver hjälp för att komma igång!" title: "Få hjälp" getting_started_tutorial: "Handledning för att komma igång" @@ -412,6 +400,10 @@ sv: keyboard_shortcuts_li2: "k - hoppa till föregående inlägg" keyboard_shortcuts_li3: "c - kommentera inlägget" keyboard_shortcuts_li4: "l - gilla inlägget" + keyboard_shortcuts_li5: "r - Dela vidare inlägget" + keyboard_shortcuts_li6: "m - Fäll ut inlägget" + keyboard_shortcuts_li7: "o - Öppna den först förekommande länken i inlägget" + keyboard_shortcuts_li8: "ctr + enter - Skicka meddelande" keyboard_shortcuts_q: "Vilka tangentbordsgenvägar finns att tillgå?" title: "Tangentbordsgenvägar" markdown: "Markdown" @@ -441,7 +433,7 @@ sv: title: "Podar" use_search_box_a: "Om du känner till deras Diaspora-id (alltså användarnamn@podnamnet.org) kan du söka på det. Om individerna använder samma pod, räcker det med att söka på användarnamnet. Alternativt kan du söka efter profilnamnet, vilket kan vara (men inte måste vara) personens egennamn. Om en sökning misslyckas första gången kan du pröva igen." use_search_box_q: "Hur använder jag sökrutan för att hitta särskilda personer?" - what_is_a_pod_a: "En pod är en server som använder Diasporas mjukvara och är ansluten till nätverket med andra sådana servrar. \"Pod\" är engelska för \"frökapsel\". En pod ses som en sådan kapsel som innehåller flera frön, som att en server har flera konton. Det finns många olika podar och du kan kommunicera med vänner från andra podar. (Du kan se Diaspora* som en e-post-leverantör. Det finns publika podar, privata podar och du kan till och med bli din egna.)" + what_is_a_pod_a: "En pod är en server som använder Diaspora*'s mjukvara och är ansluten till nätverket med andra sådana servrar. \"Pod\" är engelska för \"frökapsel\". En pod ses som en sådan kapsel som innehåller flera frön, som att en server har flera konton. Det finns många olika podar och du kan kommunicera med vänner från andra podar. (Du kan se Diaspora* som en e-post-leverantör. Det finns publika podar, privata podar och du kan till och med bli din egna.)" what_is_a_pod_q: "Vad är en pod?" posts_and_posting: char_limit_services_a: "I dem fallen kommer dina inlägg vara begränsade till ett färre antal tecken (140 för Twitter och 1 000 för Tumblr). Hur många tecken du har kvar att använda , syns när tjänstens ikon är upplyst. Du kan fortfarande göra inlägg till dessa tjänster som är längre än deras begränsningar, men de kommer att bli avhuggna." @@ -461,6 +453,14 @@ sv: insert_images_comments_a2: "används för att lägga till bilder från en webbplats till både kommentarer och inlägg." insert_images_comments_q: "Kan jag lägga till bilder i kommentarer?" insert_images_q: "Hur lägger jag in bilder till mitt inlägg?" + post_location_a: "Tryck på knappnålsikonen bredvid kameran där du laddar upp bilder. Det här kommer att lägga till din plats från OpenStreetMap.org. Du själv kan ändra platsen, för att bara ange staden du befinner dig i och inte den exakta adressen." + post_location_q: "Hur anknyter jag min plats till ett inlägg?" + post_notification_a: "Du finner en bjällerikon bredvid X:et i inlägget övre, högra hörn. Tryck på den för att slå på eller av notifikationer om det inlägget." + post_notification_q: "Hur skulle jag göra för att ändra mina notifikationsinställningar för ett inlägg?" + post_poll_a: "Tryck på grafikonen för att skapa en omröstning. Skriv in din fråga och åtminstone två alternativ. Glöm inte att göra inlägget publikt om du vill att alla ska kunna delta." + post_poll_q: "Hur lägger jag till en omröstning till mitt inlägg?" + post_report_a: "Tryck på varningstriangeln i inläggets övre, högra hörn för att anmäla det till din podadminstratör. Ange sedan, noggrant, varför du valt att anmäla inlägget." + post_report_q: "Hur meddelar jag om kränkande inlägg?" size_of_images_a: "Nej. Bildernas storlek justeras automatiskt för att passa strömmen." size_of_images_q: "Kan jag själv anpassa bildstorleken i inlägg och kommentarer?" stream_full_of_posts_a1: "Din ström består av tre typer av inlägg:" @@ -525,6 +525,7 @@ sv: add_to_aspect_li5: "Skulle Bengt besöka Annas profilsida skulle han se de privata inläggen hon har gjort till den aspekt hon har lagt honom i. Givetvis ser Bengt också Annas publika inlägg på hennes profilsida." add_to_aspect_li6: "Bengt kommer att kunna se Annas publika profil med biografi, position, kön och födelsedag." add_to_aspect_li7: "Anna kommer synas under \"Delar enbart med mig\" på Bengts kontaktsida." + add_to_aspect_li8: "Amalia kommer också kunna @nämna Benjamin i ett inlägg." add_to_aspect_q: "Vad händer när jag lägger till en person i en aspekt och när någon lägger till mig till en av deras aspekter?" list_not_sharing_a: "Nej. Du kan däremot besöka personers profilsidor för att se om de delar med sig till dig. Om de gör det, kommer listen under deras profilbild att vara grön; annars vore den grå. Du borde få en notifiering varje gång börjar dela med sig till dig." list_not_sharing_q: "Finns det någon lista med personer vilka jag har lagt till aspekter, men som inte har mig i någon av deras?" @@ -532,6 +533,8 @@ sv: only_sharing_q: "Vilka personer syns i \"Delar enbart med mig\" på min kontaktsida?" see_old_posts_a: "Nej. De kommer bara att kunna se de nya inläggen du gör. De kan givetvis se dina gamla offentliga inlägg, precis som alla andra." see_old_posts_q: "Kan personer jag lägg till i mina aspekter se de äldre inläggen jag gjort till aspekten?" + sharing_notification_a: "Du borde få en notifikation varje gång någon delar med sig åt dig." + sharing_notification_q: "Hur kan jag se om någon delar med sig av innehåll åt mig?" title: "Delning av inlägg" tags: filter_tags_a: "Det är inte ännu inte möjligt att utföra i Diaspora*. Men något %{third_party_tools} kan finnas som stödjer denna funktion." @@ -545,7 +548,7 @@ sv: title: "Taggar" what_are_tags_for_a: "Taggarna är ett sätt att kategorisera inlägg efter ämne. Genom att söka på en särskild tag kommer alla inlägg med den taggen att visas, både de publika och de privata till dig. På så vis kan man hitta inlägg som intresserar en." what_are_tags_for_q: "Vad är taggarna till för?" - third_party_tools: "tredjepartsverktyg" + third_party_tools: "Tredjepartsverktyg" title_header: "Hjälp" tutorial: "Nybörjar-guide" tutorials: "nybörjar-guider" @@ -573,14 +576,14 @@ sv: new: already_invited: "Följande har inte accepterat din inbjudan:" aspect: "Aspekt" - check_out_diaspora: "Kolla in Diaspora!" + check_out_diaspora: "Kolla in Diaspora*!" codes_left: one: "%{count} inbjudning kvar för denna kod." other: "%{count} inbjudningar kvar för denna kod." zero: "Det finns inga inbjudningar kvar för denna kod." comma_separated_plz: "Du kan ange flera e-postadresser åtskilda av kommatecken." if_they_accept_info: "om de accepterar, kommer de läggas till i den aspekt du angav vid inbjudan." - invite_someone_to_join: "Bjud in någon till Diaspora!" + invite_someone_to_join: "Bjud in någon till Diaspora*!" language: "Språk" paste_link: "Ge denna länk till dina vänner för att bjuda in dem till Diaspora*, eller skicka länken till dem med e-post." personal_message: "Personligt meddelande" @@ -592,18 +595,18 @@ sv: layouts: application: back_to_top: "Åter till början" - powered_by: "DRIVS AV DIASPORA*" - public_feed: "Offentligt Diasporaflöde för %{name}" - source_package: "ladda ned källkodspaketet" - toggle: "byt mobilanpassning" - whats_new: "vad är nytt?" - your_aspects: "dina aspekter" + powered_by: "Drivs med Diaspora*" + public_feed: "Offentligt Diaspora*-flöde för %{name}" + source_package: "Ladda ned källkodspaketet" + toggle: "Slå om mobiltelefonanpassning" + whats_new: "Vad är nytt?" + your_aspects: "Dina aspekter" header: - admin: "administratör" - blog: "blogg" - code: "källkod" + admin: "Administratör" + blog: "Blogg" + code: "Källkod" help: "Hjälp" - login: "logga in" + login: "Logga in" logout: "Logga ut" profile: "Profil" recent_notifications: "Tidigare" @@ -612,20 +615,20 @@ sv: likes: likes: people_dislike_this: - one: "en person ogillar det här" + one: "En person ogillar det här" other: "%{count} personer ogillar det här" - zero: "inga ogillar det här" + zero: "Inga ogillar det här" people_like_this: - one: "en person gillar det här" + one: "En person gillar det här" other: "%{count} personer gillar det här" - zero: "inga personer gillar det här" + zero: "Inga personer gillar det här" people_like_this_comment: - one: "en gillar" + one: "En gillar" other: "%{count} gillar" - zero: "ingen gillar" + zero: "Ingen gillar" limited: "Begränsad" more: "Mer" - next: "nästa" + next: "Nästa" no_results: "Inga sökresultat" notifications: also_commented: @@ -666,6 +669,7 @@ sv: mark_read: "Lästmärk" mark_unread: "Markera som oläst" mentioned: "Omnämnd" + no_notifications: "Du har inga notifikationer ännu." notifications: "Notiser" reshared: "Återdelad" show_all: "visa alla" @@ -705,15 +709,59 @@ sv: other: "%{actors} har börjat att dela med dig." zero: "ingen delar ännu något med dig." notifier: + a_limited_post_comment: "Du har en ny kommentar till ett begränsat inlägg på Diaspora* att spana in." a_post_you_shared: "ett inlägg." + a_private_message: "Du har fått ett nytt privat meddelande på Diaspora*." accept_invite: "Acceptera din Diaspora*-inbjudan!" - click_here: "klicka här" + click_here: "Klicka här" comment_on_post: reply: "Svara eller se %{name}s inlägg >" confirm_email: click_link: "För att aktivera din nya e-postadress %{unconfirmed_email}, klicka här:" subject: "Var vänlig och aktivera din nya e-postadress %{unconfirmed_email}" email_sent_by_diaspora: "Detta e-brev har skickats av %{pod_name}. Vill du inte få några fler liknade e-brev," + export_email: + body: |- + Hej %{name}, + + Din data har behandlas och kan nu laddas ned [här](%{url}). + + Tack och hej, + + Diasporas e-postrobot! + subject: "Din personliga data finns nu tillgänglig för att laddas ned, %{name}" + export_failure_email: + body: |- + Hej %{name} + + Vi har stött på ett problem medan vi behandlade din personliga data för nedladdning. + Var god försök igen! + + Tack och hej, + + Diasporas e-postbot! + subject: "Förlåt oss, det dök upp ett problem med din data, %{name}" + export_photos_email: + body: |- + Tjena %{name}, + + Dina bilder har behandlats och kan nu laddas ned med [denna länk](%{url}). + + Ha det bra, + + Diasporas e-postbot. + subject: "Dina bilder kan nu laddas ned, %{name}" + export_photos_failure_email: + body: |- + Tjena %{name}, + + Vi har stött på ett bekymmer under behandlingen av bilderna du skulle ladda ned. + Försök gärna igen! + + Förlåt oss, + + Diasporas e-postbot. + subject: "Ett problem uppstod med dina bilder, %{name}" hello: "Hej %{name}!" invite: message: |- @@ -740,6 +788,22 @@ sv: subject: "%{name} har nämnt dig på Diaspora*" private_message: reply_to_or_view: "Svara på eller läs denna konversation >" + remove_old_user: + body: |- + Hej, + + På grund av inaktivitet i ditt Diaspora*-konto på %{pod_url} vill vi meddela att ditt konto automatiskt har blivit märkt för borttagning. Detta sker automatiskt när ett konto har varit inaktivt i %{after_days} dagar. + + Vi ser gärna att du förblir en del av Diaspora*-gemenskapen och behåller ditt konto. + + Du kan undvika dataförluster genom att logga in på kontot innan det automatiskt tas bort %{remove_after}. Ta gärna en ordentlig titt på Diaspora* nu, för mycket har ändrats sedan du senast loggade in. Vi hoppas att du kommer att gilla de ändringar vi har gjort. Följ några #taggar för att intressant material. + + Om du vill behålla ditt konto, logga in här: %{login_url}. Har du glömt några inloggningsdetaljer, finner du påminnelsehjälp på samma sida. + + Hoppas att vi kan ses igen, + + Diaspora*'s mejlrobot! + subject: "Ditt Diaspora*-konto har blivit märkt för att tas bort på grund av passivitet." report_email: body: |- Tjenare, @@ -764,27 +828,26 @@ sv: reshared: "%{name} delar ditt inlägg vidare." view_post: "Se inlägg >" single_admin: - admin: "Din Diasporaadministratör" - subject: "Ett meddelande gällande ditt Diasporakonto:" + admin: "Din Diaspora*-administratör" + subject: "Ett meddelande gällande ditt Diaspora*-konto:" started_sharing: sharing: "har börjat dela med dig!" subject: "%{name} har börjat dela med dig på Diaspora*" view_profile: "Se %{name}s profil" thanks: "Tack," to_change_your_notification_settings: "för att ändra dina notisinställningar" - nsfw: "Ej lämpligt för arbetsplats." + nsfw: "Vuxet material" ok: "Ok" or: "eller" password: "Lösenord" password_confirmation: "Bekräfta lösenord" people: add_contact: - invited_by: "du blev inbjuden av" + invited_by: "Du blev inbjuden av" add_contact_small: - add_contact_from_tag: "lägg till kontakt från tagg" + add_contact_from_tag: "Lägg till kontakt från tagg" aspect_list: - edit_membership: "redigera medlemskap för aspekt" - few: "%{count} personer" + edit_membership: "Redigera medlemskap för aspekt" helper: is_not_sharing: "%{name} delar inte sina uppdateringar med dig." is_sharing: "%{name} delar med sig till dig" @@ -795,14 +858,13 @@ sv: no_one_found: "...och ingen hittades." no_results: "Hördu! Du måste söka efter någonting." results_for: "Sökresultat för %{search_term}" - search_handle: "Använd deras Diaspora-id (användarnamn@pod.domän) för att vara säker på att hitta dina kamrater." - searching: "söker, var god och vänta..." + search_handle: "Använd deras Diaspora*-id (användarnamn@pod.domän) för att vara säker på att hitta dina kamrater." + searching: "Söker, var god och vänta..." send_invite: "Hittar du ingen? Sänd en inbjudan!" - many: "%{count} personer" one: "En person" other: "%{count} personer" person: - add_contact: "lägg till kontakt" + add_contact: "Lägg till kontakt" already_connected: "Redan ansluten" pending_request: "Väntande förfrågningar" thats_you: "Det är du!" @@ -811,10 +873,10 @@ sv: born: "Födelsedag" edit_my_profile: "Ändra min profil" gender: "Kön" - in_aspects: "i aspekter" + in_aspects: "I aspekter" location: "Plats" photos: "Foton" - remove_contact: "ta bort kontakt" + remove_contact: "Ta bort kontakt" remove_from: "Ta bort %{name} från %{aspect}?" show: closed_account: "Detta konto har stängts." @@ -825,20 +887,19 @@ sv: mention: "Omnämn" message: "Skicka meddelande" not_connected: "Du delar inte med dig till den här personen" - recent_posts: "Senaste inläggen" + recent_posts: "Senaste inlägg" recent_public_posts: "Senaste publika inläggen" return_to_aspects: "Återgå till översikten" see_all: "Visa alla" - start_sharing: "börja dela" + start_sharing: "Börja dela" to_accept_or_ignore: "för att acceptera eller ignorera det." sub_header: - add_some: "lägg till" - edit: "redigera" - you_have_no_tags: "du har inga taggar!" - two: "%{count} personer" + add_some: "Lägg till några" + edit: "Redigera" + you_have_no_tags: "Du har inga taggar!" webfinger: fail: "Förlåt, vi kunde inte hitta %{handle}." - zero: "Inga personer" + zero: "Inga" photos: comment_email_subject: "Ett foto av %{name}" create: @@ -852,7 +913,7 @@ sv: new: back_to_list: "Tillbaka till listan" new_photo: "Nytt foto" - post_it: "skicka!" + post_it: "Skicka!" new_photo: empty: "{file} är tom, välj om filerna utan att välja denna." invalid_ext: "{file} har en ogiltig filändelse. Endast {extensions} är tillåtna." @@ -861,15 +922,15 @@ sv: or_select_one_existing: "eller välj ett av dina tidigare %{photos}" upload: "Ladda upp en ny profilbild!" photo: - view_all: "visa alla %{name}s foton" + view_all: "Visa alla %{name}s bilder" show: - collection_permalink: "permanent samlingslänk" - delete_photo: "Ta bort foto" - edit: "ändra" + collection_permalink: "Permanent samlingslänk" + delete_photo: "Ta bort bild" + edit: "Ändra" edit_delete_photo: "Ändra beskrivning / ta bort bild" - make_profile_photo: "använd som profilbild" + make_profile_photo: "Använd som profilbild" show_original_post: "Visa det ursprungliga inlägget" - update_photo: "Uppdatera foto" + update_photo: "Uppdatera bild" update: error: "Misslyckades med att ändra fotot." notice: "Fotot är nu uppdaterat." @@ -878,8 +939,8 @@ sv: title: "Ett inlägg från %{name}" show: destroy: "Ta bort" - not_found: "Tyvärr, men vi kan inte hitta det inlägget." - permalink: "permanent länk" + not_found: "Tyvärr, men vi kan inte hitta inlägget." + permalink: "Permanent länk" photos_by: few: "%{count} foton av %{author}" many: "%{count} foton av %{author}" @@ -888,13 +949,13 @@ sv: two: "Två foton av %{author}" zero: "Inga foton av %{author}" reshare_by: "Delades vidare av %{author}" - previous: "föregående" + previous: "Förra" privacy: "Sekretess" privacy_policy: "Integritetspolicy" profile: "Profil" profiles: edit: - allow_search: "Tillåter andra att söka efter dig inom Diaspora" + allow_search: "Tillåt andra att söka efter dig inom Diaspora*" edit_profile: "Redigera profil" first_name: "Förnamn" last_name: "Efternamn" @@ -911,7 +972,7 @@ sv: your_private_profile: "Din privata profil" your_public_profile: "Din publika profil" your_tags: "Beskriv dig själv med fem ord" - your_tags_placeholder: "som #filmer #katter #resande #lärare #newyork" + your_tags_placeholder: "Som #filmer #kattungar #resande #lärare #newyork" update: failed: "Kunde inte uppdatera profilen" updated: "Profilen har uppdaterats" @@ -921,9 +982,9 @@ sv: other: "%{count} reaktioner" zero: "Inga reaktioner" registrations: - closed: "Registreringsformuläret är avstängt på den här Diasporaservern." + closed: "Registreringsformuläret är avstängt på den här Diaspora*-servern." create: - success: "Du har nu gått med i Diaspora!" + success: "Du har nu gått med i Diaspora*!" edit: cancel_my_account: "Avsluta mitt konto" edit: "Ändra %{name}" @@ -933,24 +994,21 @@ sv: update: "Uppdatera" invalid_invite: "Den angivna inbjudningslänken gäller inte längre." new: - continue: "Fortsätt" create_my_account: "Skapa mitt konto!" - diaspora: "<3 Diaspora*" - email: "E-POST" + email: "E-post" enter_email: "Ange en e-postadress" enter_password: "Skriv in ett lösenord, åtminstone sex tecken långt" enter_password_again: "Skriv in samma lösenord som tidigare" enter_username: "Välj ett användarnamn (endast bokstäver, nummer och understreck)" - hey_make: "HALLÅ,
SKAPA
NÅGONTING." join_the_movement: "Gå med i rörelsen!" - password: "LÖSENORD" - password_confirmation: "LÖSENORDSBEKRÄFTELSE" - sign_up: "REGISTRERA" + password: "Lösenord" + password_confirmation: "Lösenordsbekräftelse" + sign_up: "Registrera" sign_up_message: "Socialt nätverkande med ♥" submitting: "Sänder..." terms: "Skapar du ett konto, accepterar du våra %{terms_link}." terms_link: "användarvillkor" - username: "ANVÄNDARNAMN" + username: "Användarnamn" report: comment_label: "Kommentar:
%{data}" confirm_deletion: "Vill de radera objektet?" @@ -976,16 +1034,16 @@ sv: success: "Nu delar du." helper: new_requests: - one: "en ny förfrågan!" + one: "En ny förfrågan!" other: "%{count} nya förfrågningar!" - zero: "inga nya förfrågningar" + zero: "Inga nya förfrågningar" manage_aspect_contacts: existing: "Befintliga kontakter" manage_within: "Hantera kontakter inom" new_request_to_person: - sent: "skickat!" + sent: "Skickat!" reshares: - comment_email_subject: "Den delning av %{author}s inlägg som %{resharer} har gjort" + comment_email_subject: "%{resharer} har delat vidare ett inlägg av %{author}" create: failure: "Ett fel uppstod när inlägget skulle spridas vidare." reshare: @@ -994,9 +1052,9 @@ sv: one: "En har delat vidare" other: "%{count} har delat vidare" zero: "Dela vidare" - reshare_confirmation: "Vill du dela %{author}s inlägg vidare?" + reshare_confirmation: "Vill du dela vidare %{author}s inlägg?" reshare_original: "Dela originalet vidare" - reshared_via: "delades vidare via" + reshared_via: "Delades vidare via" show_original: "Visa det ursprungliga inlägget" search: "Sök" services: @@ -1008,7 +1066,7 @@ sv: destroy: success: "Du har nu kopplat bort tjänsten." failure: - error: "det blev något fel vid anslutning till tjänsten" + error: "Det blev något fel vid anslutning till tjänsten" finder: fetching_contacts: "Diaspora fyller listan med dina %{service}-vänner. Var god och kom tillbaka om en stund." no_friends: "Hittade inga vänner från Facebook." @@ -1018,34 +1076,36 @@ sv: connect_to_tumblr: "Anslut till Tumblr" connect_to_twitter: "Anslut till Twitter" connect_to_wordpress: "Koppla ihop med Wordpress" - disconnect: "koppla från" + disconnect: "Koppla från" edit_services: "Ändra tjänster" - logged_in_as: "inloggad som" + logged_in_as: "Inloggad som" no_services: "Du har inte kopplat ihop några tjänster." - really_disconnect: "vill du koppla från %{service}?" - services_explanation: "Genom att ansluta till andra tjänster, möjliggör det dig att skicka dina inlägg till dem samtidigt som på Diaspora." + really_disconnect: "Vill du koppla från %{service}?" + services_explanation: "Genom att ansluta till andra tjänster, möjliggör det dig att skicka dina inlägg till dem samtidigt som på Diaspora*." inviter: click_link_to_accept_invitation: "Följ länken för att acceptera din inbjudan" join_me_on_diaspora: "Gå med mig på Diaspora*" remote_friend: - invite: "bjud in" - not_on_diaspora: "Ännu inte på Diaspora" - resend: "skicka igen" + invite: "Bjud in" + not_on_diaspora: "Ännu inte på Diaspora*" + resend: "Skicka igen" settings: "Inställningar" share_visibilites: update: - post_hidden_and_muted: "%{name}s inlägg har dolts och notiser har tystats." - see_it_on_their_profile: "Om du vill se uppdateringar för detta inlägg besöker du %{name}s profilsida." + post_hidden_and_muted: "%{name}s inlägg har dolts kommer inte längre ge notiser." + see_it_on_their_profile: "Om du vill se uppdateringar för detta inlägg, besök %{name}s profilsida." shared: add_contact: add_new_contact: "Lägg till en ny kontakt" - create_request: "Sök på Diaspora-id" + create_request: "Sök på Diaspora*-id" diaspora_handle: "diaspora@pod.org" - enter_a_diaspora_username: "Ange ett Diasporaanvändarnamn:" + enter_a_diaspora_username: "Ange ett användarnamn för Diaspora*:" know_email: "Kan du deras e-postadress? Du borde bjuda in dem" - your_diaspora_username_is: "Ditt Diasporaanvändarnamn är: %{diaspora_handle}" + your_diaspora_username_is: "Ditt användarnamn på Diaspora* är: %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Lägg till kontakt" + mobile_row_checked: "%{name} (ta bort)" + mobile_row_unchecked: "%{name} (lägg till)" toggle: few: "I %{count} aspekter" many: "I %{count} aspekter" @@ -1056,24 +1116,24 @@ sv: contact_list: all_contacts: "Alla kontakter" footer: - logged_in_as: "inloggad som %{name}" - your_aspects: "dina aspekter" + logged_in_as: "Inloggad som %{name}" + your_aspects: "Dina aspekter" invitations: by_email: "Via e-post" - dont_have_now: "Du har inga inbjudningar just nu, men fler kommer delas ut inom kort!" + dont_have_now: "Du har inga inviter just nu, men fler kommer delas ut inom kort!" from_facebook: "Från Facebook" invitations_left: "%{count} kvar" invite_someone: "Bjud in en kontakt" invite_your_friends: "Bjud in dina vänner" invites: "Inbjudningar" - invites_closed: "För närvarande är inbjudningar avstängda på denna Diasporaserver" + invites_closed: "För närvarande är inbjudningar avstängda på denna Diaspora*-server" share_this: "Dela med dig av länken via e-post, din blog eller de sociala nätverken!" notification: new: "Ny %{type} från %{from}" public_explain: atom_feed: "Atom-flöde" - control_your_audience: "Kontrollera din publik" - logged_in: "inloggad på %{service}" + control_your_audience: "Välj din publik" + logged_in: "Inloggad på %{service}" manage: "hantera anslutna tjänster" new_user_welcome_message: "Använd #hashtaggar för att klassificera dina inlägg och hitta folk som delar dina intressen. Ropa ut till häftiga personer med @Mentions" outside: "Publika meddelanden kan läsas av användare utanför Diaspora." @@ -1081,17 +1141,17 @@ sv: title: "Hantera anslutna tjänster" visibility_dropdown: "Använd den här rullisten för att bestämma vilka som kan se ditt inlägg (vi föreslår att du gör det här första inlägget publikt)." publisher: - all: "alla" - all_contacts: "alla kontakter" + all: "Samtliga" + all_contacts: "Alla kontakter" discard_post: "Släng inlägg" formatWithMarkdown: "Använd %{markdown_link} för att formatera dina inlägg." get_location: "Hämta din position" - make_public: "gör publik" + make_public: "Gör publik" new_user_prefill: hello: "Hej allihop, jag är #%{new_user_tag}. " i_like: "Jag är intresserad av %{tags}." invited_by: "Tack för inbjudan, " - newhere: "NyHär" + newhere: "nyhär" poll: add_a_poll: "Lägg till en undersökning" add_poll_answer: "Lägg till alternativ" @@ -1101,17 +1161,17 @@ sv: post_a_message_to: "Skicka ett meddelande till %{aspect}" posting: "Skickar..." preview: "Förhandsgranska" - publishing_to: "publicerar till: " + publishing_to: "Publiceras på: " remove_location: "Borttag plats" share: "Dela" - share_with: "dela med" + share_with: "Dela med" upload_photos: "Ladda upp foton" whats_on_your_mind: "Vad har du på hjärtat?" reshare: reshare: "Dela vidare" stream_element: connect_to_comment: "Anslut till den här användaren för att kunna kommentera deras inlägg" - currently_unavailable: "det går för närvarande inte att kommentera" + currently_unavailable: "Det går för närvarande inte att kommentera" dislike: "Sluta gilla" hide_and_mute: "Dölj och ignorera" ignore_user: "Ignorera %{name}" @@ -1119,10 +1179,10 @@ sv: like: "Gilla" nsfw: "Detta inlägg har blivit flaggat som olämpligt för arbetsplatser av dess författare. %{link}" shared_with: "Delas med: %{aspect_names}" - show: "visa" + show: "Visa" unlike: "Sluta gilla" - via: "via %{link}" - via_mobile: "via mobiltelefon" + via: "Via %{link}" + via_mobile: "Via mobiltelefon" viewable_to_anyone: "Detta inlägg är synligt för alla på nätet" simple_captcha: label: "Skriv in koden i rutan:" @@ -1131,6 +1191,21 @@ sv: failed: "Människoverifieringen misslyckades" user: "Den hemliga bilden och koden stämde inte överens." placeholder: "Fyll i bildvärdet." + statistics: + active_users_halfyear: "Aktiva användare per halvår" + active_users_monthly: "Aktiva användare per månad" + closed: "Stängd" + disabled: "Otillgänglig" + enabled: "Tillgänglig" + local_comments: "Lokala kommentarer" + local_posts: "Lokala inlägg" + name: "Namn" + network: "Nätverk" + open: "Öppna" + registrations: "Registreringar" + services: "Tjänster" + total_users: "Totala antalet användare" + version: "Version" status_messages: create: success: "Lyckades nämna: %{names}" @@ -1140,12 +1215,11 @@ sv: no_message_to_display: "Inget meddelande att visa." new: mentioning: "Nämner: %{person}" - too_long: - one: "ditt statusmeddelande får inte vara längre än en bokstav" - other: "ditt statusmeddelande får inte vara längre än %{count} bokstäver" - zero: "ditt statusmeddelande får inte vara längre än %{count} bokstäver" + too_long: "Var god håll längden på meddelandet under %{count} tecken. Just nu är det %{current_length} tecken långt." stream_helper: hide_comments: "Dölj alla kommentarer" + no_more_posts: "Du har nått strömmens slut." + no_posts_yet: "Det finns inga inlägg ännu." show_comments: few: "Visa %{count} ytterligare kommentarer" many: "Visa %{count} ytterligare kommentarer" @@ -1171,7 +1245,7 @@ sv: followed_tags_stream: "#Följda taggar" like_stream: contacts_title: "Personer vars inlägg du gillar" - title: "Omtyckta strömmar" + title: "Gilla flöde" mentioned_stream: "@Omnämnanden" mentions: contacts_title: "Personer som nämnt dig" @@ -1180,33 +1254,30 @@ sv: contacts_title: "Personer i din ström" title: "Ström" public: - contacts_title: "Postade nyligen" + contacts_title: "Nyligen aktiva" title: "Publik aktivitet" tags: contacts_title: "Användare som gillar den här taggen" - tag_prefill_text: "Det intressanta med %{tag_name} är... " title: "Inlägg taggade med: %{tags}" tag_followings: create: failure: "Misslyckades med att följa #%{name}. Du kanske redan gör det." none: "Du kan inte följa en tom tagg!" - success: "Hurra! Du följer nu #%{name}." + success: "Hurra! Du följer nu #%{name}." destroy: failure: "Misslyckades att sluta följa #%{name}. Du kanske redan slutat följa det." - success: "Ack. Du följer inte längre #%{name}." + success: "Sådär! Du följer inte längre #%{name}." tags: + name_too_long: "Använd taggar med namn kortare än %{count} tecken. Just nu är den %{current_length} lång." show: follow: "Följ #%{tag}" - followed_by_people: - one: "följd av en person" - other: "följd av %{count} personer" - zero: "inte följd av någon" following: "Följer #%{tag}" - nobody_talking: "Ingen talar om %{tag} än." none: "Den tomma taggen finns inte!" - people_tagged_with: "Personer taggade med %{tag}" - posts_tagged_with: "Poster taggade med #%{tag}" stop_following: "Sluta följa #%{tag}" + tagged_people: + one: "En person är taggad med %{tag}" + other: "%{count} personer är taggade med %{tag}" + zero: "Ingen har taggats med %{tag}" terms_and_conditions: "Villkor" undo: "Ångra?" username: "Användarnamn" @@ -1216,11 +1287,11 @@ sv: email_not_confirmed: "E-postadressen kunde inte aktiveras. Var det en felaktig länk?" destroy: no_password: "Vänligen ange ditt nuvarande lösenord för att avsluta ditt konto." - success: "Ditt konto har låsts. Det kan ta upp till 20 minuter för oss att avsluta ditt konto. Tack för att du testade Diaspora." + success: "Ditt konto har låsts. Det kan ta upp emot 20 minuter för oss att avsluta ditt konto helt. Tack för att du testade Diaspora*!" wrong_password: "Det angivna lösenordet stämde inte med ditt nuvarande lösenord." edit: - also_commented: "någon kommenterar ett inlägg som du också kommenterat" - auto_follow_aspect: "Aspekten för dem användare som följts automatiskt:" + also_commented: "någon kommenterar ett inlägg som du redan kommenterat" + auto_follow_aspect: "Aspekt för de användare som följts automatiskt:" auto_follow_back: "Följ automatiskt dem som börjar följa dig" change: "Ändra" change_email: "Ändra e-postadress" @@ -1229,30 +1300,37 @@ sv: character_minimum_expl: "måste vara åtminstone sex tecken" close_account: dont_go: "Snälla, lämna oss inte!" - if_you_want_this: "Om du verkligen är säker, skriv in ditt lösenord nedan och klicka på 'Stäng kontot'" - lock_username: "Ditt användarnamn kommer att låsas ifall du bestämmer dig för att komma tillbaka." - locked_out: "Du kommer att loggas ut och stängas ute från ditt konto." - make_diaspora_better: "Vi vill att du hjälper oss att göra Diaspora bättre. Istället för att lämna oss borde du hjälpa oss. Men om du verkligen vill lämna oss, vill vi att du ska veta vad som kommer att hända." + if_you_want_this: "Är du säker på din sak, skriv ditt lösenord nedan och tryck på \"Stäng kontot\"" + lock_username: "Ditt användarnamn kommer att låsas för att inte kunna användas på denna pod igen." + locked_out: "Du kommer att loggas ut och låsas från ditt konto tills det har blivit borttaget." + make_diaspora_better: "Det vore fint om du istället för att lämna diaspora* ville hjälpa oss att utveckla och göra det bättre. Men om du nu verkligen bestämt dig kommer följande hända:" mr_wiggles: "Herr Wiggles kommer att bli ledsen" - no_turning_back: "Nu finns det ingen återvändo." - what_we_delete: "Vi kommer att radera alla dina inlägg och din profil så fort som det bara går. Dina kommentarer kommer att finnas kvar men vara associerade med ditt Diaspora-id och inte ditt namn." + no_turning_back: "Nu finns ingen återvändo. Om du är säker på din sak, ange ditt lösenord nedanför." + what_we_delete: "Vi kommer att radera dina inlägg och profil så snart det bara går. Dina kommentarer kommer finnas kvar, men associerade med ditt Diaspora*-id istället för ditt namn." close_account_text: "Stäng kontot" comment_on_post: "någon kommenterar dina inlägg" current_password: "Nuvarande lösenord" current_password_expl: "den som du loggar in med..." - download_photos: "ladda ner mina foton" - download_xml: "ladda ner min xml" + download_export: "Ladda ned min profil" + download_export_photos: "Ladda ned mina bilder" + download_photos: "Ladda ned mina foton" edit_account: "Ändra konto" email_awaiting_confirmation: "Vi har skickat dig en länk till %{unconfirmed_email} för aktivering. Innan du har aktiverat din nya adress, kommer vi fortsätta att använda %{email}." export_data: "Exportera data" + export_in_progress: "Just nu behandlar vi din data. Kom tillbaka om ett slag." + export_photos_in_progress: "Vi behandlar just nu dina bilder. Kom tillbaka om en stund." following: "Delningsinställningar" getting_started: "Inställningar för nya användare" + last_exported_at: "(Senast uppdaterad %{timestamp})" liked: "någon gillar dina inlägg" mentioned: "du nämns i ett inlägg." new_password: "Nytt lösenord" - photo_export_unavailable: "Det går för tillfället inte att exportera foton" private_message: "du mottager ett privat meddelande." receive_email_notifications: "Skicka notiser via e-post när:" + request_export: "Efterfråga min profildata" + request_export_photos: "Begär mina bilder" + request_export_photos_update: "Uppdatera mina bilder" + request_export_update: "Uppdatera min profildata" reshared: "någon delar vidare dina inlägg" show_community_spotlight: "Visa gemenskapens rampljus i ditt flöde" show_getting_started: "Visa tips för att komma igång" @@ -1260,13 +1338,13 @@ sv: started_sharing: "någon börjar dela med sig till dig" stream_preferences: "Ströminställningar" your_email: "Din e-post" - your_handle: "Ditt Diaspora-id" + your_handle: "Ditt Diaspora*-id" getting_started: awesome_take_me_to_diaspora: "Häftigt! Ta mig till Diaspora*" - community_welcome: "Vi i Diasporagemenskapen är glada att ha dig här!" + community_welcome: "Vi i Diaspora*-gemenskapen är glada att ha dig här!" connect_to_facebook: "Vi kan skynda på processen genom %{link} till Diaspora. Det kommer att hämta ditt namn, din bild och tillåta korsinlägg." - connect_to_facebook_link: "länkar ihop ditt Facebook-konto" - hashtag_explanation: "Hashtaggar gör det möjligt att diskutera och följa dina intressen. Det är också ett bra sätt att lära känna nya människor på Diaspora." + connect_to_facebook_link: "Länka ihop ditt Facebook-konto" + hashtag_explanation: "Taggar gör det möjligt att diskutera och följa dina intressen. Det är också ett bra sätt att lära känna nya människor på Diaspora*." hashtag_suggestions: "Testa att följa taggar såsom #konst, #film, #gif, etc." saved: "Sparat!" well_hello_there: "Hej på dig!" @@ -1274,7 +1352,9 @@ sv: who_are_you: "Vem är du?" privacy_settings: ignored_users: "Ignorerade användare" - stop_ignoring: "Sluta ignorera" + no_user_ignored_message: "Du har inga ignorerade kontakter." + stop_ignoring: "sluta ignorera" + strip_exif: "Rensa bort metadata, såsom plats, upphovsman och kameramodell från de uppladdade bilderna (rekommenderat)" title: "Sekretessinställningar" public: does_not_exist: "Användaren %{username} finns inte!" @@ -1292,10 +1372,10 @@ sv: unconfirmed_email_not_changed: "Byte av e-postadress misslyckades" webfinger: fetch_failed: "Kunde inte hämta webfinger-profil för %{profile_url}" - hcard_fetch_failed: "Kunde inte hämta hcard för #{@account}" + hcard_fetch_failed: "Kunde inte hämta hcard för %{account}" no_person_constructed: "Kunde inte skapa en person från detta hcard." - not_enabled: "webfinger verkar inte vara påslaget på %{account}s server" - xrd_fetch_failed: "kunde inte hämta xrd-fil från kontot %{account}" + not_enabled: "Webfinger verkar inte vara aktiverat på %{account}s server" + xrd_fetch_failed: "Kunde inte hämta xrd-fil från kontot %{account}" welcome: "Välkommen!" will_paginate: next_label: "nästa »" diff --git a/config/locales/diaspora/ta.yml b/config/locales/diaspora/ta.yml index da8b547fc..8d9489497 100644 --- a/config/locales/diaspora/ta.yml +++ b/config/locales/diaspora/ta.yml @@ -50,8 +50,6 @@ ta: are_you_sure: "நீங்கள் உறுதியாக இருக்கிறீர்களா?" are_you_sure_delete_account: "நீங்கள் உங்கள் கணக்கை மூட வேண்டுமா? இதை தவிர்க்க முடியாது!" aspects: - aspect_contacts: - done_editing: "திருத்தம் முடிந்தது" aspect_listings: deselect_all: "அனைத்தையும் தேர்வுநீக்கம் செய்க" edit_aspect: "மாற்று %{name}" @@ -62,18 +60,14 @@ ta: failure: "%{name} காலியாக இல்லை ஆகையால் நீக்க முடியவில்லை" success: "%{name} வெற்றிகரமாக நீக்கப்பட்டது" edit: - add_existing: "ஏற்கனவே இருக்கும் தொடர்பை சேர்க்க." aspect_list_is_not_visible: "அம்சம் பட்டியல் அம்சங்களிலுள்ள மற்றவர்களுக்கு மறைக்கப்பட்டது" aspect_list_is_visible: "அம்சம் பட்டியல் அம்சங்களிலுள்ள மற்றவர்களால் பார்க்க இயலும்" confirm_remove_aspect: "நீங்கள் இந்த அம்சத்தை நீக்க வேண்டுமா?" - done: "முடிக்கப்பட்டது." make_aspect_list_visible: "இந்த அம்சத்தில் உள்ள தொடர்புகளை ஒருவருகொற்ருவர் பார்க்க இயலுமா?" remove_aspect: "இந்த அம்சத்தை நீக்கு" rename: "மறுபெயர்" update: "புதுப்பிக்க" updating: "புதுப்பித்தல் நடக்கிறது" - helper: - remove: "அகற்று" index: donate: "நன்கொடை" help: @@ -92,14 +86,12 @@ ta: no_posts_message: start_talking: "யாரும் எதுவும் கூறவில்லை!" one: "ஒரு அம்சம்" + other: "%{count} அம்சங்கள்" seed: acquaintances: "அறிமுகமானவர்கள்" family: "குடும்பம்" friends: "நண்பர்கள்" work: "வேலை" - show: - edit_aspect: "அம்சத்தை திருத்த" - two: "%{count} அம்சங்கள்" zero: "இல்லாத அம்சங்கள்" back: "பின்" cancel: "ரத்துசெய்" @@ -110,6 +102,7 @@ ta: correct_the_following_errors_and_try_again: "கொடுக்கப்பட்டுள்ள பிழைகளை சரிசெய்து மீண்டும் முயற்சிக்கவும்." invalid_fields: "தவறான புலங்கள்" fill_me_out: "என்னை நிரப்பு" + find_people: "நபர்களை/குறிச்சொற்களை கண்டுபிடி" hide: "மறை" limited: "வரம்புக்குட்பட்ட" more: "மேலும்" diff --git a/config/locales/diaspora/te.yml b/config/locales/diaspora/te.yml index 74fb0d6b4..18ec229e2 100644 --- a/config/locales/diaspora/te.yml +++ b/config/locales/diaspora/te.yml @@ -102,8 +102,6 @@ te: add_to_aspect: failure: "పరిచయాన్ని కోణానికి జతచేయుటలో విఫలమైంది." success: "పరిచయం కోణానికి విజయవంతంగా జోడించబడింది." - aspect_contacts: - done_editing: "సవరణ పూర్తయింది" aspect_listings: add_an_aspect: "+ కొత్త కోణాన్ని చేర్చండి" deselect_all: "ఎంపిక మొత్తం రద్దుచేయి" @@ -122,21 +120,14 @@ te: failure: "%{name} ఖాళీగా లేదు అందువల్ల తీయలేకపోయాము" success: "%{name} విజయవంతంగా తొలగించబడినది" edit: - add_existing: "ఇప్పటికే ఉన్న పరిచయాన్ని జతచేయి" aspect_list_is_not_visible: "ఈ కోణంలోని పరిచయాలు ఒకరికొకరు చూడలేరు." aspect_list_is_visible: "ఈ కోణంలోని పరిచయాలు ఒకరికొకరు చూడగలరు." confirm_remove_aspect: "మీరు నిజంగానే ఈ కోణాన్ని తొలగించాలని అనుకుంటున్నారా?" - done: "పూర్తయ్యింది" make_aspect_list_visible: "ఈ కోణంలో ఉన్న పరిచయాలు ఒకరికొకరు కనిపిచ్చేలా చెయ్యాలా?" remove_aspect: "ఈ కోణాన్ని తొలగించు" rename: "పేరుమార్చు" update: "నవీకరించు" updating: "నవీకరిస్తున్నాము" - few: "%{count} కోణాలు" - helper: - are_you_sure: "ఈ కోణాన్ని ఖచ్ఛితంగా తొలగించాలా?" - aspect_not_empty: "కోణం ఖాళీగాలేదు" - remove: "తీసివేయి" index: diaspora_id: content_1: "మీ డయాస్పోరా* గుర్తింపు:" @@ -175,11 +166,6 @@ te: heading: "సేవలకు అనుసంధానం కండి" unfollow_tag: "%{tag}ని అనుసరించడం మానేయి" welcome_to_diaspora: "%{name}, డయాస్పొరా*కు స్వాగతం!" - many: "%{count} కోణాలు" - move_contact: - error: "కోణాన్ని తరలించేటప్పుడు పొరపాటు జరిగింది: %{inspect}" - failure: "%{inspect} పని చేయలేదు" - success: "వ్యక్తి కొత్త కోణానికి తరలివెళ్ళారు" new: create: "సృష్టించు" name: "పేరు (మీకు మాత్రమే కనిపిస్తుంది)" @@ -197,14 +183,6 @@ te: family: "కుటుంబం" friends: "స్నేహితులు" work: "సహోద్యోగులు" - selected_contacts: - manage_your_aspects: "మీ కోణాల్ని నిర్వహించండి." - no_contacts: "మీకు ఇక్కడ ఇంకా పరిచయాలు లేరు." - view_all_community_spotlight: "మొత్తం సంఘపు స్పాట్లైట్ చూడండి" - view_all_contacts: "అన్ని పరిచయాలను వీక్షించండి" - show: - edit_aspect: "కోణాన్ని మార్చు" - two: "%{count} కోణాలు" update: failure: "మీకోణం, %{name}, భద్రపరుచుటకు చాలా పెద్ద పేరు ఇచ్చారు." success: "మీకోణం, %{name}, విజయవంతంగా సవరించబడింది." @@ -224,36 +202,27 @@ te: post_success: "టపా వేయబడింది! మూసివేస్తున్నాం!" cancel: "రద్దుచేయి" comments: - few: "%{count} వ్యాఖ్యలు" - many: "%{count} వ్యాఖ్యలు" new_comment: comment: "వ్యాఖ్య" commenting: "వ్యాఖ్యానిస్తున్నాము..." one: "1 వ్యాఖ్య" other: "%{count} వ్యాఖ్యలు" - two: "%{count} వ్యాఖ్యలు" zero: "వ్యాక్యలేమీ లేవు" contacts: create: failure: "పరిచయాన్ని సృష్టించుటలో విఫలమైంది" - few: "%{count} పరిచయాలు" index: add_a_new_aspect: "ఒక కొత్త కోణాన్ని జతచేయి" add_to_aspect: "%{name}కి పరిచయాలను జతచేయి" - add_to_aspect_link: "%{name}కు పరిచయాలను జతచేయి" all_contacts: "అన్ని పరిచయాలు" community_spotlight: "సంఘపు స్పాట్లైట్" - many_people_are_you_sure: "మీరు ఖచ్ఛితంగా %{suggested_limit} పరిచయాలతో కంటే ఎక్కువ పరిచయాలతో రహస్య సంభాషణం ప్రారంభించాలనుకుంటున్నారా? వారిని సంప్రదించడానికి ఈ కోణానికి టపా వేయడం ఉత్తమ మార్గం." my_contacts: "నా పరిచయాలు" no_contacts: "మీరు ఇంకా ఎవర్నీ పరిచయాలలో చేర్చుకున్నట్లు లేరు!" no_contacts_message: "%{community_spotlight}ని సందర్శించండి" - no_contacts_message_with_aspect: "%{add_to_aspect_link} లేక %{community_spotlight}ని సందర్శించండి" only_sharing_with_me: "నాతో మాత్రమే పంచుకునే వారు" - remove_person_from_aspect: "\"%{aspect_name}\" నుంచి %{person_name}ని తొలగించు" start_a_conversation: "సంభాషణను ప్రారంభించండి" title: "పరిచయాలు" your_contacts: "మీ పరిచయాలు" - many: "%{count} పరిచయాలు" one: "1 పరిచయం" other: "%{count} పరిచయాలు" sharing: @@ -261,7 +230,6 @@ te: spotlight: community_spotlight: "సంఘపు స్పాట్లైట్" suggest_member: "ఒక సభ్యున్ని సూచించండి" - two: "%{count} పరిచయాలు" zero: "పరిచయాలు" conversations: conversation: @@ -270,8 +238,6 @@ te: fail: "చెల్లని సందేశం" no_contact: "ఓయ్, ముందుగా మీరు పరిచయాన్ని జతచేసుకోవాలి!" sent: "సందేశం పంపబడింది" - destroy: - success: "సంభాషణ విజయవంతంగా తీసివేయబడింది" helper: new_messages: few: "%{count} కొత్త సందేశాలు" @@ -545,7 +511,6 @@ te: add_contact_from_tag: "కొస ద్వారా పరిచయాన్ని జతచేయి" aspect_list: edit_membership: "కోణం సభ్యత్వం సవరించు" - few: "%{count} people" helper: is_not_sharing: "%{name} మీతో పంచుకోవడం లేదు" is_sharing: "%{name} మీతో పంచుకుంటున్నారు" @@ -556,7 +521,6 @@ te: no_results: "ఓయ్! మీరు వేరే పేరుతో వెతకాల్సివుంది." results_for: "%{search_term}తో సరిపోలిన వాడుకరులు" searching: "వెతుకుతున్నాం, దయచేసి ఓపిక వహించండి…" - many: "%{count} people" one: "1 person" other: "%{count} people" person: @@ -592,7 +556,6 @@ te: add_some: "మరికొన్ని చేర్చండి" edit: "సవరించు" you_have_no_tags: "మీరు ఏ కొసలను వాడలేదు" - two: "%{count} people" webfinger: fail: "క్షమించండి, మేము %{handle}ను కనుగొనలేకపోయాం" zero: "ఎవరూ లేరు" @@ -684,15 +647,12 @@ te: update: "నవీకరించుకోండి" invalid_invite: "మీరు ఇచ్చిన ఆహ్వానపు లంకె చెల్లుబాటులో లేదు!" new: - continue: "కొనసాగు" create_my_account: "నా ఖాతాను సృష్టించు!" - diaspora: "<3 డయాస్పోరా*" email: "ఈమెయిల్" enter_email: "ఒక ఈమెయిలును ప్రవేశపెట్టండి" enter_password: "సంకేతపదాన్ని ఇవ్వండి (కనీసం ఆరు అక్షరాలు)" enter_password_again: "అదే సంకేతపదాన్ని మళ్ళీ ఇవ్వండి" enter_username: "ఒక వాడుకరిపేరును ఎంచుకోండి (అక్షరాలు, సంఖ్యలు, మరియు క్రిందిగీతలు మాత్రమే స్వీకరించబడును)" - hey_make: "హేయ్,
ఏమైనా
చెయ్యండి." join_the_movement: "ఈ ఉద్యమంలో చేరండి!" password: "సంకేతపదం" password_confirmation: "సంకేతపదం నిర్ధారణ" @@ -849,10 +809,7 @@ te: no_message_to_display: "చూపించడానికి ఏ సందేశాలు లేవు." new: mentioning: "పేర్కోలు: %{person}" - too_long: - one: "దయచేసి మీ స్థితి సందేశాలలో అక్షరాల సంఖ్య %{count} కంటే తక్కువ ఉండేటట్లు చూసుకోండి" - other: "దయచేసి మీ స్థితి సందేశాలలో అక్షరాల సంఖ్య %{count} కంటే తక్కువ ఉండేటట్లు చూసుకోండి" - zero: "దయచేసి మీ స్థితి సందేశాలలో అక్షరాల సంఖ్య %{count} కంటే తక్కువ ఉండేటట్లు చూసుకోండి" + too_long: "{\"one\"=>\"దయచేసి మీ స్థితి సందేశాలలో అక్షరాల సంఖ్య %{count} కంటే తక్కువ ఉండేటట్లు చూసుకోండి\", \"other\"=>\"దయచేసి మీ స్థితి సందేశాలలో అక్షరాల సంఖ్య %{count} కంటే తక్కువ ఉండేటట్లు చూసుకోండి\", \"zero\"=>\"దయచేసి మీ స్థితి సందేశాలలో అక్షరాల సంఖ్య %{count} కంటే తక్కువ ఉండేటట్లు చూసుకోండి\"}" stream_helper: hide_comments: "అన్ని వ్యాఖ్యలను దాచు" show_comments: @@ -899,15 +856,8 @@ te: tags: show: follow: "#%{tag}ను అనుసరించు" - followed_by_people: - one: "ఒకరిచే అనుసరించబడుతున్నారు" - other: "%{count} వ్యక్తులచే అనుసరించబడుతున్నారు" - zero: "ఎవరిచేత అనుసరించబడుటలేదు" following: "#%{tag}ను అనుసరిస్తున్నారు" - nobody_talking: "%{tag} గురించి ఇంకా ఎవరూ మాట్లాడుకోవడం లేదు." none: "ఖాళీ కొస చెల్లదు!" - people_tagged_with: "%{tag} తో కొసవేయబడిన వ్యక్తులు" - posts_tagged_with: "#%{tag} తో కొసవేయబడిన టపాలు" stop_following: "#%{tag}ను అనుసరించడం మానివేయి" terms_and_conditions: "నియమాలు మరియు నిబంధనలు" undo: "రద్దుచేయాలా?" @@ -938,7 +888,6 @@ te: comment_on_post: "ఎవరో మీ టపాపై వ్యాఖ్యానించారు" current_password: "ప్రస్తుత సంకేతపదం" download_photos: "నా ఛాయాచిత్రాలను దింపుము" - download_xml: "నా xml దింపు" edit_account: "ఖాతాను సవరించు" email_awaiting_confirmation: "మేము మీకొక క్రియాశీలించు లంకెను %{unconfirmed_email} కు పంపాము. మీరు ఈ లంకెను అనుసరించి కొత్త చిరునామాను క్రియాశీలించేంతవరకూ, మీ అసలు చిరునామా %{email} ను వాడతాము." export_data: "దత్తాంశాన్ని ఎగుమతించు" @@ -947,7 +896,6 @@ te: liked: "ఎవరో మీ టపాను మెచ్చుకున్నారు" mentioned: "మీరు టపాలో ప్రస్తావించబడ్డారు" new_password: "కొత్త సంకేతపదం" - photo_export_unavailable: "ఛాయాచిత్ర ఎగుమతి ప్రస్తుతం అందుబాటులో లేదు" private_message: "మీకు రహస్య సందేశం వచ్చింది" receive_email_notifications: "ఈమెయిలు గమనింపులను ఎప్పుడు అందుకుంటారు:" reshared: "ఎవరో మీ టపాను మరలా పంచుకున్నారు" diff --git a/config/locales/diaspora/tr.yml b/config/locales/diaspora/tr.yml index 33dfd37d3..852ac2a77 100644 --- a/config/locales/diaspora/tr.yml +++ b/config/locales/diaspora/tr.yml @@ -12,6 +12,7 @@ tr: _home: "Ev" _photos: "fotoğraflar" _services: "Servisler" + _terms: "Kurallar" account: "Hesap" activerecord: errors: @@ -74,6 +75,15 @@ tr: other: "%{count} kişi" zero: "%{count} kişi" week: "Hafta" + user_entry: + diaspora_handle: "diaspora* kaydı" + guid: "GUID" + id: "kimlik" + ? "no" + : Hayır + unknown: "Bilinmiyor" + ? "yes" + : Evet user_search: add_invites: "davetiye ekle" email_to: "E-posta ile Davet" @@ -107,8 +117,6 @@ tr: add_to_aspect: failure: "Yöne kişi ekleme başarısız." success: "Kişi başarıyla yöne eklendi." - aspect_contacts: - done_editing: "düzenleme sonlandırıldı" aspect_listings: add_an_aspect: "+ Yeni yön ekle" deselect_all: "Tümünü kaldır" @@ -127,21 +135,14 @@ tr: failure: "%{name} boş değil, silinemedi." success: "%{name} başarıyla silindi." edit: - add_existing: "Mevcut bir bağlantı ekle" aspect_list_is_not_visible: "yön listesi yöndeki diğer kişilere gösterilmiyor" aspect_list_is_visible: "yön listesi yöndeki diğer kişilere gösteriliyor" confirm_remove_aspect: "Bu yönü silmek istediğinden emin misin?" - done: "Bitti" make_aspect_list_visible: "Bu yöndeki kişilerin birbirlerini görmesine izin verilsin mi?" remove_aspect: "Yönü sil" rename: "yeniden adlandır" update: "güncelle" updating: "güncelleniyor" - few: "%{count} yön" - helper: - are_you_sure: "Bu yönü silmek istediğinden emin misin?" - aspect_not_empty: "Yön boş değil" - remove: "sil" index: diaspora_id: content_1: "Diaspora ID'niz:" @@ -182,11 +183,6 @@ tr: heading: "Servisleri ilişkilendir" unfollow_tag: "#%{tag}'i takip etmeyi bırak" welcome_to_diaspora: "Diaspora'ya Hoş Geldin, %{name}!" - many: "%{count} yön" - move_contact: - error: "Kişi taşıma problemi: %{inspect}" - failure: "hata oluştu %{inspect}" - success: "Kişi yeni yöne taşındı" new: create: "Oluştur:" name: "İsim (sadece siz görebilirsiniz)" @@ -204,14 +200,6 @@ tr: family: "Aile" friends: "Arkadaşlar" work: "İş" - selected_contacts: - manage_your_aspects: "Yönleri düzenle." - no_contacts: "Henüz biriyle iletişim yok." - view_all_community_spotlight: "Tüm topluluk spotlight bakın" - view_all_contacts: "Tüm kişileri görüntüle" - show: - edit_aspect: "yön düzenle" - two: "%{count} yönleri" update: failure: "%{name} yönünün ismi çok uzundu ve kaydedilmedi." success: "Yönünüz, %{name}, başarıyla düzeltildi." @@ -231,36 +219,27 @@ tr: post_success: "Gönderildi! Kapatılıyor!" cancel: "İptal Et" comments: - few: "%{count} yorum" - many: "%{count} yorum" new_comment: comment: "Yorum yaz" commenting: "Yorumlanıyor..." one: "1 yorum" other: "%{count} yorum" - two: "%{count} yorum" zero: "yorum yok" contacts: create: failure: "Kişi oluşturma başarısız" - few: "%{count} kişi" index: add_a_new_aspect: "Yeni yön ekle" add_to_aspect: "%{name} unsuruna kişi ekle" - add_to_aspect_link: "kişileri %{name} yönüne ekle" all_contacts: "Tüm Kişiler" community_spotlight: "Topluluk Haberleri" - many_people_are_you_sure: "%{suggested_limit} sayısından yüksek kişiyle özel görüşme başlatmak istediğinden emin misin? Bu yöne gönderi yapmak onlarla iletişime geçmek için daha iyi bir yol olabilir." my_contacts: "Kişilerim" no_contacts: "Birkaç kişi eklemen gerekir gibi görünüyor!" no_contacts_message: "%{community_spotlight}'ni ziyaret et" - no_contacts_message_with_aspect: "%{community_spotlight}'ni ziyaret et ya da %{add_to_aspect_link}" only_sharing_with_me: "Benimle paylaşım yapan" - remove_person_from_aspect: "%{person_name} kişisini \"%{aspect_name}\" yönünden kaldır" start_a_conversation: "Bir iletişim başlatın" title: "Kişiler" your_contacts: "Kişiler" - many: "%{count} kişi" one: "1 kişi" other: "%{count} kişi" sharing: @@ -268,7 +247,6 @@ tr: spotlight: community_spotlight: "Topluluk Gönderileri" suggest_member: "Bir üye önerin." - two: "%{count} kişi" zero: "kişiler" conversations: conversation: @@ -277,14 +255,15 @@ tr: fail: "Geçersiz mesaj" no_contact: "Hey, önce bir bağlantı ekleyin!" sent: "Mesaj gönderildi" - destroy: - success: "Konuşma başarıyla kaldırıldı" helper: new_messages: other: "%{count} yeni ileti" zero: "Yeni ileti yok" index: + conversations_inbox: "Yazışmalar — Gelen kutusu" + create_a_new_conversation: "Bir yazışma başlat" inbox: "Gelen Kutusu" + new_conversation: "Yeni yazışma" no_conversation_selected: "hiç ileti seçilmedi" no_messages: "mesaj yok" new: @@ -293,6 +272,8 @@ tr: sending: "Gönderiliyor..." subject: "konu" to: "kime" + new_conversation: + fail: "Geçersiz mesaj" show: delete: "iletişimi sil ya da engelle" reply: "yanıtla" @@ -408,6 +389,8 @@ tr: title: "Özel gönderiler" private_profiles: title: "Özel profiller" + who_sees_updates_a: "Bakışlarınızdaki herkes özel profilinizdeki değişiklikleri görebilir. " + who_sees_updates_q: "Özel profilimin güncelllemelerini kim görebilir?" public_posts: title: "Genel gönderiler" public_profiles: @@ -471,7 +454,7 @@ tr: application: back_to_top: "Sayfa başına dön" powered_by: "GELİŞTİREN: DIASPORA*" - public_feed: " %{name} için Genel Diaspora Beslemesi" + public_feed: "%{name} için Genel Diaspora* Beslemesi" source_package: "kaynak kodu paketini indir" toggle: "mobil site" whats_new: "neler yeni?" @@ -537,6 +520,8 @@ tr: other: "ve %{count} diğer kişi" zero: "ve başka hiç kimse" mark_all_as_read: "Tümünü okundu olarak işaretle" + mark_all_shown_as_read: "Gösterilenlerin hepsini okudum" + mark_read: "Okundu" mark_unread: "Okunmadı olarak işaretle" notifications: "Bildirimler" liked: @@ -578,6 +563,8 @@ tr: click_link: "Yeni e-mail adresini %{unconfirmed_email} etkinleştirmek için şu bağlantıya tıkla:" subject: "Lütfen yeni e-mail adresini %{unconfirmed_email} etkinleştir" email_sent_by_diaspora: "Bu e-posta %{pod_name} tarafından gönderildi. Bu gibi e-postalar almak istemiyorsanız," + export_failure_email: + subject: "Sayın %{name}, verinizi kaybettiğimiz için özür dileriz." hello: "Merhaba %{name}!" invite: message: |- @@ -604,6 +591,21 @@ tr: subject: "%{name} sana Diaspora*'da özel mesaj gönderdi " private_message: reply_to_or_view: "Yanıtla ya da konuşmayı görüntüle >" + report_email: + body: |- + İyi günler, + + %{id} kimliğine sahip %{type} saldırgan olarak raporlanmıştır. + + [%{url}][1] + + Olabildiğince çabuk şekilde incelemeniz rica olunur. + + Saygılar, + + diaspora* elektronik mektup robotu + + [1]: %{url} reshared: reshared: "%{name} gönderini tekrar paylaştı" view_post: "Gönderiyi görüntüle>" @@ -628,7 +630,6 @@ tr: add_contact_from_tag: "kişi etiketle" aspect_list: edit_membership: "yön üyelik düzenle" - few: "%{count} kişi" helper: is_not_sharing: "%{name} sizinle şunu paylaşmıyor" is_sharing: "%{name} sizinle şunu paylaştı" @@ -638,8 +639,9 @@ tr: no_one_found: "...ve hiç kimse bulunamadı." no_results: "Hey! Bir şeyi araman lazım." results_for: "arama sonuçları" + search_handle: "Arkadaşlarınızı bulmak için kullaniciadi@pod biçimindeki diaspora* kimliklerini kullanın." searching: "aranıyor, biraz sabırlı olun..." - many: "%{count} kişi" + send_invite: "Hâlâ mı bir şey yok? Birilerini davet edin!" one: "1 kişi" other: "%{count} kişi" person: @@ -676,7 +678,6 @@ tr: add_some: "biraz ekle" edit: "düzenle" you_have_no_tags: "etiket yok!" - two: "%{count} kişi" webfinger: fail: "Üzgünüz, %{handle} bulunamadı." zero: "kişi yok" @@ -755,7 +756,7 @@ tr: public: "Genel" reactions: other: "%{count} tepki" - zero: "1 tepki" + zero: "tepki yok" registrations: closed: "Üyelik bu Diaspora'da kapandı." create: @@ -769,15 +770,12 @@ tr: update: "Güncelle" invalid_invite: "Gönderdiğiniz davetiye bağlantısı artık geçerli değil!" new: - continue: "Devam" create_my_account: "Hesabımı oluştur!" - diaspora: "<3 Diaspora*" email: "E-POSTA" enter_email: "Bir e-posta girin" enter_password: "Bir parola girin" enter_password_again: "Daha önce olduğu gibi aynı parolayı girin." enter_username: "Bir kullanıcı adı seçin (sadece harfler, rakamlar ve alt çizgi)" - hey_make: "HEY,
BİR ŞEY
YAP." join_the_movement: "Harekete katılın!" password: "PAROLA" password_confirmation: "PAROLA ONAYI" @@ -902,6 +900,7 @@ tr: all: "hepsi" all_contacts: "tüm bağlantılar" discard_post: "Gönderiyi sil" + formatWithMarkdown: "Gönderilerinizi biçimlendirmek için Markdown( %{markdown_link} ) kullanabilirsiniz" get_location: "Konumunu ayarla" make_public: "herkese görünür yap" new_user_prefill: @@ -950,9 +949,7 @@ tr: no_message_to_display: "Gösterilecek mesaj yok." new: mentioning: "Bahseden: %{person}" - too_long: - other: "durum mesajları %{count} karakterden az olmalıdır." - zero: "durum mesajları %{count} karakterden az olmalıdır." + too_long: "{\"other\"=>\"durum mesajları %{count} karakterden az olmalıdır.\", \"zero\"=>\"durum mesajları %{count} karakterden az olmalıdır.\"}" stream_helper: hide_comments: "Yorumları gizle" show_comments: @@ -989,7 +986,6 @@ tr: title: "Genel Aktiviteler" tags: contacts_title: "Kişileri etiketle" - tag_prefill_text: "%{tag_name} hakkında olay şu ki... " title: "Gönderi etiketlendi: %{tags}" tag_followings: create: @@ -1002,16 +998,13 @@ tr: tags: show: follow: "Takip et: #%{tag}" - followed_by_people: - other: "%{count} kişi tarafından izleniyor" - zero: "hiç kimse tarafından izlenmiyor" following: "#%{tag} takip ediliyor" - nobody_talking: "%{tag} hakkında konuşan yok henüz." none: "Boş etiketi yoktur!" - people_tagged_with: "Kişi etiketlendi %{tag}" - posts_tagged_with: "#%{tag} ile etiketlenmiş gönderiler" stop_following: "Takibi Durdur #%{tag}" - terms_and_conditions: "Şartlar ve Koşullar" + tagged_people: + other: "%{count} kişi %{tag} ile etiketlendi" + zero: "%{tag} ile hiç kimse etiketlenmedi" + terms_and_conditions: "Kurallar ve Koşullar" undo: "Geri Al?" username: "Kullanıcı Adı" users: @@ -1044,19 +1037,20 @@ tr: comment_on_post: "...birisi gönderine yorum yazdığında?" current_password: "Mevcut parola" current_password_expl: "giriş yaptığınız..." + download_export: "Profilimi indir" download_photos: "fotoğraflarımı indir" - download_xml: "xml dosyamı indir" edit_account: "Hesap düzenle" email_awaiting_confirmation: "Etkinleştirme bağlantısını %{unconfirmed_email} adresine gönderdik. Bu bağlantıyı izleyip yeni adresi etkinleştirmediğin sürece önceki %{email} adresini kullanmaya devam edeceğiz." export_data: "Bilgilerimi Dışarı taşı" following: "İzleme ayarları" getting_started: "Yeni Kullanıcı Tercihleri" + last_exported_at: "En son %{timestamp} anında güncellendi" liked: "...birisi gönderimi iğnelediğinde?" mentioned: "...benden bahsedildiğinde?" new_password: "Yeni parola" - photo_export_unavailable: "Fotoğraf aktarma şu anda kullanılamıyor" private_message: "...özel mesaj aldığında?" receive_email_notifications: "E-posta bildirimi gönder..." + request_export: "Profil verimi iste" reshared: "...birisi benim gönderimi tekrar paylaştığında?" show_community_spotlight: "Topluluk Spotlight akışınızda gösterilsin mi?" show_getting_started: "Başlarken etkin" diff --git a/config/locales/diaspora/uk.yml b/config/locales/diaspora/uk.yml index 808956820..014282e2b 100644 --- a/config/locales/diaspora/uk.yml +++ b/config/locales/diaspora/uk.yml @@ -10,8 +10,10 @@ uk: _contacts: "Контакти" _help: "Довідка" _home: "Головна" - _photos: "фотографій" + _photos: "Світлини" _services: "Сервіси" + _statistics: "Статистика" + _terms: "Умови" account: "Обліковий запис" activerecord: errors: @@ -39,7 +41,7 @@ uk: reshare: attributes: root_guid: - taken: "Ви вже поділилися цим записом!" + taken: "Це добре,так?Ви вже поділилися цим записом!" user: attributes: email: @@ -53,11 +55,11 @@ uk: admin_bar: correlations: "Кореляція" pages: "Сторінки" - pod_stats: "Активність поду" + pod_stats: "Статистика сервера" report: "Доноси" sidekiq_monitor: "Монітор Sidekiq" user_search: "Пошук користувачів" - weekly_user_stats: "Щотижнева активність користувачів" + weekly_user_stats: "Щотижнева статистика користувачів" correlations: correlations_count: "Зв'язок з числом входів:" stats: @@ -95,8 +97,26 @@ uk: other: "користувачів: %{count}" zero: "жодного користувача" week: "Тиждень" + user_entry: + account_closed: "аккаунт закрито" + diaspora_handle: "Ваше особисте посилання в Діаспора" + email: "Пошта" + guid: "GUID" + id: "ID" + last_seen: "останній раз заходив" + ? "no" + : ні + nsfw: "#nsfw" + unknown: "невідомо" + ? "yes" + : так user_search: + account_closing_scheduled: "Планується закриття аккаунту з ім'ям %{name}. Обробка займе кілька хвилин..." add_invites: "додати запрошення" + are_you_sure: "Ви впевнені, що бажаєте закрити цей аккаунт?" + are_you_sure_lock_account: "Ви впевнені, що хочете заблокувати цей аккаунт?" + are_you_sure_unlock_account: "Ви впевнені, що хочете розблокувати цей аккаунт?" + close_account: "закрити аккаунт" email_to: "Адреса для запрошення" under_13: "Показати користувачів молодших 13 (COPPA)" users: @@ -105,6 +125,7 @@ uk: one: "знайдено користувачів: %{count}" other: "знайдено користувачів: %{count}" zero: "не знайдено жодного користувача" + view_profile: "перегляд профілю" you_currently: few: "Запрошень в наявності: %{count}. %{link}" many: "Запрошень в наявності: %{count}. %{link}" @@ -127,7 +148,7 @@ uk: video_title: unknown: "Невідома назва відеозапису" are_you_sure: "Ви впевнені?" - are_you_sure_delete_account: "Ви впевнені, що хочете закрити свій обліковий запис? Цю процедуру неможливо буде скасувати!" + are_you_sure_delete_account: "Ви впевнені, що хочете закрити свій обліковий запис? Цю процедуру неможливо скасувати!" aspect_memberships: destroy: failure: "Не вдалося видалити користувача з аспектів" @@ -137,8 +158,6 @@ uk: add_to_aspect: failure: "Не вдалося додати друга в аспект." success: "Друг доданий в аспект." - aspect_contacts: - done_editing: "редагування завершено" aspect_listings: add_an_aspect: "+ Додати аспект" deselect_all: "Вимкнути всі" @@ -157,23 +176,18 @@ uk: failure: "%{name} не порожній і не може бути вилучений." success: "%{name} успішно видалений." edit: - add_existing: "Додати наявний контакт" + aspect_chat_is_enabled: "Контакти з цього аспекту можуть спілкуватися з вами." + aspect_chat_is_not_enabled: "Контакти з цього аспекту не можуть спілкуватися з вами." aspect_list_is_not_visible: "Контакти, з цього аспекту, не можуть бачити один одного." aspect_list_is_visible: "Контакти, із цього аспекту, можуть бачити один одного." confirm_remove_aspect: "Ви впевнені, що хочете вилучити цей аспект?" - done: "Виконано" + grant_contacts_chat_privilege: "надати контактам в аспекті можливість спілкуватися?" make_aspect_list_visible: "зробити контакти в цьому аспекті видимими один одному?" - manage: "Управляти" remove_aspect: "Видалити цей аспект" rename: "перейменувати" set_visibility: "Встановити видимість" update: "Оновити" updating: "оновлення" - few: "%{count} аспект[-и, -ів]" - helper: - are_you_sure: "Ви впевнені в тому, що хочете вилучити цей аспект?" - aspect_not_empty: "Аспект не порожній" - remove: "вилучити" index: diaspora_id: content_1: "Ваш ідентифікатор в Діаспорі*:" @@ -214,11 +228,6 @@ uk: heading: "Підключення служб" unfollow_tag: "Не стежити за міткою #%{tag}" welcome_to_diaspora: "Ласкаво просимо до Діаспори*, %{name}!" - many: "%{count} аспект[-и, -ів]" - move_contact: - error: "Помилка при переміщенні контакту : %{inspect}" - failure: "не працює %{inspect}" - success: "Контакт переміщено в новий аспект" new: create: "Створити" name: "Ім'я (видно тільки вам)" @@ -236,14 +245,6 @@ uk: family: "Сім'я" friends: "Друзі" work: "Робота" - selected_contacts: - manage_your_aspects: "Керування аспектами." - no_contacts: "У вас тут поки що немає жодного контакту." - view_all_community_spotlight: "Подивитися усіх рекомендованих" - view_all_contacts: "Усі контакти" - show: - edit_aspect: "редагувати аспект" - two: "%{count} аспектів" update: failure: "Ваш аспект %{name} має занадто довге ім'я для збереження." success: "Ваш аспект %{name} успішно відредагований." @@ -263,36 +264,30 @@ uk: post_success: "Опубліковано! Закриття!" cancel: "Скасувати" comments: - few: "%{count} коментарів" - many: "%{count} коментарів" new_comment: comment: "Коментувати" commenting: "Коментування..." one: "1 коментар" other: "%{count} коментарів" - two: "%{count} коментарів" zero: "немає коментарів" contacts: create: failure: "Не вдалося створити контакт" - few: "%{count} контакт[-у, -iв]" index: add_a_new_aspect: "Новий аспект" + add_contact: "Додати контакт" add_to_aspect: "додати контакти до %{name}" - add_to_aspect_link: "додати контакти до аспекту %{name}" all_contacts: "Усі контакти" community_spotlight: "У центрі уваги" - many_people_are_you_sure: "Ви упевнені, що хочете почати приватну бесіду з кількістю контактів, більшою за %{suggested_limit}? Можливо, краще просто написати повідомлення в цей аспект." my_contacts: "Мої контакти" no_contacts: "Схоже, вам потрібно додати декілька контактів!" no_contacts_message: "Зазирніть до %{community_spotlight}" - no_contacts_message_with_aspect: "Зазирніть до %{community_spotlight}%{community_spotlight} або %{add_to_aspect_link}" only_sharing_with_me: "Що тільки додали мене" - remove_person_from_aspect: "Вилучити %{person_name} з \"%{aspect_name}\"" + remove_contact: "Видалити контакт" start_a_conversation: "Почати бесіду" title: "Контакти" + user_search: "Пошук користувача" your_contacts: "Ваші контакти" - many: "%{count} контакт[-у, -iв]" one: "1 контакт" other: "%{count} контакт[-у, -iв]" sharing: @@ -300,8 +295,7 @@ uk: spotlight: community_spotlight: "У центрі уваги" suggest_member: "Запропонуйте учасника" - two: "%{count} контакту" - zero: "контактів" + zero: "немає контактів" conversations: conversation: participants: "Учасники" @@ -310,7 +304,8 @@ uk: no_contact: "Ей, вам потрібно спочатку додати контакт!" sent: "Повідомлення відправлене" destroy: - success: "Розмова успішно вилучена" + delete_success: "Діалог успішно видалений" + hide_success: "Діалог успішно прихований" helper: new_messages: few: "Нові повідомлення: %{count}" @@ -336,6 +331,7 @@ uk: fail: "Невірне повідомлення" show: delete: "вилучити й заблокувати розмову" + hide: "заховати і німа розмова" reply: "відповісти" replying: "Відповідь..." date: @@ -405,7 +401,18 @@ uk: getting_started_tutorial: "\"Інструкції для початківців\"" here: "сюди" irc: "IRC" - markdown: "Верстка" + keyboard_shortcuts: + keyboard_shortcuts_a1: "у відображенні потоку Ви можете використовувати наступні поєднання клавіш:" + keyboard_shortcuts_li1: "j - перейти до наступного запису" + keyboard_shortcuts_li2: "k - перейти до попереднього запису" + keyboard_shortcuts_li3: "c - прокоментувати запис" + keyboard_shortcuts_li4: "l - лайкнути запис" + keyboard_shortcuts_li5: "Поділитися даним постом" + keyboard_shortcuts_li6: "Розвернути даний пост" + keyboard_shortcuts_li7: "Відкрити перше посилання в даному пості" + keyboard_shortcuts_q: "Які поєднання клавіш доступні?" + title: "Гарячі клавіші" + markdown: "Markdown" mentions: how_to_mention_a: "Напишіть знак \"@\" та почніть набирати ім'я. З'явиться меню з вибором відповідних користувачів. Зауважте, що згадувати користувача можна тільки, якщо ви додали його у свої аспекти." how_to_mention_q: "Як мені згадати кого-небудь, коли я створюю запис?" @@ -421,8 +428,8 @@ uk: back_to_top_q: "Чи є швидкий спосіб повернутись до початку сторінки, яку я проскролив вниз?" diaspora_app_a: "Є дещо декілька досить сирих додатків під андроїд. Деякі давно покинуті і досить погано працюють з новими версіями Діаспори. Не чекайте від них багато чого. Проте у Діаспори є версія сайту під мобільні браузери, так що ви можете скористатися вашим улюбленим мобильним пристрієм для доступу до Діаспори. Цей спосіб працює не лише під андроїдом і ios, але і під іншими телефонами." diaspora_app_q: "Чи є додаток для Діаспори під андроїд або ios?" - photo_albums_a: "Поки ні. Хоча у бічній панелі є посилання на потік завантажених фотографій, до якої ви можете отримати доступ, якщо користувач вас додав." - photo_albums_q: "Чи є в діаспорі фото і відео альбоми?" + photo_albums_a: "Поки що ні. Хоча у бічній панелі є посилання на потік завантажених світлин." + photo_albums_q: "Чи є в діаспорі фото- і відео-альбоми?" subscribe_feed_a: "Так, але це ще не закінчена функція і форматування у фіді буде досить грубою. Якщо ви все одно хочете спробувати, зайдіть в чий-небудь профіль і кликніть по кнопці фіду у вашому браузері або скопіюйте адресу профілю (наприклад https://joindiaspora.com/people/userID) і додайте в агрегатор. Кінцевий результат виглядатиме так: https://joindiaspora.com/public/username.atom Діаспора використовує atom протокол, а не rss." subscribe_feed_q: "Чи можу я стежити за чиїми-небудь публічними записами, через агрегатор?" title: "Інше" @@ -441,14 +448,14 @@ uk: character_limit_q: "Яка максимальна кількість символів для запису?" embed_multimedia_a: "Для цього вам достатньо просто вставити посилання (наприклад http://www.youtube.com/watch?v=nnnnnnnnnnn ) у ваш пост і відео або аудіо буде додано автоматично. Сайти, які підтримуються: YouTube, Vimeo, SoundCloud, Flickr та деякі інші. Цей список постійно поповнюється. Пам'ятайте завжди використовувати прості, повні посилання; не укорочені; жодних операторів після основного посилання; і зачекайте трохи перед тим як перезавантажувати сторінку після викладення поста, задля того аби побачити попередній вигляд." embed_multimedia_q: "Як я можу прикріплювати відео, аудіо, чи інший мультимедійний контент у мої пости?" - format_text_a: "Діаспора підтримує синтаксис %{markdown}.Ви можете знайти опис синтаксису по посиланні %{here} або на російській http://rukeba.com/by-the-way/markdown-sintaksis-po-russki Якщо у Вас є сумніви ,у тому ,чи правильно Ви оформили запис ,Ви можете скористатися кнопкою \"Попередній огляд\"." + format_text_a: "Діаспора підтримує синтаксис %{markdown}. Його повний опис можна знайти %{here}. Якщо Ви сумніваєтесь, чи правильно оформили запис, Ви можете скористатися кнопкою \"Попередній огляд\"." format_text_q: "Як мені оформити текст моїх записів (полужирний, курсив і т.д.)?" hide_posts_a: "Якщо Ви наведете мишкою на запис, справа вверху з'явиться хрестик.Натисніть на нього.Ви все одно зможете бачити запис і коментарі, якщо зайдете на сторінку до автора цього запису." hide_posts_q: "Як мені приховати запис і перестати отримувати повідомлення про коментарі до нього?" image_text: "спливаючий текст" image_url: "Адреса зображення" - insert_images_a: "Натисність піктограму фотокамери та укажіть потрібне зображення для завантаження з вашого комп'ютера. Якщо ж ви бажаєте вставити зображення з Інтернету, ви можете скористатися синтаксисом Мarkdown." - insert_images_comments_a1: "Наступний код Markdown" + insert_images_a: "Натисність піктограму фотокамери та вкажіть потрібне зображення для завантаження з вашого комп'ютера. Якщо ж Ви бажаєте вставити зображення з Інтернету, у Вас є можливість можете скористатися синтаксисом Мarkdown." + insert_images_comments_a1: "Такий код Markdown" insert_images_comments_a2: "може бути використаний як для коментарів, так і для записів." insert_images_comments_q: "Чи можу я додати зображення у коментарі?" insert_images_q: "Як мені додати у запис зображення?" @@ -668,9 +675,11 @@ uk: comment_on_post: "Коментар до запису" liked: "Сподобалася" mark_all_as_read: "Позначити всі як прочитані" + mark_all_shown_as_read: "Відзначити все як прочитане" mark_read: "Помітити як прочитане" mark_unread: "позначити як непрочитане" mentioned: "Згадав" + no_notifications: "Ви не маєте ніяких повідомлень." notifications: "Повідомлення" reshared: "Поділився" show_all: "показати все" @@ -730,7 +739,9 @@ uk: two: "%{actors} почав(ла) ділитися з вами." zero: "%{actors} почав(ла) ділитися з вами." notifier: + a_limited_post_comment: "Вам надійшов новий коментар на обмежену поштову скриньку." a_post_you_shared: "запис." + a_private_message: "Вам надійшло нове приватне повідомлення від diaspora*." accept_invite: "Прийміть ваше запрошення до Діаспори*!" click_here: "натисніть сюди" comment_on_post: @@ -739,6 +750,21 @@ uk: click_link: "Щоб активувати вашу адресу %{unconfirmed_email}, будь ласка, перейдіть на цим посиланням:" subject: "Будь ласка, активуйте вашу нову адресу %{unconfirmed_email}" email_sent_by_diaspora: "Цей лист був надісланий %{pod_name}. Якщо ви не бажаєте отримувати подібні листи," + export_email: + body: |- + Добрий день %{name}, + Ваші данні були оброблені і наразі готові до завантаження наступної %{url}. + Щиро вітаємо, + Поштовий робот diaspora*! + subject: "Ваші персональні данні готові до скачування %{name}" + export_failure_email: + body: |- + Добрий день%{name}, + Ми зіткнулися з проблемою в обробці ваших персональних даних на завантаження. + Будь ласка, спробуйте ще! + Щиро ваш, + Поштовий робот diaspora*! + subject: "Вибачаємось, виникла проблема з вашими даними, %{name}" hello: "Привіт %{name}!" invite: message: |- @@ -765,6 +791,14 @@ uk: subject: "%{name} згадав вас у Діаспорі*" private_message: reply_to_or_view: "Відповісти або подивитися цю бесіду >" + remove_old_user: + body: |- + Привіт. В зв'язку з бездіяльністю вашого облікового запису на diaspora* %{pod_url}, ми змушені повідомити вас, що система позначила ваш обліковий запис до автоматичного видалення. Це відбуваеться автоматично по закінченню періоду бездіяльності більш ніж%{after_days}днів. + Ви можете уникнути втрати облікового запису, зайшовши в нього до%{remove_after}, в разі чого видалення буде автоматично відмінене. + Ця технічна операція виконується з метою впевнитися в тому, що активні користувачі отримують значну частину ресурсів даної інстанції diaspora*. Дякуємо за розуміння. + Якщо ви бажаєте зберегти ваш акаунт, будь ласка, увійдіть у нього тут%{login_url} + З надією зустріти вас знову, Поштовий робот diaspora*! + subject: "Ваш обліковий запис помічений на видалення з причини бездіяльності" report_email: body: |- Здрастуйте, @@ -808,7 +842,6 @@ uk: add_contact_from_tag: "додати контакт з мітки" aspect_list: edit_membership: "редагувати учасників аспекту" - few: "%{count} людина[и]" helper: is_not_sharing: "%{name} не додав вас" is_sharing: "%{name} ділиться з вами" @@ -822,7 +855,6 @@ uk: search_handle: "Використайте ідентифікатори Діаспори (ім'я@домен.зона) щоб знайти ваших друзів." searching: "Триває пошук. Будь ласка, зачекайте." send_invite: "Все ще порожньо? Запросіть кого-небудь!" - many: "%{count} людина[и]" one: "1 людина" other: "%{count} людина[-и]" person: @@ -837,7 +869,7 @@ uk: gender: "стать" in_aspects: "у аспектах" location: "розташування" - photos: "Фото" + photos: "Світлини" remove_contact: "вилучити контакт" remove_from: "Видалити %{name} з %{aspect}?" show: @@ -859,23 +891,22 @@ uk: add_some: "додати" edit: "редагувати" you_have_no_tags: "у вас немає міток!" - two: "%{count} людина[и]" webfinger: fail: "На жаль, ми не змогли знайти %{handle}." zero: "немає нікого" photos: comment_email_subject: "Фотографія %{name}" create: - integrity_error: "Помилка при завантаженні фотографії. Ви впевнені, що це графічний файл?" - runtime_error: "Збій при завантаженні фотографії." - type_error: "Збій при завантаженні фототрафії. Ви впевнені, що додали графічний файл?" + integrity_error: "Помилка при завантаженні світлини. Ви впевнені, що це графічний файл?" + runtime_error: "Збій при завантаженні світлини." + type_error: "Збій при завантаженні світлини. Ви впевнені, що додали графічний файл?" destroy: notice: "Фотографію вилучено." edit: editing: "Редагування" new: back_to_list: "Повернутися до списку" - new_photo: "Нова Фотографія" + new_photo: "Нова світлина" post_it: "Опублікувати!" new_photo: empty: "{file} порожній, будь ласка, виберіть файли ще раз, але без нього." @@ -885,18 +916,18 @@ uk: or_select_one_existing: "чи виберіть одну із вже завантажених %{photos}" upload: "Завантажити нове фото для профілю!" photo: - view_all: "Подивитися усі фотографії %{name}" + view_all: "Подивитися усі світлини %{name}" show: collection_permalink: "постійне посилання на колекцію" - delete_photo: "Вилучити фотографію" + delete_photo: "Вилучити світлину" edit: "редагувати" - edit_delete_photo: "Змінити опис фотографії / вилучити фотографію" - make_profile_photo: "зробити фотографією профілю" + edit_delete_photo: "Змінити опис світлини / вилучити світлину" + make_profile_photo: "зробити світлиною профілю" show_original_post: "Показати початковий запис" - update_photo: "Оновити фотографію" + update_photo: "Оновити світлину" update: - error: "Не вдалося змінити фотографію." - notice: "Фотографія завантажена вдало." + error: "Не вдалося змінити світлину." + notice: "Світлина завантажена вдало." posts: presenter: title: "Запис %{name}" @@ -905,11 +936,11 @@ uk: not_found: "Вибачте, ми не змогли знайти цей запис." permalink: "постiйне посилання" photos_by: - few: "%{count} фото користувача %{author}" - many: "%{count} фото користувача %{author}" - one: "фото користувача %{author}" - other: "%{count} фото користувача %{author}" - zero: "Немає фото користувача %{author}" + few: "%{count} світлини користувача %{author}" + many: "%{count} світлин користувача %{author}" + one: "світлина користувача %{author}" + other: "%{count} світлин користувача %{author}" + zero: "Немає світлин користувача %{author}" reshare_by: "Поширено %{author}" previous: "попередня" privacy: "Конфіденційність" @@ -930,7 +961,7 @@ uk: your_gender: "Ваша стать" your_location: "Ваше місце розташування" your_name: "Ваше ім'я" - your_photo: "Ваша фотографія" + your_photo: "Ваша світлина" your_private_profile: "Ваш особистий профіль" your_public_profile: "Ваш публічний профіль" your_tags: "Опишіть себе в п'яти словах" @@ -958,21 +989,20 @@ uk: update: "Відновити" invalid_invite: "Це запрошення вже недійсне!" new: - continue: "Далі" create_my_account: "Створити мій аккаунт!" - diaspora: "<3 Діаспора*" email: "Пошта" enter_email: "Введіть email" enter_password: "Введіть пароль (щонайменьше шість символів)" enter_password_again: "Повторіть пароль" enter_username: "Виберіть ім'я користувача (дозволені тільки латинські букви, цифри і підкреслення)" - hey_make: "Привіт,
створіть
що-небуть" join_the_movement: "Приєднуйтеся до руху!" password: "Пароль" password_confirmation: "ПІДТВЕРДЖЕННЯ ПАРОЛЯ" sign_up: "Реєстрація" sign_up_message: "Соціальна мережа з ♥" submitting: "Відправка..." + terms: "Зареєструвавшись Ви приймаєте %{terms_link}." + terms_link: "умови надання послуг" username: "Ім’я користувача" report: comment_label: "Коментар:
%{data}" @@ -1074,6 +1104,8 @@ uk: your_diaspora_username_is: "Ваше ім'я користувача Діаспори* : %{diaspora_handle}" aspect_dropdown: add_to_aspect: "Додати аспект" + mobile_row_checked: "%{name} (видалити)" + mobile_row_unchecked: "%{name} (додати)" toggle: few: "У %{count} аспектах" many: "У %{count} аспектах" @@ -1133,7 +1165,7 @@ uk: remove_location: "Видалити місцезнаходження" share: "Поділитися" share_with: "поділитися з" - upload_photos: "Завантажити фотографії" + upload_photos: "Завантажити світлини" whats_on_your_mind: "Про що ви думаєте?" reshare: reshare: "Поділитися повторно" @@ -1159,6 +1191,21 @@ uk: failed: "Людяність не підтверджена" user: "Секретне зображення і код не співпадають" placeholder: "Введіть вміст зображення" + statistics: + active_users_halfyear: "Активні користувачі пів року" + active_users_monthly: "Активні користувачі місяця" + closed: "Закритий" + disabled: "Ненаявний" + enabled: "Наявний" + local_comments: "Місцеві коментарі" + local_posts: "Місцеві публікації" + name: "Ім'я" + network: "Мережа" + open: "Відкритий" + registrations: "Реєстрації" + services: "Сервісні служби" + total_users: "Всі користувачі" + version: "Версія" status_messages: create: success: "Успішно згадано: %{names}" @@ -1168,14 +1215,11 @@ uk: no_message_to_display: "Нових повідомлень немає." new: mentioning: "Згадати: %{person}" - too_long: - few: "скоротіть, будь ласка, ваше повідомлення до %{count} символів" - many: "скоротіть, будь ласка, ваше повідомлення до %{count} символів" - one: "скоротіть, будь ласка, ваше повідомлення до %{count} символів" - other: "скоротіть, будь ласка, ваше повідомлення до %{count} символів" - zero: "скоротіть, будь ласка, ваше повідомлення до %{count} символів" + too_long: "{\"few\"=>\"скоротіть, будь ласка, ваше повідомлення до %{count} символів\", \"many\"=>\"скоротіть, будь ласка, ваше повідомлення до %{count} символів\", \"one\"=>\"скоротіть, будь ласка, ваше повідомлення до %{count} символів\", \"other\"=>\"скоротіть, будь ласка, ваше повідомлення до %{count} символів\", \"zero\"=>\"скоротіть, будь ласка, ваше повідомлення до %{count} символів\"}" stream_helper: hide_comments: "Приховати усі коментарі" + no_more_posts: "Ви досягли кінця потоку." + no_posts_yet: "Ще немає жодного запису." show_comments: few: "Показати ще %{count} коментарів" many: "Показати ще %{count} коментарів" @@ -1211,10 +1255,9 @@ uk: title: "Потік" public: contacts_title: "Нещодавно написали" - title: "Публічна Активність" + title: "Публічна діяльність" tags: contacts_title: "Люди, яким подобаються ця мітка" - tag_prefill_text: "Щодо %{tag_name} я думаю, що..." title: "Записи, позначені: %{tags}" tag_followings: create: @@ -1227,17 +1270,8 @@ uk: tags: show: follow: "Стежити за міткою #%{tag}" - followed_by_people: - few: "%{count} підписаних" - many: "%{count} підписаних" - one: "%{count} підписаний" - other: "%{count} підписаних" - zero: "Ніхто не підписаний" following: "Ви стежите за міткою #%{tag}" - nobody_talking: "Ніхто поки що не говорив про %{tag}." none: "Порожньої мітки немає!" - people_tagged_with: "Люди з міткою %{tag}" - posts_tagged_with: "Записи з міткою #%{tag}" stop_following: "Не стежити за міткою #%{tag}" terms_and_conditions: "Умови надання послуг" undo: "Повернути?" @@ -1263,28 +1297,31 @@ uk: dont_go: "Будь ласка, не йдіть!" if_you_want_this: "Якщо ви дійсно хочете це зробити, введіть ваш пароль і натисніть 'Закрити аккаунт'." lock_username: "Це зарезервує ваше ім'я користувача на випадок, якщо ви захочете знову зареєструватися." - locked_out: "Буде зроблено вихід з облікового запису, і ви будете відключені від вашого облікового запису." + locked_out: "Буде зроблено вихід , і ви будете відключені від вашого облікового запису" make_diaspora_better: "Ми хотіли б, щоб ви допомогли нам зробити Діаспору кращою замість того, щоб просто піти звідси. Якщо ви дійсно вирішили піти, ми хочемо, щоб ви знали, що станеться далі." mr_wiggles: "Містер Віглз буде засмучений, що ви пішли" - no_turning_back: "Зараз зворотного шляху немає." + no_turning_back: "На даний час зворотного шляху немає." what_we_delete: "Ми вилучимо всі ваші записи і дані профілю так швидко, як тільки зможемо. Ваші коментарі будуть як і раніше доступні, але вони не будуть прив'язані до вашого ідентифікатора в Діаспорі*." close_account_text: "Закрити аккаунт" comment_on_post: "хтось прокоментував ваш запис" current_password: "Поточний пароль" current_password_expl: "який ви використовуєте для входу..." - download_photos: "Звантажити мої фотографії" - download_xml: "Звантажити мою інформацію в XML" + download_export: "Завантажити мій профіль" + download_photos: "Звантажити мої світлини" edit_account: "Редагувати аккаунт" email_awaiting_confirmation: "Ми надіслали посилання для активації на %{unconfirmed_email}. Поки ви не скористаєтесь ним і не активуєте нову адресу, ми використовуватимемо ваш колишній ящик %{email}." export_data: "Експорт інформації" + export_in_progress: "На даний момент ми оброблюємо ваші дані. Будь ласка ,перевірте ще раз через декілька хвилин." following: "Налаштування відслідковування" getting_started: "Нові налаштування для користувача" + last_exported_at: "(Останнє оновлення в %{timestamp})" liked: "комусь подобається ваш запис" mentioned: "вас згадали у записі" new_password: "Новий пароль" - photo_export_unavailable: "Функція експорту фото зараз недоступна" private_message: "ви отримали особисте повідомлення" receive_email_notifications: "Отримувати повідомлення електронною поштою, коли:" + request_export: "Запитати дані мого профелю" + request_export_update: "Оновити дані мого профелю" reshared: "хтось ділиться вашим записом" show_community_spotlight: "Показувати рекомендованих користувачів у Потоці?" show_getting_started: "Повернути інформацію для початківців" @@ -1296,7 +1333,7 @@ uk: getting_started: awesome_take_me_to_diaspora: "Чудово! Пустіть мене до Діаспори*" community_welcome: "Товариство Діаспори раде вітати вас!" - connect_to_facebook: "Ми можемо трохи прискорити процес через %{link} на Діаспору. Ця дія довантажить ваше ім'я і фотографію, а також додасть кросспостінг." + connect_to_facebook: "Ми можемо трохи прискорити процес через %{link} на Діаспору. Ця дія довантажить ваше ім'я і світлину, а також додасть кросспостінг." connect_to_facebook_link: "Підключаємо ваш Facebook аккаунт" hashtag_explanation: "Мітки дозволяють вам обговорювати і стежити за темами, що цікавлять вас. Це також відмінний спосіб пошуку однодумців в Діаспорі." hashtag_suggestions: "Спробуйте, наприклад, мітки #мистецтво, #кіно, #gif і т.п." @@ -1306,7 +1343,9 @@ uk: who_are_you: "Хто ви?" privacy_settings: ignored_users: "Заблоковані користувачі" + no_user_ignored_message: "На даний час ви нікого не ігноруєте" stop_ignoring: "Припинити блокування" + strip_exif: "Вилучте метадані такі як: місце занходження,автор,і модель камери з заватнажених зображень(рекомендовано)" title: "Налаштування конфіденційності" public: does_not_exist: "Користувача %{username} не існує!" diff --git a/config/locales/diaspora/ur-PK.yml b/config/locales/diaspora/ur-PK.yml index 66a7b8c9f..b5a0040de 100644 --- a/config/locales/diaspora/ur-PK.yml +++ b/config/locales/diaspora/ur-PK.yml @@ -57,8 +57,6 @@ ur-PK: add_to_aspect: failure: "رابطہ پہلو میں شامل کرنے میں ناکام رہے۔" success: "رابطہ کامیابی سے پہلو میں شامل کر دیا گیا ہے۔" - aspect_contacts: - done_editing: "ترمیم کر دی گئ" aspect_listings: add_an_aspect: "ایک پہلو شامل کریں +" contacts_not_visible: "اس پہلو میں رابطے ایک دوسرے کو دیکھ نہیں سکیں گے۔" @@ -70,21 +68,14 @@ ur-PK: failure: "%{name} .خالی نہیں ہے اور اسے ختم نہیں کیا جا سکتا" success: "%{name} کامیابی سے ہٹا دیا گیا۔" edit: - add_existing: "پہلے سے موجود رابطہ شامل کریں" aspect_list_is_not_visible: "پہلو کی فہرست' پہلو میں دوسروں سے چھپی ہوئ ہے'" aspect_list_is_visible: "پہلو کی فہرست' پہلو میں دوسروں کو دکھائی دے رہی ہے'" confirm_remove_aspect: "کیا آپکو یقین ہے کہ آپ اس پہلو کو خذف کرنا چاہتے ہیں؟" - done: "ہو گیا" make_aspect_list_visible: "کیا پہلو کی فہرست نظر آۓ؟" remove_aspect: "پہلو حذف کریں" rename: "نام تبدیل کریں" update: "تازہ" updating: "تازہ کیا جا رھا ہے" - few: "%{count} پہلو" - helper: - are_you_sure: "کیا آپکو یقین ہے کہ آپ اس پہلو کو خذف کرنا چاہتے ہیں؟" - aspect_not_empty: "پہلو خالی نہیں ہے" - remove: "ہٹائیے" index: diaspora_id: content_1: "آپکی ڈایسپورا شناخت" @@ -105,11 +96,6 @@ ur-PK: content: "آپ ڈایسپورا کے لئے مندرجہ ذیل خدمات شامل کر سکتے ہیں :" heading: "خدمات کو جوڑیے" unfollow_tag: "پیروی بند کیجیے #%{tag}" - many: "%{count} پہلو" - move_contact: - error: "رابطہ منتقلی میں خرابی: %{inspect}" - failure: "صحیح نہیں %{inspect}" - success: "شخص نۓ رابطے میں منتقل ہو گیا" new: create: "بنایۓ" name: "نام" @@ -125,20 +111,12 @@ ur-PK: family: "خاندان" friends: "دوست" work: "کام" - selected_contacts: - manage_your_aspects: "اپنے پہلوؤں کا انتظام کریں۔" - no_contacts: "ابھی تک یہاں آپکا کوئی رابطہ نہیں ہے۔" - view_all_contacts: "تمام رابطے" - show: - edit_aspect: "پہلو میں ترمیم" - two: "%{count} پہلو" update: failure: "آپکے پہلو کا نام, %{name}, محفوظ کرنے کی حد سے لمبا ہے۔" success: "آپکے پہلو, %{name}, میں ترمیم ہو گئ ہے۔" zero: "کوئ پہلو نہیں" back: "واپس" contacts: - few: "%{count} contacts" index: add_to_aspect: "Add contacts to %{name}" no_contacts: "No contacts." @@ -339,13 +317,7 @@ ur-PK: stream_element: hide_and_mute: "Hide and Mute" status_messages: - too_long: - few: "please make your status messages less than %{count} characters" - many: "please make your status messages less than %{count} characters" - one: "please make your status messages less than %{count} character" - other: "please make your status messages less than %{count} characters" - two: "please make your status messages less than %{count} characters" - zero: "please make your status messages less than %{count} characters" + too_long: "{\"few\"=>\"please make your status messages less than %{count} characters\", \"many\"=>\"please make your status messages less than %{count} characters\", \"one\"=>\"please make your status messages less than %{count} character\", \"other\"=>\"please make your status messages less than %{count} characters\", \"two\"=>\"please make your status messages less than %{count} characters\", \"zero\"=>\"please make your status messages less than %{count} characters\"}" stream_helper: show_comments: few: "Show %{count} more comments" diff --git a/config/locales/diaspora/vi.yml b/config/locales/diaspora/vi.yml index cc7b07f53..e12efccdc 100644 --- a/config/locales/diaspora/vi.yml +++ b/config/locales/diaspora/vi.yml @@ -43,16 +43,21 @@ vi: taken: "đã được thực hiện." admins: admin_bar: + correlations: "Tương quan" pages: "Trang" user_search: "Tìm người dùng" weekly_user_stats: "Thống kê người dùng hàng tuần" + correlations: + correlations_count: "Tương quan với số lần đăng nhập" stats: 2weeks: "2 tuần" 50_most: "50 thẻ phổ biến nhất" comments: other: "%{count} bình luận" zero: "Không có bình luận" + current_segment: "Segment hiện tại có trung bình %{post_yest} bài đăng trên người dùng, từ ngày %{post_day}" daily: "Hàng ngày" + display_results: "Hiển thị các kết quả từ segment %{segment}" go: "đi" month: "Tháng" posts: @@ -61,6 +66,7 @@ vi: shares: other: "%{count} lượt chia sẻ" zero: "Không có ai chia sẻ" + tag_name: "Tên thẻ: %{name_tag} Số lượng: %{count_tag}" usage_statistic: "Thống kê mức sử dụng" users: other: "%{count} người dùng" @@ -72,7 +78,8 @@ vi: users: other: "Tìm thấy %{count} người dùng" zero: "Không tìm thấy ai" - you_currently: "hiện bạn còn lại %{user_invitation} thư mời %{link}" + you_currently: + other: "hiện bạn còn lại %{user_invitation} thư mời %{link}" weekly_user_stats: amount_of: other: "số người dùng mới của tuần này: %{count}" @@ -96,8 +103,6 @@ vi: add_to_aspect: failure: "Thất bại khi thêm liên lạc vào mối quan hệ." success: "Đã thêm liên lạc vào mối quan hệ." - aspect_contacts: - done_editing: "đã cập nhật xong" aspect_listings: add_an_aspect: "+ Thêm mối quan hệ" deselect_all: "Bỏ chọn tất cả" @@ -115,21 +120,14 @@ vi: failure: "%{name} không rỗng và không thể bị loại bỏ." success: "%{name} đã bị loại bỏ." edit: - add_existing: "Thêm một liên lạc đang có" aspect_list_is_not_visible: "danh sách mối quan hệ bị ẩn với người khác trong mối quan hệ" aspect_list_is_visible: "những người trong mối quan hệ này nhìn thấy nhau" confirm_remove_aspect: "Bạn có chắc là muốn xoá mối quan hệ này không?" - done: "Xong" make_aspect_list_visible: "các liên lạc trong mối quan hệ này có thể thấy nhau?" remove_aspect: "Xoá mối quan hệ này" rename: "đổi tên" update: "cập nhật" updating: "đang cập nhật" - few: "%{count} mối quan hệ" - helper: - are_you_sure: "Bạn có chắc là muốn xoá mối quan hệ này không?" - aspect_not_empty: "Mối quan hệ không rỗng" - remove: "loại bỏ" index: diaspora_id: content_1: "ID Diaspora:" @@ -150,6 +148,7 @@ vi: tag_bug: "#bug" tag_feature: "#feature" tag_question: "#question" + tutorial_link_text: "Hướng dẫn" introduce_yourself: "Đây là luồng của bạn. Hãy tự giới thiệu mình ở đây." keep_diaspora_running: "Đóng góp hàng tháng để giúp phát triển Diaspora nhanh hơn!" keep_pod_running: "Đóng góp hàng tháng để giúp %{pod} chạy nhanh và duy trì các phí khác!" @@ -166,11 +165,6 @@ vi: heading: "Kết nối dịch vụ" unfollow_tag: "Ngừng theo dõi #%{tag}" welcome_to_diaspora: "Chào mừng đến với Diaspora, %{name}!" - many: "%{count} mối quan hệ" - move_contact: - error: "Lỗi khi dời liên lạc: %{inspect}" - failure: "%{inspect} không làm việc" - success: "Đã chuyển người sang mối quan hệ mới" new: create: "Tạo" name: "Tên (chỉ bạn nhìn thấy)" @@ -188,14 +182,6 @@ vi: family: "Gia đình" friends: "Bạn bè" work: "Đồng nghiệp" - selected_contacts: - manage_your_aspects: "Quản lí các mối quan hệ." - no_contacts: "Bạn chưa có liên lạc nào ở đây." - view_all_community_spotlight: "Xem tất cả những người nổi bật trong cộng đồng" - view_all_contacts: "Xem tất cả liên lạc" - show: - edit_aspect: "cập nhật mối quan hệ" - two: "%{count} mối quan hệ" update: failure: "Mối quan hệ %{name} có tên quá dài, không thể lưu." success: "Mối quan hệ %{name} đã được chỉnh sửa." @@ -215,43 +201,34 @@ vi: post_success: "Đã đăng bài! Đang đóng!" cancel: "Hủy bỏ" comments: - few: "%{count} bình luận" - many: "%{count} bình luận" new_comment: comment: "Bình luận" commenting: "Đang gửi bình luận..." one: "1 bình luận" other: "%{count} bình luận" - two: "%{count} bình luận" zero: "không có bình luận" contacts: create: failure: "Tạo liên lạc mới thất bại" - few: "%{count} liên lạc" index: add_a_new_aspect: "Thêm mối quan hệ mới" add_to_aspect: "thêm liên lạc vào %{name}" - add_to_aspect_link: "thêm liên lạc vào %{name}" all_contacts: "Tất cả liên lạc" community_spotlight: "Nổi bật từ cộng đồng" - many_people_are_you_sure: "Bạn có chắc là muốn trò chuyện với hơn %{suggested_limit} người khác? Posting to this aspect may be a better way to contact them." my_contacts: "Liên lạc của tôi" no_contacts: "Có vẻ như bạn cần thêm vài liên lạc!" no_contacts_message: "Kiểm tra %{community_spotlight}" - no_contacts_message_with_aspect: "Kiểm tra %{community_spotlight} hoặc %{add_to_aspect_link}" only_sharing_with_me: "Chỉ chia sẻ với tôi" - remove_person_from_aspect: "Loại bỏ %{person_name} khỏi \"%{aspect_name}\"" start_a_conversation: "Bắt đầu một cuộc trò chuyện" title: "Liên lạc" your_contacts: "Liên lạc của bạn" - many: "%{count} liên lạc" one: "1 liên lạc" other: "%{count} liên lạc" sharing: people_sharing: "Người đang chia sẻ với bạn:" spotlight: community_spotlight: "Nổi bật từ cộng đồng" - two: "%{count} liên lạc" + suggest_member: "Gợi ý một thành viên" zero: "contacts" conversations: conversation: @@ -260,8 +237,6 @@ vi: fail: "Tin nhắn không hợp lệ" no_contact: "Bạn cần phải thêm liên lạc trước đã!" sent: "Đã gửi tin nhắn" - destroy: - success: "Đã loại bỏ cuộc hội thoại" helper: new_messages: few: "%{count} tin nhắn mới" @@ -300,8 +275,12 @@ vi: fill_me_out: "Điền đầy đủ" find_people: "Tìm người hoặc #tags" help: + getting_started_tutorial: "Loạt bài hướng dẫn cho người mới" + here: "tại đây" irc: "IRC" markdown: "Markdown" + tutorial: "hướng dẫn" + tutorials: "hướng dẫn" wiki: "wiki" hide: "Ẩn" invitation_codes: @@ -494,8 +473,8 @@ vi: invited_by: "bạn được mời bởi" add_contact_small: add_contact_from_tag: "thêm liên lạc từ thẻ" - few: "%{count} người" helper: + is_not_sharing: "%{name} hiện không chia sẻ với bạn" is_sharing: "%{name} đang chia sẻ với bạn" results_for: " kết quả cho %{params}" index: @@ -504,7 +483,6 @@ vi: no_results: "Bạn cần tìm gì đó." results_for: "kết quả tìm kiếm cho" searching: "đang tìm, vui lòng chờ..." - many: "%{count} người" one: "1 người" other: "%{count} người" person: @@ -541,7 +519,6 @@ vi: add_some: "thêm" edit: "sửa" you_have_no_tags: "bạn không có thẻ nào!" - two: "%{count} người" webfinger: fail: "Xin lỗi, chúng tôi không thể tìm %{handle}." zero: "không có ai" @@ -631,9 +608,7 @@ vi: update: "Cập nhật" invalid_invite: "Liên kết mời bạn cung cấp không còn hợp lệ!" new: - continue: "Tiếp tục" create_my_account: "Tạo tài khoản" - diaspora: "<3 Diaspora*" email: "THƯ ĐIỆN TỬ" enter_email: "Nhập địa chỉ thư điện tử" enter_password: "Nhập mật khẩu (ít nhất sáu kí tự)" @@ -758,9 +733,8 @@ vi: get_location: "Lấy thông tin vị trí" make_public: "công khai hoá" new_user_prefill: - hello: |- - Xin chào mọi người, - %{new_user_tag}. + hello: "Xin chào mọi người,\n\ + %{new_user_tag}. " i_like: "I'm interested in %{tags}." invited_by: "Cám ơn vì lời mời, " newhere: "NewHere" @@ -798,9 +772,7 @@ vi: no_message_to_display: "Không có tin nhắn." new: mentioning: "Đang nhắc đến: %{person}" - too_long: - other: "trạng thái của bạn phải có ít hơn %{count} kí tự" - zero: "trạng thái của bạn phải có ít hơn %{count} kí tự" + too_long: "{\"other\"=>\"trạng thái của bạn phải có ít hơn %{count} kí tự\", \"zero\"=>\"trạng thái của bạn phải có ít hơn %{count} kí tự\"}" stream_helper: hide_comments: "Ẩn tất cả bình luận" show_comments: @@ -837,7 +809,6 @@ vi: title: "Hoạt động công khai" tags: contacts_title: "People who dig these tags" - tag_prefill_text: "Chia sẻ gì đó trên thẻ %{tag_name}... " title: "Những bài đăng được gán thẻ: #%{tags}" tag_followings: create: @@ -851,10 +822,7 @@ vi: show: follow: "Theo dõi #%{tag}" following: "Đang theo dõi #%{tag}" - nobody_talking: "Không có ai đang nói về %{tag}." none: "Thẻ rỗng không tồn tại!" - people_tagged_with: "Những người được gán thẻ %{tag}" - posts_tagged_with: "Những bài đăng được gán thẻ #%{tag}" stop_following: "Dừng theo dõi #%{tag}" terms_and_conditions: "Điều khoản và điều kiện" undo: "Hoàn lại?" @@ -882,6 +850,7 @@ vi: lock_username: "Tên đăng nhập của bạn sẽ bị khoá nếu bạn quyết định đăng kí lại." locked_out: "Bạn sẽ bị đăng xuất và khoá tài khoản." make_diaspora_better: "Chúng tôi muốn bạn cùng phát triển Diaspora tốt hơn, vì vậy bạn nên giúp đỡ thay vì rời đi. Nếu bạn không muốn ở lại, chúng tôi muốn biết chuyện gì sẽ xảy ra tiếp theo." + mr_wiggles: "Ông Wiggles sẽ buồn khi thấy bạn bỏ đi" no_turning_back: "Hiện tại chưa có ai quay lại." what_we_delete: "We delete all of your posts, profile data, as soon as humanly possible. Your comments will hang around, but be associated with your Diaspora Handle." close_account_text: "Đóng tài khoản" @@ -889,7 +858,6 @@ vi: current_password: "Mật khẩu hiện tại" current_password_expl: "bạn dùng để đăng nhập..." download_photos: "ảnh chụp của tôi" - download_xml: "định dạng xml" edit_account: "Chỉnh sửa tài khoản" email_awaiting_confirmation: "Chúng tôi đã gửi đường dẫn kích hoạt đến %{unconfirmed_email}. Chúng tôi vẫn dùng địa chỉ gốc của bạn %{email} cho đến khi bạn xác nhận địa chỉ mới." export_data: "Xuất dữ liệu" @@ -898,7 +866,6 @@ vi: liked: "...có người thích bài đăng của tôi?" mentioned: "...tôi được nhắc đến trong một bài đăng?" new_password: "Mật khẩu mới" - photo_export_unavailable: "Chức năng xuất ảnh hiện chưa hoạt động" private_message: "...nhận được tin nhắn?" receive_email_notifications: "Nhận thư điện tử thông báo khi..." reshared: "...có người chia sẻ lại bài đăng của tôi?" @@ -911,6 +878,7 @@ vi: getting_started: awesome_take_me_to_diaspora: "Tuyệt vời! Đưa tối đến Diaspora*" community_welcome: "Cộng đồng Diaspora hân hạnh được chào đón bạn!" + connect_to_facebook_link: "Liên kết với tài khoản Facebook của bạn" hashtag_explanation: "Thẻ cho phép bạn trò chuyện và theo dõi những gì bạn quan tâm. Chúng cũng giúp bạn tìm bạn mới trên Diaspora." hashtag_suggestions: "Thử theo dõi các thẻ như #art, #movies, #gif, v.v..." saved: "Đã lưu!" diff --git a/config/locales/diaspora/wo.yml b/config/locales/diaspora/wo.yml index 3f4472164..63ca58b8d 100644 --- a/config/locales/diaspora/wo.yml +++ b/config/locales/diaspora/wo.yml @@ -18,8 +18,6 @@ wo: aspects: aspect_listings: edit_aspect: "Soppil %{name}" - edit: - done: "Raaf na" index: diaspora_id: content_1: "Sa Limu Diaspora mooy:" @@ -51,7 +49,6 @@ wo: contacts: index: no_contacts_message: "Xoolal %{community_spotlight}" - no_contacts_message_with_aspect: "Xoolal %{community_spotlight} walla %{add_to_aspect_link}" conversations: new: to: "ci" @@ -85,8 +82,6 @@ wo: or: "walla" password: "Baatujàll" people: - few: "%{count}i nit" - many: "%{count}i nit" one: "1 nit" other: "%{count}i nit" person: @@ -99,7 +94,6 @@ wo: see_all: "Gisal ñëpp" sub_header: edit: "soppil" - two: "%{count}i nit" photos: comment_email_subject: "Nataalu %{name}" edit: @@ -133,7 +127,6 @@ wo: edit: "Soppi %{name}" unhappy: "Kontaanul?" new: - diaspora: "<3 Diaspora*" email: "EMAIL" enter_email: "Duggal email" password: "BAATUJÀLL" diff --git a/config/locales/diaspora/zh-CN.yml b/config/locales/diaspora/zh-CN.yml index 425c44689..c5d3c5e15 100644 --- a/config/locales/diaspora/zh-CN.yml +++ b/config/locales/diaspora/zh-CN.yml @@ -78,7 +78,8 @@ zh-CN: users: other: "找到 %{count} 个用户" zero: "找到 %{count} 个用户" - you_currently: "您目前还可以邀请 %{user_invitation} 次 %{link}" + you_currently: + other: "您目前还可以邀请 %{user_invitation} 次 %{link}" weekly_user_stats: amount_of: other: "本周新用户数目:%{count}" @@ -102,8 +103,6 @@ zh-CN: add_to_aspect: failure: "将好友添加到分组失败。" success: "将好友添加到分组成功。" - aspect_contacts: - done_editing: "编辑完成" aspect_listings: add_an_aspect: "+ 新增分组" deselect_all: "清空选择" @@ -122,21 +121,14 @@ zh-CN: failure: "无法删除 %{name} ,它不是空的。" success: "删除 %{name} 成功。" edit: - add_existing: "添加好友" aspect_list_is_not_visible: "分组中的好友不能看见此分组的好友列表" aspect_list_is_visible: "分组中的好友能够看见此分组的好友列表" confirm_remove_aspect: "您确定要删除这个分组?" - done: "完成" make_aspect_list_visible: "是否让其他人可以看见此分组的好友列表?" remove_aspect: "删除这个分组" rename: "重命名" update: "更新" updating: "更新中" - few: "%{count} 个分组" - helper: - are_you_sure: "您确定要删除这个分组?" - aspect_not_empty: "此分组不是空的" - remove: "删除" index: diaspora_id: content_1: "您的 Diaspora 通行证是:" @@ -172,11 +164,6 @@ zh-CN: heading: "连接服务" unfollow_tag: "取消关注 #%{tag}" welcome_to_diaspora: "%{name},欢迎加入 Diaspora!" - many: "%{count} 个分组" - move_contact: - error: "好友移动错误:%{inspect}" - failure: "%{inspect} 失败" - success: "好友成功添加到新分组" new: create: "创建" name: "名字" @@ -194,14 +181,6 @@ zh-CN: family: "家人" friends: "朋友" work: "同事" - selected_contacts: - manage_your_aspects: "管理您的分组" - no_contacts: "您没有选择任何联系人。" - view_all_community_spotlight: "查看所有热点" - view_all_contacts: "查看所有好友" - show: - edit_aspect: "编辑分组" - two: "%{count} 个分组" update: failure: "分组 %{name} 名称太长了,不能保存" success: "分组 %{name} 编辑成功。" @@ -221,50 +200,38 @@ zh-CN: post_success: "发布完成!关闭中。" cancel: "取消" comments: - few: "%{count} 条回复" - many: "%{count} 条回复" new_comment: comment: "回复" commenting: "回复中……" one: "1条回复" other: "%{count} 条回复" - two: "%{count} 条回复" zero: "暂无回复" contacts: create: failure: "添加好友失败" - few: "%{count} 个好友" index: add_a_new_aspect: "加入新分组" add_to_aspect: "将好友添加到 %{name}" - add_to_aspect_link: "添加好友至 %{name}" all_contacts: "所有好友" community_spotlight: "社区热点" - many_people_are_you_sure: "您确定要和 %{suggested_limit} 个好友对话?发布内容可能是更好的方式。" my_contacts: "我的好友" no_contacts: "尚未添加好友" no_contacts_message: "来看看 %{community_spotlight}" - no_contacts_message_with_aspect: "来看看 %{community_spotlight} 或者 %{add_to_aspect_link}" only_sharing_with_me: "和我分享内容的人" - remove_person_from_aspect: "将 %{person_name} 从 %{aspect_name} 中移除" start_a_conversation: "开始对话" title: "好友" your_contacts: "您的好友" - many: "%{count} 个好友" one: "1 个好友" other: "%{count} 个好友" sharing: people_sharing: "与您分享的人:" spotlight: community_spotlight: "社区热点" - two: "%{count} 个好友" zero: "尚未添加好友" conversations: create: fail: "无效的信息" sent: "消息发送成功" - destroy: - success: "消息移除成功" helper: new_messages: other: "%{count} 条新消息" @@ -308,6 +275,7 @@ zh-CN: create: already_contacts: "您已经将其加为好友了" already_sent: "您已经邀请过这个人了。" + empty: "请至少填写一个邮箱" no_more: "您暂无邀请函。" own_address: "您不能发送邀请给自己。" rejected: "下列电子信箱有问题: " @@ -472,7 +440,6 @@ zh-CN: add_contact_from_tag: "通过标签添加好友" aspect_list: edit_membership: "编辑所属分组" - few: "%{count} 个好友" helper: results_for: " %{params} 的搜索结果" index: @@ -481,7 +448,6 @@ zh-CN: no_results: "嘿! 搜索必须要有目标呀。" results_for: "搜索结果:" searching: "搜索中,请稍候…" - many: "%{count} 个好友" one: "1 个好友" other: "%{count} 个好友" person: @@ -517,7 +483,6 @@ zh-CN: add_some: "加入一些" edit: "编辑" you_have_no_tags: "您没有任何标签!" - two: "%{count} 个好友" webfinger: fail: "抱歉,找不到 %{handle}。" zero: "暂无好友" @@ -607,17 +572,15 @@ zh-CN: update: "更新" invalid_invite: "您提供的邀请链接已失效" new: - continue: "继续" create_my_account: "创建我的帐号" - diaspora: "爱你的 Diaspora*" email: "电子邮箱" enter_email: "输入电子邮箱" enter_password: "输入密码(至少6个字符)" enter_password_again: "再输入一遍密码" enter_username: "输入用户名(名称只能包含字母,数字和下划线“_”)" - hey_make: "嘿,
做点
什么吧!" join_the_movement: "参加此行动" password: "密码" + password_confirmation: "密保信息" sign_up: "注册" sign_up_message: "有 <3 的社交网络" username: "用户名" @@ -769,9 +732,7 @@ zh-CN: no_message_to_display: "暂无信息可显示。" new: mentioning: "提及发布中: %{person}" - too_long: - other: "请确保您的状态信息不超过 %{count} 个字符" - zero: "请确保您的状态信息不超过 %{count} 个字符" + too_long: "{\"other\"=>\"请确保您的状态信息不超过 %{count} 个字符\", \"zero\"=>\"请确保您的状态信息不超过 %{count} 个字符\"}" stream_helper: hide_comments: "隐藏评论" show_comments: @@ -808,7 +769,6 @@ zh-CN: title: "公开活动" tags: contacts_title: "这个标签的粉丝" - tag_prefill_text: "关于 %{tag_name} 的事情是… " title: "有以下标签的内容:%{tags}" tag_followings: create: @@ -822,10 +782,7 @@ zh-CN: show: follow: "关注 #%{tag}" following: "正在关注 #%{tag}" - nobody_talking: "还没有人在讨论 %{tag}。" none: "不存在空白标签!" - people_tagged_with: "标记为 %{tag} 的人" - posts_tagged_with: "标记为 #%{tag} 的内容" stop_following: "停止关注 #%{tag}" terms_and_conditions: "服务条款与细则" undo: "撤消?" @@ -861,7 +818,6 @@ zh-CN: current_password: "当前密码" current_password_expl: "登入的那个…" download_photos: "下载我的照片" - download_xml: "下载我的 xml" edit_account: "编辑帐号" email_awaiting_confirmation: "我们将向 %{unconfirmed_email} 发送一个确认邮件。在确认之前,我们将沿用 %{email} 这个联系方式。" export_data: "资料导出" @@ -870,7 +826,6 @@ zh-CN: liked: "…当有人赞您发布的内容?" mentioned: "…当贴文中提到您时?" new_password: "新密码" - photo_export_unavailable: "相片目前无法导出" private_message: "…当收到私人信息时?" receive_email_notifications: "是否要在以下情况收到电子邮件通知……" reshared: "…有人转发您的内容时?" diff --git a/config/locales/diaspora/zh-TW.yml b/config/locales/diaspora/zh-TW.yml index 6ccbaef84..3e4593ff2 100644 --- a/config/locales/diaspora/zh-TW.yml +++ b/config/locales/diaspora/zh-TW.yml @@ -12,6 +12,8 @@ zh-TW: _home: "我家" _photos: "相片" _services: "服務" + _statistics: "統計" + _terms: "使用條款" account: "帳號" activerecord: errors: @@ -23,7 +25,15 @@ zh-TW: person: attributes: diaspora_handle: - taken: "已經被用了。" + taken: "已經有人使用此帳號" + poll: + attributes: + poll_answers: + not_enough_poll_answers: "提供的投票選項不足。" + poll_participation: + attributes: + poll: + already_participated: "你已經參加這次票選了!" request: attributes: from_id: @@ -35,17 +45,18 @@ zh-TW: user: attributes: email: - taken: "已經被用了。" + taken: "已經有人使用。" person: invalid: "不合格。" username: invalid: "不合格。只能夠使用字母,數字,以及底線符號。" - taken: "已經被用了。" + taken: "已經有人使用。" admins: admin_bar: correlations: "關聯性" pages: "分頁" pod_stats: "豆莢統計資料" + report: "回報" sidekiq_monitor: "Sidekiq 監視器" user_search: "使用者搜尋" weekly_user_stats: "使用者統計週報" @@ -74,28 +85,48 @@ zh-TW: other: "%{count}個使用者" zero: "%{count}個使用者" week: "一個禮拜" + user_entry: + account_closed: "帳號關閉了" + diaspora_handle: "Disaspora 帳號" + email: "電子信箱" + id: "識別碼" + last_seen: "最後看見時間" + ? "no" + : 否 + unknown: "不知道" + ? "yes" + : 是 user_search: + account_closing_scheduled: "%{name} 這個帳號已經排定要關閉了。過一段時間後就會被執行了..." + account_locking_scheduled: "%{name} 這個帳號已經排定要上鎖了。過一段時間後就會被執行了..." + account_unlocking_scheduled: "%{name} 這個帳號已經排定要解鎖了。過一段時間後就會被執行了..." add_invites: "增加邀請次數" + are_you_sure: "確定要關閉這個帳號嗎?" + are_you_sure_lock_account: "你確定要把帳號上鎖嗎?" + are_you_sure_unlock_account: "你確定要把帳號解鎖嗎?" + close_account: "關閉帳號" email_to: "寄電子郵件邀請" under_13: "顯示低於 13 歲的使用者(基於美國兒童網路隱私保護法案, COPPA)" users: other: "找到%{count}個使用者" zero: "找到%{count}個使用者" - you_currently: "你目前還可以邀請%{user_invitation}次 %{link}" + view_profile: "看個人檔案" + you_currently: + other: "你目前還可以邀請%{user_invitation}次 %{link}" weekly_user_stats: amount_of: other: "本週新使用者數目:%{count}" - zero: "本週新使用者數目:沒有" + zero: "本週新使用者數目:0" current_server: "伺服器現在的日期是%{date}" ago: "%{time}前" - all_aspects: "所有面向" + all_aspects: "所有話題" application: helper: unknown_person: "不明聯絡人" video_title: unknown: "影片標題不明" - are_you_sure: "你確定嗎?" - are_you_sure_delete_account: "你確定要關帳號嗎?沒辦法復原喔!" + are_you_sure: "確定?" + are_you_sure_delete_account: "確定要關閉帳號嗎?帳號無法復原喔!" aspect_memberships: destroy: failure: "從面向中移除聯絡人失敗" @@ -105,8 +136,6 @@ zh-TW: add_to_aspect: failure: "將聯絡人加入至面向失敗。" success: "將聯絡人加入至面向成功。" - aspect_contacts: - done_editing: "編輯完成" aspect_listings: add_an_aspect: "+ 新增面向" deselect_all: "全不選" @@ -116,8 +145,8 @@ zh-TW: make_something: "做點什麼" stay_updated: "隨時保持最新狀態" stay_updated_explanation: "你的主流水帳會充滿了你的聯絡人,追蹤的標籤,以及其他有創意的社群成員的貼文。" - contacts_not_visible: "此面向中的聯絡人無法看見彼此。" - contacts_visible: "此面向中的聯絡人可以看見彼此。" + contacts_not_visible: "此話題中的聯絡人彼此不可見" + contacts_visible: "此話題中的聯絡人彼此可見" create: failure: "創造面向失敗。" success: "新的面向%{name}已經造出來了" @@ -125,30 +154,25 @@ zh-TW: failure: "無法刪除%{name},因為它不是空的。" success: "成功刪除%{name}了。" edit: - add_existing: "加入既有聯絡人" + aspect_chat_is_enabled: "面向中的聯絡人可以和你聊天。" + aspect_chat_is_not_enabled: "面向中的聯絡人不能和你聊天。" aspect_list_is_not_visible: "在這個面向中的連絡人沒辦法看見哪些人在同一個面向中" aspect_list_is_visible: "在這個面向中的連絡人可以互相看見他們在同一個面向中" - confirm_remove_aspect: "你確定要刪除這個面向嗎?" - done: "完成" - make_aspect_list_visible: "讓面向中的聯絡人可以互相看得到嗎?" - manage: "管理" - remove_aspect: "刪除這個面向" + confirm_remove_aspect: "確定要刪除這個話題嗎?" + grant_contacts_chat_privilege: "要把聊天的權限給面向中的聯絡人嗎?" + make_aspect_list_visible: "讓此話題中的聯絡人彼此可見嗎?" + remove_aspect: "刪除這個話題" rename: "改名" set_visibility: "設定可見範圍" update: "更新" updating: "更新中" - few: "%{count}個面向" - helper: - are_you_sure: "你確定要刪除這個面向嗎?" - aspect_not_empty: "面向不是空的" - remove: "刪除" index: diaspora_id: - content_1: "你的 Diaspora 識別碼是:" - content_2: "把它給任何人,讓他們可以在 Diaspora 找到你。" - heading: "Diaspora 識別碼" + content_1: "你的 Diaspora 帳號是:" + content_2: "透過帳號名稱,其他人可以在 diaspora* 找到你。" + heading: "Diaspora 帳號" donate: "捐助" - handle_explanation: "這是你的 Diaspora 識別碼。就像電子信箱一樣,你可以把它給想聯絡你的人。" + handle_explanation: "這是你的 Diaspora 帳號。就像電子信箱一樣,其他人可以透過它來聯絡你。" help: any_problem: "有問題嗎?" contact_podmin: "聯絡豆莢管理員!" @@ -158,7 +182,7 @@ zh-TW: feature_suggestion: "...想建議%{link}嗎?" find_a_bug: "...找到一隻%{link}嗎?" have_a_question: "...有個%{link}嗎?" - here_to_help: "Diaspora 社群就在這裡!" + here_to_help: "diaspora* 社群來了!" mail_podmin: "莢主的電郵信箱" need_help: "要幫忙嗎?" tag_bug: "臭蟲" @@ -167,7 +191,7 @@ zh-TW: tutorial_link_text: "個別指導" tutorials_and_wiki: "%{faq},%{tutorial},還有%{wiki}:讓你順利上手的好幫手。" introduce_yourself: "這是你的流水帳。跳進來介紹你自己吧。" - keep_diaspora_running: "每月固定捐助讓 Diaspora 快速研發!" + keep_diaspora_running: "每個月固定捐款給 diaspora* 幫助研發繼續成長" keep_pod_running: "讓 %{pod} 高速運轉,現在就開始固定每月捐助,來供應伺服器的咖啡耗材吧!" new_here: follow: "追蹤 %{link} 來歡迎 diaspora* 的新人!" @@ -178,15 +202,10 @@ zh-TW: people_sharing_with_you: "跟你分享的人" post_a_message: "貼訊息 >>" services: - content: "你可以將以下服務跟 Diaspora 連結:" + content: "你可以將以下服務跟 diaspora* 連結:" heading: "連結服務" unfollow_tag: "停止追蹤 #%{tag}" - welcome_to_diaspora: "歡迎來到 Diaspora,%{name}!" - many: "%{count}個面向" - move_contact: - error: "聯絡人移動錯誤:%{inspect}" - failure: "因%{inspect}而沒有作用" - success: "聯絡人移至新的面向了" + welcome_to_diaspora: "%{name},歡迎來到 diaspora*!" new: create: "建立" name: "名字(只有你自己看得到)" @@ -197,26 +216,18 @@ zh-TW: you_should_add_some_more_contacts: "新增更多聯絡人吧!" no_posts_message: start_talking: "都還沒有人出聲!" - one: "1個面向" - other: "%{count}個面向" + one: "1個話題" + other: "%{count}個話題" seed: acquaintances: "認識的人" family: "家人" friends: "朋友" work: "工作" - selected_contacts: - manage_your_aspects: "管理你的面向。" - no_contacts: "你在這裡還沒有任何聯絡人。" - view_all_community_spotlight: "看所有的社群焦點" - view_all_contacts: "檢視所有聯絡人" - show: - edit_aspect: "編輯面向" - two: "%{count}個面向" update: failure: "你的面向%{name}名稱太長了無法儲存。" success: "你的面向%{name}已經編輯完成了。" - zero: "沒有面向" - back: "後退" + zero: "不屬於任何話題" + back: "上一步" blocks: create: failure: "我無法忽視這個使用者。 #藉口" @@ -225,42 +236,37 @@ zh-TW: failure: "我無法停止忽視這個使用者。 #藉口" success: "看看他們要說什麼吧! #打招呼" bookmarklet: - explanation: "把這個可以貼任何網頁到 Diaspora 的連結加入書籤 => %{link}。" + explanation: "將此連結加入書籤 => %{link},可以隨時在diaspora*發文" heading: "書籤小程式" - post_something: "貼到 Diaspora" + post_something: "貼到 diaspora*" post_success: "貼好了!關掉中!" cancel: "取消" comments: - few: "%{count}則意見" - many: "%{count}則意見" new_comment: comment: "發表意見" commenting: "意見發表中..." one: "1個意見" other: "%{count}則意見" - two: "%{count}個意見" zero: "沒有意見" contacts: create: failure: "建立聯繫失敗" - few: "%{count}個聯絡人" index: add_a_new_aspect: "加入新面向" + add_contact: "加聯絡人" add_to_aspect: "加聯絡人到%{name}" - add_to_aspect_link: "加聯絡人到%{name}" all_contacts: "所有聯絡人" community_spotlight: "社群焦點" - many_people_are_you_sure: "你確定要進行跟%{suggested_limit}個聯絡人的私人對話?貼文到該面向可能是跟他們聯絡比較好的方式。" my_contacts: "我的聯絡人" no_contacts: "你好像應該要多加點聯絡人!" + no_contacts_in_aspect: "你在這個面向中還沒有任何聯絡人。下面是你可以加入到這個面向的聯絡人列表。" no_contacts_message: "來看看 %{community_spotlight}" - no_contacts_message_with_aspect: "來看看 %{community_spotlight} 或是 %{add_to_aspect_link}" only_sharing_with_me: "和我分享的人" - remove_person_from_aspect: "將 %{person_name} 從\"%{aspect_name}\"中移除" + remove_contact: "刪聯絡人" start_a_conversation: "開始對話" title: "聯絡人" + user_search: "使用者搜尋" your_contacts: "你的聯絡人" - many: "%{count}個聯絡人" one: "1個聯絡人" other: "%{count}個聯絡人" sharing: @@ -268,7 +274,6 @@ zh-TW: spotlight: community_spotlight: "社群焦點" suggest_member: "推薦會員" - two: "%{count}個聯絡人" zero: "聯絡人" conversations: conversation: @@ -278,13 +283,17 @@ zh-TW: no_contact: "喂,你要先新增聯絡人才行!" sent: "訊息送出去了" destroy: - success: "對話移除成功" + delete_success: "對話成功刪掉了" + hide_success: "對話成功隱藏起來了" helper: new_messages: other: "有%{count}則新訊息" zero: "沒有新訊息" index: + conversations_inbox: "交談 - 收件匣" + create_a_new_conversation: "開始新的交談" inbox: "收件匣" + new_conversation: "開始交談" no_conversation_selected: "沒有選取任何對話" no_messages: "沒有訊息" new: @@ -293,8 +302,11 @@ zh-TW: sending: "傳送中..." subject: "主旨" to: "收件人" + new_conversation: + fail: "訊息無效" show: - delete: "刪除並中止對話" + delete: "刪除對話" + hide: "把對話隱藏並且消音" reply: "回覆" replying: "回覆中..." date: @@ -311,7 +323,7 @@ zh-TW: login_try_again: "請登入後再試一次。" post_not_public: "你要看的貼文沒有公開!" post_not_public_or_not_exist: "你要看的貼文沒有公開,或是根本不存在!" - fill_me_out: "填寫我" + fill_me_out: "填寫此欄" find_people: "找人或 #標籤" help: account_and_data_management: @@ -330,6 +342,7 @@ zh-TW: contacts_know_aspect_a: "不知道。無論如何他們都看不到面向的名稱。" contacts_know_aspect_q: "我的聯絡人知道我把他們放到哪些面向裡面嗎?" contacts_visible_q: "\"讓面向中的聯絡人可以互相看得到\"是什麼意思?" + remove_notification_q: "如果某人從一個話題,或所有話題中遭到移除,他們會收到通知嗎?" restrict_posts_i_see_a: "可以。請點一下側邊欄的你的面向,然後用點個別的面向來選擇,或是取消選擇他們。只有被選擇的貼文才會出現在流水帳裡。" restrict_posts_i_see_q: "我可以過濾只看到來自特定面向的貼文嗎?" title: "面向" @@ -337,6 +350,7 @@ zh-TW: what_is_an_aspect_q: "什麼是面向?" who_sees_post_a: "當你發表了一篇有限的貼文,就只有你那一個面向(或是那些面向,你也可以選擇好幾個面向)中的人才看得到。不在那個(或那些)面向中的聯絡人,就看不到那篇貼文,除非你把它公開。只有公開的貼文可以讓不在你任何面向中的其它人看到。" who_sees_post_q: "當我貼文到一個面向時,誰看得到?" + faq: "常見問答" foundation_website: "Diaspora 基金會網站" getting_help: get_support_a_hashtag: "公開用 %{question} 標籤在 diaspora* 上發問" @@ -350,6 +364,10 @@ zh-TW: title: "求助" getting_started_tutorial: "’出發囉‘個別指導系列" irc: "IRC" + keyboard_shortcuts: + keyboard_shortcuts_li5: "r - 轉貼目前的貼文" + keyboard_shortcuts_li6: "m - 展開目前的貼文" + keyboard_shortcuts_li7: "o - 開啟目前貼文的第一條連結" pods: find_people_a: "你可以用網頁旁邊的電子郵件連結來邀請你的朋友。也可以追蹤 #標籤 來尋找跟你志同道合的人,當他們發表了你有興趣的貼文時,你就可以將他們加到你的面向裡。你也可以公開貼文大喊你是 #新來的" find_people_q: "我剛剛加入一個豆莢,要怎麼找到其它可以分享的人?" @@ -362,6 +380,7 @@ zh-TW: add_to_aspect_li7: "Amy 會出現在 Ben 聯絡人頁面中的\"和我分享的人\"裡面。" only_sharing_a: 這些人已經把你加到他們的面向中了,但是你的面向中沒有他們。也就是說他們有跟你分享,但是你卻沒有跟他們分享(非對稱的分享)。如果你把他們加到任何一個面向,他們就會出現在那個面向的列表中,而不會在"和我分享的人"裡面。請看上面。 only_sharing_q: 出現在聯絡人頁面中"和我分享的人"裡面的人是誰? + third_party_tools: "第三方工具" tutorial: "個別指導" tutorials: "個別指導" wiki: "維基" @@ -388,13 +407,13 @@ zh-TW: new: already_invited: "這些人還沒有接受你的邀請:" aspect: "面向" - check_out_diaspora: "來 Diaspora 看看吧!" + check_out_diaspora: "來 diaspora* 看看吧!" codes_left: other: "還可以邀請%{count}個人" zero: "不能邀請更多人了" comma_separated_plz: "可以用逗號分隔來輸入多個電子信箱。" if_they_accept_info: "如果他們接受,就會被加入至你所邀請的面向中。" - invite_someone_to_join: "邀請某人來加入 Diaspora!" + invite_someone_to_join: "邀請其他人加入 diaspora*!" language: "語言" paste_link: "將這個連結分享給你的朋友,來邀請他們加入 diaspora*,或者也可以直接寄電子郵件給他們。" personal_message: "個人訊息" @@ -407,7 +426,7 @@ zh-TW: application: back_to_top: "回最上面" powered_by: "強力配置 diaspora*" - public_feed: "%{name} 的 Diaspora 公開資訊源" + public_feed: "%{name} 在 diaspora* 的公開發文" source_package: "下載原始碼套件" toggle: "行動切換" whats_new: "有什麼新消息嗎?" @@ -434,25 +453,27 @@ zh-TW: people_like_this_comment: other: "有%{count}個人說讚" zero: "沒人說讚" - limited: "有限" + limited: "設限" more: "更多" next: "後面" no_results: "搜尋沒有結果" notifications: also_commented: - other: "%{actors} 也對 %{post_author} 的%{post_link}發表了意見。" - zero: "%{actors} 也對 %{post_author} 的%{post_link}發表了意見。" + other: "%{actors} 也評論了 %{post_author} 的%{post_link}發文" + zero: "%{actors} 也評論了 %{post_author} 的%{post_link}發文" also_commented_deleted: other: "%{actors} 對已刪掉的貼文發表了意見。" zero: "%{actors} 對已刪掉的貼文發表了意見。" comment_on_post: - other: "%{actors} 對你的%{post_link}發表了意見。" - zero: "%{actors} 對你的%{post_link}發表了意見。" + other: "%{actors} 評論了你的發文%{post_link}" + zero: "%{actors} 評論了你的發文%{post_link}" helper: new_notifications: other: "有%{count}個新消息" zero: "沒有新消息" index: + all_notifications: "全部的消息" + also_commented: "有其他意見" and: "和" and_others: few: "和其他%{count}個人" @@ -461,18 +482,28 @@ zh-TW: other: "和其他%{count}個人" two: "以及其他%{count}個" zero: "以外沒有其他人" - mark_all_as_read: "全部標示為看過了" + comment_on_post: "貼文有意見" + liked: "有讚" + mark_all_as_read: "全部標示為已讀" + mark_all_shown_as_read: "把目前顯示的都標示成讀過了" + mark_read: "標示為看過了" mark_unread: "標示為沒看過" + mentioned: "有被提到" + no_notifications: "目前還沒有任何消息。" notifications: "消息" + reshared: "有被轉貼" + show_all: "看全部" + show_unread: "看沒讀過的" + started_sharing: "開始分享" liked: - other: "%{actors} 說你的%{post_link}很讚。" - zero: "%{actors} 說你的%{post_link}很讚。" + other: "%{actors} 說你的發文%{post_link}很讚。" + zero: "%{actors} 說你的發文%{post_link}很讚。" liked_post_deleted: other: "%{actors} 說你刪掉了的貼文很讚。" zero: "%{actors} 說你刪掉了的貼文很讚。" mentioned: - other: "%{actors} 在%{post_link}中點到了你。" - zero: "%{actors} 在%{post_link}中點到了你。" + other: "%{actors} 在%{post_link}中提到了你" + zero: "%{actors} 在%{post_link}中提到了你" mentioned_deleted: other: "%{actors} 在已刪掉的貼文中點到了你。" zero: "%{actors} 在已刪掉的貼文中點到了你。" @@ -481,8 +512,8 @@ zh-TW: other: "%{actors} 寫了訊息給你。" zero: "%{actors} 寫了訊息給你。" reshared: - other: "%{actors} 轉貼了你的%{post_link}。" - zero: "%{actors} 轉貼了你的%{post_link}。" + other: "%{actors} 轉貼了你的發文%{post_link}。" + zero: "%{actors} 轉貼了你的發文%{post_link}。" reshared_post_deleted: other: "%{actors} 轉貼了你刪掉的貼文。" zero: "%{actors} 轉貼了你刪掉的貼文。" @@ -490,7 +521,9 @@ zh-TW: other: "%{actors} 開始跟你分享了。" zero: "%{actors} 開始跟你分享了。" notifier: + a_limited_post_comment: "你在 diaspora* 有一則有限貼文上的新評論可看。" a_post_you_shared: "一篇貼文." + a_private_message: "你在 diaspora* 有一則新的私人訊息。" accept_invite: "接受來自 diaspora* 的邀請吧!" click_here: "按這裡" comment_on_post: @@ -499,6 +532,39 @@ zh-TW: click_link: "請點以下連結,來啟用你新的電子信箱 %{unconfirmed_email}:" subject: "請啟用你新的電子信箱 %{unconfirmed_email}" email_sent_by_diaspora: "這封電子郵件是從 %{pod_name} 寄出。如果你不想再收到這類的信件," + export_email: + body: |- + 嗨, %{name}, + 你的資料已經處理好了,你可以去以下連結下載: %{url} + + 祝快樂! + Diaspora* 電郵機器人 + subject: "%{name},你的個人資料已經可以下載了" + export_failure_email: + body: |- + 嗨,%{name}, + 我們在處理你要下載的個人資料時,發生了問題。 + 要麻煩你再重試一次! + + 祝快樂! + Diaspora* 電郵機器人 + subject: "很抱歉,%{name},你的資料有問題" + export_photos_email: + body: |- + 嗨,%{name}! + 你的相片已經處理好了,請用這個連結來下載: %{url} + + 祝快樂, + Diaspora* 電郵機器人敬上。 + subject: "可以下載相片了,%{name}" + export_photos_failure_email: + body: |- + 嗨,%{name}! + 我們在準備你的相片下載檔案時發生了錯誤,麻煩你重試一次! + + 很抱歉, + Diaspora* 電郵機器人敬上。 + subject: "你的相片有問題,%{name}" hello: "%{name} 你好!" invite: message: |- @@ -525,12 +591,43 @@ zh-TW: subject: "%{name} 在 diaspora* 點到了你" private_message: reply_to_or_view: "回或看這次對話 >" + remove_old_user: + body: |- + 你好, + + 因為你已經有 %{after_days} 天沒有使用在 %{pod_url} 的帳號,我們覺得似乎你已經不想要它了。我們為了提供給這個 diaspora* 豆莢的使用者最好的效率,因此會定時從資料庫移除掉那些已經沒人要的帳號。 + + 我們希望你可以繼續參與 diaspora* 社群,因此只要你還想要你的帳號,我們就會繼續保留它。 + + 如果你還想要自己的帳號,你唯一需要做的只有在%{remove_after}之前用這個帳號來登入。登入後,建議你花點時間看看 diaspora*, 相信你會發現從上次來到現在已經改變了很多,我們也希望你會希望這些改進。你也可以追蹤一些 #標籤 來找到喜歡的內容。 + + 登入網址是: %{login_url} 如果你忘記了要怎麽登入,也可以在那個頁面找到提示。 + + 希望可以再次見到你! + + Diaspora* 電子郵件機器人。 + subject: "你的 diaspora* 帳號因為太久沒有活動而被標上移除記號了" + report_email: + body: |- + 你好, + 識別碼%{id}的%{type}被標記為有攻擊性了。 + [%{url}](註1) + 請盡快檢查看看! + + 謝謝! + Disaspora* 電子郵件機器人 + + 註1: %{url} + subject: "有新的%{type}被標記為有攻擊性" + type: + comment: "意見" + post: "貼文" reshared: reshared: "%{name} 轉貼了你的貼文" view_post: "看貼文 >" single_admin: - admin: "為您服務的 Diaspora 管理員" - subject: "有關於你的 Diaspora 帳號的訊息:" + admin: "你的 diaspora* 管理員" + subject: "關於你的 diaspora* 帳號:" started_sharing: sharing: "開始跟你分享了!" subject: "%{name} 開始在 diaspora* 跟你分享了" @@ -538,10 +635,10 @@ zh-TW: thanks: "謝謝," to_change_your_notification_settings: "來更改消息通知的設定" nsfw: "NSFW(上班時不宜)" - ok: "好了" + ok: "確定" or: "或是" password: "密碼" - password_confirmation: "密碼確認" + password_confirmation: "確認密碼" people: add_contact: invited_by: "邀請你的使用者" @@ -549,18 +646,19 @@ zh-TW: add_contact_from_tag: "從標籤新增聯絡人" aspect_list: edit_membership: "編輯所屬面向" - few: "%{count}個聯絡人" helper: is_not_sharing: "%{name} 沒有跟你分享" is_sharing: "%{name} 正在跟你分享中" results_for: "%{params}的搜尋結果" index: + couldnt_find_them: "找不到他們嗎?" looking_for: "在找標記為 %{tag_link} 的貼文嗎?" no_one_found: "...找不到任何東西。" no_results: "喂!搜尋要有目標。" - results_for: "搜尋結果:" + results_for: "符合搜尋結果的使用者:" + search_handle: "確定要用你朋友們的 diaspora* 識別碼來找到他們。" searching: "搜尋中,請耐心等待..." - many: "%{count}個聯絡人" + send_invite: "還是找不到人嗎?寄一封邀請卡吧!" one: "1個聯絡人" other: "%{count}個聯絡人" person: @@ -597,7 +695,6 @@ zh-TW: add_some: "加入一些" edit: "編輯" you_have_no_tags: "你沒有任何標籤!" - two: "%{count}個人" webfinger: fail: "抱歉,找不到 %{handle}。" zero: "沒有聯絡人" @@ -648,11 +745,11 @@ zh-TW: reshare_by: "%{author} 轉貼" previous: "前面" privacy: "隱私" - privacy_policy: "隱私方案" + privacy_policy: "隱私權政策" profile: "個人檔案" profiles: edit: - allow_search: "讓別人可以在 Diaspora 搜尋到你" + allow_search: "讓其他 diaspora* 使用者可以搜尋你" edit_profile: "編輯個人檔案" first_name: "名字(前)" last_name: "名字(後)" @@ -678,9 +775,9 @@ zh-TW: other: "有%{count}次回應" zero: "沒有回應" registrations: - closed: "本 Diaspora 豆莢不開放登記。" + closed: "此一 diaspora* 空間不開放註冊" create: - success: "你已經加入 Diaspora 了!" + success: "你已經成功加入 diaspora* 了!" edit: cancel_my_account: "取消我的帳號" edit: "編輯 %{name}" @@ -690,26 +787,40 @@ zh-TW: update: "更新" invalid_invite: "你提供的邀請連結已經失效了!" new: - continue: "繼續" create_my_account: "開我的帳號!" - diaspora: "<3 diaspora*" email: "電子信箱" enter_email: "輸入電子信箱" enter_password: "輸入密碼(至少六個字)" enter_password_again: "輸入與前面相同的密碼" enter_username: "選個使用者名稱(名稱只能包含拉丁字母,數字,以及底線字元)" - hey_make: "嗨,來
做
點什麼吧。" join_the_movement: "參與這個運動!" password: "密碼" password_confirmation: "密碼確認" sign_up: "註冊" sign_up_message: "有♥的社交網路" submitting: "提交中..." + terms: "一旦註冊帳號就表示你接受 %{terms_link} 。" + terms_link: "服務條款" username: "使用者名稱" + report: + comment_label: "意見:
%{data}" + confirm_deletion: "確定要刪除這一項嗎?" + delete_link: "刪除項目" + not_found: "目標貼文或意見找不到了。可能已經被主人給刪掉了!" + post_label: "貼文: %{title}" + reason_label: "理由: %{text}" + reported_label: "回報人 %{person}" + review_link: "標記為看過了" + status: + created: "一則回報產生了" + destroyed: "貼文已經被銷毀了" + failed: "發生問題了" + marked: "已經把這則回報標記為看過了" + title: "回報總覽" requests: create: sending: "傳送中" - sent: "你已經要求要和 %{name} 分享了。他們下次登入 Diaspora 時就會看見。" + sent: "已經和 %{name} 分享了你的貼文。他們下次登入diaspora* 時就會看見。" destroy: error: "請選一個面向!" ignore: "不理會建立聯繫的請求。" @@ -752,7 +863,7 @@ zh-TW: failure: error: "與該服務連結時有錯誤" finder: - fetching_contacts: "Diaspora 正在取得你在 %{service} 的朋友資料,請幾分鐘後再來看看。" + fetching_contacts: "diaspora* 正在取得你在 %{service} 的朋友資料,請幾分鐘後再來看看。" no_friends: "沒有 Facebook 朋友。" service_friends: "%{service} 朋友" index: @@ -765,13 +876,13 @@ zh-TW: logged_in_as: "已經登入為" no_services: "你還沒有任何連結了的服務。" really_disconnect: "切斷與 %{service} 的連結?" - services_explanation: "連結到其他服務可以讓你在貼文到 Diaspora 的同時,也發表到這些服務去。" + services_explanation: "和其他服務連結可以將你在 diaspora* 的貼文同時發表在其他服務上" inviter: click_link_to_accept_invitation: "請按這個連結來接受邀請" join_me_on_diaspora: "跟我一起加入 diaspora*" remote_friend: invite: "邀請" - not_on_diaspora: "還沒來 Diaspora" + not_on_diaspora: "尚未註冊 diaspora*" resend: "重送" settings: "設定" share_visibilites: @@ -781,13 +892,15 @@ zh-TW: shared: add_contact: add_new_contact: "加入新聯絡人" - create_request: "以 Diaspora 識別碼搜尋" + create_request: "以 diaspora* 帳號搜尋" diaspora_handle: "diaspora@pod.org" - enter_a_diaspora_username: "輸入 Diaspora 使用者名稱:" + enter_a_diaspora_username: "輸入 diaspora* 使用者名稱:" know_email: "知道他們的電子信箱嗎?你應該邀請他們來" - your_diaspora_username_is: "你的 Diaspora 使用者名稱是:%{diaspora_handle}" + your_diaspora_username_is: "你的 diaspora* 使用者名稱是:%{diaspora_handle}" aspect_dropdown: add_to_aspect: "加聯絡人" + mobile_row_checked: "%{name} (移除)" + mobile_row_unchecked: "%{name} (新增)" toggle: few: "在%{count}個面向中" many: "在%{count}個面向中" @@ -808,8 +921,8 @@ zh-TW: invite_someone: "邀請某人來" invite_your_friends: "邀請你的朋友" invites: "邀請" - invites_closed: "目前本 Diaspora 豆莢不開放邀請功能" - share_this: "用這個連結來分享在電子郵件,部落格,或其他你喜愛的社交網站上!" + invites_closed: "本 diaspora* 空間目前不開放邀請" + share_this: "將這個連結透過電子郵件、部落格,或其他你喜愛的社交網站分享出去!" notification: new: "%{from} 有新的%{type}" public_explain: @@ -818,7 +931,7 @@ zh-TW: logged_in: "已登入至 %{service}" manage: "管理已連線的服務" new_user_welcome_message: "用 #雜湊標籤 來區分你的貼文,並且找到跟你有共同興趣的人。用 @指指點點 來叫出帥氣的人。" - outside: "不使用 Diaspora 的人也能看到公開訊息。" + outside: "不使用 diaspora* 的人也能夠看到公開訊息" share: "分享" title: "設定連線服務" visibility_dropdown: "用這個下拉式選單來改變貼文的可見範圍。(建議你這篇首貼設為公開。)" @@ -834,10 +947,17 @@ zh-TW: i_like: "我對 %{tags} 有興趣。" invited_by: "謝謝你的邀請," newhere: "新來的" + poll: + add_a_poll: "新增一輪投票" + add_poll_answer: "增加選項" + option: "選項 1" + question: "問題" + remove_poll_answer: "移除選項" post_a_message_to: "在 %{aspect} 發表訊息" posting: "發表中..." preview: "預覽" publishing_to: "發表至:" + remove_location: "移除位置資訊" share: "分享" share_with: "跟他/她分享:" upload_photos: "上傳照片" @@ -862,10 +982,25 @@ zh-TW: simple_captcha: label: "請輸入方塊中顯示的密碼:" message: - default: "密碼跟圖形內容不符" + default: "驗證碼與圖中不符" failed: "人類確認檢查失敗" - user: "圖形和密碼不一樣" + user: "驗證碼與圖中不符" placeholder: "請輸入圖形中的內容" + statistics: + active_users_halfyear: "半年內活躍使用者數" + active_users_monthly: "當月活躍使用者數" + closed: "關閉" + disabled: "不適用" + enabled: "可用" + local_comments: "當地意見發表量" + local_posts: "當地貼文量" + name: "名字" + network: "網路" + open: "開放" + registrations: "註冊數" + services: "服務" + total_users: "使用者總數" + version: "版本" status_messages: create: success: "成功推薦了:%{names}" @@ -875,15 +1010,11 @@ zh-TW: no_message_to_display: "沒有訊息可顯示。" new: mentioning: "指指點點中:%{person}" - too_long: - few: "請限制狀態訊息在%{count}個字內" - many: "請限制狀態訊息在%{count}個字內" - one: "請限制狀態訊息在%{count}個字內" - other: "請限制狀態訊息在%{count}個字內" - two: "請縮短你的狀態訊息在%{count}個字元以下" - zero: "請限制狀態訊息在%{count}個字內" + too_long: "發文請在 %{count} 字內. 現在字數為 %{current_length}" stream_helper: hide_comments: "隱藏所有意見" + no_more_posts: "你已經抵達流水帳的最下游了。" + no_posts_yet: "目前還沒有任何貼文。" show_comments: other: "顯示另外%{count}個意見" zero: "沒有其它意見" @@ -918,7 +1049,6 @@ zh-TW: title: "公開活動" tags: contacts_title: "這個標籤的粉絲" - tag_prefill_text: "有關於 %{tag_name} 的事情是... " title: "有以下標籤的貼文:%{tags}" tag_followings: create: @@ -929,19 +1059,17 @@ zh-TW: failure: "停止追蹤標籤 #%{name} 失敗。也許你已經沒在追蹤了吧?" success: "唉!你從此不再追蹤標籤 #%{name} 了。" tags: + name_too_long: "請讓標籤長度少於 %{count} 個字元。目前字元數是 %{current_length}" show: follow: "追蹤 #%{tag}" - followed_by_people: - other: "有%{count}個人追蹤" - zero: "沒人追蹤" following: "正在追蹤 #%{tag}" - nobody_talking: "還沒有人在討論 %{tag}。" none: "不存在空白標籤!" - people_tagged_with: "標記為 %{tag} 的人" - posts_tagged_with: "標記為 #%{tag} 的貼文" stop_following: "停止追蹤 #%{tag}" + tagged_people: + other: "有 %{count} 個人貼了標籤 %{tag}" + zero: "沒有人貼了標籤 %{tag}" terms_and_conditions: "服務條款與細則" - undo: "要復原嗎?" + undo: "還原?" username: "使用者名稱" users: confirm_email: @@ -949,12 +1077,12 @@ zh-TW: email_not_confirmed: "無法啟用電子信箱。連結不對嗎?" destroy: no_password: "請輸入你目前的密碼來關帳號。" - success: "你的帳號已經鎖定了。完成關閉帳號大約還需要 20 分鐘的時間,感謝你試用 Diaspora。" + success: "你的帳號已經鎖定了。完成關閉帳號大約還需要 20 分鐘的時間,感謝你試用 diaspora*" wrong_password: "輸入的密碼與你目前的密碼不符。" edit: - also_commented: "...當有人也對你的聯絡人的貼文發表意見時?" - auto_follow_aspect: "給被自動追蹤的使用者的面向:" - auto_follow_back: "當有人追蹤你時自動反追蹤回去" + also_commented: "當有人對你評論的貼文發表意見" + auto_follow_aspect: "自動加入的聯絡人歸類在以下哪個話題:" + auto_follow_back: "發文自動包括與你分享發文的使用者" change: "更改" change_email: "更改電子信箱" change_language: "更改語言" @@ -962,43 +1090,51 @@ zh-TW: character_minimum_expl: "至少要六個字" close_account: dont_go: "啊,請不要走!" - if_you_want_this: "如果你真的這麼希望,請在下面輸入你的密碼,然後按'關帳號'" - lock_username: "你的使用者名稱會鎖定,不能重新註冊。" - locked_out: "接下來你會被登出,而帳號會被關掉。" - make_diaspora_better: "希望你能幫助我們讓 Diaspora 更好,而不是選擇離開。如果你還是想走,我們也想讓你知道日後的發展。" + if_you_want_this: "如果你確定要關閉帳號,請在下方輸入你的密碼,然後按'關閉帳號'" + lock_username: "你的使用者名稱會被鎖定,在同一空間裡不能用舊帳號重新註冊。" + locked_out: "系統會將你登出,直到帳號刪除為止,你無法重新登入" + make_diaspora_better: "希望你能幫助我們讓 Diaspora 更好,而不是選擇離開。如果你決定要關閉帳號,這是接下來的程序:" mr_wiggles: "Mr Wiggles 看到你走會很難過" - no_turning_back: "現在已經不能回頭了。" - what_we_delete: "我們會儘快刪掉你的貼文和個人檔案。你發表的意見會繼續跟著原來的 Diaspora 識別碼而留著,但是不再會有你檔案裡的名字。" - close_account_text: "關帳號" - comment_on_post: "...當有人對你的貼文發表意見時?" + no_turning_back: "一旦確定刪除則無法復原。如果確定要刪除帳號,請在下方輸入你的密碼" + what_we_delete: "我們會儘快刪除你的貼文和個人檔案。你在其他使用者貼文下的評論仍然保留,但會以 diaspora* 帳號顯示,而非你的使用者名稱。" + close_account_text: "關閉帳號" + comment_on_post: "有人對你的貼文發表意見" current_password: "目前密碼" current_password_expl: "登入時那一個..." + download_export: "下載個人檔案" + download_export_photos: "下載相片" download_photos: "下載我的相片" - download_xml: "下載我的 xml" edit_account: "編輯帳號" email_awaiting_confirmation: "我們已經將啟用連結寄到 %{unconfirmed_email} 給你。在你點該連結啟用新的信箱之前,我們還是會繼續使用你原來的信箱,也就是 %{email}。" export_data: "資料匯出" - following: "追蹤設定" + export_in_progress: "我們正在處理你的資料,請稍等一下再來看看。" + export_photos_in_progress: "正在處理你的相片中。請等一下再回來看看。" + following: "發文設定" getting_started: "新使用者偏好設定" - liked: "...當有人對你的貼文說讚時?" - mentioned: "...當貼文中點到你時?" + last_exported_at: "(最後一次是在 %{timestamp} 更新)" + liked: "有人對你的貼文說讚" + mentioned: "貼文中提到你" new_password: "新的密碼" - photo_export_unavailable: "相片目前無法匯出" - private_message: "...當收到私人訊息時?" - receive_email_notifications: "是否要在以下時機透過電子郵件接收消息..." - reshared: "...有人轉貼你的貼文時?" - show_community_spotlight: "要在流水帳中顯示社群焦點嗎?" - show_getting_started: "重跑入門指南" - started_sharing: "...當有人開始和你分享時?" - stream_preferences: "流水帳偏好設定" + private_message: "收到私人訊息" + receive_email_notifications: "接收電子郵件通知:" + request_export: "申請下載個人檔案資料" + request_export_photos: "要求下載相片" + request_export_photos_update: "更新相片下載檔案" + request_export_update: "更新個人檔案資料" + reshared: "有人轉貼你的發文" + show_community_spotlight: "要在河道中顯示社群焦點嗎?" + show_getting_started: "使用入門指南" + someone_reported: "有人寄了一封回報" + started_sharing: "有人和你分享貼文" + stream_preferences: "河道偏好設定" your_email: "你的電子郵件" - your_handle: "你的 diaspora 識別碼" + your_handle: "你的 diaspora* 帳號" getting_started: awesome_take_me_to_diaspora: "帥!帶我去 diaspora* 吧" - community_welcome: "Diaspora 的社群歡迎你的到來!" - connect_to_facebook: "藉由%{link} Diaspora 讓你儘快上軌道 。這個步驟會取得你原有的名字和照片來用,並開啟跨站貼文。" + community_welcome: "diaspora* 歡迎你的加入!" + connect_to_facebook: "diaspora* 可以連結臉書帳號%{link} ,取用你的臉書姓名和頭圖來幫你快速完成設定 ,同時開啟跨站貼文。" connect_to_facebook_link: "連結 Facebook 帳號" - hashtag_explanation: "標籤讓你可以討論及追蹤你的興趣。並且也是在 Diaspora 找到新朋友的好方法。" + hashtag_explanation: "標籤讓你可以討論及追蹤你有興趣的話題。也是在 diaspora* 找到新朋友的好方法。" hashtag_suggestions: "試試看追蹤像是 #藝術, #電影, #gif 等標籤。" saved: "存好了!" well_hello_there: "嗨,你好!" @@ -1006,7 +1142,9 @@ zh-TW: who_are_you: "你是誰?" privacy_settings: ignored_users: "忽視的使用者" + no_user_ignored_message: "目前沒有忽視任何的其他人" stop_ignoring: "停止忽視" + strip_exif: "上傳照片時移除裡面的描述資料,像是拍攝地點,拍攝人,相機型號等等(建議開啟)" title: "隱私設定" public: does_not_exist: "不存在 %{username} 這個使用者!" @@ -1028,7 +1166,7 @@ zh-TW: no_person_constructed: "從這份 hcard 資料無法組出聯絡人。" not_enabled: "%{account} 的主機似乎沒有啟用 webfinger" xrd_fetch_failed: "從 %{account} 這個帳號取得 xrd 時發生錯誤" - welcome: "歡迎光臨!" + welcome: "歡迎!" will_paginate: next_label: "後面 »" previous_label: "« 前面" \ No newline at end of file diff --git a/config/locales/javascript/javascript.ar.yml b/config/locales/javascript/javascript.ar.yml index e0a8ebf00..7dd2b1cc3 100644 --- a/config/locales/javascript/javascript.ar.yml +++ b/config/locales/javascript/javascript.ar.yml @@ -20,6 +20,7 @@ ar: other: "في <%= count %> فئات" two: "في <%= count %> فئات" zero: "حدّد الفئات" + updating: "يحدّث..." aspect_navigation: deselect_all: "إلغاء اختيار الكل" no_aspects: "لم يتم اختيار فئات" @@ -27,10 +28,13 @@ ar: comments: hide: "أخفِ التعليقات" show: "إعرض جميع التعليقات" - confirm_dialog: "هل أنت متأكد؟" - delete: "حذف" + confirm_dialog: "أمتأكّد؟" + contacts: + search_no_results: "لم يُعثر على متراسلين" + delete: "احذف" failed_to_like: "فشل في [أعجبني]" failed_to_post_message: "فشل في نشر رسالة!" + failed_to_reshare: "فشلت إعادة المشاركة!" getting_started: alright_ill_wait: "حسناً ، سأنتظر." hey: "انتبه <%= name %>" @@ -48,6 +52,8 @@ ar: search: "ابحث" settings: "إعدادات" view_all: "عرض الكل" + hide_post: "أأخفِ هذه التدوينة؟" + hide_post_failed: "تعذّر إخفاء هذه التدوينة" ignore: "تجاهل" infinite_scroll: no_more: "لا توجد مشاركات أخرى," @@ -59,6 +65,7 @@ ar: at_least_one_aspect: "حدد فئة واحدة على الأقل" limited: "محدودة - مشاركتك ستكون متاحة لجهات إتصالك فقط" public: "عام - مشاركتك ستكون متاحة للجميع ومفهرسة في محركات البحث" + remove_post: "أأزيل هذه التدوينة؟" reshares: duplicate: "رائع، أليس كذلك؟ أعدت نشر هذه المشاركة مسبقا" search_for: "إبحث عن <%= name %>" diff --git a/config/locales/javascript/javascript.cs.yml b/config/locales/javascript/javascript.cs.yml index 08b8c1875..7de3ee644 100644 --- a/config/locales/javascript/javascript.cs.yml +++ b/config/locales/javascript/javascript.cs.yml @@ -12,6 +12,8 @@ cs: all_aspects: "Všechny aspekty" error: "Nelze zahájit sdílení s <%= name %>. Neignorujete je?" error_remove: "Nepodařilo se odstranit <%= name %> z aspektu :(" + mobile_row_checked: "<%= name %> (odstranit)" + mobile_row_unchecked: "<%= name %> (přidat)" select_aspects: "Vybrat aspekty" started_sharing_with: "Začali jste sdílet s <%= name %>!" stopped_sharing_with: "Přestali jste sdílet s <%= name %>." @@ -20,23 +22,39 @@ cs: one: "V <%= count %> aspektu" other: "V <%= count %> aspektech" zero: "V <%= count %> aspektech" + updating: "aktualizuji..." aspect_navigation: add_an_aspect: "+ Přidat aspekt" deselect_all: "Odznačit vše" no_aspects: "Nebyl vybrán žádný aspekt" select_all: "Vybrat vše" + bookmarklet: + post_something: "Dát příspěvek na diaspora*" + post_submit: "Odesílám příspěvek ..." + post_success: "Odesláno. Uzavírám vyskakovací okno..." comma: "," comments: hide: "skrýt komentáře" no_comments: "Zatím nejsou žádné komentáře." show: "zobrazit všechny komentáře" confirm_dialog: "Jste si jisti?" + confirm_unload: "Prosím potvrďte, že chcete tuto stránku opustit - data, která jste vložil/a nebudou uložena." + contacts: + add_contact: "Přidej kontakt" + aspect_list_is_not_visible: "Kontakty v tomto aspektu se nemohou vzájemně vidět." + aspect_list_is_visible: "Kontakty v tomto aspektu se vzájemně vidí." + error_add: "Nelze přidat <%= name %> do tohoto aspektu :(" + error_remove: "Nelze odebrat <%= name %> z tohoto aspektu :(" + remove_contact: "Odstraň kontakt" + search_no_results: "Nenalezeny žádné kontakty" conversation: participants: "Účastníci" delete: "Odstranit" edit: "Upravit" failed_to_like: "Oblíbení se nezdařilo!" failed_to_post_message: "Odeslání příspěvku se nezdařilo!" + failed_to_remove: "Odstranění záznamu selhalo!" + failed_to_reshare: "Znovusdílení selhalo" getting_started: alright_ill_wait: "Dobrá, počkám." hey: "Ahoj, <%= name %>!" @@ -46,6 +64,7 @@ cs: admin: "Administrace" close: "zavřít" contacts: "Kontakty" + conversations: "Konverzace" help: "Nápověda" home: "Domů" log_out: "Odhlásit se" @@ -56,7 +75,10 @@ cs: search: "Hledat" settings: "Nastavení" view_all: "Zobrazit vše" + hide_post: "Skrýt tento příspěvek" + hide_post_failed: "Není možné tento příspěvek skrýt" ignore: "Ignorovat" + ignore_failed: "Tohoto uživatele se nedaří ignorovat" ignore_user: "Ignorovat tohoto uživatele?" infinite_scroll: no_more: "Žádné další příspěvky." @@ -64,19 +86,65 @@ cs: my_activity: "Moje aktivita" my_aspects: "Moje aspekty" my_stream: "Proud" + no_results: "Žádné výsledky nebyly nalezeny" + notifications: + mark_read: "Označit jako přečtené" + mark_unread: "Označit jako nepřečtené" people: + edit_my_profile: "Upravte svůj profil" + helper: + is_not_sharing: "<%= name %> s Vámi nesdílí." + is_sharing: "<%= name %> s Vámi sdílí." + mention: "Zmínka" + message: "Zpráva" not_found: "… a nikdo nebyl nalezen." + stop_ignoring: "Přestaň ignorovat" photo_uploader: completed: "<%= file %> dokončen" empty: "{file} je prázdný, prosím vyberte soubory znovu bez něho." + error: "Při nahrávání souboru <%= file %> nastal problém" invalid_ext: "{file} má chybnou příponu. Jsou povoleny pouze {extensions}." looking_good: "Tedy, vypadáte úžasně!" size_error: "{file} je přiliš veliký, maximální velikost je {sizeLimit}." + poll: + close_result: "Skrýt výsledky" + count: + few: "zatím <%=count%> hlasy" + one: "zatím 1 hlas" + other: "zatím <%=count%> hlasů" + go_to_original_post: "Tohoto výzkumu se můžete účastnit zde\" <%= original_post_link %>" + original_post: "původní příspěvek" + result: "Výsledek" + show_result: "Ukázat výsledky" + vote: "Hlasovat" + profile: + add_some: "přidat něco" + bio: "Něco o vás" + born: "Narozeniny" + contacts: "Kontakty" + edit: "upravit" + gender: "Pohlaví" + ignoring: "Ignorujete všechny příspěvky od <%= name %>." + location: "Pozice" + photos: "Fotky" + posts: "Příspěvky" + you_have_no_tags: "Nemáte žádné štítky" publisher: + add_option: "Přidejte odpověď" at_least_one_aspect: "Musíte publikovat alespoň do jednoho aspektu" limited: "Omezený — váš příspěvek bude přístupný pouze lidem, se kterými sdílíte" near_from: "Odesláno z: <%= location %>" + option: "Odpověď" public: "Veřejný — váš příspěvek si bude moci přečíst kdokoliv a může být nalezen vyhledávači" + question: "Otázka" + remove_post: "Odstranit tento příspěvek?" + report: + name: "Nahlášení" + prompt: "Prosím, zadejte důvod:" + prompt_default: "urážlivý obsah" + status: + created: "Zpráva byla úspěšně založena" + exists: "Zpráva již existuje" reshares: duplicate: "Tento příspěvek už sdílíte!" post: "Sdílet příspěvek uživatele <%= name %>?" @@ -85,6 +153,8 @@ cs: show_more: "zobrazit více" stream: comment: "Okomentovat" + disable_post_notifications: "Zakázat upozornění pro tento příspěvek" + enable_post_notifications: "Povolit upozornění pro tento příspěvek" follow: "Sledovat" followed_tag: add_a_tag: "Přidat štítek" @@ -121,6 +191,7 @@ cs: stop_following: "Přestat sledovat #<%= tag %>" unfollow: "Přestat sledovat" unlike: "To se mi nelíbí" + via: "skrze <%= provider %>" tags: wasnt_that_interesting: "Dobře, předpokládám, že #<%= tagName %> nebyl zase tak zajímavý…" timeago: @@ -137,14 +208,17 @@ cs: seconds: "méně než minutou" suffixAgo: "" suffixFromNow: "" + wordSeparator: " " year: "1 rokem" years: "%d roky" + unblock_failed: "Odblokování tohoto uživatele selhalo" videos: unknown: "Neznámý typ videa" watch: "Podívejte se na tohle video na <%= provider %>" viewer: comment: "Komentovat" follow_post: "Sledovat příspěvek" + home: "Domů" like: "To se mi líbí" reshare: "Sdílet" reshared: "Sdíleno" diff --git a/config/locales/javascript/javascript.da.yml b/config/locales/javascript/javascript.da.yml index e09225406..00a738761 100644 --- a/config/locales/javascript/javascript.da.yml +++ b/config/locales/javascript/javascript.da.yml @@ -12,6 +12,8 @@ da: all_aspects: "Alle aspekter" error: "Kunne ikke begynde at dele med <%= name %>. Ignorerer du vedkommende?" error_remove: "Kunne ikke fjerne <%= name %> fra aspektet. :(" + mobile_row_checked: "<%= name %> (fjern)" + mobile_row_unchecked: "<%= name %> (tilføj)" select_aspects: "Vælg aspekter" started_sharing_with: "Du er begyndt at dele med <%= name %>!" stopped_sharing_with: "Du deler ikke længere med <%= name %>." @@ -22,14 +24,15 @@ da: other: "I <%= count %> aspekter" two: "I <%= count %> aspekter" zero: "Vælg aspekter" + updating: "opdaterer ..." aspect_navigation: add_an_aspect: "+ Tilføj et aspekt" deselect_all: "Fravælg alle" no_aspects: "Ingen valgte aspekter" select_all: "Vælg alle" bookmarklet: - post_something: "Slå op på diaspora*" - post_submit: "Indsender indlæg" + post_something: "Lav et indlæg på Diaspora" + post_submit: "Indsender indlæg ..." post_success: "Det er indsendt! lukker popup vinduet ..." comma: "," comments: @@ -37,6 +40,15 @@ da: no_comments: "Der er endnu ingen kommentarer." show: "Vis alle kommentarer" confirm_dialog: "Er du sikker?" + confirm_unload: "Bekræft venligst at du ønsker at forlade denne side - data, du har indtastet, vil ikke blive gemt." + contacts: + add_contact: "Tilføj kontakt" + aspect_list_is_not_visible: "Kontakter i dette aspekt kan ikke se hinanden" + aspect_list_is_visible: "Kontakter i dette aspekt kan se hinanden" + error_add: "Kunne ikke tilføje <%= name %> til aspektet :(" + error_remove: "Kunne ikke fjerne <%= name %> fra aspektet :(" + remove_contact: "Fjern kontakt" + search_no_results: "Ingen kontakter fundet" conversation: participants: "Deltagere" delete: "Slet" @@ -44,14 +56,15 @@ da: failed_to_like: "Kunne ikke synes om!" failed_to_post_message: "Kunne ikke indsende besked!" failed_to_remove: "Det lykkedes ikke at fjerne indlægget!" + failed_to_reshare: "Kunne ikke dele indlægget!" getting_started: alright_ill_wait: "Okay, jeg venter." hey: "Hej <%= name %>!" - no_tags: "Du har ikke fulgt nogen tags! Vil du fortsætte alligevel?" + no_tags: "Du har ikke fulgt nogen tags! Vil du fortsætte alligevel?" preparing_your_stream: "Forbereder din personlige strøm..." header: admin: "Admin" - close: "luk" + close: "Luk" contacts: "Kontakter" conversations: "Samtaler" help: "Hjælp" @@ -60,10 +73,12 @@ da: mark_all_as_read: "Marker alle som læst" notifications: "Meddelelser" profile: "Profil" - recent_notifications: "Seneste Meddelelser" + recent_notifications: "Seneste notifikationer" search: "Søg" settings: "Indstillinger" view_all: "Se alle" + hide_post: "Skjul dette indlæg?" + hide_post_failed: "Kan ikke skjule indlæg" ignore: "Ignorer" ignore_failed: "Kan ikke ignorere denne bruger" ignore_user: "Ignorer denne bruger?" @@ -73,11 +88,19 @@ da: my_activity: "Min aktivitet" my_aspects: "Mine aspekter" my_stream: "Strøm" + no_results: "Ingen resultater fundet" notifications: mark_read: "Marker som læst" mark_unread: "Marker som ulæst" people: - not_found: "og ingen blev fundet ..." + edit_my_profile: "Rediger min profil" + helper: + is_not_sharing: "<%= name %> deler ikke med dig" + is_sharing: "<%= name %> deler med dig" + mention: "Nævn" + message: "Besked" + not_found: "Og ingen blev fundet ..." + stop_ignoring: "Hold op med at ignorere" photo_uploader: completed: "<%= file %> fuldført." empty: "{file} er tom. Vælg venligst filer igen uden den." @@ -90,9 +113,23 @@ da: count: one: "<%=count%> stemme, indtil nu" other: "<%=count%> stemmer, indtil nu" + go_to_original_post: "Du kan deltage i denne afstemning på <%= original_post_link %>." + original_post: "det oprindelige indlæg" result: "Resultat" show_result: "Vis resultat" vote: "Stem" + profile: + add_some: "Tilføj nogen" + bio: "Biografi" + born: "Fødselsdag" + contacts: "Kontakter" + edit: "Rediger" + gender: "Køn" + ignoring: "Du ignorerer alle indlæg fra <%= name %>" + location: "Sted" + photos: "Fotos" + posts: "Indlæg" + you_have_no_tags: "Du har ingen tags!" publisher: add_option: "Tilføj et svar" at_least_one_aspect: "Du skal dele med mindst et aspekt" @@ -101,10 +138,11 @@ da: option: "Svar" public: "Offentlig - dit indlæg vil være synligt for alle og kan findes af søgemaskiner" question: "Spørgsmål" + remove_post: "Fjern dette indlæg?" report: name: "Anmeld" prompt: "Vær venlig at give en grund:" - prompt_default: "stødende indhold" + prompt_default: "f.eks. stødende indhold" status: created: "Der blev lavet en rapport" exists: "Der eksisterer allerede en rapport" @@ -116,6 +154,8 @@ da: show_more: "Vis mere" stream: comment: "Kommentér" + disable_post_notifications: "Slå notifikationer fra for dette indlæg" + enable_post_notifications: "Slå notifikationer til for dette indlæg" follow: "Følg" followed_tag: add_a_tag: "Tilføj et tag" @@ -140,7 +180,7 @@ da: other: "Vis <%= count %> ekstra kommentarer" two: "Vis <%= count %> ekstra kommentarer" zero: "Vis <%= count %> ekstra kommentarer" - original_post_deleted: "Oprindeligt indlæg er slettet af forfatteren." + original_post_deleted: "Oprindeligt indlæg er slettet af forfatteren" public: "Offentlig" reshare: "Videredel" reshares: @@ -160,7 +200,7 @@ da: unlike: "Synes ikke om" via: "via <%= provider %>" tags: - wasnt_that_interesting: "OK, jeg formoder #<%= tagName %> ikke var så spændende igen..." + wasnt_that_interesting: "OK, #<%= tagName %> var ikke var så spændende alligevel ..." timeago: day: "en dag" days: "%d dage" @@ -178,13 +218,14 @@ da: wordSeparator: " " year: "ca. et år" years: "%d år" + unblock_failed: "Det lykkedes ikke at afblokere denne bruger" videos: unknown: "Ukendt videotype" watch: "Se denne video på <%= provider %>" viewer: comment: "Kommentér" follow_post: "Følg indlæg" - home: "HJEM" + home: "Hjem" like: "Synes om" reshare: "Videredel" reshared: "Videredelt" diff --git a/config/locales/javascript/javascript.de.yml b/config/locales/javascript/javascript.de.yml index ba5874903..9b58edd7b 100644 --- a/config/locales/javascript/javascript.de.yml +++ b/config/locales/javascript/javascript.de.yml @@ -12,6 +12,8 @@ de: all_aspects: "Alle Aspekte" error: "Teilen mit <%= name %> nicht möglich. Ignorierst du sie/ihn?" error_remove: "Konnte <%= name %> nicht aus dem Aspekt entfernen :(" + mobile_row_checked: "<%= name %> (entfernen)" + mobile_row_unchecked: "<%= name %> (hinzufügen)" select_aspects: "Wähle Aspekte aus" started_sharing_with: "Du hast angefangen, mit <%= name %> zu teilen!" stopped_sharing_with: "Du hast aufgehört, mit <%= name %> zu teilen!" @@ -22,6 +24,7 @@ de: other: "In <%= count %> Aspekten" two: "In <%= count %> Aspekten" zero: "Aspekt auswählen" + updating: "aktualisiere..." aspect_navigation: add_an_aspect: "+ Aspekt hinzufügen" deselect_all: "Auswahl aufheben" @@ -37,6 +40,15 @@ de: no_comments: "Bisher sind keine Kommentare vorhanden." show: "Alle Kommentare zeigen" confirm_dialog: "Bist du dir sicher?" + confirm_unload: "Bitte bestätige dass du diese Seite verlassen willst - Daten welche du eingegeben hast würden nicht gespeichert werden." + contacts: + add_contact: "Kontakt hinzufügen" + aspect_list_is_not_visible: "Kontakte in diesem Aspekt können einander nicht sehen." + aspect_list_is_visible: "Kontakte in diesem Aspekt können einander sehen" + error_add: "Konnte <%= name %> nicht zum Aspekt hinzufügen :(" + error_remove: "Konnte <%= name %> nicht aus dem Aspekt entfernen :(" + remove_contact: "Kontakt entfernen" + search_no_results: "Keine Kontakte gefunden" conversation: participants: "Teilnehmer" delete: "Löschen" @@ -44,6 +56,7 @@ de: failed_to_like: "Gefällt mir fehlgeschlagen!" failed_to_post_message: "Konnte Beitrag nicht senden!" failed_to_remove: "Fehler beim Entfernen des Beitrags!" + failed_to_reshare: "Fehler beim Weitersagen!" getting_started: alright_ill_wait: "Alles klar, ich warte." hey: "Hey, <%= name %>!" @@ -64,6 +77,8 @@ de: search: "Suchen" settings: "Einstellungen" view_all: "Alle anzeigen" + hide_post: "Diesen Beitrag ausblenden?" + hide_post_failed: "Ausblenden des Beitrags nicht möglich" ignore: "Ignorieren" ignore_failed: "Konnte Benutzer nicht ignorieren" ignore_user: "Benutzer ignorieren?" @@ -73,11 +88,19 @@ de: my_activity: "Meine Aktivitäten" my_aspects: "Meine Aspekte" my_stream: "Stream" + no_results: "Keine Treffer" notifications: mark_read: "Als gelesen markieren" mark_unread: "Als ungelesen markieren" people: + edit_my_profile: "Mein Profil bearbeiten" + helper: + is_not_sharing: "<%= name %> teilt nicht mit dir" + is_sharing: "<%= name %> teilt mit dir" + mention: "Erwähnen" + message: "Nachricht" not_found: "und niemand wurde gefunden..." + stop_ignoring: "Nicht mehr ignorieren" photo_uploader: completed: "<%= file %> hochgeladen" empty: "Die Datei {file} ist leer. Bitte treffe eine erneute Auswahl ohne diese Datei." @@ -89,21 +112,36 @@ de: close_result: "Ergebnis ausblenden" count: one: "Bisher eine Stimme" - other: "Bisher <%=count%> Stimmen." + other: "Bisher <%=count%> Stimmen" + go_to_original_post: "Du kannst an dieser Umfrage im <%= original_post_link %> teilnehmen." + original_post: "Originalbeitrag" result: "Ergebnis" show_result: "Ergebnis anzeigen" vote: "Abstimmen" + profile: + add_some: "Füge neue hinzu" + bio: "Bio" + born: "Geburtstag" + contacts: "Kontakte" + edit: "bearbeite" + gender: "Geschlecht" + ignoring: "Du ignorierst sämtliche Beiträge von <%= name %>." + location: "Ort" + photos: "Fotos" + posts: "Beiträge" + you_have_no_tags: "Du hast keine Tags!" publisher: add_option: "Antwortmöglichkeit hinzufügen" at_least_one_aspect: "Du musst zumindest zu einem Aspekt posten" limited: "Eingeschränkt - dein Beitrag wird nur Leuten sichtbar sein, mit denen du teilst" near_from: "Gesendet aus <%= location %>" - option: "Antwort <%= nr %>" + option: "Antwort" public: "Öffentlich - dein Beitrag ist für alle sichtbar und kann von Suchmaschinen gefunden werden" question: "Frage" + remove_post: "Diesen Beitrag löschen?" report: name: "Meldung" - prompt: "Bitte gebe einen Grund an:" + prompt: "Bitte gib einen Grund an:" prompt_default: "anstößiger Inhalt" status: created: "Die Meldung wurde erfolgreich erstellt" @@ -116,6 +154,8 @@ de: show_more: "Mehr zeigen" stream: comment: "Kommentar" + disable_post_notifications: "Benachrichtigungen für diesen Beitrag deaktivieren" + enable_post_notifications: "Benachrichtigungen für diesen Beitrag aktivieren" follow: "Folgen" followed_tag: add_a_tag: "Tag hinzufügen" @@ -123,7 +163,7 @@ de: follow: "Folgen" title: "#Tags, denen du folgst" hide: "Ausblenden" - hide_nsfw_posts: "#nsfw-Posts verstecken" + hide_nsfw_posts: "#nsfw-Beiträge verstecken" like: "Gefällt mir" likes: few: "<%= count %> Personen gefällt das" @@ -175,6 +215,7 @@ de: wordSeparator: " " year: "etwa einem Jahr" years: "%d Jahren" + unblock_failed: "Den Benutzer zu entblocken ist fehlgeschlagen." videos: unknown: "Unbekanntes Videoformat" watch: "Dieses Video auf <%= provider %> ansehen" diff --git a/config/locales/javascript/javascript.de_formal.yml b/config/locales/javascript/javascript.de_formal.yml index 0ea1b21ea..add8c7d25 100644 --- a/config/locales/javascript/javascript.de_formal.yml +++ b/config/locales/javascript/javascript.de_formal.yml @@ -12,6 +12,8 @@ de_formal: all_aspects: "Alle Aspekte" error: "Couldn't start sharing with <%= name %>. Are you ignoring them?" error_remove: "Konnte <%= name %> nicht vom Aspekt entfernen :(" + mobile_row_checked: "<%= name %> (entfernen)" + mobile_row_unchecked: "<%= name %> (hinzufügen)" select_aspects: "Wählen Sie Aspekte aus" started_sharing_with: "Sie haben angefangen, mit <%= name %> zu teilen!" stopped_sharing_with: "Sie haben aufgehört, mit <%= name %> zu teilen!" @@ -19,6 +21,7 @@ de_formal: one: "In einem Aspekt" other: "In <%= count %> Aspekten" zero: "Aspekt auswählen" + updating: "aktualisiere..." aspect_navigation: add_an_aspect: "+ Aspekt hinzufügen" deselect_all: "Auswahl aufheben" @@ -34,6 +37,15 @@ de_formal: no_comments: "Bisher sind keine Kommentare vorhanden." show: "Alle Kommentare zeigen" confirm_dialog: "Sind Sie sich sicher?" + confirm_unload: "Bitte bestätigen Sie, dass Sie diese Seite verlassen möchten - die von Ihnen eingegebenen Daten werden nicht gespeichert werden." + contacts: + add_contact: "Kontakt hinzufügen" + aspect_list_is_not_visible: "Kontakte in diesem Aspekt können einander nicht sehen." + aspect_list_is_visible: "Kontakte in diesem Aspekt können einander sehen" + error_add: "Konnte <%= name %> nicht zum Aspekt hinzufügen :(" + error_remove: "Konnte <%= name %> nicht aus dem Aspekt entfernen :(" + remove_contact: "Kontakt entfernen" + search_no_results: "Keine Kontakte gefunden" conversation: participants: "Teilnehmer" delete: "Löschen" @@ -41,6 +53,7 @@ de_formal: failed_to_like: "Gefällt mir fehlgeschlagen." failed_to_post_message: "Konnte Beitrag nicht senden!" failed_to_remove: "Fehler beim Entfernen des Beitrags!" + failed_to_reshare: "Fehler beim Weitersagen!" getting_started: alright_ill_wait: "Alles klar, ich warte." hey: "Hey, <%= name %>!" @@ -61,7 +74,10 @@ de_formal: search: "Find people or #tags" settings: "Einstellungen" view_all: "Alle ansehen" + hide_post: "Diesen Beitrag ausblenden?" + hide_post_failed: "Konnte den Beitrag nicht ausblenden" ignore: "Ignorieren" + ignore_failed: "Konnte Benutzer nicht ignorieren" ignore_user: "Benutzer ignorieren?" infinite_scroll: no_more: "Keine weiteren Beiträge." @@ -69,16 +85,24 @@ de_formal: my_activity: "Meine Aktivitäten" my_aspects: "Ihre Aspekte" my_stream: "Stream" + no_results: "Keine Treffer" notifications: mark_read: "Als gelesen markieren" mark_unread: "Als ungelesen markieren" people: + edit_my_profile: "Mein Profil bearbeiten" + helper: + is_not_sharing: "<%= name %> teilt nicht mit Ihnen" + is_sharing: "<%= name %> teilt mit Ihnen" + mention: "Erwähnen" + message: "Nachricht" not_found: "niemand wurde gefunden..." + stop_ignoring: "Ignorieren beenden" photo_uploader: completed: "<%= file %> hochgeladen" - empty: "{file} ist leer, bitte wählen Sie erneut Dateien aus." + empty: "{file} ist leer, bitte wählen Sie erneut Dateien ohne diese aus." error: "Es ist ein Fehler aufgetreten, während <%= file %> hochgeladen wurde" - invalid_ext: "{file} hat keine gültige Erweiterung. Nur {extensions} sind erlaubt." + invalid_ext: "{file} hat eine ungültige Erweiterung. Nur {extensions} sind erlaubt." looking_good: "OMG, Sie sehen toll aus!" size_error: "{file} ist zu groß. Die maximale Dateigröße beträgt {sizeLimit}." poll: @@ -86,17 +110,32 @@ de_formal: count: one: "Bisher eine Stimme" other: "Bisher <%=count%> Stimmen." + go_to_original_post: "Sie können an dieser Umfrage im <%= original_post_link %> teilnehmen." + original_post: "Originalbeitrag" result: "Ergebnis" show_result: "Ergebnis anzeigen" vote: "Abstimmen" + profile: + add_some: "Füge neue hinzu" + bio: "Beschreibung" + born: "Geburtstag" + contacts: "Kontakte" + edit: "bearbeiten" + gender: "Geschlecht" + ignoring: "Sie ignorieren sämtliche Beiträge von <%= name %>." + location: "Ort" + photos: "Fotos" + posts: "Beiträge" + you_have_no_tags: "Sie haben keine Tags!" publisher: - add_option: "Option hinzufügen" + add_option: "Antwortmöglichkeit hinzufügen" at_least_one_aspect: "Sie müssen zumindest zu einem Aspekt posten" limited: "Eingeschränkt - Ihr Beitrag wird nur Leuten sichtbar sein, mit denen Sie teilen" near_from: "In der Nähe von <%= location %>" - option: "Option <%= nr %>" + option: "Antwort" public: "Öffentlich - Ihr Beitrag ist für alle sichtbar und kann von Suchmaschinen gefunden werden" question: "Frage" + remove_post: "Diesen Beitrag löschen?" report: name: "Meldung" prompt: "Bitte geben Sie einen Grund an:" @@ -112,6 +151,8 @@ de_formal: show_more: "Mehr zeigen" stream: comment: "Kommentieren" + disable_post_notifications: "Benachrichtigungen für diesen Beitrag deaktivieren" + enable_post_notifications: "Benachrichtigungen für diesen Beitrag aktivieren" follow: "Folgen" followed_tag: add_a_tag: "Einen Tag hinzufügen" @@ -165,6 +206,7 @@ de_formal: wordSeparator: " " year: "etwa einem Jahr" years: "%d Jahren" + unblock_failed: "Den Benutzer zu entblocken ist fehlgeschlagen." videos: unknown: "Unbekanntes Videoformat" watch: "Dieses Video auf <%= provider %> ansehen" diff --git a/config/locales/javascript/javascript.el.yml b/config/locales/javascript/javascript.el.yml index c5b6459d8..82af79bb1 100644 --- a/config/locales/javascript/javascript.el.yml +++ b/config/locales/javascript/javascript.el.yml @@ -27,8 +27,12 @@ el: comma: "," comments: hide: "απόκρυψη σχολίων" + no_comments: "Δεν υπάρχουν ακόμη σχόλια." show: "προβολή όλων των σχολίων" confirm_dialog: "Είστε σίγουροι;" + contacts: + add_contact: "Προσθήκη επαφής" + remove_contact: "Διαγραφή επαφής" conversation: participants: "Συμμετέχοντες" delete: "Διαγραφή" @@ -44,6 +48,8 @@ el: admin: "Διαχείριση" close: "κλείσιμο" contacts: "Επαφές" + conversations: "Συζητήσεις" + help: "Βοήθεια" home: "Αρχική" log_out: "Αποσύνδεση" mark_all_as_read: "Σήμανση όλων ως διαβασμένα" @@ -60,7 +66,9 @@ el: my_activity: "Η δραστηριότητα μου" my_aspects: "Οι Πτυχές μου" my_stream: "Ροή" + no_results: "Δεν βρέθηκαν αποτελέσματα" people: + edit_my_profile: "Επεξεργασία του προφίλ μου" not_found: "και κανείς δεν βρέθηκε..." photo_uploader: completed: "<%= file %> ολοκληρώθηκε" @@ -68,10 +76,26 @@ el: invalid_ext: "{file} δεν έχει έγκυρo τύπο αρχείου. Μόνο {extensions} επιτρέπονται." looking_good: "Ναι! Σκίζεις!" size_error: "{file} είναι πολύ μεγάλο, το μέγιστο μέγεθος αρχείου είναι {sizeLimit}." + poll: + close_result: "Απόκρυψη αποτελεσμάτων" + result: "Αποτέλεσμα" + profile: + bio: "Βιογραφικό" + born: "Ημερομηνία Γέννησης" + contacts: "Επαφές" + edit: "επεξεργασία" + gender: "Φύλο" + location: "Τοποθεσία" + photos: "Φωτογραφίες" publisher: + add_option: "Πρόσθεσε μια απάντηση" at_least_one_aspect: "Πρέπει να κάνετε δημοσίευση σε τουλάχιστον μια πτυχή" limited: "Περιορισμένο - οι δημοσιεύσεις σας θα είναι ορατές μόνο από τα άτομα με τα οποία διαμοιράζεστε" + near_from: "Αναρτήθηκε από: <%= location %>" public: "Δημόσιο - οι δημοσιεύσεις σας θα είναι ορατές στον καθένα και θα μπορούν να βρεθούν από τις μηχανές αναζήτησης" + question: "Ερώτηση" + report: + name: "Αναφορά" reshares: duplicate: "Αυτό είναι τόσο καλό ε; Έχετε ήδη κοινοποιήσει αυτή τη δημοσίευση!" post: "Κοινοποίηση της ανάρτησης του <%= name %>;" @@ -87,7 +111,7 @@ el: follow: "Ακολουθήστε" title: "#Ετικέτες που ακολουθείτε" hide: "Απόκρυψη" - hide_nsfw_posts: "Απόκριψη των \"μη ασφαλών για εργασία\" δημοσιεύσεων" + hide_nsfw_posts: "Απόκριψη των \"μη ασφαλών για εργασία\" (NSFW) δημοσιεύσεων" like: "Μου αρέσει" likes: one: "<%= count %> Μου αρέσει" diff --git a/config/locales/javascript/javascript.en.yml b/config/locales/javascript/javascript.en.yml index f99a08d90..cf869a965 100644 --- a/config/locales/javascript/javascript.en.yml +++ b/config/locales/javascript/javascript.en.yml @@ -6,20 +6,26 @@ en: javascripts: confirm_dialog: "Are you sure?" + confirm_unload: "Please confirm that you want to leave this page. Data you have entered won’t be saved." delete: "Delete" ignore: "Ignore" report: prompt: "Please enter a reason:" - prompt_default: "offensive content" + prompt_default: "e.g. offensive content" name: "Report" status: - created: "The report was successfully created" + created: "The report has successfully been created" exists: "The report already exists" ignore_user: "Ignore this user?" ignore_failed: "Unable to ignore this user" + hide_post: "Hide this post?" + hide_post_failed: "Unable to hide this post" + remove_post: "Remove this post?" + unblock_failed: "Unblocking this user has failed" and: "and" comma: "," edit: "Edit" + no_results: "No results found" timeago: prefixAgo: "" prefixFromNow: "" @@ -38,9 +44,18 @@ en: years: "%d years" wordSeparator: " " - my_activity: "My Activity" + contacts: + add_contact: "Add contact" + aspect_list_is_visible: "Contacts in this aspect are able to see each other." + aspect_list_is_not_visible: "Contacts in this aspect are not able to see each other." + remove_contact: "Remove contact" + error_add: "Couldn’t add <%= name %> to the aspect :(" + error_remove: "Couldn’t remove <%= name %> from the aspect :(" + search_no_results: "No contacts found" + + my_activity: "My activity" my_stream: "Stream" - my_aspects: "My Aspects" + my_aspects: "My aspects" videos: watch: "Watch this video on <%= provider %>" @@ -48,8 +63,8 @@ en: search_for: "Search for <%= name %>" publisher: at_least_one_aspect: "You must publish to at least one aspect" - limited: "Limited - your post will only be seen by people you are sharing with" - public: "Public - your post will be visible to everyone and found by search engines" + limited: "Limited: your post will only be seen by people you are sharing with" + public: "Public: your post will be visible to everyone and found by search engines" near_from: "Posted from: <%= location %>" option: "Answer" add_option: "Add an answer" @@ -65,26 +80,30 @@ en: add_to_aspect: "Add contact" select_aspects: "Select aspects" all_aspects: "All aspects" + updating: "updating..." + mobile_row_checked: "<%= name %> (remove)" + mobile_row_unchecked: "<%= name %> (add)" stopped_sharing_with: "You have stopped sharing with <%= name %>." started_sharing_with: "You have started sharing with <%= name %>!" - error: "Couldn't start sharing with <%= name %>. Are you ignoring them?" - error_remove: "Couldn't remove <%= name %> from the aspect :(" + error: "Couldn’t start sharing with <%= name %>. Are you ignoring them?" + error_remove: "Couldn’t remove <%= name %> from the aspect :(" toggle: zero: "Select aspects" one: "In <%= count %> aspect" other: "In <%= count %> aspects" - show_more: "show more" + show_more: "Show more" failed_to_like: "Failed to like!" + failed_to_reshare: "Failed to reshare!" failed_to_post_message: "Failed to post message!" failed_to_remove: "Failed to remove the entry!" comments: - show: "show all comments" - hide: "hide comments" + show: "Show all comments" + hide: "Hide comments" no_comments: "There are no comments yet." reshares: - duplicate: "That good, huh? You've already reshared that post!" + duplicate: "That good, eh? You’ve already reshared that post!" successful: "The post was successfully reshared!" - post: "Reshare <%= name %>'s post?" + post: "Reshare <%= name %>’s post?" aspect_navigation: select_all: "Select all" deselect_all: "Deselect all" @@ -92,8 +111,8 @@ en: add_an_aspect: "+ Add an aspect" getting_started: hey: "Hey, <%= name %>!" - no_tags: "Hey, you haven't followed any tags! Continue anyway?" - alright_ill_wait: "Alright, I'll wait." + no_tags: "Hey, you haven’t followed any tags! Continue anyway?" + alright_ill_wait: "All right, I’ll wait." preparing_your_stream: "Preparing your personalized stream..." photo_uploader: looking_good: "OMG, you look awesome!" @@ -103,9 +122,28 @@ en: size_error: "{file} is too large, maximum file size is {sizeLimit}." empty: "{file} is empty, please select files again without it." tags: - wasnt_that_interesting: "OK, I suppose #<%= tagName %> wasn't all that interesting..." + wasnt_that_interesting: "OK, I suppose #<%= tagName %> wasn’t all that interesting..." people: - not_found: "and no one was found..." + not_found: "... and no one was found" + mention: "Mention" + message: "Message" + edit_my_profile: "Edit my profile" + stop_ignoring: "Stop ignoring" + helper: + is_sharing: "<%= name %> is sharing with you" + is_not_sharing: "<%= name %> is not sharing with you" + profile: + edit: "Edit" + add_some: "Add some" + you_have_no_tags: "You have no tags!" + ignoring: "You are ignoring all posts from <%= name %>." + bio: "Bio" + location: "Location" + gender: "Gender" + born: "Birthday" + photos: "Photos" + contacts: "Contacts" + posts: "Posts" conversation: participants: "Participants" @@ -122,12 +160,14 @@ en: unlike: "Unlike" reshare: "Reshare" comment: "Comment" - original_post_deleted: "Original post deleted by author." + original_post_deleted: "Original post deleted by author" show_nsfw_post: "Show post" show_nsfw_posts: "Show all" hide_nsfw_posts: "Hide #nsfw posts" follow: "Follow" unfollow: "Unfollow" + enable_post_notifications: "Enable notifications for this post" + disable_post_notifications: "Disable notifications for this post" via: "via <%= provider %>" likes: @@ -146,7 +186,7 @@ en: other: "Show <%= count %> more comments" followed_tag: - title: "#Followed Tags" + title: "#Followed tags" contacts_title: "People who dig these tags" add_a_tag: "Add a tag" follow: "Follow" @@ -154,7 +194,7 @@ en: tags: follow: "Follow #<%= tag %>" following: "Following #<%= tag %>" - stop_following: "Stop Following #<%= tag %>" + stop_following: "Stop following #<%= tag %>" header: home: "Home" @@ -170,10 +210,10 @@ en: search: "Search" - recent_notifications: "Recent Notifications" + recent_notifications: "Recent notifications" mark_all_as_read: "Mark all as read" view_all: "View all" - close: "close" + close: "Close" viewer: stop_following_post: "Stop following post" @@ -183,10 +223,12 @@ en: reshare: "Reshare" reshared: "Reshared" comment: "Comment" - home: "HOME" + home: "Home" poll: vote: "Vote" + go_to_original_post: "You can participate in this poll on the <%= original_post_link %>." + original_post: "original post" result: "Result" count: one: "1 vote so far" diff --git a/config/locales/javascript/javascript.en_valspeak.yml b/config/locales/javascript/javascript.en_valspeak.yml new file mode 100644 index 000000000..4ada53a23 --- /dev/null +++ b/config/locales/javascript/javascript.en_valspeak.yml @@ -0,0 +1,207 @@ +# Copyright (c) 2010-2013, Diaspora Inc. This file is +# licensed under the Affero General Public License version 3 or later. See +# the COPYRIGHT file. + + + +en_valspeak: + javascripts: + and: "n" + aspect_dropdown: + add_to_aspect: "Add BFF" + all_aspects: "All aspectz" + error: "So like, couldnt start sharin wit <%= name %>. R u like, blockin them?" + error_remove: "so like, i couldnt remove <%= name %> from the aspect :( sry bout that :(" + select_aspects: "Pick aspectz" + started_sharing_with: "U have started sharin wit <%= name %>! :DD" + stopped_sharing_with: "U stopped sharin wit <%= name %>." + toggle: + one: "In <%= count %> aspect <3" + other: "In like, <%= count %> aspectz" + zero: "Pick aspectz" + aspect_navigation: + add_an_aspect: "+ Add an aspect!!!" + deselect_all: "Unhighlight all" + no_aspects: "No aspectz picked" + select_all: "Highlight all" + bookmarklet: + post_something: "Make a postie to d*!!" + post_submit: "Submitting postie... hold up..." + post_success: "Posted!!! Closin popup windowww... <3" + comma: "," + comments: + hide: "hide commentz" + no_comments: "Theres no commentz yet. :(" + show: "show all commentz" + confirm_dialog: "R u like... fer sure?" + contacts: + add_contact: "Add BFF" + aspect_list_is_not_visible: "So like, BFFs in this aspect r not able 2 like... c each other..." + aspect_list_is_visible: "BFFs in this aspect r like.. able 2 c each other. JustFYI, K?" + error_add: "Couldnt like... add <%= name %> 2 the aspect :((" + error_remove: "Couldnt like... trash <%= name %> from the aspect :((" + remove_contact: "Remove BFF" + conversation: + participants: "Ppl up in here" + delete: "Trash" + edit: "Edit!" + failed_to_like: "Ur <3 didnt work :(" + failed_to_post_message: "so like, i couldnt post txt... sry bout tht... :\\" + failed_to_remove: "So like, there was an issue when removin the entry... sry bout that :\\" + getting_started: + alright_ill_wait: "Aight, ill hold up." + hey: "Ohai, <%= name %>!" + no_tags: "Ohai! u havent like, followed ne tags! Continue neway? :)" + preparing_your_stream: "Preparin ur Wall thingy..." + header: + admin: "The man" + close: "byez" + contacts: "Besties!" + conversations: "Convoz!" + help: "Halp" + home: "Homee" + log_out: "Bounce" + mark_all_as_read: "Read them all" + notifications: "Noties" + profile: "Profilee" + recent_notifications: "Recent Noties" + search: "Look for" + settings: "Settins" + view_all: "Look at all" + ignore: "Block" + ignore_failed: "Cant block this h8ter :\\" + ignore_user: "Ignore this h8ter?" + infinite_scroll: + no_more: "No moar posties :(" + no_more_contacts: "No more besties :(" + my_activity: "My Happenins" + my_aspects: "My Aspectz" + my_stream: "Wall" + no_results: "So like, no resultz were found... sry bout tht :\\" + notifications: + mark_read: "Seen it" + mark_unread: "Havent seen it" + people: + edit_my_profile: "Edit mah profile!!" + helper: + is_not_sharing: "<%= name %> is not like... sharin wit u :( lame.." + is_sharing: "Like, OMG! <%= name %> is sharin wit u!!! :DD" + mention: "Mentionnn <3" + message: "Txt" + not_found: "nothing was found... not even my shoes :(" + stop_ignoring: "Stop ignorin" + photo_uploader: + completed: "<%= file %> completed!!! YAY!" + empty: "{file} is like, empty... plz pick the file again witout it. Kay?" + error: "So like, there was an issue when like, uploadin file <%= file %>... sry bout tht... :\\" + invalid_ext: "{file} like, has an extension that is like... not valid. Only like, {extensions} r allowed, kay?" + looking_good: "OMG, u look totally awesome! :D <3" + size_error: "{file} is like... 2 big, the biggest size i can take is {sizeLimit}. Kay?(;" + poll: + close_result: "Stop peekin at result...O_O" + count: + one: "1 vote so far!!(:" + other: "OMG! u have like... <%=count%> votes so far!!! :DDD" + result: "Like... the results" + show_result: "Peek at result...shh" + vote: "Make a differenceeee" + profile: + add_some: "add summ<3" + bio: "All about meeee <333" + born: "Bday" + contacts: "BFFs <33" + edit: "edit!" + gender: "So Im like..." + ignoring: "U r ignorin all posties from <%= name %>." + location: "My crib" + photos: "Pics and selfies <3" + you_have_no_tags: "u like... have no tagz!" + publisher: + add_option: "Like, add an ansah!" + at_least_one_aspect: "U like... must add to at least 1 group" + limited: "Limited - ur postie will only b seen by ppl u r sharin wit" + near_from: "Postie from: <%= location %>" + option: "Mah ansah<3" + public: "Internetz - ur postie will b seen by any1 on the internet" + question: "Question!!!" + report: + name: "Tattle on" + prompt: "Plz say y:" + prompt_default: "groody content" + status: + created: "The report was like, created. Yay." + exists: "The report like, already existz..." + reshares: + duplicate: "OMG that gr8t eh? uve like, already reshared tht postie!! :P" + post: "do u wanna like, reshare <%= name %>'s postie?" + successful: "The postie was reshared!!! :D" + search_for: "Look for <%= name %>" + show_more: "show moar" + stream: + comment: "Comment!!" + follow: "Stalk" + followed_tag: + add_a_tag: "Add a tag!!" + contacts_title: "Ppl who <3 these tagz" + follow: "Folloe!!" + title: "#Followed Tagz" + hide: "Hyde" + hide_nsfw_posts: "Hide #groody posties. Gag me with a spoon!" + like: "<3" + likes: + one: "<%= count %> like!!(:" + other: "OMG! u got like... <%= count %> likez!!! :DDD" + zero: "<%= count %> likes :(" + limited: "Limitedd" + more_comments: + one: "Show like, <%= count %> more comment" + other: "Show liek, <%= count %> more commentz" + zero: "Show <%= count %> more commentz" + original_post_deleted: "so like, the original postie was trashed by the maker of it :\\" + public: "Internetz" + reshare: "Reshar" + reshares: + one: "<%= count %> Reshare!!!(:" + other: "OMG!! <%= count %> reshares!!! :DDD" + zero: "<%= count%> Reshares :(" + show_nsfw_post: "Show postie" + show_nsfw_posts: "Show allll" + tags: + follow: "Follow #<%= tag %>!!" + following: "Followin #<%= tag %>" + stop_following: "Stop followin #<%= tag %>" + unfollow: "Stop stalkin" + unlike: "3" + via: "like, via <%= provider %>" + tags: + wasnt_that_interesting: "K, I guess #<%= tagName %> wasnt all that gr8. Whatev." + timeago: + day: "like... a day" + days: "like... %d dayz" + hour: "bout an hr" + hours: "bout %d hrs" + minute: "bout a min" + minutes: "%d mins" + month: "bout like... a month" + months: "like %d months" + prefixAgo: "" + prefixFromNow: "" + seconds: "less than a min" + suffixAgo: "like... ago" + suffixFromNow: "from nao" + wordSeparator: "" + year: "bout like... a yr" + years: "like %d yrs" + unblock_failed: "Unblockin this h8ter didnt work :(" + videos: + unknown: "i dunno what kinda vid this is :(" + watch: "Watch this vid on <%= provider %>" + viewer: + comment: "Comment!!" + follow_post: "Follow postie" + home: "HOOOMMMMEEEE" + like: "<3" + reshare: "Reshare!!" + reshared: "Reshared<33" + stop_following_post: "Stop followin postie" + unlike: "3" \ No newline at end of file diff --git a/config/locales/javascript/javascript.es-AR.yml b/config/locales/javascript/javascript.es-AR.yml index 6eba17095..c774cfac0 100644 --- a/config/locales/javascript/javascript.es-AR.yml +++ b/config/locales/javascript/javascript.es-AR.yml @@ -11,7 +11,9 @@ es-AR: add_to_aspect: "Agregar contacto" all_aspects: "Todos los aspectos" error: "No se pudo empezar a compartir con <%= name %>. ¿Será que la/lo estás ignorando?" - error_remove: "No se pudo eliminar a <%= name %> del aspecto." + error_remove: "No se pudo eliminar a <%= name %> del aspecto. :(" + mobile_row_checked: "<%= name %> (eliminar)" + mobile_row_unchecked: "<%= name %> (agregar)" select_aspects: "Selecciona aspectos" started_sharing_with: "¡Has empezado a compartir con <%= name%>!" stopped_sharing_with: "Has dejado de compartir con <%= name =%>" @@ -19,6 +21,7 @@ es-AR: one: "En <%= count %> aspecto" other: "En <%= count %> aspectos" zero: "Seleccionar aspectos" + updating: "actualizando…" aspect_navigation: add_an_aspect: "+ Agregar un aspecto" deselect_all: "Deseleccionar todo" @@ -30,10 +33,19 @@ es-AR: post_success: "¡Publicado! Cerrando ventana emergente..." comma: "," comments: - hide: "ocultar los comentarios" + hide: "Ocultar comentarios" no_comments: "Aún no hay comentarios." - show: "mostrar todos los comentarios" + show: "Mostrar todos los comentarios" confirm_dialog: "¿Estás seguro?" + confirm_unload: "Por favor, confirmá que deseás salir de esta página. Los datos que has ingresado no serán guardados." + contacts: + add_contact: "Agregar contacto" + aspect_list_is_not_visible: "La lista de contactos de este aspecto no es visible." + aspect_list_is_visible: "La lista de contactos de este aspecto es visible." + error_add: "No se puede agregar a <%= name %> a este aspecto :(" + error_remove: "No se puede eliminar a <%= name %> de este aspecto :(" + remove_contact: "Eliminar contacto" + search_no_results: "No se han encontrado contactos con ese nombre." conversation: participants: "Participantes" delete: "Borrar" @@ -41,6 +53,7 @@ es-AR: failed_to_like: "¡No pudo marcarse como 'Me gusta'!" failed_to_post_message: "¡No pudo publicarse el mensaje!" failed_to_remove: "Fallo al eliminar la entrada!" + failed_to_reshare: "Error al volver a compartir" getting_started: alright_ill_wait: "Todo bien, voy a esperar." hey: "¡Hola, <%= name %>!" @@ -61,6 +74,8 @@ es-AR: search: "Buscar" settings: "Opciones" view_all: "Ver todo" + hide_post: "¿Ocultar esta publicación?" + hide_post_failed: "No se puede ocultar esta publicación" ignore: "Ignorar" ignore_failed: "No es posible ignorar este usuario" ignore_user: "¿Ignorar a este usuario?" @@ -70,11 +85,19 @@ es-AR: my_activity: "Mi actividad" my_aspects: "Mis aspectos" my_stream: "Entrada" + no_results: "No se encontraron resultados" notifications: mark_read: "Marcar como leído" mark_unread: "Marcar como no leído" people: + edit_my_profile: "Editar mi perfil" + helper: + is_not_sharing: "<%= name %> no está compartiendo con vos" + is_sharing: "<%= name %> está compartiendo con vos" + mention: "Mención" + message: "Mensaje" not_found: "...y no se encontró a nadie." + stop_ignoring: "Dejar de ignorar" photo_uploader: completed: "<%= file %> completado" empty: "El archivo {file} está vacío, por favor selecciona los archivos nuevamente sin incluir este." @@ -87,17 +110,32 @@ es-AR: count: one: "<%=count%> voto hasta ahora" other: "<%=count%> votos hasta ahora" + go_to_original_post: "Puedes participar de esta encuesta en <%= original_post_link %>" + original_post: "publicación original" result: "Resultados" show_result: "Mostrar resultados" vote: "Votar" + profile: + add_some: "Agregar algo" + bio: "Biografía" + born: "Fecha de nacimiento" + contacts: "Contactos" + edit: "Editar" + gender: "Género" + ignoring: "Estás ignorando todas las publicaciones de <%= name %>." + location: "Ubicación" + photos: "Fotos" + posts: "Publicaciones" + you_have_no_tags: "¡No tenés etiquetas!" publisher: add_option: "Añadir respuesta" at_least_one_aspect: "Tenés que publicarlo en, por lo menos, un aspecto" - limited: "Limitada - tu publicación sera vista solo por la gente con quien la compartes " + limited: "Limitada: tu publicación será vista solo por la gente con quien la compartes" near_from: "Cerca de: <%= location %>" option: "Respuesta" - public: "Publica - tu publicación sera visible para cualquiera y los buscadores podrán encontrarla" + public: "Publica: tu publicación será visible para cualquiera en Internet y los buscadores podrán encontrarla" question: "Pregunta" + remove_post: "¿Eliminar esta publicación?" report: name: "Reporte" prompt: "Por favor introduce el motivo:" @@ -110,9 +148,11 @@ es-AR: post: "¿Compartir la publicación de <%= name %>?" successful: "¡La publicación se compartió correctamente!" search_for: "Buscar a <%= name %>" - show_more: "mostrar más" + show_more: "Mostrar más" stream: comment: "Comentar" + disable_post_notifications: "Desactivar las notificaciones para esta publicación" + enable_post_notifications: "Activar las notificaciones para esta publicación" follow: "Seguir" followed_tag: add_a_tag: "Añadir una etiqueta" @@ -166,13 +206,14 @@ es-AR: wordSeparator: " " year: "cerca de un año" years: "%d años" + unblock_failed: "Falló el desbloqueo del usuario" videos: unknown: "Tipo de video desconocido" watch: "Ver este video en <%= provider %>" viewer: comment: "Comentar" follow_post: "Seguir esta publicación" - home: "INICIO" + home: "Inicio" like: "Me gusta" reshare: "Compartir" reshared: "Compartido" diff --git a/config/locales/javascript/javascript.es.yml b/config/locales/javascript/javascript.es.yml index 3b4dd84b5..519370f79 100644 --- a/config/locales/javascript/javascript.es.yml +++ b/config/locales/javascript/javascript.es.yml @@ -12,6 +12,8 @@ es: all_aspects: "Todos los aspectos" error: "No podrás compartir con <%= name %>. ¿Estás ignorándole?" error_remove: "No se pudo eliminar a <%= name %> del aspecto :(" + mobile_row_checked: "<%= name %> (eliminar)" + mobile_row_unchecked: "<%= name %> (añadir)" select_aspects: "Elige los aspectos" started_sharing_with: "¡Has empezado a compartir con <%= name %>!" stopped_sharing_with: "Ya no compartes más con <%= name %>." @@ -19,6 +21,7 @@ es: one: "En <%= count %> aspecto" other: "En <%= count %> aspectos" zero: "Elige los aspectos" + updating: "actualizando..." aspect_navigation: add_an_aspect: "+ Añadir un aspecto" deselect_all: "Desmarcar todos" @@ -34,6 +37,15 @@ es: no_comments: "Aún no hay comentarios." show: "mostrar todos los comentarios" confirm_dialog: "¿Estás seguro?" + confirm_unload: "Por favor, confirma que quieres abandonar esta página. Los datos que no hayas introducido, no serán guardados." + contacts: + add_contact: "Añadir contacto" + aspect_list_is_not_visible: "Los contactos de este aspecto no pueden verse entre ellos." + aspect_list_is_visible: "Los contactos de este aspecto pueden verse entre ellos." + error_add: "No se pudo añadir a <%= name %> al aspecto :(" + error_remove: "No se pudo eliminar <%= name %> del aspecto :(" + remove_contact: "Eliminar contacto" + search_no_results: "No se encontraron contactos" conversation: participants: "Participantes" delete: "Eliminar" @@ -41,6 +53,7 @@ es: failed_to_like: "\"Me gusta\" no ha funcionado." failed_to_post_message: "¡Error al publicar el mensaje!" failed_to_remove: "¡Se produjo un error al eliminar la entrada!" + failed_to_reshare: "¡Error al compartir!" getting_started: alright_ill_wait: "Está bien, esperaré." hey: "¡Hola, <%= name %>!" @@ -54,13 +67,15 @@ es: help: "Ayuda" home: "Inicio" log_out: "Salir" - mark_all_as_read: "Marcar todo como leido" + mark_all_as_read: "Marcar todo como leído" notifications: "Notificaciones" profile: "Perfil" recent_notifications: "Notificaciones recientes" search: "Buscar" settings: "Ajustes" view_all: "Ver todo" + hide_post: "Ocultar esta publicación?" + hide_post_failed: "Imposible ocultar esta publicación" ignore: "Ignorar" ignore_failed: "Imposible ignorar a este usuario" ignore_user: "¿Ignorar a este usuario?" @@ -70,11 +85,19 @@ es: my_activity: "Mi Actividad" my_aspects: "Mis aspectos" my_stream: "Portada" + no_results: "No se ha encontrado nada" notifications: mark_read: "Marcar como leído" mark_unread: "Marcar como no leído" people: + edit_my_profile: "Editar mi perfil" + helper: + is_not_sharing: "<%= name %> no está compartiendo contigo" + is_sharing: "<%= name %> está compartiendo contigo" + mention: "Mención" + message: "Mensaje" not_found: "...y no se encontró a nadie." + stop_ignoring: "Dejar de ignorar" photo_uploader: completed: "<%= file %> completado" empty: "{file} está vacío, por favor selecciona otros archivos." @@ -87,9 +110,23 @@ es: count: one: "<%=count%> voto por ahora" other: "<%=count%> votos por ahora" + go_to_original_post: "Puedes participar en esta encuesta en <%= original_post_link %>." + original_post: "publicación original" result: "Resultados" show_result: "Mostrar resultados" vote: "Votar" + profile: + add_some: "añadir algo" + bio: "Biografía" + born: "Cumpleaños" + contacts: "Contactos" + edit: "editar" + gender: "Sexo" + ignoring: "Estás ignorando todas las publicaciones de <%= name %>." + location: "Ubicación" + photos: "Fotos" + posts: "Mensajes" + you_have_no_tags: "¡no tienes etiquetas!" publisher: add_option: "Añadir una respuesta" at_least_one_aspect: "Debes publicarlo al menos en un aspecto" @@ -98,6 +135,7 @@ es: option: "Respuesta" public: "Público - tu publicación es visible para todos, incluyendo buscadores" question: "Pregunta" + remove_post: "Borrar esta publicación?" report: name: "Informar" prompt: "Por favor introduce un motivo:" @@ -113,6 +151,8 @@ es: show_more: "mostrar más" stream: comment: "Comentar" + disable_post_notifications: "Desactiva los avisos para esta publicación" + enable_post_notifications: "Activa los avisos para esta publicación" follow: "Seguir" followed_tag: add_a_tag: "Añadir una etiqueta" @@ -166,6 +206,7 @@ es: wordSeparator: " " year: "un año aproximadamente" years: "%d años" + unblock_failed: "Falló el desbloqueo del usuario" videos: unknown: "Tipo de vídeo desconocido" watch: "Ver este video con <%= provider %>" diff --git a/config/locales/javascript/javascript.fi.yml b/config/locales/javascript/javascript.fi.yml index 840647961..552dc393f 100644 --- a/config/locales/javascript/javascript.fi.yml +++ b/config/locales/javascript/javascript.fi.yml @@ -12,6 +12,8 @@ fi: all_aspects: "Kaikki näkymät" error: "Ei voitu aloittaa jakamaan käyttäjän <%= name %> kanssa. Oletko sivuuttanut hänet?" error_remove: "Käyttäjää <%= name %> ei voitu poistaa näkymästä :(" + mobile_row_checked: "<%= name %> (poista)" + mobile_row_unchecked: "<%= name %> (lisää)" select_aspects: "Valitse näkymät" started_sharing_with: "Olet alkanut jakaa käyttäjän <%= name %> kanssa!" stopped_sharing_with: "Olet lopettanut jakamisen käyttäjän <%= name %> kanssa." @@ -22,6 +24,7 @@ fi: other: "<%= count %> näkymässä" two: "<%= count %> näkymässä" zero: "Valitse näkymät" + updating: "päivittää..." aspect_navigation: add_an_aspect: "+ Lisää näkymä" deselect_all: "Poista valinnat" @@ -33,10 +36,19 @@ fi: post_success: "Julkaistu! Suljetaan ponnahdusikkuna" comma: "," comments: - hide: "piilota kommentit" + hide: "Piilota kommentit" no_comments: "Kommentteja ei vielä ole." - show: "näytä kaikki kommentit" + show: "Näytä kaikki kommentit" confirm_dialog: "Oletko varma?" + confirm_unload: "Vahvista, että haluat poistua tältä sivulta. Syöttämiäsi tietoja ei tallenneta." + contacts: + add_contact: "Lisää kontakti" + aspect_list_is_not_visible: "Tämän näkymän kontaktit eivät voi nähdä toisiaan." + aspect_list_is_visible: "Tämän näkymän kontaktit voivat nähdä toisensa." + error_add: "Henkilön <%= name %> lisääminen näkymään ei onnistunut :(" + error_remove: "Käyttäjää <%= name %> ei voitu poistaa näkymästä :(" + remove_contact: "Poista kontakti" + search_no_results: "Kontakteja ei löytynyt" conversation: participants: "Osallistujat" delete: "Poista" @@ -44,6 +56,7 @@ fi: failed_to_like: "Tykkääminen epäonnistui!" failed_to_post_message: "Viestin lähetys epäonnistui!" failed_to_remove: "Lisäyksen poistaminen epäonnistui!" + failed_to_reshare: "Uudelleen jakaminen epäonnistui!" getting_started: alright_ill_wait: "Okei, minä odotan." hey: "Hei <%= name %>!" @@ -52,7 +65,7 @@ fi: header: admin: "Ylläpitäjä" close: "sulje" - contacts: "Henkilöt" + contacts: "Kontaktit" conversations: "Keskustelut" help: "Apua" home: "Koti" @@ -64,7 +77,10 @@ fi: search: "Etsi" settings: "Asetukset" view_all: "Näytä kaikki" + hide_post: "Piilota tämä julkaisu?" + hide_post_failed: "Tätä julkaisua ei voitu piilottaa" ignore: "Sivuuta" + ignore_failed: "Tämän käyttäjän sivuuttaminen ei onnistu" ignore_user: "Sivuuta tämä käyttäjä?" infinite_scroll: no_more: "Ei enempää viestejä." @@ -72,16 +88,24 @@ fi: my_activity: "Oma toimintani" my_aspects: "Omat näkymäni" my_stream: "Virta" + no_results: "Ei tuloksia" notifications: mark_read: "Merkitse luetuksi" mark_unread: "Merkitse lukemattomaksi" people: + edit_my_profile: "Muokkaa profiiliani" + helper: + is_not_sharing: "<%= name %> ei jaa kanssasi" + is_sharing: "<%= name %> jakaa kanssasi" + mention: "Mainitse" + message: "Viesti" not_found: "...ketään ei löytynyt." + stop_ignoring: "Lopeta sivuuttaminen" photo_uploader: completed: "<%= file %> suoritettu" empty: "Tiedosto {file} on tyhjä, valitse tiedostot uudelleen ilman kyseistä tiedostoa." error: "On tapahtunut virhe lähetettäessä tiedostoa <%= file %>" - invalid_ext: "Tiedostolla {file} on epäkelpo tiedostopääte. Vain {extensions} päätteet ovat sallittuja." + invalid_ext: "Tiedostolla {file} on epäkelpo tiedostopääte. Vain päätteet {extensions} ovat sallittuja." looking_good: "OMG, näytät upealta!" size_error: "Tiedosto {file} on liian iso, suurin sallittu tiedostokoko on {sizeLimit}" poll: @@ -92,14 +116,27 @@ fi: result: "Tulos" show_result: "Näytä tulokset" vote: "Äänestä" + profile: + add_some: "Lisää niitä" + bio: "Elämäkerta" + born: "Syntymäpäivä" + contacts: "Kontaktit" + edit: "Muokkaa" + gender: "Sukupuoli" + ignoring: "Sivuutat nyt kaikki julkaisut, jotka <%= name %> lähettää." + location: "Sijainti" + photos: "Kuvat" + posts: "Julkaisut" + you_have_no_tags: "Sinulla ei ole tageja!" publisher: - add_option: "Lisää vastausvaihtoehto" + add_option: "Lisää vastaus" at_least_one_aspect: "Sinun täytyy julkaista vähintään yhdelle näkymälle." limited: "Rajoitettu - julkaisusi näkyy vain ihmisille, joiden kanssa jaat" near_from: "Lähetetty sijainnista: <%= location %>" - option: "Vastaus <%= nr %>" + option: "Vastaus" public: "Julkinen - julkaisusi näkyvät kaikille mukaan lukien hakukoneet ja niiden tulokset" question: "Kysymys" + remove_post: "Poista tämä julkaisu?" report: name: "Tee ilmoitus" prompt: "Ole hyvä, kirjoita syy:" @@ -112,9 +149,11 @@ fi: post: "Jaa käyttäjän <%= name %> julkaisu?" successful: "Julkaisu jaettiin onnistuneesti!" search_for: "Etsi nimellä <%= name %>" - show_more: "näytä lisää" + show_more: "Näytä lisää" stream: comment: "Kommentoi" + disable_post_notifications: "Poista ilmoitukset käytöstä tästä julkaisusta" + enable_post_notifications: "Ota ilmoitukset käyttöön tälle julkaisulle" follow: "Seuraa" followed_tag: add_a_tag: "Lisää tagi" @@ -154,7 +193,7 @@ fi: tags: follow: "Seuraa #<%= tag %>" following: "Seurataan tagia #<%= tag %>" - stop_following: "Lopeta seuraamasta tagia #<%= tag %>" + stop_following: "Lopeta tagin #<%= tag %> seuraaminen" unfollow: "Lopeta seuraaminen" unlike: "Peru tykkäys" via: "<%= provider %> kautta" @@ -177,6 +216,7 @@ fi: wordSeparator: " " year: "noin vuosi" years: "%d vuotta" + unblock_failed: "Tämän käyttäjän torjumisen peruminen on epäonnistunut" videos: unknown: "Tuntematon videomuoto" watch: "Katso video palvelussa <%= provider %>" diff --git a/config/locales/javascript/javascript.fr.yml b/config/locales/javascript/javascript.fr.yml index a6111291a..51fad058c 100644 --- a/config/locales/javascript/javascript.fr.yml +++ b/config/locales/javascript/javascript.fr.yml @@ -12,20 +12,20 @@ fr: all_aspects: "Tous les aspects" error: "Impossible de partager avec <%= name %>. Ignorez-vous cette personne ?" error_remove: "Ne peut pas supprimer <%= name %> de l'aspect :(" + mobile_row_checked: "<%= name %> (retirer)" + mobile_row_unchecked: "<%= name %> (ajouter)" select_aspects: "Choisir les aspects" started_sharing_with: "Vous avez commencé à partager avec <%= name %> !" stopped_sharing_with: "Vous avez arrêté de partager avec <%= name %>." toggle: - few: "Dans <%= count %> aspects" - many: "Dans <%= count %> aspects" one: "Dans <%= count %> aspect" other: "Dans <%= count %> aspects" - two: "Dans <%= count %> aspects" zero: "Sélectionnez les aspects" + updating: "Mise à jour..." aspect_navigation: add_an_aspect: "+ Ajouter un aspect" deselect_all: "Désélectionner tout" - no_aspects: "Aucun aspect sélectionné" + no_aspects: "Aucun aspect sélectionnée" select_all: "Sélectionner tout" bookmarklet: post_something: "Publier sur diaspora*" @@ -37,6 +37,15 @@ fr: no_comments: "Il n'y a pas encore de commentaires." show: "Afficher tous les commentaires" confirm_dialog: "Êtes-vous certain-e ?" + confirm_unload: "Merci de confirmer que vous voulez quitter cette page — les données saisies ne seront pas sauvegardées." + contacts: + add_contact: "Ajouter ce contact" + aspect_list_is_not_visible: "Les contacts de cette facette ne peuvent pas se voir entre eux." + aspect_list_is_visible: "Les contacts de cette facette peuvent se voir entre eux." + error_add: "Impossible d'ajouter <%= name %> à cette facette :(" + error_remove: "Impossible de retirer <%= name %> de cette facette :(" + remove_contact: "Retirer ce contact" + search_no_results: "Aucun contact trouvé" conversation: participants: "Participants" delete: "Effacer" @@ -44,6 +53,7 @@ fr: failed_to_like: "Impossible d'aimer !" failed_to_post_message: "Impossible de partager le message !" failed_to_remove: "L'entrée n'a pu être supprimée" + failed_to_reshare: "Échec du repartage" getting_started: alright_ill_wait: "Bon, je vais attendre." hey: "Hey, <%= name %> !" @@ -64,6 +74,8 @@ fr: search: "Trouver des personnes ou #tags" settings: "Paramètres" view_all: "Tout afficher" + hide_post: "Masquer ce message ?" + hide_post_failed: "Impossible de masquer ce message" ignore: "Ignorer" ignore_failed: "Impossible d'ignorer cet utilisateur" ignore_user: "Ignorer cet utilisateur ?" @@ -71,13 +83,21 @@ fr: no_more: "Pas d'autres messages." no_more_contacts: "Pas d'autres contacts." my_activity: "Mon activité" - my_aspects: "Mes Aspects" + my_aspects: "Mes aspects" my_stream: "Flux" + no_results: "Aucun résultat" notifications: mark_read: "Marquer comme lu" mark_unread: "Marquer comme non lu" people: + edit_my_profile: "Modifier mon profil" + helper: + is_not_sharing: "<%= name %> ne partage pas avec vous" + is_sharing: "<%= name %> partage avec vous" + mention: "Mentionner" + message: "Message" not_found: "Et personne n'a été trouvé ..." + stop_ignoring: "Ne plus ignorer" photo_uploader: completed: "<%= file %> complété" empty: "{file} est vide, merci de sélectionner d'autres fichiers." @@ -90,9 +110,23 @@ fr: count: one: "<%=count%> vote pour le moment" other: "<%=count%> votes pour le moment" + go_to_original_post: "Vous pouvez participer à ce sondage sur le <%= original_post_link %>." + original_post: "message initial" result: "Résultat" show_result: "Afficher les résultats" vote: "Vote" + profile: + add_some: "ajouter" + bio: "Biographie" + born: "Anniversaire" + contacts: "Contacts" + edit: "modifier" + gender: "Genre" + ignoring: "Vous ignorez tous les messages de <%= name %>." + location: "Localisation" + photos: "Photos" + posts: "Messages" + you_have_no_tags: "vous n'avez pas de tag !" publisher: add_option: "Ajouter un choix" at_least_one_aspect: "Vous devez créer au moins un aspect" @@ -101,13 +135,14 @@ fr: option: "Choix" public: "Public - votre message sera visible de tous et trouvé par les moteurs de recherche" question: "Question" + remove_post: "Supprimer ce message ?" report: - name: "Rapport" + name: "Signaler" prompt: "Merci de saisir un motif :" prompt_default: "Contenu offensant" status: - created: "Le rapport a été crée avec succès." - exists: "Le rapport existe déjà" + created: "Le signalement a été crée avec succès." + exists: "Le signalement existe déjà" reshares: duplicate: "C'est si bien que ça ? Vous avez déjà repartagé ce message !" post: "Repartager le message de <%= name %> ?" @@ -116,6 +151,8 @@ fr: show_more: "Voir plus" stream: comment: "Commenter" + disable_post_notifications: "Désactiver les notifications pour ce message" + enable_post_notifications: "Activer les notifications pour ce message" follow: "Suivre" followed_tag: add_a_tag: "Ajouter un tag" @@ -153,7 +190,7 @@ fr: follow: "Suivre #<%= tag %>" following: "Suivant #<%= tag %>" stop_following: "Arrêter de suivre #<%= tag %>" - unfollow: "Ne pas suivre" + unfollow: "Ne plus suivre" unlike: "Je n'aime plus" via: "via <%= provider %>" tags: @@ -175,6 +212,7 @@ fr: wordSeparator: " " year: "un an" years: "%d ans" + unblock_failed: "Impossible de débloquer cet utilisateur" videos: unknown: "Type de vidéo inconnu" watch: "Voir cette vidéo sur <%= provider %>" diff --git a/config/locales/javascript/javascript.gd.yml b/config/locales/javascript/javascript.gd.yml new file mode 100644 index 000000000..42bbdcca5 --- /dev/null +++ b/config/locales/javascript/javascript.gd.yml @@ -0,0 +1,15 @@ +# Copyright (c) 2010-2013, Diaspora Inc. This file is +# licensed under the Affero General Public License version 3 or later. See +# the COPYRIGHT file. + + + +gd: + javascripts: + profile: + born: "Co-là-breith" + timeago: + prefixAgo: "" + prefixFromNow: "" + suffixAgo: "" + suffixFromNow: "" \ No newline at end of file diff --git a/config/locales/javascript/javascript.gl.yml b/config/locales/javascript/javascript.gl.yml index 972925341..c6920c3a3 100644 --- a/config/locales/javascript/javascript.gl.yml +++ b/config/locales/javascript/javascript.gl.yml @@ -7,6 +7,7 @@ gl: javascripts: confirm_dialog: "Está seguro?" + confirm_unload: "Confirme que quere abandonar esta páxina. Non se gardarán os datos que introduciu." report: prompt: "Explique o motivo:" prompt_default: "Contido ofensivo" @@ -20,9 +21,12 @@ gl: ignore: "Ignorar" report: "Denunciar" ignore_user: "Ignorar este usuario?" + ignore_failed: "Non é posíbel ignorar a este usuario" + unblock_failed: "Non foi posíbel retirarlle o bloqueo a este usuario" and: "e" comma: "," edit: "Editar" + no_results: "Non se atoparon resultados" timeago: prefixAgo: "Hai" prefixFromNow: "Dentro de" @@ -41,6 +45,14 @@ gl: years: "%d anos." wordSeparator: " " + contacts: + add_contact: "Engadir un contacto" + aspect_list_is_visible: "Os contactos deste aspecto poden verse os uns aos outros." + aspect_list_is_not_visible: "Os contactos deste aspecto non poden verse os uns aos outros." + remove_contact: "Retirar o contacto" + error_add: "Non foi posíbel engadir a <%= name %> ao aspecto :(" + error_remove: "Non foi posíbel retirar a <%= name %> do aspecto :(" + my_activity: "Actividade" my_stream: "Onda" my_aspects: "Aspectos" @@ -54,8 +66,8 @@ gl: limited: "Limitado. Só poderá velo a xente coa que comparte." public: "Público. Poderá velo calquera, e aparecerá nos motores de busca." near_from: "Publicado desde <%= location %>" - option: "Opción <%= nr %>" - add_option: "Engadir unha opción" + option: "Resposta" + add_option: "Engadir unha resposta" question: "Cuestión" bookmarklet: post_something: "Publicar en diaspora*" @@ -107,6 +119,25 @@ gl: wasnt_that_interesting: "Vale, supoño que #<%= tagName %> non era tan interesante…" people: not_found: "Non se atopou a ninguén." + mention: "Mención" + message: "Mensaxe" + edit_my_profile: "Editar o perfil persoal" + stop_ignoring: "Deixar de ignorar" + helper: + is_sharing: "<%= name %> está a compartir con vostede" + is_not_sharing: "<%= name %> non está a compartir con vostede" + profile: + edit: "Editar" + add_some: "Engadir algunhas" + you_have_no_tags: "Non ten etiquetas!" + ignoring: "Está a ignorar todas as publicacións de <%= name %>." + bio: "Biografía" + location: "Lugar" + gender: "Sexo" + born: "Data de nacemento" + photos: "Fotos" + contacts: "Contactos" + posts: "Publicacións" conversation: participants: "Participantes" diff --git a/config/locales/javascript/javascript.hu.yml b/config/locales/javascript/javascript.hu.yml index 5bf33364a..42d8220c0 100644 --- a/config/locales/javascript/javascript.hu.yml +++ b/config/locales/javascript/javascript.hu.yml @@ -37,6 +37,11 @@ hu: no_comments: "Még nincs hozzászólás." show: "összes hozzászólás" confirm_dialog: "Biztos vagy benne?" + contacts: + add_contact: "Ismerős hozzáadása" + aspect_list_is_not_visible: "A csoport tagjai nem láthatják egymást." + aspect_list_is_visible: "A csoport tagjai láthatják egymást." + remove_contact: "Ismerős eltávolítása" conversation: participants: "Résztvevők" delete: "Töröl" @@ -73,11 +78,16 @@ hu: my_activity: "Tevékenységeim" my_aspects: "Csoportjaim" my_stream: "Hírfolyam" + no_results: "Nincs találat" notifications: mark_read: "Olvasottnak jelöl" mark_unread: "Olvasatlannak jelöl" people: + edit_my_profile: "Adatlapom szerkesztése" + mention: "Említés" + message: "Üzenet" not_found: "és nem találni senkit..." + stop_ignoring: "Mellőzés megszüntetése" photo_uploader: completed: "<%= file %> feltöltve" empty: "{file} üres, kérlek válassz képeket újra, mellőzve a jelenlegit." @@ -92,6 +102,18 @@ hu: result: "Eredmény" show_result: "Eredmény mutatása" vote: "Szavazás" + profile: + add_some: "adj meg néhányat" + bio: "személyes" + born: "születésnap" + contacts: "ismerősök" + edit: "szerkesztés" + gender: "nem" + ignoring: "<%= name %> minden hozzászólását mellőzöd" + location: "lakóhely" + photos: "képek" + posts: "bejegyzések" + you_have_no_tags: "nincsenek címkéid!" publisher: add_option: "Válasz hozzáadása" at_least_one_aspect: "Legalább egy csoporttal meg kell osztanod!" diff --git a/config/locales/javascript/javascript.hy.yml b/config/locales/javascript/javascript.hy.yml index 65e496c3b..b02a67fbe 100644 --- a/config/locales/javascript/javascript.hy.yml +++ b/config/locales/javascript/javascript.hy.yml @@ -6,28 +6,54 @@ hy: javascripts: + and: "և" aspect_dropdown: add_to_aspect: "Ավելացնել" all_aspects: "Բոլոր խմբերը" error: "Չի ստացվում կիսվել <%= name %>-ի հետ։ Արհամարհու՞մ ես նրանց։" - select_aspects: "Ընտրիր խմբերը" + error_remove: "Չստացվեց ջնջել <%= name %>֊ին քո խմբերից ։Չ" + mobile_row_checked: "<%= name %> (ջնջել)" + mobile_row_unchecked: "<%= name %> (ավելացնել)" + select_aspects: "Ընտրել խմբերը" started_sharing_with: "Սկսեցիր կիսվել <%= name %>-ի հետ։" stopped_sharing_with: "Դու այլևս չես կիսվում <%= name %>-ի հետ։" toggle: one: "<%= count %> խմբում" other: "<%= count %> խմբերում" - zero: "Ընտրիր խմբերը" + zero: "Ընտրել խմբերը" + updating: "թարմացվում է․․․" aspect_navigation: + add_an_aspect: "+ Խումբ ավելացնել" deselect_all: "Ապանշել ամբողջը" no_aspects: "Ոչ մի խումբ ընտրված չէ" select_all: "Նշել ամբողջը" + bookmarklet: + post_something: "Գրառել Դիասպորայում" + post_submit: "Գրառվում է" + post_success: "Գրառվե՜ց։ փակում եմ պատուհանը։" + comma: "," comments: hide: "թաքցնել մեկնաբանությունները" + no_comments: "Մեկնաբանություններ դեռ չկան։" show: "ցույց տալ բոլոր մեկնաբանությունները" confirm_dialog: "Համոզվա՞ծ ես" + confirm_unload: "Հաստատիր, որ ուզում ես լքել այս էջը․ քո մուտքագրած տվյալները չեն պահպանվի։" + contacts: + add_contact: "Ընկեր ավելացնել" + aspect_list_is_not_visible: "Այս խմբի մարդիկ չեն կարող տեսնել միմյանց։" + aspect_list_is_visible: "Այս խմբի մարդիկ կարող են տեսնել իրար։" + error_add: "Չստացվեց <%= name %>ին ավելացնել խմբում։ Ափսո՜ս։" + error_remove: "Չստացվեց հեռացնել <%= name %>ին խմբից։ Ստիպված ես էլի դիմանալ։ ։Չ" + remove_contact: "Ջնջել ընկերոջը" + search_no_results: "Ոչ մեկ չգտնվեց" + conversation: + participants: "Մասնակիցներ" delete: "Ջնջել" + edit: "Փոփոխել" failed_to_like: "Չհաջողվեց հավանել" failed_to_post_message: "Չհաջողվեց գրառում կատարել" + failed_to_remove: "Չստացվեց ջնջել մուտքագրածը։" + failed_to_reshare: "Չստացվեց տարածել" getting_started: alright_ill_wait: "Լավ, ես կսպասեմ։" hey: "Հե՜յ, <%= name %>։" @@ -37,38 +63,102 @@ hy: admin: "Ադմին" close: "թաքցնել" contacts: "Կոնտակտներ" + conversations: "Զրույցներ" + help: "Օգնություն" home: "Գլխավոր էջ" log_out: "Ելք" mark_all_as_read: "Նշել ամբողջը որպես ընթերցված" notifications: "Ծանուցումներ" profile: "Անձնական էջ" - recent_notifications: "Վերջին ծանուցումներ" + recent_notifications: "Վերջին ծանուցումները" search: "Որոնում" settings: "Կարգավորումներ" view_all: "Ցույցադրել ամբողջը" + hide_post: "Թաքցնե՞լ այս գրառումը։" + hide_post_failed: "Չստացվեց թաքցնել գրառումը" ignore: "Արհամարհել" + ignore_failed: "Հնարավոր չեղավ արհամարհել այս մարդուն" ignore_user: "Արհամարհե՞լ այս օգտատիրոջը։" infinite_scroll: no_more: "Գրառումներ էլ չկան։" + no_more_contacts: "Էլ ընկերներ չկան։" my_activity: "Իմ գործունեությունը" + my_aspects: "Իմ խմբերը" my_stream: "Լրահոս" + no_results: "Արդյունքներ չգտնվեցին։" + notifications: + mark_read: "Նշել որպես նայած" + mark_unread: "Նշել որպես չընթերցված" people: + edit_my_profile: "Խմբագրել իմ էջը" + helper: + is_not_sharing: "<%= name %>ը քո հետ չի կիսվում" + is_sharing: "ո՜ւռա, <%= name %>ը կիսվում է քո հետ" + mention: "Նշել" + message: "Հաղորդագրություն" not_found: "և ոչ ոք չգտնվեց..." + stop_ignoring: "Դադարել արհամարհել" photo_uploader: + completed: "<%= file %> ավարտված է" + empty: "{file} նիշքը(file) դատարկ է։ Կրկին ընտրի՛ր նիշքերը առանց դրա։" + error: "Խնդիրներ առաջացան <%= file %> նիշքը վերբեռնելու ժամանակ" + invalid_ext: "{file}֊ը անհամապատասխան ընդլայնման է։ Միայն {extensions} են թույլատրվում։" looking_good: "Օ՜, աստվածներ, հիանալի տեսք ունես։" + size_error: "{file}-ը չափից դուրս մեծ է, առավելագույն չափն է՝ {sizeLimit}։" + poll: + close_result: "Թաքցնել արդյունքը" + count: + one: "առայժմ 1 ձայն" + other: "առայժմ <%=count%> ձայն" + go_to_original_post: "Դու կարող ես մասնակցել հարցմանը <%= original_post_link %>֊ում։" + original_post: "բնօրինակ գրառում" + result: "Արդյունքները" + show_result: "Ցուցադրել արդյունքը" + vote: "Քվեարկել" + profile: + add_some: "Մի քանի հատ դնե՞լ" + bio: "Մասին" + born: "Ծննդյան ամսաթիվ" + contacts: "Ընկերներ" + edit: "Փոփոխել" + gender: "Սեռ" + ignoring: "Դու արհամարհում ես <%= name %>֊ի բոլոր գրառումները։" + location: "Տեղակայություն" + photos: "Նկարներ" + posts: "Գրառումներ" + you_have_no_tags: "Ոչ մի պիտակ չունես։" publisher: + add_option: "Պատասխան ավելացնել" at_least_one_aspect: "Գրառումդ պետք է տեսանելի լինի առնվազն մեկ խմբի։" limited: "Սահմանափակ. սա նշանակում է, որ գրառումդ տեսանելի է լինելու միայն այն մարդկանց, ում հետ կիսվում ես։" + near_from: "Գրառված է <%= location %>֊ից։" + option: "Պատասխան" public: "Հրապարակային. սա նշանակում է, որ գրառումդ տեսանելի է լինելու բոլորին և հասանելի կլինի փնտրող համակարգերի համար։" + question: "Հարց" + remove_post: "Ջնջե՞լ այս գրառումը։" + report: + name: "Բողոքել" + prompt: "Խնդրում ենք մուտքագրել պատճառը․" + prompt_default: "օրինակ՝ վիրավորական բովանդակություն" + status: + created: "Բողոքը հաջողությամբ ստեղծվեց" + exists: "Բողոքը արդեն ստեղծված է" reshares: duplicate: "Էդքան լա՞վն ա... Արդեն տարածել ես սա։" - post: "Տարածե՞լ <%= name %>-ի գրառումը։" + post: "Տարածե՞լ <%= name %>ի գրառումը։" successful: "Այս գրառումը հաջողությամբ տարածվեց։" search_for: "Փնտրել <%= name %>" show_more: "ցույց տալ ավելին" stream: comment: "Մեկնաբանել" + disable_post_notifications: "Չստանալ ծանուցումներ այս գրառումից" + enable_post_notifications: "Ծանուցումներ ստանալ այս գրառումից" follow: "Հետևել" + followed_tag: + add_a_tag: "Պիտակ ավելացնել" + contacts_title: "Այս պիտակներով խորացած մարդիկ" + follow: "Հետևել" + title: "#Հետևվող պիտակներ" hide: "Թաքցնել" hide_nsfw_posts: "Թաքցնել #քըխ գրառումները" like: "Հավանել" @@ -90,8 +180,13 @@ hy: zero: "Ոչ ոք չի տարածել" show_nsfw_post: "Ցուցադրել գրառումը" show_nsfw_posts: "Ցուցադրել ամբողջը" + tags: + follow: "Հետևել #<%= tag %>ին" + following: "Հետևում ես #<%= tag %>ին" + stop_following: "Դադարել հետևել #<%= tag %>ին" unfollow: "Չհետևել" unlike: "Ապահավանել" + via: "<%= provider %>֊ի միջոցով" tags: wasnt_that_interesting: "Լավ, ենթադրում եմ, որ #<%= tagName %>-ը էդքան էլ հետքրքիր չէր..." timeago: @@ -108,8 +203,10 @@ hy: seconds: "վայրկյաններ" suffixAgo: "առաջ" suffixFromNow: "հիմիկվանից սկսած" + wordSeparator: " " year: "մոտ մեկ տարի" years: "%d տարի" + unblock_failed: "Չստացվեց ապարգելափակել այս օգտատիրոջը" videos: unknown: "Տեսահոլովակի անհայտ տեսակ։" watch: "Դիտել այս տեսահոլովակը <%= provider %> կայքում" diff --git a/config/locales/javascript/javascript.ia.yml b/config/locales/javascript/javascript.ia.yml index 34a0b17d5..fb300c89e 100644 --- a/config/locales/javascript/javascript.ia.yml +++ b/config/locales/javascript/javascript.ia.yml @@ -20,17 +20,31 @@ ia: deselect_all: "Deseliger totes" no_aspects: "Nulle aspecto seligite" select_all: "Seliger totes" + bookmarklet: + post_something: "Inviar a diaspora*" + post_submit: "Submitte entrata…" + post_success: "Inviate! Le fenestra se claude ora…" comma: "," comments: hide: "celar commentos" + no_comments: "Il non ha ancora commentos." show: "revelar tote le commentos" confirm_dialog: "Es tu secur?" + contacts: + add_contact: "Adder contacto" + aspect_list_is_not_visible: "Le contactos in iste aspecto non pote vider le un le altere." + aspect_list_is_visible: "Le contactos in iste aspecto pote vider le un le altere." + error_add: "Non poteva adder <%= name %> al aspecto." + error_remove: "Non poteva remover <%= name %> del aspecto." + remove_contact: "Remover contacto" + search_no_results: "Nulle contacto trovate" conversation: participants: "Participantes" delete: "Deler" edit: "Modificar" failed_to_like: "Appreciation fallite!" failed_to_post_message: "Publication del entrata fallite!" + failed_to_remove: "Le remotion del entrata ha fallite." getting_started: alright_ill_wait: "Ben, io attendera." hey: "Hallo, <%= name %>!" @@ -40,6 +54,8 @@ ia: admin: "Administration" close: "clauder" contacts: "Contactos" + conversations: "Conversationes" + help: "Adjuta" home: "Initio" log_out: "Clauder session" mark_all_as_read: "Marcar totes como legite" @@ -49,7 +65,10 @@ ia: search: "Cercar" settings: "Configuration" view_all: "Vider totes" + hide_post: "Celar iste entrata?" + hide_post_failed: "Impossibile celar ite entrata" ignore: "Ignorar" + ignore_failed: "Impossibile ignorar iste usator" ignore_user: "Ignorar iste usator?" infinite_scroll: no_more: "Nulle messages restante." @@ -57,19 +76,64 @@ ia: my_activity: "Mi activitate" my_aspects: "Mi aspectos" my_stream: "Fluxo" + no_results: "Nulle resultato trovate" + notifications: + mark_read: "Marcar como legite" + mark_unread: "Marcar como non legite" people: + edit_my_profile: "Modificar mi profilo" + helper: + is_not_sharing: "<%= name %> non divide cosas con te" + is_sharing: "<%= name %> divide cosas con te" + mention: "Mention" + message: "Message" not_found: "e nemo ha essite trovate..." + stop_ignoring: "Cessar de ignorar" photo_uploader: completed: "<%= file %> complete" empty: "{file} es vacue. Per favor re-selige le files sin iste." + error: "Un problema ha occurrite durante le incargamento del file <%= file %>" invalid_ext: "{file} ha un extension inadmissibile. Solmente {extensions} es permittite." looking_good: "Oh, tu pare splendide!" size_error: "{file} es troppo grande. Le dimension maxime es {sizeLimit}." + poll: + close_result: "Celar resultato" + count: + one: "1 voto usque ora" + other: "<%=count%> votos usque ora" + go_to_original_post: "Tu pote participar a iste sondage in le <%= original_post_link %>." + original_post: "entrata original" + result: "Resultato" + show_result: "Monstrar resultato" + vote: "Votar" + profile: + add_some: "adder alcunes" + bio: "Bio" + born: "Data de nascentia" + contacts: "Contactos" + edit: "modificar" + gender: "Sexo" + ignoring: "Tu ignora tote le entratas de <%= name %>." + location: "Loco" + photos: "Photos" + posts: "Entratas" + you_have_no_tags: "tu non ha etiquettas!" publisher: + add_option: "Adder un responsa" at_least_one_aspect: "Le publication debe esser includite in al minus un aspecto" limited: "Limitate: le message es visibile solmente pro le personas con qui tu lo divide" - near_from: "Vicinitate de: <%= location %>" + near_from: "Inviate ab: <%= location %>" + option: "Responsa" public: "Public: le message es visibile pro tote le mundo e trovabile pro motores de recerca" + question: "Question" + remove_post: "Remover iste entrata?" + report: + name: "Reporto" + prompt: "Specifica un motivo:" + prompt_default: "contento offensive" + status: + created: "Le creation del reporto ha succedite" + exists: "Le reporto jam existe" reshares: duplicate: "Tu ha jam repetite iste entrata." post: "Repeter le entrata de <%= name %>?" @@ -78,6 +142,8 @@ ia: show_more: "monstrar plus" stream: comment: "Commentar" + disable_post_notifications: "Disactivar le notificationes pro iste entrata" + enable_post_notifications: "Activar le notificationes pro iste entrata" follow: "Sequer" followed_tag: add_a_tag: "Adder un etiquetta" @@ -99,6 +165,7 @@ ia: stop_following: "Cessar de sequer #<%= tag %>" unfollow: "Non plus sequer" unlike: "Non plus appreciar" + via: "via <%= provider %>" tags: wasnt_that_interesting: "OK, io suppone que #<%= tagName %> non es si interessante..." timeago: @@ -115,8 +182,10 @@ ia: seconds: "minus de un minuta" suffixAgo: "retro" suffixFromNow: "ab ora" + wordSeparator: " " year: "circa un anno" years: "%d annos" + unblock_failed: "Le action de disblocar iste usator ha fallite" videos: unknown: "Typo de video incognite" watch: "Spectar iste video sur <%= provider %>" diff --git a/config/locales/javascript/javascript.is.yml b/config/locales/javascript/javascript.is.yml index ee4925ee7..7513baf90 100644 --- a/config/locales/javascript/javascript.is.yml +++ b/config/locales/javascript/javascript.is.yml @@ -85,7 +85,7 @@ is: post: "Deila áfram skeyti frá <%= name %>?" successful: "Tókst að deila þessu skeyti áfram!" search_for: "Search for <%= name %>" - show_more: "birta fleirri" + show_more: "sýna meira" stream: comment: "Athugasemd" follow: "Fyljgast með" diff --git a/config/locales/javascript/javascript.kk.yml b/config/locales/javascript/javascript.kk.yml new file mode 100644 index 000000000..d1704176c --- /dev/null +++ b/config/locales/javascript/javascript.kk.yml @@ -0,0 +1,17 @@ +# Copyright (c) 2010-2013, Diaspora Inc. This file is +# licensed under the Affero General Public License version 3 or later. See +# the COPYRIGHT file. + + + +kk: + javascripts: + aspect_dropdown: + mobile_row_checked: "<%= name %> (жою)" + mobile_row_unchecked: "<%= name %>(үстеу)" + updating: "жаңала..." + timeago: + prefixAgo: "" + prefixFromNow: "" + suffixAgo: "" + suffixFromNow: "" \ No newline at end of file diff --git a/config/locales/javascript/javascript.ms.yml b/config/locales/javascript/javascript.ms.yml index babb93f1e..4296e2dbb 100644 --- a/config/locales/javascript/javascript.ms.yml +++ b/config/locales/javascript/javascript.ms.yml @@ -6,10 +6,12 @@ ms: javascripts: + and: "dan" aspect_dropdown: add_to_aspect: "Tambah kenalan" all_aspects: "Semua aspek" error: "Tidak dapat berkongsi dengan <%= name %>. Adakah anda mengabaikan mereka?" + error_remove: "Tidak dapat mengeluarkan <%= name %> daripada aspek :(" select_aspects: "Pilih kenalan" started_sharing_with: "Anda telah mula berkongsi dengan <%= name %>!" stopped_sharing_with: "Anda telah berhenti berkongsi dengan <%= name %>." @@ -17,35 +19,117 @@ ms: other: "dalam <%= count %> aspek" zero: "Pilih aspek" aspect_navigation: + add_an_aspect: "+ Tambah sebuah aspek" deselect_all: "menyahpilih semua" no_aspects: "Tiada aspek yang dipilih" select_all: "Pilih semua" + bookmarklet: + post_something: "Pos kepada diaspora*" + post_submit: "Menghantar pos..." + post_success: "Disiarkan! Menutup tetingkap popup..." + comma: "," comments: hide: "sembunyi komen" + no_comments: "Tiada komen lagi." show: "tunjuk semua komen" confirm_dialog: "Anda pasti?" + confirm_unload: "Sila sahkan bahawa anda mahu meninggalkan halaman ini - data yang telah anda masukkan tidak akan disimpan." + contacts: + add_contact: "Tambah kenalan" + aspect_list_is_not_visible: "Kenalan dalam aspek ini tidak dapat melihat satu sama lain." + aspect_list_is_visible: "Kenalan dalam aspek ini dapat melihat satu sama lain." + error_add: "Tidak dapat menambah <%= name %> kepada aspek :(" + error_remove: "Tidak dapat membuang <%= name %> dari aspek :(" + remove_contact: "Buang kenalan" + conversation: + participants: "Peserta" + edit: "Edit" failed_to_like: "Gagal untuk suka!" failed_to_post_message: "Gagal untuk pos mesej!" + failed_to_remove: "Gagal membuang catatan!" getting_started: alright_ill_wait: "Baiklah, saya akan tunggu." hey: "Hei, <%= name %>!" no_tags: "Hei, anda tidak mengikuti mana-mana tag! Teruskan juga?" preparing_your_stream: "Menyediakan strim peribadi anda..." header: + close: "tutup" + conversations: "Perbualan" + help: "Bantuan" search: "Find people or #tags" + ignore_failed: "Tidak boleh mengabaikan pengguna ini" + ignore_user: "Abaikan pengguna ini?" infinite_scroll: no_more: "Tiada lagi pos." + no_more_contacts: "Tiada lagi kenalan." + my_aspects: "Aspek-aspek saya" + no_results: "Tiada Hasil Dijumpai" + notifications: + mark_read: "Tanda sudah dibaca" + mark_unread: "Tanda belum dibaca" + people: + edit_my_profile: "Edit profil saya" + helper: + is_not_sharing: "<%= name %> tidak berkongsi dengan anda" + is_sharing: "<%= name %> berkongsi dengan anda" + message: "Mesej" + not_found: "...dan tiada orang yang dijumpai." + stop_ignoring: "Berhenti mengabaikan" photo_uploader: + completed: "<%= file %> siap" + empty: "{file} kosong, sila pilih fail sekali lagi tanpa ia." + error: "Berlaku masalah semasa memuat naik fail <%= file %>" + invalid_ext: "{file} mempunyai sambungan tidak sah. Hanya {extensions} dibenarkan." looking_good: "Wah, anda nampak hebat! \n" + size_error: "{file} terlalu besar, saiz fail maksimum adalah {sizeLimit}" + poll: + close_result: "Sembunyikan keputusan" + count: + other: |- + 1 undi setakat ini + + <%=count%> undian setakat ini + result: "Keputusan" + show_result: "Paparkan keputusan" + vote: "Undi" + profile: + add_some: "tambah beberapa" + born: "Hari Lahir" + contacts: "Kenalan-kenalan" + edit: "edit" + gender: "Jantina" + ignoring: "Anda mengabaikan semua siaran daripada <%= name %>." + location: "Lokasi" + photos: "Gambar" + posts: "Catatan" + you_have_no_tags: "anda tidak mempunyai tag!" publisher: + add_option: "Tambah jawapan" at_least_one_aspect: "Anda perlu menerbitkan sekurang-kurangnya satu aspek" limited: "Terhad - catatan anda hanya akan dilihat oleh orang-orang yang berkongsi dengan anda" + near_from: "Dicatatkan dari: <%= location %>" + option: "Jawapan" public: "Awam - Pos anda akan dilihat oleh semua orang dan dijumpai oleh enjin carian" + question: "Soalan" + report: + name: "Lapor" + prompt: "Sila sertakan sebab:" + prompt_default: "kandungan yang menyinggung" + status: + created: "Laporan itu sudah wujud" + exists: "Laporan itu sudah wujud" reshares: duplicate: "Yang baik, kan? Anda telah berkongsi semula pos itu!" + post: "Kongsi semula catatan <%= name %>?" + successful: "Catatan berjaya dikongsi semula!" search_for: "Mencari <%= name %>" show_more: "tunjuk lagi" stream: + followed_tag: + add_a_tag: "Tambah sebuah tag" + contacts_title: "Orang yang meminati tag ini" + follow: "Ikuti" + title: "Tag #Diikuti" likes: few: "<%= count %> Likes" many: "<%= count %> Likes" @@ -67,6 +151,11 @@ ms: other: "<%= count %> Reshares" two: "<%= count %> Reshares" zero: "<%= count %> Reshares" + tags: + follow: "Ikuti #<%= tag %>" + following: "Mengikuti #<%= tag %>" + stop_following: "Berhenti Mengikuti #<%= tag %>" + via: "melalui <%= provider %>" tags: wasnt_that_interesting: "OK, saya mengandaikan #<%= tagName %> tidak semua yang menarik..." timeago: @@ -85,6 +174,7 @@ ms: suffixFromNow: "dari sekarang" year: "kira-kira setahun" years: "%d tahun" + unblock_failed: "Membuang sekatan pada pengguna ini telah gagal" videos: unknown: "Jenis video tidak diketahui" watch: "Tonton video ini di <%= provider %>" \ No newline at end of file diff --git a/config/locales/javascript/javascript.nds.yml b/config/locales/javascript/javascript.nds.yml new file mode 100644 index 000000000..08c869962 --- /dev/null +++ b/config/locales/javascript/javascript.nds.yml @@ -0,0 +1,141 @@ +# Copyright (c) 2010-2013, Diaspora Inc. This file is +# licensed under the Affero General Public License version 3 or later. See +# the COPYRIGHT file. + + + +nds: + javascripts: + and: "un" + aspect_dropdown: + add_to_aspect: "Kontakt sluten" + all_aspects: "Alle Aspekte" + toggle: + one: "In een Aspekt" + other: "In <%= count %> Aspekte" + zero: "Aspekte utwählen" + aspect_navigation: + add_an_aspect: "+ Do een nee’en Aspekt dorto" + deselect_all: "Alle afwählen" + no_aspects: "Keene Aspekte utwählt" + select_all: "Alle utwählen" + bookmarklet: + post_something: "Schriev wat in diaspora*" + post_submit: "Schick Bidrag af..." + post_success: "Verfat! Mok Pop-Up-Fenster to..." + comma: "," + comments: + hide: "Kommentore versteken" + no_comments: "Dat gift noch keene Kommentore." + show: "Alle Kommentore anzeigen" + confirm_dialog: "Bist du seker?" + contacts: + add_contact: "Kontakt sluten" + aspect_list_is_not_visible: "Kontakte in dissen Aspekt künnt sick nich gegensiedich seihn." + aspect_list_is_visible: "Kontakte in dissen Aspekt künnt sick gegensiedich seihn." + error_add: "Kunn <%= name %> nich ton Aspekt dortodoon :(" + error_remove: "Kunn <%= name %> nich ut den Aspekt wegmoken :(" + remove_contact: "Kontakt wegmoken" + conversation: + participants: "Bedeeligte" + delete: "Löschen" + edit: "Ännern" + failed_to_remove: "Kunn denn Indrag nich wegmoken!" + getting_started: + hey: "He, <%= name %>!" + header: + admin: "Admin" + close: "sluten" + contacts: "Kontakte" + conversations: "Snacks" + help: "Hülp" + home: "Startsiet" + log_out: "Afmellen" + notifications: "Benarichtigungen" + profile: "Profil" + search: "Söken" + settings: "Instellungen" + ignore: "Ignoreren" + ignore_failed: "Kunn dissen Benutter nich ignoreren" + ignore_user: "Dissen Benutter ignoreren?" + infinite_scroll: + no_more: "Keene Bidräg mehr." + no_more_contacts: "Keene annern Kontakte." + my_aspects: "Miene Aspekte" + my_stream: "Stream" + no_results: "Keene Resultate funnen" + notifications: + mark_read: "As lesen markeren" + mark_unread: "As unlesen markeren" + people: + edit_my_profile: "Mien Profil ännern" + message: "Naricht" + not_found: "un keener is funnen worrn..." + stop_ignoring: "Nich mehr ignoreren" + photo_uploader: + error: "Dat geev een Problem bin hoochladen von de Datei <%= file %>" + looking_good: "OMG, du sühst toll ut!" + poll: + close_result: "Resultat versteken" + count: + one: "Een Stimm bit nu" + other: "<%=count%> Stimmen bit nu" + result: "Resultat" + show_result: "Resultat zeigen" + vote: "Afstimmen" + profile: + born: "Geburtsdag" + contacts: "Kontakte" + edit: "ännern" + gender: "Geschlecht" + ignoring: "Du ignoreerst alle Bidräg von <%= name %>." + photos: "Biller" + posts: "Bidräg" + publisher: + add_option: "Do eene Antwort dorto" + near_from: "Verfat von: <%= location %>" + option: "Antwort" + question: "Froog" + report: + prompt: "Bidde geev een Grund an:" + reshares: + post: "<%= name %>s Bidrag wiederseggen?" + successful: "De Bidrag is erfolgriek wiederseggt worrn!" + show_more: "mehr anzeigen" + stream: + comment: "Kommentor" + follow: "Folgen" + hide: "Versteken" + hide_nsfw_posts: "#nsfw-Bidräg versteken" + likes: + one: "Eener mag dat" + other: "<%= count %> Lüü mögt dat" + zero: "Keener mag dat" + more_comments: + one: "Zeig een annern Kommentor" + other: "Zeig <%= count %> annere Kommentore" + zero: "Zeig keene annern Kommentore" + original_post_deleted: "Originalbidrag von den Autor löscht." + public: "Opentlich" + reshares: + one: "Een mol wiederseggt" + other: "<%= count %> mol wiederseggt" + zero: "Keen mol wiederseggt" + show_nsfw_post: "Bidrag anzeigen" + show_nsfw_posts: "Alle anzeigen" + unfollow: "Nich mehr folgen" + via: "öber <%= provider %>" + timeago: + day: "een Dag" + days: "%d Doog" + minutes: "%d Minuten" + months: "%d Monate" + prefixAgo: "" + prefixFromNow: "" + seconds: "weniger as eene Minute" + suffixAgo: "" + suffixFromNow: "" + wordSeparator: " " + years: "%d Johre" + viewer: + home: "STARTSIET" \ No newline at end of file diff --git a/config/locales/javascript/javascript.nl.yml b/config/locales/javascript/javascript.nl.yml index 2fc08d596..ccb3556c9 100644 --- a/config/locales/javascript/javascript.nl.yml +++ b/config/locales/javascript/javascript.nl.yml @@ -10,8 +10,10 @@ nl: aspect_dropdown: add_to_aspect: "Voeg contact toe" all_aspects: "Alle aspecten" - error: "Je kan niet delen met <%= name %>. Negeer je hem?" + error: "Je kan niet delen met <%= name %>. Negeer je hen?" error_remove: "Kon <%= name %> niet uit het aspect verwijderen :(" + mobile_row_checked: "<%= name %> (verwijderen)" + mobile_row_unchecked: "<%= name %> (toevoegen)" select_aspects: "Selecteer aspecten" started_sharing_with: "Je deelt nu met <%= name %>!" stopped_sharing_with: "Je deelt niet meer met <%= name %>." @@ -22,6 +24,7 @@ nl: other: "In <%= count %> aspecten" two: "In <%= count %> aspecten" zero: "Aspecten selecteren" + updating: "bijwerken..." aspect_navigation: add_an_aspect: "+ Toevoegen aspect" deselect_all: "Alles deselecteren" @@ -33,10 +36,19 @@ nl: post_success: "Geplaatst! Sluit nu pop-up venster..." comma: "," comments: - hide: "verberg reacties" + hide: "Verberg reacties" no_comments: "Er zijn nog geen reacties." - show: "laat reacties zien" + show: "Laat reacties zien" confirm_dialog: "Weet je het zeker?" + confirm_unload: "Bevestig dat je deze pagina wilt verlaten - gegevens die je hebt ingevoerd, worden niet bewaard." + contacts: + add_contact: "Toevoegen contact" + aspect_list_is_not_visible: "Contactpersonen in dit aspect kunnen elkaar niet zien." + aspect_list_is_visible: "Contactpersonen in dit aspect kunnen elkaar zien." + error_add: "Kon <%= name %> niet toevoegen aan het aspect :(" + error_remove: "Kon <%= name %> niet verwijderen uit het aspect :(" + remove_contact: "Verwijder contact" + search_no_results: "geen contactpersonen gevonden" conversation: participants: "Deelnemers" delete: "Verwijder" @@ -44,6 +56,7 @@ nl: failed_to_like: "Leuk vinden mislukt!" failed_to_post_message: "Bericht plaatsen mislukt!" failed_to_remove: "Kon het bericht niet verwijderen!" + failed_to_reshare: "Doorgeven mislukt!" getting_started: alright_ill_wait: "Prima, ik wacht wel." hey: "Hallo, <%= name %>!" @@ -51,7 +64,7 @@ nl: preparing_your_stream: "Je gepersonaliseerde stream klaarmaken..." header: admin: "Beheer" - close: "sluit" + close: "Sluiten" contacts: "Contacten" conversations: "Conversaties" help: "Help" @@ -60,10 +73,12 @@ nl: mark_all_as_read: "Markeer alles gelezen" notifications: "Notificaties" profile: "Profiel" - recent_notifications: "Recente Notificaties" + recent_notifications: "Recente meldingen" search: "Zoek" settings: "Instellingen" view_all: "Bekijk alle" + hide_post: "Dit bericht verbergen?" + hide_post_failed: "Kon bericht niet verbergen" ignore: "Negeer" ignore_failed: "Kan deze gebruiker niet negeren" ignore_user: "Wilt u deze gebruiker negeren?" @@ -73,11 +88,19 @@ nl: my_activity: "Mijn activiteit" my_aspects: "Mijn aspecten" my_stream: "Stream" + no_results: "Geen zoekresultaten" notifications: mark_read: "Markeren als gelezen" mark_unread: "Markeren als ongelezen" people: - not_found: "en niemand is gevonden..." + edit_my_profile: "Bewerk mijn profiel" + helper: + is_not_sharing: "<%= name %> deelt niet met jou" + is_sharing: "<%= name %> deelt met jou" + mention: "Vermelden" + message: "Bericht" + not_found: "... en er niemand gevonden" + stop_ignoring: "Stop negeren" photo_uploader: completed: "<%= file %> gereed" empty: "{file} is leeg. Selecteer de bestanden opnieuw, zonder deze." @@ -90,32 +113,49 @@ nl: count: one: "1 stem tot dit moment" other: "<%=count%> stemmen tot dit moment" + go_to_original_post: "Je kunt deelnemen aan deze peiling over <%= original_post_link %>" + original_post: "origineel bericht" result: "Resultaat" show_result: "Toon resultaat" vote: "Stem" + profile: + add_some: "Voeg wat toe" + bio: "Bio" + born: "Verjaardag" + contacts: "Contacten" + edit: "Bewerken" + gender: "Geslacht" + ignoring: "Je negeert alle berichten van <%= name %>" + location: "Locatie" + photos: "Foto's" + posts: "Berichten" + you_have_no_tags: "Je hebt geen tags!" publisher: add_option: "Keuzemogelijkheid toevoegen" at_least_one_aspect: "Je moet op zijn minst één aspect publiceren" - limited: "Gelimiteerd - je post is alleen zichtbaar voor de mensen waarmee je hem deelt" + limited: "Gelimiteerd - je bericht is alleen zichtbaar voor de mensen waarmee je hem deelt" near_from: "Geplaatst vanaf: <%= location %>" option: "Keuze <%= nr %>" - public: "Openbaar - je post is zichtbaar voor iedereen en kan gevonden worden door zoekmachines" + public: "Openbaar - je bericht is zichtbaar voor iedereen en kan gevonden worden door zoekmachines" question: "Vraag" + remove_post: "Dit bericht verwijderen?" report: name: "Melding" prompt: "Geef de reden op:" - prompt_default: "aanstootgevende inhoud" + prompt_default: "b.v. aanstootgevende inhoud" status: created: "Het is succesvol gemeld" exists: "De melding bestaat al" reshares: - duplicate: "Je hebt dit bericht al doorgegeven! Is hij echt zo goed?" - post: "Deel <%= name %>'s bericht?" + duplicate: "Je hebt dit bericht al doorgegeven! Is het echt zo goed?" + post: "Doorgeven <%= name %>'s bericht?" successful: "Het bericht is gedeeld!" search_for: "Zoek naar <%= name %>" - show_more: "laat meer zien" + show_more: "Laat meer zien" stream: comment: "Reageren" + disable_post_notifications: "Uitschakelen meldingen voor dit bericht" + enable_post_notifications: "Inschakelen meldingen voor dit bericht" follow: "Volgen" followed_tag: add_a_tag: "Voeg een label toe" @@ -169,13 +209,14 @@ nl: wordSeparator: " " year: "ongeveer een jaar" years: "%d jaar" + unblock_failed: "Deblokkeren van deze gebruiker is mislukt" videos: unknown: "Onbekend video type" watch: "Bekijk deze video op <%= provider %>" viewer: comment: "Reageren" follow_post: "Volgen" - home: "HOME" + home: "Home" like: "Vind ik leuk" reshare: "Doorgeven" reshared: "Doorgegeven" diff --git a/config/locales/javascript/javascript.pl.yml b/config/locales/javascript/javascript.pl.yml index 316652ccd..32ae4e929 100644 --- a/config/locales/javascript/javascript.pl.yml +++ b/config/locales/javascript/javascript.pl.yml @@ -37,6 +37,14 @@ pl: no_comments: "Póki co nie ma jeszcze żadnych komentarzy." show: "wyświetl wszystkie komentarze" confirm_dialog: "Czy @{m,f:jesteś|n:na}{ pew}{m:ien|f:na|n:no}?" + confirm_unload: "Potwierdź, że chcesz opuścić tą stronę. Dane, które wprowadziłeś, nie zostaną zapisane." + contacts: + add_contact: "Dodaj kontakt" + aspect_list_is_not_visible: "Kontakty z tego aspektu nie widzą się nawzajem." + aspect_list_is_visible: "Kontakty z tego aspektu mogą zobaczyć się nawzajem." + error_add: "Nie udało się dodać <%= name %> do aspektu :(" + error_remove: "Nie udało się usunąć <%= name %> z aspektu :(" + remove_contact: "Usuń kontakt" conversation: participants: "Uczestnicy" delete: "Usuń" @@ -65,6 +73,7 @@ pl: settings: "Ustawienia" view_all: "Wyświetl wszystko" ignore: "Ignoruj" + ignore_failed: "Nie można zignorować tego użytkownika" ignore_user: "Zignorować tego użytkownika?" infinite_scroll: no_more: "Nie ma więcej wpisów." @@ -72,11 +81,19 @@ pl: my_activity: "Moja aktywność" my_aspects: "Moje aspekty" my_stream: "Strumień" + no_results: "Brak rezultatów" notifications: mark_read: "Oznacz jako przeczytane" mark_unread: "Oznacz jako nieprzeczytane" people: + edit_my_profile: "Edytuj profil" + helper: + is_not_sharing: "<%= name %> Ci nie udostępnia." + is_sharing: "<%= name %> Ci udostępnia." + mention: "Wzmianka" + message: "Wiadomość" not_found: "...i nikogo nie odnaleziono." + stop_ignoring: "Przestań ignorować" photo_uploader: completed: "<%= file %> ukończono" empty: "{file} jest pusty. Proszę dokonać nowego wyboru bez tego pliku." @@ -92,15 +109,29 @@ pl: one: "<%=count%> głos jak do tej pory" other: "<%=count%> głosów" zero: "Żaden głos nie został na razie oddany" + go_to_original_post: "Możesz oddać głos w tej sondzie pod tym adresem: <%= original_post_link %>" + original_post: "oryginalny wpis" result: "Wynik" show_result: "Pokaż wynik" vote: "Zagłosuj" + profile: + add_some: "dodaj" + bio: "Opis" + born: "Urodziny" + contacts: "Kontakty" + edit: "zmień" + gender: "Płeć" + ignoring: "Ignorujesz wszystkie wpisy od <%= name %>." + location: "Miejscowość" + photos: "Zdjęcia" + posts: "Wpisy" + you_have_no_tags: "nie masz tagów!" publisher: - add_option: "Dodaj opcję" + add_option: "Dodaj odpowiedź" at_least_one_aspect: "Musisz udostępnić dla co najmniej jednego aspektu" limited: "Ograniczony - wpis będzie widoczny tylko dla wybranej grupy osób" near_from: "Blisko <%= location %>" - option: "Opcja <%= nr %>" + option: "Odpowiedź" public: "Publiczny - wpis będzie widoczny dla wszystkich i można go znaleźć przez wyszukiwarki" question: "Pytanie" report: @@ -177,6 +208,7 @@ pl: wordSeparator: " " year: "około roku" years: "%d lat" + unblock_failed: "Nie udało się odblokować tego użytkownika" videos: unknown: "Nieznany typ wideo" watch: "Zobacz ten film na <%= provider %>" diff --git a/config/locales/javascript/javascript.pt-BR.yml b/config/locales/javascript/javascript.pt-BR.yml index 50291ca1e..ad8f4d8a0 100644 --- a/config/locales/javascript/javascript.pt-BR.yml +++ b/config/locales/javascript/javascript.pt-BR.yml @@ -12,6 +12,8 @@ pt-BR: all_aspects: "Todos aspectos" error: "Não foi possível compartilhar com<%= name %>. Deseja ignorar isto?" error_remove: "Não foi possível remover <%= name %> do aspecto :(" + mobile_row_checked: "<%= name %> (remover)" + mobile_row_unchecked: "<%= name %> (adicionar)" select_aspects: "Selecione os aspectos" started_sharing_with: "Você começou a compartilhar com <%= name %>!" stopped_sharing_with: "Você parou de compartilhar com <%= name %>." @@ -19,10 +21,11 @@ pt-BR: one: "Em <%= count %> aspecto" other: "Em <%= count %> aspectos" zero: "Selecione aspectos" + updating: "atualizando..." aspect_navigation: add_an_aspect: "+ Adicionar um aspecto" deselect_all: "Desmarcar tudo" - no_aspects: "Sem aspecto selecionado" + no_aspects: "Nenhum aspecto selecionado" select_all: "Marcar tudo" bookmarklet: post_something: "Publicar em diaspora*" @@ -34,6 +37,15 @@ pt-BR: no_comments: "Ainda não existem comentários." show: "mostrar todos comentários" confirm_dialog: "Tem certeza?" + confirm_unload: "Por favor, confirme se deseja sair desta página. Os dados que você informou não serão salvos." + contacts: + add_contact: "Adicionar contato" + aspect_list_is_not_visible: "Contatos neste aspecto não podem ver uns aos outros." + aspect_list_is_visible: "Contatos neste aspecto podem ver uns aos outros." + error_add: "Não foi possível adicionar <%= name %> ao aspecto :(" + error_remove: "Não foi possível remover <%= name %> do aspecto :(" + remove_contact: "Remover contato" + search_no_results: "Nenhum contato encontrado" conversation: participants: "Participantes" delete: "Apagar" @@ -41,39 +53,51 @@ pt-BR: failed_to_like: "Falhou ao curtir!" failed_to_post_message: "Falha na publicação da mensagem!" failed_to_remove: "Falha ao remover a entrada!" + failed_to_reshare: "Falha ao recompartilhar!" getting_started: alright_ill_wait: "Tudo bem, eu esperarei." hey: "Ei, <%= name %>!" no_tags: "Ei, você não está seguindo todas as tags! Continuar assim mesmo?" preparing_your_stream: "Preparando seu fluxo personalizado..." header: - admin: "Administrador" + admin: "Administração" close: "fechar" contacts: "Contatos" conversations: "Conversas" help: "Ajuda" home: "Páginal Inicial" log_out: "Sair" - mark_all_as_read: "Marcar Todas como Lidas" + mark_all_as_read: "Marcar todas como lidas" notifications: "Notificações" profile: "Perfil" recent_notifications: "Notificações Recentes" search: "Encontrar pessoas ou #tags" settings: "Configurações" view_all: "Ver todas" + hide_post: "esconder esta publicação?" + hide_post_failed: "Incapaz de esconder esta publicação" ignore: "Ignorar" + ignore_failed: "Não foi possível ignorar este usuário" ignore_user: "Ignorar este usuário?" infinite_scroll: no_more: "Não há mais publicações." no_more_contacts: "Sem mais contatos." - my_activity: "Minhas Atividades" + my_activity: "Minha Atividade" my_aspects: "Meus Aspectos" my_stream: "Fluxo" + no_results: "Nenhum Resultado Encontrado" notifications: mark_read: "Marcar como lida" mark_unread: "Marcar como não lida" people: + edit_my_profile: "Editar meu perfil" + helper: + is_not_sharing: "<%= name %> não está compartilhando com você" + is_sharing: "<%= name %> está compartilhando com você" + mention: "Menção" + message: "Mensagem" not_found: "e ninguém foi encontrado..." + stop_ignoring: "Parar de ignorar" photo_uploader: completed: "<%= file %> completo" empty: "{file} está vazio, por favor selecione arquivos novamente sem este." @@ -86,24 +110,39 @@ pt-BR: count: one: "<%=count%> voto até agora" other: "<%=count%> votos até agora" + go_to_original_post: "Você pode participar dessa enquete no <%= original_post_link %>." + original_post: "Publicação original" result: "Resultado" show_result: "Mostrar resultado" vote: "Votar" + profile: + add_some: "adicionar alguns" + bio: "Apresentação Pessoal" + born: "Data de Aniversário" + contacts: "Contatos" + edit: "editar" + gender: "Sexo" + ignoring: "Você está ignorando todas as publicações de <%= name %>." + location: "Localização" + photos: "Fotos" + posts: "Publicações" + you_have_no_tags: "você não possui tags!" publisher: - add_option: "Adicionar opção" + add_option: "Adicionar uma resposta" at_least_one_aspect: "Você deve publicar em pelo menos um aspecto" limited: "Limitada - a sua publicação será visível apenas para as pessoas com quem você compartilha." near_from: "Publicado de: <%= location %>" - option: "Opção <%= nr %>" + option: "Resposta" public: "Pública - a sua publicação será totalmente visível na web e poderá ser encontrada por mecanismos de buscas, como Google, Bing e etc..." question: "Pergunta" + remove_post: "Remover esta publicação?" report: - name: "Relatório" + name: "Relatar" prompt: "Por favor entre um motivo:" prompt_default: "conteúdo ofensivo" status: - created: "O relatório foi criado com sucesso" - exists: "O relatório já existe" + created: "O relato foi criado com sucesso" + exists: "O relato já existe" reshares: duplicate: "Que bom, hein? Você já recompartilhou essa publicação." post: "Recompartilhar a publicação de <%= name %>?" @@ -112,6 +151,8 @@ pt-BR: show_more: "mostrar mais" stream: comment: "Comentar" + disable_post_notifications: "Desativar notificações para esta publicação" + enable_post_notifications: "Ativar notificações para esta publicação" follow: "Seguir" followed_tag: add_a_tag: "Adicionar uma tag" @@ -130,7 +171,7 @@ pt-BR: one: "Mostre mais <%= count %> comentário" other: "Mostre mais <%= count %> comentários" zero: "Mostre mais <%= count %> comentário" - original_post_deleted: "A publicação original foi deletada pelo autor." + original_post_deleted: "A publicação original foi apagada pelo autor." public: "Público" reshare: "Recompartilhar" reshares: @@ -165,6 +206,7 @@ pt-BR: wordSeparator: " " year: "cerca de um ano" years: "%d anos" + unblock_failed: "O desbloqueio deste usuário falhou" videos: unknown: "Tipo de vídeo desconhecido" watch: "Assista este vídeo no <%= provider %>" diff --git a/config/locales/javascript/javascript.ro.yml b/config/locales/javascript/javascript.ro.yml index 35003aaba..62e450416 100644 --- a/config/locales/javascript/javascript.ro.yml +++ b/config/locales/javascript/javascript.ro.yml @@ -62,6 +62,8 @@ ro: invalid_ext: "{file} are o extensie invalidă. Doar extensiile {extensions} sunt permise." looking_good: "WOW, arati super!" size_error: "{file} este prea mare, mărimea maximă a unui fişier este {sizeLimit}." + profile: + posts: "Postări" publisher: at_least_one_aspect: "Trebuie sa publici pe cel puţin un aspect" limited: "Limitat - publicatia va fi vazuta doar de catre persoanele cu care imparti publicatii" diff --git a/config/locales/javascript/javascript.ru.yml b/config/locales/javascript/javascript.ru.yml index cc6628d87..845e94e15 100644 --- a/config/locales/javascript/javascript.ru.yml +++ b/config/locales/javascript/javascript.ru.yml @@ -12,6 +12,8 @@ ru: all_aspects: "Все аспекты" error: "Невозможно добавить пользователя <%= name %>. Возможно, вы его заблокировали?" error_remove: "Невозможно удалить <%= name %> из аспекта :(" + mobile_row_checked: "<%= name %> (переместить)" + mobile_row_unchecked: "<%= name %> (добавить)" select_aspects: "Выбрать аспекты" started_sharing_with: "Вы добавили <%= name %>!" stopped_sharing_with: "Вы удалили <%= name %>." @@ -22,6 +24,7 @@ ru: other: "В <%= count %> аспектах" two: "В <%= count %> аспектах" zero: "Выбрать аспекты" + updating: "обновление..." aspect_navigation: add_an_aspect: "+ Добавить аспект" deselect_all: "Снять выделение" @@ -37,6 +40,15 @@ ru: no_comments: "Комментариев ещё нет." show: "Показать все комментарии" confirm_dialog: "Вы уверены?" + confirm_unload: "Пожалуйста, подтвердите, что хотите покинуть страницу — введённые вами данные не будут сохранены." + contacts: + add_contact: "Добавить контакт" + aspect_list_is_not_visible: "Контакты в этом аспекте не могут видеть друг друга." + aspect_list_is_visible: "Контакты в этом аспекте могут видеть друг друга." + error_add: "Невозможно добавить <%= name %> в аспект :(" + error_remove: "Невозможно удалить <%= name %> из аспекта :(" + remove_contact: "Удалить контакт" + search_no_results: "Контакты не найдены" conversation: participants: "Участники" delete: "Удалить" @@ -44,6 +56,7 @@ ru: failed_to_like: "Не удалось!" failed_to_post_message: "Не удалось отправить сообщение!" failed_to_remove: "Удаление не завершено!" + failed_to_reshare: "Не удалось поделиться!" getting_started: alright_ill_wait: "Хорошо, я подожду." hey: "Привет, <%= name %>!" @@ -64,7 +77,10 @@ ru: search: "Поиск" settings: "Настройки" view_all: "Посмотреть всё" + hide_post: "Скрыть эту запись?" + hide_post_failed: "Невозможно скрыть запись" ignore: "Блокировать" + ignore_failed: "Невозможно игнорировать этого пользователя" ignore_user: "Игнорировать этого пользователя?" infinite_scroll: no_more: "Больше записей нет." @@ -72,11 +88,19 @@ ru: my_activity: "Моя активность" my_aspects: "Мои аспекты" my_stream: "Поток" + no_results: "Ничего не найдено." notifications: mark_read: "Пометить как прочитанное" mark_unread: "Пометить как непрочитанное" people: + edit_my_profile: "Редактировать профиль" + helper: + is_not_sharing: "<%= name %> не делится с вами" + is_sharing: "<%= name %> делится с вами" + mention: "Упоминание" + message: "Сообщение" not_found: "никого не найдено..." + stop_ignoring: "Отменить игнорирование" photo_uploader: completed: "<%= file %> готово" empty: "{file} пуст, выберите пожалуйста файл повторно." @@ -92,9 +116,23 @@ ru: one: "<%=count%> человек проголосовал" other: "<%=count%> людей проголосовало" zero: "Никто ещё не проголосовал" + go_to_original_post: "Вы можете принять участие в этом опросе, перейдя к <%= original_post_link %>" + original_post: "оригиналу записи" result: "Результаты" show_result: "Показать результаты" vote: "Голосовать" + profile: + add_some: "добавить" + bio: "О себе" + born: "Дата рождения" + contacts: "Контакты" + edit: "Редактировать" + gender: "Пол" + ignoring: "Вы игнорируете все записи пользователя <%= name %>." + location: "Местоположение" + photos: "Фотографии" + posts: "Записи" + you_have_no_tags: "у вас нет меток!" publisher: add_option: "Добавить вариант" at_least_one_aspect: "Вам надо создать как минимум один аспект" @@ -103,6 +141,7 @@ ru: option: "Вариант <%= nr %>" public: "Публичная - ваша запись будет видна всем, включая поисковые системы" question: "Вопрос" + remove_post: "Переместить запись?" report: name: "Пожаловаться" prompt: "Пожалуйста, укажите причину:" @@ -111,13 +150,15 @@ ru: created: "Донос успешно отправлен" exists: "Донос уже отправлен" reshares: - duplicate: "Настолько здорово, да? Вы уже поделились этой записью!" + duplicate: "Здорово, да? Вы уже поделились этой записью!" post: "Поделиться записью пользователя <%= name %>?" successful: "Вы успешно поделились записью!" search_for: "Искать <%= name %>" show_more: "показать больше" stream: comment: "Комментировать" + disable_post_notifications: "Отключить уведомления на эту запись" + enable_post_notifications: "Включить уведомления на эту запись" follow: "Следить" followed_tag: add_a_tag: "Добавить метку" @@ -178,6 +219,7 @@ ru: wordSeparator: " " year: "около года" years: "%d лет" + unblock_failed: "Разблокировка пользователя не удалась" videos: unknown: "Неизвестный тип видео" watch: "Смотреть этот ролик на <%= provider %>" diff --git a/config/locales/javascript/javascript.sk.yml b/config/locales/javascript/javascript.sk.yml index 756964a8b..8f2547368 100644 --- a/config/locales/javascript/javascript.sk.yml +++ b/config/locales/javascript/javascript.sk.yml @@ -99,7 +99,7 @@ sk: question: "Otázka" report: name: "Správa" - prompt: "Prosím uveďte dôvod:" + prompt: "Prosím, uveďte dôvod:" prompt_default: "urážajúci obsah" status: created: "Úspešne si vytvoril(a) správu" diff --git a/config/locales/javascript/javascript.sv.yml b/config/locales/javascript/javascript.sv.yml index 2c547d74b..51c6554b2 100644 --- a/config/locales/javascript/javascript.sv.yml +++ b/config/locales/javascript/javascript.sv.yml @@ -12,6 +12,8 @@ sv: all_aspects: "Alla aspekter" error: "Det går inte att börja dela med <%= name %>. Ignorerar du dem?" error_remove: "Kunde ej ta bort <%= name %> från aspekten :(" + mobile_row_checked: "<%= name %> (ta bort)" + mobile_row_unchecked: "<%= name %> (lägg till)" select_aspects: "Välj aspekter" started_sharing_with: "Du har börjat dela med <%= name %>!" stopped_sharing_with: "Du har slutat dela med <%= name %>." @@ -22,6 +24,7 @@ sv: other: "I <%= count %> aspekter" two: "I <%= count %> aspekter" zero: "Välj aspekter" + updating: "uppdaterar..." aspect_navigation: add_an_aspect: "+ Lägg till en aspekt" deselect_all: "Visa ingen" @@ -37,6 +40,15 @@ sv: no_comments: "Inga kommentarer finns ännu." show: "visa alla kommentarer" confirm_dialog: "Är du säker?" + confirm_unload: "Bekräfta att du vill gå från sidan. Du har osparad information här." + contacts: + add_contact: "Lägg till kontakt" + aspect_list_is_not_visible: "Aspektens kontakter kan inte se vilka andra som tillhör aspekten." + aspect_list_is_visible: "Aspektens kontakter kan se varandra." + error_add: "Kunde inte lägga till <%= name %> till aspekten. :-(" + error_remove: "Kunde inte ta bort <%= name %> från aspekten. :-(" + remove_contact: "Ta bort kontakt" + search_no_results: "Inga kontakter hittade" conversation: participants: "Deltagare" delete: "Radera" @@ -44,6 +56,7 @@ sv: failed_to_like: "Misslyckades med att gilla!" failed_to_post_message: "Misslyckades att posta meddelande!" failed_to_remove: "Misslyckades med att borttaga inlägget!" + failed_to_reshare: "Kunde inte dela vidare!" getting_started: alright_ill_wait: "Okej, jag väntar." hey: "Hej, <%= name %>!" @@ -64,6 +77,8 @@ sv: search: "Sök" settings: "Inställningar" view_all: "Visa alla" + hide_post: "Vill du dölja inlägget?" + hide_post_failed: "Misslyckades med att dölja inlägget" ignore: "Ignorera" ignore_failed: "Lyckades inte ignorera denna användare" ignore_user: "Vill du ignorera den här användaren?" @@ -73,11 +88,19 @@ sv: my_activity: "Min aktivitet" my_aspects: "Mina aspekter" my_stream: "Ström" + no_results: "Inga sökresultat" notifications: mark_read: "Lästmärk" mark_unread: "Olästmarkera" people: + edit_my_profile: "Ändra min profil" + helper: + is_not_sharing: "<%= name %> delar inte sina uppdateringar med dig." + is_sharing: "<%= name %> delar med sig till dig" + mention: "Nämn" + message: "Meddelande" not_found: "och ingen hittades..." + stop_ignoring: "Sluta ignorera" photo_uploader: completed: "<%= file %> klar" empty: "{file} är tom, var vänlig och välj filer igen utan den." @@ -90,9 +113,23 @@ sv: count: one: "<%=count%> röst lagd" other: "<%=count%> röster lagda" + go_to_original_post: "Du kan rösta på <%= original_post_link %>" + original_post: "ursprungligt inlägg" result: "Resultat" show_result: "Visa resultat" vote: "Rösta" + profile: + add_some: "lägg till" + bio: "Biografi" + born: "Födelsedag" + contacts: "Kontakter" + edit: "ändra" + gender: "Kön" + ignoring: "Du ignorerar alla inlägg från <%= name %>." + location: "Plats" + photos: "Foton" + posts: "Inlägg" + you_have_no_tags: "du har inga taggar!" publisher: add_option: "Lägg till alternativ" at_least_one_aspect: "Du måste publicera till minst en aspekt." @@ -101,6 +138,7 @@ sv: option: "Alternativ" public: "Publikt - ditt inlägg visas för alla och i söktjänster" question: "Fråga" + remove_post: "Vi du ta bort detta inlägg?" report: name: "Anmälan" prompt: "Var god ange orsak:" @@ -116,6 +154,8 @@ sv: show_more: "visa mer" stream: comment: "Kommentera" + disable_post_notifications: "Inaktivera notifikationer för detta inlägg" + enable_post_notifications: "Tillåt notifikationer för detta inlägg" follow: "Följ" followed_tag: add_a_tag: "Lägg till en tagg" @@ -169,6 +209,7 @@ sv: wordSeparator: " " year: "ungefär ett år" years: "%d år" + unblock_failed: "Misslyckades med att häva blockeringen" videos: unknown: "Okänd videotyp" watch: "Se den här videon på <%= provider %>" diff --git a/config/locales/javascript/javascript.uk.yml b/config/locales/javascript/javascript.uk.yml index 3032e0858..88b5bd744 100644 --- a/config/locales/javascript/javascript.uk.yml +++ b/config/locales/javascript/javascript.uk.yml @@ -12,6 +12,8 @@ uk: all_aspects: "Усі аспекти" error: "Неможливо почати ділитися з користувачем <%= name %>. Можливо, ви його заблокували?" error_remove: "Неможливо видалити <%= name %> з аспекту :(" + mobile_row_checked: "<%= name %>(видалити)" + mobile_row_unchecked: "<%= name %>(додати)" select_aspects: "Вибрати аспекти" started_sharing_with: "Ви почали ділитися з <%= name %>!" stopped_sharing_with: "Ви перестали ділитися з <%= name %>." @@ -21,6 +23,7 @@ uk: one: "У <%= count %> аспектах" other: "У <%= count %> аспектах" zero: "Вибрати аспекти" + updating: "обновлюється..." aspect_navigation: add_an_aspect: "+ Додати аспект" deselect_all: "Зняти вибір з усіх" @@ -36,6 +39,15 @@ uk: no_comments: "Коментарів ще немає." show: "Показати усі коментарі" confirm_dialog: "Ви упевнені?" + confirm_unload: "Будь ласка, підтвердіть, що хочете залишити сторінку - введені вами дані не будуть збережені." + contacts: + add_contact: "Додати контакт" + aspect_list_is_not_visible: "Контакти, з цього аспекту, не можуть бачити один одного." + aspect_list_is_visible: "Контакти, із цього аспекту, можуть бачити один одного." + error_add: "Неможливо додати <%= name %> в аспект :(" + error_remove: "Неможливо видалити <%= name %> з аспекту :(" + remove_contact: "Видалити контакт" + search_no_results: "Контакти не знайдено" conversation: participants: "Учасники" delete: "Вилучити" @@ -43,6 +55,7 @@ uk: failed_to_like: "Не вдалося!" failed_to_post_message: "Не вдалося надіслати повідомлення!" failed_to_remove: "Видалення не завершено!" + failed_to_reshare: "Не вдалося поділитись!" getting_started: alright_ill_wait: "Добре, я почекаю." hey: "Привіт, <%= name %>!" @@ -63,19 +76,30 @@ uk: search: "Пошук людей чи #міток" settings: "Налаштування" view_all: "Показати все" + hide_post: "Заховати публікацію?" + hide_post_failed: "Неможливо заховати цю публікацію" ignore: "Iгнорувати" + ignore_failed: "Неможливо ігнорувати цього користувача" ignore_user: "Ігнорувати цього користувача?" infinite_scroll: no_more: "Повідомлень більше немає." no_more_contacts: "Контактів більше немає." - my_activity: "Моя активність" + my_activity: "Моя діяльність" my_aspects: "Мої аспекти" my_stream: "Мій потік" + no_results: "Нічого не знайдено" notifications: mark_read: "Помітити як прочитане" mark_unread: "Помітити як непрочитане" people: + edit_my_profile: "Редагувати мій профіль" + helper: + is_not_sharing: "<%= name %> не ділиться з вами" + is_sharing: "<%= name %> ділиться з вами" + mention: "Згадки" + message: "Повідомлення" not_found: "нікого не знайдено..." + stop_ignoring: "Припинити блокування" photo_uploader: completed: "<%= file %> готово" empty: "{file} порожній, виберіть будь ласка файл повторно." @@ -94,14 +118,27 @@ uk: result: "Результати" show_result: "Показати результати" vote: "Голосувати" + profile: + add_some: "додати" + bio: "Про себе" + born: "День народження" + contacts: "Контакти" + edit: "редагувати" + gender: "Стать" + ignoring: "Ви блокуєте усі записи користувача <%= name %>." + location: "Адреса" + photos: "Світлини" + posts: "Записи" + you_have_no_tags: "у вас немає міток!" publisher: - add_option: "Додати варіант" + add_option: "Додати відповідь" at_least_one_aspect: "Вам потрібно створити мінімум один аспект" limited: "Обмежена - ваш запис буде видимий тільки вказаним вами людям" near_from: "Відправлено з: <%= location %>" option: "Варіант <%= nr %>" public: "Публічна - ваш запис буде видимий усім, зокрема пошуковим системам" question: "Питання" + remove_post: "Видалити цю публікацію?" report: name: "Донести" prompt: "Будь ласка, вкажіть причину:" @@ -134,7 +171,7 @@ uk: zero: "Сподобалося: <%= count %> " limited: "Обмежений" more_comments: - few: "Ще <%= count %> коментаря" + few: "Ще <%= count %> коментарі" many: "Ще <%= count %> коментарів" one: "Ще <%= count %> коментар" other: "Ще <%= count %> коментарів" @@ -175,6 +212,7 @@ uk: suffixFromNow: "з цієї миті" year: "біля року" years: "%d років" + unblock_failed: "Не вдалось розблокувати цього користувача" videos: unknown: "Невідомий відеоформат" watch: "Дивитися це відео на <%= provider %>" diff --git a/config/locales/javascript/javascript.zh-TW.yml b/config/locales/javascript/javascript.zh-TW.yml index fece5b3be..549482278 100644 --- a/config/locales/javascript/javascript.zh-TW.yml +++ b/config/locales/javascript/javascript.zh-TW.yml @@ -12,23 +12,39 @@ zh-TW: all_aspects: "所有面向" error: "無法開始和 <%= name %> 分享。你還在忽視他們嗎?" error_remove: "無法把 <%= name %> 從面向中移除 :(" + mobile_row_checked: "<%= name %> (移除)" + mobile_row_unchecked: "<%= name %> (新增)" select_aspects: "選面向" started_sharing_with: "你開始和 <%= name %> 分享了!" stopped_sharing_with: "停止和 <%= name %> 分享了。" toggle: other: "在<%= count %>個面向中" zero: "選面向" + updating: "正在更新..." aspect_navigation: add_an_aspect: "+ 新增面向" deselect_all: "全不選" no_aspects: "沒選任何一個面向" select_all: "全選" + bookmarklet: + post_something: "貼到 diaspora*" + post_submit: "傳送貼文中..." + post_success: "貼好了!彈出視窗關閉中..." comma: "," comments: hide: "隱藏意見" no_comments: "目前還沒有任何意見。" show: "顯示所有意見" confirm_dialog: "你確定嗎?" + confirm_unload: "請確定要離開這一頁 - 你目前所輸入的資料不會保留。" + contacts: + add_contact: "加聯絡人" + aspect_list_is_not_visible: "在這個面向中的連絡人沒辦法看見有哪些人在同一個面向中。" + aspect_list_is_visible: "在這個面向中的連絡人可以互相看見他們在同一個面向中。" + error_add: "沒辦法把 <%= name %> 加到這個面向 :(" + error_remove: "沒辦法把 <%= name %> 從這個面向中移除 :(" + remove_contact: "刪聯絡人" + search_no_results: "沒找到聯絡人" conversation: participants: "參加人員" delete: "刪除" @@ -36,6 +52,7 @@ zh-TW: failed_to_like: "說讚失敗!" failed_to_post_message: "貼文失敗!" failed_to_remove: "刪掉這個項目的動作失敗了!" + failed_to_reshare: "轉貼失敗!" getting_started: alright_ill_wait: "好,再說吧。" hey: "嗨,<%= name %>!" @@ -45,6 +62,7 @@ zh-TW: admin: "管理" close: "關閉" contacts: "連絡人" + conversations: "交談" help: "說明" home: "我家" log_out: "登出" @@ -55,7 +73,10 @@ zh-TW: search: "搜尋" settings: "設定" view_all: "看全部" + hide_post: "要隱藏貼文嗎?" + hide_post_failed: "沒辦法隱藏貼文" ignore: "忽視" + ignore_failed: "沒辦法忽視這個使用者" ignore_user: "要忽視這個使用者嗎?" infinite_scroll: no_more: "沒有貼文了。" @@ -63,8 +84,19 @@ zh-TW: my_activity: "我的活動" my_aspects: "我的面向" my_stream: "流水帳" + no_results: "結果什麽都找不到" + notifications: + mark_read: "標示為看過了" + mark_unread: "標示為沒看過" people: + edit_my_profile: "編輯自己的個人檔案" + helper: + is_not_sharing: "<%= name %> 沒有跟你分享" + is_sharing: "<%= name %> 正在跟你分享中" + mention: "指指點點" + message: "送訊息" not_found: "找不到任何人..." + stop_ignoring: "停止忽視" photo_uploader: completed: "檔案 <%= file %> 完成了" empty: "檔案 {file} 是空的,請不要選它再重選一次。" @@ -72,11 +104,43 @@ zh-TW: invalid_ext: "檔案 {file} 的副檔名不合格。僅接受 {extensions}。" looking_good: "天啊,你看起來真帥!" size_error: "檔案 {file} 太大了,上限是{sizeLimit}。" + poll: + close_result: "隱藏結果" + count: + other: "到目前有 <%=count%> 張票" + go_to_original_post: "你可以在 <%= original_post_link %> 參與這次票選。" + original_post: "原貼文" + result: "結果" + show_result: "顯示結果" + vote: "投票" + profile: + add_some: "加入一些" + bio: "自我介紹" + born: "生日" + contacts: "聯絡資訊" + edit: "編輯" + gender: "性別" + ignoring: "你目前會忽視 <%= name %> 的所有貼文。" + location: "地點" + photos: "相片" + posts: "貼文" + you_have_no_tags: "你沒有任何標籤!" publisher: + add_option: "增加答案" at_least_one_aspect: "發表時請至少選擇一個面向" limited: "有限 - 只有你想分享的人才看得到你的貼文" near_from: "貼文地點:<%= location %>" + option: "答案" public: "公開 - 所有人都能看到你的貼文,包括搜尋引擎" + question: "問題" + remove_post: "要移除貼文嗎?" + report: + name: "回報" + prompt: "請輸入回報的理由:" + prompt_default: "內容有攻擊性" + status: + created: "成功產生回報了" + exists: "已經有這筆回報了" reshares: duplicate: "很棒對吧?你已經轉貼過該篇貼文了!" post: "要轉貼 <%= name %> 的貼文嗎?" @@ -85,6 +149,8 @@ zh-TW: show_more: "顯示更多" stream: comment: "意見" + disable_post_notifications: "關閉貼文的最新通知" + enable_post_notifications: "開啟貼文的最新通知" follow: "追蹤" followed_tag: add_a_tag: "新增標籤" @@ -115,6 +181,7 @@ zh-TW: stop_following: "停止追蹤 #<%= tag %>" unfollow: "取消追蹤" unlike: "收回讚" + via: "經由<%= provider %>" tags: wasnt_that_interesting: "OK,我想 #<%= tagName %> 大概沒那麼有趣..." timeago: @@ -133,6 +200,7 @@ zh-TW: suffixFromNow: "前" year: "約一年" years: "%d年" + unblock_failed: "取消封鎖這個使用者失敗了" videos: unknown: "不明的影片類別" watch: "從 <%= provider %> 看這部影片" diff --git a/config/oembed_providers.yml b/config/oembed_providers.yml index 1c3970820..7cde6334e 100644 --- a/config/oembed_providers.yml +++ b/config/oembed_providers.yml @@ -3,9 +3,10 @@ # note that 'endpoint' is the only information # in OEmbed that we can trust. anything else may be spoofed! daily_motion: - endpoint: "http://www.dailymotion.com/services/oembed" + endpoint: "https://www.dailymotion.com/services/oembed" urls: - http://www.dailymotion.com/video/* + - https://www.dailymotion.com/video/* twitter: endpoint: "https://api.twitter.com/1/statuses/oembed.json" @@ -16,4 +17,5 @@ twitter: mixcloud: endpoint: "http://www.mixcloud.com/oembed/" urls: - - http://www.mixcloud.com/*/* \ No newline at end of file + - http://www.mixcloud.com/*/* + - https://www.mixcloud.com/*/* diff --git a/config/routes.rb b/config/routes.rb index 519a731f4..c7f924bae 100644 --- a/config/routes.rb +++ b/config/routes.rb @@ -3,8 +3,10 @@ # the COPYRIGHT file. require 'sidekiq/web' +require 'sidetiq/web' Diaspora::Application.routes.draw do + resources :report, :except => [:edit, :new] if Rails.env.production? @@ -34,7 +36,7 @@ Diaspora::Application.routes.draw do resources :poll_participations, :only => [:create] resources :likes, :only => [:create, :destroy, :index ] - resources :participations, :only => [:create, :destroy, :index] + resource :participation, :only => [:create, :destroy] resources :comments, :only => [:new, :create, :destroy, :index] end @@ -49,8 +51,8 @@ Diaspora::Application.routes.draw do end # Streams - get "participate" => "streams#activity", :as => "activity_stream" # legacy - get "explore" => "streams#multi", :as => "stream" # legacy + get "participate" => "streams#activity" # legacy + get "explore" => "streams#multi" # legacy get "activity" => "streams#activity", :as => "activity_stream" get "stream" => "streams#multi", :as => "stream" @@ -63,6 +65,7 @@ Diaspora::Application.routes.draw do resources :aspects do put :toggle_contact_visibility + put :toggle_chat_privilege end get 'bookmarklet' => 'status_messages#bookmarklet' @@ -84,7 +87,7 @@ Diaspora::Application.routes.draw do get :read_all end end - + resources :tags, :only => [:index] @@ -98,38 +101,39 @@ Diaspora::Application.routes.draw do resource :user, :only => [:edit, :update, :destroy], :shallow => true do get :getting_started_completed - get :export - get :export_photos + post :export_profile + get :download_profile + post :export_photos + get :download_photos end controller :users do get 'public/:username' => :public, :as => 'users_public' - match 'getting_started' => :getting_started, :as => 'getting_started' - match 'privacy' => :privacy_settings, :as => 'privacy_settings' + get 'getting_started' => :getting_started, :as => 'getting_started' + get 'privacy' => :privacy_settings, :as => 'privacy_settings' get 'getting_started_completed' => :getting_started_completed get 'confirm_email/:token' => :confirm_email, :as => 'confirm_email' end # This is a hack to overide a route created by devise. # I couldn't find anything in devise to skip that route, see Bug #961 - match 'users/edit' => redirect('/user/edit') + get 'users/edit' => redirect('/user/edit') devise_for :users, :controllers => {:registrations => "registrations", - :passwords => "passwords", :sessions => "sessions"} #legacy routes to support old invite routes get 'users/invitation/accept' => 'invitations#edit' get 'invitations/email' => 'invitations#email', :as => 'invite_email' get 'users/invitations' => 'invitations#new', :as => 'new_user_invitation' - post 'users/invitations' => 'invitations#create', :as => 'new_user_invitation' + post 'users/invitations' => 'invitations#create', :as => 'user_invitation' get 'login' => redirect('/users/sign_in') # Admin backend routes scope 'admins', :controller => :admins do - match :user_search + match :user_search, via: [:get, :post] get :admin_inviter get :weekly_user_stats get :correlations @@ -139,6 +143,8 @@ Diaspora::Application.routes.draw do namespace :admin do post 'users/:id/close_account' => 'users#close_account', :as => 'close_account' + post 'users/:id/lock_account' => 'users#lock_account', :as => 'lock_account' + post 'users/:id/unlock_account' => 'users#unlock_account', :as => 'unlock_account' end resource :profile, :only => [:edit, :update] @@ -146,7 +152,6 @@ Diaspora::Application.routes.draw do resources :contacts, :except => [:update, :create] do - get :sharing, :on => :collection end resources :aspect_memberships, :only => [:destroy, :create] resources :share_visibilities, :only => [:update] @@ -160,6 +165,7 @@ Diaspora::Application.routes.draw do resources :photos get :contacts get "aspect_membership_button" => :aspect_membership_dropdown, :as => "aspect_membership_button" + get :stream get :hovercard member do @@ -171,8 +177,8 @@ Diaspora::Application.routes.draw do get :tag_index end end - get '/u/:username' => 'people#show', :as => 'user_profile' - get '/u/:username/profile_photo' => 'users#user_photo' + get '/u/:username' => 'people#show', :as => 'user_profile', :constraints => { :username => /[^\/]+/ } + get '/u/:username/profile_photo' => 'users#user_photo', :constraints => { :username => /[^\/]+/ } # Federation @@ -193,8 +199,8 @@ Diaspora::Application.routes.draw do resources :services, :only => [:index, :destroy] controller :services do scope "/auth", :as => "auth" do - match ':provider/callback' => :create - match :failure + get ':provider/callback' => :create + get :failure end end @@ -207,6 +213,9 @@ Diaspora::Application.routes.draw do get "/users/:username" => 'users#show', :as => 'user' get "/tags/:name" => 'tags#show', :as => 'tag' end + namespace :v1 do + resources :tokens, :only => [:create, :destroy] + end end get 'community_spotlight' => "contacts#spotlight", :as => 'community_spotlight' @@ -214,15 +223,16 @@ Diaspora::Application.routes.draw do get 'mobile/toggle', :to => 'home#toggle_mobile', :as => 'toggle_mobile' - # help + # Help get 'help' => 'help#faq', :as => 'help' + get 'help/:topic' => 'help#faq' #Protocol Url get 'protocol' => redirect("http://wiki.diasporafoundation.org/Federation_Protocol_Overview") #Statistics get :statistics, controller: :statistics - + # Terms if AppConfig.settings.terms.enable? get 'terms' => 'terms#index' diff --git a/config/sidekiq.yml b/config/sidekiq.yml new file mode 100644 index 000000000..5ea3d5fa1 --- /dev/null +++ b/config/sidekiq.yml @@ -0,0 +1,19 @@ +<% require_relative 'config/load_config' %> +--- +:verbose: false +:logfile: "<%= AppConfig.sidekiq_log unless AppConfig.heroku? %>" +:concurrency: <%= AppConfig.environment.sidekiq.concurrency.to_i %> +:queues: + - socket_webfinger + - photos + - http_service + - dispatch + - mail + - delete_account + - receive_local + - receive + - receive_salmon + - http + - export + - maintenance + - default diff --git a/config/unicorn.rb b/config/unicorn.rb index 52963a762..719c357c2 100644 --- a/config/unicorn.rb +++ b/config/unicorn.rb @@ -29,9 +29,9 @@ before_fork do |server, worker| unless AppConfig.single_process_mode? Sidekiq.redis {|redis| redis.client.disconnect } end - + if AppConfig.server.embed_sidekiq_worker? - @sidekiq_pid ||= spawn('bundle exec sidekiq') + @sidekiq_pid ||= spawn('bin/bundle exec sidekiq') end old_pid = '/var/run/diaspora/diaspora.pid.oldbin' diff --git a/config/vines/README b/config/vines/README new file mode 100644 index 000000000..819906dc7 --- /dev/null +++ b/config/vines/README @@ -0,0 +1,7 @@ +If you want to encrypt your chat streams with vines. +Add to `config/vines` your server certificate and key. + +The domain name should be included in the file name e.g.: + +* example.com.crt +* example.com.key diff --git a/db/migrate/0000_create_schema.rb b/db/migrate/0000_create_schema.rb index c6057bcce..97fcc3da6 100644 --- a/db/migrate/0000_create_schema.rb +++ b/db/migrate/0000_create_schema.rb @@ -1,181 +1,488 @@ class CreateSchema < ActiveRecord::Migration - def self.up - create_table :aspects do |t| - t.string :name - t.integer :user_id - t.timestamps - end - add_index :aspects, :user_id - - create_table :aspect_memberships do |t| - t.integer :aspect_id - t.integer :contact_id - t.timestamps - end - add_index :aspect_memberships, :aspect_id - add_index :aspect_memberships, [:aspect_id, :contact_id], :unique => true - add_index :aspect_memberships, :contact_id - - create_table :comments do |t| - t.text :text - t.integer :post_id - t.integer :person_id - t.string :guid - t.text :creator_signature - t.text :post_creator_signature - t.text :youtube_titles - t.timestamps - end - add_index :comments, :guid, :unique => true - add_index :comments, :post_id - - create_table :contacts do |t| - t.integer :user_id - t.integer :person_id - t.boolean :pending, :default => true - t.timestamps - end - add_index :contacts, [:user_id, :pending] - add_index :contacts, [:person_id, :pending] - add_index :contacts, [:user_id, :person_id], :unique => true - - create_table :invitations do |t| - t.text :message - t.integer :sender_id - t.integer :recipient_id - t.integer :aspect_id - t.timestamps - end - add_index :invitations, :sender_id - - create_table :notifications do |t| - t.string :target_type - t.integer :target_id - t.integer :recipient_id - t.integer :actor_id - t.string :action - t.boolean :unread, :default => true - t.timestamps - end - add_index :notifications, [:target_type, :target_id] - - create_table :people do |t| - t.string :guid - t.text :url - t.string :diaspora_handle - t.text :serialized_public_key - t.integer :owner_id - t.timestamps - end - add_index :people, :guid, :unique => true - add_index :people, :owner_id, :unique => true - add_index :people, :diaspora_handle, :unique => true - - create_table :posts do |t| - t.integer :person_id - t.boolean :public, :default => false - t.string :diaspora_handle - t.string :guid - t.boolean :pending, :default => false - t.string :type - - t.text :message - - t.integer :status_message_id - t.text :caption - t.text :remote_photo_path - t.string :remote_photo_name - t.string :random_string - t.string :image #carrierwave's column - t.text :youtube_titles - - t.timestamps - end - add_index :posts, :type - add_index :posts, :person_id - add_index :posts, :guid - - create_table :post_visibilities do |t| - t.integer :aspect_id - t.integer :post_id - t.timestamps - end - add_index :post_visibilities, :aspect_id - add_index :post_visibilities, :post_id - - create_table :profiles do |t| - t.string :diaspora_handle - t.string :first_name, :limit => 127 - t.string :last_name, :limit => 127 - t.string :image_url - t.string :image_url_small - t.string :image_url_medium - t.date :birthday - t.string :gender - t.text :bio - t.boolean :searchable, :default => true - t.integer :person_id - t.timestamps - end - add_index :profiles, [:first_name, :searchable] - add_index :profiles, [:last_name, :searchable] - add_index :profiles, [:first_name, :last_name, :searchable] - add_index :profiles, :person_id - - create_table :requests do |t| - t.integer :sender_id - t.integer :recipient_id - t.integer :aspect_id - t.timestamps - end - add_index :requests, :sender_id - add_index :requests, :recipient_id - add_index :requests, [:sender_id, :recipient_id], :unique => true - - create_table :services do |t| - t.string :type, :limit => 127 - t.integer :user_id - t.string :provider - t.string :uid, :limit => 127 - t.string :access_token - t.string :access_secret - t.string :nickname - t.timestamps - end - add_index :services, :user_id - - create_table :users do |t| - t.string :username - t.text :serialized_private_key - t.integer :invites, :default => 0 - t.boolean :getting_started, :default => true - t.boolean :disable_mail, :default => false - t.string :language - - t.string :email, :null => false, :default => "" - t.string :encrypted_password, :null => false, :default => "" - - t.string :invitation_token, :limit => 60 - t.datetime :invitation_sent_at - - t.string :reset_password_token - t.datetime :remember_created_at - t.string :remember_token - t.integer :sign_in_count, :default => 0 - t.datetime :current_sign_in_at - t.datetime :last_sign_in_at - t.string :current_sign_in_ip - t.string :last_sign_in_ip - - t.timestamps - end - add_index :users, :username, :unique => true - add_index :users, :email, :unique => true - add_index :users, :invitation_token - + create_table "account_deletions", :force => true do |t| + t.string "diaspora_handle" + t.integer "person_id" end - def self.down - raise "irreversable migration!" + create_table "aspect_memberships", :force => true do |t| + t.integer "aspect_id", :null => false + t.integer "contact_id", :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false end + + add_index "aspect_memberships", ["aspect_id", "contact_id"], :name => "index_aspect_memberships_on_aspect_id_and_contact_id", :unique => true + add_index "aspect_memberships", ["aspect_id"], :name => "index_aspect_memberships_on_aspect_id" + add_index "aspect_memberships", ["contact_id"], :name => "index_aspect_memberships_on_contact_id" + + create_table "aspect_visibilities", :force => true do |t| + t.integer "shareable_id", :null => false + t.integer "aspect_id", :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.string "shareable_type", :default => "Post", :null => false + end + + add_index "aspect_visibilities", ["aspect_id"], :name => "index_aspect_visibilities_on_aspect_id" + add_index 'aspect_visibilities', ["shareable_id", "shareable_type", "aspect_id"], :name => 'shareable_and_aspect_id', length: {"shareable_type"=>189}, :using => :btree + add_index 'aspect_visibilities', ["shareable_id", "shareable_type"], :name => 'index_aspect_visibilities_on_shareable_id_and_shareable_type', length: {"shareable_type"=>190}, :using => :btree + + create_table "aspects", :force => true do |t| + t.string "name", :null => false + t.integer "user_id", :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.boolean "contacts_visible", :default => true, :null => false + t.integer "order_id" + end + + add_index "aspects", ["user_id", "contacts_visible"], :name => "index_aspects_on_user_id_and_contacts_visible" + add_index "aspects", ["user_id"], :name => "index_aspects_on_user_id" + + create_table "blocks", :force => true do |t| + t.integer "user_id" + t.integer "person_id" + end + + create_table "comments", :force => true do |t| + t.text "text", :null => false + t.integer "commentable_id", :null => false + t.integer "author_id", :null => false + t.string "guid", :null => false + t.text "author_signature" + t.text "parent_author_signature" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.integer "likes_count", :default => 0, :null => false + t.string "commentable_type", :limit => 60, :default => "Post", :null => false + end + + add_index "comments", ["author_id"], :name => "index_comments_on_person_id" + add_index "comments", ["commentable_id", "commentable_type"], :name => "index_comments_on_commentable_id_and_commentable_type" + add_index 'comments', ["guid"], :name => 'index_comments_on_guid', length: {"guid"=>191}, :using => :btree, :unique => true + + create_table "contacts", :force => true do |t| + t.integer "user_id", :null => false + t.integer "person_id", :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.boolean "sharing", :default => false, :null => false + t.boolean "receiving", :default => false, :null => false + end + + add_index "contacts", ["person_id"], :name => "index_contacts_on_person_id" + add_index "contacts", ["user_id", "person_id"], :name => "index_contacts_on_user_id_and_person_id", :unique => true + + create_table "conversation_visibilities", :force => true do |t| + t.integer "conversation_id", :null => false + t.integer "person_id", :null => false + t.integer "unread", :default => 0, :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + add_index "conversation_visibilities", ["conversation_id", "person_id"], :name => "index_conversation_visibilities_usefully", :unique => true + add_index "conversation_visibilities", ["conversation_id"], :name => "index_conversation_visibilities_on_conversation_id" + add_index "conversation_visibilities", ["person_id"], :name => "index_conversation_visibilities_on_person_id" + + create_table "conversations", :force => true do |t| + t.string "subject" + t.string "guid", :null => false + t.integer "author_id", :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + add_index "conversations", ["author_id"], :name => "conversations_author_id_fk" + + create_table "invitation_codes", :force => true do |t| + t.string "token" + t.integer "user_id" + t.integer "count" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + create_table "invitations", :force => true do |t| + t.text "message" + t.integer "sender_id" + t.integer "recipient_id" + t.integer "aspect_id" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.string "service" + t.string "identifier" + t.boolean "admin", :default => false + t.string "language", :default => "en" + end + + add_index "invitations", ["aspect_id"], :name => "index_invitations_on_aspect_id" + add_index "invitations", ["recipient_id"], :name => "index_invitations_on_recipient_id" + add_index "invitations", ["sender_id"], :name => "index_invitations_on_sender_id" + + create_table "likes", :force => true do |t| + t.boolean "positive", :default => true + t.integer "target_id" + t.integer "author_id" + t.string "guid" + t.text "author_signature" + t.text "parent_author_signature" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.string "target_type", :limit => 60, :null => false + end + + add_index "likes", ["author_id"], :name => "likes_author_id_fk" + add_index 'likes', ["guid"], :name => 'index_likes_on_guid', length: {"guid"=>191}, :using => :btree, :unique => true + add_index "likes", ["target_id", "author_id", "target_type"], :name => "index_likes_on_target_id_and_author_id_and_target_type", :unique => true + add_index "likes", ["target_id"], :name => "index_likes_on_post_id" + + create_table "locations", :force => true do |t| + t.string "address" + t.string "lat" + t.string "lng" + t.integer "status_message_id" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + create_table "mentions", :force => true do |t| + t.integer "post_id", :null => false + t.integer "person_id", :null => false + end + + add_index "mentions", ["person_id", "post_id"], :name => "index_mentions_on_person_id_and_post_id", :unique => true + add_index "mentions", ["person_id"], :name => "index_mentions_on_person_id" + add_index "mentions", ["post_id"], :name => "index_mentions_on_post_id" + + create_table "messages", :force => true do |t| + t.integer "conversation_id", :null => false + t.integer "author_id", :null => false + t.string "guid", :null => false + t.text "text", :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.text "author_signature" + t.text "parent_author_signature" + end + + add_index "messages", ["author_id"], :name => "index_messages_on_author_id" + add_index "messages", ["conversation_id"], :name => "messages_conversation_id_fk" + + create_table "notification_actors", :force => true do |t| + t.integer "notification_id" + t.integer "person_id" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + add_index "notification_actors", ["notification_id", "person_id"], :name => "index_notification_actors_on_notification_id_and_person_id", :unique => true + add_index "notification_actors", ["notification_id"], :name => "index_notification_actors_on_notification_id" + add_index "notification_actors", ["person_id"], :name => "index_notification_actors_on_person_id" + + create_table "notifications", :force => true do |t| + t.string "target_type" + t.integer "target_id" + t.integer "recipient_id", :null => false + t.boolean "unread", :default => true, :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.string "type" + end + + add_index "notifications", ["recipient_id"], :name => "index_notifications_on_recipient_id" + add_index "notifications", ["target_id"], :name => "index_notifications_on_target_id" + add_index 'notifications', ["target_type", "target_id"], name: 'index_notifications_on_target_type_and_target_id', length: {"target_type"=>190}, using: :btree + + create_table "o_embed_caches", :force => true do |t| + t.string "url", :limit => 1024, :null => false + t.text "data", :null => false + end + + add_index "o_embed_caches", ["url"], :name => "index_o_embed_caches_on_url", :length => {"url"=> 191}, using: :btree + + create_table "participations", :force => true do |t| + t.string "guid" + t.integer "target_id" + t.string "target_type", :limit => 60, :null => false + t.integer "author_id" + t.text "author_signature" + t.text "parent_author_signature" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + add_index 'participations', ["guid"], :name => 'index_participations_on_guid', length: {"guid"=>191}, :using => :btree + add_index "participations", ["target_id", "target_type", "author_id"], :name => "index_participations_on_target_id_and_target_type_and_author_id" + + create_table "people", :force => true do |t| + t.string "guid", :null => false + t.text "url", :null => false + t.string "diaspora_handle", :null => false + t.text "serialized_public_key", :null => false + t.integer "owner_id" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.boolean "closed_account", :default => false + t.integer "fetch_status", :default => 0 + end + + add_index "people", ["diaspora_handle"], :name => "index_people_on_diaspora_handle", :unique => true, :length => {"diaspora_handle" => 191} + add_index 'people', ["guid"], :name => 'index_people_on_guid', length: {"guid"=>191}, :using => :btree, :unique => true + add_index "people", ["owner_id"], :name => "index_people_on_owner_id", :unique => true + + create_table "photos", :force => true do |t| + t.integer "tmp_old_id" + t.integer "author_id", :null => false + t.boolean "public", :default => false, :null => false + t.string "diaspora_handle" + t.string "guid", :null => false + t.boolean "pending", :default => false, :null => false + t.text "text" + t.text "remote_photo_path" + t.string "remote_photo_name" + t.string "random_string" + t.string "processed_image" + t.datetime "created_at" + t.datetime "updated_at" + t.string "unprocessed_image" + t.string "status_message_guid" + t.integer "comments_count" + t.integer "height" + t.integer "width" + end + + add_index 'photos', ["status_message_guid"], :name => 'index_photos_on_status_message_guid', length: {"status_message_guid"=>191}, :using => :btree + + create_table "pods", :force => true do |t| + t.string "host" + t.boolean "ssl" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + create_table "posts", :force => true do |t| + t.integer "author_id", :null => false + t.boolean "public", :default => false, :null => false + t.string "diaspora_handle" + t.string "guid", :null => false + t.boolean "pending", :default => false, :null => false + t.string "type", :limit => 40, :null => false + t.text "text" + t.text "remote_photo_path" + t.string "remote_photo_name" + t.string "random_string" + t.string "processed_image" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.string "unprocessed_image" + t.string "object_url" + t.string "image_url" + t.integer "image_height" + t.integer "image_width" + t.string "provider_display_name" + t.string "actor_url" + t.string "objectId" + t.string "root_guid", :limit => 30 + t.string "status_message_guid" + t.integer "likes_count", :default => 0 + t.integer "comments_count", :default => 0 + t.integer "o_embed_cache_id" + t.integer "reshares_count", :default => 0 + t.datetime "interacted_at" + t.string "frame_name" + t.boolean "favorite", :default => false + end + + add_index 'posts', ["author_id", "root_guid"], :name => 'index_posts_on_author_id_and_root_guid', length: {"root_guid"=>30}, :using => :btree, :unique => true + add_index "posts", ["author_id"], :name => "index_posts_on_person_id" + add_index 'posts', ["guid"], :name => 'index_posts_on_guid', length: {"guid"=>191}, :using => :btree, :unique => true + add_index "posts", ["id", "type", "created_at"], :name => "index_posts_on_id_and_type_and_created_at" + add_index 'posts', ["root_guid"], :name => 'index_posts_on_root_guid', length: {"root_guid"=>30} + add_index 'posts', ["status_message_guid", "pending"], :name => 'index_posts_on_status_message_guid_and_pending', length: {"status_message_guid"=>190}, :using => :btree + add_index 'posts', ["status_message_guid"], :name => 'index_posts_on_status_message_guid', length: {"status_message_guid"=>191}, :using => :btree + add_index "posts", ["type", "pending", "id"], :name => "index_posts_on_type_and_pending_and_id" + + create_table "profiles", :force => true do |t| + t.string "diaspora_handle" + t.string "first_name", :limit => 127 + t.string "last_name", :limit => 127 + t.string "image_url" + t.string "image_url_small" + t.string "image_url_medium" + t.date "birthday" + t.string "gender" + t.text "bio" + t.boolean "searchable", :default => true, :null => false + t.integer "person_id", :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.string "location" + t.string "full_name", :limit => 70 + t.boolean "nsfw", :default => false + end + + add_index "profiles", ["full_name", "searchable"], :name => "index_profiles_on_full_name_and_searchable" + add_index "profiles", ["full_name"], :name => "index_profiles_on_full_name" + add_index "profiles", ["person_id"], :name => "index_profiles_on_person_id" + + create_table "rails_admin_histories", :force => true do |t| + t.text "message" + t.string "username" + t.integer "item" + t.string "table" + t.integer "month", :limit => 2 + t.integer "year", :limit => 8 + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + add_index "rails_admin_histories", ["item", "table", "month", "year"], :name => "index_rails_admin_histories", :length => {"table" => 188} + + create_table "roles", :force => true do |t| + t.integer "person_id" + t.string "name" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + create_table "services", :force => true do |t| + t.string "type", :limit => 127, :null => false + t.integer "user_id", :null => false + t.string "uid", :limit => 127 + t.string "access_token" + t.string "access_secret" + t.string "nickname" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + add_index 'services', ["type", "uid"], :name => 'index_services_on_type_and_uid', length: {"type"=>64, "uid"=>127}, :using => :btree + add_index "services", ["user_id"], :name => "index_services_on_user_id" + + create_table "share_visibilities", :force => true do |t| + t.integer "shareable_id", :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.boolean "hidden", :default => false, :null => false + t.integer "contact_id", :null => false + t.string "shareable_type", :limit => 60, :default => "Post", :null => false + end + + add_index "share_visibilities", ["contact_id"], :name => "index_post_visibilities_on_contact_id" + add_index "share_visibilities", ["shareable_id", "shareable_type", "contact_id"], :name => "shareable_and_contact_id" + add_index "share_visibilities", ["shareable_id", "shareable_type", "hidden", "contact_id"], :name => "shareable_and_hidden_and_contact_id" + add_index "share_visibilities", ["shareable_id"], :name => "index_post_visibilities_on_post_id" + + create_table "tag_followings", :force => true do |t| + t.integer "tag_id", :null => false + t.integer "user_id", :null => false + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + add_index "tag_followings", ["tag_id", "user_id"], :name => "index_tag_followings_on_tag_id_and_user_id", :unique => true + add_index "tag_followings", ["tag_id"], :name => "index_tag_followings_on_tag_id" + add_index "tag_followings", ["user_id"], :name => "index_tag_followings_on_user_id" + + create_table "taggings", :force => true do |t| + t.integer "tag_id" + t.integer "taggable_id" + t.string "taggable_type", :limit => 127 + t.integer "tagger_id" + t.string "tagger_type", :limit => 127 + t.string "context", :limit => 127 + t.datetime "created_at" + end + + add_index "taggings", ["created_at"], :name => "index_taggings_on_created_at" + add_index "taggings", ["tag_id"], :name => "index_taggings_on_tag_id" + add_index 'taggings', ["taggable_id", "taggable_type", "context"], :name => 'index_taggings_on_taggable_id_and_taggable_type_and_context', length: {"taggable_type"=>95, "context"=>95}, :using => :btree + add_index "taggings", ["taggable_id", "taggable_type", "tag_id"], :name => "index_taggings_uniquely", :unique => true + + create_table "tags", :force => true do |t| + t.string "name" + end + + add_index "tags", ["name"], :name => "index_tags_on_name", :unique => true, :length => {"name" => 191} + + create_table "user_preferences", :force => true do |t| + t.string "email_type" + t.integer "user_id" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + end + + create_table "users", :force => true do |t| + t.string "username" + t.text "serialized_private_key" + t.boolean "getting_started", :default => true, :null => false + t.boolean "disable_mail", :default => false, :null => false + t.string "language" + t.string "email", :default => "", :null => false + t.string "encrypted_password", :default => "", :null => false + t.string "invitation_token", :limit => 60 + t.datetime "invitation_sent_at" + t.string "reset_password_token" + t.datetime "remember_created_at" + t.integer "sign_in_count", :default => 0 + t.datetime "current_sign_in_at" + t.datetime "last_sign_in_at" + t.string "current_sign_in_ip" + t.string "last_sign_in_ip" + t.datetime "created_at", :null => false + t.datetime "updated_at", :null => false + t.string "invitation_service", :limit => 127 + t.string "invitation_identifier", :limit => 127 + t.integer "invitation_limit" + t.integer "invited_by_id" + t.string "invited_by_type" + t.string "authentication_token", :limit => 30 + t.string "unconfirmed_email" + t.string "confirm_email_token", :limit => 30 + t.datetime "locked_at" + t.boolean "show_community_spotlight_in_stream", :default => true, :null => false + t.boolean "auto_follow_back", :default => false + t.integer "auto_follow_back_aspect_id" + t.text "hidden_shareables" + t.datetime "reset_password_sent_at" + end + + add_index "users", ["authentication_token"], :name => "index_users_on_authentication_token", :unique => true + add_index "users", ["email"], :name => "index_users_on_email", length: {"email" => "191"} + add_index 'users', ["invitation_service", "invitation_identifier"], :name => 'index_users_on_invitation_service_and_invitation_identifier', length: {"invitation_service"=>64, "invitation_identifier"=>127}, :using => :btree, :unique => true + add_index "users", ["invitation_token"], :name => "index_users_on_invitation_token" + add_index 'users', ["username"], :name => 'index_users_on_username', length: {"username"=>191}, :using => :btree, :unique => true + + add_foreign_key "aspect_memberships", "aspects", name: "aspect_memberships_aspect_id_fk", on_delete: :cascade + add_foreign_key "aspect_memberships", "contacts", name: "aspect_memberships_contact_id_fk", on_delete: :cascade + + add_foreign_key "aspect_visibilities", "aspects", name: "aspect_visibilities_aspect_id_fk", on_delete: :cascade + + add_foreign_key "comments", "people", name: "comments_author_id_fk", column: "author_id", on_delete: :cascade + + add_foreign_key "contacts", "people", name: "contacts_person_id_fk", on_delete: :cascade + + add_foreign_key "conversation_visibilities", "conversations", name: "conversation_visibilities_conversation_id_fk", on_delete: :cascade + add_foreign_key "conversation_visibilities", "people", name: "conversation_visibilities_person_id_fk", on_delete: :cascade + + add_foreign_key "conversations", "people", name: "conversations_author_id_fk", column: "author_id", on_delete: :cascade + + add_foreign_key "invitations", "users", name: "invitations_recipient_id_fk", column: "recipient_id", on_delete: :cascade + add_foreign_key "invitations", "users", name: "invitations_sender_id_fk", column: "sender_id", on_delete: :cascade + + add_foreign_key "likes", "people", name: "likes_author_id_fk", column: "author_id", on_delete: :cascade + + add_foreign_key "messages", "conversations", name: "messages_conversation_id_fk", on_delete: :cascade + add_foreign_key "messages", "people", name: "messages_author_id_fk", column: "author_id", on_delete: :cascade + + add_foreign_key "notification_actors", "notifications", name: "notification_actors_notification_id_fk", on_delete: :cascade + + add_foreign_key "posts", "people", name: "posts_author_id_fk", column: "author_id", on_delete: :cascade + + add_foreign_key "profiles", "people", name: "profiles_person_id_fk", on_delete: :cascade + + add_foreign_key "services", "users", name: "services_user_id_fk", on_delete: :cascade + + add_foreign_key "share_visibilities", "contacts", name: "post_visibilities_contact_id_fk", on_delete: :cascade end diff --git a/db/migrate/20110105051803_create_import_tables.rb b/db/migrate/20110105051803_create_import_tables.rb deleted file mode 100644 index 6e676951d..000000000 --- a/db/migrate/20110105051803_create_import_tables.rb +++ /dev/null @@ -1,199 +0,0 @@ -class CreateImportTables < ActiveRecord::Migration - def self.up - [:aspects, :comments, :contacts, :invitations, :notifications, :people, :posts, :profiles, :requests, :services, :users].each do |table| - add_column(table, :mongo_id, :string) - add_index(table, :mongo_id) - end - - add_column(:aspects, :user_mongo_id, :string) - create_table :mongo_aspects do |t| - t.string :mongo_id - t.string :name - t.string :user_mongo_id - t.timestamps - end - add_index :mongo_aspects, :user_mongo_id - - create_table :mongo_aspect_memberships do |t| - t.string :aspect_mongo_id - t.string :contact_mongo_id - t.timestamps - end - add_index :mongo_aspect_memberships, :aspect_mongo_id - add_index :mongo_aspect_memberships, :contact_mongo_id - - create_table :mongo_comments do |t| - t.text :text - t.string :mongo_id - t.string :post_mongo_id - t.string :person_mongo_id - t.string :guid - t.text :creator_signature - t.text :post_creator_signature - t.text :youtube_titles - t.timestamps - end - add_index :mongo_comments, :guid, :unique => true - add_index :mongo_comments, :post_mongo_id - - create_table :mongo_contacts do |t| - t.string :mongo_id - t.string :user_mongo_id - t.string :person_mongo_id - t.boolean :pending, :default => true - t.timestamps - end - add_index :mongo_contacts, [:user_mongo_id, :pending] - add_index :mongo_contacts, [:person_mongo_id, :pending] - - create_table :mongo_people do |t| - t.string :mongo_id - t.string :guid - t.text :url - t.string :diaspora_handle - t.text :serialized_public_key - t.string :owner_mongo_id - t.timestamps - end - add_index :mongo_people, :guid, :unique => true - add_index :mongo_people, :owner_mongo_id, :unique => true - add_index :mongo_people, :diaspora_handle, :unique => true - - create_table :mongo_posts do |t| - t.string :person_mongo_id - t.boolean :public, :default => false - t.string :diaspora_handle - t.string :guid - t.string :mongo_id - t.boolean :pending, :default => false - t.string :type - - t.text :message - - t.string :status_message_mongo_id - t.text :caption - t.text :remote_photo_path - t.string :remote_photo_name - t.string :random_string - t.string :image #carrierwave's column - t.text :youtube_titles - - t.timestamps - end - add_index :mongo_posts, :type - add_index :mongo_posts, :person_mongo_id - add_index :mongo_posts, :guid - - create_table :mongo_invitations do |t| - t.string :mongo_id - t.text :message - t.string :sender_mongo_id - t.string :recipient_mongo_id - t.string :aspect_mongo_id - t.timestamps - end - add_index :mongo_invitations, :sender_mongo_id - create_table :mongo_notifications do |t| - t.string :mongo_id - t.string :target_type, :limit => 127 - t.string :target_mongo_id, :limit => 127 - t.string :recipient_mongo_id - t.string :actor_mongo_id - t.string :action - t.boolean :unread, :default => true - t.timestamps - end - add_index :mongo_notifications, [:target_type, :target_mongo_id] - create_table :mongo_post_visibilities do |t| - t.string :aspect_mongo_id - t.string :post_mongo_id - t.timestamps - end - add_index :mongo_post_visibilities, :aspect_mongo_id - add_index :mongo_post_visibilities, :post_mongo_id - - create_table :mongo_profiles do |t| - t.string :diaspora_handle - t.string :first_name, :limit => 127 - t.string :last_name, :limit => 127 - t.string :image_url - t.string :image_url_small - t.string :image_url_medium - t.date :birthday - t.string :gender - t.text :bio - t.boolean :searchable, :default => true - t.string :person_mongo_id - t.timestamps - end - add_index :mongo_profiles, [:first_name, :searchable] - add_index :mongo_profiles, [:last_name, :searchable] - add_index :mongo_profiles, [:first_name, :last_name, :searchable] - add_index :mongo_profiles, :person_mongo_id, :unique => true - - - create_table :mongo_requests do |t| - t.string :mongo_id - t.string :sender_mongo_id, :limit => 127 - t.string :recipient_mongo_id, :limit => 127 - t.string :aspect_mongo_id - t.timestamps - end - add_index :mongo_requests, :sender_mongo_id - add_index :mongo_requests, :recipient_mongo_id - add_index :mongo_requests, [:sender_mongo_id, :recipient_mongo_id], :unique => true - - add_column(:services, :user_mongo_id, :string) - create_table :mongo_services do |t| - t.string :mongo_id - t.string :type - t.string :user_mongo_id - t.string :provider - t.string :uid - t.string :access_token - t.string :access_secret - t.string :nickname - t.timestamps - end - add_index :mongo_services, :user_mongo_id - - create_table :mongo_users do |t| - t.string :username - t.text :serialized_private_key - t.integer :invites - t.boolean :getting_started - t.boolean :disable_mail - t.string :language - t.string :email, :null => false, :default => "" - t.string :encrypted_password, :null => false, :default => "" - t.string :reset_password_token - t.datetime :reset_password_sent_at - t.datetime :remember_created_at - t.integer :sign_in_count, :default => 0 - t.datetime :current_sign_in_at - t.datetime :last_sign_in_at - t.string :current_sign_in_ip - t.string :last_sign_in_ip - - - t.timestamps - t.string :mongo_id - end - add_index :mongo_users, :mongo_id, :unique => true - end - - def self.down - execute 'DROP TABLE mongo_users' - execute 'DROP TABLE mongo_services' - execute 'DROP TABLE mongo_requests' - execute 'DROP TABLE mongo_post_visibilities' - execute 'DROP TABLE mongo_invitations' - execute 'DROP TABLE mongo_contacts' - execute 'DROP TABLE mongo_comments' - execute 'DROP TABLE mongo_profiles' - execute 'DROP TABLE mongo_people' - execute 'DROP TABLE mongo_posts' - execute 'DROP TABLE mongo_aspect_memberships' - execute 'DROP TABLE mongo_aspects' - end -end diff --git a/db/migrate/20110119060243_add_index_to_post_visibilities.rb b/db/migrate/20110119060243_add_index_to_post_visibilities.rb deleted file mode 100644 index a2e682941..000000000 --- a/db/migrate/20110119060243_add_index_to_post_visibilities.rb +++ /dev/null @@ -1,9 +0,0 @@ -class AddIndexToPostVisibilities < ActiveRecord::Migration - def self.up - add_index :post_visibilities, [:aspect_id, :post_id] - end - - def self.down - remove_index :post_visibilities, [:aspect_id, :post_id] - end -end diff --git a/db/migrate/20110119221746_add_indicies.rb b/db/migrate/20110119221746_add_indicies.rb deleted file mode 100644 index 13fe89a22..000000000 --- a/db/migrate/20110119221746_add_indicies.rb +++ /dev/null @@ -1,29 +0,0 @@ -class AddIndicies < ActiveRecord::Migration - def self.up - add_index :comments, :person_id - - add_index :invitations, :recipient_id - add_index :invitations, :aspect_id - - add_index :notifications, :target_id - add_index :notifications, :recipient_id - - add_index :posts, :status_message_id - add_index :posts, [:status_message_id, :pending] - add_index :posts, [:type, :pending, :id] - end - - def self.down - remove_index :comments, :person_id - - remove_index :invitations, :recipient_id - remove_index :invitations, :aspect_id - - remove_index :notifications, :target_id - remove_index :notifications, :recipient_id - - remove_index :posts, :status_message_id - remove_index :posts, [:status_message_id, :pending] - remove_index :posts, [:type, :pending, :id] - end -end diff --git a/db/migrate/20110120181553_create_statistics.rb b/db/migrate/20110120181553_create_statistics.rb deleted file mode 100644 index bf0fe9910..000000000 --- a/db/migrate/20110120181553_create_statistics.rb +++ /dev/null @@ -1,15 +0,0 @@ -class CreateStatistics < ActiveRecord::Migration - def self.up - create_table :statistics do |t| - t.integer :average - t.string :type - t.datetime :time - - t.timestamps - end - end - - def self.down - drop_table :statistcs - end -end diff --git a/db/migrate/20110120182100_create_data_points.rb b/db/migrate/20110120182100_create_data_points.rb deleted file mode 100644 index d12351bed..000000000 --- a/db/migrate/20110120182100_create_data_points.rb +++ /dev/null @@ -1,17 +0,0 @@ -class CreateDataPoints < ActiveRecord::Migration - def self.up - create_table :data_points do |t| - t.string :key - t.integer :value - t.integer :statistic_id - - t.timestamps - end - add_index :data_points, :statistic_id - end - - def self.down - remove_index :data_points, :statistic_id - drop_table :data_points - end -end diff --git a/db/migrate/20110123210746_alter_string_columns.rb b/db/migrate/20110123210746_alter_string_columns.rb deleted file mode 100644 index 895c98438..000000000 --- a/db/migrate/20110123210746_alter_string_columns.rb +++ /dev/null @@ -1,37 +0,0 @@ -class AlterStringColumns < ActiveRecord::Migration - # This alters the tables to avoid a mysql bug - # See http://bugs.joindiaspora.com/issues/835 - def self.up - remove_index :profiles, :column => [:first_name, :searchable] - remove_index :profiles, :column => [:last_name, :searchable] - remove_index :profiles, :column => [:first_name, :last_name, :searchable] - change_column(:profiles, :first_name, :string, :limit => 127) - change_column(:profiles, :last_name, :string, :limit => 127) - add_index :profiles, [:first_name, :searchable] - add_index :profiles, [:last_name, :searchable] - add_index :profiles, [:first_name, :last_name, :searchable] - - remove_index :mongo_notifications, :column => [:target_type, :target_mongo_id] - change_column(:mongo_notifications, :target_type, :string, :limit => 127) - change_column(:mongo_notifications, :target_mongo_id, :string, :limit => 127) - add_index :mongo_notifications, [:target_type, :target_mongo_id] - - remove_index :mongo_profiles, :column => [:first_name, :searchable] - remove_index :mongo_profiles, :column => [:last_name, :searchable] - remove_index :mongo_profiles, :column => [:first_name, :last_name, :searchable] - change_column(:mongo_profiles, :first_name, :string, :limit => 127) - change_column(:mongo_profiles, :last_name, :string, :limit => 127) - add_index :mongo_profiles, [:first_name, :searchable] - add_index :mongo_profiles, [:last_name, :searchable] - add_index :mongo_profiles, [:first_name, :last_name, :searchable] - - remove_index :mongo_requests, :column => :sender_mongo_id - remove_index :mongo_requests, :column => :recipient_mongo_id - remove_index :mongo_requests, :column => [:sender_mongo_id, :recipient_mongo_id] - change_column(:mongo_requests, :sender_mongo_id, :string, :limit => 127) - change_column(:mongo_requests, :recipient_mongo_id, :string, :limit => 127) - add_index :mongo_requests, :sender_mongo_id - add_index :mongo_requests, :recipient_mongo_id - add_index :mongo_requests, [:sender_mongo_id, :recipient_mongo_id], :unique => true - end -end diff --git a/db/migrate/20110125190034_unique_index_on_profile.rb b/db/migrate/20110125190034_unique_index_on_profile.rb deleted file mode 100644 index de27e44d3..000000000 --- a/db/migrate/20110125190034_unique_index_on_profile.rb +++ /dev/null @@ -1,37 +0,0 @@ -class UniqueIndexOnProfile < ActiveRecord::Migration - class Profile < ActiveRecord::Base; end - def self.up - if Profile.count > 0 - conn = ActiveRecord::Base.connection - columns = conn.columns("profiles").map{|c| c.name} - ["id", "created_at", "updated_at"].each{|n| columns.delete(n)} - - sql = <<-SQL - SELECT profiles.person_id FROM profiles - GROUP BY #{columns.join(',')} - HAVING COUNT(*)>1 AND profiles.person_id IS NOT NULL; - SQL - result = conn.execute(sql) - duplicate_person_ids = result.to_a.flatten - - undesired_profile_ids = [] - duplicate_person_ids.each do |person_id| - profile_ids = conn.execute(" - SELECT profiles.id FROM profiles - WHERE profiles.person_id = #{person_id};").to_a.flatten - profile_ids.pop - undesired_profile_ids.concat(profile_ids) - end - conn.execute("DELETE FROM profiles - WHERE profiles.id IN (#{undesired_profile_ids.join(",")});") unless undesired_profile_ids.empty? - end - - remove_index :profiles, :person_id - add_index :profiles, :person_id, :unique => true - end - - def self.down - remove_index :profiles, :person_id - add_index :profiles, :person_id - end -end diff --git a/db/migrate/20110126015407_add_invitation_service_and_invitation_identifier_to_user.rb b/db/migrate/20110126015407_add_invitation_service_and_invitation_identifier_to_user.rb deleted file mode 100644 index f3017f3be..000000000 --- a/db/migrate/20110126015407_add_invitation_service_and_invitation_identifier_to_user.rb +++ /dev/null @@ -1,13 +0,0 @@ -class AddInvitationServiceAndInvitationIdentifierToUser < ActiveRecord::Migration - def self.up - add_column(:users, :invitation_service, :string) - add_column(:users, :invitation_identifier, :string) - - execute("UPDATE users SET invitation_service='email', invitation_identifier= email WHERE invitation_token IS NOT NULL;") - end - - def self.down - remove_column(:users, :invitation_service, :string) - remove_column(:users, :invitation_identifier, :string) - end -end diff --git a/db/migrate/20110126200714_add_contacts_visible.rb b/db/migrate/20110126200714_add_contacts_visible.rb deleted file mode 100644 index b75d52329..000000000 --- a/db/migrate/20110126200714_add_contacts_visible.rb +++ /dev/null @@ -1,17 +0,0 @@ -class AddContactsVisible < ActiveRecord::Migration - def self.up - add_column :aspects, :contacts_visible, :boolean, :default => true, :null => false - add_index :aspects, [:user_id, :contacts_visible] - - ActiveRecord::Base.connection.execute <<-SQL - UPDATE aspects - SET contacts_visible = false - WHERE contacts_visible IS NULL - SQL - end - - def self.down - remove_index :aspects, [:user_id, :contacts_visible] - remove_column :aspects, :contacts_visible - end -end diff --git a/db/migrate/20110126225202_remove_unique_index_on_email_on_users.rb b/db/migrate/20110126225202_remove_unique_index_on_email_on_users.rb deleted file mode 100644 index 28f620683..000000000 --- a/db/migrate/20110126225202_remove_unique_index_on_email_on_users.rb +++ /dev/null @@ -1,11 +0,0 @@ -class RemoveUniqueIndexOnEmailOnUsers < ActiveRecord::Migration - def self.up - remove_index :users, :email - add_index :users, :email - end - - def self.down - remove_index :users, :email - add_index :users, :email, :unique => true - end -end diff --git a/db/migrate/20110126232040_add_unique_index_on_invitation_service_and_invitation_identifier_to_users.rb b/db/migrate/20110126232040_add_unique_index_on_invitation_service_and_invitation_identifier_to_users.rb deleted file mode 100644 index 8445447b2..000000000 --- a/db/migrate/20110126232040_add_unique_index_on_invitation_service_and_invitation_identifier_to_users.rb +++ /dev/null @@ -1,11 +0,0 @@ -class AddUniqueIndexOnInvitationServiceAndInvitationIdentifierToUsers < ActiveRecord::Migration - def self.up - change_column(:users, :invitation_service, :string, :limit => 127) - change_column(:users, :invitation_identifier, :string, :limit => 127) - add_index(:users, [:invitation_service, :invitation_identifier], :unique => true) - end - - def self.down - remove_index(:users, [:invitation_service, :invitation_identifier]) - end -end diff --git a/db/migrate/20110127000931_drop_extra_columns.rb b/db/migrate/20110127000931_drop_extra_columns.rb deleted file mode 100644 index e228ca96b..000000000 --- a/db/migrate/20110127000931_drop_extra_columns.rb +++ /dev/null @@ -1,10 +0,0 @@ -class DropExtraColumns < ActiveRecord::Migration - def self.up - remove_column :services, :provider - remove_column :statistics, :type - end - - def self.down - raise ActiveRecord::IrreversibleMigration - end -end diff --git a/db/migrate/20110127000953_make_fields_not_null.rb b/db/migrate/20110127000953_make_fields_not_null.rb deleted file mode 100644 index 6a4fe84e5..000000000 --- a/db/migrate/20110127000953_make_fields_not_null.rb +++ /dev/null @@ -1,39 +0,0 @@ -class MakeFieldsNotNull < ActiveRecord::Migration - def self.non_nullable_fields - fields = { - :aspect_memberships => [:aspect_id, :contact_id], - :aspects => [:user_id, :name], - :comments => [:text, :post_id, :person_id, :guid], - :contacts => [:user_id, :person_id, :pending], - :data_points => [:key, :value, :statistic_id], - :invitations => [:recipient_id, :sender_id], - :notifications => [:recipient_id, :actor_id, :action, :unread], - :people => [:guid, :url, :diaspora_handle, :serialized_public_key], - :post_visibilities => [:aspect_id, :post_id], - :posts => [:person_id, :public, :guid, :pending, :type], - :profiles => [:person_id, :searchable], - :requests => [:sender_id, :recipient_id], - :services => [:type, :user_id], - :statistics => [:time], - :users => [:getting_started, :invites, :disable_mail] - } - end - - def self.up - remove_index(:profiles, :person_id) - non_nullable_fields.each_pair do |table, columns| - columns.each do |column| - change_column_null(table, column, false) - end - end - add_index :profiles, :person_id - end - - def self.down - non_nullable_fields.each_pair do |table, columns| - columns.each do |column| - change_column_null(table, column, true) - end - end - end -end diff --git a/db/migrate/20110130072907_notification_multiple_people.rb b/db/migrate/20110130072907_notification_multiple_people.rb deleted file mode 100644 index 883eb310f..000000000 --- a/db/migrate/20110130072907_notification_multiple_people.rb +++ /dev/null @@ -1,70 +0,0 @@ -class NotificationMultiplePeople < ActiveRecord::Migration - def self.up - create_table :notification_actors do |t| - t.integer :notification_id - t.integer :person_id - t.timestamps - end - - add_index :notification_actors, :notification_id - add_index :notification_actors, [:notification_id, :person_id] , :unique => true - add_index :notification_actors, :person_id ## if i am not mistaken we don't need this one because we won't query person.notifications - - note_ids = execute('select id from notifications').to_a - unless note_ids.empty? - #make the notification actors table - execute "INSERT INTO notification_actors (notification_id, person_id) " + - " SELECT id , actor_id " + - " FROM notifications" - - #update the notifications to reference the post - execute "UPDATE notifications, comments " + - "SET notifications.target_id = comments.post_id, " + - "target_type = 'Post' " + - "WHERE (notifications.target_id = comments.id " + - "AND (notifications.action = 'comment_on_post' " + - "OR notifications.action = 'also_commented'))" - - #select all the notifications to keep - execute "CREATE TEMPORARY TABLE keep_table " + - "(SELECT id as keep_id, actor_id , target_type , target_id , recipient_id , action " + - "FROM notifications WHERE action = 'comment_on_post' OR action = 'also_commented' " + - "GROUP BY target_type , target_id , recipient_id , action) " - - #get a table of with ids of the notifications that need to be deleted and with the ones that need - #to replace them - execute "CREATE TEMPORARY TABLE keep_delete " + - "( SELECT n1.keep_id, n2.id as delete_id, " + - "n2.actor_id, n1.target_type, n1.target_id, n1.recipient_id, n1.action " + - "FROM keep_table n1, notifications n2 " + - "WHERE n1.keep_id != n2.id " + - "AND n1.actor_id != n2.actor_id "+ - "AND n1.target_type = n2.target_type AND n1.target_id = n2.target_id " + - "AND n1.recipient_id = n2.recipient_id AND n1.action = n2.action " + - "AND (n1.action = 'comment_on_post' OR n1.action = 'also_commented') "+ - "GROUP BY n2.actor_id , n2.target_type , n2.target_id , n2.recipient_id , n2.action)" - - #have the notifications actors reference the notifications that need to be kept - execute "UPDATE notification_actors, keep_delete "+ - "SET notification_actors.notification_id = keep_delete.keep_id "+ - "WHERE notification_actors.notification_id = keep_delete.delete_id" - - #delete all the notifications that need to be deleted - execute "DELETE notifications.* " + - "FROM notifications, keep_delete " + - "WHERE notifications.id != keep_delete.keep_id AND "+ - "notifications.target_type = keep_delete.target_type AND "+ - "notifications.target_id = keep_delete.target_id AND "+ - "notifications.recipient_id = keep_delete.recipient_id AND "+ - "notifications.action = keep_delete.action" - end - - - remove_column :notifications, :actor_id - remove_column :notifications, :mongo_id - end - - def self.down - raise ActiveRecord::IrreversibleMigration.new - end -end diff --git a/db/migrate/20110202015222_add_open_to_aspects.rb b/db/migrate/20110202015222_add_open_to_aspects.rb deleted file mode 100644 index cf5905c3d..000000000 --- a/db/migrate/20110202015222_add_open_to_aspects.rb +++ /dev/null @@ -1,9 +0,0 @@ -class AddOpenToAspects < ActiveRecord::Migration - def self.up - add_column(:aspects, :open, :boolean, :default => false) - end - - def self.down - remove_column(:aspects, :open) - end -end diff --git a/db/migrate/20110209204702_create_mentions.rb b/db/migrate/20110209204702_create_mentions.rb deleted file mode 100644 index d4bbbf39e..000000000 --- a/db/migrate/20110209204702_create_mentions.rb +++ /dev/null @@ -1,15 +0,0 @@ -class CreateMentions < ActiveRecord::Migration - def self.up - create_table :mentions do |t| - t.integer :post_id, :null => false - t.integer :person_id, :null => false - end - add_index :mentions, :post_id - add_index :mentions, :person_id - add_index :mentions, [:person_id, :post_id], :unique => true - end - - def self.down - drop_table :mentions - end -end diff --git a/db/migrate/20110211021926_fix_target_on_notification.rb b/db/migrate/20110211021926_fix_target_on_notification.rb deleted file mode 100644 index e79ea402b..000000000 --- a/db/migrate/20110211021926_fix_target_on_notification.rb +++ /dev/null @@ -1,29 +0,0 @@ -class FixTargetOnNotification < ActiveRecord::Migration - def self.up - note_ids = execute('select id from notifications').to_a - unless note_ids.empty? - execute("UPDATE notifications " + - "SET target_type='Post' " + - "WHERE action = 'comment_on_post' OR action = 'also_commented'") - - execute("UPDATE notifications " + - "SET target_type='Request' " + - "WHERE action = 'new_request' OR action = 'request_accepted'") - - execute("UPDATE notifications " + - "SET target_type='Mention' " + - "WHERE action = 'mentioned'") - - execute("create temporary table t1 "+ - "(select notifications.id as n_id " + - "from notifications LEFT JOIN mentions "+ - "ON notifications.target_id = mentions.id "+ - "WHERE notifications.action = 'mentioned' AND mentions.id IS NULL)") - - execute("DELETE notifications.* FROM notifications, t1 WHERE notifications.id = t1.n_id") - end - end - - def self.down - end -end diff --git a/db/migrate/20110211204804_unique_index_post_visibilities.rb b/db/migrate/20110211204804_unique_index_post_visibilities.rb deleted file mode 100644 index 9c61da28a..000000000 --- a/db/migrate/20110211204804_unique_index_post_visibilities.rb +++ /dev/null @@ -1,39 +0,0 @@ -class UniqueIndexPostVisibilities < ActiveRecord::Migration - def self.up - visibility_ids = execute('select id from post_visibilities').to_a - unless visibility_ids.empty? - sql = <<-SQL - SELECT `post_visibilities`.post_id, `post_visibilities`.aspect_id FROM `post_visibilities` - GROUP BY post_id, aspect_id - HAVING COUNT(*)>1; - SQL - - result = execute(sql) - dup_pvs = result.to_a - undesired_ids = [] - - dup_pvs.each do |arr| - post_id, aspect_id = arr - pv_ids = execute(" - SELECT `post_visibilities`.id FROM `post_visibilities` - WHERE `post_visibilities`.post_id = #{post_id} - AND `post_visibilities`.aspect_id = #{aspect_id};" - ).to_a.flatten! - pv_ids.pop - undesired_ids.concat(pv_ids) - end - execute("DELETE FROM `post_visibilities` WHERE `post_visibilities`.id IN (#{undesired_ids.join(",")});") unless undesired_ids.empty? - - new_result = execute(sql) - raise "Not all violating visibilities deleted, try migrating again if this is the first occurence" unless new_result.to_a.empty? - end - - remove_index :post_visibilities, [:aspect_id, :post_id] - add_index :post_visibilities, [:aspect_id, :post_id], :unique => true - end - - def self.down - remove_index :post_visibilities, [:aspect_id, :post_id] - add_index :post_visibilities, [:aspect_id, :post_id] - end -end diff --git a/db/migrate/20110213052742_add_more_indicies.rb b/db/migrate/20110213052742_add_more_indicies.rb deleted file mode 100644 index 5cd3666b1..000000000 --- a/db/migrate/20110213052742_add_more_indicies.rb +++ /dev/null @@ -1,19 +0,0 @@ -class AddMoreIndicies < ActiveRecord::Migration - def self.up - #For making validates_uniqueness_of, :case_sensitive => false, fast - add_index :users, [:id, :username], :unique => true - add_index :users, [:id, :email] - add_index :people, [:id, :diaspora_handle], :unique => true - - #For the includes of photos in the stream - add_index :posts, [:id, :type] - end - - def self.down - remove_index :users, [:id, :username] - remove_index :users, [:id, :email] - remove_index :people, [:id, :diaspora_handle] - - remove_index :posts, [:id, :type] - end -end diff --git a/db/migrate/20110217044519_undo_adding_indicies.rb b/db/migrate/20110217044519_undo_adding_indicies.rb deleted file mode 100644 index a5a8c7ccf..000000000 --- a/db/migrate/20110217044519_undo_adding_indicies.rb +++ /dev/null @@ -1,10 +0,0 @@ -class UndoAddingIndicies < ActiveRecord::Migration - require Rails.root.join('db', 'migrate', '20110213052742_add_more_indicies') - def self.up - AddMoreIndicies.down - end - - def self.down - AddMoreIndicies.up - end -end diff --git a/db/migrate/20110225190919_create_conversations_and_messages_and_visibilities.rb b/db/migrate/20110225190919_create_conversations_and_messages_and_visibilities.rb deleted file mode 100644 index b9c7b9bf9..000000000 --- a/db/migrate/20110225190919_create_conversations_and_messages_and_visibilities.rb +++ /dev/null @@ -1,39 +0,0 @@ -class CreateConversationsAndMessagesAndVisibilities < ActiveRecord::Migration - def self.up - create_table :messages do |t| - t.integer :conversation_id, :null => false - t.integer :author_id, :null => false - t.string :guid, :null => false - t.text :text, :null => false - - t.timestamps - end - - create_table :conversation_visibilities do |t| - t.integer :conversation_id, :null => false - t.integer :person_id, :null => false - t.integer :unread, :null => false, :default => 0 - - t.timestamps - end - - create_table :conversations do |t| - t.string :subject - t.string :guid, :null => false - t.integer :author_id, :null => false - - t.timestamps - end - - add_index :conversation_visibilities, :person_id - add_index :conversation_visibilities, :conversation_id - add_index :conversation_visibilities, [:conversation_id, :person_id], :unique => true, :name => 'index_conversation_visibilities_usefully' - add_index :messages, :author_id - end - - def self.down - drop_table :messages - drop_table :conversations - drop_table :conversation_visibilities - end -end diff --git a/db/migrate/20110228180709_notification_subclasses.rb b/db/migrate/20110228180709_notification_subclasses.rb deleted file mode 100644 index 18d210ac1..000000000 --- a/db/migrate/20110228180709_notification_subclasses.rb +++ /dev/null @@ -1,31 +0,0 @@ -class NotificationSubclasses < ActiveRecord::Migration - def self.up - add_column :notifications, :type, :string, :null => :false - {:new_request => 'Notifications::NewRequest', - :request_accepted => 'Notifications::RequestAccepted', - :comment_on_post => 'Notifications::CommentOnPost', - :also_commented => 'Notifications::AlsoCommented', - :mentioned => 'Notifications::Mentioned' - }.each_pair do |key, value| - execute("UPDATE notifications - set type = '#{value}' - where action = '#{key.to_s}'") - end - remove_column :notifications, :action - end - - def self.down - add_column :notifications, :action, :string - {:new_request => 'Notifications::NewRequest', - :request_accepted => 'Notifications::RequestAccepted', - :comment_on_post => 'Notifications::CommentOnPost', - :also_commented => 'Notifications::AlsoCommented', - :mentioned => 'Notifications::Mentioned' - }.each_pair do |key, value| - execute("UPDATE notifications - set action = '#{key.to_s}' - where type = '#{value}'") - end - remove_column :notifications, :type - end -end diff --git a/db/migrate/20110228201109_foreign_key_constraints.rb b/db/migrate/20110228201109_foreign_key_constraints.rb deleted file mode 100644 index 9904e1daa..000000000 --- a/db/migrate/20110228201109_foreign_key_constraints.rb +++ /dev/null @@ -1,63 +0,0 @@ -class ForeignKeyConstraints < ActiveRecord::Migration - def self.disconnected_records dependent_table, dep_column, parent_table - result = execute <
Evil" @person.profile.last_name = "I'm
Evil" - person_image_tag(@person).should_not include("
") + expect(person_image_tag(@person)).not_to include("
") end end @@ -36,31 +36,31 @@ describe PeopleHelper do end it 'includes the name of the person if they have a first name' do - person_link(@person).should include @person.profile.first_name + expect(person_link(@person)).to include @person.profile.first_name end it 'uses diaspora handle if the person has no first or last name' do @person.profile.first_name = nil @person.profile.last_name = nil - person_link(@person).should include @person.diaspora_handle + expect(person_link(@person)).to include @person.diaspora_handle end it 'uses diaspora handle if first name and first name are rails#blank?' do @person.profile.first_name = " " @person.profile.last_name = " " - person_link(@person).should include @person.diaspora_handle + expect(person_link(@person)).to include @person.diaspora_handle end it "should not allow basic XSS/HTML" do @person.profile.first_name = "I'm
Evil" @person.profile.last_name = "I'm
Evil" - person_link(@person).should_not include("
") + expect(person_link(@person)).not_to include("
") end it 'links by id for a local user' do - person_link(@user.person).should include "href='#{person_path(@user.person)}'" + expect(person_link(@user.person)).to include "href='#{person_path(@user.person)}'" end end @@ -68,13 +68,13 @@ describe PeopleHelper do it "calls local_or_remote_person_path and passes through the options" do opts = {:absolute => true} - self.should_receive(:local_or_remote_person_path).with(@person, opts).exactly(1).times + expect(self).to receive(:local_or_remote_person_path).with(@person, opts).exactly(1).times person_href(@person, opts) end it "returns a href attribute" do - person_href(@person).should include "href=" + expect(person_href(@person)).to include "href=" end end @@ -85,42 +85,20 @@ describe PeopleHelper do it "links by id if there is a period in the user's username" do @user.username = "invalid.username" - @user.save(:validate => false).should == true + expect(@user.save(:validate => false)).to eq(true) person = @user.person person.diaspora_handle = "#{@user.username}@#{AppConfig.pod_uri.authority}" person.save! - local_or_remote_person_path(@user.person).should == person_path(@user.person) + expect(local_or_remote_person_path(@user.person)).to eq(person_path(@user.person)) end it 'links by username for a local user' do - local_or_remote_person_path(@user.person).should == user_profile_path(:username => @user.username) + expect(local_or_remote_person_path(@user.person)).to eq(user_profile_path(:username => @user.username)) end it 'links by id for a remote person' do - local_or_remote_person_path(@person).should == person_path(@person) - end - end - - describe '#sharing_message' do - before do - @contact = FactoryGirl.create(:contact, :person => @person) - end - - context 'when the contact is sharing' do - it 'shows the sharing message' do - message = I18n.t('people.helper.is_sharing', :name => @person.name) - @contact.stub(:sharing?).and_return(true) - sharing_message(@person, @contact).should include(message) - end - end - - context 'when the contact is not sharing' do - it 'does show the not sharing message' do - message = I18n.t('people.helper.is_not_sharing', :name => @person.name) - @contact.stub(:sharing?).and_return(false) - sharing_message(@person, @contact).should include(message) - end + expect(local_or_remote_person_path(@person)).to eq(person_path(@person)) end end end diff --git a/spec/helpers/posts_helper_spec.rb b/spec/helpers/posts_helper_spec.rb index 1d1d6edee..d1624f8dc 100644 --- a/spec/helpers/posts_helper_spec.rb +++ b/spec/helpers/posts_helper_spec.rb @@ -4,7 +4,7 @@ require 'spec_helper' -describe PostsHelper do +describe PostsHelper, :type => :helper do describe '#post_page_title' do before do @@ -14,7 +14,7 @@ describe PostsHelper do context 'with posts with text' do it "delegates to message.title" do message = double - message.should_receive(:title) + expect(message).to receive(:title) post = double(message: message) post_page_title(post) end @@ -28,11 +28,11 @@ describe PostsHelper do end it "returns an iframe tag" do - post_iframe_url(@post.id).should include "iframe" + expect(post_iframe_url(@post.id)).to include "iframe" end it "returns an iframe containing the post" do - post_iframe_url(@post.id).should include "src='http://localhost:9887#{post_path(@post)}'" + expect(post_iframe_url(@post.id)).to include "src='http://localhost:9887#{post_path(@post)}'" end end end diff --git a/spec/helpers/report_helper_spec.rb b/spec/helpers/report_helper_spec.rb new file mode 100644 index 000000000..8cb003c42 --- /dev/null +++ b/spec/helpers/report_helper_spec.rb @@ -0,0 +1,17 @@ +require 'spec_helper' + +describe ReportHelper, :type => :helper do + before do + @comment = FactoryGirl.create(:comment) + @post = @comment.post + end + + describe "#report_content" do + it "contains a link to the post" do + expect(helper.report_content(@post, 'post')).to include %Q(href="#{post_path(@post)}") + end + it "contains an anchor to the comment" do + expect(helper.report_content(@comment, 'comment')).to include %Q(href="#{post_path(@post, anchor: @comment.guid)}") + end + end +end diff --git a/spec/helpers/stream_helper_spec.rb b/spec/helpers/stream_helper_spec.rb index b44b54d1c..b7c39ce10 100644 --- a/spec/helpers/stream_helper_spec.rb +++ b/spec/helpers/stream_helper_spec.rb @@ -4,7 +4,7 @@ require 'spec_helper' -describe StreamHelper do +describe StreamHelper, :type => :helper do describe "next_page_path" do def build_controller controller_class controller_class.new.tap {|c| c.request = controller.request } @@ -14,29 +14,29 @@ describe StreamHelper do end it 'works for public page' do - helper.stub(:controller).and_return(build_controller(PostsController)) - helper.next_page_path.should include '/public' + allow(helper).to receive(:controller).and_return(build_controller(PostsController)) + expect(helper.next_page_path).to include '/public' end it 'works for stream page when current page is stream' do - helper.stub(:current_page?).and_return(false) - helper.should_receive(:current_page?).with(:stream).and_return(true) - helper.stub(:controller).and_return(build_controller(StreamsController)) - helper.next_page_path.should include stream_path + allow(helper).to receive(:current_page?).and_return(false) + expect(helper).to receive(:current_page?).with(:stream).and_return(true) + allow(helper).to receive(:controller).and_return(build_controller(StreamsController)) + expect(helper.next_page_path).to include stream_path end it 'works for aspects page when current page is aspects' do - helper.stub(:current_page?).and_return(false) - helper.should_receive(:current_page?).with(:aspects_stream).and_return(true) - helper.stub(:controller).and_return(build_controller(StreamsController)) - helper.next_page_path.should include aspects_stream_path + allow(helper).to receive(:current_page?).and_return(false) + expect(helper).to receive(:current_page?).with(:aspects_stream).and_return(true) + allow(helper).to receive(:controller).and_return(build_controller(StreamsController)) + expect(helper.next_page_path).to include aspects_stream_path end it 'works for activity page when current page is not stream or aspects' do - helper.stub(:current_page?).and_return(false) - helper.stub(:controller).and_return(build_controller(StreamsController)) + allow(helper).to receive(:current_page?).and_return(false) + allow(helper).to receive(:controller).and_return(build_controller(StreamsController)) # binding.pry - helper.next_page_path.should include activity_stream_path + expect(helper.next_page_path).to include activity_stream_path end end end diff --git a/spec/helpers/tags_helper_spec.rb b/spec/helpers/tags_helper_spec.rb index f62edef90..748d591d8 100644 --- a/spec/helpers/tags_helper_spec.rb +++ b/spec/helpers/tags_helper_spec.rb @@ -1,20 +1,20 @@ require 'spec_helper' -describe TagsHelper do +describe TagsHelper, :type => :helper do describe '#looking_for_tag_link' do it 'returns nil if there is a @ in the query' do - helper.stub(:search_query).and_return('foo@bar.com') - helper.looking_for_tag_link.should be_nil + allow(helper).to receive(:search_query).and_return('foo@bar.com') + expect(helper.looking_for_tag_link).to be_nil end it 'returns nil if it normalizes to blank' do - helper.stub(:search_query).and_return('++') - helper.looking_for_tag_link.should be_nil + allow(helper).to receive(:search_query).and_return('++') + expect(helper.looking_for_tag_link).to be_nil end it 'returns a link to the tag otherwise' do - helper.stub(:search_query).and_return('foo') - helper.looking_for_tag_link.should include(helper.tag_link) + allow(helper).to receive(:search_query).and_return('foo') + expect(helper.looking_for_tag_link).to include(helper.tag_link('foo')) end end end diff --git a/spec/integration/account_deletion_spec.rb b/spec/integration/account_deletion_spec.rb index ea578bff4..71e52786e 100644 --- a/spec/integration/account_deletion_spec.rb +++ b/spec/integration/account_deletion_spec.rb @@ -1,6 +1,6 @@ require 'spec_helper' -describe 'deleteing your account' do +describe 'deleteing your account', :type => :request do context "user" do before do @bob2 = bob @@ -23,8 +23,8 @@ describe 'deleteing your account' do create_conversation_with_message(alice, @bob2.person, "Subject", "Hey @bob2") #join tables - @users_sv = ShareVisibility.where(:contact_id => @bobs_contact_ids).all - @persons_sv = ShareVisibility.where(:contact_id => bob.person.contacts.map(&:id)).all + @users_sv = ShareVisibility.where(:contact_id => @bobs_contact_ids).load + @persons_sv = ShareVisibility.where(:contact_id => bob.person.contacts.map(&:id)).load #user associated objects @prefs = [] @@ -54,42 +54,42 @@ describe 'deleteing your account' do end it "deletes all of the user's preferences" do - UserPreference.where(:id => @prefs.map{|pref| pref.id}).should be_empty + expect(UserPreference.where(:id => @prefs.map{|pref| pref.id})).to be_empty end it "deletes all of the user's notifications" do - Notification.where(:id => @notifications.map{|n| n.id}).should be_empty + expect(Notification.where(:id => @notifications.map{|n| n.id})).to be_empty end it "deletes all of the users's blocked users" do - Block.where(:id => @block.id).should be_empty + expect(Block.where(:id => @block.id)).to be_empty end it "deletes all of the user's services" do - Service.where(:id => @services.map{|s| s.id}).should be_empty + expect(Service.where(:id => @services.map{|s| s.id})).to be_empty end it 'deletes all of @bob2s share visiblites' do - ShareVisibility.where(:id => @users_sv.map{|sv| sv.id}).should be_empty - ShareVisibility.where(:id => @persons_sv.map{|sv| sv.id}).should be_empty + expect(ShareVisibility.where(:id => @users_sv.map{|sv| sv.id})).to be_empty + expect(ShareVisibility.where(:id => @persons_sv.map{|sv| sv.id})).to be_empty end it 'deletes all of @bob2s aspect visiblites' do - AspectVisibility.where(:id => @aspect_vis.map(&:id)).should be_empty + expect(AspectVisibility.where(:id => @aspect_vis.map(&:id))).to be_empty end it 'deletes all aspects' do - @bob2.aspects.should be_empty + expect(@bob2.aspects).to be_empty end it 'deletes all user contacts' do - @bob2.contacts.should be_empty + expect(@bob2.contacts).to be_empty end - - it "clears the account fields" do + + it "clears the account fields" do @bob2.send(:clearable_fields).each do |field| - @bob2.reload[field].should be_blank + expect(@bob2.reload[field]).to be_blank end end @@ -99,7 +99,7 @@ describe 'deleteing your account' do context 'remote person' do before do @person = remote_raphael - + #contacts @contacts = @person.contacts diff --git a/spec/integration/attack_vectors_spec.rb b/spec/integration/attack_vectors_spec.rb index 7e7f9f126..284823f4e 100644 --- a/spec/integration/attack_vectors_spec.rb +++ b/spec/integration/attack_vectors_spec.rb @@ -39,7 +39,7 @@ def expect_error(partial_message, &block)# DOES NOT REQUIRE ERROR!! begin yield rescue => e - e.message.should match partial_message + expect(e.message).to match partial_message ensure raise "no error occured where expected" unless e.present? @@ -53,7 +53,7 @@ def bogus_retraction(&block) end def user_should_not_see_guid(user, guid) - user.reload.visible_shareables(Post).where(:guid => guid).should be_blank + expect(user.reload.visible_shareables(Post).where(:guid => guid)).to be_blank end #returns the message def legit_post_from_user1_to_user2(user1, user2) @@ -62,7 +62,7 @@ def legit_post_from_user1_to_user2(user1, user2) original_message end -describe "attack vectors" do +describe "attack vectors", :type => :request do let(:eves_aspect) { eve.aspects.find_by_name("generic") } let(:alices_aspect) { alice.aspects.find_by_name("generic") } @@ -212,7 +212,7 @@ describe "attack vectors" do expect { receive_post(retraction, :from => alice, :by => bob) }.to raise_error Diaspora::AuthorXMLAuthorMismatch - }.to_not change(bob.visible_shareables(Post), :count) + }.to_not change { bob.visible_shareables(Post).count(:all) } end diff --git a/spec/integration/contact_deleting_spec.rb b/spec/integration/contact_deleting_spec.rb index a1c83fd72..255680d08 100644 --- a/spec/integration/contact_deleting_spec.rb +++ b/spec/integration/contact_deleting_spec.rb @@ -4,13 +4,13 @@ require 'spec_helper' -describe 'disconnecting a contact' do +describe 'disconnecting a contact', :type => :request do it 'removes the aspect membership' do @user = alice @user2 = bob - lambda{ + expect{ @user.disconnect(@user.contact_for(@user2.person)) - }.should change(AspectMembership, :count).by(-1) + }.to change(AspectMembership, :count).by(-1) end end diff --git a/spec/integration/dispatching_spec.rb b/spec/integration/dispatching_spec.rb index af967a66c..83d4f0e32 100644 --- a/spec/integration/dispatching_spec.rb +++ b/spec/integration/dispatching_spec.rb @@ -1,6 +1,6 @@ require 'spec_helper' -describe "Dispatching" do +describe "Dispatching", :type => :request do context "a comment retraction on a public post" do it "should trigger a private dispatch" do luke, leia, raph = set_up_friends @@ -11,8 +11,8 @@ describe "Dispatching" do inlined_jobs do # Luke now retracts his comment - Postzord::Dispatcher::Public.should_not_receive(:new) - Postzord::Dispatcher::Private.should_receive(:new).and_return(double(:post => true)) + expect(Postzord::Dispatcher::Public).not_to receive(:new) + expect(Postzord::Dispatcher::Private).to receive(:new).and_return(double(:post => true)) luke.retract(comment) end end diff --git a/spec/integration/mentioning_spec.rb b/spec/integration/mentioning_spec.rb index dac2bcc0e..d8e851660 100644 --- a/spec/integration/mentioning_spec.rb +++ b/spec/integration/mentioning_spec.rb @@ -3,7 +3,7 @@ require 'spec_helper' module MentioningSpecHelpers def default_aspect - @user1.aspects.where(name: 'generic') + @user1.aspects.where(name: 'generic').first end def text_mentioning(user) @@ -26,7 +26,7 @@ module MentioningSpecHelpers end -describe 'mentioning' do +describe 'mentioning', :type => :request do include MentioningSpecHelpers before do @@ -39,20 +39,20 @@ describe 'mentioning' do # see: https://github.com/diaspora/diaspora/issues/4160 it 'only mentions people that are in the target aspect' do - users_connected?(@user1, @user2).should be_true - users_connected?(@user1, @user3).should be_false + expect(users_connected?(@user1, @user2)).to be true + expect(users_connected?(@user1, @user3)).to be false status_msg = nil - lambda do + expect do status_msg = @user1.post(:status_message, {text: text_mentioning(@user3), to: default_aspect}) - end.should change(Post, :count).by(1) + end.to change(Post, :count).by(1) - status_msg.should_not be_nil - status_msg.public?.should be_false - status_msg.text.should include(@user3.name) + expect(status_msg).not_to be_nil + expect(status_msg.public?).to be false + expect(status_msg.text).to include(@user3.name) - notifications_about_mentioning(@user3).should be_empty - stream_for(@user3).map { |item| item.id }.should_not include(status_msg.id) + expect(notifications_about_mentioning(@user3)).to be_empty + expect(stream_for(@user3).map { |item| item.id }).not_to include(status_msg.id) end end diff --git a/spec/integration/receiving_spec.rb b/spec/integration/receiving_spec.rb index 231d92d7c..1d31116e9 100644 --- a/spec/integration/receiving_spec.rb +++ b/spec/integration/receiving_spec.rb @@ -4,7 +4,7 @@ require 'spec_helper' -describe 'a user receives a post' do +describe 'a user receives a post', :type => :request do def receive_with_zord(user, person, xml) zord = Postzord::Receiver::Private.new(user, :person => person) @@ -26,9 +26,9 @@ describe 'a user receives a post' do bob.delete status_message.destroy - lambda { + expect { receive_with_zord(alice, bob.person, xml) - }.should change(Post,:count).by(1) + }.to change(Post,:count).by(1) end it 'should not create new aspects on message receive' do @@ -38,7 +38,7 @@ describe 'a user receives a post' do status_message = bob.post :status_message, :text => "store this #{n}!", :to => @bobs_aspect.id end - alice.aspects.size.should == num_aspects + expect(alice.aspects.size).to eq(num_aspects) end it "should show bob's post to alice" do @@ -51,13 +51,13 @@ describe 'a user receives a post' do bob.dispatch_post(sm, :to => @bobs_aspect) end - alice.visible_shareables(Post).count.should == 1 + expect(alice.visible_shareables(Post).count(:all)).to eq(1) end context 'with mentions, ' do it 'adds the notifications for the mentioned users regardless of the order they are received' do - Notification.should_receive(:notify).with(alice, anything(), bob.person) - Notification.should_receive(:notify).with(eve, anything(), bob.person) + expect(Notification).to receive(:notify).with(alice, anything(), bob.person) + expect(Notification).to receive(:notify).with(eve, anything(), bob.person) @sm = bob.build_post(:status_message, :text => "@{#{alice.name}; #{alice.diaspora_handle}} stuff @{#{eve.name}; #{eve.diaspora_handle}}") bob.add_to_streams(@sm, [bob.aspects.first]) @@ -74,7 +74,7 @@ describe 'a user receives a post' do @remote_person = FactoryGirl.create(:person, :diaspora_handle => "foobar@foobar.com") Contact.create!(:user => alice, :person => @remote_person, :aspects => [@alices_aspect]) - Notification.should_receive(:notify).with(alice, anything(), @remote_person) + expect(Notification).to receive(:notify).with(alice, anything(), @remote_person) @sm = FactoryGirl.create(:status_message, :text => "hello @{#{alice.name}; #{alice.diaspora_handle}}", :diaspora_handle => @remote_person.diaspora_handle, :author => @remote_person) @sm.save @@ -84,7 +84,7 @@ describe 'a user receives a post' do end it 'does not notify the mentioned user if the mentioned user is not friends with the post author' do - Notification.should_not_receive(:notify).with(alice, anything(), eve.person) + expect(Notification).not_to receive(:notify).with(alice, anything(), eve.person) @sm = eve.build_post(:status_message, :text => "should not notify @{#{alice.name}; #{alice.diaspora_handle}}") eve.add_to_streams(@sm, [eve.aspects.first]) @@ -103,7 +103,7 @@ describe 'a user receives a post' do receive_with_zord(bob, alice.person, xml) - status.reload.text.should == 'store this!' + expect(status.reload.text).to eq('store this!') end it 'updates posts marked as mutable' do @@ -114,7 +114,7 @@ describe 'a user receives a post' do receive_with_zord(bob, alice.person, xml) - photo.reload.text.should match(/foo/) + expect(photo.reload.text).to match(/foo/) end end @@ -127,7 +127,7 @@ describe 'a user receives a post' do p.tag_string = "#big #rafi #style" p.receive(luke, raph) - p.tags(true).count.should == 3 + expect(p.tags(true).count).to eq(3) end end @@ -140,14 +140,14 @@ describe 'a user receives a post' do end it "adds a received post to the the contact" do - alice.visible_shareables(Post).should include(@status_message) - @contact.posts.should include(@status_message) + expect(alice.visible_shareables(Post)).to include(@status_message) + expect(@contact.posts).to include(@status_message) end it 'removes posts upon forceful removal' do alice.remove_contact(@contact, :force => true) alice.reload - alice.visible_shareables(Post).should_not include @status_message + expect(alice.visible_shareables(Post)).not_to include @status_message end context 'dependent delete' do @@ -156,16 +156,16 @@ describe 'a user receives a post' do alice.contacts.create(:person => @person, :aspects => [@alices_aspect]) @post = FactoryGirl.create(:status_message, :author => @person) - @post.share_visibilities.should be_empty + expect(@post.share_visibilities).to be_empty receive_with_zord(alice, @person, @post.to_diaspora_xml) @contact = alice.contact_for(@person) @contact.share_visibilities.reset - @contact.posts(true).should include(@post) + expect(@contact.posts(true)).to include(@post) @post.share_visibilities.reset - lambda { + expect { alice.disconnected_by(@person) - }.should change{@post.share_visibilities(true).count}.by(-1) + }.to change{@post.share_visibilities(true).count}.by(-1) end end end @@ -200,21 +200,21 @@ describe 'a user receives a post' do end it 'should receive a relayed comment with leading whitespace' do - eve.reload.visible_shareables(Post).size.should == 1 + expect(eve.reload.visible_shareables(Post).size).to eq(1) post_in_db = StatusMessage.find(@post.id) - post_in_db.comments.should == [] + expect(post_in_db.comments).to eq([]) receive_with_zord(eve, alice.person, @xml_with_whitespace) - post_in_db.comments(true).first.guid.should == @guid_with_whitespace + expect(post_in_db.comments(true).first.guid).to eq(@guid_with_whitespace) end it 'should correctly attach the user already on the pod' do - bob.reload.visible_shareables(Post).size.should == 1 + expect(bob.reload.visible_shareables(Post).size).to eq(1) post_in_db = StatusMessage.find(@post.id) - post_in_db.comments.should == [] + expect(post_in_db.comments).to eq([]) receive_with_zord(bob, alice.person, @xml) - post_in_db.comments(true).first.author.should == eve.person + expect(post_in_db.comments(true).first.author).to eq(eve.person) end it 'should correctly marshal a stranger for the downstream user' do @@ -226,20 +226,18 @@ describe 'a user receives a post' do remote_person.attributes.delete(:id) # leaving a nil id causes it to try to save with id set to NULL in postgres m = double() - Webfinger.should_receive(:new).twice.with(eve.person.diaspora_handle).and_return(m) - m.should_receive(:fetch).twice.and_return{ - remote_person.save(:validate => false) - remote_person.profile = FactoryGirl.create(:profile, :person => remote_person) - remote_person - } + expect(Webfinger).to receive(:new).twice.with(eve.person.diaspora_handle).and_return(m) + remote_person.save(:validate => false) + remote_person.profile = FactoryGirl.create(:profile, :person => remote_person) + expect(m).to receive(:fetch).twice.and_return(remote_person) - bob.reload.visible_shareables(Post).size.should == 1 + expect(bob.reload.visible_shareables(Post).size).to eq(1) post_in_db = StatusMessage.find(@post.id) - post_in_db.comments.should == [] + expect(post_in_db.comments).to eq([]) receive_with_zord(bob, alice.person, @xml) - post_in_db.comments(true).first.author.should == remote_person + expect(post_in_db.comments(true).first.author).to eq(remote_person) end end @@ -259,7 +257,7 @@ describe 'a user receives a post' do inlined_jobs do @comment = bob.comment!(@post, 'tada') @xml = @comment.to_diaspora_xml - + expect { receive_with_zord(alice, bob.person, @xml) }.to_not raise_exception @@ -281,8 +279,8 @@ describe 'a user receives a post' do receive_with_zord(@local_luke, @remote_raphael, xml) old_time = Time.now+1 receive_with_zord(@local_leia, @remote_raphael, xml) - (Post.find_by_guid @post.guid).updated_at.should be < old_time - (Post.find_by_guid @post.guid).created_at.should be < old_time + expect((Post.find_by_guid @post.guid).updated_at).to be < old_time + expect((Post.find_by_guid @post.guid).created_at).to be < old_time end it 'does not update the post if a new one is sent with a new created_at' do @@ -292,7 +290,7 @@ describe 'a user receives a post' do receive_with_zord(@local_luke, @remote_raphael, xml) @post = FactoryGirl.build(:status_message, :text => 'hey', :guid => '12313123', :author => @remote_raphael, :created_at => 2.days.ago) receive_with_zord(@local_luke, @remote_raphael, xml) - (Post.find_by_guid @post.guid).created_at.day.should == old_time.day + expect((Post.find_by_guid @post.guid).created_at.day).to eq(old_time.day) end end @@ -307,7 +305,7 @@ describe 'a user receives a post' do zord = Postzord::Receiver::Private.new(bob, :salmon_xml => salmon_xml) zord.perform! - bob.visible_shareables(Post).include?(post).should be_true + expect(bob.visible_shareables(Post).include?(post)).to be true end end @@ -362,15 +360,14 @@ describe 'a user receives a post' do #Build xml for profile xml = new_profile.to_diaspora_xml - #Marshal profile zord = Postzord::Receiver::Private.new(alice, :person => person) zord.parse_and_receive(xml) #Check that marshaled profile is the same as old profile person = Person.find(person.id) - person.profile.first_name.should == new_profile.first_name - person.profile.last_name.should == new_profile.last_name - person.profile.image_url.should == new_profile.image_url + expect(person.profile.first_name).to eq(new_profile.first_name) + expect(person.profile.last_name).to eq(new_profile.last_name) + expect(person.profile.image_url).to eq(new_profile.image_url) end end diff --git a/spec/integration/tag_people_spec.rb b/spec/integration/tag_people_spec.rb index 049ef9375..9dc6db029 100644 --- a/spec/integration/tag_people_spec.rb +++ b/spec/integration/tag_people_spec.rb @@ -1,28 +1,28 @@ require 'spec_helper' -describe TagsController, type: :controller do +describe TagsController, :type => :request do describe 'will_paginate people on the tag page' do let(:people) { (1..2).map { FactoryGirl.create(:person) } } let(:tag) { "diaspora" } before do - Stream::Tag.any_instance.stub(people_per_page: 1) - Person.should_receive(:profile_tagged_with).with(/#{tag}/).twice.and_return(people) + allow_any_instance_of(Stream::Tag).to receive_messages(people_per_page: 1) + expect(Person).to receive(:profile_tagged_with).with(/#{tag}/).twice.and_return(people) end it 'paginates the people set' do get "/tags/#{tag}" expect(response.status).to eq(200) - response.body.should match(/div class="pagination"/) - response.body.should match(/href="\/tags\/#{tag}\?page=2"/) + expect(response.body).to match(/div class="pagination"/) + expect(response.body).to match(/href="\/tags\/#{tag}\?page=2"/) end it 'fetches the second page' do get "/tags/#{tag}", page: 2 expect(response.status).to eq(200) - response.body.should match(/2<\/em>/) + expect(response.body).to match(/2<\/a><\/li>/)
end
end
end
diff --git a/spec/javascripts/alert-spec.js b/spec/javascripts/alert-spec.js
deleted file mode 100644
index 017a51e30..000000000
--- a/spec/javascripts/alert-spec.js
+++ /dev/null
@@ -1,30 +0,0 @@
-describe("Diaspora.Alert", function() {
- beforeEach(function() {
- spec.loadFixture("aspects_index");
-
- $(document).trigger("close.facebox");
- });
-
- afterEach(function() {
- $("#facebox").remove();
-
- });
-
-
- describe("on widget ready", function() {
- it("should remove #diaspora_alert on close.facebox", function() {
- Diaspora.Alert.show("YEAH", "YEAHH");
- expect($("#diaspora_alert").length).toEqual(1);
- $(document).trigger("close.facebox");
- expect($("#diaspora_alert").length).toEqual(0);
- });
- });
-
- describe("alert", function() {
- it("should render a mustache template and append it the body", function() {
- Diaspora.Alert.show("YO", "YEAH");
- expect($("#diaspora_alert").length).toEqual(1);
- $(document).trigger("close.facebox");
- });
- });
-});
diff --git a/spec/javascripts/app/app_spec.js b/spec/javascripts/app/app_spec.js
index e5f396fd1..2840c1d31 100644
--- a/spec/javascripts/app/app_spec.js
+++ b/spec/javascripts/app/app_spec.js
@@ -6,7 +6,7 @@ describe("app", function() {
});
it("sets the user if given one and returns the current user", function() {
- expect(app.user()).toBeFalsy()
+ expect(app.user()).toBeFalsy();
app.user({name: "alice"});
expect(app.user().get("name")).toEqual("alice");
});
diff --git a/spec/javascripts/app/collections/aspects_spec.js b/spec/javascripts/app/collections/aspects_spec.js
index 280dd7592..ab89a4206 100644
--- a/spec/javascripts/app/collections/aspects_spec.js
+++ b/spec/javascripts/app/collections/aspects_spec.js
@@ -1,13 +1,17 @@
describe("app.collections.Aspects", function(){
beforeEach(function(){
- Diaspora.I18n.load({
- 'and' : "and",
- 'comma' : ",",
- 'my_aspects' : "My Aspects"
- });
- var my_aspects = [{ name: 'Work', selected: true },
- { name: 'Friends', selected: false },
- { name: 'Acquaintances', selected: false }]
+ var locale = {
+ and: 'and',
+ comma: ',',
+ my_aspects: 'My Aspects'
+ };
+ var my_aspects = [
+ { name: 'Work', selected: true },
+ { name: 'Friends', selected: false },
+ { name: 'Acquaintances', selected: false }
+ ];
+
+ Diaspora.I18n.load(locale);
this.aspects = new app.collections.Aspects(my_aspects);
});
@@ -44,25 +48,21 @@ describe("app.collections.Aspects", function(){
describe("#toSentence", function(){
describe('without aspects', function(){
beforeEach(function(){
- this.aspects = new app.collections.Aspects({ name: 'Work', selected: false })
- spyOn(this.aspects, 'selectedAspects').andCallThrough();
+ this.aspects = new app.collections.Aspects([{ name: 'Work', selected: false }]);
});
it("returns the name of the aspect", function(){
expect(this.aspects.toSentence()).toEqual('My Aspects');
- expect(this.aspects.selectedAspects).toHaveBeenCalled();
});
});
describe("with one aspect", function(){
beforeEach(function(){
- this.aspects = new app.collections.Aspects({ name: 'Work', selected: true })
- spyOn(this.aspects, 'selectedAspects').andCallThrough();
+ this.aspects = new app.collections.Aspects([{ name: 'Work', selected: true }]);
});
it("returns the name of the aspect", function(){
expect(this.aspects.toSentence()).toEqual('Work');
- expect(this.aspects.selectedAspects).toHaveBeenCalled();
});
});
diff --git a/spec/javascripts/app/collections/comments_collection_spec.js b/spec/javascripts/app/collections/comments_collection_spec.js
index 76f6498e9..0e8c3ddf5 100644
--- a/spec/javascripts/app/collections/comments_collection_spec.js
+++ b/spec/javascripts/app/collections/comments_collection_spec.js
@@ -1,10 +1,9 @@
describe("app.collections.comments", function(){
describe("url", function(){
it("should user the post id", function(){
- var post =new app.models.Post({id : 5})
- var collection = new app.collections.Comments([], {post : post})
- expect(collection.url()).toBe("/posts/5/comments")
- })
- })
-})
-
+ var post =new app.models.Post({id : 5});
+ var collection = new app.collections.Comments([], {post : post});
+ expect(collection.url()).toBe("/posts/5/comments");
+ });
+ });
+});
diff --git a/spec/javascripts/app/collections/contacts_collection_spec.js b/spec/javascripts/app/collections/contacts_collection_spec.js
new file mode 100644
index 000000000..3b64d4bd9
--- /dev/null
+++ b/spec/javascripts/app/collections/contacts_collection_spec.js
@@ -0,0 +1,37 @@
+describe("app.collections.Contacts", function(){
+ beforeEach(function(){
+ this.collection = new app.collections.Contacts();
+ });
+
+ describe("comparator", function() {
+ beforeEach(function(){
+ this.aspect = new app.models.Aspect({id: 42, name: "cats"});
+ this.con1 = new app.models.Contact({
+ person: { name: "aaa" },
+ aspect_memberships: []
+ });
+ this.con2 = new app.models.Contact({
+ person: { name: "aaa" },
+ aspect_memberships: [{id: 23, aspect: this.aspect}]
+ });
+ this.con3 = new app.models.Contact({
+ person: { name: "zzz" },
+ aspect_memberships: [{id: 23, aspect: this.aspect}]
+ });
+ });
+
+ it("should compare the username if app.aspect is not present", function() {
+ expect(this.collection.comparator(this.con1, this.con3)).toBeLessThan(0);
+ });
+
+ it("should compare the aspect memberships if app.aspect is present", function() {
+ app.aspect = this.aspect;
+ expect(this.collection.comparator(this.con1, this.con3)).toBeGreaterThan(0);
+ });
+
+ it("should compare the username if the contacts have equal aspect memberships", function() {
+ app.aspect = this.aspect;
+ expect(this.collection.comparator(this.con2, this.con3)).toBeLessThan(0);
+ });
+ });
+});
diff --git a/spec/javascripts/app/collections/likes_collections_spec.js b/spec/javascripts/app/collections/likes_collections_spec.js
index 292888403..b23f5ae7a 100644
--- a/spec/javascripts/app/collections/likes_collections_spec.js
+++ b/spec/javascripts/app/collections/likes_collections_spec.js
@@ -1,10 +1,9 @@
describe("app.collections.Likes", function(){
describe("url", function(){
it("should user the post id", function(){
- var post =new app.models.Post({id : 5})
- var collection = new app.collections.Likes([], {post : post})
- expect(collection.url).toBe("/posts/5/likes")
- })
- })
-})
-
+ var post =new app.models.Post({id : 5});
+ var collection = new app.collections.Likes([], {post : post});
+ expect(collection.url).toBe("/posts/5/likes");
+ });
+ });
+});
diff --git a/spec/javascripts/app/collections/tag_following_collection_spec.js b/spec/javascripts/app/collections/tag_following_collection_spec.js
index b3b4c646c..d776d35e6 100644
--- a/spec/javascripts/app/collections/tag_following_collection_spec.js
+++ b/spec/javascripts/app/collections/tag_following_collection_spec.js
@@ -1,21 +1,21 @@
describe("app.collections.TagFollowings", function(){
beforeEach(function(){
this.collection = new app.collections.TagFollowings();
- })
+ });
describe("comparator", function() {
it("should compare in reverse order", function() {
var a = new app.models.TagFollowing({name: "aaa"}),
- b = new app.models.TagFollowing({name: "zzz"})
- expect(this.collection.comparator(a, b)).toBeGreaterThan(0)
- })
- })
+ b = new app.models.TagFollowing({name: "zzz"});
+ expect(this.collection.comparator(a, b)).toBeGreaterThan(0);
+ });
+ });
describe("create", function(){
it("should not allow duplicates", function(){
- this.collection.create({"name":"name"})
- this.collection.create({"name":"name"})
- expect(this.collection.length).toBe(1)
- })
- })
-})
+ this.collection.create({"name":"name"});
+ this.collection.create({"name":"name"});
+ expect(this.collection.length).toBe(1);
+ });
+ });
+});
diff --git a/spec/javascripts/app/helpers/date_formatter_spec.js b/spec/javascripts/app/helpers/date_formatter_spec.js
index 9d317a108..141cdbd6e 100644
--- a/spec/javascripts/app/helpers/date_formatter_spec.js
+++ b/spec/javascripts/app/helpers/date_formatter_spec.js
@@ -3,31 +3,30 @@ describe("app.helpers.dateFormatter", function(){
beforeEach(function(){
this.statusMessage = factory.post();
this.formatter = app.helpers.dateFormatter;
- })
+ });
describe("parse", function(){
context("modern web browsers", function(){
it ("supports ISO 8601 UTC dates", function(){
var timestamp = new Date(this.statusMessage.get("created_at")).getTime();
expect(this.formatter.parse(this.statusMessage.get("created_at"))).toEqual(timestamp);
- })
- })
+ });
+ });
context("legacy web browsers", function(){
it("supports ISO 8601 UTC dates", function(){
var timestamp = new Date(this.statusMessage.get("created_at")).getTime();
expect(this.formatter.parseISO8601UTC(this.statusMessage.get("created_at"))).toEqual(timestamp);
- })
- })
+ });
+ });
context("status messages", function(){
it("uses ISO 8601 UTC dates", function(){
var iso8601_utc_pattern = /^(\d{4})-(\d{2})-(\d{2})T(\d{2}):(\d{2}):(\d{2})(.(\d{3}))?Z$/;
expect(iso8601_utc_pattern.test(this.statusMessage.get("created_at"))).toBe(true);
- })
- })
- })
-
-})
+ });
+ });
+ });
+});
diff --git a/spec/javascripts/app/helpers/direction_detector_spec.js b/spec/javascripts/app/helpers/direction_detector_spec.js
new file mode 100644
index 000000000..2067530d8
--- /dev/null
+++ b/spec/javascripts/app/helpers/direction_detector_spec.js
@@ -0,0 +1,34 @@
+describe("app.helpers.txtDirection", function() {
+ context("#isRTL", function() {
+ beforeEach(function() {
+ this.samples = {
+ "ثم بغزو ناجازاكي الأوروبي بال, ": "rtl", // arabic
+ "אם ברית מחליטה זכר, צ'ט לשון": "rtl", // hebrew
+ "ߊߍߌߐߎ": "rtl", // n'ko
+ "𐨙𐨜𐨪𐨭𐨢": "rtl", // Kharoshthi
+ "𐤂𐤃𐤄𐤅𐤆𐤇𐤈𐤉𐤊": "rtl", // Phoenecian
+ "ܫܠܡܐ": "rtl", //syriac
+ "ހަށް ގޮސް އުޅޭ އިރު": "rtl", // thaana
+ "ⴻⴼⴽⵄⵅⵆⵇ": "rtl", // Tifinagh
+ "ᚳᚴᚵᚶᚷᚸᚹᛅᛆᛇᛈᛉᛊᛋ": "ltr", // Runes
+ "ΘΛΞΠΣΦΨΩέαβγζλφχψϖϗ": "ltr", // Greek
+ "経担裁洋府時話家": "ltr", // Chinese
+ "Анёмал зэнтынтиаэ": "ltr", // Cyrillic
+ "उपेक्ष सोफ़्टवेर विचारशिलता": "ltr", // Hindi
+ "選そ前制数えほ長春セ名": "ltr", // Japanese
+ "ascii text": "ltr",
+ };
+ });
+
+ it("detects the right text direction", function() {
+ _.each(this.samples, function(dir, str) {
+ var result = app.helpers.txtDirection.isRTL(str);
+ if( result ) {
+ expect(dir).toEqual('rtl');
+ } else {
+ expect(dir).toEqual('ltr');
+ }
+ });
+ });
+ });
+});
diff --git a/spec/javascripts/app/helpers/text_formatter_spec.js b/spec/javascripts/app/helpers/text_formatter_spec.js
index 14d8a149c..ff9dafaf0 100644
--- a/spec/javascripts/app/helpers/text_formatter_spec.js
+++ b/spec/javascripts/app/helpers/text_formatter_spec.js
@@ -3,28 +3,92 @@ describe("app.helpers.textFormatter", function(){
beforeEach(function(){
this.statusMessage = factory.post();
this.formatter = app.helpers.textFormatter;
- })
+ });
- describe("main", function(){
- it("calls mentionify, hashtagify, and markdownify", function(){
- spyOn(app.helpers.textFormatter, "mentionify")
- spyOn(app.helpers.textFormatter, "hashtagify")
- spyOn(app.helpers.textFormatter, "markdownify")
+ // Some basic specs. For more detailed specs see
+ // https://github.com/svbergerem/markdown-it-hashtag/tree/master/test
+ context("hashtags", function() {
+ beforeEach(function() {
+ this.tags = [
+ "tag",
+ "diaspora",
+ "PARTIES",
+ "<3"
+ ];
+ });
- app.helpers.textFormatter(this.statusMessage.get("text"), this.statusMessage)
- expect(app.helpers.textFormatter.mentionify).toHaveBeenCalled()
- expect(app.helpers.textFormatter.hashtagify).toHaveBeenCalled()
- expect(app.helpers.textFormatter.markdownify).toHaveBeenCalled()
- })
+ it("renders tags as links", function() {
+ var formattedText = this.formatter('#'+this.tags.join(" #"));
+ _.each(this.tags, function(tag) {
+ var link ='#'+tag.replace("<","<")+'';
+ expect(formattedText).toContain(link);
+ });
+ });
+ });
- // A couple of complex (intergration) test cases here would be rad.
- })
+ // Some basic specs. For more detailed specs see
+ // https://github.com/diaspora/markdown-it-diaspora-mention/tree/master/test
+ context("mentions", function() {
+ beforeEach(function(){
+ this.alice = factory.author({
+ name : "Alice Smith",
+ diaspora_id : "alice@example.com",
+ guid: "555",
+ id : "555"
+ });
- describe(".markdownify", function(){
- // NOTE: for some strange reason, links separated by just a whitespace character
- // will not be autolinked; thus we join our URLS here with (" and ").
- // This test will fail if our join is just (" ") -- an edge case that should be addressed.
+ this.bob = factory.author({
+ name : "Bob Grimm",
+ diaspora_id : "bob@example.com",
+ guid: "666",
+ id : "666"
+ });
+ this.statusMessage.set({text: "hey there @{Alice Smith; alice@example.com} and @{Bob Grimm; bob@example.com}"});
+ this.statusMessage.set({mentioned_people : [this.alice, this.bob]});
+ });
+
+ it("matches mentions", function(){
+ var formattedText = this.formatter(this.statusMessage.get("text"), this.statusMessage.get("mentioned_people"));
+ var wrapper = $("").html(formattedText);
+
+ _.each([this.alice, this.bob], function(person) {
+ expect(wrapper.find("a[href='/people/" + person.guid + "']").text()).toContain(person.name);
+ });
+ });
+
+ it("returns mentions for on posts that haven't been saved yet (framer posts)", function(){
+ var freshBob = factory.author({
+ name : "Bob Grimm",
+ handle : "bob@example.com",
+ url : 'googlebot.com',
+ id : "666"
+ });
+
+ this.statusMessage.set({'mentioned_people' : [freshBob] });
+
+ var formattedText = this.formatter(this.statusMessage.get("text"), this.statusMessage.get("mentioned_people"));
+ var wrapper = $("").html(formattedText);
+ expect(wrapper.find("a[href='googlebot.com']").text()).toContain(freshBob.name);
+ });
+
+ it("returns the name of the mention if the mention does not exist in the array", function(){
+ var text = "hey there @{Chris Smith; chris@example.com}";
+ var formattedText = this.formatter(text, []);
+ expect(formattedText.match(/").html(formattedText);
+ expect(wrapper.find("a[href='/people/" + this.alice.guid + "']")).not.toHaveClass('hovercardable');
+ expect(wrapper.find("a[href='/people/" + this.bob.guid + "']")).toHaveClass('hovercardable');
+ });
+ });
+
+ context("markdown", function(){
it("autolinks", function(){
var links = [
"http://google.com",
@@ -32,23 +96,35 @@ describe("app.helpers.textFormatter", function(){
"http://www.yahooligans.com",
"http://obama.com",
"http://japan.co.jp",
- "www.mygreat-example-website.de",
- "www.jenseitsderfenster.de", // from issue #3468
- "www.google.com"
+ "http://www.mygreat-example-website.de",
+ "http://www.jenseitsderfenster.de", // from issue #3468
+ "mumble://mumble.coding4.coffee",
+ "xmpp:podmin@pod.tld",
+ "mailto:podmin@pod.tld"
];
- // The join that would make this particular test fail:
- //
- // var formattedText = this.formatter.markdownify(links.join(" "))
-
- var formattedText = this.formatter.markdownify(links.join(" and "));
+ var formattedText = this.formatter(links.join(" "));
var wrapper = $("").html(formattedText);
_.each(links, function(link) {
var linkElement = wrapper.find("a[href*='" + link + "']");
expect(linkElement.text()).toContain(link);
expect(linkElement.attr("target")).toContain("_blank");
- })
+ });
+
+ expect(this.formatter('')).toContain('')).toContain('_blank');
+ });
+
+ it("adds a missing http://", function() {
+ expect(this.formatter('[test](www.google.com)')).toContain('href="http://www.google.com"');
+ expect(this.formatter('[test](http://www.google.com)')).toContain('href="http://www.google.com"');
+ });
+
+ it("respects code blocks", function() {
+ var content = '``';
+ var wrapper = $('').html(this.formatter(content));
+ expect(wrapper.find('code').text()).toEqual('');
});
context("symbol conversion", function() {
@@ -67,13 +143,13 @@ describe("app.helpers.textFormatter", function(){
it("correctly converts the input strings to their corresponding output symbol", function() {
_.each(this.input_strings, function(str, idx) {
- var text = this.formatter.markdownify(str);
+ var text = this.formatter(str);
expect(text).toContain(this.output_symbols[idx]);
}, this);
});
it("converts all symbols at once", function() {
- var text = this.formatter.markdownify(this.input_strings.join(" "));
+ var text = this.formatter(this.input_strings.join(" "));
_.each(this.output_symbols, function(sym) {
expect(text).toContain(sym);
});
@@ -82,36 +158,43 @@ describe("app.helpers.textFormatter", function(){
context("non-ascii url", function() {
beforeEach(function() {
+ /* jshint -W100 */
this.evilUrls = [
"http://www.bürgerentscheid-krankenhäuser.de", // example from issue #2665
"http://bündnis-für-krankenhäuser.de/wp-content/uploads/2011/11/cropped-logohp.jpg",
"http://موقع.وزارة-الاتصالات.مصر/", // example from #3082
- "http:///scholar.google.com/citations?view_op=top_venues",
"http://lyricstranslate.com/en/someone-you-നിന്നെ-പോലൊരാള്.html", // example from #3063,
"http://de.wikipedia.org/wiki/Liste_der_Abkürzungen_(Netzjargon)", // #3645
"http://wiki.com/?query=Kr%E4fte", // #4874
];
+ /* jshint +W100 */
this.asciiUrls = [
"http://www.xn--brgerentscheid-krankenhuser-xkc78d.de",
"http://xn--bndnis-fr-krankenhuser-i5b27cha.de/wp-content/uploads/2011/11/cropped-logohp.jpg",
"http://xn--4gbrim.xn----ymcbaaajlc6dj7bxne2c.xn--wgbh1c/",
- "http:///scholar.google.com/citations?view_op=top_venues",
"http://lyricstranslate.com/en/someone-you-%E0%B4%A8%E0%B4%BF%E0%B4%A8%E0%B5%8D%E0%B4%A8%E0%B5%86-%E0%B4%AA%E0%B5%8B%E0%B4%B2%E0%B5%8A%E0%B4%B0%E0%B4%BE%E0%B4%B3%E0%B5%8D%E2%80%8D.html",
- "http://de.wikipedia.org/wiki/Liste_der_Abk%C3%BCrzungen_%28Netzjargon%29",
+ "http://de.wikipedia.org/wiki/Liste_der_Abk%C3%BCrzungen_(Netzjargon)",
"http://wiki.com/?query=Kr%E4fte",
];
});
it("correctly encodes to punycode", function() {
_.each(this.evilUrls, function(url, num) {
- var text = this.formatter.markdownify( "<" + url + ">" );
+ var text = this.formatter(url);
+ expect(text).toContain(this.asciiUrls[num]);
+ }, this);
+ });
+
+ it("correctly encodes image src to punycode", function() {
+ _.each(this.evilUrls, function(url, num) {
+ var text = this.formatter("");
expect(text).toContain(this.asciiUrls[num]);
}, this);
});
it("doesn't break link texts", function() {
var linkText = "check out this awesome link!";
- var text = this.formatter.markdownify( "["+linkText+"]("+this.evilUrls[0]+")" );
+ var text = this.formatter( "["+linkText+"]("+this.evilUrls[0]+")" );
expect(text).toContain(this.asciiUrls[0]);
expect(text).toContain(linkText);
@@ -119,42 +202,47 @@ describe("app.helpers.textFormatter", function(){
it("doesn't break reference style links", function() {
var postContent = "blabla blab [my special link][1] bla blabla\n\n[1]: "+this.evilUrls[0]+" and an optional title)";
- var text = this.formatter.markdownify(postContent);
+ var text = this.formatter(postContent);
- expect(text).not.toContain(this.evilUrls[0]);
+ expect(text).not.toContain('"'+this.evilUrls[0]+'"');
expect(text).toContain(this.asciiUrls[0]);
});
it("can be used as img src", function() {
var postContent = "";
var niceImg = 'src="'+ this.asciiUrls[1] +'"'; // the "" are from src=""
- var text = this.formatter.markdownify(postContent);
+ var text = this.formatter(postContent);
expect(text).toContain(niceImg);
});
it("doesn't break linked images", function() {
var postContent = "I am linking an image here []("+this.evilUrls[3]+")";
- var text = this.formatter.markdownify(postContent);
+ var text = this.formatter(postContent);
var linked_image = 'src="'+this.asciiUrls[1]+'"';
var image_link = 'href="'+this.asciiUrls[3]+'"';
expect(text).toContain(linked_image);
expect(text).toContain(image_link);
});
-
});
context("misc breakage and/or other issues with weird urls", function(){
+ it("doesn't crash Firefox", function() {
+ var content = "antifaschistisch-feministische ://";
+ var parsed = this.formatter(content);
+ expect(parsed).toContain(content);
+ });
+
it("doesn't crash Chromium - RUN ME WITH CHROMIUM! (issue #3553)", function() {
var text_part = 'Revert "rails admin is conflicting with client side validations: see https://github.com/sferik/rails_admin/issues/985"';
var link_part = 'https://github.com/diaspora/diaspora/commit/61f40fc6bfe6bb859c995023b5a17d22c9b5e6e5';
var content = '['+text_part+']('+link_part+')';
- var parsed = this.formatter.markdownify(content);
+ var parsed = this.formatter(content);
var link = 'href="' + link_part + '"';
- var text = '>'+ text_part +'<';
+ var text = '>Revert “rails admin is conflicting with client side validations: see https://github.com/sferik/rails_admin/issues/985”<';
expect(parsed).toContain(link);
expect(parsed).toContain(text);
@@ -162,154 +250,43 @@ describe("app.helpers.textFormatter", function(){
context("percent-encoded input url", function() {
beforeEach(function() {
- this.input = "http://www.soilandhealth.org/01aglibrary/010175.tree%20crops.pdf" // #4507
+ this.input = "http://www.soilandhealth.org/01aglibrary/010175.tree%20crops.pdf"; // #4507
this.correctHref = 'href="'+this.input+'"';
});
it("doesn't get double-encoded", function(){
- var parsed = this.formatter.markdownify(this.input);
- expect(parsed).toContain(this.correctHref);
- });
-
- it("gets correctly decoded, even when multiply encoded", function() {
- var uglyUrl = encodeURI(encodeURI(encodeURI(this.input)));
- var parsed = this.formatter.markdownify(uglyUrl);
+ var parsed = this.formatter(this.input);
expect(parsed).toContain(this.correctHref);
});
});
- it("tests a bunch of benchmark urls", function(){
- var self = this;
- $.ajax({
- async: false,
- cache: false,
- url: '/spec/fixtures/good_urls.txt',
- success: function(data) { self.url_list = data.split("\n"); }
- });
-
- _.each(this.url_list, function(url) {
- // 'comments'
- if( url.match(/^#/) ) return;
-
- // regex.test is stupid, use match and boolean-ify it
- var result = !!url.match(Diaspora.url_regex);
- expect(result).toBeTruthy();
- if( !result && console && console.log ) {
- console.log(url);
- }
- });
+ it("doesn't fail for misc urls", function() {
+ var contents = [
+ 'https://foo.com!',
+ 'ftp://example.org:8080'
+ ];
+ var results = [
+ '").html(formattedText);
-
- _.each(["parties", "rockstars", "unicorns"], function(tagName){
- expect(wrapper.find("a[href='/tags/" + tagName + "']").text()).toContain(tagName)
- })
- })
-
- it("requires hashtags to be preceeded with a space", function(){
- var formattedText = this.formatter.hashtagify("I love the#parties")
- expect(formattedText).not.toContain('/tags/parties')
- })
-
- // NOTE THIS DIVERGES FROM GRUBER'S ORIGINAL DIALECT OF MARKDOWN.
- // We had to edit Markdown.Converter.js line 747
- //
- // text = text.replace(/^(\#{1,6})[ \t]+(.+?)[ \t]*\#*\n+/gm,
- // [ \t]* changed to [ \t]+
- //
- it("doesn't create a header tag if the first word is a hashtag", function(){
- var formattedText = this.formatter.hashtagify("#parties, I love")
- var wrapper = $("").html(formattedText);
-
- expect(wrapper.find("h1").length).toBe(0)
- expect(wrapper.find("a[href='/tags/parties']").text()).toContain("#parties")
- })
-
- it("and the resultant link has the tags name downcased", function(){
- var formattedText = this.formatter.hashtagify("#PARTIES, I love")
-
- expect(formattedText).toContain("/tags/parties")
- })
-
- it("doesn't create tag if the text is a link", function(){
- var tags = ['diaspora', 'twitter', 'hrabrahabr'];
-
- var text = $('', { href: 'http://me.co' }).html('#me')[0].outerHTML;
- _.each(tags, function(tagName){
- text += ' #'+tagName+',';
- });
- text += 'I love';
-
- var formattedText = this.formatter.hashtagify(text);
- var wrapper = $('').html(formattedText);
-
- expect(wrapper.find("a[href='http://me.co']").text()).toContain('#me');
- _.each(tags, function(tagName){
- expect(wrapper.find("a[href='/tags/"+tagName+"']").text()).toContain('#'+tagName);
- });
-
- })
- })
- })
-
- describe(".mentionify", function(){
- context("changes mention markup to links", function(){
- beforeEach(function(){
- this.alice = factory.author({
- name : "Alice Smith",
- diaspora_id : "alice@example.com",
- id : "555"
- })
-
- this.bob = factory.author({
- name : "Bob Grimm",
- diaspora_id : "bob@example.com",
- id : "666"
- })
-
- this.statusMessage.set({text: "hey there @{Alice Smith; alice@example.com} and @{Bob Grimm; bob@example.com}"})
- this.statusMessage.set({mentioned_people : [this.alice, this.bob]})
- })
-
- it("matches mentions", function(){
- var formattedText = this.formatter.mentionify(this.statusMessage.get("text"), this.statusMessage.get("mentioned_people"))
- var wrapper = $("").html(formattedText);
-
- _.each([this.alice, this.bob], function(person) {
- expect(wrapper.find("a[href='/people/" + person.guid + "']").text()).toContain(person.name)
- })
- });
-
- it("returns mentions for on posts that haven't been saved yet (framer posts)", function(){
- var freshBob = factory.author({
- name : "Bob Grimm",
- handle : "bob@example.com",
- url : 'googlebot.com',
- id : "666"
- })
-
- this.statusMessage.set({'mentioned_people' : [freshBob] })
-
- var formattedText = this.formatter.mentionify(this.statusMessage.get("text"), this.statusMessage.get("mentioned_people"))
- var wrapper = $("").html(formattedText);
- expect(wrapper.find("a[href='googlebot.com']").text()).toContain(freshBob.name)
- })
-
- it('returns the name of the mention if the mention does not exist in the array', function(){
- var text = "hey there @{Chris Smith; chris@example.com}"
- var formattedText = this.formatter.mentionify(text, [])
- expect(formattedText.match(/\oh, cool, nginx 1.7.9 supports json autoindexes: http://nginx.org/en/docs/http/ngx_http_autoindex_module.html#autoindex_format'
+ ];
+ for (var i = 0; i < contents.length; i++) {
+ expect(this.formatter(contents[i])).toContain(results[i]);
+ }
+ });
+ });
+});
diff --git a/spec/javascripts/app/helpers/timeago_spec.js b/spec/javascripts/app/helpers/timeago_spec.js
new file mode 100644
index 000000000..6884bbc78
--- /dev/null
+++ b/spec/javascripts/app/helpers/timeago_spec.js
@@ -0,0 +1,20 @@
+describe("app.helpers.timeago", function() {
+ beforeEach(function(){
+ this.date = '2015-02-08T13:37:42.000Z';
+ this.datestring = new Date(this.date).toLocaleString();
+ var html = '';
+ this.content = spec.content().html(html);
+ });
+
+ it("converts the date into a locale string for the tooltip", function() {
+ var timeago = this.content.find('time.timeago');
+ expect(timeago.attr('datetime')).toEqual(this.date);
+ expect(timeago.data('original-title')).toEqual(undefined);
+
+ app.helpers.timeago(this.content);
+
+ timeago = this.content.find('time.timeago');
+ expect(timeago.attr('datetime')).toEqual(this.date);
+ expect(timeago.data('original-title')).toEqual(this.datestring);
+ });
+});
diff --git a/spec/javascripts/app/helpers/truncate_spec.js b/spec/javascripts/app/helpers/truncate_spec.js
new file mode 100644
index 000000000..d816d9f15
--- /dev/null
+++ b/spec/javascripts/app/helpers/truncate_spec.js
@@ -0,0 +1,9 @@
+describe("app.helpers.truncate", function() {
+ it("handles null values", function() {
+ expect(app.helpers.truncate(null, 123)).toEqual(null);
+ });
+
+ it("handles undefined", function() {
+ expect(app.helpers.truncate(undefined, 123)).toEqual(undefined);
+ });
+});
diff --git a/spec/javascripts/app/models/contact_spec.js b/spec/javascripts/app/models/contact_spec.js
new file mode 100644
index 000000000..b5fda20c1
--- /dev/null
+++ b/spec/javascripts/app/models/contact_spec.js
@@ -0,0 +1,20 @@
+describe("app.models.Contact", function() {
+
+ beforeEach(function(){
+ this.aspect = factory.aspect();
+ this.contact = new app.models.Contact({
+ person: { name: "aaa" },
+ aspect_memberships: [{id: 42, aspect: this.aspect}]
+ });
+ });
+
+ describe("inAspect", function(){
+ it("returns true if the contact has been added to the aspect", function(){
+ expect(this.contact.inAspect(this.aspect.id)).toBeTruthy();
+ });
+
+ it("returns false if the contact hasn't been added to the aspect", function(){
+ expect(this.contact.inAspect(this.aspect.id+1)).toBeFalsy();
+ });
+ });
+});
diff --git a/spec/javascripts/app/models/person_spec.js b/spec/javascripts/app/models/person_spec.js
new file mode 100644
index 000000000..b36b8beb6
--- /dev/null
+++ b/spec/javascripts/app/models/person_spec.js
@@ -0,0 +1,69 @@
+
+describe("app.models.Person", function() {
+ beforeEach(function() {
+ this.mutual_contact = factory.person({relationship: 'mutual'});
+ this.sharing_contact = factory.person({relationship :'sharing'});
+ this.receiving_contact = factory.person({relationship: 'receiving'});
+ this.blocked_contact = factory.person({relationship: 'blocked', block: {id: 1}});
+ });
+
+ context("#isSharing", function() {
+ it("indicates if the person is sharing", function() {
+ expect(this.mutual_contact.isSharing()).toBeTruthy();
+ expect(this.sharing_contact.isSharing()).toBeTruthy();
+
+ expect(this.receiving_contact.isSharing()).toBeFalsy();
+ expect(this.blocked_contact.isSharing()).toBeFalsy();
+ });
+ });
+
+ context("#isReceiving", function() {
+ it("indicates if the person is receiving", function() {
+ expect(this.mutual_contact.isReceiving()).toBeTruthy();
+ expect(this.receiving_contact.isReceiving()).toBeTruthy();
+
+ expect(this.sharing_contact.isReceiving()).toBeFalsy();
+ expect(this.blocked_contact.isReceiving()).toBeFalsy();
+ });
+ });
+
+ context("#isMutual", function() {
+ it("indicates if we share mutually with the person", function() {
+ expect(this.mutual_contact.isMutual()).toBeTruthy();
+
+ expect(this.receiving_contact.isMutual()).toBeFalsy();
+ expect(this.sharing_contact.isMutual()).toBeFalsy();
+ expect(this.blocked_contact.isMutual()).toBeFalsy();
+ });
+ });
+
+ context("#isBlocked", function() {
+ it("indicates whether we blocked the person", function() {
+ expect(this.blocked_contact.isBlocked()).toBeTruthy();
+
+ expect(this.mutual_contact.isBlocked()).toBeFalsy();
+ expect(this.receiving_contact.isBlocked()).toBeFalsy();
+ expect(this.sharing_contact.isBlocked()).toBeFalsy();
+ });
+ });
+
+ context("#block", function() {
+ it("POSTs a block to the server", function() {
+ this.sharing_contact.block();
+ var request = jasmine.Ajax.requests.mostRecent();
+
+ expect(request.method).toEqual("POST");
+ expect($.parseJSON(request.params).block.person_id).toEqual(this.sharing_contact.id);
+ });
+ });
+
+ context("#unblock", function() {
+ it("DELETEs a block from the server", function(){
+ this.blocked_contact.unblock();
+ var request = jasmine.Ajax.requests.mostRecent();
+
+ expect(request.method).toEqual("DELETE");
+ expect(request.url).toEqual(Routes.block_path(this.blocked_contact.get('block').id));
+ });
+ });
+});
diff --git a/spec/javascripts/app/models/photo_spec.js b/spec/javascripts/app/models/photo_spec.js
index 1953181e1..20e235085 100644
--- a/spec/javascripts/app/models/photo_spec.js
+++ b/spec/javascripts/app/models/photo_spec.js
@@ -16,7 +16,7 @@ describe("app.models.Photo", function() {
describe("createdAt", function() {
it("returns the photo's created_at as an integer", function() {
- var date = new Date;
+ var date = new Date();
this.photo.set({ created_at: +date * 1000 });
expect(typeof this.photo.createdAt()).toEqual("number");
diff --git a/spec/javascripts/app/models/post/interacations_spec.js b/spec/javascripts/app/models/post/interacations_spec.js
index f6a5be3ad..0536b3f1d 100644
--- a/spec/javascripts/app/models/post/interacations_spec.js
+++ b/spec/javascripts/app/models/post/interacations_spec.js
@@ -1,45 +1,85 @@
describe("app.models.Post.Interactions", function(){
beforeEach(function(){
- this.interactions = factory.post()
- this.interactions = this.interactions.interactions
- this.author = factory.author({guid: "loggedInAsARockstar"})
- loginAs({guid: "loggedInAsARockstar"})
+ this.interactions = factory.post().interactions;
+ this.author = factory.author({guid: "loggedInAsARockstar"});
+ loginAs({guid: "loggedInAsARockstar"});
+
+ this.userLike = new app.models.Like({author : this.author});
+ });
- this.userLike = new app.models.Like({author : this.author})
- })
-
describe("toggleLike", function(){
it("calls unliked when the user_like exists", function(){
- this.interactions.likes.add(this.userLike)
- spyOn(this.interactions, "unlike").andReturn(true);
+ spyOn(this.interactions, "unlike").and.returnValue(true);
+ this.interactions.likes.add(this.userLike);
this.interactions.toggleLike();
+
expect(this.interactions.unlike).toHaveBeenCalled();
- })
+ });
it("calls liked when the user_like does not exist", function(){
+ spyOn(this.interactions, "like").and.returnValue(true);
this.interactions.likes.reset([]);
- spyOn(this.interactions, "like").andReturn(true);
this.interactions.toggleLike();
+
expect(this.interactions.like).toHaveBeenCalled();
- })
- })
+ });
+ });
describe("like", function(){
it("calls create on the likes collection", function(){
- spyOn(this.interactions.likes, "create");
-
this.interactions.like();
- expect(this.interactions.likes.create).toHaveBeenCalled();
- })
- })
+ expect(this.interactions.likes.length).toEqual(1);
+ });
+ });
describe("unlike", function(){
it("calls destroy on the likes collection", function(){
- this.interactions.likes.add(this.userLike)
- spyOn(this.userLike, "destroy");
-
+ this.interactions.likes.add(this.userLike);
this.interactions.unlike();
- expect(this.userLike.destroy).toHaveBeenCalled();
- })
- })
-})
\ No newline at end of file
+
+ expect(this.interactions.likes.length).toEqual(0);
+ });
+ });
+
+ describe("reshare", function() {
+ var ajaxSuccess = { status: 200, responseText: "{\"id\": 1}" };
+
+ beforeEach(function(){
+ this.reshare = this.interactions.post.reshare();
+ });
+
+ it("triggers a change on the model", function() {
+ spyOn(this.interactions, "trigger");
+
+ this.interactions.reshare();
+ jasmine.Ajax.requests.mostRecent().respondWith(ajaxSuccess);
+
+ expect(this.interactions.trigger).toHaveBeenCalledWith("change");
+ });
+
+ it("adds the reshare to the default, activity and aspects stream", function() {
+ app.stream = { addNow: $.noop };
+ spyOn(app.stream, "addNow");
+ var self = this;
+ ["/stream", "/activity", "/aspects"].forEach(function(path) {
+ app.stream.basePath = function() { return path; };
+ self.interactions.reshare();
+ jasmine.Ajax.requests.mostRecent().respondWith(ajaxSuccess);
+
+ expect(app.stream.addNow).toHaveBeenCalledWith({id: 1});
+ });
+ });
+
+ it("doesn't add the reshare to any other stream", function() {
+ app.stream = { addNow: $.noop };
+ spyOn(app.stream, "addNow");
+ var self = this;
+ ["/followed_tags", "/mentions/", "/tag/diaspora", "/people/guid/stream"].forEach(function(path) {
+ app.stream.basePath = function() { return path; };
+ self.interactions.reshare();
+ jasmine.Ajax.requests.mostRecent().respondWith(ajaxSuccess);
+ expect(app.stream.addNow).not.toHaveBeenCalled();
+ });
+ });
+ });
+});
diff --git a/spec/javascripts/app/models/post_spec.js b/spec/javascripts/app/models/post_spec.js
index 3eaea4559..b644e26be 100644
--- a/spec/javascripts/app/models/post_spec.js
+++ b/spec/javascripts/app/models/post_spec.js
@@ -1,35 +1,35 @@
describe("app.models.Post", function() {
beforeEach(function(){
this.post = new app.models.Post();
- })
+ });
describe("headline and body", function(){
describe("headline", function(){
beforeEach(function(){
- this.post.set({text :" yes "})
- })
+ this.post.set({text :" yes "});
+ });
it("the headline is the entirety of the post", function(){
- expect(this.post.headline()).toBe("yes")
- })
+ expect(this.post.headline()).toBe("yes");
+ });
it("takes up until the new line", function(){
- this.post.set({text : "love\nis avery powerful force"})
- expect(this.post.headline()).toBe("love")
- })
- })
+ this.post.set({text : "love\nis avery powerful force"});
+ expect(this.post.headline()).toBe("love");
+ });
+ });
describe("body", function(){
it("takes after the new line", function(){
- this.post.set({text : "Inflamatory Title\nwith text that substantiates a less absolutist view of the title."})
- expect(this.post.body()).toBe("with text that substantiates a less absolutist view of the title.")
- })
- })
- })
+ this.post.set({text : "Inflamatory Title\nwith text that substantiates a less absolutist view of the title."});
+ expect(this.post.body()).toBe("with text that substantiates a less absolutist view of the title.");
+ });
+ });
+ });
describe("createdAt", function() {
it("returns the post's created_at as an integer", function() {
- var date = new Date;
+ var date = new Date();
this.post.set({ created_at: +date * 1000 });
expect(typeof this.post.createdAt()).toEqual("number");
@@ -39,25 +39,25 @@ describe("app.models.Post", function() {
describe("hasPhotos", function(){
it('returns true if the model has more than one photo', function(){
- this.post.set({photos : [1,2]})
- expect(this.post.hasPhotos()).toBeTruthy()
- })
+ this.post.set({photos : [1,2]});
+ expect(this.post.hasPhotos()).toBeTruthy();
+ });
it('returns false if the model does not have any photos', function(){
- this.post.set({photos : []})
- expect(this.post.hasPhotos()).toBeFalsy()
- })
+ this.post.set({photos : []});
+ expect(this.post.hasPhotos()).toBeFalsy();
+ });
});
describe("hasText", function(){
it('returns true if the model has text', function(){
- this.post.set({text : "hella"})
- expect(this.post.hasText()).toBeTruthy()
- })
+ this.post.set({text : "hella"});
+ expect(this.post.hasText()).toBeTruthy();
+ });
it('returns false if the model does not have text', function(){
- this.post.set({text : " "})
- expect(this.post.hasText()).toBeFalsy()
- })
+ this.post.set({text : " "});
+ expect(this.post.hasText()).toBeFalsy();
+ });
});
});
diff --git a/spec/javascripts/app/models/reshare_spec.js b/spec/javascripts/app/models/reshare_spec.js
index 04fc949b1..e93c34e00 100644
--- a/spec/javascripts/app/models/reshare_spec.js
+++ b/spec/javascripts/app/models/reshare_spec.js
@@ -1,27 +1,27 @@
describe("app.models.Reshare", function(){
beforeEach(function(){
- this.reshare = new app.models.Reshare({root: {a:"namaste", be : "aloha", see : "community"}})
+ this.reshare = new app.models.Reshare({root: {a:"namaste", be : "aloha", see : "community"}});
});
describe("rootPost", function(){
it("should be the root attrs", function(){
- expect(this.reshare.rootPost().get("be")).toBe("aloha")
+ expect(this.reshare.rootPost().get("be")).toBe("aloha");
});
it("should return a post", function(){
- expect(this.reshare.rootPost() instanceof app.models.Post).toBeTruthy()
+ expect(this.reshare.rootPost() instanceof app.models.Post).toBeTruthy();
});
it("does not create a new object every time", function(){
- expect(this.reshare.rootPost()).toBe(this.reshare.rootPost())
+ expect(this.reshare.rootPost()).toBe(this.reshare.rootPost());
});
});
describe(".reshare", function(){
it("reshares the root post", function(){
- spyOn(this.reshare.rootPost(), "reshare")
- this.reshare.reshare()
- expect(this.reshare.rootPost().reshare).toHaveBeenCalled()
+ spyOn(this.reshare.rootPost(), "reshare");
+ this.reshare.reshare();
+ expect(this.reshare.rootPost().reshare).toHaveBeenCalled();
});
it("returns something", function() {
diff --git a/spec/javascripts/app/models/status_message_spec.js b/spec/javascripts/app/models/status_message_spec.js
index ad8c93a31..c80156074 100644
--- a/spec/javascripts/app/models/status_message_spec.js
+++ b/spec/javascripts/app/models/status_message_spec.js
@@ -1,12 +1,12 @@
describe("app.models.StatusMessage", function(){
describe("#url", function(){
it("is /status_messages when its new", function(){
- var post = new app.models.StatusMessage()
- expect(post.url()).toBe("/status_messages")
- })
+ var post = new app.models.StatusMessage();
+ expect(post.url()).toBe("/status_messages");
+ });
it("is /posts/id when it has an id", function(){
- expect(new app.models.StatusMessage({id : 5}).url()).toBe("/posts/5")
- })
- })
-})
\ No newline at end of file
+ expect(new app.models.StatusMessage({id : 5}).url()).toBe("/posts/5");
+ });
+ });
+});
diff --git a/spec/javascripts/app/models/stream_aspects_spec.js b/spec/javascripts/app/models/stream_aspects_spec.js
index f6d99195c..35ba94a4e 100644
--- a/spec/javascripts/app/models/stream_aspects_spec.js
+++ b/spec/javascripts/app/models/stream_aspects_spec.js
@@ -6,7 +6,7 @@ describe("app.models.StreamAspects", function() {
beforeEach(function(){
fetch = new $.Deferred();
stream = new app.models.StreamAspects([], {aspects_ids: [1,2]});
- spyOn(stream.items, "fetch").andCallFake(function(options){
+ spyOn(stream.items, "fetch").and.callFake(function(options){
stream.items.set([{name: 'a'}, {name: 'b'}, {name: 'c'}], options);
fetch.resolve();
return fetch;
diff --git a/spec/javascripts/app/models/stream_spec.js b/spec/javascripts/app/models/stream_spec.js
index 2b0094234..0778dbf1f 100644
--- a/spec/javascripts/app/models/stream_spec.js
+++ b/spec/javascripts/app/models/stream_spec.js
@@ -1,55 +1,59 @@
describe("app.models.Stream", function() {
+ var stream,
+ expectedPath;
+
beforeEach(function(){
- this.stream = new app.models.Stream(),
- this.expectedPath = document.location.pathname;
- })
-
- describe(".fetch", function() {
- var postFetch
- beforeEach(function(){
- postFetch = new $.Deferred()
-
- spyOn(this.stream.items, "fetch").andCallFake(function(){
- return postFetch
- })
- })
+ stream = new app.models.Stream();
+ expectedPath = document.location.pathname;
+ });
+ describe("#_fetchOpts", function() {
it("it fetches posts from the window's url, and ads them to the collection", function() {
- this.stream.fetch()
- expect(this.stream.items.fetch).toHaveBeenCalledWith({ remove: false, url: this.expectedPath});
+ expect( stream._fetchOpts() ).toEqual({ remove: false, url: expectedPath});
});
it("returns the json path with max_time if the collection has models", function() {
- var post = new app.models.Post();
- spyOn(post, "createdAt").andReturn(1234);
- this.stream.add(post);
+ var post = new app.models.Post({created_at: 1234000});
+ stream.add(post);
- this.stream.fetch()
- expect(this.stream.items.fetch).toHaveBeenCalledWith({ remove: false, url: this.expectedPath + "?max_time=1234"});
+ expect( stream._fetchOpts() ).toEqual({ remove: false, url: expectedPath + "?max_time=1234"});
+ });
+ });
+
+ describe("events", function() {
+ var postFetch,
+ fetchedSpy;
+
+ beforeEach(function(){
+ postFetch = new $.Deferred();
+ fetchedSpy = jasmine.createSpy();
+ spyOn(stream.items, "fetch").and.callFake(function(){
+ return postFetch;
+ });
});
it("triggers fetched on the stream when it is fetched", function(){
- var fetchedSpy = jasmine.createSpy()
- this.stream.bind('fetched', fetchedSpy)
- this.stream.fetch()
- postFetch.resolve([1,2,3])
- expect(fetchedSpy).toHaveBeenCalled()
- })
+ stream.bind('fetched', fetchedSpy);
+ stream.fetch();
+ postFetch.resolve([1,2,3]);
+
+ expect(fetchedSpy).toHaveBeenCalled();
+ });
it("triggers allItemsLoaded on the stream when zero posts are returned", function(){
- var fetchedSpy = jasmine.createSpy()
- this.stream.bind('allItemsLoaded', fetchedSpy)
- this.stream.fetch()
- postFetch.resolve([])
- expect(fetchedSpy).toHaveBeenCalled()
- })
+ stream.bind('allItemsLoaded', fetchedSpy);
+ stream.fetch();
+ postFetch.resolve([]);
+
+ expect(fetchedSpy).toHaveBeenCalled();
+ });
it("triggers allItemsLoaded on the stream when a Post is returned", function(){
- var fetchedSpy = jasmine.createSpy()
- this.stream.bind('allItemsLoaded', fetchedSpy)
- this.stream.fetch()
- postFetch.resolve(factory.post().attributes)
- expect(fetchedSpy).toHaveBeenCalled()
- })
+ stream.bind('allItemsLoaded', fetchedSpy);
+ stream.fetch();
+ postFetch.resolve(factory.post().attributes);
+
+ expect(fetchedSpy).toHaveBeenCalled();
+ });
});
});
diff --git a/spec/javascripts/app/models/user_spec.js b/spec/javascripts/app/models/user_spec.js
index 6870a07df..621b35a36 100644
--- a/spec/javascripts/app/models/user_spec.js
+++ b/spec/javascripts/app/models/user_spec.js
@@ -1,6 +1,6 @@
describe("app.models.User", function(){
beforeEach(function(){
- this.user = new app.models.User({})
+ this.user = new app.models.User({});
});
describe("authenticated", function(){
@@ -9,17 +9,16 @@ describe("app.models.User", function(){
});
it('should be true if ID is set', function(){
- this.user.set({id : 1})
+ this.user.set({id : 1});
expect(this.user.authenticated()).toBeTruthy();
});
});
describe("isServiceConnected", function(){
it("checks to see if the sent provider name is a configured service", function(){
- this.user.set({configured_services : ["facebook"]})
- expect(this.user.isServiceConfigured("facebook")).toBeTruthy()
- expect(this.user.isServiceConfigured("tumblr")).toBeFalsy()
+ this.user.set({configured_services : ["facebook"]});
+ expect(this.user.isServiceConfigured("facebook")).toBeTruthy();
+ expect(this.user.isServiceConfigured("tumblr")).toBeFalsy();
});
});
});
-
diff --git a/spec/javascripts/app/pages/contacts_spec.js b/spec/javascripts/app/pages/contacts_spec.js
new file mode 100644
index 000000000..e62bce96a
--- /dev/null
+++ b/spec/javascripts/app/pages/contacts_spec.js
@@ -0,0 +1,101 @@
+describe("app.pages.Contacts", function(){
+ beforeEach(function() {
+ spec.loadFixture("aspects_manage");
+ this.view = new app.pages.Contacts({
+ stream: {
+ render: function(){}
+ }
+ });
+ Diaspora.I18n.load({
+ contacts: {
+ aspect_list_is_visible: "Contacts in this aspect are able to see each other.",
+ aspect_list_is_not_visible: "Contacts in this aspect are not able to see each other.",
+ aspect_chat_is_enabled: "Contacts in this aspect are able to chat with you.",
+ aspect_chat_is_not_enabled: "Contacts in this aspect are not able to chat with you.",
+ }
+ });
+ });
+
+ context('toggle chat privilege', function() {
+ beforeEach(function() {
+ this.chat_toggle = $("#chat_privilege_toggle");
+ this.chat_icon = $("#chat_privilege_toggle .entypo");
+ });
+
+ it('updates the title for the tooltip', function() {
+ expect(this.chat_icon.attr('data-original-title')).toBe(
+ Diaspora.I18n.t("contacts.aspect_chat_is_not_enabled")
+ );
+ this.chat_toggle.trigger('click');
+ expect(this.chat_icon.attr('data-original-title')).toBe(
+ Diaspora.I18n.t("contacts.aspect_chat_is_enabled")
+ );
+ });
+
+ it('toggles the chat icon', function() {
+ expect(this.chat_icon.hasClass('enabled')).toBeFalsy();
+ this.chat_toggle.trigger('click');
+ expect(this.chat_icon.hasClass('enabled')).toBeTruthy();
+ });
+ });
+
+ context('toggle contacts visibility', function() {
+ beforeEach(function() {
+ this.visibility_toggle = $("#contacts_visibility_toggle");
+ this.lock_icon = $("#contacts_visibility_toggle .entypo");
+ });
+
+ it('updates the title for the tooltip', function() {
+ expect(this.lock_icon.attr('data-original-title')).toBe(
+ Diaspora.I18n.t("contacts.aspect_list_is_visible")
+ );
+
+ this.visibility_toggle.trigger('click');
+
+ expect(this.lock_icon.attr('data-original-title')).toBe(
+ Diaspora.I18n.t("contacts.aspect_list_is_not_visible")
+ );
+ });
+
+ it('toggles the lock icon', function() {
+ expect(this.lock_icon.hasClass('lock-open')).toBeTruthy();
+ expect(this.lock_icon.hasClass('lock')).toBeFalsy();
+
+ this.visibility_toggle.trigger('click');
+
+ expect(this.lock_icon.hasClass('lock')).toBeTruthy();
+ expect(this.lock_icon.hasClass('lock-open')).toBeFalsy();
+ });
+ });
+
+ context('show aspect name form', function() {
+ beforeEach(function() {
+ this.button = $('#change_aspect_name');
+ });
+
+ it('shows the form', function() {
+ expect($('#aspect_name_form').css('display')).toBe('none');
+ this.button.trigger('click');
+ expect($('#aspect_name_form').css('display')).not.toBe('none');
+ });
+
+ it('hides the aspect name', function() {
+ expect($('.header > h3').css('display')).not.toBe('none');
+ this.button.trigger('click');
+ expect($('.header > h3').css('display')).toBe('none');
+ });
+ });
+
+ context('search contact list', function() {
+ beforeEach(function() {
+ this.searchinput = $('#contact_list_search');
+ });
+
+ it('calls stream.search', function() {
+ this.view.stream.search = jasmine.createSpy();
+ this.searchinput.val("Username");
+ this.searchinput.trigger('keyup');
+ expect(this.view.stream.search).toHaveBeenCalledWith("Username");
+ });
+ });
+});
diff --git a/spec/javascripts/app/pages/profile_spec.js b/spec/javascripts/app/pages/profile_spec.js
new file mode 100644
index 000000000..bd5277371
--- /dev/null
+++ b/spec/javascripts/app/pages/profile_spec.js
@@ -0,0 +1,24 @@
+
+describe("app.pages.Profile", function() {
+ beforeEach(function() {
+ this.model = factory.person();
+ spyOn(this.model, 'block').and.returnValue($.Deferred());
+ spyOn(this.model, 'unblock').and.returnValue($.Deferred());
+ this.view = new app.pages.Profile({model: this.model});
+ });
+
+ context("#blockPerson", function() {
+ it("calls person#block", function() {
+ spyOn(window, 'confirm').and.returnValue(true);
+ this.view.blockPerson();
+ expect(this.model.block).toHaveBeenCalled();
+ });
+ });
+
+ context("#unblockPerson", function() {
+ it("calls person#unblock", function() {
+ this.view.unblockPerson();
+ expect(this.model.unblock).toHaveBeenCalled();
+ });
+ });
+});
diff --git a/spec/javascripts/app/router_spec.js b/spec/javascripts/app/router_spec.js
index 6371f34e1..259105d30 100644
--- a/spec/javascripts/app/router_spec.js
+++ b/spec/javascripts/app/router_spec.js
@@ -1,33 +1,27 @@
describe('app.Router', function () {
describe('followed_tags', function() {
+ beforeEach(function() {
+ factory.preloads({tagFollowings: []});
+ });
+
it('decodes name before passing it into TagFollowingAction', function () {
- var followed_tags = spyOn(app.router, 'followed_tags').andCallThrough();
- var tag_following_action = spyOn(app.views, 'TagFollowingAction').andCallFake(function(data) {
+ var followed_tags = spyOn(app.router, 'followed_tags').and.callThrough();
+ var tag_following_action = spyOn(app.views, 'TagFollowingAction').and.callFake(function() {
return {render: function() { return {el: ""}}};
});
- spyOn(window.history, 'pushState').andCallFake(function (data, title, url) {
- var route = app.router._routeToRegExp("tags/:name");
- var args = app.router._extractParameters(route, url.replace(/^\//, ""));
- app.router.followed_tags(args[0]);
- });
- window.preloads = {tagFollowings: []};
- app.router.navigate('/tags/'+encodeURIComponent('օբյեկտիվ'));
+
+ app.router.followed_tags(encodeURIComponent('օբյեկտիվ'));
expect(followed_tags).toHaveBeenCalled();
expect(tag_following_action).toHaveBeenCalledWith({tagText: 'օբյեկտիվ'});
});
it('navigates to the downcase version of the corresponding tag', function () {
- var followed_tags = spyOn(app.router, 'followed_tags').andCallThrough();
- var tag_following_action = spyOn(app.views, 'TagFollowingAction').andCallFake(function(data) {
+ var followed_tags = spyOn(app.router, 'followed_tags').and.callThrough();
+ var tag_following_action = spyOn(app.views, 'TagFollowingAction').and.callFake(function() {
return {render: function() { return {el: ""}}};
});
- spyOn(window.history, 'pushState').andCallFake(function (data, title, url) {
- var route = app.router._routeToRegExp("tags/:name");
- var args = app.router._extractParameters(route, url.replace(/^\//, ""));
- app.router.followed_tags(args[0]);
- });
- window.preloads = {tagFollowings: []};
- app.router.navigate('/tags/'+encodeURIComponent('SomethingWithCapitalLetters'));
+
+ app.router.followed_tags('SomethingWithCapitalLetters');
expect(followed_tags).toHaveBeenCalled();
expect(tag_following_action).toHaveBeenCalledWith({tagText: 'somethingwithcapitalletters'});
});
@@ -42,37 +36,34 @@ describe('app.Router', function () {
router = new app.Router();
});
- it('calls hideInactiveStreamLists', function () {
- var hideInactiveStreamLists = spyOn(router, 'hideInactiveStreamLists').andCallThrough();
-
- router.stream();
- expect(hideInactiveStreamLists).toHaveBeenCalled();
- });
-
it('hides the aspects list', function(){
- aspects = new app.collections.Aspects([{ name: 'Work', selected: true }]);
- var aspectsListView = new app.views.AspectsList({collection: aspects});
- var hideAspectsList = spyOn(aspectsListView, 'hideAspectsList').andCallThrough();
+ setFixtures('');
+ aspects = new app.collections.Aspects([
+ factory.aspectAttrs({selected:true}),
+ factory.aspectAttrs()
+ ]);
+ var aspectsListView = new app.views.AspectsList({collection: aspects}).render();
router.aspects_list = aspectsListView;
+ expect(aspectsListView.$el.html()).not.toBe("");
router.stream();
- expect(hideAspectsList).toHaveBeenCalled();
+ expect(aspectsListView.$el.html()).toBe("");
});
it('hides the followed tags view', function(){
tagFollowings = new app.collections.TagFollowings();
- var followedTagsView = new app.views.TagFollowingList({collection: tagFollowings});
- var hideFollowedTags = spyOn(followedTagsView, 'hideFollowedTags').andCallThrough();
+ var followedTagsView = new app.views.TagFollowingList({collection: tagFollowings}).render();
router.followedTagsView = followedTagsView;
+ expect(followedTagsView.$el.html()).not.toBe("");
router.stream();
- expect(hideFollowedTags).toHaveBeenCalled();
+ expect(followedTagsView.$el.html()).toBe("");
});
});
describe("bookmarklet", function() {
it('routes to bookmarklet even if params have linefeeds', function() {
- router = new app.Router();
+ var router = new app.Router();
var route = jasmine.createSpy('bookmarklet route');
router.on('route:bookmarklet', route);
router.navigate("/bookmarklet?\n\nfeefwefwewef\n", {trigger: true});
diff --git a/spec/javascripts/app/views/aspect_membership_blueprint_view_spec.js b/spec/javascripts/app/views/aspect_membership_blueprint_view_spec.js
deleted file mode 100644
index d17405513..000000000
--- a/spec/javascripts/app/views/aspect_membership_blueprint_view_spec.js
+++ /dev/null
@@ -1,118 +0,0 @@
-describe("app.views.AspectMembershipBlueprint", function(){
- beforeEach(function() {
- spec.loadFixture("aspect_membership_dropdown_blueprint");
- this.view = new app.views.AspectMembershipBlueprint();
- this.person_id = $('.dropdown_list').data('person_id');
- });
-
- it('attaches to the aspect selector', function(){
- spyOn($.fn, 'on');
- view = new app.views.AspectMembership();
-
- expect($.fn.on).toHaveBeenCalled();
- });
-
- context('adding to aspects', function() {
- beforeEach(function() {
- this.newAspect = $('li:not(.selected)');
- this.newAspectId = this.newAspect.data('aspect_id');
- });
-
- it('calls "addMembership"', function() {
- spyOn(this.view, "addMembership");
- this.newAspect.trigger('click');
-
- expect(this.view.addMembership).toHaveBeenCalledWith(this.person_id, this.newAspectId);
- });
-
- it('tries to create a new AspectMembership', function() {
- spyOn(app.models.AspectMembership.prototype, "save");
- this.view.addMembership(1, 2);
-
- expect(app.models.AspectMembership.prototype.save).toHaveBeenCalled();
- });
-
- it('displays an error when it fails', function() {
- spyOn(this.view, "_displayError");
- spyOn(app.models.AspectMembership.prototype, "save").andCallFake(function() {
- this.trigger('error');
- });
-
- this.view.addMembership(1, 2);
-
- expect(this.view._displayError).toHaveBeenCalledWith('aspect_dropdown.error');
- });
- });
-
- context('removing from aspects', function(){
- beforeEach(function() {
- this.oldAspect = $('li.selected');
- this.oldMembershipId = this.oldAspect.data('membership_id');
- });
-
- it('calls "removeMembership"', function(){
- spyOn(this.view, "removeMembership");
- this.oldAspect.trigger('click');
-
- expect(this.view.removeMembership).toHaveBeenCalledWith(this.oldMembershipId);
- });
-
- it('tries to destroy an AspectMembership', function() {
- spyOn(app.models.AspectMembership.prototype, "destroy");
- this.view.removeMembership(1);
-
- expect(app.models.AspectMembership.prototype.destroy).toHaveBeenCalled();
- });
-
- it('displays an error when it fails', function() {
- spyOn(this.view, "_displayError");
- spyOn(app.models.AspectMembership.prototype, "destroy").andCallFake(function() {
- this.trigger('error');
- });
-
- this.view.removeMembership(1);
-
- expect(this.view._displayError).toHaveBeenCalledWith('aspect_dropdown.error_remove');
- });
- });
-
- context('summary text in the button', function() {
- beforeEach(function() {
- this.btn = $('div.button.toggle');
- this.btn.text(""); // reset
- this.view.dropdown = $('ul.dropdown_list');
- });
-
- it('shows "no aspects" when nothing is selected', function() {
- $('li[data-aspect_id]').removeClass('selected');
- this.view.updateSummary();
-
- expect(this.btn.text()).toContain(Diaspora.I18n.t('aspect_dropdown.toggle.zero'));
- });
-
- it('shows "all aspects" when everything is selected', function() {
- $('li[data-aspect_id]').addClass('selected');
- this.view.updateSummary();
-
- expect(this.btn.text()).toContain(Diaspora.I18n.t('aspect_dropdown.all_aspects'));
- });
-
- it('shows the name of the selected aspect ( == 1 )', function() {
- var list = $('li[data-aspect_id]');
- list.removeClass('selected'); // reset
- list.eq(1).addClass('selected');
- this.view.updateSummary();
-
- expect(this.btn.text()).toContain(list.eq(1).text());
- });
-
- it('shows the number of selected aspects ( > 1)', function() {
- var list = $('li[data-aspect_id]');
- list.removeClass('selected'); // reset
- $([list.eq(1), list.eq(2)]).addClass('selected');
- this.view.updateSummary();
-
- expect(this.btn.text()).toContain(Diaspora.I18n.t('aspect_dropdown.toggle', { 'count':2 }));
- });
- });
-});
diff --git a/spec/javascripts/app/views/aspect_membership_view_spec.js b/spec/javascripts/app/views/aspect_membership_view_spec.js
index 5f5abe9bb..660ddc215 100644
--- a/spec/javascripts/app/views/aspect_membership_view_spec.js
+++ b/spec/javascripts/app/views/aspect_membership_view_spec.js
@@ -1,9 +1,21 @@
describe("app.views.AspectMembership", function(){
+ var resp_success = {status: 200, responseText: '{}'};
+ var resp_fail = {status: 400};
+
beforeEach(function() {
// mock a dummy aspect dropdown
- spec.loadFixture("aspect_membership_dropdown_bootstrap");
+ spec.loadFixture("aspect_membership_dropdown");
this.view = new app.views.AspectMembership({el: $('.aspect_membership_dropdown')});
this.person_id = $('.dropdown-menu').data('person_id');
+ this.person_name = $('.dropdown-menu').data('person-short-name');
+ Diaspora.I18n.load({
+ aspect_dropdown: {
+ started_sharing_with: 'you started sharing with <%= name %>',
+ stopped_sharing_with: 'you stopped sharing with <%= name %>',
+ error: 'unable to add <%= name %>',
+ error_remove: 'unable to remove <%= name %>'
+ }
+ });
});
context('adding to aspects', function() {
@@ -12,65 +24,67 @@ describe("app.views.AspectMembership", function(){
this.newAspectId = this.newAspect.data('aspect_id');
});
- it('calls "addMembership"', function() {
- spyOn(this.view, "addMembership");
- this.newAspect.trigger('click');
+ it('marks the aspect as selected', function() {
+ this.newAspect.trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith(resp_success);
- expect(this.view.addMembership).toHaveBeenCalledWith(this.person_id, this.newAspectId);
+ expect(this.newAspect.attr('class')).toContain('selected');
});
- it('tries to create a new AspectMembership', function() {
- spyOn(app.models.AspectMembership.prototype, "save");
- this.view.addMembership(1, 2);
+ it('displays flash message when added to first aspect', function() {
+ spec.content().find('li').removeClass('selected');
+ this.newAspect.trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith(resp_success);
- expect(app.models.AspectMembership.prototype.save).toHaveBeenCalled();
+ expect($('[id^="flash"]')).toBeSuccessFlashMessage(
+ Diaspora.I18n.t('aspect_dropdown.started_sharing_with', {name: this.person_name})
+ );
});
it('displays an error when it fails', function() {
- spyOn(this.view, "_displayError");
- spyOn(app.models.AspectMembership.prototype, "save").andCallFake(function() {
- this.trigger('error');
- });
+ this.newAspect.trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith(resp_fail);
- this.view.addMembership(1, 2);
-
- expect(this.view._displayError).toHaveBeenCalledWith('aspect_dropdown.error');
+ expect($('[id^="flash"]')).toBeErrorFlashMessage(
+ Diaspora.I18n.t('aspect_dropdown.error', {name: this.person_name})
+ );
});
});
context('removing from aspects', function(){
beforeEach(function() {
- this.oldAspect = $('li.selected');
+ this.oldAspect = $('li.selected').first();
this.oldMembershipId = this.oldAspect.data('membership_id');
});
- it('calls "removeMembership"', function(){
- spyOn(this.view, "removeMembership");
+ it('marks the aspect as unselected', function(){
this.oldAspect.trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith(resp_success);
- expect(this.view.removeMembership).toHaveBeenCalledWith(this.oldMembershipId);
+ expect(this.oldAspect.attr('class')).not.toContain('selected');
});
- it('tries to destroy an AspectMembership', function() {
- spyOn(app.models.AspectMembership.prototype, "destroy");
- this.view.removeMembership(1);
+ it('displays a flash message when removed from last aspect', function() {
+ spec.content().find('li.selected:last').removeClass('selected');
+ this.oldAspect.trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith(resp_success);
- expect(app.models.AspectMembership.prototype.destroy).toHaveBeenCalled();
+ expect($('[id^="flash"]')).toBeSuccessFlashMessage(
+ Diaspora.I18n.t('aspect_dropdown.stopped_sharing_with', {name: this.person_name})
+ );
});
it('displays an error when it fails', function() {
- spyOn(this.view, "_displayError");
- spyOn(app.models.AspectMembership.prototype, "destroy").andCallFake(function() {
- this.trigger('error');
- });
+ this.oldAspect.trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith(resp_fail);
- this.view.removeMembership(1);
-
- expect(this.view._displayError).toHaveBeenCalledWith('aspect_dropdown.error_remove');
+ expect($('[id^="flash"]')).toBeErrorFlashMessage(
+ Diaspora.I18n.t('aspect_dropdown.error_remove', {name: this.person_name})
+ );
});
});
- context('updateSummary', function() {
+ context('button summary text', function() {
beforeEach(function() {
this.Aspect = $('li:eq(0)');
});
diff --git a/spec/javascripts/app/views/aspect_view_spec.js b/spec/javascripts/app/views/aspect_view_spec.js
index 40839c922..9f3a98cb1 100644
--- a/spec/javascripts/app/views/aspect_view_spec.js
+++ b/spec/javascripts/app/views/aspect_view_spec.js
@@ -1,6 +1,6 @@
describe("app.views.Aspect", function(){
beforeEach(function(){
- this.aspect = new app.models.Aspect({ name: 'Acquaintances', selected: true });
+ this.aspect = factory.aspect({selected:true});
this.view = new app.views.Aspect({ model: this.aspect });
});
@@ -10,25 +10,24 @@ describe("app.views.Aspect", function(){
});
it('should show the aspect selected', function(){
- expect(this.view.$el.children('.icons-check_yes_ok').hasClass('selected')).toBeTruthy();
+ expect(this.view.$el.children('.entypo.check').hasClass('selected')).toBeTruthy();
});
it('should show the name of the aspect', function(){
- expect(this.view.$el.children('a.selectable').text()).toMatch('Acquaintances');
+ expect(this.view.$el.children('a.selectable').text()).toMatch(this.aspect.get('name'));
});
describe('selecting aspects', function(){
beforeEach(function(){
app.router = new app.Router();
spyOn(app.router, 'aspects_stream');
- spyOn(this.view, 'toggleAspect').andCallThrough();
+ spyOn(this.view, 'toggleAspect').and.callThrough();
this.view.delegateEvents();
});
it('it should deselect the aspect', function(){
this.view.$el.children('a.selectable').trigger('click');
expect(this.view.toggleAspect).toHaveBeenCalled();
- expect(this.view.$el.children('.icons-check_yes_ok').hasClass('selected')).toBeFalsy();
expect(app.router.aspects_stream).toHaveBeenCalled();
});
diff --git a/spec/javascripts/app/views/aspects_dropdown_view_spec.js b/spec/javascripts/app/views/aspects_dropdown_view_spec.js
index 6c017ccd5..a3b7238de 100644
--- a/spec/javascripts/app/views/aspects_dropdown_view_spec.js
+++ b/spec/javascripts/app/views/aspects_dropdown_view_spec.js
@@ -1,6 +1,15 @@
describe("app.views.AspectsDropdown", function(){
beforeEach(function() {
spec.loadFixture("bookmarklet");
+ Diaspora.I18n.reset({
+ 'aspect_dropdown': {
+ 'select_aspects': "Select aspects",
+ 'all_aspects': "All aspects",
+ 'toggle': {
+ 'zero': "Select aspects",
+ 'one': "In <%= count %> aspect",
+ 'other': "In <%= count %> aspects"
+ }}});
this.view = new app.views.AspectsDropdown({el: $('.aspect_dropdown')});
});
@@ -69,7 +78,7 @@ describe("app.views.AspectsDropdown", function(){
expect(this.view.$('li.aspect_selector:eq(1)').hasClass('selected')).toBeTruthy();
});
});
-
+
context('_updateButton', function() {
beforeEach(function() {
this.view.$('li.selected').removeClass('selected');
diff --git a/spec/javascripts/app/views/aspects_list_view_spec.js b/spec/javascripts/app/views/aspects_list_view_spec.js
index 81bc7b19f..5a0ded38d 100644
--- a/spec/javascripts/app/views/aspects_list_view_spec.js
+++ b/spec/javascripts/app/views/aspects_list_view_spec.js
@@ -24,8 +24,8 @@ describe("app.views.AspectsList", function(){
});
it('should show all the aspects', function(){
- var aspect_selectors = this.view.$('.icons-check_yes_ok + a.selectable');
- expect(aspect_selectors.length).toBe(3)
+ var aspect_selectors = this.view.$('.entypo.check + a.selectable');
+ expect(aspect_selectors.length).toBe(3);
expect(aspect_selectors[0].text).toMatch('Work');
expect(aspect_selectors[1].text).toMatch('Friends');
expect(aspect_selectors[2].text).toMatch('Acquaintances');
@@ -40,15 +40,14 @@ describe("app.views.AspectsList", function(){
beforeEach(function(){
app.router = new app.Router();
spyOn(app.router, 'aspects_stream');
- spyOn(this.view, 'toggleAll').andCallThrough();
- spyOn(this.view, 'toggleSelector').andCallThrough();
+ spyOn(this.view, 'toggleAll').and.callThrough();
+ spyOn(this.view, 'toggleSelector').and.callThrough();
this.view.delegateEvents();
this.view.$('.toggle_selector').click();
});
it('should show all the aspects selected', function(){
expect(this.view.toggleAll).toHaveBeenCalled();
- expect(this.view.$('.selected').length).toBe(3);
});
it('should show \'Deselect all\' link', function(){
diff --git a/spec/javascripts/app/views/bookmarklet_view_spec.js b/spec/javascripts/app/views/bookmarklet_view_spec.js
index 24015c68e..57296ad3b 100644
--- a/spec/javascripts/app/views/bookmarklet_view_spec.js
+++ b/spec/javascripts/app/views/bookmarklet_view_spec.js
@@ -49,12 +49,12 @@ describe('app.views.Bookmarklet', function() {
});
it('keeps the publisher disabled after successful post creation', function() {
- jasmine.Ajax.useMock();
+ jasmine.Ajax.install();
init_bookmarklet(test_data);
spec.content().find('form').submit();
- mostRecentAjaxRequest().response({
+ jasmine.Ajax.requests.mostRecent().respondWith({
status: 200, // success!
responseText: "{}"
});
diff --git a/spec/javascripts/app/views/comment_stream_view_spec.js b/spec/javascripts/app/views/comment_stream_view_spec.js
index 38948d294..c9abb16f9 100644
--- a/spec/javascripts/app/views/comment_stream_view_spec.js
+++ b/spec/javascripts/app/views/comment_stream_view_spec.js
@@ -15,23 +15,22 @@ describe("app.views.CommentStream", function(){
describe("postRenderTemplate", function(){
it("applies infield labels", function(){
- spyOn($.fn, "placeholder")
- this.view.postRenderTemplate()
- expect($.fn.placeholder).toHaveBeenCalled()
- expect($.fn.placeholder.mostRecentCall.object.selector).toBe("textarea")
+ spyOn($.fn, "placeholder");
+ this.view.postRenderTemplate();
+ expect($.fn.placeholder).toHaveBeenCalled();
+ expect($.fn.placeholder.calls.mostRecent().object.selector).toBe("textarea");
});
it("autoResizes the new comment textarea", function(){
- spyOn($.fn, "autoResize")
- this.view.postRenderTemplate()
- expect($.fn.autoResize).toHaveBeenCalled()
- expect($.fn.autoResize.mostRecentCall.object.selector).toBe("textarea")
+ spyOn($.fn, "autoResize");
+ this.view.postRenderTemplate();
+ expect($.fn.autoResize).toHaveBeenCalled();
+ expect($.fn.autoResize.calls.mostRecent().object.selector).toBe("textarea");
});
});
describe("createComment", function() {
beforeEach(function() {
- jasmine.Ajax.useMock();
this.view.render();
this.view.expandComments();
});
@@ -41,25 +40,23 @@ describe("app.views.CommentStream", function(){
this.view.$(".comment_box").val('a new comment');
this.view.createComment();
- this.request = mostRecentAjaxRequest();
+ this.request = jasmine.Ajax.requests.mostRecent();
});
it("fires an AJAX request", function() {
- params = JSON.parse(this.request.params);
- // TODO: use this, once jasmine-ajax is updated to latest version
- //params = this.request.data();
+ var params = this.request.data();
expect(params.text).toEqual("a new comment");
});
it("adds the comment to the view", function() {
- this.request.response({status: 200, responseText: '[]'});
+ this.request.respondWith({status: 200, responseText: '[]'});
expect(this.view.$(".comment-content p").text()).toEqual("a new comment");
});
it("doesn't add the comment to the view, when the request fails", function(){
Diaspora.I18n.load({failed_to_post_message: "posting failed!"});
- this.request.response({status: 500});
+ this.request.respondWith({status: 500});
expect(this.view.$(".comment-content p").text()).not.toEqual("a new comment");
expect($('*[id^="flash"]')).toBeErrorFlashMessage("posting failed!");
@@ -90,28 +87,27 @@ describe("app.views.CommentStream", function(){
describe("expandComments", function() {
it("refills the comment textbox on success", function() {
- jasmine.Ajax.useMock();
-
this.view.render();
-
this.view.$("textarea").val("great post!");
-
this.view.expandComments();
- mostRecentAjaxRequest().response({
- status: 200,
- responseText: JSON.stringify([factory.comment()])
- });
+ jasmine.Ajax.requests.mostRecent().respondWith({ comments : [] });
expect(this.view.$("textarea").val()).toEqual("great post!");
});
});
describe("pressing a key when typing on the new comment box", function(){
+ var submitCallback;
+
+ beforeEach(function() {
+ submitCallback = jasmine.createSpy().and.returnValue(false);
+ });
+
it("should not submit the form when enter key is pressed", function(){
this.view.render();
- var form = this.view.$("form")
- var submitCallback = jasmine.createSpy().andReturn(false);form.submit(submitCallback);
+ var form = this.view.$("form");
+ form.submit(submitCallback);
var e = $.Event("keydown", { keyCode: 13 });
e.shiftKey = false;
@@ -122,8 +118,7 @@ describe("app.views.CommentStream", function(){
it("should submit the form when enter is pressed with ctrl", function(){
this.view.render();
- var form = this.view.$("form")
- var submitCallback = jasmine.createSpy().andReturn(false);
+ var form = this.view.$("form");
form.submit(submitCallback);
var e = $.Event("keydown", { keyCode: 13 });
diff --git a/spec/javascripts/app/views/comment_view_spec.js b/spec/javascripts/app/views/comment_view_spec.js
index 2b1676b9d..fc5a633cf 100644
--- a/spec/javascripts/app/views/comment_view_spec.js
+++ b/spec/javascripts/app/views/comment_view_spec.js
@@ -1,75 +1,75 @@
describe("app.views.Comment", function(){
beforeEach(function(){
- this.post = factory.post({author : {diaspora_id : "xxx@xxx.xxx"}})
- this.comment = factory.comment({parent : this.post.toJSON()})
- this.view = new app.views.Comment({model : this.comment})
- })
+ this.post = factory.post({author : {diaspora_id : "xxx@xxx.xxx"}});
+ this.comment = factory.comment({parent : this.post.toJSON()});
+ this.view = new app.views.Comment({model : this.comment});
+ });
describe("render", function(){
it("has a delete link if the author is the current user", function(){
- loginAs(this.comment.get("author"))
- expect(this.view.render().$('.delete').length).toBe(1)
- })
+ loginAs(this.comment.get("author"));
+ expect(this.view.render().$('.delete').length).toBe(1);
+ });
it("doesn't have a delete link if the author is not the current user", function(){
- loginAs(factory.author({diaspora_id : "notbob@bob.com"}))
- expect(this.view.render().$('.delete').length).toBe(0)
- })
+ loginAs(factory.author({diaspora_id : "notbob@bob.com"}));
+ expect(this.view.render().$('.delete').length).toBe(0);
+ });
it("doesn't have a delete link if the user is logged out", function(){
- logout()
- expect(this.view.render().$('.delete').length).toBe(0)
- })
- })
+ logout();
+ expect(this.view.render().$('.delete').length).toBe(0);
+ });
+ });
describe("ownComment", function(){
it("returns true if the author diaspora_id == the current user's diaspora_id", function(){
- loginAs(this.comment.get("author"))
- expect(this.view.ownComment()).toBe(true)
- })
+ loginAs(this.comment.get("author"));
+ expect(this.view.ownComment()).toBe(true);
+ });
it("returns false if the author diaspora_id != the current user's diaspora_id", function(){
- loginAs(factory.author({diaspora_id : "notbob@bob.com"}))
+ loginAs(factory.author({diaspora_id : "notbob@bob.com"}));
expect(this.view.ownComment()).toBe(false);
- })
- })
+ });
+ });
describe("postOwner", function(){
it("returns true if the author diaspora_id == the current user's diaspora_id", function(){
- loginAs(this.post.get("author"))
- expect(this.view.postOwner()).toBe(true)
- })
+ loginAs(this.post.get("author"));
+ expect(this.view.postOwner()).toBe(true);
+ });
it("returns false if the author diaspora_id != the current user's diaspora_id", function(){
- loginAs(factory.author({diaspora_id : "notbob@bob.com"}))
+ loginAs(factory.author({diaspora_id : "notbob@bob.com"}));
expect(this.view.postOwner()).toBe(false);
- })
- })
+ });
+ });
describe("canRemove", function(){
context("is truthy", function(){
it("when ownComment is true", function(){
- spyOn(this.view, "ownComment").andReturn(true)
- spyOn(this.view, "postOwner").andReturn(false)
+ spyOn(this.view, "ownComment").and.returnValue(true);
+ spyOn(this.view, "postOwner").and.returnValue(false);
- expect(this.view.canRemove()).toBe(true)
- })
+ expect(this.view.canRemove()).toBe(true);
+ });
it("when postOwner is true", function(){
- spyOn(this.view, "postOwner").andReturn(true)
- spyOn(this.view, "ownComment").andReturn(false)
+ spyOn(this.view, "postOwner").and.returnValue(true);
+ spyOn(this.view, "ownComment").and.returnValue(false);
- expect(this.view.canRemove()).toBe(true)
- })
- })
+ expect(this.view.canRemove()).toBe(true);
+ });
+ });
context("is falsy", function(){
it("when postOwner and ownComment are both false", function(){
- spyOn(this.view, "postOwner").andReturn(false)
- spyOn(this.view, "ownComment").andReturn(false)
+ spyOn(this.view, "postOwner").and.returnValue(false);
+ spyOn(this.view, "ownComment").and.returnValue(false);
- expect(this.view.canRemove()).toBe(false)
- })
- })
- })
-})
+ expect(this.view.canRemove()).toBe(false);
+ });
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/contact_stream_view_spec.js b/spec/javascripts/app/views/contact_stream_view_spec.js
new file mode 100644
index 000000000..955dd2e7b
--- /dev/null
+++ b/spec/javascripts/app/views/contact_stream_view_spec.js
@@ -0,0 +1,77 @@
+describe("app.views.ContactStream", function() {
+ beforeEach(function() {
+ loginAs({name: "alice", avatar : {small : "http://avatar.com/photo.jpg"}});
+ spec.loadFixture("aspects_manage");
+ this.contacts = new app.collections.Contacts($.parseJSON(spec.readFixture("contacts_json")));
+ app.aspect = new app.models.Aspect(this.contacts.first().get('aspect_memberships')[0].aspect);
+ this.view = new app.views.ContactStream({
+ collection : this.contacts,
+ el: $('.stream.contacts #contact_stream')
+ });
+
+ this.view.perPage=1;
+
+ //clean the page
+ this.view.$el.html('');
+ });
+
+ describe("initialize", function() {
+ it("binds an infinite scroll listener", function() {
+ spyOn($.fn, "scroll");
+ new app.views.ContactStream({collection : this.contacts});
+ expect($.fn.scroll).toHaveBeenCalled();
+ });
+ });
+
+ describe("search", function() {
+ it("filters the contacts", function() {
+ this.view.render();
+ expect(this.view.$el.html()).toContain("alice");
+ this.view.search("eve");
+ expect(this.view.$el.html()).not.toContain("alice");
+ expect(this.view.$el.html()).toContain("eve");
+ });
+ });
+
+ describe("infScroll", function() {
+ beforeEach(function() {
+ this.view.off("renderContacts");
+ this.fn = jasmine.createSpy();
+ this.view.on("renderContacts", this.fn);
+ spyOn($.fn, "height").and.returnValue(0);
+ spyOn($.fn, "scrollTop").and.returnValue(100);
+ });
+
+ it("triggers renderContacts when the user is at the bottom of the page", function() {
+ this.view.infScroll();
+ expect(this.fn).toHaveBeenCalled();
+ });
+ });
+
+ describe("render", function() {
+ beforeEach(function() {
+ spyOn(this.view, "renderContacts");
+ });
+
+ it("calls renderContacts", function() {
+ this.view.render();
+ expect(this.view.renderContacts).toHaveBeenCalled();
+ });
+ });
+
+ describe("renderContacts", function() {
+ beforeEach(function() {
+ this.view.off("renderContacts");
+ this.view.renderContacts();
+ });
+
+ it("renders perPage contacts", function() {
+ expect(this.view.$el.find('.stream_element.contact').length).toBe(1);
+ });
+
+ it("renders more contacts when called a second time", function() {
+ this.view.renderContacts();
+ expect(this.view.$el.find('.stream_element.contact').length).toBe(2);
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/contact_view_spec.js b/spec/javascripts/app/views/contact_view_spec.js
new file mode 100644
index 000000000..b1d400ed1
--- /dev/null
+++ b/spec/javascripts/app/views/contact_view_spec.js
@@ -0,0 +1,136 @@
+describe("app.views.Contact", function(){
+ beforeEach(function() {
+ this.aspect1 = factory.aspect({id: 1});
+ this.aspect2 = factory.aspect({id: 2});
+
+ this.model = new app.models.Contact({
+ person_id: 42,
+ person: { id: 42, name: 'alice' },
+ aspect_memberships: [{id: 23, aspect: this.aspect1}]
+ });
+ this.view = new app.views.Contact({ model: this.model });
+ Diaspora.I18n.load({
+ contacts: {
+ add_contact: "Add contact",
+ remove_contact: "Remove contact",
+ error_add: "Couldn't add <%= name %> to the aspect :(",
+ error_remove: "Couldn't remove <%= name %> from the aspect :("
+ }
+ });
+ });
+
+ context("#presenter", function() {
+ it("contains necessary elements", function() {
+ app.aspect = this.aspect1;
+ expect(this.view.presenter()).toEqual(jasmine.objectContaining({
+ person_id: 42,
+ person: jasmine.objectContaining({id: 42, name: 'alice'}),
+ in_aspect: 'in_aspect'
+ }));
+ });
+ });
+
+ context('add contact to aspect', function() {
+ beforeEach(function() {
+ app.aspect = this.aspect2;
+ this.view.render();
+ this.button = this.view.$el.find('.contact_add-to-aspect');
+ this.contact = this.view.$el.find('.stream_element.contact');
+ this.aspect_membership = {id: 42, aspect: app.aspect.toJSON()};
+ this.response = JSON.stringify(this.aspect_membership);
+ });
+
+ it('sends a correct ajax request', function() {
+ this.button.trigger('click');
+ var obj = $.parseJSON(jasmine.Ajax.requests.mostRecent().params);
+ expect(obj.person_id).toBe(this.model.get('person_id'));
+ expect(obj.aspect_id).toBe(app.aspect.get('id'));
+ });
+
+ it('adds a aspect_membership to the contact', function() {
+ expect(this.model.aspect_memberships.length).toBe(1);
+ $('.contact_add-to-aspect',this.contact).trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith({
+ status: 200, // success
+ responseText: this.response
+ });
+ expect(this.model.aspect_memberships.length).toBe(2);
+ });
+
+ it('calls render', function() {
+ spyOn(this.view, 'render');
+ $('.contact_add-to-aspect',this.contact).trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith({
+ status: 200, // success
+ responseText: this.response
+ });
+ expect(this.view.render).toHaveBeenCalled();
+ });
+
+
+ it('displays a flash message on errors', function(){
+ $('.contact_add-to-aspect',this.contact).trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith({
+ status: 400, // fail
+ });
+ expect($('[id^="flash"]')).toBeErrorFlashMessage(
+ Diaspora.I18n.t(
+ 'contacts.error_add',
+ {name: this.model.get('person').name}
+ )
+ );
+ });
+ });
+
+ context('remove contact from aspect', function() {
+ beforeEach(function() {
+ app.aspect = this.aspect1;
+ this.view.render();
+ this.button = this.view.$el.find('.contact_remove-from-aspect');
+ this.contact = this.view.$el.find('.stream_element.contact');
+ this.aspect_membership = this.model.aspect_memberships.first().toJSON();
+ this.response = JSON.stringify(this.aspect_membership);
+ });
+
+ it('sends a correct ajax request', function() {
+ $('.contact_remove-from-aspect',this.contact).trigger('click');
+ expect(jasmine.Ajax.requests.mostRecent().url).toBe(
+ "/aspect_memberships/"+this.aspect_membership.id
+ );
+ });
+
+ it('removes the aspect_membership from the contact', function() {
+ expect(this.model.aspect_memberships.length).toBe(1);
+ $('.contact_remove-from-aspect',this.contact).trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith({
+ status: 200, // success
+ responseText: this.response
+ });
+ expect(this.model.aspect_memberships.length).toBe(0);
+ });
+
+ it('calls render', function() {
+ spyOn(this.view, 'render');
+ $('.contact_remove-from-aspect',this.contact).trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith({
+ status: 200, // success
+ responseText: this.response,
+ });
+ expect(this.view.render).toHaveBeenCalled();
+ });
+
+ it('displays a flash message on errors', function(){
+ $('.contact_remove-from-aspect',this.contact).trigger('click');
+ jasmine.Ajax.requests.mostRecent().respondWith({
+ status: 400, // fail
+ });
+ expect($('[id^="flash"]')).toBeErrorFlashMessage(
+ Diaspora.I18n.t(
+ 'contacts.error_remove',
+ {name: this.model.get('person').name}
+ )
+ );
+ });
+ });
+
+});
diff --git a/spec/javascripts/app/views/content_view_spec.js b/spec/javascripts/app/views/content_view_spec.js
index d7a4442d6..8f42a247f 100644
--- a/spec/javascripts/app/views/content_view_spec.js
+++ b/spec/javascripts/app/views/content_view_spec.js
@@ -1,15 +1,13 @@
describe("app.views.Content", function(){
beforeEach(function(){
this.post = new app.models.StatusMessage();
- this.view = new app.views.Content({model : this.post})
+ this.view = new app.views.Content({model : this.post});
});
describe("rendering", function(){
-
it("should return all but the first photo from the post", function() {
- this.post.set({photos : [1,2]}) // set 2 Photos
- expect(this.view.smallPhotos().length).toEqual(1)
+ this.post.set({photos : [1,2]}); // set 2 Photos
+ expect(this.view.smallPhotos().length).toEqual(1);
});
-
});
-});
\ No newline at end of file
+});
diff --git a/spec/javascripts/app/views/conversations_view_spec.js b/spec/javascripts/app/views/conversations_view_spec.js
new file mode 100644
index 000000000..c0346cd73
--- /dev/null
+++ b/spec/javascripts/app/views/conversations_view_spec.js
@@ -0,0 +1,54 @@
+describe("app.views.Conversations", function(){
+ describe('setupConversation', function() {
+ context('for unread conversations', function() {
+ beforeEach(function() {
+ spec.loadFixture('conversations_unread');
+ });
+
+ it('removes the unread class from the conversation', function() {
+ expect($('.conversation-wrapper > .conversation.selected')).toHaveClass('unread');
+ new app.views.Conversations();
+ expect($('.conversation-wrapper > .conversation.selected')).not.toHaveClass('unread');
+ });
+
+ it('removes the unread message counter from the conversation', function() {
+ expect($('.conversation-wrapper > .conversation.selected .unread_message_count').length).toEqual(1);
+ new app.views.Conversations();
+ expect($('.conversation-wrapper > .conversation.selected .unread_message_count').length).toEqual(0);
+ });
+
+ it('decreases the unread message count in the header', function() {
+ var badge = '3 ';
+ $('header').append(badge);
+ expect($('#conversations_badge .badge_count').text().trim()).toEqual('3');
+ expect($('.conversation-wrapper > .conversation.selected .unread_message_count').text().trim()).toEqual('2');
+ new app.views.Conversations();
+ expect($('#conversations_badge .badge_count').text().trim()).toEqual('1');
+ });
+
+ it('removes the badge_count in the header if there are no unread messages left', function() {
+ var badge = '2 ';
+ $('header').append(badge);
+ expect($('#conversations_badge .badge_count').text().trim()).toEqual('2');
+ expect($('.conversation-wrapper > .conversation.selected .unread_message_count').text().trim()).toEqual('2');
+ new app.views.Conversations();
+ expect($('#conversations_badge .badge_count').text().trim()).toEqual('0');
+ expect($('#conversations_badge .badge_count')).toHaveClass('hidden');
+ });
+ });
+
+ context('for read conversations', function() {
+ beforeEach(function() {
+ spec.loadFixture('conversations_read');
+ });
+
+ it('does not change the badge_count in the header', function() {
+ var badge = '3 ';
+ $('header').append(badge);
+ expect($('#conversations_badge .badge_count').text().trim()).toEqual('3');
+ new app.views.Conversations();
+ expect($('#conversations_badge .badge_count').text().trim()).toEqual('3');
+ });
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/feedback_view_spec.js b/spec/javascripts/app/views/feedback_view_spec.js
index a8e57d8af..cc6b5da35 100644
--- a/spec/javascripts/app/views/feedback_view_spec.js
+++ b/spec/javascripts/app/views/feedback_view_spec.js
@@ -1,13 +1,14 @@
describe("app.views.Feedback", function(){
beforeEach(function(){
- loginAs({id : -1, name: "alice", avatar : {small : "http://avatar.com/photo.jpg"}});
+ this.userAttrs = _.extend(factory.userAttrs(), {guid : -1});
+ loginAs(this.userAttrs);
Diaspora.I18n.load({stream : {
'like' : "Like",
'unlike' : "Unlike",
'public' : "Public",
'limited' : "Limted"
- }})
+ }});
var posts = $.parseJSON(spec.readFixture("stream_json"));
@@ -18,130 +19,128 @@ describe("app.views.Feedback", function(){
describe("triggers", function() {
it('re-renders when the model triggers feedback', function(){
- spyOn(this.view, "postRenderTemplate")
- this.view.model.interactions.trigger("change")
- expect(this.view.postRenderTemplate).toHaveBeenCalled()
- })
- })
+ spyOn(this.view, "postRenderTemplate");
+ this.view.model.interactions.trigger("change");
+ expect(this.view.postRenderTemplate).toHaveBeenCalled();
+ });
+ });
describe(".render", function(){
beforeEach(function(){
- this.link = function(){ return this.view.$("a.like"); }
+ this.link = function(){ return this.view.$("a.like"); };
this.view.render();
- })
+ });
context("likes", function(){
it("calls 'toggleLike' on the target post", function(){
- loginAs(this.post.interactions.likes.models[0].get("author"))
+ loginAs(this.post.interactions.likes.models[0].get("author"));
this.view.render();
spyOn(this.post.interactions, "toggleLike");
this.link().click();
expect(this.post.interactions.toggleLike).toHaveBeenCalled();
- })
+ });
context("when the user likes the post", function(){
it("the like action should be 'Unlike'", function(){
- spyOn(this.post.interactions, "userLike").andReturn(factory.like());
- this.view.render()
- expect(this.link().text()).toContain(Diaspora.I18n.t('stream.unlike'))
- })
- })
+ spyOn(this.post.interactions, "userLike").and.returnValue(factory.like());
+ this.view.render();
+ expect(this.link().text()).toContain(Diaspora.I18n.t('stream.unlike'));
+ });
+ });
context("when the user doesn't yet like the post", function(){
beforeEach(function(){
this.view.model.set({user_like : null});
this.view.render();
- })
+ });
it("the like action should be 'Like'", function(){
- expect(this.link().text()).toContain(Diaspora.I18n.t('stream.like'))
- })
+ expect(this.link().text()).toContain(Diaspora.I18n.t("stream.like"));
+ });
it("allows for unliking a just-liked post", function(){
- // callback stuff.... we should fix this
-
- // expect(this.link().text()).toContain(Diaspora.I18n.t('stream.like'))
-
- // this.link().click();
- // expect(this.link().text()).toContain(Diaspora.I18n.t('stream.unlike'))
-
- // this.link().click();
- // expect(this.link().text()).toContain(Diaspora.I18n.t('stream.like'))
- })
- })
- })
+ var responseText = JSON.stringify({"author": this.userAttrs});
+ var ajax_success = { status: 201, responseText: responseText };
+ expect(this.link().text()).toContain(Diaspora.I18n.t("stream.like"));
+ this.link().click();
+ jasmine.Ajax.requests.mostRecent().respondWith(ajax_success);
+ expect(this.link().text()).toContain(Diaspora.I18n.t("stream.unlike"));
+ this.link().click();
+ expect(this.link().text()).toContain(Diaspora.I18n.t("stream.like"));
+ });
+ });
+ });
context("when the post is public", function(){
beforeEach(function(){
this.post.attributes.public = true;
this.view.render();
- })
+ });
it("shows 'Public'", function(){
- expect($(this.view.el).html()).toContain(Diaspora.I18n.t('stream.public'))
- })
+ expect($(this.view.el).html()).toContain(Diaspora.I18n.t('stream.public'));
+ });
it("shows a reshare_action link", function(){
- expect(this.view.$("a.reshare")).toExist()
+ expect(this.view.$("a.reshare")).toExist();
});
it("does not show a reshare_action link if the original post has been deleted", function(){
- this.post.set({post_type : "Reshare", root : null})
+ this.post.set({post_type : "Reshare", root : null});
this.view.render();
- expect(this.view.$("a.reshare")).not.toExist()
- })
- })
+ expect(this.view.$("a.reshare")).not.toExist();
+ });
+ });
context("when the post is not public", function(){
beforeEach(function(){
this.post.attributes.public = false;
this.post.attributes.root = {author : {name : "susan"}};
this.view.render();
- })
+ });
it("shows 'Limited'", function(){
- expect($(this.view.el).html()).toContain(Diaspora.I18n.t('stream.limited'))
- })
+ expect($(this.view.el).html()).toContain(Diaspora.I18n.t('stream.limited'));
+ });
it("does not show a reshare_action link", function(){
- expect(this.view.$("a.reshare")).not.toExist()
+ expect(this.view.$("a.reshare")).not.toExist();
});
- })
+ });
context("when the current user owns the post", function(){
beforeEach(function(){
this.post.attributes.author = app.currentUser;
this.view.render();
- })
+ });
it("does not display a reshare_action link", function(){
- this.post.attributes.public = false
+ this.post.attributes.public = false;
this.view.render();
- expect(this.view.$("a.reshare")).not.toExist()
- })
- })
- })
+ expect(this.view.$("a.reshare")).not.toExist();
+ });
+ });
+ });
describe("resharePost", function(){
beforeEach(function(){
- this.post.attributes.public = true
+ this.post.attributes.public = true;
this.post.attributes.root = {author : {name : "susan"}};
this.view.render();
- })
+ });
it("displays a confirmation dialog", function(){
- spyOn(window, "confirm")
+ spyOn(window, "confirm");
this.view.$("a.reshare").first().click();
expect(window.confirm).toHaveBeenCalled();
- })
+ });
it("reshares the model", function(){
- spyOn(window, "confirm").andReturn(true);
- spyOn(this.view.model.reshare(), "save").andReturn(new $.Deferred)
+ spyOn(window, "confirm").and.returnValue(true);
+ spyOn(this.view.model.reshare(), "save").and.returnValue(new $.Deferred());
this.view.$("a.reshare").first().click();
expect(this.view.model.reshare().save).toHaveBeenCalled();
- })
- })
-})
-
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/header_view_spec.js b/spec/javascripts/app/views/header_view_spec.js
index 3b8d76ca0..384c92a59 100644
--- a/spec/javascripts/app/views/header_view_spec.js
+++ b/spec/javascripts/app/views/header_view_spec.js
@@ -1,6 +1,6 @@
describe("app.views.Header", function() {
beforeEach(function() {
- this.userAttrs = {name: "alice", avatar : {small : "http://avatar.com/photo.jpg"}}
+ this.userAttrs = {name: "alice", avatar : {small : "http://avatar.com/photo.jpg"}};
loginAs(this.userAttrs);
@@ -11,63 +11,63 @@ describe("app.views.Header", function() {
describe("render", function(){
context("notifications badge", function(){
it("displays a count when the current user has a notification", function(){
- loginAs(_.extend(this.userAttrs, {notifications_count : 1}))
+ loginAs(_.extend(this.userAttrs, {notifications_count : 1}));
this.view.render();
expect(this.view.$("#notification_badge .badge_count").hasClass('hidden')).toBe(false);
expect(this.view.$("#notification_badge .badge_count").text()).toContain("1");
- })
+ });
it("does not display a count when the current user has a notification", function(){
- loginAs(_.extend(this.userAttrs, {notifications_count : 0}))
+ loginAs(_.extend(this.userAttrs, {notifications_count : 0}));
this.view.render();
expect(this.view.$("#notification_badge .badge_count").hasClass('hidden')).toBe(true);
- })
- })
+ });
+ });
context("conversations badge", function(){
it("displays a count when the current user has a notification", function(){
- loginAs(_.extend(this.userAttrs, {unread_messages_count : 1}))
+ loginAs(_.extend(this.userAttrs, {unread_messages_count : 1}));
this.view.render();
expect(this.view.$("#conversations_badge .badge_count").hasClass('hidden')).toBe(false);
expect(this.view.$("#conversations_badge .badge_count").text()).toContain("1");
- })
+ });
it("does not display a count when the current user has a notification", function(){
- loginAs(_.extend(this.userAttrs, {unread_messages_count : 0}))
+ loginAs(_.extend(this.userAttrs, {unread_messages_count : 0}));
this.view.render();
expect(this.view.$("#conversations_badge .badge_count").hasClass('hidden')).toBe(true);
- })
- })
+ });
+ });
context("admin link", function(){
it("displays if the current user is an admin", function(){
- loginAs(_.extend(this.userAttrs, {admin : true}))
+ loginAs(_.extend(this.userAttrs, {admin : true}));
this.view.render();
expect(this.view.$("#user_menu").html()).toContain("/admins");
- })
+ });
it("does not display if the current user is not an admin", function(){
- loginAs(_.extend(this.userAttrs, {admin : false}))
+ loginAs(_.extend(this.userAttrs, {admin : false}));
this.view.render();
expect(this.view.$("#user_menu").html()).not.toContain("/admins");
- })
- })
- })
+ });
+ });
+ });
- describe("#toggleDropdown", function() {
+ describe("#toggleUserDropdown", function() {
it("adds the class 'active'", function() {
expect(this.view.$(".dropdown")).not.toHaveClass("active");
- this.view.toggleDropdown($.Event());
+ this.view.toggleUserDropdown($.Event());
expect(this.view.$(".dropdown")).toHaveClass("active");
});
});
- describe("#hideDropdown", function() {
+ describe("#hideUserDropdown", function() {
it("removes the class 'active' if the user clicks anywhere that isn't the menu element", function() {
- this.view.toggleDropdown($.Event());
+ this.view.toggleUserDropdown($.Event());
expect(this.view.$(".dropdown")).toHaveClass("active");
- this.view.hideDropdown($.Event());
+ this.view.hideUserDropdown($.Event());
expect(this.view.$(".dropdown")).not.toHaveClass("active");
});
});
@@ -82,20 +82,23 @@ describe("app.views.Header", function() {
});
describe("focus", function() {
- it("adds the class 'active' when the user focuses the text field", function() {
+ beforeEach(function(done){
input.trigger('focusin');
- waitsFor(function() {
- return input.is('.active');
- });
- runs(function() {
- expect(input).toHaveClass("active");
- });
+ done();
+ });
+
+ it("adds the class 'active' when the user focuses the text field", function() {
+ expect(input).toHaveClass("active");
});
});
describe("blur", function() {
- it("removes the class 'active' when the user blurs the text field", function() {
+ beforeEach(function(done) {
input.trigger('focusin').trigger('focusout');
+ done();
+ });
+
+ it("removes the class 'active' when the user blurs the text field", function() {
expect(input).not.toHaveClass("active");
});
});
diff --git a/spec/javascripts/app/views/help_view_spec.js b/spec/javascripts/app/views/help_view_spec.js
index 46e78bc03..7a2555a3f 100644
--- a/spec/javascripts/app/views/help_view_spec.js
+++ b/spec/javascripts/app/views/help_view_spec.js
@@ -14,7 +14,7 @@ describe("app.views.Help", function(){
});
it('should initially show getting help section', function(){
- expect(this.view.$el.find('#faq').children().first().data('template') == 'faq_getting_help').toBeTruthy();
+ expect(this.view.$el.find('#faq').children().first().data('template')).toBe('faq_getting_help');
});
it('should show account and data management section', function(){
@@ -39,7 +39,7 @@ describe("app.views.Help", function(){
it('should show posts and posting section', function(){
this.view.$el.find('a[data-section=posts_and_posting]').trigger('click');
- expect(this.view.$el.find('#faq').children().first().data('template') == 'faq_posts_and_posting').toBeTruthy();
+ expect(this.view.$el.find('#faq').children().first().data('template')).toBe('faq_posts_and_posting');
});
it('should show private posts section', function(){
@@ -69,17 +69,17 @@ describe("app.views.Help", function(){
it('should show sharing section', function(){
this.view.$el.find('a[data-section=sharing]').trigger('click');
- expect(this.view.$el.find('#faq').children().first().data('template') == 'faq_sharing').toBeTruthy();
+ expect(this.view.$el.find('#faq').children().first().data('template')).toBe('faq_sharing');
});
it('should show tags section', function(){
this.view.$el.find('a[data-section=tags]').trigger('click');
- expect(this.view.$el.find('#faq').children().first().hasClass('faq_question_tags')).toBeTruthy();
+ expect(this.view.$el.find('#faq').children().first().data('template')).toBe('faq_tags');
});
it('should show keyboard shortcuts section', function(){
this.view.$el.find('a[data-section=keyboard_shortcuts]').trigger('click');
- expect(this.view.$el.find('#faq').children().first().data('template') == 'faq_keyboard_shortcuts').toBeTruthy();
+ expect(this.view.$el.find('#faq').children().first().data('template')).toBe('faq_keyboard_shortcuts');
});
it('should show miscellaneous section', function(){
@@ -87,4 +87,77 @@ describe("app.views.Help", function(){
expect(this.view.$el.find('#faq').children().first().hasClass('faq_question_miscellaneous')).toBeTruthy();
});
});
-});
\ No newline at end of file
+
+ describe("findSection", function() {
+ beforeEach(function() {
+ this.view.render();
+ });
+
+ it('should return null for an unknown section', function() {
+ expect(this.view.findSection('you_shall_not_pass')).toBeNull();
+ });
+
+ it('should return the correct section link for existing sections', function() {
+ var sections = [
+ 'account_and_data_management',
+ 'aspects',
+ 'pods',
+ 'keyboard_shortcuts',
+ 'tags',
+ 'miscellaneous'
+ ];
+
+ var self = this;
+ _.each(sections, function(section) {
+ var el = self.view.$el.find('a[data-section=' + section + ']');
+ expect(self.view.findSection(section).html()).toBe(el.html());
+ });
+ });
+ });
+
+ describe("menuClicked", function() {
+ beforeEach(function() {
+ this.view.render();
+ });
+
+ it('should rewrite the location', function(){
+ var sections = [
+ 'account_and_data_management',
+ 'miscellaneous'
+ ];
+ spyOn(app.router, 'navigate');
+
+ var self = this;
+ _.each(sections, function(section) {
+ self.view.$el.find('a[data-section=' + section + ']').trigger('click');
+ expect(app.router.navigate).toHaveBeenCalledWith('help/' + section);
+ });
+ });
+ });
+
+ describe("chat section", function(){
+ describe("chat enabled", function(){
+ beforeEach(function(){
+ gon.chatEnabled = true;
+ this.view = new app.views.Help();
+ this.view.render();
+ });
+
+ it('should display the chat', function(){
+ expect(this.view.$el.find('a[data-section=chat]').length).toBe(1);
+ });
+ });
+
+ describe("chat disabled", function(){
+ beforeEach(function(){
+ gon.chatEnabled = false;
+ this.view = new app.views.Help();
+ this.view.render();
+ });
+
+ it('should not display the chat', function () {
+ expect(this.view.$el.find('a[data-section=chat]').length).toBe(0);
+ });
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/likes_info_view_spec.js b/spec/javascripts/app/views/likes_info_view_spec.js
index 2f33d6218..9e57f6c63 100644
--- a/spec/javascripts/app/views/likes_info_view_spec.js
+++ b/spec/javascripts/app/views/likes_info_view_spec.js
@@ -7,7 +7,7 @@ describe("app.views.LikesInfo", function(){
zero : "<%= count %> Pins",
one : "<%= count %> Pin"}
}
- })
+ });
var posts = $.parseJSON(spec.readFixture("stream_json"));
this.post = new app.models.Post(posts[0]); // post with a like
@@ -16,41 +16,40 @@ describe("app.views.LikesInfo", function(){
describe(".render", function(){
it("displays a the like count if it is above zero", function() {
- spyOn(this.view.model.interactions, "likesCount").andReturn(3);
+ spyOn(this.view.model.interactions, "likesCount").and.returnValue(3);
this.view.render();
- expect($(this.view.el).find(".expand_likes").length).toBe(1)
- })
+ expect($(this.view.el).find(".expand_likes").length).toBe(1);
+ });
it("does not display the like count if it is zero", function() {
- spyOn(this.view.model.interactions, "likesCount").andReturn(0);
+ spyOn(this.view.model.interactions, "likesCount").and.returnValue(0);
this.view.render();
expect($(this.view.el).html().trim()).toBe("");
- })
+ });
it("fires on a model change", function(){
- spyOn(this.view, "postRenderTemplate")
- this.view.model.interactions.trigger('change')
- expect(this.view.postRenderTemplate).toHaveBeenCalled()
- })
- })
+ spyOn(this.view, "postRenderTemplate");
+ this.view.model.interactions.trigger('change');
+ expect(this.view.postRenderTemplate).toHaveBeenCalled();
+ });
+ });
describe("showAvatars", function(){
beforeEach(function(){
- spyOn(this.post.interactions, "fetch").andCallThrough()
- })
+ spyOn(this.post.interactions, "fetch").and.callThrough();
+ });
it("calls fetch on the model's like collection", function(){
this.view.showAvatars();
expect(this.post.interactions.fetch).toHaveBeenCalled();
- })
+ });
it("sets the fetched response to the model's likes", function(){
//placeholder... not sure how to test done functionalty here
- })
+ });
it("re-renders the view", function(){
//placeholder... not sure how to test done functionalty here
- })
- })
-})
-
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/location_view_spec.js b/spec/javascripts/app/views/location_view_spec.js
index 68e5ac59b..42e04741c 100644
--- a/spec/javascripts/app/views/location_view_spec.js
+++ b/spec/javascripts/app/views/location_view_spec.js
@@ -12,6 +12,6 @@ describe("app.views.Location", function(){
expect($("#location_address")).toBeTruthy();
expect($("#location_coords")).toBeTruthy();
expect($("#hide_location")).toBeTruthy();
- })
+ });
});
});
diff --git a/spec/javascripts/app/views/notification_dropdown_view_spec.js b/spec/javascripts/app/views/notification_dropdown_view_spec.js
new file mode 100644
index 000000000..f6972c5be
--- /dev/null
+++ b/spec/javascripts/app/views/notification_dropdown_view_spec.js
@@ -0,0 +1,107 @@
+describe('app.views.NotificationDropdown', function() {
+ beforeEach(function (){
+ spec.loadFixture('notifications');
+ this.header = new app.views.Header();
+ $("header").prepend(this.header.el);
+ this.header.render();
+ this.view = new app.views.NotificationDropdown({el: '#notification_badge'});
+ });
+
+ context('showDropdown', function(){
+ it('Calls resetParam()', function(){
+ spyOn(this.view, 'resetParams');
+ this.view.showDropdown();
+ expect(this.view.resetParams).toHaveBeenCalled();
+ });
+ it('Changes CSS', function(){
+ this.view.showDropdown();
+ expect($('#notification_dropdown').css('display')).toBe('block');
+ });
+ it('Calls getNotifications()', function(){
+ spyOn(this.view, 'getNotifications');
+ this.view.showDropdown();
+ expect(this.view.getNotifications).toHaveBeenCalled();
+ });
+ });
+
+ context('dropdownScroll', function(){
+ it('Calls getNotifications if is at the bottom and has more notifications to load', function(){
+ this.view.isBottom = function(){ return true; };
+ this.view.hasMoreNotifs = true;
+ spyOn(this.view, 'getNotifications');
+ this.view.dropdownScroll();
+ expect(this.view.getNotifications).toHaveBeenCalled();
+ });
+
+ it("Doesn't call getNotifications if is not at the bottom", function(){
+ this.view.isBottom = function(){ return false; };
+ this.view.hasMoreNotifs = true;
+ spyOn(this.view, 'getNotifications');
+ this.view.dropdownScroll();
+ expect(this.view.getNotifications).not.toHaveBeenCalled();
+ });
+
+ it("Doesn't call getNotifications if is not at the bottom", function(){
+ this.view.isBottom = function(){ return true; };
+ this.view.hasMoreNotifs = false;
+ spyOn(this.view, 'getNotifications');
+ this.view.dropdownScroll();
+ expect(this.view.getNotifications).not.toHaveBeenCalled();
+ });
+ });
+
+ context('getNotifications', function(){
+ it('Has more notifications', function(){
+ var response = ['', '', '', '', ''];
+ spyOn($, 'getJSON').and.callFake(function(url, callback){ callback(response); });
+ this.view.getNotifications();
+ expect(this.view.hasMoreNotifs).toBe(true);
+ });
+ it('Has no more notifications', function(){
+ spyOn($, 'getJSON').and.callFake(function(url, callback){ callback([]); });
+ this.view.getNotifications();
+ expect(this.view.hasMoreNotifs).toBe(false);
+ });
+ it('Correctly sets the next page', function(){
+ spyOn($, 'getJSON').and.callFake(function(url, callback){ callback([]); });
+ expect(typeof this.view.nextPage).toBe('undefined');
+ this.view.getNotifications();
+ expect(this.view.nextPage).toBe(3);
+ });
+ it('Increase the page count', function(){
+ var response = ['', '', '', '', ''];
+ spyOn($, 'getJSON').and.callFake(function(url, callback){ callback(response); });
+ this.view.getNotifications();
+ expect(this.view.nextPage).toBe(3);
+ this.view.getNotifications();
+ expect(this.view.nextPage).toBe(4);
+ });
+ it('Calls renderNotifications()', function(){
+ spyOn($, 'getJSON').and.callFake(function(url, callback){ callback([]); });
+ spyOn(this.view, 'renderNotifications');
+ this.view.getNotifications();
+ expect(this.view.renderNotifications).toHaveBeenCalled();
+ });
+ it('Adds the notifications to this.notifications', function(){
+ var response = ['', '', '', '', ''];
+ this.view.notifications.length = 0;
+ spyOn($, 'getJSON').and.callFake(function(url, callback){ callback(response); });
+ this.view.getNotifications();
+ expect(this.view.notifications).toEqual(response);
+ });
+ });
+
+ context('renderNotifications', function(){
+ it('Removes the previous notifications', function(){
+ this.view.dropdownNotifications.append('Notification ');
+ expect(this.view.dropdownNotifications.find('.media.stream_element').length).toBe(1);
+ this.view.renderNotifications();
+ expect(this.view.dropdownNotifications.find('.media.stream_element').length).toBe(0);
+ });
+ it('Calls hideAjaxLoader()', function(){
+ spyOn(this.view, 'hideAjaxLoader');
+ this.view.renderNotifications();
+ expect(this.view.hideAjaxLoader).toHaveBeenCalled();
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/notifications_view_spec.js b/spec/javascripts/app/views/notifications_view_spec.js
index 53c5640fc..ab422515a 100644
--- a/spec/javascripts/app/views/notifications_view_spec.js
+++ b/spec/javascripts/app/views/notifications_view_spec.js
@@ -40,8 +40,8 @@ describe("app.views.Notifications", function(){
});
it('changes the "all notifications" count', function() {
- badge = $('ul.nav > li:eq(0) .badge');
- count = parseInt(badge.text());
+ var badge = $('ul.nav > li:eq(0) .badge');
+ var count = parseInt(badge.text());
this.view.updateView(this.guid, this.type, true);
expect(parseInt(badge.text())).toBe(count + 1);
@@ -51,8 +51,8 @@ describe("app.views.Notifications", function(){
});
it('changes the notification type count', function() {
- badge = $('ul.nav > li[data-type=' + this.type + '] .badge');
- count = parseInt(badge.text());
+ var badge = $('ul.nav > li[data-type=' + this.type + '] .badge');
+ var count = parseInt(badge.text());
this.view.updateView(this.guid, this.type, true);
expect(parseInt(badge.text())).toBe(count + 1);
@@ -63,14 +63,44 @@ describe("app.views.Notifications", function(){
it('toggles the unread class and changes the title', function() {
this.view.updateView(this.readN.data('guid'), this.readN.data('type'), true);
- expect(this.readN.hasClass('unread')).toBeTruethy;
- expect(this.readN.hasClass('read')).toBeFalsy;
+ expect(this.readN.hasClass('unread')).toBeTruthy();
+ expect(this.readN.hasClass('read')).toBeFalsy();
expect(this.readN.find('.unread-toggle .entypo').data('original-title')).toBe(Diaspora.I18n.t('notifications.mark_read'));
this.view.updateView(this.readN.data('guid'), this.readN.data('type'), false);
- expect(this.readN.hasClass('read')).toBeTruethy;
- expect(this.readN.hasClass('unread')).toBeFalsy;
+ expect(this.readN.hasClass('read')).toBeTruthy();
+ expect(this.readN.hasClass('unread')).toBeFalsy();
expect(this.readN.find('.unread-toggle .entypo').data('original-title')).toBe(Diaspora.I18n.t('notifications.mark_unread'));
});
+
+ context("with a header", function() {
+ beforeEach(function() {
+ loginAs({name: "alice", avatar : {small : "http://avatar.com/photo.jpg"}, notifications_count : 2});
+ this.header = new app.views.Header();
+ $("header").prepend(this.header.el);
+ this.header.render();
+ });
+
+ it("changes the header notifications count", function() {
+ var badge = $("#notification_badge .badge_count");
+ var count = parseInt(badge.text(), 10);
+
+ this.view.updateView(this.guid, this.type, true);
+ expect(parseInt(badge.text(), 10)).toBe(count + 1);
+
+ this.view.updateView(this.guid, this.type, false);
+ expect(parseInt(badge.text(), 10)).toBe(count);
+ });
+
+ context("markAllRead", function() {
+ it("calls setRead for each unread notification", function(){
+ spyOn(this.view, "setRead");
+ this.view.markAllRead();
+ expect(this.view.setRead).toHaveBeenCalledWith(this.view.$('.stream_element.unread').eq(0).data('guid'));
+ this.view.markAllRead();
+ expect(this.view.setRead).toHaveBeenCalledWith(this.view.$('.stream_element.unread').eq(1).data('guid'));
+ });
+ });
+ });
});
});
diff --git a/spec/javascripts/app/views/oembed_view_spec.js b/spec/javascripts/app/views/oembed_view_spec.js
index 7af824d20..f46f8c91c 100644
--- a/spec/javascripts/app/views/oembed_view_spec.js
+++ b/spec/javascripts/app/views/oembed_view_spec.js
@@ -9,7 +9,7 @@ describe("app.views.OEmbed", function(){
}
});
- this.view = new app.views.OEmbed({model : this.statusMessage})
+ this.view = new app.views.OEmbed({model : this.statusMessage});
});
describe("rendering", function(){
@@ -27,7 +27,7 @@ describe("app.views.OEmbed", function(){
it("should set types.video on the data", function() {
this.view.render();
- expect(this.view.model.get("o_embed_cache").data.types.video).toBe(true)
+ expect(this.view.model.get("o_embed_cache").data.types.video).toBe(true);
});
it("shows the thumb with overlay", function(){
@@ -53,20 +53,20 @@ describe("app.views.OEmbed", function(){
});
it("provides oembed html from the model response", function(){
- this.view.render()
- expect(this.view.$el.html()).toContain("some html")
+ this.view.render();
+ expect(this.view.$el.html()).toContain("some html");
});
});
});
describe("presenter", function(){
it("provides oembed html from the model", function(){
- expect(this.view.presenter().o_embed_html).toContain("some html")
+ expect(this.view.presenter().o_embed_html).toContain("some html");
});
it("does not provide oembed html from the model response if none is present", function(){
- this.statusMessage.set({"o_embed_cache" : null})
+ this.statusMessage.set({"o_embed_cache" : null});
expect(this.view.presenter().o_embed_html).toBe("");
});
});
-});
\ No newline at end of file
+});
diff --git a/spec/javascripts/app/views/open_graph_view_spec.js b/spec/javascripts/app/views/open_graph_view_spec.js
index d17c345ba..77bba41a1 100644
--- a/spec/javascripts/app/views/open_graph_view_spec.js
+++ b/spec/javascripts/app/views/open_graph_view_spec.js
@@ -12,7 +12,7 @@ describe("app.views.OpenGraph", function() {
"open_graph_cache": open_graph_cache
});
- this.view = new app.views.OpenGraph({model : this.statusMessage})
+ this.view = new app.views.OpenGraph({model : this.statusMessage});
});
describe("rendering", function(){
diff --git a/spec/javascripts/app/views/photo_viewer_spec.js b/spec/javascripts/app/views/photo_viewer_spec.js
index 6f25d580b..645f50d21 100644
--- a/spec/javascripts/app/views/photo_viewer_spec.js
+++ b/spec/javascripts/app/views/photo_viewer_spec.js
@@ -5,15 +5,15 @@ describe("app.views.PhotoViewer", function(){
factory.photoAttrs({sizes : {large : "http://tieguy.org/me.jpg"}}),
factory.photoAttrs({sizes : {large : "http://whatthefuckiselizabethstarkupto.com/none_knows.gif"}}) //SIC
]
- })
- this.view = new app.views.PhotoViewer({model : this.model})
- })
+ });
+ this.view = new app.views.PhotoViewer({model : this.model});
+ });
describe("rendering", function(){
it("should have an image for each photoAttr on the model", function(){
- this.view.render()
- expect(this.view.$("img").length).toBe(2)
- expect(this.view.$("img[src='http://tieguy.org/me.jpg']")).toExist()
- })
- })
-})
\ No newline at end of file
+ this.view.render();
+ expect(this.view.$("img").length).toBe(2);
+ expect(this.view.$("img[src='http://tieguy.org/me.jpg']")).toExist();
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/photos_view_spec.js b/spec/javascripts/app/views/photos_view_spec.js
index 6c24f5e6e..f01aec0c8 100644
--- a/spec/javascripts/app/views/photos_view_spec.js
+++ b/spec/javascripts/app/views/photos_view_spec.js
@@ -16,24 +16,24 @@ describe("app.views.Photos", function() {
}, this);
});
-// describe("initialize", function() {
-// it("binds an infinite scroll listener", function() {
-// spyOn($.fn, "scroll");
-// new app.views.Stream({model : this.stream});
-// expect($.fn.scroll).toHaveBeenCalled();
-// });
-// });
-//
-// describe("#render", function() {
-// beforeEach(function() {
-// this.photo = this.stream.items.models[0];
-// this.photoElement = $(this.view.$("#" + this.photo.get("guid")));
-// });
-//
-// context("when rendering a photo message", function() {
-// it("shows the photo in the content area", function() {
-// expect(this.photoElement.length).toBeGreaterThan(0); //markdown'ed
-// });
-// });
-// });
+ describe("initialize", function() {
+ it("binds an infinite scroll listener", function() {
+ spyOn($.fn, "scroll");
+ new app.views.Stream({model : this.stream});
+ expect($.fn.scroll).toHaveBeenCalled();
+ });
+ });
+
+ describe("#render", function() {
+ beforeEach(function() {
+ this.photo = this.stream.items.models[0];
+ this.photoElement = $(this.view.$("#" + this.photo.get("guid")));
+ });
+
+ context("when rendering a photo message", function() {
+ it("shows the photo in the content area", function() {
+ expect(this.photoElement.length).toBeGreaterThan(0);
+ });
+ });
+ });
});
diff --git a/spec/javascripts/app/views/poll_view_spec.js b/spec/javascripts/app/views/poll_view_spec.js
index bbb2dccad..31372dca5 100644
--- a/spec/javascripts/app/views/poll_view_spec.js
+++ b/spec/javascripts/app/views/poll_view_spec.js
@@ -10,7 +10,7 @@ describe("app.views.Poll", function(){
var percentage = (this.view.poll.poll_answers[0].vote_count / this.view.poll.participation_count)*100;
expect(this.view.$('.poll_progress_bar:first').css('width')).toBe(percentage+"%");
expect(this.view.$(".percentage:first").text()).toBe(percentage + "%");
- })
+ });
});
describe("toggleResult", function(){
@@ -18,21 +18,21 @@ describe("app.views.Poll", function(){
expect(this.view.$('.poll_progress_bar_wrapper:first').css('display')).toBe("none");
this.view.toggleResult(null);
expect(this.view.$('.poll_progress_bar_wrapper:first').css('display')).toBe("block");
- })
+ });
});
describe("vote", function(){
it("checks the ajax call for voting", function(){
- spyOn($, "ajax");
+ jasmine.Ajax.install();
var answer = this.view.poll.poll_answers[0];
var poll = this.view.poll;
this.view.vote(answer.id);
- var obj = JSON.parse($.ajax.mostRecentCall.args[0].data);
+ var obj = JSON.parse(jasmine.Ajax.requests.mostRecent().params);
expect(obj.poll_id).toBe(poll.poll_id);
expect(obj.poll_answer_id).toBe(answer.id);
- })
+ });
});
describe("render", function() {
@@ -44,16 +44,39 @@ describe("app.views.Poll", function(){
});
});
+ describe("reshared post", function(){
+ beforeEach(function(){
+ Diaspora.I18n.load({
+ poll: {
+ go_to_original_post: "You can participate in this poll on the <%= original_post_link %>.",
+ original_post: "original post"
+ }
+ });
+ this.view.model.attributes.post_type = "Reshare";
+ this.view.model.attributes.root = {id: 1};
+ this.view.render();
+ });
+
+ it("hides the vote form", function(){
+ expect(this.view.$('form').length).toBe(0);
+ });
+
+ it("shows a.root_post_link", function(){
+ var id = this.view.model.get('root').id;
+ expect(this.view.$('a.root_post_link').attr('href')).toBe('/posts/'+id);
+ });
+ });
+
describe("vote form", function(){
- it('show vote form when user is logged in and not voted before', function(){
+ it("shows vote form when user is logged in and not voted before", function(){
expect(this.view.$('form').length).toBe(1);
});
- it('hide vote form when user voted before', function(){
+ it("hides vote form when user voted before", function(){
this.view.model.attributes.already_participated_in_poll = true;
this.view.render();
expect(this.view.$('form').length).toBe(0);
});
- it("hide vote form when user not logged in", function(){
+ it("hides vote form when user not logged in", function(){
logout();
this.view.render();
expect(this.view.$('form').length).toBe(0);
diff --git a/spec/javascripts/app/views/profile_header_view_spec.js b/spec/javascripts/app/views/profile_header_view_spec.js
new file mode 100644
index 000000000..724cc7260
--- /dev/null
+++ b/spec/javascripts/app/views/profile_header_view_spec.js
@@ -0,0 +1,33 @@
+
+describe("app.views.ProfileHeader", function() {
+ beforeEach(function() {
+ this.model = factory.personWithProfile({
+ diaspora_id: "my@pod",
+ name: "User Name",
+ relationship: 'mutual',
+ profile: { tags: ['test'] }
+ });
+ this.view = new app.views.ProfileHeader({model: this.model});
+ loginAs(factory.userAttrs());
+ });
+
+ context("#presenter", function() {
+ it("contains necessary elements", function() {
+ expect(this.view.presenter()).toEqual(jasmine.objectContaining({
+ diaspora_id: "my@pod",
+ name: "User Name",
+ is_blocked: false,
+ is_own_profile: false,
+ has_tags: true,
+ show_profile_btns: true,
+ relationship: 'mutual',
+ is_sharing: true,
+ is_receiving: true,
+ is_mutual: true,
+ profile: jasmine.objectContaining({
+ tags: ['test']
+ })
+ }));
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/profile_sidebar_view_spec.js b/spec/javascripts/app/views/profile_sidebar_view_spec.js
new file mode 100644
index 000000000..f648bb118
--- /dev/null
+++ b/spec/javascripts/app/views/profile_sidebar_view_spec.js
@@ -0,0 +1,36 @@
+
+describe("app.views.ProfileSidebar", function() {
+ beforeEach(function() {
+ this.model = factory.personWithProfile({
+ diaspora_id: "alice@umbrella.corp",
+ name: "Project Alice",
+ relationship: 'mutual',
+ profile: {
+ bio: "confidential",
+ location: "underground",
+ gender: "female",
+ birthday: "2012-09-14",
+ tags: ['zombies', 'evil', 'blood', 'gore']
+
+ }
+ });
+ this.view = new app.views.ProfileSidebar({model: this.model});
+
+ loginAs(factory.userAttrs());
+ });
+
+ context("#presenter", function() {
+ it("contains necessary elements", function() {
+ expect(this.view.presenter()).toEqual(jasmine.objectContaining({
+ relationship: 'mutual',
+ show_profile_info: true,
+ profile: jasmine.objectContaining({
+ bio: "confidential",
+ location: "underground",
+ gender: "female",
+ birthday: "2012-09-14"
+ })
+ }));
+ });
+ });
+});
diff --git a/spec/javascripts/app/views/publisher_poll_creator_view_spec.js b/spec/javascripts/app/views/publisher_poll_creator_view_spec.js
index 97334dc99..24720b112 100644
--- a/spec/javascripts/app/views/publisher_poll_creator_view_spec.js
+++ b/spec/javascripts/app/views/publisher_poll_creator_view_spec.js
@@ -14,17 +14,19 @@ describe('app.views.PublisherPollCreator', function(){
});
describe('#addAnswerInput', function(){
it('should add new answer input', function(){
- this.view.addAnswerInput();
expect(this.view.$(this.input_selector).length).toBe(2);
+ this.view.addAnswerInput();
+ expect(this.view.$(this.input_selector).length).toBe(3);
});
it('should change input count', function(){
this.view.addAnswerInput();
- expect(this.view.inputCount).toBe(2);
+ expect(this.view.inputCount).toBe(3);
});
});
describe('#removeAnswerInput', function(){
it('remove answer input', function(){
- var input = this.view.$('input:first');
+ var input = this.view.$(this.input_selector).first();
+ expect(this.view.$(this.input_selector).length).toBe(2);
this.view.removeAnswerInput(input);
expect(this.view.$(this.input_selector).length).toBe(1);
});
@@ -40,7 +42,7 @@ describe('app.views.PublisherPollCreator', function(){
var remove_btn = '.poll-answer .remove-answer';
it('show remove button when answer input is greater 1', function(){
this.view.addAnswerInput();
- expect(this.view.$(remove_btn).hasClass('active')).toBe(true);
+ expect(this.view.$(remove_btn).hasClass('active')).toBeFalsy;
});
it('hide remove button when is only one answer input', function(){
var input = this.view.$(this.input_selector);
@@ -48,14 +50,14 @@ describe('app.views.PublisherPollCreator', function(){
this.view.addAnswerInput();
this.view.removeAnswerInput(input);
- expect(this.view.$(remove_btn).hasClass('active')).toBe(false);
+ expect(this.view.$(remove_btn).hasClass('active')).toBeFalsy;
});
});
describe('#validateInput', function(){
it('should invalid blank value', function(){
var input = this.view.$('input');
input.val(' ');
- expect(this.view.validateInput(input)).toBe(false);
- }):
+ expect(this.view.validateInput(input)).toBeFalsy;
+ });
});
});
diff --git a/spec/javascripts/app/views/publisher_view_spec.js b/spec/javascripts/app/views/publisher_view_spec.js
index 8c0e1c6db..8390f6b83 100644
--- a/spec/javascripts/app/views/publisher_view_spec.js
+++ b/spec/javascripts/app/views/publisher_view_spec.js
@@ -4,9 +4,9 @@
*/
describe("app.views.Publisher", function() {
- describe("standalone", function() {
+ context("standalone", function() {
beforeEach(function() {
- // should be jasmine helper
+ // TODO should be jasmine helper
loginAs({name: "alice", avatar : {small : "http://avatar.com/photo.jpg"}});
spec.loadFixture("aspects_index");
@@ -22,11 +22,21 @@ describe("app.views.Publisher", function() {
it("hides the post preview button in standalone mode", function() {
expect(this.view.$('.post_preview_button').is(':visible')).toBeFalsy();
});
+
+ describe("createStatusMessage", function(){
+ it("doesn't add the status message to the stream", function() {
+ app.stream = { addNow: $.noop };
+ spyOn(app.stream, "addNow");
+ this.view.createStatusMessage($.Event());
+ jasmine.Ajax.requests.mostRecent().respondWith({ status: 200, responseText: "{\"id\": 1}" });
+ expect(app.stream.addNow).not.toHaveBeenCalled();
+ });
+ });
});
context("plain publisher", function() {
beforeEach(function() {
- // should be jasmine helper
+ // TODO should be jasmine helper
loginAs({name: "alice", avatar : {small : "http://avatar.com/photo.jpg"}});
spec.loadFixture("aspects_index");
@@ -55,7 +65,7 @@ describe("app.views.Publisher", function() {
it("removes the 'active' class from the publisher element", function(){
this.view.close($.Event());
expect($(this.view.el)).toHaveClass("closed");
- })
+ });
it("resets the element's height", function() {
$(this.view.el).find("#status_message_fake_text").height(100);
@@ -70,14 +80,14 @@ describe("app.views.Publisher", function() {
this.view.clear($.Event());
expect(this.view.close).toHaveBeenCalled();
- })
+ });
it("calls removePostPreview", function(){
spyOn(this.view, "removePostPreview");
this.view.clear($.Event());
expect(this.view.removePostPreview).toHaveBeenCalled();
- })
+ });
it("clears all textareas", function(){
_.each(this.view.$("textarea"), function(element){
@@ -90,27 +100,27 @@ describe("app.views.Publisher", function() {
_.each(this.view.$("textarea"), function(element){
expect($(element).val()).toBe("");
});
- })
+ });
it("removes all photos from the dropzone area", function(){
var self = this;
_.times(3, function(){
- self.view.el_photozone.append($(""))
+ self.view.el_photozone.append($(" "));
});
expect(this.view.el_photozone.html()).not.toBe("");
this.view.clear($.Event());
expect(this.view.el_photozone.html()).toBe("");
- })
+ });
it("removes all photo values appended by the photo uploader", function(){
- $(this.view.el).prepend("")
+ $(this.view.el).prepend("");
var photoValuesInput = this.view.$("input[name='photos[]']");
- photoValuesInput.val("3")
+ photoValuesInput.val("3");
this.view.clear($.Event());
expect(this.view.$("input[name='photos[]']").length).toBe(0);
- })
+ });
it("destroy location if exists", function(){
setFixtures('');
@@ -119,7 +129,7 @@ describe("app.views.Publisher", function() {
expect($("#location").length).toBe(1);
this.view.clear($.Event());
expect($("#location").length).toBe(0);
- })
+ });
});
describe("createStatusMessage", function(){
@@ -127,7 +137,15 @@ describe("app.views.Publisher", function() {
spyOn(this.view, "handleTextchange");
this.view.createStatusMessage($.Event());
expect(this.view.handleTextchange).toHaveBeenCalled();
- })
+ });
+
+ it("adds the status message to the stream", function() {
+ app.stream = { addNow: $.noop };
+ spyOn(app.stream, "addNow");
+ this.view.createStatusMessage($.Event());
+ jasmine.Ajax.requests.mostRecent().respondWith({ status: 200, responseText: "{\"id\": 1}" });
+ expect(app.stream.addNow).toHaveBeenCalled();
+ });
});
describe('#setText', function() {
@@ -150,8 +168,6 @@ describe("app.views.Publisher", function() {
});
it("disables submitting", function() {
- this.view.togglePollCreator();
-
this.view.setText('TESTING');
expect(this.view.el_submit.prop('disabled')).toBeFalsy();
expect(this.view.el_preview.prop('disabled')).toBeFalsy();
@@ -165,8 +181,8 @@ describe("app.views.Publisher", function() {
describe("publishing a post with keyboard", function(){
it("should submit the form when ctrl+enter is pressed", function(){
this.view.render();
- var form = this.view.$("form")
- var submitCallback = jasmine.createSpy().andReturn(false);
+ var form = this.view.$("form");
+ var submitCallback = jasmine.createSpy().and.returnValue(false);
form.submit(submitCallback);
var e = $.Event("keydown", { keyCode: 13 });
@@ -175,8 +191,34 @@ describe("app.views.Publisher", function() {
expect(submitCallback).toHaveBeenCalled();
expect($(this.view.el)).not.toHaveClass("closed");
- })
- })
+ });
+ });
+
+ describe("_beforeUnload", function(){
+ beforeEach(function(){
+ Diaspora.I18n.load({ confirm_unload: "Please confirm that you want to leave this page - data you have entered won't be saved."});
+ });
+
+ it("calls _submittable", function(){
+ spyOn(this.view, "_submittable");
+ $(window).trigger('beforeunload');
+ expect(this.view._submittable).toHaveBeenCalled();
+ });
+
+ it("returns a confirmation if the publisher is submittable", function(){
+ spyOn(this.view, "_submittable").and.returnValue(true);
+ var e = $.Event();
+ expect(this.view._beforeUnload(e)).toBe(Diaspora.I18n.t('confirm_unload'));
+ expect(e.returnValue).toBe(Diaspora.I18n.t('confirm_unload'));
+ });
+
+ it("doesn't ask for a confirmation if the publisher isn't submittable", function(){
+ spyOn(this.view, "_submittable").and.returnValue(false);
+ var e = $.Event();
+ expect(this.view._beforeUnload(e)).toBe(undefined);
+ expect(e.returnValue).toBe(undefined);
+ });
+ });
});
context("services", function(){
@@ -240,79 +282,123 @@ describe("app.views.Publisher", function() {
expect(this.view.$('input[name="services[]"][value="'+prov1+'"]').length).toBe(0);
expect(this.view.$('input[name="services[]"][value="'+prov2+'"]').length).toBe(1);
});
+
+ describe("#clear", function() {
+ it("resets the char counter", function() {
+ this.view.$(".service_icon").first().trigger("click");
+ expect(parseInt(this.view.$(".counter").text(), 10)).toBeGreaterThan(0);
+ this.view.$(".counter").text("0");
+ expect(parseInt(this.view.$(".counter").text(), 10)).not.toBeGreaterThan(0);
+ this.view.clear($.Event());
+ expect(parseInt(this.view.$(".counter").text(), 10)).toBeGreaterThan(0);
+ });
+ });
});
context("aspect selection", function(){
beforeEach( function(){
- spec.loadFixture('status_message_new');
-
- this.radio_els = $('#publisher .dropdown li.radio');
- this.check_els = $('#publisher .dropdown li.aspect_selector');
+ loginAs({name: "alice", avatar : {small : "http://avatar.com/photo.jpg"}});
+ spec.loadFixture("status_message_new");
+ Diaspora.I18n.load({ stream: { public: 'Public' }});
this.view = new app.views.Publisher();
this.view.open();
+
+ this.radio_els = this.view.$('#publisher .aspect_dropdown li.radio');
+ this.check_els = this.view.$('#publisher .aspect_dropdown li.aspect_selector');
+ this.visibility_icon = this.view.$('#visibility-icon');
});
it("initializes with 'all_aspects'", function(){
- expect(this.radio_els.first().hasClass('selected')).toBeFalsy();
- expect(this.radio_els.last().hasClass('selected')).toBeTruthy();
+ expect($('.aspect_dropdown li.public')).not.toHaveClass('selected');
+ expect($('.aspect_dropdown li.all_aspects')).toHaveClass('selected');
+ expect($('.aspect_dropdown li.aspect_selector')).not.toHaveClass('selected');
- _.each(this.check_els, function(el){
- expect($(el).hasClass('selected')).toBeFalsy();
- });
+ expect($('#publisher #visibility-icon')).not.toHaveClass('globe');
+ expect($('#publisher #visibility-icon')).toHaveClass('lock');
});
it("toggles the selected entry visually", function(){
- this.check_els.last().trigger('click');
+ // click on the first aspect
+ var evt = $.Event("click", { target: $('.aspect_dropdown li.aspect_selector:first') });
+ this.view.view_aspect_selector.toggleAspect(evt);
+ // public and "all aspects" are deselected
+ expect($('.aspect_dropdown li.public')).not.toHaveClass('selected');
+ expect($('.aspect_dropdown li.all_aspects')).not.toHaveClass('selected');
+ // the first aspect is selected
+ expect($('.aspect_dropdown li.aspect_selector:first')).toHaveClass('selected');
+ // the last aspect is not selected
+ expect($('.aspect_dropdown li.aspect_selector:last')).not.toHaveClass('selected');
+ // visibility icon is set to the lock icon
+ expect($('#publisher #visibility-icon')).not.toHaveClass('globe');
+ expect($('#publisher #visibility-icon')).toHaveClass('lock');
- _.each(this.radio_els, function(el){
- expect($(el).hasClass('selected')).toBeFalsy();
- });
+ // click on public
+ evt = $.Event("click", { target: $('.aspect_dropdown li.public') });
+ this.view.view_aspect_selector.toggleAspect(evt);
+ // public is selected, "all aspects" is deselected
+ expect($('.aspect_dropdown li.public').hasClass('selected')).toBeTruthy();
+ expect($('.aspect_dropdown li.all_aspects').hasClass('selected')).toBeFalsy();
+ // the aspects are deselected
+ expect($('.aspect_dropdown li.aspect_selector').hasClass('selected')).toBeFalsy();
+ // visibility icon is set to the globe icon
+ expect($('#publisher #visibility-icon').hasClass('globe')).toBeTruthy();
+ expect($('#publisher #visibility-icon').hasClass('lock')).toBeFalsy();
- expect(this.check_els.first().hasClass('selected')).toBeFalsy();
- expect(this.check_els.last().hasClass('selected')).toBeTruthy();
+ // click on "all aspects"
+ evt = $.Event("click", { target: $('.aspect_dropdown li.all_aspects') });
+ this.view.view_aspect_selector.toggleAspect(evt);
+ // public is deselected, "all aspects" is selected
+ expect($('.aspect_dropdown li.public').hasClass('selected')).toBeFalsy();
+ expect($('.aspect_dropdown li.all_aspects').hasClass('selected')).toBeTruthy();
+ // the aspects are deselected
+ expect($('.aspect_dropdown li.aspect_selector').hasClass('selected')).toBeFalsy();
+ // visibility icon is set to the lock icon
+ expect($('#publisher #visibility-icon').hasClass('globe')).toBeFalsy();
+ expect($('#publisher #visibility-icon').hasClass('lock')).toBeTruthy();
});
describe("hidden form elements", function(){
beforeEach(function(){
- this.li = $(' ');
- this.view.$('.dropdown_list').append(this.li);
+ $('.dropdown-menu').append('');
});
it("removes a previous selection and inserts the current one", function() {
- var selected = this.view.$('input[name="aspect_ids[]"]');
+ var selected = $('input[name="aspect_ids[]"]');
expect(selected.length).toBe(1);
expect(selected.first().val()).toBe('all_aspects');
- this.li.trigger('click');
+ var evt = $.Event("click", { target: $('.aspect_dropdown li.aspect_selector:last') });
+ this.view.view_aspect_selector.toggleAspect(evt);
- selected = this.view.$('input[name="aspect_ids[]"]');
+ selected = $('input[name="aspect_ids[]"]');
expect(selected.length).toBe(1);
expect(selected.first().val()).toBe('42');
});
it("toggles the same item", function() {
- expect(this.view.$('input[name="aspect_ids[]"][value="42"]').length).toBe(0);
+ expect($('input[name="aspect_ids[]"][value="42"]').length).toBe(0);
- this.li.trigger('click');
- expect(this.view.$('input[name="aspect_ids[]"][value="42"]').length).toBe(1);
+ var evt = $.Event("click", { target: $('.aspect_dropdown li.aspect_selector:last') });
+ this.view.view_aspect_selector.toggleAspect(evt);
+ expect($('input[name="aspect_ids[]"][value="42"]').length).toBe(1);
- this.li.trigger('click');
- expect(this.view.$('input[name="aspect_ids[]"][value="42"]').length).toBe(0);
+ evt = $.Event("click", { target: $('.aspect_dropdown li.aspect_selector:last') });
+ this.view.view_aspect_selector.toggleAspect(evt);
+ expect($('input[name="aspect_ids[]"][value="42"]').length).toBe(0);
});
it("keeps other fields with different values", function() {
- var li2 = $("");
- this.view.$('.dropdown_list').append(li2);
+ $('.dropdown-menu').append('');
+ var evt = $.Event("click", { target: $('.aspect_dropdown li.aspect_selector:eq(-2)') });
+ this.view.view_aspect_selector.toggleAspect(evt);
+ evt = $.Event("click", { target: $('.aspect_dropdown li.aspect_selector:eq(-1)') });
+ this.view.view_aspect_selector.toggleAspect(evt);
- this.li.trigger('click');
- li2.trigger('click');
-
- expect(this.view.$('input[name="aspect_ids[]"][value="42"]').length).toBe(1);
- expect(this.view.$('input[name="aspect_ids[]"][value="99"]').length).toBe(1);
+ expect($('input[name="aspect_ids[]"][value="42"]').length).toBe(1);
+ expect($('input[name="aspect_ids[]"][value="99"]').length).toBe(1);
});
});
-
});
context("locator", function() {
@@ -342,7 +428,7 @@ describe("app.views.Publisher", function() {
// validates there is one location created
expect($("#location").length).toBe(1);
- })
+ });
});
describe('#destroyLocation', function(){
@@ -352,18 +438,18 @@ describe("app.views.Publisher", function() {
this.view.destroyLocation();
expect($("#location").length).toBe(0);
- })
+ });
});
describe('#avoidEnter', function(){
it("Avoid submitting the form when pressing enter", function(){
// simulates the event object
- evt = {};
+ var evt = {};
evt.keyCode = 13;
// should return false in order to avoid the form submition
expect(this.view.avoidEnter(evt)).toBeFalsy();
- })
+ });
});
});
@@ -384,7 +470,7 @@ describe("app.views.Publisher", function() {
it('initializes the file uploader plugin', function() {
spyOn(qq, 'FileUploaderBasic');
- var publisher = new app.views.Publisher();
+ new app.views.Publisher();
expect(qq.FileUploaderBasic).toHaveBeenCalled();
});
@@ -444,7 +530,7 @@ describe("app.views.Publisher", function() {
it('shows it in text form', function() {
var info = this.view.view_uploader.el_info;
- expect(info.text()).toBe(Diaspora.I18n.t('photo_uploader.completed', {file: 'test.jpg'}))
+ expect(info.text()).toBe(Diaspora.I18n.t('photo_uploader.completed', {file: 'test.jpg'}));
});
it('adds a hidden input to the publisher', function() {
@@ -482,7 +568,7 @@ describe("app.views.Publisher", function() {
it('shows error message', function() {
var info = this.view.view_uploader.el_info;
- expect(info.text()).toBe(Diaspora.I18n.t('photo_uploader.error', {file: 'test.jpg'}))
+ expect(info.text()).toBe(Diaspora.I18n.t('photo_uploader.error', {file: 'test.jpg'}));
});
});
});
@@ -499,7 +585,7 @@ describe("app.views.Publisher", function() {
''
);
- spyOn(jQuery, 'ajax').andCallFake(function(opts) { opts.success(); });
+ spyOn(jQuery, 'ajax').and.callFake(function(opts) { opts.success(); });
this.view.el_photozone.find('.x').click();
});
diff --git a/spec/javascripts/app/views/search_view_spec.js b/spec/javascripts/app/views/search_view_spec.js
new file mode 100644
index 000000000..ca23e6f7c
--- /dev/null
+++ b/spec/javascripts/app/views/search_view_spec.js
@@ -0,0 +1,14 @@
+describe("app.views.Search", function() {
+ beforeEach(function(){
+ spec.content().html(' ');
+ this.view = new app.views.Search({ el: '#search_people_form' });
+ });
+ describe("parse", function() {
+ it("escapes a persons name", function() {
+ var person = { 'name': ' Like",
other : "<%= count %> Likes"
}
- }})
- })
+ }});
+ });
context("reshare", function(){
it("displays a reshare count", function(){
@@ -76,34 +84,34 @@ describe("app.views.StreamPost", function(){
context("likes", function(){
it("displays a like count", function(){
- this.statusMessage.interactions.set({likes_count : 1})
+ this.statusMessage.interactions.set({likes_count : 1});
var view = new this.PostViewClass({model : this.statusMessage}).render();
- expect($(view.el).html()).toContain(Diaspora.I18n.t('stream.likes', {count: 1}))
- })
+ expect($(view.el).html()).toContain(Diaspora.I18n.t('stream.likes', {count: 1}));
+ });
it("does not display a like count for 'zero'", function(){
- this.statusMessage.interactions.set({likes_count : 0})
+ this.statusMessage.interactions.set({likes_count : 0});
var view = new this.PostViewClass({model : this.statusMessage}).render();
- expect($(view.el).html()).not.toContain("0 Likes")
- })
- })
+ expect($(view.el).html()).not.toContain("0 Likes");
+ });
+ });
context("embed_html", function(){
it("provides oembed html from the model response", function(){
- this.statusMessage.set({"o_embed_cache" : o_embed_cache})
+ this.statusMessage.set({"o_embed_cache" : o_embed_cache});
var view = new app.views.StreamPost({model : this.statusMessage}).render();
- expect(view.$el.html()).toContain(o_embed_cache.data.html)
- })
- })
+ expect(view.$el.html()).toContain(o_embed_cache.data.html);
+ });
+ });
context("og_html", function(){
it("provides opengraph preview based on the model reponse", function(){
this.statusMessage.set({"open_graph_cache" : open_graph_cache});
var view = new app.views.StreamPost({model : this.statusMessage}).render();
- expect(view.$el.html()).toContain(open_graph_cache.title)
+ expect(view.$el.html()).toContain(open_graph_cache.title);
});
it("does not provide opengraph preview, when oembed is available", function(){
this.statusMessage.set({
@@ -112,17 +120,23 @@ describe("app.views.StreamPost", function(){
});
var view = new app.views.StreamPost({model : this.statusMessage}).render();
- expect(view.$el.html()).not.toContain(open_graph_cache.title)
- })
- })
+ expect(view.$el.html()).not.toContain(open_graph_cache.title);
+ });
+ it("truncates long opengraph descriptions in stream view to be 250 chars or less", function() {
+ this.statusMessage.set({"open_graph_cache" : open_graph_cache_extralong});
+
+ var view = new app.views.StreamPost({model : this.statusMessage}).render();
+ expect(view.$el.find('.og-description').html().length).toBeLessThan(251);
+ });
+ });
context("user not signed in", function(){
it("does not provide a Feedback view", function(){
- logout()
+ logout();
var view = new this.PostViewClass({model : this.statusMessage}).render();
expect(view.feedbackView()).toBeFalsy();
- })
- })
+ });
+ });
context("NSFW", function(){
beforeEach(function(){
@@ -130,19 +144,19 @@ describe("app.views.StreamPost", function(){
this.view = new this.PostViewClass({model : this.statusMessage}).render();
this.hiddenPosts = function(){
- return this.view.$(".nsfw-shield")
- }
+ return this.view.$(".nsfw-shield");
+ };
});
it("contains a shield element", function(){
- expect(this.hiddenPosts().length).toBe(1)
+ expect(this.hiddenPosts().length).toBe(1);
});
it("does not contain a shield element when nsfw is false", function(){
this.statusMessage.set({nsfw: false});
this.view.render();
expect(this.hiddenPosts()).not.toExist();
- })
+ });
context("showing a single post", function(){
it("removes the shields when the post is clicked", function(){
@@ -154,12 +168,12 @@ describe("app.views.StreamPost", function(){
context("clicking the toggle nsfw link toggles it on the user", function(){
it("calls toggleNsfw on the user", function(){
- spyOn(app.user(), "toggleNsfwState")
+ spyOn(app.user(), "toggleNsfwState");
this.view.$(".toggle_nsfw_state").first().click();
expect(app.user().toggleNsfwState).toHaveBeenCalled();
});
- })
- })
+ });
+ });
context("user views their own post", function(){
beforeEach(function(){
@@ -167,21 +181,21 @@ describe("app.views.StreamPost", function(){
id : app.user().id
}});
this.view = new this.PostViewClass({model : this.statusMessage}).render();
- })
+ });
it("contains remove post", function(){
expect(this.view.$(".remove_post")).toExist();
- })
+ });
it("destroys the view when they delete a their post from the show page", function(){
- spyOn(window, "confirm").andReturn(true);
+ spyOn(window, "confirm").and.returnValue(true);
this.view.$(".remove_post").click();
expect(window.confirm).toHaveBeenCalled();
- expect(this.view).not.toExist();
- })
- })
+ expect(this.view.el).not.toBeInDOM();
+ });
+ });
- })
+ });
});
diff --git a/spec/javascripts/app/views/stream_view_spec.js b/spec/javascripts/app/views/stream_view_spec.js
index dac66b2fc..412728222 100644
--- a/spec/javascripts/app/views/stream_view_spec.js
+++ b/spec/javascripts/app/views/stream_view_spec.js
@@ -40,21 +40,22 @@ describe("app.views.Stream", function() {
describe("infScroll", function() {
// NOTE: inf scroll happens at 500px
beforeEach(function(){
- spyOn($.fn, "height").andReturn(0);
- spyOn($.fn, "scrollTop").andReturn(100);
+ spyOn($.fn, "height").and.returnValue(0);
+ spyOn($.fn, "scrollTop").and.returnValue(100);
spyOn(this.view.model, "fetch");
});
- it("fetches moar when the user is at the bottom of the page", function() {
- this.view.infScroll();
+ describe('fetching more', function() {
+ beforeEach(function(done) {
+ this.view.on('loadMore', function() {
+ done();
+ });
+ this.view.infScroll();
+ });
- waitsFor(function(){
- return this.view.model.fetch.wasCalled
- }, "the infinite scroll function didn't fetch the stream");
-
- runs(function(){
- expect(this.view.model.fetch).toHaveBeenCalled()
+ it("fetches moar when the user is at the bottom of the page", function() {
+ expect(this.view.model.fetch).toHaveBeenCalled();
});
});
diff --git a/spec/javascripts/app/views/tag_following_action_view_spec.js b/spec/javascripts/app/views/tag_following_action_view_spec.js
index f82d60bb3..8639ee5fa 100644
--- a/spec/javascripts/app/views/tag_following_action_view_spec.js
+++ b/spec/javascripts/app/views/tag_following_action_view_spec.js
@@ -2,22 +2,22 @@ describe("app.views.TagFollowingAction", function(){
beforeEach(function(){
app.tagFollowings = new app.collections.TagFollowings();
this.tagName = "test_tag";
- this.view = new app.views.TagFollowingAction({tagName : this.tagName})
- })
+ this.view = new app.views.TagFollowingAction({tagName : this.tagName});
+ });
describe("render", function(){
it("shows the output of followString", function(){
- spyOn(this.view, "tag_is_followed").andReturn(false)
- spyOn(this.view, "followString").andReturn("a_follow_string")
- expect(this.view.render().$('input').val()).toMatch(/^a_follow_string$/)
- })
+ spyOn(this.view, "tag_is_followed").and.returnValue(false);
+ spyOn(this.view, "followString").and.returnValue("a_follow_string");
+ expect(this.view.render().$('input').val()).toMatch(/^a_follow_string$/);
+ });
it("should have the extra classes if the tag is followed", function(){
- spyOn(this.view, "tag_is_followed").andReturn(true)
- expect(this.view.render().$('input').hasClass("red_on_hover")).toBe(true)
- expect(this.view.render().$('input').hasClass("in_aspects")).toBe(true)
- })
- })
+ spyOn(this.view, "tag_is_followed").and.returnValue(true);
+ expect(this.view.render().$('input').hasClass("followed")).toBe(true);
+ expect(this.view.render().$('input').hasClass("green")).toBe(true);
+ });
+ });
describe("tagAction", function(){
it("toggles the tagFollowed from followed to unfollowed", function(){
@@ -26,25 +26,25 @@ describe("app.views.TagFollowingAction", function(){
this.view.model.set("id", 3);
expect(this.view.tag_is_followed()).toBe(true);
- spyOn(this.view.model, "destroy").andCallFake(_.bind(function(){
+ spyOn(this.view.model, "destroy").and.callFake(_.bind(function(){
// model.destroy leads to collection.remove, which is bound to getTagFollowing
this.view.getTagFollowing();
- }, this) )
+ }, this) );
this.view.tagAction();
- expect(origModel.destroy).toHaveBeenCalled()
+ expect(origModel.destroy).toHaveBeenCalled();
expect(this.view.tag_is_followed()).toBe(false);
- })
+ });
it("toggles the tagFollowed from unfollowed to followed", function(){
expect(this.view.tag_is_followed()).toBe(false);
- spyOn(app.tagFollowings, "create").andCallFake(function(model){
+ spyOn(app.tagFollowings, "create").and.callFake(function(model){
// 'save' the model by giving it an id
- model.set("id", 3)
- })
+ model.set("id", 3);
+ });
this.view.tagAction();
expect(this.view.tag_is_followed()).toBe(true);
- })
- })
-})
+ });
+ });
+});
diff --git a/spec/javascripts/app/views_spec.js b/spec/javascripts/app/views_spec.js
index e26eba16a..ec8861577 100644
--- a/spec/javascripts/app/views_spec.js
+++ b/spec/javascripts/app/views_spec.js
@@ -1,22 +1,22 @@
describe("app.views.Base", function(){
describe("#render", function(){
beforeEach(function(){
- var staticTemplateClass = app.views.Base.extend({ templateName : "static-text" })
+ var staticTemplateClass = app.views.Base.extend({ templateName : "static-text" });
- this.model = new Backbone.Model({text : "model attributes are in the default presenter"})
- this.view = new staticTemplateClass({model: this.model})
- this.view.render()
- })
+ this.model = new Backbone.Model({text : "model attributes are in the default presenter"});
+ this.view = new staticTemplateClass({model: this.model});
+ this.view.render();
+ });
it("renders the template with the presenter", function(){
- expect($(this.view.el).text().trim()).toBe("model attributes are in the default presenter")
- })
+ expect($(this.view.el).text().trim()).toBe("model attributes are in the default presenter");
+ });
it("it evaluates the presenter every render", function(){
- this.model.set({text : "OMG It's a party" })
- this.view.render()
- expect($(this.view.el).text().trim()).toBe("OMG It's a party")
- })
+ this.model.set({text : "OMG It's a party" });
+ this.view.render();
+ expect($(this.view.el).text().trim()).toBe("OMG It's a party");
+ });
context("subViewRendering", function(){
beforeEach(function(){
@@ -28,7 +28,7 @@ describe("app.views.Base", function(){
},
initialize : function(){
- this.subview1 = stubView("OMG First Subview")
+ this.subview1 = stubView("OMG First Subview");
},
presenter: {
@@ -36,47 +36,47 @@ describe("app.views.Base", function(){
},
postRenderTemplate : function(){
- $(this.el).append("")
- $(this.el).append("")
+ $(this.el).append("");
+ $(this.el).append("");
},
createSubview2 : function(){
- return stubView("furreal this is the Second Subview")
+ return stubView("furreal this is the Second Subview");
}
- })
+ });
- this.view = new viewClass().render()
- })
+ this.view = new viewClass().render();
+ });
it("repsects the respects the template rendered with the presenter", function(){
- expect(this.view.$('.text').text().trim()).toBe("this comes through on the original render")
- })
+ expect(this.view.$('.text').text().trim()).toBe("this comes through on the original render");
+ });
it("renders subviews from views that are properties of the object", function(){
- expect(this.view.$('.subview1').text().trim()).toBe("OMG First Subview")
- })
+ expect(this.view.$('.subview1').text().trim()).toBe("OMG First Subview");
+ });
it("renders the sub views from functions", function(){
- expect(this.view.$('.subview2').text().trim()).toBe("furreal this is the Second Subview")
- })
- })
+ expect(this.view.$('.subview2').text().trim()).toBe("furreal this is the Second Subview");
+ });
+ });
context("calling out to third party plugins", function(){
it("replaces .time with relative time ago in words", function(){
- spyOn($.fn, "timeago")
- this.view.render()
- expect($.fn.timeago).toHaveBeenCalled()
- expect($.fn.timeago.mostRecentCall.object.selector).toBe("time")
- })
+ spyOn($.fn, "timeago");
+ this.view.render();
+ expect($.fn.timeago).toHaveBeenCalled();
+ expect($.fn.timeago.calls.mostRecent().object.selector).toBe("time");
+ });
it("initializes tooltips declared with the view's tooltipSelector property", function(){
- this.view.tooltipSelector = ".christopher_columbus, .barrack_obama, .block_user"
+ this.view.tooltipSelector = ".christopher_columbus, .barrack_obama, .block_user";
- spyOn($.fn, "tooltip")
- this.view.render()
- expect($.fn.tooltip.mostRecentCall.object.selector).toBe(".christopher_columbus, .barrack_obama, .block_user")
- })
- })
- })
-})
+ spyOn($.fn, "tooltip");
+ this.view.render();
+ expect($.fn.tooltip.calls.mostRecent().object.selector).toBe(".christopher_columbus, .barrack_obama, .block_user");
+ });
+ });
+ });
+});
diff --git a/spec/javascripts/contact-list-spec.js b/spec/javascripts/contact-list-spec.js
deleted file mode 100644
index cd15181a4..000000000
--- a/spec/javascripts/contact-list-spec.js
+++ /dev/null
@@ -1,19 +0,0 @@
-/* Copyright (c) 2010-2011, Diaspora Inc. This file is
-* licensed under the Affero General Public License version 3 or later. See
-* the COPYRIGHT file.
-*/
-
-describe("Contact List", function() {
- describe("disconnectUser", function() {
- it("does an ajax call to person delete with the passed in id", function(){
- var id = '3';
- spyOn($,'ajax');
- List.disconnectUser(id);
- expect($.ajax).toHaveBeenCalled();
- var option_hash = $.ajax.mostRecentCall.args[0];
- expect(option_hash.url).toEqual("/contacts/" + id);
- expect(option_hash.type).toEqual("DELETE");
- expect(option_hash.success).toBeDefined();
- });
- });
-});
diff --git a/spec/javascripts/diaspora-spec.js b/spec/javascripts/diaspora-spec.js
index 9c85666e5..944ee6ea7 100644
--- a/spec/javascripts/diaspora-spec.js
+++ b/spec/javascripts/diaspora-spec.js
@@ -57,8 +57,8 @@ describe("Diaspora", function() {
describe("subscribe", function() {
it("will subscribe to multiple events", function() {
var firstEventCalled = false,
- secondEventCalled = false
- events = Diaspora.EventBroker.extend({});
+ secondEventCalled = false,
+ events = Diaspora.EventBroker.extend({});
events.subscribe("first/event second/event", function() {
if (firstEventCalled) {
@@ -78,8 +78,8 @@ describe("Diaspora", function() {
describe("publish", function() {
it("will publish multiple events", function() {
var firstEventCalled = false,
- secondEventCalled = false
- events = Diaspora.EventBroker.extend({});
+ secondEventCalled = false,
+ events = Diaspora.EventBroker.extend({});
events.subscribe("first/event second/event", function() {
if (firstEventCalled) {
diff --git a/spec/javascripts/helpers/SpecHelper.js b/spec/javascripts/helpers/SpecHelper.js
index a58a1b6d7..9e7ac46cc 100644
--- a/spec/javascripts/helpers/SpecHelper.js
+++ b/spec/javascripts/helpers/SpecHelper.js
@@ -1,18 +1,51 @@
-// Add custom matchers here, in a beforeEach block. Example:
-//beforeEach(function() {
-// this.addMatchers({
-// toBePlaying: function(expectedSong) {
-// var player = this.actual;
-// return player.currentlyPlayingSong === expectedSong
-// && player.isPlaying;
-// }
-// })
-//});
+// for docs, see http://jasmine.github.io
+
+var realXMLHttpRequest = window.XMLHttpRequest;
+
+// matches flash messages with success/error and contained text
+var flashMatcher = function(flash, id, text) {
+ var textContained = true;
+ if( text ) {
+ textContained = (flash.text().indexOf(text) !== -1);
+ }
+
+ return flash.is(id) &&
+ flash.hasClass('expose') &&
+ textContained;
+};
+
+// information for jshint
+/* exported context */
+var context = describe;
+
+var spec = {};
+var customMatchers = {
+ toBeSuccessFlashMessage: function() {
+ return {
+ compare: function(actual, expected) {
+ var result = {};
+ result.pass = flashMatcher(actual, '#flash_notice', expected);
+ return result;
+ }
+ };
+ },
+ toBeErrorFlashMessage: function() {
+ return {
+ compare: function(actual, expected) {
+ var result = {};
+ result.pass = flashMatcher(actual, '#flash_error', expected);
+ return result;
+ }
+ };
+ }
+};
+
beforeEach(function() {
$('#jasmine_content').html(spec.readFixture("underscore_templates"));
- jasmine.Clock.useMock();
+ jasmine.clock().install();
+ jasmine.Ajax.install();
Diaspora.Pages.TestPage = function() {
var self = this;
@@ -29,63 +62,43 @@ beforeEach(function() {
Diaspora.page = new Page();
Diaspora.page.publish("page/ready", [$(document.body)]);
-
- // matches flash messages with success/error and contained text
- var flashMatcher = function(flash, id, text) {
- textContained = true;
- if( text ) {
- textContained = (flash.text().indexOf(text) !== -1);
- }
-
- return flash.is(id) &&
- flash.hasClass('expose') &&
- textContained;
- };
-
// add custom matchers for flash messages
- this.addMatchers({
- toBeSuccessFlashMessage: function(containedText) {
- var flash = this.actual;
- return flashMatcher(flash, '#flash_notice', containedText);
- },
-
- toBeErrorFlashMessage: function(containedText) {
- var flash = this.actual;
- return flashMatcher(flash, '#flash_error', containedText);
- }
- });
-
+ jasmine.addMatchers(customMatchers);
});
afterEach(function() {
//spec.clearLiveEventBindings();
- $("#jasmine_content").empty()
+
+ jasmine.clock().uninstall();
+ jasmine.Ajax.uninstall();
+
+ $("#jasmine_content").empty();
expect(spec.loadFixtureCount).toBeLessThan(2);
spec.loadFixtureCount = 0;
});
-var context = describe;
-var spec = {};
window.stubView = function stubView(text){
var stubClass = Backbone.View.extend({
render : function(){
$(this.el).html(text);
- return this
+ return this;
}
- })
+ });
- return new stubClass
-}
+ return new stubClass();
+};
window.loginAs = function loginAs(attrs){
- return app.currentUser = app.user(factory.userAttrs(attrs))
-}
+ app.currentUser = app.user(factory.userAttrs(attrs));
+ return app.currentUser;
+};
window.logout = function logout(){
- this.app._user = undefined
- return app.currentUser = new app.models.User()
-}
+ this.app._user = undefined;
+ app.currentUser = new app.models.User();
+ return app.currentUser;
+};
window.hipsterIpsumFourParagraphs = "Mcsweeney's mumblecore irony fugiat, ex iphone brunch helvetica eiusmod retro" +
" sustainable mlkshk. Pop-up gentrify velit readymade ad exercitation 3 wolf moon. Vinyl aute laboris artisan irony, " +
@@ -112,12 +125,14 @@ window.hipsterIpsumFourParagraphs = "Mcsweeney's mumblecore irony fugiat, ex iph
"mlkshk assumenda. Typewriter terry richardson pork belly, cupidatat tempor craft beer tofu sunt qui gentrify eiusmod " +
"id. Letterpress pitchfork wayfarers, eu sunt lomo helvetica pickled dreamcatcher bicycle rights. Aliqua banksy " +
"cliche, sapiente anim chambray williamsburg vinyl cardigan. Pork belly mcsweeney's anim aliqua. DIY vice portland " +
- "thundercats est vegan etsy, gastropub helvetica aliqua. Artisan jean shorts american apparel duis esse trust fund."
+ "thundercats est vegan etsy, gastropub helvetica aliqua. Artisan jean shorts american apparel duis esse trust fund.";
spec.clearLiveEventBindings = function() {
var events = jQuery.data(document, "events");
- for (prop in events) {
- delete events[prop];
+ for (var prop in events) {
+ if(events.hasOwnProperty(prop)) {
+ delete events[prop];
+ }
}
};
@@ -159,7 +174,7 @@ spec.retrieveFixture = function(fixtureName) {
// retrieve the fixture markup via xhr request to jasmine server
try {
- xhr = new jasmine.XmlHttpRequest();
+ xhr = new realXMLHttpRequest();
xhr.open("GET", path, false);
xhr.send(null);
} catch(e) {
diff --git a/spec/javascripts/helpers/factory.js b/spec/javascripts/helpers/factory.js
index b5dd63068..c3efcafb7 100644
--- a/spec/javascripts/helpers/factory.js
+++ b/spec/javascripts/helpers/factory.js
@@ -1,13 +1,13 @@
-factory = {
+var factory = {
id : {
current : 0,
next : function(){
- return factory.id.current += 1
+ return factory.id.current += 1;
}
},
guid : function(){
- return 'omGUID' + this.id.next()
+ return 'omGUID' + this.id.next();
},
like : function(overrides){
@@ -16,9 +16,9 @@ factory = {
"author" : this.author(),
"guid" : this.guid(),
"id" : this.id.next()
- }
+ };
- return _.extend(defaultAttrs, overrides)
+ return _.extend(defaultAttrs, overrides);
},
comment : function(overrides) {
@@ -28,17 +28,17 @@ factory = {
"guid" : this.guid(),
"id" : this.id.next(),
"text" : "This is a comment!"
- }
-
- return new app.models.Comment(_.extend(defaultAttrs, overrides))
+ };
+
+ return new app.models.Comment(_.extend(defaultAttrs, overrides));
},
user : function(overrides) {
- return new app.models.User(factory.userAttrs(overrides))
+ return new app.models.User(factory.userAttrs(overrides));
},
userAttrs : function(overrides){
- var id = this.id.next()
+ var id = this.id.next();
var defaultAttrs = {
"name":"Awesome User" + id,
"id": id,
@@ -47,9 +47,9 @@ factory = {
"large":"http://localhost:3000/images/user/uma.jpg",
"medium":"http://localhost:3000/images/user/uma.jpg",
"small":"http://localhost:3000/images/user/uma.jpg"}
- }
+ };
- return _.extend(defaultAttrs, overrides)
+ return _.extend(defaultAttrs, overrides);
},
postAttrs : function(){
@@ -76,11 +76,11 @@ factory = {
"likes" : [],
"reshares" : []
}
- }
+ };
},
- profile : function(overrides) {
- var id = overrides && overrides.id || factory.id.next()
+ profileAttrs: function(overrides) {
+ var id = (overrides && overrides.id) ? overrides.id : factory.id.next();
var defaults = {
"bio": "I am a cat lover and I love to run",
"birthday": "2012-04-17",
@@ -99,9 +99,38 @@ factory = {
"person_id": "person" + id,
"searchable": true,
"updated_at": "2012-04-17T23:48:36Z"
- }
+ };
+ return _.extend({}, defaults, overrides);
+ },
- return new app.models.Profile(_.extend(defaults, overrides))
+ profile : function(overrides) {
+ return new app.models.Profile(factory.profileAttrs(overrides));
+ },
+
+ personAttrs: function(overrides) {
+ var id = (overrides && overrides.id) ? overrides.id : factory.id.next();
+ var defaults = {
+ "id": id,
+ "guid": factory.guid(),
+ "name": "Bob Grimm",
+ "diaspora_id": "bob@localhost:3000",
+ "relationship": "sharing",
+ "is_own_profile": false
+ };
+ return _.extend({}, defaults, overrides);
+ },
+
+ person: function(overrides) {
+ return new app.models.Person(factory.personAttrs(overrides));
+ },
+
+ personWithProfile: function(overrides) {
+ var profile_overrides = _.clone(overrides.profile);
+ delete overrides.profile;
+ var defaults = {
+ profile: factory.profileAttrs(profile_overrides)
+ };
+ return factory.person(_.extend({}, defaults, overrides));
},
photoAttrs : function(overrides){
@@ -116,16 +145,16 @@ factory = {
medium: "http://localhost:3000/uploads/images/thumb_medium_d85410bd19db1016894c.jpg",
small: "http://localhost:3000/uploads/images/thumb_small_d85410bd19db1016894c.jpg"
}
- }, overrides)
+ }, overrides);
},
post : function(overrides) {
- defaultAttrs = _.extend(factory.postAttrs(), {"author" : this.author()})
- return new app.models.Post(_.extend(defaultAttrs, overrides))
+ var defaultAttrs = _.extend(factory.postAttrs(), {"author" : this.author()});
+ return new app.models.Post(_.extend(defaultAttrs, overrides));
},
postWithPoll : function(overrides) {
- defaultAttrs = _.extend(factory.postAttrs(), {"author" : this.author()});
+ var defaultAttrs = _.extend(factory.postAttrs(), {"author" : this.author()});
defaultAttrs = _.extend(defaultAttrs, {"already_participated_in_poll" : false});
defaultAttrs = _.extend(defaultAttrs, {"poll" : factory.poll()});
return new app.models.Post(_.extend(defaultAttrs, overrides));
@@ -133,10 +162,10 @@ factory = {
statusMessage : function(overrides){
//intentionally doesn't have an author to mirror creation process, maybe we should change the creation process
- return new app.models.StatusMessage(_.extend(factory.postAttrs(), overrides))
+ return new app.models.StatusMessage(_.extend(factory.postAttrs(), overrides));
},
- poll: function(overrides){
+ poll: function(){
return {
"question" : "This is an awesome question",
"created_at" : "2012-01-03T19:53:13Z",
@@ -146,20 +175,31 @@ factory = {
"guid" : this.guid(),
"poll_id": this.id.next(),
"participation_count" : 10
- }
+ };
},
- comment: function(overrides) {
+ aspectAttrs: function(overrides) {
+ var names = ['Work','School','Family','Friends','Just following','People','Interesting'];
var defaultAttrs = {
- "text" : "This is an awesome comment!",
- "created_at" : "2012-01-03T19:53:13Z",
- "author" : this.author(),
- "guid" : this.guid(),
- "id": this.id.next()
- }
+ name: names[Math.floor(Math.random()*names.length)]+' '+Math.floor(Math.random()*100),
+ selected: false
+ };
- return new app.models.Comment(_.extend(defaultAttrs, overrides))
+ return _.extend({}, defaultAttrs, overrides);
+ },
+
+ aspect: function(overrides) {
+ return new app.models.Aspect(this.aspectAttrs(overrides));
+ },
+
+ preloads: function(overrides) {
+ var defaults = {
+ aspect_ids: []
+ };
+
+ window.gon = { preloads: {} };
+ _.extend(window.gon.preloads, defaults, overrides);
}
-}
+};
-factory.author = factory.userAttrs
+factory.author = factory.userAttrs;
diff --git a/spec/javascripts/helpers/jasmine-jquery.js b/spec/javascripts/helpers/jasmine-jquery.js
deleted file mode 100644
index 0096c4fc5..000000000
--- a/spec/javascripts/helpers/jasmine-jquery.js
+++ /dev/null
@@ -1,203 +0,0 @@
-var readFixtures = function() {
- return jasmine.getFixtures().proxyCallTo_('read', arguments);
-};
-
-var loadFixtures = function() {
- jasmine.getFixtures().proxyCallTo_('load', arguments);
-};
-
-var setFixtures = function(html) {
- jasmine.getFixtures().set(html);
-}
-
-var sandbox = function(attributes) {
- return jasmine.getFixtures().sandbox(attributes);
-};
-
-jasmine.getFixtures = function() {
- return jasmine.currentFixtures_ = jasmine.currentFixtures_ || new jasmine.Fixtures();
-};
-
-jasmine.Fixtures = function() {
- this.containerId = 'jasmine-fixtures';
- this.fixturesCache_ = {};
-};
-
-jasmine.Fixtures.prototype.set = function(html) {
- this.cleanUp();
- this.createContainer_(html);
-};
-
-jasmine.Fixtures.prototype.load = function() {
- this.cleanUp();
- this.createContainer_(this.read.apply(this, arguments));
-};
-
-jasmine.Fixtures.prototype.read = function() {
- var htmlChunks = [];
-
- var fixtureUrls = arguments;
- for(var urlCount = fixtureUrls.length, urlIndex = 0; urlIndex < urlCount; urlIndex++) {
- htmlChunks.push(this.getFixtureHtml_(fixtureUrls[urlIndex]));
- }
-
- return htmlChunks.join('');
-};
-
-jasmine.Fixtures.prototype.clearCache = function() {
- this.fixturesCache_ = {};
-};
-
-jasmine.Fixtures.prototype.cleanUp = function() {
- $('#' + this.containerId).remove();
-};
-
-jasmine.Fixtures.prototype.sandbox = function(attributes) {
- var attributesToSet = attributes || {};
- return $('').attr(attributesToSet);
-};
-
-jasmine.Fixtures.prototype.createContainer_ = function(html) {
- var container = $('');
- container.html(html);
- $('body').append(container);
-};
-
-jasmine.Fixtures.prototype.getFixtureHtml_ = function(url) {
- if (typeof this.fixturesCache_[url] == 'undefined') {
- this.loadFixtureIntoCache_(url);
- }
- return this.fixturesCache_[url];
-};
-
-jasmine.Fixtures.prototype.loadFixtureIntoCache_ = function(url) {
- var self = this;
- $.ajax({
- async: false, // must be synchronous to guarantee that no tests are run before fixture is loaded
- cache: false,
- dataType: 'html',
- url: url,
- success: function(data) {
- self.fixturesCache_[url] = data;
- }
- });
-};
-
-jasmine.Fixtures.prototype.proxyCallTo_ = function(methodName, passedArguments) {
- return this[methodName].apply(this, passedArguments);
-};
-
-
-jasmine.JQuery = function() {};
-
-jasmine.JQuery.browserTagCaseIndependentHtml = function(html) {
- return $('').append(html).html();
-};
-
-jasmine.JQuery.elementToString = function(element) {
- return $('').append(element.clone()).html();
-};
-
-jasmine.JQuery.matchersClass = {};
-
-
-(function(){
- var jQueryMatchers = {
- toHaveClass: function(className) {
- return this.actual.hasClass(className);
- },
-
- toBeVisible: function() {
- return this.actual.is(':visible');
- },
-
- toBeHidden: function() {
- return this.actual.is(':hidden');
- },
-
- toBeSelected: function() {
- return this.actual.is(':selected');
- },
-
- toBeChecked: function() {
- return this.actual.is(':checked');
- },
-
- toBeEmpty: function() {
- return this.actual.is(':empty');
- },
-
- toExist: function() {
- return this.actual.size() > 0;
- },
-
- toHaveAttr: function(attributeName, expectedAttributeValue) {
- return hasProperty(this.actual.attr(attributeName), expectedAttributeValue);
- },
-
- toHaveId: function(id) {
- return this.actual.attr('id') == id;
- },
-
- toHaveHtml: function(html) {
- return this.actual.html() == jasmine.JQuery.browserTagCaseIndependentHtml(html);
- },
-
- toHaveText: function(text) {
- return this.actual.text() == text;
- },
-
- toHaveValue: function(value) {
- return this.actual.val() == value;
- },
-
- toHaveData: function(key, expectedValue) {
- return hasProperty(this.actual.data(key), expectedValue);
- },
-
- toBe: function(selector) {
- return this.actual.is(selector);
- },
-
- toContain: function(selector) {
- return this.actual.find(selector).size() > 0;
- }
- };
-
- var hasProperty = function(actualValue, expectedValue) {
- if (expectedValue === undefined) {
- return actualValue !== undefined;
- }
- return actualValue == expectedValue;
- };
-
- var bindMatcher = function(methodName) {
- var builtInMatcher = jasmine.Matchers.prototype[methodName];
-
- jasmine.JQuery.matchersClass[methodName] = function() {
- if (this.actual instanceof jQuery) {
- var result = jQueryMatchers[methodName].apply(this, arguments);
- this.actual = jasmine.JQuery.elementToString(this.actual);
- return result;
- }
-
- if (builtInMatcher) {
- return builtInMatcher.apply(this, arguments);
- }
-
- return false;
- };
- };
-
- for(var methodName in jQueryMatchers) {
- bindMatcher(methodName);
- }
-})();
-
-beforeEach(function() {
- this.addMatchers(jasmine.JQuery.matchersClass);
-});
-
-afterEach(function() {
- jasmine.getFixtures().cleanUp();
-});
\ No newline at end of file
diff --git a/spec/javascripts/helpers/mock-ajax.js b/spec/javascripts/helpers/mock-ajax.js
deleted file mode 100644
index 249efc907..000000000
--- a/spec/javascripts/helpers/mock-ajax.js
+++ /dev/null
@@ -1,207 +0,0 @@
-/*
- Jasmine-Ajax : a set of helpers for testing AJAX requests under the Jasmine
- BDD framework for JavaScript.
-
- Supports both Prototype.js and jQuery.
-
- http://github.com/pivotal/jasmine-ajax
-
- Jasmine Home page: http://pivotal.github.com/jasmine
-
- Copyright (c) 2008-2010 Pivotal Labs
-
- Permission is hereby granted, free of charge, to any person obtaining
- a copy of this software and associated documentation files (the
- "Software"), to deal in the Software without restriction, including
- without limitation the rights to use, copy, modify, merge, publish,
- distribute, sublicense, and/or sell copies of the Software, and to
- permit persons to whom the Software is furnished to do so, subject to
- the following conditions:
-
- The above copyright notice and this permission notice shall be
- included in all copies or substantial portions of the Software.
-
- THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
- EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
- MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
- NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
- LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
- OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
- WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
-
- */
-
-// Jasmine-Ajax interface
-var ajaxRequests = [];
-
-function mostRecentAjaxRequest() {
- if (ajaxRequests.length > 0) {
- return ajaxRequests[ajaxRequests.length - 1];
- } else {
- return null;
- }
-}
-
-function clearAjaxRequests() {
- ajaxRequests = [];
-}
-
-// Fake XHR for mocking Ajax Requests & Responses
-function FakeXMLHttpRequest() {
- var extend = Object.extend || $.extend;
- extend(this, {
- requestHeaders: {},
-
- open: function() {
- this.method = arguments[0];
- this.url = arguments[1];
- this.readyState = 1;
- },
-
- setRequestHeader: function(header, value) {
- this.requestHeaders[header] = value;
- },
-
- abort: function() {
- this.readyState = 0;
- },
-
- readyState: 0,
-
- onreadystatechange: function(isTimeout) {
- },
-
- status: null,
-
- send: function(data) {
- this.params = data;
- this.readyState = 2;
- },
-
- getResponseHeader: function(name) {
- return this.responseHeaders[name];
- },
-
- getAllResponseHeaders: function() {
- var responseHeaders = [];
- for (var i in this.responseHeaders) {
- if (this.responseHeaders.hasOwnProperty(i)) {
- responseHeaders.push(i + ': ' + this.responseHeaders[i]);
- }
- }
- return responseHeaders.join('\r\n');
- },
-
- responseText: null,
-
- response: function(response) {
- this.status = response.status;
- this.responseText = response.responseText || "";
- this.readyState = 4;
- this.responseHeaders = response.responseHeaders ||
- {"Content-type": response.contentType || "application/json" };
- // uncomment for jquery 1.3.x support
- // jasmine.Clock.tick(20);
-
- this.onreadystatechange();
- },
- responseTimeout: function() {
- this.readyState = 4;
- jasmine.Clock.tick(jQuery.ajaxSettings.timeout || 30000);
- this.onreadystatechange('timeout');
- }
- });
-
- return this;
-}
-
-
-jasmine.Ajax = {
-
- isInstalled: function() {
- return jasmine.Ajax.installed == true;
- },
-
- assertInstalled: function() {
- if (!jasmine.Ajax.isInstalled()) {
- throw new Error("Mock ajax is not installed, use jasmine.Ajax.useMock()")
- }
- },
-
- useMock: function() {
- if (!jasmine.Ajax.isInstalled()) {
- var spec = jasmine.getEnv().currentSpec;
- spec.after(jasmine.Ajax.uninstallMock);
-
- jasmine.Ajax.installMock();
- }
- },
-
- installMock: function() {
- if (typeof jQuery != 'undefined') {
- jasmine.Ajax.installJquery();
- } else if (typeof Prototype != 'undefined') {
- jasmine.Ajax.installPrototype();
- } else {
- throw new Error("jasmine.Ajax currently only supports jQuery and Prototype");
- }
- jasmine.Ajax.installed = true;
- },
-
- installJquery: function() {
- jasmine.Ajax.mode = 'jQuery';
- jasmine.Ajax.real = jQuery.ajaxSettings.xhr;
- jQuery.ajaxSettings.xhr = jasmine.Ajax.jQueryMock;
-
- },
-
- installPrototype: function() {
- jasmine.Ajax.mode = 'Prototype';
- jasmine.Ajax.real = Ajax.getTransport;
-
- Ajax.getTransport = jasmine.Ajax.prototypeMock;
- },
-
- uninstallMock: function() {
- jasmine.Ajax.assertInstalled();
- if (jasmine.Ajax.mode == 'jQuery') {
- jQuery.ajaxSettings.xhr = jasmine.Ajax.real;
- } else if (jasmine.Ajax.mode == 'Prototype') {
- Ajax.getTransport = jasmine.Ajax.real;
- }
- jasmine.Ajax.reset();
- },
-
- reset: function() {
- jasmine.Ajax.installed = false;
- jasmine.Ajax.mode = null;
- jasmine.Ajax.real = null;
- },
-
- jQueryMock: function() {
- var newXhr = new FakeXMLHttpRequest();
- ajaxRequests.push(newXhr);
- return newXhr;
- },
-
- prototypeMock: function() {
- return new FakeXMLHttpRequest();
- },
-
- installed: false,
- mode: null
-}
-
-
-// Jasmine-Ajax Glue code for Prototype.js
-if (typeof Prototype != 'undefined' && Ajax && Ajax.Request) {
- Ajax.Request.prototype.originalRequest = Ajax.Request.prototype.request;
- Ajax.Request.prototype.request = function(url) {
- this.originalRequest(url);
- ajaxRequests.push(this);
- };
-
- Ajax.Request.prototype.response = function(responseOptions) {
- return this.transport.response(responseOptions);
- };
-}
\ No newline at end of file
diff --git a/spec/javascripts/osmlocator-spec.js b/spec/javascripts/osmlocator-spec.js
index 173ea4a5b..cc982e2bb 100644
--- a/spec/javascripts/osmlocator-spec.js
+++ b/spec/javascripts/osmlocator-spec.js
@@ -1,24 +1,25 @@
describe("Locator", function(){
- navigator.geolocation['getCurrentPosition'] = function(myCallback){
- lat = 1;
- lon = 2;
- position = { coords: { latitude: lat, longitude: lon} }
+ navigator.geolocation = {};
+ navigator.geolocation.getCurrentPosition = function(myCallback){
+ var lat = 1;
+ var lon = 2;
+ var position = { coords: { latitude: lat, longitude: lon} };
return myCallback(position);
};
$.getJSON = function(url, myCallback){
- if(url == "https://nominatim.openstreetmap.org/reverse?format=json&lat=1&lon=2&addressdetails=3")
+ if(url === "https://nominatim.openstreetmap.org/reverse?format=json&lat=1&lon=2&addressdetails=3")
{
- return myCallback({ display_name: 'locator address' })
+ return myCallback({ display_name: 'locator address' });
}
- }
+ };
var osmlocator = new OSM.Locator();
it("should return address, latitude, and longitude using getAddress method", function(){
osmlocator.getAddress(function(display_name, coordinates){
- expect(display_name, 'locator address')
- expect(coordinates, { latitude: 1, longitude: 2 })
- })
+ expect(display_name, 'locator address');
+ expect(coordinates, { latitude: 1, longitude: 2 });
+ });
});
});
diff --git a/spec/javascripts/rails-spec.js b/spec/javascripts/rails-spec.js
index ae6424a21..5808daa6a 100644
--- a/spec/javascripts/rails-spec.js
+++ b/spec/javascripts/rails-spec.js
@@ -23,10 +23,10 @@ describe("rails", function() {
it('should not clear normal hidden fields', function(){
$('#form').trigger('ajax:success');
expect($('#standard_hidden').val()).toEqual("keep this value");
- })
+ });
it('should clear hidden fields marked clear_on_submit', function(){
$('#form').trigger('ajax:success');
expect($('#clearable_hidden').val()).toEqual("");
- })
+ });
});
});
diff --git a/spec/javascripts/search-spec.js b/spec/javascripts/search-spec.js
index f1c41d0ba..ba767fe88 100644
--- a/spec/javascripts/search-spec.js
+++ b/spec/javascripts/search-spec.js
@@ -4,10 +4,10 @@
*/
describe("List", function() {
+ /* global List */
describe("runDelayedSearch", function() {
beforeEach( function(){
spec.loadFixture('empty_people_search');
- List.initialize();
});
it('inserts contact html', function(){
diff --git a/spec/javascripts/support/jasmine.yml b/spec/javascripts/support/jasmine.yml
index 88ff13ea4..50f11c159 100644
--- a/spec/javascripts/support/jasmine.yml
+++ b/spec/javascripts/support/jasmine.yml
@@ -12,6 +12,7 @@
src_files:
# Precompile all scripts together for the test environment
- assets/jasmine-load-all.js
+ - assets/jasmine-jquery.js
# stylesheets
#
@@ -25,10 +26,9 @@ src_files:
# - stylesheets/*.css
#
stylesheets:
- - assets/blueprint.css
- assets/bootstrap.css
- assets/default.css
- - assets/new-templates.css
+ - assets/application.css
# helpers
#
diff --git a/spec/javascripts/widgets/back-to-top-spec.js b/spec/javascripts/widgets/back-to-top-spec.js
index ea2e5337f..35543969a 100644
--- a/spec/javascripts/widgets/back-to-top-spec.js
+++ b/spec/javascripts/widgets/back-to-top-spec.js
@@ -33,13 +33,13 @@ describe("Diaspora.Widgets.BackToTop", function() {
describe("toggleVisibility", function() {
it("adds a visibility class to the button", function() {
- var spy = spyOn(backToTop.body, "scrollTop").andReturn(999);
+ var spy = spyOn(backToTop.body, "scrollTop").and.returnValue(999);
backToTop.toggleVisibility();
expect(backToTop.button.hasClass("visible")).toBe(false);
- spy.andReturn(1001);
+ spy.and.returnValue(1001);
backToTop.toggleVisibility();
@@ -50,4 +50,4 @@ describe("Diaspora.Widgets.BackToTop", function() {
afterEach(function() {
$.fx.off = false;
});
-});
\ No newline at end of file
+});
diff --git a/spec/javascripts/widgets/flash-messages-spec.js b/spec/javascripts/widgets/flash-messages-spec.js
index 12bb2c0c2..f2e02bd9c 100644
--- a/spec/javascripts/widgets/flash-messages-spec.js
+++ b/spec/javascripts/widgets/flash-messages-spec.js
@@ -14,7 +14,7 @@ describe("Diaspora", function() {
});
it("is called when the DOM is ready", function() {
- spyOn(flashMessages, "animateMessages").andCallThrough();
+ spyOn(flashMessages, "animateMessages").and.callThrough();
flashMessages.publish("widget/ready");
expect(flashMessages.animateMessages).toHaveBeenCalled();
});
diff --git a/spec/javascripts/widgets/i18n-spec.js b/spec/javascripts/widgets/i18n-spec.js
index be404d73e..2315957ce 100644
--- a/spec/javascripts/widgets/i18n-spec.js
+++ b/spec/javascripts/widgets/i18n-spec.js
@@ -88,7 +88,7 @@ describe("Diaspora.I18n", function() {
describe("::reset", function(){
it("clears the current locale", function() {
Diaspora.I18n.load(locale, "en", locale);
- Diaspora.I18n.reset()
+ Diaspora.I18n.reset();
expect(Diaspora.I18n.locale.data).toEqual({});
});
diff --git a/spec/javascripts/widgets/lightbox-spec.js b/spec/javascripts/widgets/lightbox-spec.js
index 2ca0dfaad..52d5ee7f9 100644
--- a/spec/javascripts/widgets/lightbox-spec.js
+++ b/spec/javascripts/widgets/lightbox-spec.js
@@ -13,7 +13,7 @@ describe("Diaspora.Widgets.Lightbox", function() {
imageClass: 'stream-photo'
};
- classes = _.extend(defaults, opts);
+ var classes = _.extend(defaults, opts);
var output = $('').addClass(classes.imageParent);
_.each(photos, function(photo){
@@ -48,7 +48,7 @@ describe("Diaspora.Widgets.Lightbox", function() {
});
context("opens the lightbox correctly", function() {
- var lightbox, page, photoElement;
+ var lightbox, photoElement;
beforeEach(function() {
$("#jasmine_content").append(createDummyMarkup());
@@ -67,7 +67,7 @@ describe("Diaspora.Widgets.Lightbox", function() {
});
context("opens lightbox for differently named elements", function(){
- var lightbox, page, photoElement;
+ var lightbox, photoElement;
beforeEach(function() {
$("#jasmine_content").append(createDummyMarkup({
diff --git a/spec/javascripts/widgets/notifications-spec.js b/spec/javascripts/widgets/notifications-spec.js
deleted file mode 100644
index 84ded9b46..000000000
--- a/spec/javascripts/widgets/notifications-spec.js
+++ /dev/null
@@ -1,122 +0,0 @@
-/* Copyright (c) 2010-2011, Diaspora Inc. This file is
- * licensed under the Affero General Public License version 3 or later. See
- * the COPYRIGHT file.
- */
-describe("Diaspora.Widgets.Notifications", function() {
- var changeNotificationCountSpy, notifications, incrementCountSpy, decrementCountSpy;
-
- beforeEach(function() {
- spec.loadFixture("aspects_index");
- this.view = new app.views.Header().render();
-
- notifications = Diaspora.BaseWidget.instantiate("Notifications", this.view.$("#notification_badge .badge_count"), this.view.$(".notifications"));
-
- changeNotificationCountSpy = spyOn(notifications, "changeNotificationCount").andCallThrough();
- incrementCountSpy = spyOn(notifications, "incrementCount").andCallThrough();
- decrementCountSpy = spyOn(notifications, "decrementCount").andCallThrough();
- });
-
- describe("clickSuccess", function(){
- it("changes the css to a read cell at stream element", function() {
- this.view.$(".notifications").html(
- '' +
- ''
- );
- notifications.clickSuccess({guid:2,unread:false});
- expect( this.view.$('.stream_element#2')).toHaveClass("read");
- });
- it("changes the css to a read cell at notications element", function() {
- this.view.$(".notifications").html(
- '' +
- ''
- );
- notifications.clickSuccess({guid:2,unread:false});
- expect( this.view.$('.notification_element#2')).toHaveClass("read");
- });
- it("changes the css to an unread cell at stream element", function() {
- this.view.$(".notifications").html(
- '' +
- ''
- );
- notifications.clickSuccess({guid:1,unread:true});
- expect( this.view.$('.stream_element#1')).toHaveClass("unread");
- });
- it("changes the css to an unread cell at notications element", function() {
- this.view.$(".notifications").html(
- '' +
- ''
- );
- notifications.clickSuccess({guid:1,unread:true});
- expect( this.view.$('.notification_element#1')).toHaveClass("unread");
- });
-
-
- it("calls Notifications.decrementCount on a read cell at stream/notification element", function() {
- notifications.clickSuccess(JSON.stringify({guid:1,unread:false}));
- expect(notifications.decrementCount).toHaveBeenCalled();
- });
- it("calls Notifications.incrementCount on a unread cell at stream/notification element", function() {
- notifications.clickSuccess({guid:1,unread:true});
- expect(notifications.incrementCount).toHaveBeenCalled();
- });
- });
-
- describe("decrementCount", function() {
- it("wont decrement Notifications.count below zero", function() {
- var originalCount = notifications.count;
- notifications.decrementCount();
- expect(originalCount).toEqual(0);
- expect(notifications.count).toEqual(0);
- });
-
- it("decrements Notifications.count", function() {
- notifications.incrementCount();
- notifications.incrementCount();
- var originalCount = notifications.count;
- notifications.decrementCount();
- expect(notifications.count).toBeLessThan(originalCount);
- });
-
- it("calls Notifications.changeNotificationCount", function() {
- notifications.decrementCount();
- expect(notifications.changeNotificationCount).toHaveBeenCalled();
- })
- });
-
- describe("incrementCount", function() {
- it("increments Notifications.count", function() {
- var originalCount = notifications.count;
- notifications.incrementCount();
- expect(notifications.count).toBeGreaterThan(originalCount);
- });
-
- it("calls Notifications.changeNotificationCount", function() {
- notifications.incrementCount();
- expect(notifications.changeNotificationCount).toHaveBeenCalled();
- });
- });
-
- describe("showNotification", function() {
- it("prepends a div to div#notifications", function() {
- expect(this.view.$(".notifications div").length).toEqual(1);
-
- notifications.showNotification({
- html: ''
- });
-
- expect(this.view.$(".notifications div").length).toEqual(2);
- });
-
- it("only increments the notification count if specified to do so", function() {
- var originalCount = notifications.count;
-
- notifications.showNotification({
- html: '',
- incrementCount: false
- });
-
- expect(notifications.count).toEqual(originalCount);
-
- });
- });
-});
diff --git a/spec/javascripts/widgets/search-spec.js b/spec/javascripts/widgets/search-spec.js
deleted file mode 100644
index 0e06516c2..000000000
--- a/spec/javascripts/widgets/search-spec.js
+++ /dev/null
@@ -1,12 +0,0 @@
-describe("Diaspora.Widgets.Search", function() {
- describe("parse", function() {
- it("escapes a persons name", function() {
- $("#jasmine_content").html(' ');
-
- var search = Diaspora.BaseWidget.instantiate("Search", $("#jasmine_content > #searchForm"));
- var person = {"name": " bob.person.id)).and_return(vis)
- vis.should_receive(:destroy_all)
+ expect(ConversationVisibility).to receive(:where).with(hash_including(:person_id => bob.person.id)).and_return(vis)
+ expect(vis).to receive(:destroy_all)
@account_deletion.remove_conversation_visibilities
end
end
@@ -146,8 +161,8 @@ describe AccountDeleter do
describe "#remove_person_share_visibilities" do
it 'removes the share visibilities for a person ' do
@s_vis = double
- ShareVisibility.should_receive(:for_contacts_of_a_person).with(bob.person).and_return(@s_vis)
- @s_vis.should_receive(:destroy_all)
+ expect(ShareVisibility).to receive(:for_contacts_of_a_person).with(bob.person).and_return(@s_vis)
+ expect(@s_vis).to receive(:destroy_all)
@account_deletion.remove_share_visibilities_on_persons_posts
end
@@ -156,8 +171,8 @@ describe AccountDeleter do
describe "#remove_share_visibilities_by_contacts_of_user" do
it 'removes the share visibilities for a user' do
@s_vis = double
- ShareVisibility.should_receive(:for_a_users_contacts).with(bob).and_return(@s_vis)
- @s_vis.should_receive(:destroy_all)
+ expect(ShareVisibility).to receive(:for_a_users_contacts).with(bob).and_return(@s_vis)
+ expect(@s_vis).to receive(:destroy_all)
@account_deletion.remove_share_visibilities_on_contacts_posts
end
@@ -165,19 +180,19 @@ describe AccountDeleter do
describe "#tombstone_user" do
it 'calls strip_model on user' do
- bob.should_receive(:clear_account!)
+ expect(bob).to receive(:clear_account!)
@account_deletion.tombstone_user
end
end
it 'has all user association keys accounted for' do
all_keys = (@account_deletion.normal_ar_user_associates_to_delete + @account_deletion.special_ar_user_associations + @account_deletion.ignored_ar_user_associations)
- all_keys.sort{|x, y| x.to_s <=> y.to_s}.should == User.reflections.keys.sort{|x, y| x.to_s <=> y.to_s}
+ expect(all_keys.sort{|x, y| x.to_s <=> y.to_s}).to eq(User.reflections.keys.sort{|x, y| x.to_s <=> y.to_s}.map(&:to_sym))
end
it 'has all person association keys accounted for' do
all_keys = (@account_deletion.normal_ar_person_associates_to_delete + @account_deletion.ignored_or_special_ar_person_associations)
- all_keys.sort{|x, y| x.to_s <=> y.to_s}.should == Person.reflections.keys.sort{|x, y| x.to_s <=> y.to_s}
+ expect(all_keys.sort{|x, y| x.to_s <=> y.to_s}).to eq(Person.reflections.keys.sort{|x, y| x.to_s <=> y.to_s}.map(&:to_sym))
end
end
diff --git a/spec/lib/configuration_methods_spec.rb b/spec/lib/configuration_methods_spec.rb
index 654dc4933..5ca9e3ca2 100644
--- a/spec/lib/configuration_methods_spec.rb
+++ b/spec/lib/configuration_methods_spec.rb
@@ -17,37 +17,37 @@ describe Configuration::Methods do
it "properly parses the pod url" do
@settings.environment.url = "http://example.org/"
- @settings.pod_uri.scheme.should == "http"
- @settings.pod_uri.host.should == "example.org"
+ expect(@settings.pod_uri.scheme).to eq("http")
+ expect(@settings.pod_uri.host).to eq("example.org")
end
it "adds a trailing slash if there isn't one" do
@settings.environment.url = "http://example.org"
- @settings.pod_uri.to_s.should == "http://example.org/"
+ expect(@settings.pod_uri.to_s).to eq("http://example.org/")
end
it "does not add an extra trailing slash" do
@settings.environment.url = "http://example.org/"
- @settings.pod_uri.to_s.should == "http://example.org/"
+ expect(@settings.pod_uri.to_s).to eq("http://example.org/")
end
it "adds http:// on the front if it's missing" do
@settings.environment.url = "example.org/"
- @settings.pod_uri.to_s.should == "http://example.org/"
+ expect(@settings.pod_uri.to_s).to eq("http://example.org/")
end
it "does not add a prefix if there already is https:// on the front" do
@settings.environment.url = "https://example.org/"
- @settings.pod_uri.to_s.should == "https://example.org/"
+ expect(@settings.pod_uri.to_s).to eq("https://example.org/")
end
end
describe "#bare_pod_uri" do
it 'is #pod_uri.authority stripping www.' do
pod_uri = double
- @settings.stub(:pod_uri).and_return(pod_uri)
- pod_uri.should_receive(:authority).and_return("www.example.org")
- @settings.bare_pod_uri.should == 'example.org'
+ allow(@settings).to receive(:pod_uri).and_return(pod_uri)
+ expect(pod_uri).to receive(:authority).and_return("www.example.org")
+ expect(@settings.bare_pod_uri).to eq('example.org')
end
end
@@ -55,44 +55,44 @@ describe Configuration::Methods do
it "includes the enabled services only" do
services = double
enabled = double
- enabled.stub(:enable?).and_return(true)
+ allow(enabled).to receive(:enable?).and_return(true)
disabled = double
- disabled.stub(:enable?).and_return(false)
- services.stub(:twitter).and_return(enabled)
- services.stub(:tumblr).and_return(enabled)
- services.stub(:facebook).and_return(disabled)
- services.stub(:wordpress).and_return(disabled)
- @settings.stub(:services).and_return(services)
- @settings.configured_services.should include :twitter
- @settings.configured_services.should include :tumblr
- @settings.configured_services.should_not include :facebook
- @settings.configured_services.should_not include :wordpress
+ allow(disabled).to receive(:enable?).and_return(false)
+ allow(services).to receive(:twitter).and_return(enabled)
+ allow(services).to receive(:tumblr).and_return(enabled)
+ allow(services).to receive(:facebook).and_return(disabled)
+ allow(services).to receive(:wordpress).and_return(disabled)
+ allow(@settings).to receive(:services).and_return(services)
+ expect(@settings.configured_services).to include :twitter
+ expect(@settings.configured_services).to include :tumblr
+ expect(@settings.configured_services).not_to include :facebook
+ expect(@settings.configured_services).not_to include :wordpress
end
end
describe "#version_string" do
before do
@version = double
- @version.stub(:number).and_return("0.0.0.0")
- @version.stub(:release?).and_return(true)
- @settings.stub(:version).and_return(@version)
- @settings.stub(:git_available?).and_return(false)
+ allow(@version).to receive(:number).and_return("0.0.0.0")
+ allow(@version).to receive(:release?).and_return(true)
+ allow(@settings).to receive(:version).and_return(@version)
+ allow(@settings).to receive(:git_available?).and_return(false)
@settings.instance_variable_set(:@version_string, nil)
end
it "includes the version" do
- @settings.version_string.should include @version.number
+ expect(@settings.version_string).to include @version.number
end
context "with git available" do
before do
- @settings.stub(:git_available?).and_return(true)
- @settings.stub(:git_revision).and_return("1234567890")
+ allow(@settings).to receive(:git_available?).and_return(true)
+ allow(@settings).to receive(:git_revision).and_return("1234567890")
end
it "includes the 'patchlevel'" do
- @settings.version_string.should include "-p#{@settings.git_revision[0..7]}"
- @settings.version_string.should_not include @settings.git_revision[0..8]
+ expect(@settings.version_string).to include "-p#{@settings.git_revision[0..7]}"
+ expect(@settings.version_string).not_to include @settings.git_revision[0..8]
end
end
end
@@ -104,7 +104,7 @@ describe Configuration::Methods do
end
it "uses that" do
- @settings.get_redis_options[:url].should match "myserver"
+ expect(@settings.get_redis_options[:url]).to match "myserver"
end
end
@@ -115,7 +115,7 @@ describe Configuration::Methods do
end
it "uses that" do
- @settings.get_redis_options[:url].should match "yourserver"
+ expect(@settings.get_redis_options[:url]).to match "yourserver"
end
end
@@ -127,7 +127,7 @@ describe Configuration::Methods do
end
it "uses that" do
- @settings.get_redis_options[:url].should match "ourserver"
+ expect(@settings.get_redis_options[:url]).to match "ourserver"
end
end
@@ -139,7 +139,7 @@ describe Configuration::Methods do
end
it "uses that" do
- @settings.get_redis_options[:url].should match "/tmp/redis.sock"
+ expect(@settings.get_redis_options[:url]).to match "/tmp/redis.sock"
end
end
end
@@ -148,9 +148,9 @@ describe Configuration::Methods do
context "with a relative log set" do
it "joins that with Rails.root" do
path = "/some/path/"
- Rails.stub(:root).and_return(double(join: path))
+ allow(Rails).to receive(:root).and_return(double(join: path))
@settings.environment.sidekiq.log = "relative_path"
- @settings.sidekiq_log.should match path
+ expect(@settings.sidekiq_log).to match path
end
end
@@ -158,7 +158,7 @@ describe Configuration::Methods do
it "just returns that" do
path = "/foobar.log"
@settings.environment.sidekiq.log = path
- @settings.sidekiq_log.should == path
+ expect(@settings.sidekiq_log).to eq(path)
end
end
end
diff --git a/spec/lib/csv_generator_spec.rb b/spec/lib/csv_generator_spec.rb
deleted file mode 100644
index 589c879eb..000000000
--- a/spec/lib/csv_generator_spec.rb
+++ /dev/null
@@ -1,19 +0,0 @@
-require 'spec_helper'
-#
-#describe CsvGenerator do
-# describe '.all_active_users' do
-#
-# end
-#
-# describe '.all_inactive_invited_users' do
-#
-# end
-#
-# describe '.waitlist_sent' do
-#
-# end
-#
-# describe '.waitlist_pending' do
-#
-# end
-#end
diff --git a/spec/lib/diaspora/camo_spec.rb b/spec/lib/diaspora/camo_spec.rb
new file mode 100644
index 000000000..3e970340e
--- /dev/null
+++ b/spec/lib/diaspora/camo_spec.rb
@@ -0,0 +1,55 @@
+# Copyright (c) 2010, Diaspora Inc. This file is
+# licensed under the Affero General Public License version 3 or later. See
+# the COPYRIGHT file.
+
+require 'spec_helper'
+
+describe Diaspora::Camo do
+ before do
+ AppConfig.privacy.camo.root = 'http://localhost:3000/camo/'
+ AppConfig.privacy.camo.key = 'kittenpower'
+
+ @raw_image_url = 'http://example.com/kitten.jpg'
+ @camo_image_url = AppConfig.privacy.camo.root + '5bc5b9d7ebd202841ab0667c4fc8d4304278f902/687474703a2f2f6578616d706c652e636f6d2f6b697474656e2e6a7067'
+ end
+
+ describe '#image_url' do
+ it 'should not rewrite local URLs' do
+ local_image = AppConfig.environment.url + 'kitten.jpg'
+ expect(Diaspora::Camo.image_url(local_image)).to eq(local_image)
+ end
+
+ it 'should not rewrite relative URLs' do
+ relative_image = '/kitten.jpg'
+ expect(Diaspora::Camo.image_url(relative_image)).to eq(relative_image)
+ end
+
+ it 'should not rewrite already camo-fied URLs' do
+ camo_image = AppConfig.privacy.camo.root + '1234/56789abcd'
+ expect(Diaspora::Camo.image_url(camo_image)).to eq(camo_image)
+ end
+
+ it 'should rewrite external URLs' do
+ expect(Diaspora::Camo.image_url(@raw_image_url)).to eq(@camo_image_url)
+ end
+ end
+
+ describe '#from_markdown' do
+ it 'should rewrite plain markdown images' do
+ expect(Diaspora::Camo.from_markdown("")).to include(@camo_image_url)
+ end
+
+ it 'should rewrite markdown images with alt texts' do
+ expect(Diaspora::Camo.from_markdown("")).to include(@camo_image_url)
+ end
+
+ it 'should rewrite markdown images with title texts' do
+ expect(Diaspora::Camo.from_markdown(" \"title\"")).to include(@camo_image_url)
+ end
+
+ it 'should rewrite URLs inside
tags' do
+ image_tag = '
'
+ expect(Diaspora::Camo.from_markdown(image_tag)).to include(@camo_image_url)
+ end
+ end
+end
diff --git a/spec/lib/diaspora/encryptable_spec.rb b/spec/lib/diaspora/encryptable_spec.rb
index 7d0e13252..7419b7f61 100644
--- a/spec/lib/diaspora/encryptable_spec.rb
+++ b/spec/lib/diaspora/encryptable_spec.rb
@@ -11,19 +11,19 @@ describe Diaspora::Encryptable do
describe '#sign_with_key' do
it 'signs the object with RSA256 signature' do
sig = @comment.sign_with_key bob.encryption_key
- bob.public_key.verify(OpenSSL::Digest::SHA256.new, Base64.decode64(sig), @comment.signable_string).should be_true
+ expect(bob.public_key.verify(OpenSSL::Digest::SHA256.new, Base64.decode64(sig), @comment.signable_string)).to be true
end
end
describe '#verify_signature' do
it 'verifies SHA256 signatures' do
sig = @comment.sign_with_key bob.encryption_key
- @comment.verify_signature(sig, bob.person).should be_true
+ expect(@comment.verify_signature(sig, bob.person)).to be true
end
it 'does not verify the fallback after rollout window' do
sig = Base64.strict_encode64(bob.encryption_key.sign( "SHA", @comment.signable_string ))
- @comment.verify_signature(sig, bob.person).should be_false
+ expect(@comment.verify_signature(sig, bob.person)).to be false
end
end
end
diff --git a/spec/lib/diaspora/exporter_spec.rb b/spec/lib/diaspora/exporter_spec.rb
index 9db71fbfe..7bb429cc8 100644
--- a/spec/lib/diaspora/exporter_spec.rb
+++ b/spec/lib/diaspora/exporter_spec.rb
@@ -9,8 +9,6 @@ describe Diaspora::Exporter do
before do
@user1 = alice
- @user2 = FactoryGirl.create(:user)
- @user3 = bob
@user1.person.profile.first_name = ""
- @message.text = text
- @message.to_xml.to_s.should include Builder::XChar.encode(text)
+ message.text = text
+ expect(xml).to include Builder::XChar.encode(text)
end
it 'serializes the message' do
- @xml.should include "I hate WALRUSES! "
+ expect(xml).to include "I hate WALRUSES! "
end
it 'serializes the author address' do
- @xml.should include(@user.person.diaspora_handle)
+ expect(xml).to include(@user.person.diaspora_handle)
end
describe '.from_xml' do
- before do
- @marshalled = StatusMessage.from_xml(@xml)
- end
it 'marshals the message' do
- @marshalled.text.should == "I hate WALRUSES!"
+ expect(marshalled.text).to eq("I hate WALRUSES!")
end
+
it 'marshals the guid' do
- @marshalled.guid.should == @message.guid
+ expect(marshalled.guid).to eq(message.guid)
end
+
it 'marshals the author' do
- @marshalled.author.should == @message.author
+ expect(marshalled.author).to eq(message.author)
end
+
it 'marshals the diaspora_handle' do
- @marshalled.diaspora_handle.should == @message.diaspora_handle
+ expect(marshalled.diaspora_handle).to eq(message.diaspora_handle)
end
end
context 'with some photos' do
before do
- @message.photos << FactoryGirl.build(:photo)
- @message.photos << FactoryGirl.build(:photo)
- @xml = @message.to_xml.to_s
+ message.photos << FactoryGirl.build(:photo)
+ message.photos << FactoryGirl.build(:photo)
end
it 'serializes the photos' do
- @xml.should include "photo"
- @xml.should include @message.photos.first.remote_photo_path
+ expect(xml).to include "photo"
+ expect(xml).to include message.photos.first.remote_photo_path
end
describe '.from_xml' do
- before do
- @marshalled = StatusMessage.from_xml(@xml)
+ it 'marshals the photos' do
+ expect(marshalled.photos.size).to eq(2)
end
- it 'marshals the photos' do
- @marshalled.photos.size.should == 2
+ it 'handles existing photos' do
+ message.photos.each(&:save!)
+ expect(marshalled).to be_valid
end
end
end
context 'with a location' do
before do
- @message.location = Location.new(coordinates: "1, 2").tap(&:save)
- @xml = @message.to_xml.to_s
+ message.location = FactoryGirl.build(:location)
end
it 'serializes the location' do
- @xml.should include "location"
- @xml.should include "lat"
- @xml.should include "lng"
+ expect(xml).to include "location"
+ expect(xml).to include "lat"
+ expect(xml).to include "lng"
end
describe ".from_xml" do
- before do
- @marshalled = StatusMessage.from_xml(@xml)
- end
-
it 'marshals the location' do
- @marshalled.location.should be_present
+ expect(marshalled.location).to be_present
end
end
end
context 'with a poll' do
before do
- @message.poll = FactoryGirl.create(:poll, :status_message => @message)
- @xml = @message.to_xml.to_s
+ message.poll = FactoryGirl.build(:poll)
end
it 'serializes the poll' do
- @xml.should include "poll"
- @xml.should include "question"
- @xml.should include "poll_answer"
+ expect(xml).to include "poll"
+ expect(xml).to include "question"
+ expect(xml).to include "poll_answer"
end
describe ".from_xml" do
- before do
- @marshalled = StatusMessage.from_xml(@xml)
- end
-
it 'marshals the poll' do
- @marshalled.poll.should be_present
+ expect(marshalled.poll).to be_present
end
it 'marshals the poll answers' do
- @marshalled.poll.poll_answers.size.should == 2
+ expect(marshalled.poll.poll_answers.size).to eq(2)
end
end
end
-
-
end
describe '#after_dispatch' do
@@ -384,10 +387,10 @@ STR
end
it 'sets pending to false on any attached photos' do
@status_message.after_dispatch(alice)
- @photos.all?{|p| p.reload.pending}.should be_false
+ expect(@photos.all?{|p| p.reload.pending}).to be false
end
it 'dispatches any attached photos' do
- alice.should_receive(:dispatch_post).twice
+ expect(alice).to receive(:dispatch_post).twice
@status_message.after_dispatch(alice)
end
end
@@ -400,15 +403,15 @@ STR
it 'should queue a GatherOembedData if it includes a link' do
sm = FactoryGirl.build(:status_message, :text => @message_text)
- Workers::GatherOEmbedData.should_receive(:perform_async).with(instance_of(Fixnum), instance_of(String))
+ expect(Workers::GatherOEmbedData).to receive(:perform_async).with(instance_of(Fixnum), instance_of(String))
sm.save
end
describe '#contains_oembed_url_in_text?' do
it 'returns the oembed urls found in the raw message' do
sm = FactoryGirl.build(:status_message, :text => @message_text)
- sm.contains_oembed_url_in_text?.should_not be_nil
- sm.oembed_url.should == @youtube_url
+ expect(sm.contains_oembed_url_in_text?).not_to be_nil
+ expect(sm.oembed_url).to eq(@youtube_url)
end
end
end
@@ -423,20 +426,20 @@ STR
it 'should queue a GatherOpenGraphData if it includes a link' do
sm = FactoryGirl.build(:status_message, :text => @message_text)
- Workers::GatherOpenGraphData.should_receive(:perform_async).with(instance_of(Fixnum), instance_of(String))
+ expect(Workers::GatherOpenGraphData).to receive(:perform_async).with(instance_of(Fixnum), instance_of(String))
sm.save
end
describe '#contains_open_graph_url_in_text?' do
it 'returns the opengraph urls found in the raw message' do
sm = FactoryGirl.build(:status_message, :text => @message_text)
- sm.contains_open_graph_url_in_text?.should_not be_nil
- sm.open_graph_url.should == @ninegag_url
+ expect(sm.contains_open_graph_url_in_text?).not_to be_nil
+ expect(sm.open_graph_url).to eq(@ninegag_url)
end
it 'returns nil if the link is from trusted oembed provider' do
sm = FactoryGirl.build(:status_message, :text => @oemessage_text)
- sm.contains_open_graph_url_in_text?.should be_nil
- sm.open_graph_url.should be_nil
+ expect(sm.contains_open_graph_url_in_text?).to be_nil
+ expect(sm.open_graph_url).to be_nil
end
end
end
diff --git a/spec/models/tag_following_spec.rb b/spec/models/tag_following_spec.rb
index a3b1e63b6..af7879215 100644
--- a/spec/models/tag_following_spec.rb
+++ b/spec/models/tag_following_spec.rb
@@ -1,25 +1,25 @@
require 'spec_helper'
-describe TagFollowing do
+describe TagFollowing, :type => :model do
before do
@tag = FactoryGirl.build(:tag)
TagFollowing.create!(:tag => @tag, :user => alice)
end
it 'validates uniqueness of tag_following scoped through user' do
- TagFollowing.new(:tag => @tag, :user => alice).valid?.should be_false
+ expect(TagFollowing.new(:tag => @tag, :user => alice).valid?).to be false
end
it 'allows multiple tag followings for different users' do
- TagFollowing.new(:tag => @tag, :user => bob).valid?.should be_true
+ expect(TagFollowing.new(:tag => @tag, :user => bob).valid?).to be true
end
it 'user is following a tag' do
- TagFollowing.user_is_following?(alice, @tag.name).should be_true
+ expect(TagFollowing.user_is_following?(alice, @tag.name)).to be true
end
it 'user not following a tag' do
- TagFollowing.user_is_following?(bob, @tag.name).should be_false
+ expect(TagFollowing.user_is_following?(bob, @tag.name)).to be false
end
end
diff --git a/spec/models/user/connecting_spec.rb b/spec/models/user/connecting_spec.rb
index e01e679e8..155dff64b 100644
--- a/spec/models/user/connecting_spec.rb
+++ b/spec/models/user/connecting_spec.rb
@@ -4,7 +4,7 @@
require 'spec_helper'
-describe User::Connecting do
+describe User::Connecting, :type => :model do
let(:aspect) { alice.aspects.first }
let(:aspect1) { alice.aspects.create(:name => 'other') }
@@ -20,37 +20,37 @@ describe User::Connecting do
describe '#remove_contact' do
it 'removed non mutual contacts' do
alice.share_with(eve.person, alice.aspects.first)
- lambda {
+ expect {
alice.remove_contact alice.contact_for(eve.person)
- }.should change {
+ }.to change {
alice.contacts(true).count
}.by(-1)
end
it 'removes a contacts receiving flag' do
- bob.contacts.find_by_person_id(alice.person.id).should be_receiving
+ expect(bob.contacts.find_by_person_id(alice.person.id)).to be_receiving
bob.remove_contact(bob.contact_for(alice.person))
- bob.contacts(true).find_by_person_id(alice.person.id).should_not be_receiving
+ expect(bob.contacts(true).find_by_person_id(alice.person.id)).not_to be_receiving
end
end
describe '#disconnected_by' do
it 'calls remove contact' do
- bob.should_receive(:remove_contact).with(bob.contact_for(alice.person), :retracted => true)
+ expect(bob).to receive(:remove_contact).with(bob.contact_for(alice.person), :retracted => true)
bob.disconnected_by(alice.person)
end
it 'removes contact sharing flag' do
- bob.contacts.find_by_person_id(alice.person.id).should be_sharing
+ expect(bob.contacts.find_by_person_id(alice.person.id)).to be_sharing
bob.disconnected_by(alice.person)
- bob.contacts.find_by_person_id(alice.person.id).should_not be_sharing
+ expect(bob.contacts.find_by_person_id(alice.person.id)).not_to be_sharing
end
it 'removes notitications' do
alice.share_with(eve.person, alice.aspects.first)
- Notifications::StartedSharing.where(:recipient_id => eve.id).first.should_not be_nil
+ expect(Notifications::StartedSharing.where(:recipient_id => eve.id).first).not_to be_nil
eve.disconnected_by(alice.person)
- Notifications::StartedSharing.where(:recipient_id => eve.id).first.should be_nil
+ expect(Notifications::StartedSharing.where(:recipient_id => eve.id).first).to be_nil
end
end
@@ -58,14 +58,14 @@ describe User::Connecting do
it 'calls remove contact' do
contact = bob.contact_for(alice.person)
- bob.should_receive(:remove_contact).with(contact, {})
+ expect(bob).to receive(:remove_contact).with(contact, {})
bob.disconnect(contact)
end
it 'dispatches a retraction' do
p = double()
- Postzord::Dispatcher.should_receive(:build).and_return(p)
- p.should_receive(:post)
+ expect(Postzord::Dispatcher).to receive(:build).and_return(p)
+ expect(p).to receive(:post)
bob.disconnect bob.contact_for(eve.person)
end
@@ -75,16 +75,16 @@ describe User::Connecting do
new_aspect = alice.aspects.create(:name => 'new')
alice.add_contact_to_aspect(contact, new_aspect)
- lambda {
+ expect {
alice.disconnect(contact)
- }.should change(contact.aspects(true), :count).from(2).to(0)
+ }.to change(contact.aspects(true), :count).from(2).to(0)
end
end
end
describe '#register_share_visibilities' do
it 'creates post visibilites for up to 100 posts' do
- Post.stub_chain(:where, :limit).and_return([FactoryGirl.create(:status_message)])
+ allow(Post).to receive_message_chain(:where, :limit).and_return([FactoryGirl.create(:status_message)])
c = Contact.create!(:user_id => alice.id, :person_id => eve.person.id)
expect{
alice.register_share_visibilities(c)
@@ -94,43 +94,43 @@ describe User::Connecting do
describe '#share_with' do
it 'finds or creates a contact' do
- lambda {
+ expect {
alice.share_with(eve.person, alice.aspects.first)
- }.should change(alice.contacts, :count).by(1)
+ }.to change(alice.contacts, :count).by(1)
end
it 'does not set mutual on intial share request' do
alice.share_with(eve.person, alice.aspects.first)
- alice.contacts.find_by_person_id(eve.person.id).should_not be_mutual
+ expect(alice.contacts.find_by_person_id(eve.person.id)).not_to be_mutual
end
it 'does set mutual on share-back request' do
eve.share_with(alice.person, eve.aspects.first)
alice.share_with(eve.person, alice.aspects.first)
- alice.contacts.find_by_person_id(eve.person.id).should be_mutual
+ expect(alice.contacts.find_by_person_id(eve.person.id)).to be_mutual
end
it 'adds a contact to an aspect' do
contact = alice.contacts.create(:person => eve.person)
- alice.contacts.stub(:find_or_initialize_by_person_id).and_return(contact)
+ allow(alice.contacts).to receive(:find_or_initialize_by).and_return(contact)
- lambda {
+ expect {
alice.share_with(eve.person, alice.aspects.first)
- }.should change(contact.aspects, :count).by(1)
+ }.to change(contact.aspects, :count).by(1)
end
it 'calls #register_share_visibilities with a contact' do
- eve.should_receive(:register_share_visibilities)
+ expect(eve).to receive(:register_share_visibilities)
eve.share_with(alice.person, eve.aspects.first)
end
context 'dispatching' do
it 'dispatches a request on initial request' do
contact = alice.contacts.new(:person => eve.person)
- alice.contacts.stub(:find_or_initialize_by_person_id).and_return(contact)
+ allow(alice.contacts).to receive(:find_or_initialize_by).and_return(contact)
- contact.should_receive(:dispatch_request)
+ expect(contact).to receive(:dispatch_request)
alice.share_with(eve.person, alice.aspects.first)
end
@@ -138,9 +138,9 @@ describe User::Connecting do
eve.share_with(alice.person, eve.aspects.first)
contact = alice.contact_for(eve.person)
- alice.contacts.stub(:find_or_initialize_by_person_id).and_return(contact)
+ allow(alice.contacts).to receive(:find_or_initialize_by).and_return(contact)
- contact.should_receive(:dispatch_request)
+ expect(contact).to receive(:dispatch_request)
alice.share_with(eve.person, alice.aspects.first)
end
@@ -148,31 +148,31 @@ describe User::Connecting do
a2 = alice.aspects.create(:name => "two")
contact = alice.contacts.create(:person => eve.person, :receiving => true)
- alice.contacts.stub(:find_or_initialize_by_person_id).and_return(contact)
+ allow(alice.contacts).to receive(:find_or_initialize_by).and_return(contact)
- contact.should_not_receive(:dispatch_request)
+ expect(contact).not_to receive(:dispatch_request)
alice.share_with(eve.person, a2)
end
it 'posts profile' do
m = double()
- Postzord::Dispatcher.should_receive(:build).twice.and_return(m)
- m.should_receive(:post).twice
+ expect(Postzord::Dispatcher).to receive(:build).twice.and_return(m)
+ expect(m).to receive(:post).twice
alice.share_with(eve.person, alice.aspects.first)
end
end
it 'sets receiving' do
alice.share_with(eve.person, alice.aspects.first)
- alice.contact_for(eve.person).should be_receiving
+ expect(alice.contact_for(eve.person)).to be_receiving
end
it "should mark the corresponding notification as 'read'" do
notification = FactoryGirl.create(:notification, :target => eve.person)
- Notification.where(:target_id => eve.person.id).first.unread.should be_true
+ expect(Notification.where(:target_id => eve.person.id).first.unread).to be true
alice.share_with(eve.person, aspect)
- Notification.where(:target_id => eve.person.id).first.unread.should be_false
+ expect(Notification.where(:target_id => eve.person.id).first.unread).to be false
end
end
end
diff --git a/spec/models/user/posting_spec.rb b/spec/models/user/posting_spec.rb
index 08544e024..5966ba2bf 100644
--- a/spec/models/user/posting_spec.rb
+++ b/spec/models/user/posting_spec.rb
@@ -4,7 +4,7 @@
require 'spec_helper'
-describe User do
+describe User, :type => :model do
before do
@aspect = alice.aspects.first
@aspect1 = alice.aspects.create(:name => 'other')
@@ -20,48 +20,49 @@ describe User do
end
it 'saves post into visible post ids' do
- lambda {
+ expect {
alice.add_to_streams(@post, @aspects)
- }.should change{alice.visible_shareables(Post, :by_members_of => @aspects).length}.by(1)
- alice.visible_shareables(Post, :by_members_of => @aspects).should include @post
+ }.to change{alice.visible_shareables(Post, :by_members_of => @aspects).length}.by(1)
+ expect(alice.visible_shareables(Post, :by_members_of => @aspects)).to include @post
end
it 'saves post into each aspect in aspect_ids' do
alice.add_to_streams(@post, @aspects)
- @aspect.reload.post_ids.should include @post.id
- @aspect1.reload.post_ids.should include @post.id
+ expect(@aspect.reload.post_ids).to include @post.id
+ expect(@aspect1.reload.post_ids).to include @post.id
end
end
describe '#aspects_from_ids' do
it 'returns a list of all valid aspects a alice can post to' do
aspect_ids = Aspect.all.map(&:id)
- alice.aspects_from_ids(aspect_ids).map{|a| a}.should ==
- alice.aspects.map{|a| a} #RSpec matchers ftw
+ expect(alice.aspects_from_ids(aspect_ids).map{|a| a}).to eq(
+ alice.aspects.map{|a| a}
+ ) #RSpec matchers ftw
end
it "lets you post to your own aspects" do
- alice.aspects_from_ids([@aspect.id]).should == [@aspect]
- alice.aspects_from_ids([@aspect1.id]).should == [@aspect1]
+ expect(alice.aspects_from_ids([@aspect.id])).to eq([@aspect])
+ expect(alice.aspects_from_ids([@aspect1.id])).to eq([@aspect1])
end
it 'removes aspects that are not yours' do
- alice.aspects_from_ids(eve.aspects.first.id).should == []
+ expect(alice.aspects_from_ids(eve.aspects.first.id)).to eq([])
end
end
describe '#build_post' do
it 'sets status_message#text' do
post = alice.build_post(:status_message, :text => "hey", :to => @aspect.id)
- post.text.should == "hey"
+ expect(post.text).to eq("hey")
end
it 'does not save a status_message' do
post = alice.build_post(:status_message, :text => "hey", :to => @aspect.id)
- post.should_not be_persisted
+ expect(post).not_to be_persisted
end
it 'does not save a photo' do
post = alice.build_post(:photo, :user_file => uploaded_photo, :to => @aspect.id)
- post.should_not be_persisted
+ expect(post).not_to be_persisted
end
end
@@ -71,7 +72,7 @@ describe User do
update_hash = {:text => "New caption"}
alice.update_post(photo, update_hash)
- photo.text.should match(/New/)
+ expect(photo.text).to match(/New/)
end
end
end
diff --git a/spec/models/user/querying_spec.rb b/spec/models/user/querying_spec.rb
index b24a3be00..9d8a0ff14 100644
--- a/spec/models/user/querying_spec.rb
+++ b/spec/models/user/querying_spec.rb
@@ -4,7 +4,7 @@
require 'spec_helper'
-describe User::Querying do
+describe User::Querying, :type => :model do
before do
@alices_aspect = alice.aspects.where(:name => "generic").first
@eves_aspect = eve.aspects.where(:name => "generic").first
@@ -14,12 +14,12 @@ describe User::Querying do
describe "#visible_shareable_ids" do
it "contains your public posts" do
public_post = alice.post(:status_message, :text => "hi", :to => @alices_aspect.id, :public => true)
- alice.visible_shareable_ids(Post).should include(public_post.id)
+ expect(alice.visible_shareable_ids(Post)).to include(public_post.id)
end
it "contains your non-public posts" do
private_post = alice.post(:status_message, :text => "hi", :to => @alices_aspect.id, :public => false)
- alice.visible_shareable_ids(Post).should include(private_post.id)
+ expect(alice.visible_shareable_ids(Post)).to include(private_post.id)
end
it "contains public posts from people you're following" do
@@ -30,37 +30,37 @@ describe User::Querying do
eves_public_post = eve.post(:status_message, :text => "hello", :to => 'all', :public => true)
# Alice should see it
- alice.visible_shareable_ids(Post).should include(eves_public_post.id)
+ expect(alice.visible_shareable_ids(Post)).to include(eves_public_post.id)
end
it "does not contain non-public posts from people who are following you" do
eve.share_with(alice.person, @eves_aspect)
eves_post = eve.post(:status_message, :text => "hello", :to => @eves_aspect.id)
- alice.visible_shareable_ids(Post).should_not include(eves_post.id)
+ expect(alice.visible_shareable_ids(Post)).not_to include(eves_post.id)
end
it "does not contain non-public posts from aspects you're not in" do
dogs = bob.aspects.create(:name => "dogs")
invisible_post = bob.post(:status_message, :text => "foobar", :to => dogs.id)
- alice.visible_shareable_ids(Post).should_not include(invisible_post.id)
+ expect(alice.visible_shareable_ids(Post)).not_to include(invisible_post.id)
end
it "does not contain pending posts" do
pending_post = bob.post(:status_message, :text => "hey", :public => true, :to => @bobs_aspect.id, :pending => true)
- pending_post.should be_pending
- alice.visible_shareable_ids(Post).should_not include pending_post.id
+ expect(pending_post).to be_pending
+ expect(alice.visible_shareable_ids(Post)).not_to include pending_post.id
end
it "does not contain pending photos" do
pending_photo = bob.post(:photo, :pending => true, :user_file=> File.open(photo_fixture_name), :to => @bobs_aspect)
- alice.visible_shareable_ids(Photo).should_not include pending_photo.id
+ expect(alice.visible_shareable_ids(Photo)).not_to include pending_photo.id
end
it "respects the :type option" do
post = bob.post(:status_message, :text => "hey", :public => true, :to => @bobs_aspect.id, :pending => false)
reshare = bob.post(:reshare, :pending => false, :root_guid => post.guid, :to => @bobs_aspect)
- alice.visible_shareable_ids(Post, :type => "Reshare").should include(reshare.id)
- alice.visible_shareable_ids(Post, :type => 'StatusMessage').should_not include(reshare.id)
+ expect(alice.visible_shareable_ids(Post, :type => "Reshare")).to include(reshare.id)
+ expect(alice.visible_shareable_ids(Post, :type => 'StatusMessage')).not_to include(reshare.id)
end
it "does not contain duplicate posts" do
@@ -70,8 +70,8 @@ describe User::Querying do
bobs_post = bob.post(:status_message, :text => "hai to all my people", :to => [@bobs_aspect.id, bobs_other_aspect.id])
- alice.visible_shareable_ids(Post).length.should == 1
- alice.visible_shareable_ids(Post).should include(bobs_post.id)
+ expect(alice.visible_shareable_ids(Post).length).to eq(1)
+ expect(alice.visible_shareable_ids(Post)).to include(bobs_post.id)
end
describe 'hidden posts' do
@@ -81,13 +81,13 @@ describe User::Querying do
end
it "pulls back non hidden posts" do
- alice.visible_shareable_ids(Post).include?(@status.id).should be_true
+ expect(alice.visible_shareable_ids(Post).include?(@status.id)).to be true
end
it "does not pull back hidden posts" do
visibility = @status.share_visibilities(Post).where(:contact_id => alice.contact_for(bob.person).id).first
visibility.update_attributes(:hidden => true)
- alice.visible_shareable_ids(Post).include?(@status.id).should be_false
+ expect(alice.visible_shareable_ids(Post).include?(@status.id)).to be false
end
end
end
@@ -95,8 +95,8 @@ describe User::Querying do
describe "#prep_opts" do
it "defaults the opts" do
time = Time.now
- Time.stub(:now).and_return(time)
- alice.send(:prep_opts, Post, {}).should == {
+ allow(Time).to receive(:now).and_return(time)
+ expect(alice.send(:prep_opts, Post, {})).to eq({
:type => Stream::Base::TYPES_OF_POST_IN_STREAM,
:order => 'created_at DESC',
:limit => 15,
@@ -104,14 +104,14 @@ describe User::Querying do
:order_field => :created_at,
:order_with_table => "posts.created_at DESC",
:max_time => time + 1
- }
+ })
end
end
describe "#visible_shareables" do
it 'never contains posts from people not in your aspects' do
FactoryGirl.create(:status_message, :public => true)
- bob.visible_shareables(Post).count.should == 0
+ expect(bob.visible_shareables(Post).count(:all)).to eq(0)
end
context 'with two posts with the same timestamp' do
@@ -124,8 +124,8 @@ describe User::Querying do
end
it "returns them in reverse creation order" do
- bob.visible_shareables(Post).first.text.should == "second"
- bob.visible_shareables(Post).last.text.should == "first"
+ expect(bob.visible_shareables(Post).first.text).to eq("second")
+ expect(bob.visible_shareables(Post).last.text).to eq("first")
end
end
@@ -146,40 +146,40 @@ describe User::Querying do
end
it 'works' do # The set up takes a looong time, so to save time we do several tests in one
- bob.visible_shareables(Post).length.should == 15 #it returns 15 by default
- bob.visible_shareables(Post).map(&:id).should == bob.visible_shareables(Post, :by_members_of => bob.aspects.map { |a| a.id }).map(&:id) # it is the same when joining through aspects
+ expect(bob.visible_shareables(Post).length).to eq(15) #it returns 15 by default
+ expect(bob.visible_shareables(Post).map(&:id)).to eq(bob.visible_shareables(Post, :by_members_of => bob.aspects.map { |a| a.id }).map(&:id)) # it is the same when joining through aspects
# checks the default sort order
- bob.visible_shareables(Post).sort_by { |p| p.created_at }.map { |p| p.id }.should == bob.visible_shareables(Post).map { |p| p.id }.reverse #it is sorted updated_at desc by default
+ expect(bob.visible_shareables(Post).sort_by { |p| p.created_at }.map { |p| p.id }).to eq(bob.visible_shareables(Post).map { |p| p.id }.reverse) #it is sorted updated_at desc by default
# It should respect the order option
opts = {:order => 'created_at DESC'}
- bob.visible_shareables(Post, opts).first.created_at.should > bob.visible_shareables(Post, opts).last.created_at
+ expect(bob.visible_shareables(Post, opts).first.created_at).to be > bob.visible_shareables(Post, opts).last.created_at
# It should respect the order option
opts = {:order => 'updated_at DESC'}
- bob.visible_shareables(Post, opts).first.updated_at.should > bob.visible_shareables(Post, opts).last.updated_at
+ expect(bob.visible_shareables(Post, opts).first.updated_at).to be > bob.visible_shareables(Post, opts).last.updated_at
# It should respect the limit option
opts = {:limit => 40}
- bob.visible_shareables(Post, opts).length.should == 40
- bob.visible_shareables(Post, opts).map(&:id).should == bob.visible_shareables(Post, opts.merge(:by_members_of => bob.aspects.map { |a| a.id })).map(&:id)
- bob.visible_shareables(Post, opts).sort_by { |p| p.created_at }.map { |p| p.id }.should == bob.visible_shareables(Post, opts).map { |p| p.id }.reverse
+ expect(bob.visible_shareables(Post, opts).length).to eq(40)
+ expect(bob.visible_shareables(Post, opts).map(&:id)).to eq(bob.visible_shareables(Post, opts.merge(:by_members_of => bob.aspects.map { |a| a.id })).map(&:id))
+ expect(bob.visible_shareables(Post, opts).sort_by { |p| p.created_at }.map { |p| p.id }).to eq(bob.visible_shareables(Post, opts).map { |p| p.id }.reverse)
# It should paginate using a datetime timestamp
last_time_of_last_page = bob.visible_shareables(Post).last.created_at
opts = {:max_time => last_time_of_last_page}
- bob.visible_shareables(Post, opts).length.should == 15
- bob.visible_shareables(Post, opts).map { |p| p.id }.should == bob.visible_shareables(Post, opts.merge(:by_members_of => bob.aspects.map { |a| a.id })).map { |p| p.id }
- bob.visible_shareables(Post, opts).sort_by { |p| p.created_at}.map { |p| p.id }.should == bob.visible_shareables(Post, opts).map { |p| p.id }.reverse
- bob.visible_shareables(Post, opts).map { |p| p.id }.should == bob.visible_shareables(Post, :limit => 40)[15...30].map { |p| p.id } #pagination should return the right posts
+ expect(bob.visible_shareables(Post, opts).length).to eq(15)
+ expect(bob.visible_shareables(Post, opts).map { |p| p.id }).to eq(bob.visible_shareables(Post, opts.merge(:by_members_of => bob.aspects.map { |a| a.id })).map { |p| p.id })
+ expect(bob.visible_shareables(Post, opts).sort_by { |p| p.created_at}.map { |p| p.id }).to eq(bob.visible_shareables(Post, opts).map { |p| p.id }.reverse)
+ expect(bob.visible_shareables(Post, opts).map { |p| p.id }).to eq(bob.visible_shareables(Post, :limit => 40)[15...30].map { |p| p.id }) #pagination should return the right posts
# It should paginate using an integer timestamp
opts = {:max_time => last_time_of_last_page.to_i}
- bob.visible_shareables(Post, opts).length.should == 15
- bob.visible_shareables(Post, opts).map { |p| p.id }.should == bob.visible_shareables(Post, opts.merge(:by_members_of => bob.aspects.map { |a| a.id })).map { |p| p.id }
- bob.visible_shareables(Post, opts).sort_by { |p| p.created_at}.map { |p| p.id }.should == bob.visible_shareables(Post, opts).map { |p| p.id }.reverse
- bob.visible_shareables(Post, opts).map { |p| p.id }.should == bob.visible_shareables(Post, :limit => 40)[15...30].map { |p| p.id } #pagination should return the right posts
+ expect(bob.visible_shareables(Post, opts).length).to eq(15)
+ expect(bob.visible_shareables(Post, opts).map { |p| p.id }).to eq(bob.visible_shareables(Post, opts.merge(:by_members_of => bob.aspects.map { |a| a.id })).map { |p| p.id })
+ expect(bob.visible_shareables(Post, opts).sort_by { |p| p.created_at}.map { |p| p.id }).to eq(bob.visible_shareables(Post, opts).map { |p| p.id }.reverse)
+ expect(bob.visible_shareables(Post, opts).map { |p| p.id }).to eq(bob.visible_shareables(Post, :limit => 40)[15...30].map { |p| p.id }) #pagination should return the right posts
end
end
end
@@ -187,19 +187,19 @@ describe User::Querying do
describe '#find_visible_shareable_by_id' do
it "returns a post if you can see it" do
bobs_post = bob.post(:status_message, :text => "hi", :to => @bobs_aspect.id, :public => false)
- alice.find_visible_shareable_by_id(Post, bobs_post.id).should == bobs_post
+ expect(alice.find_visible_shareable_by_id(Post, bobs_post.id)).to eq(bobs_post)
end
it "returns nil if you can't see that post" do
dogs = bob.aspects.create(:name => "dogs")
invisible_post = bob.post(:status_message, :text => "foobar", :to => dogs.id)
- alice.find_visible_shareable_by_id(Post, invisible_post.id).should be_nil
+ expect(alice.find_visible_shareable_by_id(Post, invisible_post.id)).to be_nil
end
end
context 'with two users' do
describe '#people_in_aspects' do
it 'returns people objects for a users contact in each aspect' do
- alice.people_in_aspects([@alices_aspect]).should == [bob.person]
+ expect(alice.people_in_aspects([@alices_aspect])).to eq([bob.person])
end
it 'returns local/remote people objects for a users contact in each aspect' do
@@ -220,22 +220,22 @@ describe User::Querying do
local_person.save
local_person.reload
- alice.people_in_aspects([@alices_aspect]).count.should == 4
- alice.people_in_aspects([@alices_aspect], :type => 'remote').count.should == 1
- alice.people_in_aspects([@alices_aspect], :type => 'local').count.should == 3
+ expect(alice.people_in_aspects([@alices_aspect]).count).to eq(4)
+ expect(alice.people_in_aspects([@alices_aspect], :type => 'remote').count).to eq(1)
+ expect(alice.people_in_aspects([@alices_aspect], :type => 'local').count).to eq(3)
end
it 'does not return people not connected to user on same pod' do
3.times { FactoryGirl.create(:user) }
- alice.people_in_aspects([@alices_aspect]).count.should == 1
+ expect(alice.people_in_aspects([@alices_aspect]).count).to eq(1)
end
it "only returns non-pending contacts" do
- alice.people_in_aspects([@alices_aspect]).should == [bob.person]
+ expect(alice.people_in_aspects([@alices_aspect])).to eq([bob.person])
end
it "returns an empty array when passed an aspect the user doesn't own" do
- alice.people_in_aspects([@eves_aspect]).should == []
+ expect(alice.people_in_aspects([@eves_aspect])).to eq([])
end
end
end
@@ -250,7 +250,7 @@ describe User::Querying do
it 'returns a contact' do
contact = Contact.create(:user => alice, :person => person_one, :aspects => [aspect])
alice.contacts << contact
- alice.contact_for_person_id(person_one.id).should be_true
+ expect(alice.contact_for_person_id(person_one.id)).to be_truthy
end
it 'returns the correct contact' do
@@ -263,28 +263,28 @@ describe User::Querying do
contact3 = Contact.create(:user => alice, :person => person_three, :aspects => [aspect])
alice.contacts << contact3
- alice.contact_for_person_id(person_two.id).person.should == person_two
+ expect(alice.contact_for_person_id(person_two.id).person).to eq(person_two)
end
it 'returns nil for a non-contact' do
- alice.contact_for_person_id(person_one.id).should be_nil
+ expect(alice.contact_for_person_id(person_one.id)).to be_nil
end
it 'returns nil when someone else has contact with the target' do
contact = Contact.create(:user => alice, :person => person_one, :aspects => [aspect])
alice.contacts << contact
- eve.contact_for_person_id(person_one.id).should be_nil
+ expect(eve.contact_for_person_id(person_one.id)).to be_nil
end
end
describe '#contact_for' do
it 'takes a person_id and returns a contact' do
- alice.should_receive(:contact_for_person_id).with(person_one.id)
+ expect(alice).to receive(:contact_for_person_id).with(person_one.id)
alice.contact_for(person_one)
end
it 'returns nil if the input is nil' do
- alice.contact_for(nil).should be_nil
+ expect(alice.contact_for(nil)).to be_nil
end
end
@@ -294,7 +294,7 @@ describe User::Querying do
end
it 'should return the aspects with given contact' do
- alice.aspects_with_person(@connected_person).should == [@alices_aspect]
+ expect(alice.aspects_with_person(@connected_person)).to eq([@alices_aspect])
end
it 'returns multiple aspects if the person is there' do
@@ -302,11 +302,25 @@ describe User::Querying do
contact = alice.contact_for(@connected_person)
alice.add_contact_to_aspect(contact, aspect2)
- alice.aspects_with_person(@connected_person).to_set.should == alice.aspects.to_set
+ expect(alice.aspects_with_person(@connected_person).to_set).to eq(alice.aspects.to_set)
end
end
end
+ describe "#block_for" do
+ let(:person) { FactoryGirl.create :person }
+
+ before do
+ eve.blocks.create({person: person})
+ end
+
+ it 'returns the block' do
+ block = eve.block_for(person)
+ expect(block).to be_present
+ expect(block.person.id).to be person.id
+ end
+ end
+
describe '#posts_from' do
before do
@user3 = FactoryGirl.create(:user)
@@ -317,11 +331,11 @@ describe User::Querying do
end
it 'displays public posts for a non-contact' do
- alice.posts_from(@user3.person).should include @public_message
+ expect(alice.posts_from(@user3.person)).to include @public_message
end
it 'does not display private posts for a non-contact' do
- alice.posts_from(@user3.person).should_not include @private_message
+ expect(alice.posts_from(@user3.person)).not_to include @private_message
end
it 'displays private and public posts for a non-contact after connecting' do
@@ -330,8 +344,8 @@ describe User::Querying do
alice.reload
- alice.posts_from(@user3.person).should include @public_message
- alice.posts_from(@user3.person).should include new_message
+ expect(alice.posts_from(@user3.person)).to include @public_message
+ expect(alice.posts_from(@user3.person)).to include new_message
end
it 'displays recent posts first' do
@@ -342,7 +356,7 @@ describe User::Querying do
msg4.created_at = Time.now+14
msg4.save!
- alice.posts_from(@user3.person).map { |p| p.id }.should == [msg4, msg3, @public_message].map { |p| p.id }
+ expect(alice.posts_from(@user3.person).map { |p| p.id }).to eq([msg4, msg3, @public_message].map { |p| p.id })
end
end
end
diff --git a/spec/models/user/social_actions_spec.rb b/spec/models/user/social_actions_spec.rb
index de486010d..74a67608b 100644
--- a/spec/models/user/social_actions_spec.rb
+++ b/spec/models/user/social_actions_spec.rb
@@ -1,6 +1,6 @@
require "spec_helper"
-describe User::SocialActions do
+describe User::SocialActions, :type => :model do
before do
@bobs_aspect = bob.aspects.where(:name => "generic").first
@status = bob.post(:status_message, :text => "hello", :to => @bobs_aspect.id)
@@ -8,39 +8,39 @@ describe User::SocialActions do
describe 'User#comment!' do
it "sets the comment text" do
- alice.comment!(@status, "unicorn_mountain").text.should == "unicorn_mountain"
+ expect(alice.comment!(@status, "unicorn_mountain").text).to eq("unicorn_mountain")
end
it "creates a partcipation" do
- lambda{ alice.comment!(@status, "bro") }.should change(Participation, :count).by(1)
- alice.participations.last.target.should == @status
+ expect{ alice.comment!(@status, "bro") }.to change(Participation, :count).by(1)
+ expect(alice.participations.last.target).to eq(@status)
end
it "creates the comment" do
- lambda{ alice.comment!(@status, "bro") }.should change(Comment, :count).by(1)
+ expect{ alice.comment!(@status, "bro") }.to change(Comment, :count).by(1)
end
it "federates" do
- Participation::Generator.any_instance.stub(:create!)
- Postzord::Dispatcher.should_receive(:defer_build_and_post)
+ allow_any_instance_of(Participation::Generator).to receive(:create!)
+ expect(Postzord::Dispatcher).to receive(:defer_build_and_post)
alice.comment!(@status, "omg")
end
end
describe 'User#like!' do
it "creates a partcipation" do
- lambda{ alice.like!(@status) }.should change(Participation, :count).by(1)
- alice.participations.last.target.should == @status
+ expect{ alice.like!(@status) }.to change(Participation, :count).by(1)
+ expect(alice.participations.last.target).to eq(@status)
end
it "creates the like" do
- lambda{ alice.like!(@status) }.should change(Like, :count).by(1)
+ expect{ alice.like!(@status) }.to change(Like, :count).by(1)
end
it "federates" do
#participation and like
- Participation::Generator.any_instance.stub(:create!)
- Postzord::Dispatcher.should_receive(:defer_build_and_post)
+ allow_any_instance_of(Participation::Generator).to receive(:create!)
+ expect(Postzord::Dispatcher).to receive(:defer_build_and_post)
alice.like!(@status)
end
end
@@ -52,27 +52,27 @@ describe User::SocialActions do
end
it "creates a partcipation" do
- lambda{ alice.like!(@status) }.should change(Participation, :count).by(1)
+ expect{ alice.like!(@status) }.to change(Participation, :count).by(1)
end
it "creates the like" do
- lambda{ alice.like!(@status) }.should change(Like, :count).by(1)
+ expect{ alice.like!(@status) }.to change(Like, :count).by(1)
end
it "federates" do
#participation and like
- Postzord::Dispatcher.should_receive(:defer_build_and_post).twice
+ expect(Postzord::Dispatcher).to receive(:defer_build_and_post).twice
alice.like!(@status)
end
it "should be able to like on one's own status" do
like = alice.like!(@status)
- @status.reload.likes.first.should == like
+ expect(@status.reload.likes.first).to eq(like)
end
it "should be able to like on a contact's status" do
like = bob.like!(@status)
- @status.reload.likes.first.should == like
+ expect(@status.reload.likes.first).to eq(like)
end
it "does not allow multiple likes" do
@@ -80,7 +80,7 @@ describe User::SocialActions do
likes = @status.likes
expect { alice.like!(@status) }.to raise_error
- @status.reload.likes.should == likes
+ expect(@status.reload.likes).to eq(likes)
end
end
@@ -93,21 +93,21 @@ describe User::SocialActions do
end
it "federates" do
- Participation::Generator.any_instance.stub(:create!)
- Postzord::Dispatcher.should_receive(:defer_build_and_post)
+ allow_any_instance_of(Participation::Generator).to receive(:create!)
+ expect(Postzord::Dispatcher).to receive(:defer_build_and_post)
alice.participate_in_poll!(@status, @answer)
end
it "creates a partcipation" do
- lambda{ alice.participate_in_poll!(@status, @answer) }.should change(Participation, :count).by(1)
+ expect{ alice.participate_in_poll!(@status, @answer) }.to change(Participation, :count).by(1)
end
it "creates the poll participation" do
- lambda{ alice.participate_in_poll!(@status, @answer) }.should change(PollParticipation, :count).by(1)
+ expect{ alice.participate_in_poll!(@status, @answer) }.to change(PollParticipation, :count).by(1)
end
it "sets the poll answer id" do
- alice.participate_in_poll!(@status, @answer).poll_answer.should == @answer
+ expect(alice.participate_in_poll!(@status, @answer).poll_answer).to eq(@answer)
end
end
end
\ No newline at end of file
diff --git a/spec/models/user_preference_spec.rb b/spec/models/user_preference_spec.rb
index 25bbe15d2..022b54db8 100644
--- a/spec/models/user_preference_spec.rb
+++ b/spec/models/user_preference_spec.rb
@@ -1,9 +1,9 @@
require 'spec_helper'
-describe UserPreference do
+describe UserPreference, :type => :model do
it 'should only allow valid email types to exist' do
pref = alice.user_preferences.new(:email_type => 'not_valid')
- pref.should_not be_valid
+ expect(pref).not_to be_valid
end
end
diff --git a/spec/models/user_spec.rb b/spec/models/user_spec.rb
index d56bd6932..fc5a94404 100644
--- a/spec/models/user_spec.rb
+++ b/spec/models/user_spec.rb
@@ -4,18 +4,18 @@
require 'spec_helper'
-describe User do
+describe User, :type => :model do
context "relations" do
context "#conversations" do
it "doesn't find anything when there is nothing to find" do
u = FactoryGirl.create(:user)
- u.conversations.should be_empty
+ expect(u.conversations).to be_empty
end
it "finds the users conversations" do
c = FactoryGirl.create(:conversation, { author: alice.person })
- alice.conversations.should include c
+ expect(alice.conversations).to include c
end
it "doesn't find other users conversations" do
@@ -23,23 +23,23 @@ describe User do
c2 = FactoryGirl.create(:conversation)
c_own = FactoryGirl.create(:conversation, { author: alice.person })
- alice.conversations.should include c_own
- alice.conversations.should_not include c1
- alice.conversations.should_not include c2
+ expect(alice.conversations).to include c_own
+ expect(alice.conversations).not_to include c1
+ expect(alice.conversations).not_to include c2
end
end
end
describe "private key" do
it 'has a key' do
- alice.encryption_key.should_not be nil
+ expect(alice.encryption_key).not_to be nil
end
it 'marshalls the key to and from the db correctly' do
user = User.build(:username => 'max', :email => 'foo@bar.com', :password => 'password', :password_confirmation => 'password')
user.save!
- user.serialized_private_key.should be_present
+ expect(user.serialized_private_key).to be_present
expect{
user.reload.encryption_key
@@ -52,14 +52,14 @@ describe User do
user = FactoryGirl.build(:user)
user.last_seen = Time.now - 1.month
user.save
- User.yearly_actives.should include user
+ expect(User.yearly_actives).to include user
end
it 'returns list which does not include users seen within last year' do
user = FactoryGirl.build(:user)
user.last_seen = Time.now - 2.year
user.save
- User.yearly_actives.should_not include user
+ expect(User.yearly_actives).not_to include user
end
end
@@ -68,14 +68,14 @@ describe User do
user = FactoryGirl.build(:user)
user.last_seen = Time.now - 1.day
user.save
- User.monthly_actives.should include user
+ expect(User.monthly_actives).to include user
end
it 'returns list which does not include users seen within last month' do
user = FactoryGirl.build(:user)
user.last_seen = Time.now - 2.month
user.save
- User.monthly_actives.should_not include user
+ expect(User.monthly_actives).not_to include user
end
end
@@ -84,14 +84,14 @@ describe User do
user = FactoryGirl.build(:user)
user.last_seen = Time.now - 1.hour
user.save
- User.daily_actives.should include(user)
+ expect(User.daily_actives).to include(user)
end
it 'returns list which does not include users seen within last day' do
user = FactoryGirl.build(:user)
user.last_seen = Time.now - 2.day
user.save
- User.daily_actives.should_not include(user)
+ expect(User.daily_actives).not_to include(user)
end
end
@@ -100,14 +100,14 @@ describe User do
user = FactoryGirl.build(:user)
user.last_seen = Time.now - 4.month
user.save
- User.halfyear_actives.should include user
+ expect(User.halfyear_actives).to include user
end
it 'returns list which does not include users seen within the last half a year' do
user = FactoryGirl.build(:user)
user.last_seen = Time.now - 7.month
user.save
- User.halfyear_actives.should_not include user
+ expect(User.halfyear_actives).not_to include user
end
end
@@ -115,12 +115,12 @@ describe User do
describe '#save_person!' do
it 'saves the corresponding user if it has changed' do
alice.person.url = "http://stuff.com"
- Person.any_instance.should_receive(:save)
+ expect_any_instance_of(Person).to receive(:save)
alice.save
end
it 'does not save the corresponding user if it has not changed' do
- Person.any_instance.should_not_receive(:save)
+ expect_any_instance_of(Person).not_to receive(:save)
alice.save
end
end
@@ -134,13 +134,13 @@ describe User do
end
it 'is a hash' do
- alice.hidden_shareables.should == {}
+ expect(alice.hidden_shareables).to eq({})
end
describe '#add_hidden_shareable' do
it 'adds the share id to an array which is keyed by the objects class' do
alice.add_hidden_shareable(@sm_class, @sm_id)
- alice.hidden_shareables['Post'].should == [@sm_id]
+ expect(alice.hidden_shareables['Post']).to eq([@sm_id])
end
it 'handles having multiple posts' do
@@ -148,7 +148,7 @@ describe User do
alice.add_hidden_shareable(@sm_class, @sm_id)
alice.add_hidden_shareable(sm2.class.base_class.to_s, sm2.id.to_s)
- alice.hidden_shareables['Post'].should =~ [@sm_id, sm2.id.to_s]
+ expect(alice.hidden_shareables['Post']).to match_array([@sm_id, sm2.id.to_s])
end
it 'handles having multiple shareable types' do
@@ -156,7 +156,7 @@ describe User do
alice.add_hidden_shareable(photo.class.base_class.to_s, photo.id.to_s)
alice.add_hidden_shareable(@sm_class, @sm_id)
- alice.hidden_shareables['Photo'].should == [photo.id.to_s]
+ expect(alice.hidden_shareables['Photo']).to eq([photo.id.to_s])
end
end
@@ -164,20 +164,20 @@ describe User do
it 'removes the id from the hash if it is there' do
alice.add_hidden_shareable(@sm_class, @sm_id)
alice.remove_hidden_shareable(@sm_class, @sm_id)
- alice.hidden_shareables['Post'].should == []
+ expect(alice.hidden_shareables['Post']).to eq([])
end
end
describe 'toggle_hidden_shareable' do
it 'calls add_hidden_shareable if the key does not exist, and returns true' do
- alice.should_receive(:add_hidden_shareable).with(@sm_class, @sm_id)
- alice.toggle_hidden_shareable(@sm).should be_true
+ expect(alice).to receive(:add_hidden_shareable).with(@sm_class, @sm_id)
+ expect(alice.toggle_hidden_shareable(@sm)).to be true
end
it 'calls remove_hidden_shareable if the key exists' do
- alice.should_receive(:remove_hidden_shareable).with(@sm_class, @sm_id)
+ expect(alice).to receive(:remove_hidden_shareable).with(@sm_class, @sm_id)
alice.add_hidden_shareable(@sm_class, @sm_id)
- alice.toggle_hidden_shareable(@sm).should be_false
+ expect(alice.toggle_hidden_shareable(@sm)).to be false
end
end
@@ -185,12 +185,12 @@ describe User do
it 'returns true if the shareable is hidden' do
post = FactoryGirl.create(:status_message)
bob.toggle_hidden_shareable(post)
- bob.is_shareable_hidden?(post).should be_true
+ expect(bob.is_shareable_hidden?(post)).to be true
end
it 'returns false if the shareable is not present' do
post = FactoryGirl.create(:status_message)
- bob.is_shareable_hidden?(post).should be_false
+ expect(bob.is_shareable_hidden?(post)).to be false
end
end
end
@@ -198,9 +198,9 @@ describe User do
describe 'overwriting people' do
it 'does not overwrite old users with factory' do
- lambda {
+ expect {
new_user = FactoryGirl.create(:user, :id => alice.id)
- }.should raise_error ActiveRecord::StatementInvalid
+ }.to raise_error ActiveRecord::StatementInvalid
end
it 'does not overwrite old users with create' do
@@ -217,8 +217,8 @@ describe User do
params[:id] = alice.id
new_user = User.build(params)
new_user.save
- new_user.persisted?.should be_true
- new_user.id.should_not == alice.id
+ expect(new_user.persisted?).to be true
+ expect(new_user.id).not_to eq(alice.id)
end
end
@@ -226,81 +226,81 @@ describe User do
describe "of associated person" do
it "fails if person is not valid" do
user = alice
- user.should be_valid
+ expect(user).to be_valid
user.person.serialized_public_key = nil
- user.person.should_not be_valid
- user.should_not be_valid
+ expect(user.person).not_to be_valid
+ expect(user).not_to be_valid
- user.errors.full_messages.count.should == 1
- user.errors.full_messages.first.should =~ /Person is invalid/i
+ expect(user.errors.full_messages.count).to eq(1)
+ expect(user.errors.full_messages.first).to match(/Person is invalid/i)
end
end
describe "of username" do
it "requires presence" do
alice.username = nil
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it "requires uniqueness" do
alice.username = eve.username
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it 'requires uniqueness also amount Person objects with diaspora handle' do
p = FactoryGirl.create(:person, :diaspora_handle => "jimmy#{User.diaspora_id_host}")
alice.username = 'jimmy'
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it "downcases username" do
user = FactoryGirl.build(:user, :username => "WeIrDcAsE")
- user.should be_valid
- user.username.should == "weirdcase"
+ expect(user).to be_valid
+ expect(user.username).to eq("weirdcase")
end
it "fails if the requested username is only different in case from an existing username" do
alice.username = eve.username.upcase
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it "strips leading and trailing whitespace" do
user = FactoryGirl.build(:user, :username => " janie ")
- user.should be_valid
- user.username.should == "janie"
+ expect(user).to be_valid
+ expect(user.username).to eq("janie")
end
it "fails if there's whitespace in the middle" do
alice.username = "bobby tables"
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it 'can not contain non url safe characters' do
alice.username = "kittens;"
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it 'should not contain periods' do
alice.username = "kittens."
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it "can be 32 characters long" do
alice.username = "hexagoooooooooooooooooooooooooon"
- alice.should be_valid
+ expect(alice).to be_valid
end
it "cannot be 33 characters" do
alice.username = "hexagooooooooooooooooooooooooooon"
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it "cannot be one of the blacklist names" do
['hostmaster', 'postmaster', 'root', 'webmaster'].each do |username|
alice.username = username
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
end
end
@@ -308,37 +308,37 @@ describe User do
describe "of email" do
it "requires email address" do
alice.email = nil
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it "requires a unique email address" do
alice.email = eve.email
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it "requires a valid email address" do
alice.email = "somebody@anywhere"
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
end
describe "of unconfirmed_email" do
it "unconfirmed_email address can be nil/blank" do
alice.unconfirmed_email = nil
- alice.should be_valid
+ expect(alice).to be_valid
alice.unconfirmed_email = ""
- alice.should be_valid
+ expect(alice).to be_valid
end
it "does NOT require a unique unconfirmed_email address" do
eve.update_attribute :unconfirmed_email, "new@email.com"
alice.unconfirmed_email = "new@email.com"
- alice.should be_valid
+ expect(alice).to be_valid
end
it "requires a valid unconfirmed_email address" do
alice.unconfirmed_email = "somebody@anywhere"
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
end
@@ -349,19 +349,19 @@ describe User do
it "requires availability" do
alice.language = 'some invalid language'
- alice.should_not be_valid
+ expect(alice).not_to be_valid
end
it "should save with current language if blank" do
I18n.locale = :fr
user = User.build(:username => 'max', :email => 'foo@bar.com', :password => 'password', :password_confirmation => 'password')
- user.language.should == 'fr'
+ expect(user.language).to eq('fr')
end
it "should save with language what is set" do
I18n.locale = :fr
user = User.build(:username => 'max', :email => 'foo@bar.com', :password => 'password', :password_confirmation => 'password', :language => 'de')
- user.language.should == 'de'
+ expect(user.language).to eq('de')
end
end
end
@@ -384,17 +384,17 @@ describe User do
end
it "does not save" do
- @user.persisted?.should be_false
- @user.person.persisted?.should be_false
- User.find_by_username("ohai").should be_nil
+ expect(@user.persisted?).to be false
+ expect(@user.person.persisted?).to be false
+ expect(User.find_by_username("ohai")).to be_nil
end
it 'saves successfully' do
- @user.should be_valid
- @user.save.should be_true
- @user.persisted?.should be_true
- @user.person.persisted?.should be_true
- User.find_by_username("ohai").should == @user
+ expect(@user).to be_valid
+ expect(@user.save).to be true
+ expect(@user.persisted?).to be true
+ expect(@user.person.persisted?).to be true
+ expect(User.find_by_username("ohai")).to eq(@user)
end
end
@@ -409,19 +409,19 @@ describe User do
end
it "raises no error" do
- lambda { User.build(@invalid_params) }.should_not raise_error
+ expect { User.build(@invalid_params) }.not_to raise_error
end
it "does not save" do
- User.build(@invalid_params).save.should be_false
+ expect(User.build(@invalid_params).save).to be false
end
it 'does not save a person' do
- lambda { User.build(@invalid_params) }.should_not change(Person, :count)
+ expect { User.build(@invalid_params) }.not_to change(Person, :count)
end
it 'does not generate a key' do
- User.should_receive(:generate_key).exactly(0).times
+ expect(User).to receive(:generate_key).exactly(0).times
User.build(@invalid_params)
end
end
@@ -443,7 +443,7 @@ describe User do
end
it "does not assign it to the person" do
- User.build(@invalid_params).person.id.should_not == person.id
+ expect(User.build(@invalid_params).person.id).not_to eq(person.id)
end
end
end
@@ -453,7 +453,7 @@ describe User do
inv = InvitationCode.create(:user => bob)
user = FactoryGirl.build(:user)
user.process_invite_acceptence(inv)
- user.invited_by_id.should == bob.id
+ expect(user.invited_by_id).to eq(bob.id)
end
end
@@ -474,27 +474,27 @@ describe User do
expect {
alice.update_user_preferences({'mentioned' => false})
}.to change(alice.user_preferences, :count).by(@pref_count-1)
- alice.reload.disable_mail.should be_false
+ expect(alice.reload.disable_mail).to be false
end
end
describe ".find_for_database_authentication" do
it 'finds a user' do
- User.find_for_database_authentication(:username => alice.username).should == alice
+ expect(User.find_for_database_authentication(:username => alice.username)).to eq(alice)
end
it 'finds a user by email' do
- User.find_for_database_authentication(:username => alice.email).should == alice
+ expect(User.find_for_database_authentication(:username => alice.email)).to eq(alice)
end
it "does not preserve case" do
- User.find_for_database_authentication(:username => alice.username.upcase).should == alice
+ expect(User.find_for_database_authentication(:username => alice.username.upcase)).to eq(alice)
end
it 'errors out when passed a non-hash' do
- lambda {
+ expect {
User.find_for_database_authentication(alice.username)
- }.should raise_error
+ }.to raise_error
end
end
@@ -509,26 +509,26 @@ describe User do
it 'dispatches the profile when tags are set' do
@params = {:tag_string => '#what #hey'}
mailman = Postzord::Dispatcher.build(alice, Profile.new)
- Postzord::Dispatcher.should_receive(:build).and_return(mailman)
- alice.update_profile(@params).should be_true
+ expect(Postzord::Dispatcher).to receive(:build).and_return(mailman)
+ expect(alice.update_profile(@params)).to be true
end
it 'sends a profile to their contacts' do
mailman = Postzord::Dispatcher.build(alice, Profile.new)
- Postzord::Dispatcher.should_receive(:build).and_return(mailman)
- alice.update_profile(@params).should be_true
+ expect(Postzord::Dispatcher).to receive(:build).and_return(mailman)
+ expect(alice.update_profile(@params)).to be true
end
it 'updates names' do
- alice.update_profile(@params).should be_true
- alice.reload.profile.first_name.should == 'bob'
+ expect(alice.update_profile(@params)).to be true
+ expect(alice.reload.profile.first_name).to eq('bob')
end
it 'updates image_url' do
params = {:image_url => "http://clown.com"}
- alice.update_profile(params).should be_true
- alice.reload.profile.image_url.should == "http://clown.com"
+ expect(alice.update_profile(params)).to be true
+ expect(alice.reload.profile.image_url).to eq("http://clown.com")
end
context 'passing in a photo' do
@@ -542,20 +542,20 @@ describe User do
end
it 'updates image_url' do
- alice.update_profile(@params).should be_true
+ expect(alice.update_profile(@params)).to be true
alice.reload
- alice.profile.image_url.should =~ Regexp.new(@photo.url(:thumb_large))
- alice.profile.image_url_medium.should =~ Regexp.new(@photo.url(:thumb_medium))
- alice.profile.image_url_small.should =~ Regexp.new(@photo.url(:thumb_small))
+ expect(alice.profile.image_url).to match(Regexp.new(@photo.url(:thumb_large)))
+ expect(alice.profile.image_url_medium).to match(Regexp.new(@photo.url(:thumb_medium)))
+ expect(alice.profile.image_url_small).to match(Regexp.new(@photo.url(:thumb_small)))
end
it 'unpends the photo' do
@photo.pending = true
@photo.save!
@photo.reload
- alice.update_profile(@params).should be true
- @photo.reload.pending.should be_false
+ expect(alice.update_profile(@params)).to be true
+ expect(@photo.reload.pending).to be false
end
end
end
@@ -563,7 +563,7 @@ describe User do
describe '#update_post' do
it 'should dispatch post' do
photo = alice.build_post(:photo, :user_file => uploaded_photo, :text => "hello", :to => alice.aspects.first.id)
- alice.should_receive(:dispatch_post).with(photo)
+ expect(alice).to receive(:dispatch_post).with(photo)
alice.update_post(photo, :text => 'hellp')
end
end
@@ -574,23 +574,23 @@ describe User do
end
it 'notifies the user if the incoming post mentions them' do
- @post.should_receive(:mentions?).with(alice.person).and_return(true)
- @post.should_receive(:notify_person).with(alice.person)
+ expect(@post).to receive(:mentions?).with(alice.person).and_return(true)
+ expect(@post).to receive(:notify_person).with(alice.person)
alice.notify_if_mentioned(@post)
end
it 'does not notify the user if the incoming post does not mention them' do
- @post.should_receive(:mentions?).with(alice.person).and_return(false)
- @post.should_not_receive(:notify_person)
+ expect(@post).to receive(:mentions?).with(alice.person).and_return(false)
+ expect(@post).not_to receive(:notify_person)
alice.notify_if_mentioned(@post)
end
it 'does not notify the user if the post author is not a contact' do
@post = FactoryGirl.build(:status_message, :author => eve.person)
- @post.stub(:mentions?).and_return(true)
- @post.should_not_receive(:notify_person)
+ allow(@post).to receive(:mentions?).and_return(true)
+ expect(@post).not_to receive(:notify_person)
alice.notify_if_mentioned(@post)
end
@@ -600,23 +600,23 @@ describe User do
describe '#destroy' do
it 'removes invitations from the user' do
FactoryGirl.create(:invitation, :sender => alice)
- lambda {
+ expect {
alice.destroy
- }.should change {alice.invitations_from_me(true).count }.by(-1)
+ }.to change {alice.invitations_from_me(true).count }.by(-1)
end
it 'removes invitations to the user' do
Invitation.new(:sender => eve, :recipient => alice, :identifier => alice.email, :aspect => eve.aspects.first).save(:validate => false)
- lambda {
+ expect {
alice.destroy
- }.should change {alice.invitations_to_me(true).count }.by(-1)
+ }.to change {alice.invitations_to_me(true).count }.by(-1)
end
it 'removes all service connections' do
Services::Facebook.create(:access_token => 'what', :user_id => alice.id)
- lambda {
+ expect {
alice.destroy
- }.should change {
+ }.to change {
alice.services.count
}.by(-1)
end
@@ -628,13 +628,13 @@ describe User do
alice.disable_mail = false
alice.save
- Workers::Mail::StartedSharing.should_receive(:perform_async).with(alice.id, 'contactrequestid').once
+ expect(Workers::Mail::StartedSharing).to receive(:perform_async).with(alice.id, 'contactrequestid').once
alice.mail(Workers::Mail::StartedSharing, alice.id, 'contactrequestid')
end
it 'does not enqueue a mail job if the correct corresponding job has a preference entry' do
alice.user_preferences.create(:email_type => 'started_sharing')
- Workers::Mail::StartedSharing.should_not_receive(:perform_async)
+ expect(Workers::Mail::StartedSharing).not_to receive(:perform_async)
alice.mail(Workers::Mail::StartedSharing, alice.id, 'contactrequestid')
end
@@ -642,7 +642,7 @@ describe User do
alice.disable_mail = true
alice.save
alice.reload
- Workers::Mail::StartedSharing.should_not_receive(:perform_async)
+ expect(Workers::Mail::StartedSharing).not_to receive(:perform_async)
alice.mail(Workers::Mail::StartedSharing, alice.id, 'contactrequestid')
end
end
@@ -656,13 +656,13 @@ describe User do
describe "#add_contact_to_aspect" do
it 'adds the contact to the aspect' do
- lambda {
+ expect {
alice.add_contact_to_aspect(@contact, @new_aspect)
- }.should change(@new_aspect.contacts, :count).by(1)
+ }.to change(@new_aspect.contacts, :count).by(1)
end
it 'returns true if they are already in the aspect' do
- alice.add_contact_to_aspect(@contact, @original_aspect).should be_true
+ expect(alice.add_contact_to_aspect(@contact, @original_aspect)).to be true
end
end
end
@@ -679,23 +679,23 @@ describe User do
describe '#like_for' do
it 'returns the correct like' do
- alice.like_for(@message).should == @like
- bob.like_for(@message).should == @like2
+ expect(alice.like_for(@message)).to eq(@like)
+ expect(bob.like_for(@message)).to eq(@like2)
end
it "returns nil if there's no like" do
- alice.like_for(@message2).should be_nil
+ expect(alice.like_for(@message2)).to be_nil
end
end
describe '#liked?' do
it "returns true if there's a like" do
- alice.liked?(@message).should be_true
- bob.liked?(@message).should be_true
+ expect(alice.liked?(@message)).to be true
+ expect(bob.liked?(@message)).to be true
end
it "returns false if there's no like" do
- alice.liked?(@message2).should be_false
+ expect(alice.liked?(@message2)).to be false
end
end
end
@@ -705,47 +705,47 @@ describe User do
describe "#unconfirmed_email" do
it "is nil by default" do
- user.unconfirmed_email.should eql(nil)
+ expect(user.unconfirmed_email).to eql(nil)
end
it "forces blank to nil" do
user.unconfirmed_email = ""
user.save!
- user.unconfirmed_email.should eql(nil)
+ expect(user.unconfirmed_email).to eql(nil)
end
it "is ignored if it equals email" do
user.unconfirmed_email = user.email
user.save!
- user.unconfirmed_email.should eql(nil)
+ expect(user.unconfirmed_email).to eql(nil)
end
it "allows change to valid new email" do
user.unconfirmed_email = "alice@newmail.com"
user.save!
- user.unconfirmed_email.should eql("alice@newmail.com")
+ expect(user.unconfirmed_email).to eql("alice@newmail.com")
end
end
describe "#confirm_email_token" do
it "is nil by default" do
- user.confirm_email_token.should eql(nil)
+ expect(user.confirm_email_token).to eql(nil)
end
it "is autofilled when unconfirmed_email is set to new email" do
user.unconfirmed_email = "alice@newmail.com"
user.save!
- user.confirm_email_token.should_not be_blank
- user.confirm_email_token.size.should eql(30)
+ expect(user.confirm_email_token).not_to be_blank
+ expect(user.confirm_email_token.size).to eql(30)
end
it "is set back to nil when unconfirmed_email is empty" do
user.unconfirmed_email = "alice@newmail.com"
user.save!
- user.confirm_email_token.should_not be_blank
+ expect(user.confirm_email_token).not_to be_blank
user.unconfirmed_email = nil
user.save!
- user.confirm_email_token.should eql(nil)
+ expect(user.confirm_email_token).to eql(nil)
end
it "generates new token on every new unconfirmed_email" do
@@ -754,21 +754,21 @@ describe User do
first_token = user.confirm_email_token
user.unconfirmed_email = "alice@andanotherone.com"
user.save!
- user.confirm_email_token.should_not eql(first_token)
- user.confirm_email_token.size.should eql(30)
+ expect(user.confirm_email_token).not_to eql(first_token)
+ expect(user.confirm_email_token.size).to eql(30)
end
end
describe '#mail_confirm_email' do
it 'enqueues a mail job on user with unconfirmed email' do
user.update_attribute(:unconfirmed_email, "alice@newmail.com")
- Workers::Mail::ConfirmEmail.should_receive(:perform_async).with(alice.id).once
- alice.mail_confirm_email.should eql(true)
+ expect(Workers::Mail::ConfirmEmail).to receive(:perform_async).with(alice.id).once
+ expect(alice.mail_confirm_email).to eql(true)
end
it 'enqueues NO mail job on user without unconfirmed email' do
- Workers::Mail::ConfirmEmail.should_not_receive(:perform_async).with(alice.id)
- alice.mail_confirm_email.should eql(false)
+ expect(Workers::Mail::ConfirmEmail).not_to receive(:perform_async).with(alice.id)
+ expect(alice.mail_confirm_email).to eql(false)
end
end
@@ -779,54 +779,54 @@ describe User do
end
it 'confirms email and set the unconfirmed_email to email on valid token' do
- user.confirm_email(user.confirm_email_token).should eql(true)
- user.email.should eql("alice@newmail.com")
- user.unconfirmed_email.should eql(nil)
- user.confirm_email_token.should eql(nil)
+ expect(user.confirm_email(user.confirm_email_token)).to eql(true)
+ expect(user.email).to eql("alice@newmail.com")
+ expect(user.unconfirmed_email).to eql(nil)
+ expect(user.confirm_email_token).to eql(nil)
end
it 'returns false and does not change anything on wrong token' do
- user.confirm_email(user.confirm_email_token.reverse).should eql(false)
- user.email.should_not eql("alice@newmail.com")
- user.unconfirmed_email.should_not eql(nil)
- user.confirm_email_token.should_not eql(nil)
+ expect(user.confirm_email(user.confirm_email_token.reverse)).to eql(false)
+ expect(user.email).not_to eql("alice@newmail.com")
+ expect(user.unconfirmed_email).not_to eql(nil)
+ expect(user.confirm_email_token).not_to eql(nil)
end
it 'returns false and does not change anything on blank token' do
- user.confirm_email("").should eql(false)
- user.email.should_not eql("alice@newmail.com")
- user.unconfirmed_email.should_not eql(nil)
- user.confirm_email_token.should_not eql(nil)
+ expect(user.confirm_email("")).to eql(false)
+ expect(user.email).not_to eql("alice@newmail.com")
+ expect(user.unconfirmed_email).not_to eql(nil)
+ expect(user.confirm_email_token).not_to eql(nil)
end
it 'returns false and does not change anything on blank token' do
- user.confirm_email(nil).should eql(false)
- user.email.should_not eql("alice@newmail.com")
- user.unconfirmed_email.should_not eql(nil)
- user.confirm_email_token.should_not eql(nil)
+ expect(user.confirm_email(nil)).to eql(false)
+ expect(user.email).not_to eql("alice@newmail.com")
+ expect(user.unconfirmed_email).not_to eql(nil)
+ expect(user.confirm_email_token).not_to eql(nil)
end
end
context 'on user without unconfirmed email' do
it 'returns false and does not change anything on any token' do
- user.confirm_email("12345"*6).should eql(false)
- user.email.should_not eql("alice@newmail.com")
- user.unconfirmed_email.should eql(nil)
- user.confirm_email_token.should eql(nil)
+ expect(user.confirm_email("12345"*6)).to eql(false)
+ expect(user.email).not_to eql("alice@newmail.com")
+ expect(user.unconfirmed_email).to eql(nil)
+ expect(user.confirm_email_token).to eql(nil)
end
it 'returns false and does not change anything on blank token' do
- user.confirm_email("").should eql(false)
- user.email.should_not eql("alice@newmail.com")
- user.unconfirmed_email.should eql(nil)
- user.confirm_email_token.should eql(nil)
+ expect(user.confirm_email("")).to eql(false)
+ expect(user.email).not_to eql("alice@newmail.com")
+ expect(user.unconfirmed_email).to eql(nil)
+ expect(user.confirm_email_token).to eql(nil)
end
it 'returns false and does not change anything on blank token' do
- user.confirm_email(nil).should eql(false)
- user.email.should_not eql("alice@newmail.com")
- user.unconfirmed_email.should eql(nil)
- user.confirm_email_token.should eql(nil)
+ expect(user.confirm_email(nil)).to eql(false)
+ expect(user.email).not_to eql("alice@newmail.com")
+ expect(user.unconfirmed_email).to eql(nil)
+ expect(user.confirm_email_token).to eql(nil)
end
end
end
@@ -841,14 +841,14 @@ describe User do
context "posts" do
before do
- SignedRetraction.stub(:build).and_return(@retraction)
- @retraction.stub(:perform)
+ allow(SignedRetraction).to receive(:build).and_return(@retraction)
+ allow(@retraction).to receive(:perform)
end
it 'sends a retraction' do
dispatcher = double
- Postzord::Dispatcher.should_receive(:build).with(bob, @retraction, anything()).and_return(dispatcher)
- dispatcher.should_receive(:post)
+ expect(Postzord::Dispatcher).to receive(:build).with(bob, @retraction, anything()).and_return(dispatcher)
+ expect(dispatcher).to receive(:post)
bob.retract(@post)
end
@@ -859,8 +859,8 @@ describe User do
@post.reshares << reshare
dispatcher = double
- Postzord::Dispatcher.should_receive(:build).with(bob, @retraction, {:additional_subscribers => [person], :services => anything}).and_return(dispatcher)
- dispatcher.should_receive(:post)
+ expect(Postzord::Dispatcher).to receive(:build).with(bob, @retraction, {:additional_subscribers => [person], :services => anything}).and_return(dispatcher)
+ expect(dispatcher).to receive(:post)
bob.retract(@post)
end
@@ -870,7 +870,7 @@ describe User do
describe "#send_reset_password_instructions" do
it "queues up a job to send the reset password instructions" do
user = FactoryGirl.create :user
- Workers::ResetPassword.should_receive(:perform_async).with(user.id)
+ expect(Workers::ResetPassword).to receive(:perform_async).with(user.id)
user.send_reset_password_instructions
end
end
@@ -886,7 +886,7 @@ describe User do
[I18n.t('aspects.seed.family'), I18n.t('aspects.seed.friends'),
I18n.t('aspects.seed.work'), I18n.t('aspects.seed.acquaintances')].each do |aspect_name|
it "creates an aspect named #{aspect_name} for the user" do
- user.aspects.find_by_name(aspect_name).should_not be_nil
+ expect(user.aspects.find_by_name(aspect_name)).not_to be_nil
end
end
end
@@ -896,24 +896,14 @@ describe User do
FactoryGirl.create(:user)
}
- before(:each) do
- @old_autofollow_value = AppConfig.settings.autofollow_on_join?
- @old_autofollow_user = AppConfig.settings.autofollow_on_join_user
- end
-
- after(:each) do
- AppConfig.settings.autofollow_on_join = @old_followhq_value
- AppConfig.settings.autofollow_on_join_user = @old_autofollow_user
- end
-
context "with autofollow sharing enabled" do
it "should start sharing with autofollow account" do
AppConfig.settings.autofollow_on_join = true
AppConfig.settings.autofollow_on_join_user = 'one'
wf_double = double
- wf_double.should_receive(:fetch)
- Webfinger.should_receive(:new).with('one').and_return(wf_double)
+ expect(wf_double).to receive(:fetch)
+ expect(Webfinger).to receive(:new).with('one').and_return(wf_double)
user.seed_aspects
end
@@ -923,7 +913,7 @@ describe User do
it "should not start sharing with the diasporahq account" do
AppConfig.settings.autofollow_on_join = false
- Webfinger.should_not_receive(:new)
+ expect(Webfinger).not_to receive(:new)
user.seed_aspects
end
@@ -939,7 +929,7 @@ describe User do
describe "#close_account!" do
it 'locks the user out' do
@user.close_account!
- @user.reload.access_locked?.should be_true
+ expect(@user.reload.access_locked?).to be true
end
it 'creates an account deletion' do
@@ -949,7 +939,7 @@ describe User do
end
it 'calls person#lock_access!' do
- @user.person.should_receive(:lock_access!)
+ expect(@user.person).to receive(:lock_access!)
@user.close_account!
end
end
@@ -957,7 +947,7 @@ describe User do
describe "#clear_account!" do
it 'resets the password to a random string' do
random_pass = "12345678909876543210"
- SecureRandom.should_receive(:hex).and_return(random_pass)
+ expect(SecureRandom).to receive(:hex).and_return(random_pass)
@user.clear_account!
@user.valid_password?(random_pass)
end
@@ -969,15 +959,27 @@ describe User do
@user.reload
attributes.each do |attr|
- @user.send(attr.to_sym).should be_blank
+ expect(@user.send(attr.to_sym)).to be_blank
end
end
+
+ it 'disables mail' do
+ @user.disable_mail = false
+ @user.clear_account!
+ expect(@user.reload.disable_mail).to be true
+ end
+
+ it 'sets getting_started and show_community_spotlight_in_stream fields to false' do
+ @user.clear_account!
+ expect(@user.reload.getting_started).to be false
+ expect(@user.reload.show_community_spotlight_in_stream).to be false
+ end
end
describe "#clearable_attributes" do
it 'returns the clearable fields' do
user = FactoryGirl.create :user
- user.send(:clearable_fields).sort.should == %w{
+ expect(user.send(:clearable_fields).sort).to eq(%w{
language
invitation_token
invitation_sent_at
@@ -1001,11 +1003,73 @@ describe User do
unconfirmed_email
confirm_email_token
last_seen
- }.sort
+ }.sort)
end
end
end
-
+
+ describe "queue_export" do
+ it "queues up a job to perform the export" do
+ user = FactoryGirl.create :user
+ expect(Workers::ExportUser).to receive(:perform_async).with(user.id)
+ user.queue_export
+ expect(user.exporting).to be_truthy
+ end
+ end
+
+ describe "perform_export!" do
+ it "saves a json export to the user" do
+ user = FactoryGirl.create :user, exporting: true
+ user.perform_export!
+ expect(user.export).to be_present
+ expect(user.exported_at).to be_present
+ expect(user.exporting).to be_falsey
+ expect(user.export.filename).to match /.json/
+ expect(ActiveSupport::Gzip.decompress(user.export.file.read)).to include user.username
+ end
+
+ it "compresses the result" do
+ user = FactoryGirl.create :user, exporting: true
+ expect(ActiveSupport::Gzip).to receive :compress
+ user.perform_export!
+ end
+ end
+
+ describe "queue_export_photos" do
+ it "queues up a job to perform the export photos" do
+ user = FactoryGirl.create :user
+ expect(Workers::ExportPhotos).to receive(:perform_async).with(user.id)
+ user.queue_export_photos
+ expect(user.exporting_photos).to be_truthy
+ end
+ end
+
+ describe "perform_export_photos!" do
+ before do
+ @user = alice
+ filename = 'button.png'
+ image = File.join(File.dirname(__FILE__), '..', 'fixtures', filename)
+ @saved_image = @user.build_post(:photo, :user_file => File.open(image), :to => alice.aspects.first.id)
+ @saved_image.save!
+ end
+
+ it "saves a zip export to the user" do
+ @user.perform_export_photos!
+ expect(@user.exported_photos_file).to be_present
+ expect(@user.exported_photos_at).to be_present
+ expect(@user.exporting_photos).to be_falsey
+ expect(@user.exported_photos_file.filename).to match /.zip/
+ expect(Zip::ZipFile.open(@user.exported_photos_file.path).entries.count).to eq(1)
+ end
+
+ it "does not add empty entries when photo not found" do
+ File.unlink @user.photos.first.unprocessed_image.path
+ @user.perform_export_photos!
+ expect(@user.exported_photos_file.filename).to match /.zip/
+ expect(Zip::ZipFile.open(@user.exported_photos_file.path).entries.count).to eq(0)
+ end
+ end
+
describe "sign up" do
before do
params = {:username => "ohai",
@@ -1013,7 +1077,7 @@ describe User do
:password => "password",
:password_confirmation => "password",
:captcha => "12345",
-
+
:person =>
{:profile =>
{:first_name => "O",
@@ -1025,14 +1089,55 @@ describe User do
it "saves with captcha off" do
AppConfig.settings.captcha.enable = false
- @user.should_receive(:save).and_return(true)
+ expect(@user).to receive(:save).and_return(true)
@user.sign_up
end
it "saves with captcha on" do
AppConfig.settings.captcha.enable = true
- @user.should_receive(:save_with_captcha).and_return(true)
+ expect(@user).to receive(:save_with_captcha).and_return(true)
@user.sign_up
end
end
+
+ describe "maintenance" do
+ before do
+ @user = bob
+ AppConfig.settings.maintenance.remove_old_users.enable = true
+ end
+
+ it "#flags user for removal" do
+ remove_at = Time.now+5.days
+ @user.flag_for_removal(remove_at)
+ expect(@user.remove_after).to eq(remove_at)
+ end
+ end
+
+ describe "#auth database auth maintenance" do
+ before do
+ @user = bob
+ @user.remove_after = Time.now
+ @user.save
+ end
+
+ it "remove_after is cleared" do
+ @user.after_database_authentication
+ expect(@user.remove_after).to eq(nil)
+ end
+ end
+
+ describe "active" do
+ before do
+ invited_user = FactoryGirl.build(:user, username: nil)
+ invited_user.save(validate: false)
+
+ closed_account = FactoryGirl.create(:user)
+ closed_account.person.closed_account = true
+ closed_account.save
+ end
+
+ it "returns total_users excluding closed accounts & users without usernames" do
+ expect(User.active.count).to eq 6 # 6 users from fixtures
+ end
+ end
end
diff --git a/spec/presenters/aspect_membership_presenter_spec.rb b/spec/presenters/aspect_membership_presenter_spec.rb
new file mode 100644
index 000000000..86d25de66
--- /dev/null
+++ b/spec/presenters/aspect_membership_presenter_spec.rb
@@ -0,0 +1,15 @@
+require 'spec_helper'
+
+describe AspectMembershipPresenter do
+ before do
+ @am = alice.aspects.where(:name => "generic").first.aspect_memberships.first
+ @presenter = AspectMembershipPresenter.new(@am)
+ end
+
+ describe '#base_hash' do
+ it 'works' do
+ expect(@presenter.base_hash).to be_present
+ end
+ end
+
+end
diff --git a/spec/presenters/aspect_presenter_spec.rb b/spec/presenters/aspect_presenter_spec.rb
index d38b97f42..ba2bb5b4a 100644
--- a/spec/presenters/aspect_presenter_spec.rb
+++ b/spec/presenters/aspect_presenter_spec.rb
@@ -7,7 +7,7 @@ describe AspectPresenter do
describe '#to_json' do
it 'works' do
- @presenter.to_json.should be_present
+ expect(@presenter.to_json).to be_present
end
end
end
\ No newline at end of file
diff --git a/spec/presenters/base_presenter_spec.rb b/spec/presenters/base_presenter_spec.rb
new file mode 100644
index 000000000..561d1993f
--- /dev/null
+++ b/spec/presenters/base_presenter_spec.rb
@@ -0,0 +1,25 @@
+require "spec_helper"
+
+describe BasePresenter do
+ it "falls back to nil" do
+ p = BasePresenter.new(nil)
+ expect(p.anything).to be(nil)
+ expect { p.otherthing }.not_to raise_error
+ end
+
+ it "calls methods on the wrapped object" do
+ obj = double(hello: "world")
+ p = BasePresenter.new(obj)
+
+ expect(p.hello).to eql("world")
+ expect(obj).to have_received(:hello)
+ end
+
+ describe "#as_collection" do
+ it "returns an array of data" do
+ coll = [double(data: "one"), double(data: "two"), double(data: "three")]
+ res = BasePresenter.as_collection(coll, :data)
+ expect(res).to eql(["one", "two", "three"])
+ end
+ end
+end
diff --git a/spec/presenters/contact_presenter_spec.rb b/spec/presenters/contact_presenter_spec.rb
new file mode 100644
index 000000000..2a1e0cefa
--- /dev/null
+++ b/spec/presenters/contact_presenter_spec.rb
@@ -0,0 +1,26 @@
+require 'spec_helper'
+
+describe ContactPresenter do
+ before do
+ @presenter = ContactPresenter.new(alice.contact_for(bob.person))
+ end
+
+ describe '#base_hash' do
+ it 'works' do
+ expect(@presenter.base_hash).to be_present
+ end
+ end
+
+ describe '#full_hash' do
+ it 'works' do
+ expect(@presenter.full_hash).to be_present
+ end
+ end
+
+ describe '#full_hash_with_person' do
+ it 'works' do
+ expect(@presenter.full_hash_with_person).to be_present
+ end
+ end
+
+end
diff --git a/spec/presenters/o_embed_presenter_spec.rb b/spec/presenters/o_embed_presenter_spec.rb
index d343ba96c..bf8192675 100644
--- a/spec/presenters/o_embed_presenter_spec.rb
+++ b/spec/presenters/o_embed_presenter_spec.rb
@@ -5,31 +5,31 @@ describe OEmbedPresenter do
end
it 'is a hash' do
- @oembed.as_json.should be_a Hash
+ expect(@oembed.as_json).to be_a Hash
end
context 'required options from oembed spec' do
it 'supports maxheight + maxwidth(required)' do
oembed = OEmbedPresenter.new(FactoryGirl.create(:status_message), :maxwidth => 200, :maxheight => 300).as_json
- oembed[:width].should == 200
- oembed[:height].should == 300
+ expect(oembed[:width]).to eq(200)
+ expect(oembed[:height]).to eq(300)
end
end
describe '#iframe_html' do
it 'passes the height options to post_iframe_url' do
- @oembed.should_receive(:post_iframe_url).with(instance_of(Fixnum), instance_of(Hash))
+ expect(@oembed).to receive(:post_iframe_url).with(instance_of(Fixnum), instance_of(Hash))
@oembed.iframe_html
end
end
describe '.id_from_url' do
it 'takes a long post url and gives you the id' do
- OEmbedPresenter.id_from_url('http://localhost:400/posts/1').should == "1"
+ expect(OEmbedPresenter.id_from_url('http://localhost:400/posts/1')).to eq("1")
end
it 'takes a short post url and gives you the id' do
- OEmbedPresenter.id_from_url('http://localhost:400/p/1').should == "1"
+ expect(OEmbedPresenter.id_from_url('http://localhost:400/p/1')).to eq("1")
end
end
end
\ No newline at end of file
diff --git a/spec/presenters/person_presenter_spec.rb b/spec/presenters/person_presenter_spec.rb
index 4eb502f0a..97f01887c 100644
--- a/spec/presenters/person_presenter_spec.rb
+++ b/spec/presenters/person_presenter_spec.rb
@@ -7,7 +7,7 @@ describe PersonPresenter do
describe "#as_json" do
context "with no current_user" do
it "returns the user's public information if a user is not logged in" do
- PersonPresenter.new(person, nil).as_json.should include(person.as_api_response(:backbone))
+ expect(PersonPresenter.new(person, nil).as_json).to include(person.as_api_response(:backbone).except(:avatar))
end
end
@@ -16,17 +16,57 @@ describe PersonPresenter do
let(:presenter){ PersonPresenter.new(person, current_user) }
it "doesn't share private information when the users aren't connected" do
- presenter.as_json.should_not have_key(:location)
+ expect(presenter.as_json).not_to have_key(:location)
end
it "has private information when the person is sharing with the current user" do
- person.should_receive(:shares_with).with(current_user).and_return(true)
- presenter.as_json.should have_key(:location)
+ expect(person).to receive(:shares_with).with(current_user).and_return(true)
+ expect(presenter.as_json).to have_key(:location)
end
it "returns the user's private information if a user is logged in as herself" do
- PersonPresenter.new(current_user.person, current_user).as_json.should have_key(:location)
+ expect(PersonPresenter.new(current_user.person, current_user).as_json).to have_key(:location)
end
end
end
-end
\ No newline at end of file
+
+ describe "#full_hash" do
+ let(:current_user) { FactoryGirl.create(:user) }
+ let(:mutual_contact) { double(:id => 1, :mutual? => true, :sharing? => true, :receiving? => true ) }
+ let(:receiving_contact) { double(:id => 1, :mutual? => false, :sharing? => false, :receiving? => true) }
+ let(:sharing_contact) { double(:id => 1, :mutual? => false, :sharing? => true, :receiving? => false) }
+ let(:non_contact) { double(:id => 1, :mutual? => false, :sharing? => false, :receiving? => false) }
+
+ before do
+ @p = PersonPresenter.new(person, current_user)
+ end
+
+ context "relationship" do
+ it "is blocked?" do
+ allow(current_user).to receive(:block_for) { double(id: 1) }
+ allow(current_user).to receive(:contact_for) { non_contact }
+ expect(@p.full_hash[:relationship]).to be(:blocked)
+ end
+
+ it "is mutual?" do
+ allow(current_user).to receive(:contact_for) { mutual_contact }
+ expect(@p.full_hash[:relationship]).to be(:mutual)
+ end
+
+ it "is receiving?" do
+ allow(current_user).to receive(:contact_for) { receiving_contact }
+ expect(@p.full_hash[:relationship]).to be(:receiving)
+ end
+
+ it "is sharing?" do
+ allow(current_user).to receive(:contact_for) { sharing_contact }
+ expect(@p.full_hash[:relationship]).to be(:sharing)
+ end
+
+ it "isn't sharing?" do
+ allow(current_user).to receive(:contact_for) { non_contact }
+ expect(@p.full_hash[:relationship]).to be(:not_sharing)
+ end
+ end
+ end
+end
diff --git a/spec/presenters/post_presenter_spec.rb b/spec/presenters/post_presenter_spec.rb
index e487465e1..293f0337c 100644
--- a/spec/presenters/post_presenter_spec.rb
+++ b/spec/presenters/post_presenter_spec.rb
@@ -9,38 +9,38 @@ describe PostPresenter do
end
it 'takes a post and an optional user' do
- @presenter.should_not be_nil
+ expect(@presenter).not_to be_nil
end
describe '#as_json' do
it 'works with a user' do
- @presenter.as_json.should be_a Hash
+ expect(@presenter.as_json).to be_a Hash
end
it 'works without a user' do
- @unauthenticated_presenter.as_json.should be_a Hash
+ expect(@unauthenticated_presenter.as_json).to be_a Hash
end
end
describe '#user_like' do
it 'includes the users like' do
bob.like!(@sm)
- @presenter.user_like.should be_present
+ expect(@presenter.user_like).to be_present
end
it 'is nil if the user is not authenticated' do
- @unauthenticated_presenter.user_like.should be_nil
+ expect(@unauthenticated_presenter.user_like).to be_nil
end
end
describe '#user_reshare' do
it 'includes the users reshare' do
bob.reshare!(@sm)
- @presenter.user_reshare.should be_present
+ expect(@presenter.user_reshare).to be_present
end
it 'is nil if the user is not authenticated' do
- @unauthenticated_presenter.user_reshare.should be_nil
+ expect(@unauthenticated_presenter.user_reshare).to be_nil
end
end
@@ -68,7 +68,7 @@ describe PostPresenter do
context 'with posts with text' do
it "delegates to message.title" do
message = double(present?: true)
- message.should_receive(:title)
+ expect(message).to receive(:title)
@presenter.post = double(message: message)
@presenter.title
end
@@ -78,7 +78,7 @@ describe PostPresenter do
it ' displays a messaage with the post class' do
@sm = double(message: double(present?: false), author: bob.person, author_name: bob.person.name)
@presenter.post = @sm
- @presenter.title.should == "A post from #{@sm.author.name}"
+ expect(@presenter.title).to eq("A post from #{@sm.author.name}")
end
end
end
@@ -86,7 +86,7 @@ describe PostPresenter do
describe '#poll' do
it 'works without a user' do
presenter = PostPresenter.new(@sm_with_poll)
- presenter.as_json.should be_a(Hash)
+ expect(presenter.as_json).to be_a(Hash)
end
end
end
diff --git a/spec/presenters/service_presenter_spec.rb b/spec/presenters/service_presenter_spec.rb
index 62c959af9..046645552 100644
--- a/spec/presenters/service_presenter_spec.rb
+++ b/spec/presenters/service_presenter_spec.rb
@@ -4,7 +4,7 @@ describe ServicePresenter do
describe '#as_json' do
it 'includes the provider name of the json' do
presenter = ServicePresenter.new(double(:provider => "fakebook"))
- presenter.as_json[:provider].should == 'fakebook'
+ expect(presenter.as_json[:provider]).to eq('fakebook')
end
end
end
\ No newline at end of file
diff --git a/spec/presenters/statistics_presenter_spec.rb b/spec/presenters/statistics_presenter_spec.rb
index e1d17103b..40661f123 100644
--- a/spec/presenters/statistics_presenter_spec.rb
+++ b/spec/presenters/statistics_presenter_spec.rb
@@ -7,57 +7,72 @@ describe StatisticsPresenter do
describe '#as_json' do
it 'works' do
- @presenter.as_json.should be_present
- @presenter.as_json.should be_a Hash
+ expect(@presenter.as_json).to be_present
+ expect(@presenter.as_json).to be_a Hash
end
end
describe '#statistics contents' do
-
- it 'provides generic pod data in json' do
+ before do
AppConfig.privacy.statistics.user_counts = false
AppConfig.privacy.statistics.post_counts = false
AppConfig.privacy.statistics.comment_counts = false
- AppConfig.services = {"facebook" => nil}
- @presenter.as_json.should == {
- "name" => AppConfig.settings.pod_name,
- "version" => AppConfig.version_string,
- "registrations_open" => AppConfig.settings.enable_registrations,
- "facebook" => false
- }
end
-
+
+ it 'provides generic pod data in json' do
+ expect(@presenter.as_json).to eq({
+ "name" => AppConfig.settings.pod_name,
+ "network" => "Diaspora",
+ "version" => AppConfig.version_string,
+ "registrations_open" => AppConfig.settings.enable_registrations?,
+ "services"=> ["facebook",],
+ "facebook" => true,
+ "tumblr" => false,
+ "twitter" => false,
+ "wordpress" => false,
+ })
+ end
+
context 'when services are enabled' do
before do
AppConfig.privacy.statistics.user_counts = true
AppConfig.privacy.statistics.post_counts = true
AppConfig.privacy.statistics.comment_counts = true
AppConfig.services = {
- "facebook" => {"enable" => true},
- "twitter" => {"enable" => true},
+ "facebook" => {"enable" => true},
+ "twitter" => {"enable" => true},
"wordpress" => {"enable" => false},
"tumblr" => {"enable" => false}
}
end
it 'provides generic pod data and counts in json' do
- @presenter.as_json.should == {
+ expect(@presenter.as_json).to eq({
"name" => AppConfig.settings.pod_name,
+ "network" => "Diaspora",
"version" => AppConfig.version_string,
- "registrations_open" => AppConfig.settings.enable_registrations,
- "total_users" => User.count,
+ "registrations_open" => AppConfig.settings.enable_registrations?,
+ "total_users" => User.active.count,
"active_users_halfyear" => User.halfyear_actives.count,
"active_users_monthly" => User.monthly_actives.count,
"local_posts" => @presenter.local_posts,
"local_comments" => @presenter.local_comments,
+ "services" => ["twitter","facebook"],
"facebook" => true,
"twitter" => true,
"tumblr" => false,
"wordpress" => false
- }
+ })
end
end
+ context 'when registrations are closed' do
+ before do
+ AppConfig.settings.enable_registrations = false
+ end
+ it 'should mark open_registrations to be false' do
+ expect(@presenter.open_registrations?).to be false
+ end
+ end
end
-
end
diff --git a/spec/presenters/user_presenter_spec.rb b/spec/presenters/user_presenter_spec.rb
index 04b57b4c1..aa9ecf7ce 100644
--- a/spec/presenters/user_presenter_spec.rb
+++ b/spec/presenters/user_presenter_spec.rb
@@ -7,31 +7,31 @@ describe UserPresenter do
describe '#to_json' do
it 'works' do
- @presenter.to_json.should be_present
+ expect(@presenter.to_json).to be_present
end
end
describe '#aspects' do
it 'provides an array of the jsonified aspects' do
aspect = bob.aspects.first
- @presenter.aspects.first[:id].should == aspect.id
- @presenter.aspects.first[:name].should == aspect.name
+ expect(@presenter.aspects.first[:id]).to eq(aspect.id)
+ expect(@presenter.aspects.first[:name]).to eq(aspect.name)
end
end
describe '#services' do
it 'provides an array of jsonifed services' do
fakebook = double(:provider => 'fakebook')
- bob.stub(:services).and_return([fakebook])
- @presenter.services.should include(:provider => 'fakebook')
+ allow(bob).to receive(:services).and_return([fakebook])
+ expect(@presenter.services).to include(:provider => 'fakebook')
end
end
describe '#configured_services' do
it 'displays a list of the users configured services' do
fakebook = double(:provider => 'fakebook')
- bob.stub(:services).and_return([fakebook])
- @presenter.configured_services.should include("fakebook")
+ allow(bob).to receive(:services).and_return([fakebook])
+ expect(@presenter.configured_services).to include("fakebook")
end
end
end
diff --git a/spec/shared_behaviors/account_deletion.rb b/spec/shared_behaviors/account_deletion.rb
index 50ecf251e..027442b14 100644
--- a/spec/shared_behaviors/account_deletion.rb
+++ b/spec/shared_behaviors/account_deletion.rb
@@ -6,34 +6,34 @@ require 'spec_helper'
shared_examples_for 'it removes the person associations' do
it "removes all of the person's posts" do
- Post.where(:author_id => @person.id).count.should == 0
+ expect(Post.where(:author_id => @person.id).count).to eq(0)
end
it 'deletes all person contacts' do
- Contact.where(:person_id => @person.id).should be_empty
+ expect(Contact.where(:person_id => @person.id)).to be_empty
end
it 'deletes all mentions' do
- @person.mentions.should be_empty
+ expect(@person.mentions).to be_empty
end
it "removes all of the person's photos" do
- Photo.where(:author_id => @person.id).should be_empty
+ expect(Photo.where(:author_id => @person.id)).to be_empty
end
it 'sets the person object as closed and the profile is cleared' do
- @person.reload.closed_account.should be_true
+ expect(@person.reload.closed_account).to be true
- @person.profile.reload.first_name.should be_blank
- @person.profile.reload.last_name.should be_blank
+ expect(@person.profile.reload.first_name).to be_blank
+ expect(@person.profile.reload.last_name).to be_blank
end
it 'deletes only the converersation visibility for the deleted user' do
- ConversationVisibility.where(:person_id => alice.person.id).should_not be_empty
- ConversationVisibility.where(:person_id => @person.id).should be_empty
+ expect(ConversationVisibility.where(:person_id => alice.person.id)).not_to be_empty
+ expect(ConversationVisibility.where(:person_id => @person.id)).to be_empty
end
it "deletes the share visibilities on the person's posts" do
- ShareVisibility.for_contacts_of_a_person(@person).should be_empty
+ expect(ShareVisibility.for_contacts_of_a_person(@person)).to be_empty
end
end
diff --git a/spec/shared_behaviors/relayable.rb b/spec/shared_behaviors/relayable.rb
index 1b3dc9766..6973f6e1f 100644
--- a/spec/shared_behaviors/relayable.rb
+++ b/spec/shared_behaviors/relayable.rb
@@ -12,7 +12,7 @@ shared_examples_for "it is relayable" do
relayable = build_object
relayable.save
if relayable.parent.respond_to?(:interacted_at) #I'm sorry.
- relayable.parent.interacted_at.to_i.should == relayable.created_at.to_i
+ expect(relayable.parent.interacted_at.to_i).to eq(relayable.created_at.to_i)
end
end
end
@@ -27,14 +27,14 @@ shared_examples_for "it is relayable" do
end
it "is invalid" do
- @relayable.should_not be_valid
- @relayable.should have(1).error_on(:author_id)
+ expect(@relayable).not_to be_valid
+ expect(@relayable.errors[:author_id].size).to eq(1)
end
it "sends a retraction for the object" do
- pending 'need to figure out how to test this'
- RelayableRetraction.should_receive(:build)
- Postzord::Dispatcher.should_receive(:build)
+ skip 'need to figure out how to test this'
+ expect(RelayableRetraction).to receive(:build)
+ expect(Postzord::Dispatcher).to receive(:build)
@relayable.valid?
end
@@ -49,7 +49,7 @@ shared_examples_for "it is relayable" do
relayable = build_object
relayable.save!
bob.blocks.create(:person => alice.person)
- relayable.should be_valid
+ expect(relayable).to be_valid
end
end
end
@@ -58,26 +58,26 @@ shared_examples_for "it is relayable" do
context 'encryption' do
describe '#parent_author_signature' do
it 'should sign the object if the user is the post author' do
- @object_by_parent_author.verify_parent_author_signature.should be_true
+ expect(@object_by_parent_author.verify_parent_author_signature).to be true
end
it 'does not sign as the parent author is not parent' do
@object_by_recipient.author_signature = @object_by_recipient.send(:sign_with_key, @local_leia.encryption_key)
- @object_by_recipient.verify_parent_author_signature.should be_false
+ expect(@object_by_recipient.verify_parent_author_signature).to be false
end
it 'should verify a object made on a remote post by a different contact' do
@object_by_recipient.author_signature = @object_by_recipient.send(:sign_with_key, @local_leia.encryption_key)
@object_by_recipient.parent_author_signature = @object_by_recipient.send(:sign_with_key, @local_luke.encryption_key)
- @object_by_recipient.verify_parent_author_signature.should be_true
+ expect(@object_by_recipient.verify_parent_author_signature).to be true
end
end
describe '#author_signature' do
it 'should sign as the object author' do
- @object_on_remote_parent.signature_valid?.should be_true
- @object_by_parent_author.signature_valid?.should be_true
- @object_by_recipient.signature_valid?.should be_true
+ expect(@object_on_remote_parent.signature_valid?).to be true
+ expect(@object_by_parent_author.signature_valid?).to be true
+ expect(@object_by_recipient.signature_valid?).to be true
end
end
end
@@ -93,36 +93,36 @@ shared_examples_for "it is relayable" do
it 'does not process if post_creator_signature is invalid' do
@object_by_parent_author.delete # remove object from db so we set a creator sig
@dup_object_by_parent_author.parent_author_signature = "dsfadsfdsa"
- @dup_object_by_parent_author.receive(@local_leia, @local_luke.person).should == nil
+ expect(@dup_object_by_parent_author.receive(@local_leia, @local_luke.person)).to eq(nil)
end
it 'signs when the person receiving is the parent author' do
@object_by_recipient.save
@object_by_recipient.receive(@local_luke, @local_leia.person)
- @object_by_recipient.reload.parent_author_signature.should_not be_blank
+ expect(@object_by_recipient.reload.parent_author_signature).not_to be_blank
end
it 'dispatches when the person receiving is the parent author' do
p = Postzord::Dispatcher.build(@local_luke, @object_by_recipient)
- p.should_receive(:post)
- p.class.stub(:new).and_return(p)
+ expect(p).to receive(:post)
+ allow(p.class).to receive(:new).and_return(p)
@object_by_recipient.receive(@local_luke, @local_leia.person)
end
it 'calls after_receive callback' do
- @object_by_recipient.should_receive(:after_receive)
- @object_by_recipient.class.stub(:where).and_return([@object_by_recipient])
+ expect(@object_by_recipient).to receive(:after_receive)
+ allow(@object_by_recipient.class).to receive(:where).and_return([@object_by_recipient])
@object_by_recipient.receive(@local_luke, @local_leia.person)
end
end
describe '#subscribers' do
it 'returns the posts original audience, if the post is owned by the user' do
- @object_by_parent_author.subscribers(@local_luke).map(&:id).should =~ [@local_leia.person, @remote_raphael].map(&:id)
+ expect(@object_by_parent_author.subscribers(@local_luke).map(&:id)).to match_array([@local_leia.person, @remote_raphael].map(&:id))
end
it 'returns the owner of the original post, if the user owns the object' do
- @object_by_recipient.subscribers(@local_leia).map(&:id).should =~ [@local_luke.person].map(&:id)
+ expect(@object_by_recipient.subscribers(@local_leia).map(&:id)).to match_array([@local_luke.person].map(&:id))
end
end
end
diff --git a/spec/shared_behaviors/stream.rb b/spec/shared_behaviors/stream.rb
index 9207be34e..d49233588 100644
--- a/spec/shared_behaviors/stream.rb
+++ b/spec/shared_behaviors/stream.rb
@@ -3,41 +3,41 @@ require 'spec_helper'
shared_examples_for 'it is a stream' do
context 'required methods for display' do
it '#title' do
- @stream.title.should_not be_nil
+ expect(@stream.title).not_to be_nil
end
it '#posts' do
- @stream.posts.should_not be_nil
+ expect(@stream.posts).not_to be_nil
end
it '#people' do
- @stream.people.should_not be_nil
+ expect(@stream.people).not_to be_nil
end
it '#publisher_opts' do
- @stream.send(:publisher_opts).should_not be_nil
+ expect(@stream.send(:publisher_opts)).not_to be_nil
end
it 'has a #contacts title' do
- @stream.contacts_title.should_not be_nil
+ expect(@stream.contacts_title).not_to be_nil
end
it 'has a contacts link' do
- @stream.contacts_link.should_not be_nil
+ expect(@stream.contacts_link).not_to be_nil
end
it 'should make the stream a time object' do
@stream.max_time = 123
- @stream.max_time.should be_a(Time)
+ expect(@stream.max_time).to be_a(Time)
end
it 'should always have an order (default created_at)' do
@stream.order=nil
- @stream.order.should_not be_nil
+ expect(@stream.order).not_to be_nil
end
it 'initializes a publisher' do
- @stream.publisher.should be_a(Publisher)
+ expect(@stream.publisher).to be_a(Publisher)
end
end
end
diff --git a/spec/shared_behaviors/taggable.rb b/spec/shared_behaviors/taggable.rb
index 339556bf2..ccec40e7d 100644
--- a/spec/shared_behaviors/taggable.rb
+++ b/spec/shared_behaviors/taggable.rb
@@ -21,18 +21,18 @@ shared_examples_for "it is taggable" do
end
it "supports non-ascii characters" do
- @object.tags(true).map(&:name).should include('vöglein')
+ expect(@object.tags(true).map(&:name)).to include('vöglein')
end
it 'links each tag' do
formatted_string = Diaspora::Taggable.format_tags(@str)
- formatted_string.should include(tag_link('what'))
- formatted_string.should include(tag_link('hey'))
- formatted_string.should include(tag_link('vöglein'))
+ expect(formatted_string).to include(tag_link('what'))
+ expect(formatted_string).to include(tag_link('hey'))
+ expect(formatted_string).to include(tag_link('vöglein'))
end
it 'responds to plain_text' do
- Diaspora::Taggable.format_tags(@str, :plain_text => true).should == @str
+ expect(Diaspora::Taggable.format_tags(@str, :plain_text => true)).to eq(@str)
end
it "doesn't mangle text when tags are involved" do
@@ -52,9 +52,9 @@ shared_examples_for "it is taggable" do
'#12345 tag' => "#{tag_link('12345')} tag",
'#12cde tag' => "#{tag_link('12cde')} tag",
'#abc45 tag' => "#{tag_link('abc45')} tag",
- '#<3' => %{#<3},
- 'i #<3' => %{i #<3},
- 'i #<3 you' => %{i #<3 you},
+ '#<3' => %{#<3},
+ 'i #<3' => %{i #<3},
+ 'i #<3 you' => %{i #<3 you},
'#<4' => '#<4',
'test#foo test' => 'test#foo test',
'test.#joo bar' => 'test.#joo bar',
@@ -78,7 +78,7 @@ shared_examples_for "it is taggable" do
}
expected.each do |input,output|
- Diaspora::Taggable.format_tags(input).should == output
+ expect(Diaspora::Taggable.format_tags(input)).to eq(output)
end
end
end
@@ -87,10 +87,10 @@ shared_examples_for "it is taggable" do
it 'builds the tags' do
@object.send(@object.class.field_with_tags_setter, '#what')
@object.build_tags
- @object.tag_list.should == ['what']
- lambda {
+ expect(@object.tag_list).to eq(['what'])
+ expect {
@object.save
- }.should change{@object.tags.count}.by(1)
+ }.to change{@object.tags.count}.by(1)
end
end
@@ -100,7 +100,7 @@ shared_examples_for "it is taggable" do
arr = ['what', 'hey', 'that', 'THATWASMYBIKE', 'vöglein', '135440we', 'abc', 'h', 'ok', 'see', 're']
@object.send(@object.class.field_with_tags_setter, str)
- @object.tag_strings.should =~ arr
+ expect(@object.tag_strings).to match_array(arr)
end
it 'extracts tags despite surrounding text' do
@@ -139,11 +139,12 @@ shared_examples_for "it is taggable" do
'#-initialhyphen' => '-initialhyphen',
'#-initialhyphen tag' => '-initialhyphen',
'#-initial-hyphen' => '-initial-hyphen',
+ "\u202a#\u200eUSA\u202c" => 'USA'
}
expected.each do |text,hashtag|
@object.send @object.class.field_with_tags_setter, text
- @object.tag_strings.should == [hashtag].compact
+ expect(@object.tag_strings).to eq([hashtag].compact)
end
end
@@ -152,7 +153,7 @@ shared_examples_for "it is taggable" do
arr = ['what','whaaaaaaaaaat']
@object.send(@object.class.field_with_tags_setter, str)
- @object.tag_strings.should =~ arr
+ expect(@object.tag_strings).to match_array(arr)
end
it 'is case insensitive' do
@@ -160,7 +161,7 @@ shared_examples_for "it is taggable" do
arr = ['what']
@object.send(@object.class.field_with_tags_setter, str)
- @object.tag_strings.should =~ arr
+ expect(@object.tag_strings).to match_array(arr)
end
end
end
diff --git a/spec/spec_helper.rb b/spec/spec_helper.rb
index 2f375e9e4..32937f978 100644
--- a/spec/spec_helper.rb
+++ b/spec/spec_helper.rb
@@ -2,114 +2,107 @@
# licensed under the Affero General Public License version 3 or later. See
# the COPYRIGHT file.
-prefork = proc do
- # Loading more in this block will cause your tests to run faster. However,
- # if you change any configuration or code from libraries loaded here, you'll
- # need to restart spork for it take effect.
+ENV["RAILS_ENV"] ||= "test"
+require File.join(File.dirname(__FILE__), "..", "config", "environment")
+require Rails.root.join("spec", "helper_methods")
+require Rails.root.join("spec", "spec-doc")
+require "rspec/rails"
+require "webmock/rspec"
+require "factory_girl"
+require "sidekiq/testing"
+require "shoulda/matchers"
- #require "rails/application"
- #Spork.trap_method(Rails::Application::RoutesReloader, :reload!)
+include HelperMethods
- ENV["RAILS_ENV"] ||= 'test'
- require File.join(File.dirname(__FILE__), '..', 'config', 'environment')
- require Rails.root.join('spec', 'helper_methods')
- require Rails.root.join('spec', 'spec-doc')
- require 'rspec/rails'
- require 'webmock/rspec'
- require 'factory_girl'
- require 'sidekiq/testing'
-
- include HelperMethods
-
- Dir["#{File.dirname(__FILE__)}/shared_behaviors/**/*.rb"].each do |f|
- require f
- end
-
- ProcessedImage.enable_processing = false
- UnprocessedImage.enable_processing = false
-
- def set_up_friends
- [local_luke, local_leia, remote_raphael]
- end
-
- def alice
- @alice ||= User.where(:username => 'alice').first
- end
-
- def bob
- @bob ||= User.where(:username => 'bob').first
- end
-
- def eve
- @eve ||= User.where(:username => 'eve').first
- end
-
- def local_luke
- @local_luke ||= User.where(:username => 'luke').first
- end
-
- def local_leia
- @local_leia ||= User.where(:username => 'leia').first
- end
-
- def remote_raphael
- @remote_raphael ||= Person.where(:diaspora_handle => 'raphael@remote.net').first
- end
-
- def photo_fixture_name
- @photo_fixture_name = File.join(File.dirname(__FILE__), 'fixtures', 'button.png')
- end
-
- # Force fixture rebuild
- FileUtils.rm_f(Rails.root.join('tmp', 'fixture_builder.yml'))
-
- # Requires supporting files with custom matchers and macros, etc,
- # in ./support/ and its subdirectories.
- fixture_builder_file = "#{File.dirname(__FILE__)}/support/fixture_builder.rb"
- support_files = Dir["#{File.dirname(__FILE__)}/support/**/*.rb"] - [fixture_builder_file]
- support_files.each {|f| require f }
- require fixture_builder_file
-
- RSpec.configure do |config|
- config.include Devise::TestHelpers, :type => :controller
- config.mock_with :rspec
-
- config.render_views
- config.use_transactional_fixtures = true
-
- config.before(:each) do
- I18n.locale = :en
- stub_request(:post, "https://pubsubhubbub.appspot.com/")
- disable_typhoeus
- $process_queue = false
- Postzord::Dispatcher::Public.any_instance.stub(:deliver_to_remote)
- Postzord::Dispatcher::Private.any_instance.stub(:deliver_to_remote)
- end
-
-
-
- config.after(:all) do
- `rm -rf #{Rails.root}/tmp/uploads/*`
- end
- end
+Dir["#{File.dirname(__FILE__)}/shared_behaviors/**/*.rb"].each do |f|
+ require f
end
-begin
- require 'spork'
- #uncomment the following line to use spork with the debugger
- #require 'spork/ext/ruby-debug'
+ProcessedImage.enable_processing = false
+UnprocessedImage.enable_processing = false
+Rails.application.routes.default_url_options[:host] = AppConfig.pod_uri.host
+Rails.application.routes.default_url_options[:port] = AppConfig.pod_uri.port
- Spork.prefork(&prefork)
-rescue LoadError
- prefork.call
+def set_up_friends
+ [local_luke, local_leia, remote_raphael]
end
-# https://makandracards.com/makandra/950-speed-up-rspec-by-deferring-garbage-collection
+def alice
+ @alice ||= User.find_by(username: "alice")
+end
+
+def bob
+ @bob ||= User.find_by(username: "bob")
+end
+
+def eve
+ @eve ||= User.find_by(username: "eve")
+end
+
+def local_luke
+ @local_luke ||= User.find_by(username: "luke")
+end
+
+def local_leia
+ @local_leia ||= User.find_by(username: "leia")
+end
+
+def remote_raphael
+ @remote_raphael ||= Person.find_by(diaspora_handle: "raphael@remote.net")
+end
+
+def peter
+ @peter ||= User.find_by(username: "peter")
+end
+
+def photo_fixture_name
+ @photo_fixture_name = File.join(File.dirname(__FILE__), "fixtures", "button.png")
+end
+
+# Force fixture rebuild
+FileUtils.rm_f(Rails.root.join("tmp", "fixture_builder.yml"))
+
+# Requires supporting files with custom matchers and macros, etc,
+# in ./support/ and its subdirectories.
+fixture_builder_file = "#{File.dirname(__FILE__)}/support/fixture_builder.rb"
+support_files = Dir["#{File.dirname(__FILE__)}/support/**/*.rb"] - [fixture_builder_file]
+support_files.each {|f| require f }
+require fixture_builder_file
+
RSpec.configure do |config|
- config.before(:all) do
- DeferredGarbageCollection.start
+ config.include Devise::TestHelpers, :type => :controller
+ config.mock_with :rspec
+
+ config.render_views
+ config.use_transactional_fixtures = true
+ config.infer_spec_type_from_file_location!
+
+ config.before(:each) do
+ I18n.locale = :en
+ stub_request(:post, "https://pubsubhubbub.appspot.com/")
+ disable_typhoeus
+ $process_queue = false
+ allow_any_instance_of(Postzord::Dispatcher::Public).to receive(:deliver_to_remote)
+ allow_any_instance_of(Postzord::Dispatcher::Private).to receive(:deliver_to_remote)
end
+
+ config.expect_with :rspec do |expect_config|
+ expect_config.syntax = :expect
+ end
+
config.after(:all) do
- DeferredGarbageCollection.reconsider
+ `rm -rf #{Rails.root}/tmp/uploads/*`
end
+
+ # Reset overridden settings
+ config.after(:each) do
+ AppConfig.reset_dynamic!
+ end
+
+ # Reset test mails
+ config.after(:each) do
+ ActionMailer::Base.deliveries.clear
+ end
+
+ config.include FactoryGirl::Syntax::Methods
end
diff --git a/spec/support/deferred_garbage_collection.rb b/spec/support/deferred_garbage_collection.rb
deleted file mode 100644
index 85a59a8d8..000000000
--- a/spec/support/deferred_garbage_collection.rb
+++ /dev/null
@@ -1,41 +0,0 @@
-
-# https://makandracards.com/makandra/950-speed-up-rspec-by-deferring-garbage-collection
-class DeferredGarbageCollection
-
- DEFERRED_GC_THRESHOLD = (ENV['DEFER_GC'] || 10.0).to_f #used to be 10.0
-
- @@last_gc_run = Time.now
-
- def self.start
- return if unsupported_environment
- GC.disable if DEFERRED_GC_THRESHOLD > 0
- end
-
- def self.memory_threshold
- @mem = %x(free 2>/dev/null).to_s.split(" ")
- return nil if @mem.empty?
- @mem[15].to_i / (@mem[7].to_i/100)
- end
-
- def self.reconsider
- return if unsupported_environment
-
- if (percent_used = self.memory_threshold)
- running_out_of_memory = percent_used > 90
- else
- running_out_of_memory = false
- end
-
- if( (DEFERRED_GC_THRESHOLD > 0 && Time.now - @@last_gc_run >= DEFERRED_GC_THRESHOLD) || running_out_of_memory )
- GC.enable
- GC.start
- GC.disable
- @@last_gc_run = Time.now
- end
- end
-
- def self.unsupported_environment
- ENV['TRAVIS'] # TODO: enable for ruby 1.9.3 or more RAM
- end
-
-end
diff --git a/spec/support/fixture_builder.rb b/spec/support/fixture_builder.rb
index b327c26d4..34f981a33 100644
--- a/spec/support/fixture_builder.rb
+++ b/spec/support/fixture_builder.rb
@@ -8,7 +8,7 @@ FixtureBuilder.configure do |fbuilder|
# now declare objects
fbuilder.factory do
# Users
- alice = FactoryGirl.create(:user_with_aspect, :username => "alice")
+ alice = FactoryGirl.create(:user_with_aspect, :username => "alice", :strip_exif => false)
alices_aspect = alice.aspects.where(:name => "generic").first
eve = FactoryGirl.create(:user_with_aspect, :username => "eve")
@@ -34,5 +34,14 @@ FixtureBuilder.configure do |fbuilder|
local_leia.contacts.create(:person => remote_raphael, :aspects => [leias_aspect])
local_luke.contacts.create(:person => remote_raphael, :aspects => [lukes_aspect])
+
+ # Set up a follower
+ peter = FactoryGirl.create(:user_with_aspect, :username => "peter")
+ peters_aspect = peter.aspects.where(:name => "generic").first
+
+ peter.contacts.create!(:person => alice.person,
+ :aspects => [peters_aspect],
+ :sharing => false,
+ :receiving => true)
end
-end
\ No newline at end of file
+end
diff --git a/spec/support/user_methods.rb b/spec/support/user_methods.rb
index 2f2c4ea46..85f0068f7 100644
--- a/spec/support/user_methods.rb
+++ b/spec/support/user_methods.rb
@@ -1,9 +1,4 @@
class User
- include Rails.application.routes.url_helpers
- def default_url_options
- {:host => AppConfig.pod_uri.host}
- end
-
alias_method :share_with_original, :share_with
def share_with(*args)
@@ -18,12 +13,11 @@ class User
p = build_post(class_name, opts)
p.aspects = aspects
-
if p.save!
self.aspects.reload
add_to_streams(p, aspects)
- dispatch_opts = {:url => post_url(p), :to => opts[:to]}
+ dispatch_opts = {url: Rails.application.routes.url_helpers.post_url(p), to: opts[:to]}
dispatch_opts.merge!(:additional_subscribers => p.root.author) if class_name == :reshare
dispatch_post(p, dispatch_opts)
end
diff --git a/spec/workers/deferred_dispatch_spec.rb b/spec/workers/deferred_dispatch_spec.rb
new file mode 100644
index 000000000..f0a20d768
--- /dev/null
+++ b/spec/workers/deferred_dispatch_spec.rb
@@ -0,0 +1,9 @@
+require 'spec_helper'
+
+describe Workers::DeferredDispatch do
+ it "handles non existing records gracefully" do
+ expect {
+ described_class.new.perform(alice.id, 'Comment', 0, {})
+ }.to_not raise_error
+ end
+end
diff --git a/spec/workers/delete_account_spec.rb b/spec/workers/delete_account_spec.rb
index 5f374cfd3..dd604f7d8 100644
--- a/spec/workers/delete_account_spec.rb
+++ b/spec/workers/delete_account_spec.rb
@@ -8,8 +8,8 @@ describe Workers::DeleteAccount do
describe '#perform' do
it 'performs the account deletion' do
account_deletion = double
- AccountDeletion.stub(:find).and_return(account_deletion)
- account_deletion.should_receive(:perform!)
+ allow(AccountDeletion).to receive(:find).and_return(account_deletion)
+ expect(account_deletion).to receive(:perform!)
Workers::DeleteAccount.new.perform(1)
end
diff --git a/spec/workers/delete_post_from_service_spec.rb b/spec/workers/delete_post_from_service_spec.rb
index b941335c1..75e902034 100644
--- a/spec/workers/delete_post_from_service_spec.rb
+++ b/spec/workers/delete_post_from_service_spec.rb
@@ -9,8 +9,8 @@ describe Workers::DeletePostFromService do
it 'calls service#delete_post with given service' do
m = double()
url = "foobar"
- m.should_receive(:delete_post)
- Service.stub(:find_by_id).and_return(m)
+ expect(m).to receive(:delete_post)
+ allow(Service).to receive(:find_by_id).and_return(m)
Workers::DeletePostFromService.new.perform("123", @post.id.to_s)
end
end
diff --git a/spec/workers/export_photos_spec.rb b/spec/workers/export_photos_spec.rb
new file mode 100644
index 000000000..15db9eee4
--- /dev/null
+++ b/spec/workers/export_photos_spec.rb
@@ -0,0 +1,26 @@
+require 'spec_helper'
+
+describe Workers::ExportPhotos do
+
+ before do
+ allow(User).to receive(:find).with(alice.id).and_return(alice)
+ end
+
+ it 'calls export_photos! on user with given id' do
+ expect(alice).to receive(:perform_export_photos!)
+ Workers::ExportPhotos.new.perform(alice.id)
+ end
+
+ it 'sends a success message when the export photos is successful' do
+ allow(alice).to receive(:exported_photos_file).and_return(OpenStruct.new)
+ expect(ExportMailer).to receive(:export_photos_complete_for).with(alice).and_call_original
+ Workers::ExportPhotos.new.perform(alice.id)
+ end
+
+ it 'sends a failure message when the export photos fails' do
+ allow(alice).to receive(:exported_photos_file).and_return(nil)
+ expect(alice).to receive(:perform_export_photos!).and_return(false)
+ expect(ExportMailer).to receive(:export_photos_failure_for).with(alice).and_call_original
+ Workers::ExportPhotos.new.perform(alice.id)
+ end
+end
diff --git a/spec/workers/export_user_spec.rb b/spec/workers/export_user_spec.rb
new file mode 100644
index 000000000..795a9f6b8
--- /dev/null
+++ b/spec/workers/export_user_spec.rb
@@ -0,0 +1,26 @@
+require 'spec_helper'
+
+describe Workers::ExportUser do
+
+ before do
+ allow(User).to receive(:find).with(alice.id).and_return(alice)
+ end
+
+ it 'calls export! on user with given id' do
+ expect(alice).to receive(:perform_export!)
+ Workers::ExportUser.new.perform(alice.id)
+ end
+
+ it 'sends a success message when the export is successful' do
+ allow(alice).to receive(:export).and_return(OpenStruct.new)
+ expect(ExportMailer).to receive(:export_complete_for).with(alice).and_call_original
+ Workers::ExportUser.new.perform(alice.id)
+ end
+
+ it 'sends a failure message when the export fails' do
+ allow(alice).to receive(:export).and_return(nil)
+ expect(alice).to receive(:perform_export!).and_return(false)
+ expect(ExportMailer).to receive(:export_failure_for).with(alice).and_call_original
+ Workers::ExportUser.new.perform(alice.id)
+ end
+end
diff --git a/spec/workers/fetch_profile_photo_spec.rb b/spec/workers/fetch_profile_photo_spec.rb
index 24afa1d70..0b118ce7e 100644
--- a/spec/workers/fetch_profile_photo_spec.rb
+++ b/spec/workers/fetch_profile_photo_spec.rb
@@ -7,36 +7,36 @@ describe Workers::FetchProfilePhoto do
@url = "https://service.com/user/profile_image"
- @service.stub(:profile_photo_url).and_return(@url)
- @user.stub(:update_profile)
+ allow(@service).to receive(:profile_photo_url).and_return(@url)
+ allow(@user).to receive(:update_profile)
- User.stub(:find).and_return(@user)
- Service.stub(:find).and_return(@service)
+ allow(User).to receive(:find).and_return(@user)
+ allow(Service).to receive(:find).and_return(@service)
@photo_double = double
- @photo_double.stub(:save!).and_return(true)
- @photo_double.stub(:url).and_return("image.jpg")
+ allow(@photo_double).to receive(:save!).and_return(true)
+ allow(@photo_double).to receive(:url).and_return("image.jpg")
end
it 'saves the profile image' do
- @photo_double.should_receive(:save!).and_return(true)
- Photo.should_receive(:diaspora_initialize).with(hash_including(:author => @user.person, :image_url => @url, :pending => true)).and_return(@photo_double)
+ expect(@photo_double).to receive(:save!).and_return(true)
+ expect(Photo).to receive(:diaspora_initialize).with(hash_including(:author => @user.person, :image_url => @url, :pending => true)).and_return(@photo_double)
Workers::FetchProfilePhoto.new.perform(@user.id, @service.id)
end
context "service does not have a profile_photo_url" do
it "does nothing without fallback" do
- @service.stub(:profile_photo_url).and_return(nil)
- Photo.should_not_receive(:diaspora_initialize)
+ allow(@service).to receive(:profile_photo_url).and_return(nil)
+ expect(Photo).not_to receive(:diaspora_initialize)
Workers::FetchProfilePhoto.new.perform(@user.id, @service.id)
end
it "fetches fallback if it's provided" do
- @photo_double.should_receive(:save!).and_return(true)
- @service.stub(:profile_photo_url).and_return(nil)
- Photo.should_receive(:diaspora_initialize).with(hash_including(:author => @user.person, :image_url => "https://service.com/fallback_lowres.jpg", :pending => true)).and_return(@photo_double)
+ expect(@photo_double).to receive(:save!).and_return(true)
+ allow(@service).to receive(:profile_photo_url).and_return(nil)
+ expect(Photo).to receive(:diaspora_initialize).with(hash_including(:author => @user.person, :image_url => "https://service.com/fallback_lowres.jpg", :pending => true)).and_return(@photo_double)
Workers::FetchProfilePhoto.new.perform(@user.id, @service.id, "https://service.com/fallback_lowres.jpg")
end
@@ -44,10 +44,10 @@ describe Workers::FetchProfilePhoto do
it 'updates the profile' do
- @photo_double.stub(:url).and_return("large.jpg", "medium.jpg", "small.jpg")
+ allow(@photo_double).to receive(:url).and_return("large.jpg", "medium.jpg", "small.jpg")
- Photo.should_receive(:diaspora_initialize).and_return(@photo_double)
- @user.should_receive(:update_profile).with(hash_including({
+ expect(Photo).to receive(:diaspora_initialize).and_return(@photo_double)
+ expect(@user).to receive(:update_profile).with(hash_including({
:image_url => "large.jpg",
:image_url_medium => "medium.jpg",
:image_url_small => "small.jpg"
diff --git a/spec/workers/gather_o_embed_data_spec.rb b/spec/workers/gather_o_embed_data_spec.rb
index 361502c0e..97177d7de 100644
--- a/spec/workers/gather_o_embed_data_spec.rb
+++ b/spec/workers/gather_o_embed_data_spec.rb
@@ -32,7 +32,7 @@ describe Workers::GatherOEmbedData do
it 'requests not data from the internet' do
Workers::GatherOEmbedData.new.perform(@status_message.id, @flickr_photo_url)
- a_request(:get, @flickr_oembed_get_request).should have_been_made
+ expect(a_request(:get, @flickr_oembed_get_request)).to have_been_made
end
it 'requests not data from the internet only once' do
@@ -40,7 +40,7 @@ describe Workers::GatherOEmbedData do
Workers::GatherOEmbedData.new.perform(@status_message.id, @flickr_photo_url)
end
- a_request(:get, @flickr_oembed_get_request).should have_been_made.times(1)
+ expect(a_request(:get, @flickr_oembed_get_request)).to have_been_made.times(1)
end
it 'creates one cache entry' do
@@ -48,16 +48,16 @@ describe Workers::GatherOEmbedData do
expected_data = @flickr_oembed_data
expected_data['trusted_endpoint_url'] = @flickr_oembed_url
- OEmbedCache.find_by_url(@flickr_photo_url).data.should == expected_data
+ expect(OEmbedCache.find_by_url(@flickr_photo_url).data).to eq(expected_data)
Workers::GatherOEmbedData.new.perform(@status_message.id, @flickr_photo_url)
- OEmbedCache.count(:conditions => {:url => @flickr_photo_url}).should == 1
+ expect(OEmbedCache.where(url: @flickr_photo_url).count).to eq(1)
end
it 'creates no cache entry for unsupported pages' do
Workers::GatherOEmbedData.new.perform(@status_message.id, @no_oembed_url)
- OEmbedCache.find_by_url(@no_oembed_url).should be_nil
+ expect(OEmbedCache.find_by_url(@no_oembed_url)).to be_nil
end
it 'gracefully handles a deleted post' do
diff --git a/spec/workers/gather_open_graph_data_spec.rb b/spec/workers/gather_open_graph_data_spec.rb
index c7a2a8f2b..ac7c4eecd 100644
--- a/spec/workers/gather_open_graph_data_spec.rb
+++ b/spec/workers/gather_open_graph_data_spec.rb
@@ -3,7 +3,7 @@ describe Workers::GatherOpenGraphData do
before do
@ogsite_title = 'Homepage'
@ogsite_type = 'website'
- @ogsite_image = '/img/something.png'
+ @ogsite_image = 'http://www.we-support-open-graph.com/img/something.png'
@ogsite_url = 'http://www.we-support-open-graph.com'
@ogsite_description = 'Homepage'
@@ -16,19 +16,35 @@ describe Workers::GatherOpenGraphData do
https://foo.com!
', + 'ftp://example.org:8080
' + ]; + for (var i = 0; i < contents.length; i++) { + expect(this.formatter(contents[i])).toContain(results[i]); + } }); - - // TODO: try to match the 'bad_urls.txt' and have as few matches as possible }); + }); - }) - - describe(".hashtagify", function(){ - context("changes hashtags to links", function(){ - it("creates links to hashtags", function(){ - var formattedText = this.formatter.hashtagify("I love #parties and #rockstars and #unicorns") - var wrapper = $("